From cd5bf26ea115809d061260d3b74b287ae7901578 Mon Sep 17 00:00:00 2001 From: learner97 Date: Tue, 28 May 2024 14:25:34 -0600 Subject: [PATCH 1/6] moved registries and theme get requests to top level --- frontend/components/Admin/Registries.js | 82 ++++++++----------- frontend/components/Admin/Theme.js | 22 +++-- frontend/components/Basket/BasketItem.js | 2 +- frontend/components/Navbar/Navbar.js | 24 +++--- .../StandardSearch/ResultTable/ResultRow.js | 4 +- .../Search/StandardSearch/StandardSearch.js | 2 +- .../Submission/SubmissionDisplay.js | 2 +- .../Submit/SubmissionStatusPanel.js | 2 +- frontend/components/TopLevel.js | 46 +++++++++++ .../components/Viewing/Collection/Members.js | 8 +- .../PageJSON/Rendering/SectionRenderer.js | 2 +- .../Sections/Attachments/AttachmentRows.js | 2 +- .../Sections/Attachments/UploadAttachments.js | 4 +- .../Viewing/Sections/MemberOfCollections.js | 2 +- frontend/components/Viewing/SidePanel.js | 2 +- frontend/components/Viewing/SidePanelTools.js | 1 - frontend/pages/root-collections.js | 2 + frontend/public/commitHash.txt | 2 +- frontend/redux/actions.js | 2 +- 19 files changed, 128 insertions(+), 85 deletions(-) diff --git a/frontend/components/Admin/Registries.js b/frontend/components/Admin/Registries.js index a788d738..05aec21a 100644 --- a/frontend/components/Admin/Registries.js +++ b/frontend/components/Admin/Registries.js @@ -28,20 +28,34 @@ const headers = ['URI Prefix', 'SynBioHub URL', '']; export default function Registries() { const token = useSelector(state => state.user.token); const dispatch = useDispatch(); - const { registries, loading } = useRegistries(token, dispatch); + const [registries, setRegistries] = useState([]); + const [loading, setLoading] = useState(false); + + useEffect(() => { + setLoading(true); + try { + const registriesData = JSON.parse(localStorage.getItem('registries')) || []; + setRegistries(registriesData); + } catch (error) { + console.error('Error fetching registries from localStorage', error); + dispatch(addError(error)); + } finally { + setLoading(false); + } + }, [dispatch]); return (
} dataRowDisplay={registry => ( @@ -349,50 +363,24 @@ const fetcher = (url, dispatch) => dispatch(addError(error)); }); -export async function processUrl(inputUrl, token, dispatch) { - - const data = await fetcher(`${publicRuntimeConfig.backend}/admin/registries`, dispatch); - - - - if (data && data.registries) { - let registries; - // Check if data.registries is an array - if (data.registries && Array.isArray(data.registries)) { - registries = data.registries; - } else if (data && typeof data === 'object') { - registries = [data]; // This is an example, adjust based on your needs - } else { - registries = []; - } - - for (const registry of registries) { - if (inputUrl.startsWith(registry.uri)) { - const urlRemovedForLink = inputUrl.replace(registry.uri, ""); // TODO: Should only strip for only "you" - const urlReplacedForBackend = inputUrl.replace(registry.uri, registry.url); - return { urlRemovedForLink, urlReplacedForBackend }; - } +export async function processUrl(inputUrl, registries) { + for (const registry of registries) { + if (inputUrl.startsWith(registry.uri)) { + const urlRemovedForLink = inputUrl.replace(registry.uri, ""); + const urlReplacedForBackend = inputUrl.replace(registry.uri, registry.url); + return { urlRemovedForLink, urlReplacedForBackend }; } - return { original: inputUrl }; // if you don't match any uri } - return { original: inputUrl }; // if you don't match any uri + return { original: inputUrl }; } -export async function processUrlReverse(inputUrl, token, dispatch) { - - const data = await fetcher(`${publicRuntimeConfig.backend}/admin/registries`, dispatch); - - if (data && data.registries) { - const registries = data.registries; - - for (const registry of registries) { - if (inputUrl.startsWith(registry.url)) { - const uriRemovedForLink = inputUrl.replace(registry.url, ""); - const uriReplacedForBackend = inputUrl.replace(registry.url, registry.uri); - return { uriRemovedForLink, uriReplacedForBackend }; - } +export async function processUrlReverse(inputUrl, registries) { + for (const registry of registries) { + if (inputUrl.startsWith(registry.url)) { + const uriRemovedForLink = inputUrl.replace(registry.url, ""); + const uriReplacedForBackend = inputUrl.replace(registry.url, registry.uri); + return { uriRemovedForLink, uriReplacedForBackend }; } - return { original: inputUrl }; // if you don't match any uri } - return { original: inputUrl }; // if you don't match any uri + return { original: inputUrl }; } \ No newline at end of file diff --git a/frontend/components/Admin/Theme.js b/frontend/components/Admin/Theme.js index 001f140a..bd175b82 100644 --- a/frontend/components/Admin/Theme.js +++ b/frontend/components/Admin/Theme.js @@ -167,15 +167,19 @@ export default function Theme() { ); } -export const useTheme = dispatch => { - const { data, error } = useSWR( - [`${publicRuntimeConfig.backend}/admin/theme`, dispatch], - fetcher - ); - return { - theme: data, - loading: !error && !data - }; +export const useTheme = () => { + const [theme, setTheme] = useState(null); + const [loading, setLoading] = useState(true); + + useEffect(() => { + const storedTheme = localStorage.getItem('theme'); + if (storedTheme) { + setTheme(JSON.parse(storedTheme)); + } + setLoading(false); + }, []); + + return { theme, loading }; }; const fetcher = (url, dispatch) => diff --git a/frontend/components/Basket/BasketItem.js b/frontend/components/Basket/BasketItem.js index 98c5ed7c..9ab7c3b3 100644 --- a/frontend/components/Basket/BasketItem.js +++ b/frontend/components/Basket/BasketItem.js @@ -15,7 +15,7 @@ export default function BasketItem(properties) { // Process the URI using processUrl function const handleClick = async () => { - const processedUrlData = await processUrl(properties.item.uri, token, dispatch); + const processedUrlData = await processUrl(properties.item.uri, localStorage.getItem('registries')); if (processedUrlData.urlReplacedForBackend) { router.push(processedUrlData.urlReplacedForBackend); } else if (processedUrlData.original) { diff --git a/frontend/components/Navbar/Navbar.js b/frontend/components/Navbar/Navbar.js index 76649d0d..a6746261 100644 --- a/frontend/components/Navbar/Navbar.js +++ b/frontend/components/Navbar/Navbar.js @@ -7,11 +7,10 @@ import { import { FontAwesomeIcon } from '@fortawesome/react-fontawesome'; import Image from 'next/image'; import Link from 'next/link'; -import { useEffect, useState } from 'react'; +import React, { useEffect, useState } from 'react'; import Loader from 'react-loader-spinner'; import { useSelector } from 'react-redux'; import { useTheme } from '../Admin/Theme'; - import styles from '../../styles/navbar.module.css'; import Profile from './Profile'; import Selector from './Selector'; @@ -30,32 +29,37 @@ export default function Navbar() { ); useEffect(() => { - if (loggedIn) setProfileControl(); - else + if (loggedIn) { + setProfileControl(); + } else { setProfileControl( ); + } }, [loggedIn]); + if (loading) { + return
Loading...
; // Adjust this to your loading indicator + } + let linkHref = "/"; if (theme && theme.altHome && theme.altHome.length > 0) { linkHref = theme.altHome; } return ( -
- -
{/* This is your new div container */} +
- {/* */} - {!loading && theme && ( + {theme && ( )}
diff --git a/frontend/components/Search/StandardSearch/ResultTable/ResultRow.js b/frontend/components/Search/StandardSearch/ResultTable/ResultRow.js index 1e5d6ac0..0ef3bcdb 100644 --- a/frontend/components/Search/StandardSearch/ResultTable/ResultRow.js +++ b/frontend/components/Search/StandardSearch/ResultTable/ResultRow.js @@ -19,12 +19,12 @@ export default function ResultRow(properties) { useEffect(() => { async function processAndSetUri() { - const result = await processUrl(properties.uri, token, dispatch); + const result = await processUrl(properties.uri, localStorage.getItem('registries')); setProcessedUri(result.urlRemovedForLink || result.original); } processAndSetUri(); - }, [properties.uri]); + }, [dispatch, properties.uri]); // Identify what type of object the search result is from type url if (potentialType.includes('component')) { diff --git a/frontend/components/Search/StandardSearch/StandardSearch.js b/frontend/components/Search/StandardSearch/StandardSearch.js index 69c1a71c..d0e64c0d 100644 --- a/frontend/components/Search/StandardSearch/StandardSearch.js +++ b/frontend/components/Search/StandardSearch/StandardSearch.js @@ -324,7 +324,7 @@ const getTypeAndUrl = async (result, token, dispatch) => { result.type = type; - const processed = await processUrl(result.uri, token, dispatch); + const processed = await processUrl(result.uri, localStorage.getItem('registries')); result.url = processed.urlRemovedForLink || processed.original; // let newUrl = result.uri.replace('https://synbiohub.org', ''); diff --git a/frontend/components/Submission/SubmissionDisplay.js b/frontend/components/Submission/SubmissionDisplay.js index 9fe0bca5..64ecb60b 100644 --- a/frontend/components/Submission/SubmissionDisplay.js +++ b/frontend/components/Submission/SubmissionDisplay.js @@ -34,7 +34,7 @@ export default function SubmissionDisplay(properties) { useEffect(() => { async function processAndSetUri() { - const result = await processUrl(properties.submission.uri, token, dispatch); + const result = await processUrl(properties.submission.uri, localStorage.getItem('registries')); setProcessedUri(result.urlRemovedForLink || result.original); } diff --git a/frontend/components/Submit/SubmissionStatusPanel.js b/frontend/components/Submit/SubmissionStatusPanel.js index 0adc6c57..23611ba4 100644 --- a/frontend/components/Submit/SubmissionStatusPanel.js +++ b/frontend/components/Submit/SubmissionStatusPanel.js @@ -69,7 +69,7 @@ export default function SubmissionStatusPanel() { useEffect(() => { async function processAndSetUri() { - const result = await processUrl(submissionUri, token, dispatch); + const result = await processUrl(submissionUri, localStorage.getItem('registries')); setProcessedUri(result.urlRemovedForLink || result.original); } diff --git a/frontend/components/TopLevel.js b/frontend/components/TopLevel.js index d3c2632c..f6160ba3 100644 --- a/frontend/components/TopLevel.js +++ b/frontend/components/TopLevel.js @@ -2,6 +2,7 @@ import Head from 'next/head'; import { useRouter } from 'next/router'; import { useEffect } from 'react'; import { useDispatch, useSelector } from 'react-redux'; +import { useState } from 'react'; import { addError, markPageVisited, restoreLogin } from '../redux/actions'; import styles from '../styles/layout.module.css'; @@ -9,6 +10,9 @@ import Footer from './Footer'; import Navbar from './Navbar/Navbar'; import DownloadStatus from './Reusable/Download/DownloadStatus'; import Errors from './Error/Errors'; +import getConfig from 'next/config'; +const { publicRuntimeConfig } = getConfig(); +import axios from 'axios'; /* eslint sonarjs/cognitive-complexity: "off" */ @@ -23,6 +27,48 @@ export default function TopLevel(properties) { const router = useRouter(); const loggedIn = useSelector(state => state.user.loggedIn); const pageVisited = useSelector(state => state.tracking.pageVisited); + const [registries, setRegistries] = useState([]); + const [theme, setTheme] = useState([]); + const [loading, setLoading] = useState(false); + + // Fetch registries once on component mount + useEffect(() => { + const fetchData = async () => { + setLoading(true); + try { + const [registriesResponse, themeResponse] = await Promise.all([ + axios.get(`${publicRuntimeConfig.backend}/admin/registries`, { + headers: { + 'Content-Type': 'application/json', + 'Accept': 'application/json', + }, + }), + axios.get(`${publicRuntimeConfig.backend}/admin/theme`, { + headers: { + 'Content-Type': 'application/json', + 'Accept': 'application/json', + }, + }) + ]); + + const registriesData = registriesResponse.data.registries || []; + const themeData = themeResponse.data.theme || []; + + setRegistries(registriesData); + setTheme(themeData); + + localStorage.setItem('registries', JSON.stringify(registriesData)); + localStorage.setItem('theme', JSON.stringify(themeData)); + } catch (error) { + console.error('Error fetching data', error); + dispatch(addError(error)); + } finally { + setLoading(false); + } + }; + + fetchData(); + }, [dispatch]); useEffect(() => { if (!pageVisited && !properties.doNotTrack) dispatch(markPageVisited(true)); diff --git a/frontend/components/Viewing/Collection/Members.js b/frontend/components/Viewing/Collection/Members.js index 70de669c..0c72f72e 100644 --- a/frontend/components/Viewing/Collection/Members.js +++ b/frontend/components/Viewing/Collection/Members.js @@ -151,7 +151,7 @@ export default function Members(properties) { useEffect(() => { let isMounted = true; async function processUri() { - const result = await processUrlReverse(publicRuntimeConfig.backend, token, dispatch); + const result = await processUrlReverse(publicRuntimeConfig.backend, localStorage.getItem('registries')); if (isMounted) { setProcessedUri(result.uriReplacedForBackend); } @@ -272,7 +272,7 @@ function MemberTable(properties) { async function processMembers() { if (properties.members) { const updatedMembers = await Promise.all(properties.members.map(async member => { - const processed = await processUrl(member.uri, token, dispatch); + const processed = await processUrl(member.uri, localStorage.getItem('registries')); return { ...member, uri: processed.urlRemovedForLink @@ -434,13 +434,13 @@ function compareUri(memberUri, baseUri) { const userUriPrefix = '/user/'; const publicUriPrefix = '/public/'; - if (memberUri.startsWith(userUriPrefix)) { + if (memberUri && memberUri.startsWith(userUriPrefix)) { // Check if member.uri matches properties.uri for the first 3 slashes const matchUri = baseUri.split('/').slice(0, 4).join('/'); if (memberUri.startsWith(matchUri)) { return faTrash; } - } else if (memberUri.startsWith(publicUriPrefix)) { + } else if (memberUri && memberUri.startsWith(publicUriPrefix)) { // Check if member.uri matches properties.uri for the first 2 slashes const matchUri = baseUri.split('/').slice(0, 3).join('/'); if (memberUri.startsWith(matchUri)) { diff --git a/frontend/components/Viewing/PageJSON/Rendering/SectionRenderer.js b/frontend/components/Viewing/PageJSON/Rendering/SectionRenderer.js index 7b90904a..d6a64bc2 100644 --- a/frontend/components/Viewing/PageJSON/Rendering/SectionRenderer.js +++ b/frontend/components/Viewing/PageJSON/Rendering/SectionRenderer.js @@ -40,7 +40,7 @@ export default function SectionRenderer({ section, metadata }) { // After you set the data, process the link if (isMounted && section.link) { - const processed = await processUrl(section.link, token, dispatch); // Assuming you have token available + const processed = await processUrl(section.link, localStorage.getItem('registries')); // Assuming you have token available setProcessedLink(processed); } } diff --git a/frontend/components/Viewing/Sections/Attachments/AttachmentRows.js b/frontend/components/Viewing/Sections/Attachments/AttachmentRows.js index 0e38b61f..17d92ac1 100644 --- a/frontend/components/Viewing/Sections/Attachments/AttachmentRows.js +++ b/frontend/components/Viewing/Sections/Attachments/AttachmentRows.js @@ -47,7 +47,7 @@ export default function AttachmentRows(properties) { // async function processAttachments() { // const processedAttachments = await Promise.all(attachments.map(async attachment => { // if (!attachment.processedTopLevel) { - // const result = await processUrl(attachment.topLevel, token, dispatch); + // const result = await processUrl(attachment.topLevel, localStorage.getItem('registries')); // return { ...attachment, processedTopLevel: result.urlRemovedForLink }; // } // return attachment; diff --git a/frontend/components/Viewing/Sections/Attachments/UploadAttachments.js b/frontend/components/Viewing/Sections/Attachments/UploadAttachments.js index 6b05199f..050ec12f 100644 --- a/frontend/components/Viewing/Sections/Attachments/UploadAttachments.js +++ b/frontend/components/Viewing/Sections/Attachments/UploadAttachments.js @@ -185,7 +185,7 @@ export default function UploadAttachments(properties) { document.getElementById('attached-file-input').value = ''; setSelectedFiles([]); - processUrl(properties.uri, token, dispatch).then(processedUriData => { + processUrl(properties.uri, localStorage.getItem('registries')).then(processedUriData => { const uriToUse = processedUriData.urlReplacedForBackend || processedUriData.original; attachFromFile(selectedFiles, uriToUse).then(() => { dispatch(setUploadStatus('')); @@ -279,7 +279,7 @@ export default function UploadAttachments(properties) { } else if (!urlInput.includes('http')) { alert('The URL has to be a link'); } else { - processUrl(uri, token, dispatch).then(processedUriData => { + processUrl(uri, localStorage.getItem('registries')).then(processedUriData => { const uriToUse = processedUriData.urlReplacedForBackend || processedUriData.original; const attachment = { diff --git a/frontend/components/Viewing/Sections/MemberOfCollections.js b/frontend/components/Viewing/Sections/MemberOfCollections.js index 926116a9..68353224 100644 --- a/frontend/components/Viewing/Sections/MemberOfCollections.js +++ b/frontend/components/Viewing/Sections/MemberOfCollections.js @@ -60,7 +60,7 @@ export default function MemberOfCollections(properties) { useEffect(() => { async function fetchProcessedUrl() { - const result = await processUrl(collection.subject, token, dispatch); + const result = await processUrl(collection.subject, localStorage.getItem('registries')); setUrlRemovedForLink(result.urlRemovedForLink); } diff --git a/frontend/components/Viewing/SidePanel.js b/frontend/components/Viewing/SidePanel.js index d32004f9..851d338a 100644 --- a/frontend/components/Viewing/SidePanel.js +++ b/frontend/components/Viewing/SidePanel.js @@ -48,7 +48,7 @@ export default function SidePanel({ metadata, type, json, uri, plugins }) { useEffect(() => { async function fetchAndProcessUrl() { - const result = await processUrl(uri, token, dispatch); + const result = await processUrl(uri, localStorage.getItem('registries')); setProcessedUrl(result); } diff --git a/frontend/components/Viewing/SidePanelTools.js b/frontend/components/Viewing/SidePanelTools.js index d1fc516a..f226e62e 100644 --- a/frontend/components/Viewing/SidePanelTools.js +++ b/frontend/components/Viewing/SidePanelTools.js @@ -37,7 +37,6 @@ import axios from 'axios'; * @param {Any} properties Information passed down from the parent component. */ export default function SidePanelTools(properties) { - console.log(properties); const [modal, setModal] = useState(); const username = useSelector(state => state.user.username); diff --git a/frontend/pages/root-collections.js b/frontend/pages/root-collections.js index ba9f3cda..df8ce689 100644 --- a/frontend/pages/root-collections.js +++ b/frontend/pages/root-collections.js @@ -68,6 +68,8 @@ export default function RootCollections() { } }, [data, query]); + console.log(filteredData); + if (error) { // Render error message or handle error as needed diff --git a/frontend/public/commitHash.txt b/frontend/public/commitHash.txt index 4bbaf3aa..be7aaee1 100644 --- a/frontend/public/commitHash.txt +++ b/frontend/public/commitHash.txt @@ -1 +1 @@ -c11187ef69003c7954ad384939db01c7d801fb56 \ No newline at end of file +c751842c84e72b12543194e3c5e978424ccf5747 \ No newline at end of file diff --git a/frontend/redux/actions.js b/frontend/redux/actions.js index f178dbf8..c316ee75 100644 --- a/frontend/redux/actions.js +++ b/frontend/redux/actions.js @@ -1382,4 +1382,4 @@ export const removeErrorByIndex = index => (dispatch, getState) => { type: types.SETERRORS, payload: newErrors }); -}; +}; \ No newline at end of file From d26ad472872250744ed9798c99198be0318cb0cf Mon Sep 17 00:00:00 2001 From: learner97 Date: Tue, 28 May 2024 16:44:16 -0600 Subject: [PATCH 2/6] a few more minor changes --- frontend/components/TopLevel.js | 7 ++++++- frontend/package.json | 2 +- frontend/public/commitHash.txt | 2 +- 3 files changed, 8 insertions(+), 3 deletions(-) diff --git a/frontend/components/TopLevel.js b/frontend/components/TopLevel.js index f6160ba3..d04c93da 100644 --- a/frontend/components/TopLevel.js +++ b/frontend/components/TopLevel.js @@ -51,8 +51,11 @@ export default function TopLevel(properties) { }) ]); + console.log(registriesResponse.data); + console.log(themeResponse.data); + const registriesData = registriesResponse.data.registries || []; - const themeData = themeResponse.data.theme || []; + const themeData = themeResponse.data || []; setRegistries(registriesData); setTheme(themeData); @@ -74,6 +77,8 @@ export default function TopLevel(properties) { if (!pageVisited && !properties.doNotTrack) dispatch(markPageVisited(true)); }, [pageVisited, properties.doNotTrack]); + console.log(localStorage); + useEffect(() => { if (!loggedIn) { const username = localStorage.getItem('username'); diff --git a/frontend/package.json b/frontend/package.json index 1d2a5648..e5f321ac 100644 --- a/frontend/package.json +++ b/frontend/package.json @@ -3,7 +3,7 @@ "version": "0.1.0", "private": true, "scripts": { - "dev": "node --max-old-space-size=4096 customDev.js", + "dev": "node customDev.js", "build": "next build", "start": "next start -p 3333", "lint": "eslint '*/**/*.{js,jsx}'", diff --git a/frontend/public/commitHash.txt b/frontend/public/commitHash.txt index be7aaee1..45d46db7 100644 --- a/frontend/public/commitHash.txt +++ b/frontend/public/commitHash.txt @@ -1 +1 @@ -c751842c84e72b12543194e3c5e978424ccf5747 \ No newline at end of file +cd5bf26ea115809d061260d3b74b287ae7901578 \ No newline at end of file From 09087b828c3899f61427d0882b8db9f78cdd2229 Mon Sep 17 00:00:00 2001 From: learner97 Date: Fri, 31 May 2024 13:15:29 -0600 Subject: [PATCH 3/6] removed usage of gene ontology namespace for memory purposes --- frontend/namespace/gene-ontology.js | 185943 ------------------------- frontend/namespace/lookupRole.js | 24 +- 2 files changed, 12 insertions(+), 185955 deletions(-) delete mode 100644 frontend/namespace/gene-ontology.js diff --git a/frontend/namespace/gene-ontology.js b/frontend/namespace/gene-ontology.js deleted file mode 100644 index 15c94ded..00000000 --- a/frontend/namespace/gene-ontology.js +++ /dev/null @@ -1,185943 +0,0 @@ -module.exports = { - 'GO:0000001': { - 'name': 'mitochondrion inheritance', - 'def': 'The distribution of mitochondria, including the mitochondrial genome, into daughter cells after mitosis or meiosis, mediated by interactions between mitochondria and the cytoskeleton. [GOC:mcc, PMID:10873824, PMID:11389764]' - }, - 'GO:0000002': { - 'name': 'mitochondrial genome maintenance', - 'def': 'The maintenance of the structure and integrity of the mitochondrial genome; includes replication and segregation of the mitochondrial chromosome. [GOC:ai, GOC:vw]' - }, - 'GO:0000003': { - 'name': 'reproduction', - 'def': 'The production of new individuals that contain some portion of genetic material inherited from one or more parent organisms. [GOC:go_curators, GOC:isa_complete, GOC:jl, ISBN:0198506732]' - }, - 'GO:0000005': { - 'name': 'obsolete ribosomal chaperone activity', - 'def': 'OBSOLETE. Assists in the correct assembly of ribosomes or ribosomal subunits in vivo, but is not a component of the assembled ribosome when performing its normal biological function. [GOC:jl, PMID:12150913]' - }, - 'GO:0000006': { - 'name': 'high-affinity zinc uptake transmembrane transporter activity', - 'def': 'Enables the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Zn2+(out) = Zn2+(in), probably powered by proton motive force. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [TC:2.A.5.1.1]' - }, - 'GO:0000007': { - 'name': 'low-affinity zinc ion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Zn2+ = Zn2+, probably powered by proton motive force. In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0000008': { - 'name': 'obsolete thioredoxin', - 'def': 'OBSOLETE. A small disulfide-containing redox protein that serves as a general protein disulfide oxidoreductase. Interacts with a broad range of proteins by a redox mechanism, based on the reversible oxidation of 2 cysteine thiol groups to a disulfide, accompanied by the transfer of 2 electrons and 2 protons. The net result is the covalent interconversion of a disulfide and a dithiol. [GOC:kd]' - }, - 'GO:0000009': { - 'name': 'alpha-1,6-mannosyltransferase activity', - 'def': 'Catalysis of the transfer of a mannose residue to an oligosaccharide, forming an alpha-(1->6) linkage. [GOC:mcc, PMID:2644248]' - }, - 'GO:0000010': { - 'name': 'trans-hexaprenyltranstransferase activity', - 'def': 'Catalysis of the reaction: all-trans-hexaprenyl diphosphate + isopentenyl diphosphate = all-trans-heptaprenyl diphosphate + diphosphate. [KEGG:R05612, RHEA:20839]' - }, - 'GO:0000011': { - 'name': 'vacuole inheritance', - 'def': 'The distribution of vacuoles into daughter cells after mitosis or meiosis, mediated by interactions between vacuoles and the cytoskeleton. [GOC:mcc, PMID:10873824, PMID:14616069]' - }, - 'GO:0000012': { - 'name': 'single strand break repair', - 'def': 'The repair of single strand breaks in DNA. Repair of such breaks is mediated by the same enzyme systems as are used in base excision repair. [http://www.ultranet.com/~jkimball/BiologyPages/D/DNArepair.html]' - }, - 'GO:0000014': { - 'name': 'single-stranded DNA endodeoxyribonuclease activity', - 'def': 'Catalysis of the hydrolysis of ester linkages within a single-stranded deoxyribonucleic acid molecule by creating internal breaks. [GOC:mah]' - }, - 'GO:0000015': { - 'name': 'phosphopyruvate hydratase complex', - 'def': 'A multimeric enzyme complex, usually a dimer or an octamer, that catalyzes the conversion of 2-phospho-D-glycerate to phosphoenolpyruvate and water. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0000016': { - 'name': 'lactase activity', - 'def': 'Catalysis of the reaction: lactose + H2O = D-glucose + D-galactose. [EC:3.2.1.108]' - }, - 'GO:0000017': { - 'name': 'alpha-glucoside transport', - 'def': 'The directed movement of alpha-glucosides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Alpha-glucosides are glycosides in which the sugar group is a glucose residue, and the anomeric carbon of the bond is in an alpha configuration. [GOC:jl, http://www.biochem.purdue.edu/, ISBN:0198506732]' - }, - 'GO:0000018': { - 'name': 'regulation of DNA recombination', - 'def': 'Any process that modulates the frequency, rate or extent of DNA recombination, a DNA metabolic process in which a new genotype is formed by reassortment of genes resulting in gene combinations different from those that were present in the parents. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0000019': { - 'name': 'regulation of mitotic recombination', - 'def': 'Any process that modulates the frequency, rate or extent of DNA recombination during mitosis. [GOC:go_curators]' - }, - 'GO:0000020': { - 'name': 'obsolete negative regulation of recombination within rDNA repeats', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of genetic recombination within the DNA of the genes coding for ribosomal RNA. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0000022': { - 'name': 'mitotic spindle elongation', - 'def': 'The cell cycle process in which the distance is lengthened between poles of the mitotic spindle. Mitotic spindle elongation begins during mitotic prophase and ends during mitotic anaphase B. [GOC:mtg_cell_cycle, GOC:vw]' - }, - 'GO:0000023': { - 'name': 'maltose metabolic process', - 'def': 'The chemical reactions and pathways involving the disaccharide maltose (4-O-alpha-D-glucopyranosyl-D-glucopyranose), an intermediate in the catabolism of glycogen and starch. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0000024': { - 'name': 'maltose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the disaccharide maltose (4-O-alpha-D-glucopyranosyl-D-glucopyranose). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0000025': { - 'name': 'maltose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the disaccharide maltose (4-O-alpha-D-glucopyranosyl-D-glucopyranose). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0000026': { - 'name': 'alpha-1,2-mannosyltransferase activity', - 'def': 'Catalysis of the transfer of a mannose residue to an oligosaccharide, forming an alpha-(1->2) linkage. [GOC:mcc, PMID:10521541]' - }, - 'GO:0000027': { - 'name': 'ribosomal large subunit assembly', - 'def': 'The aggregation, arrangement and bonding together of constituent RNAs and proteins to form the large ribosomal subunit. [GOC:jl]' - }, - 'GO:0000028': { - 'name': 'ribosomal small subunit assembly', - 'def': 'The aggregation, arrangement and bonding together of constituent RNAs and proteins to form the small ribosomal subunit. [GOC:jl]' - }, - 'GO:0000030': { - 'name': 'mannosyltransferase activity', - 'def': 'Catalysis of the transfer of a mannosyl group to an acceptor molecule, typically another carbohydrate or a lipid. [GOC:ai, GOC:cjm]' - }, - 'GO:0000031': { - 'name': 'mannosylphosphate transferase activity', - 'def': 'Catalysis of the transfer of a mannosylphosphate group from one compound to another. [GOC:jl]' - }, - 'GO:0000032': { - 'name': 'cell wall mannoprotein biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cell wall mannoproteins, any cell wall protein that contains covalently bound mannose residues. [GOC:ai]' - }, - 'GO:0000033': { - 'name': 'alpha-1,3-mannosyltransferase activity', - 'def': 'Catalysis of the transfer of a mannose residue to an oligosaccharide, forming an alpha-(1->3) linkage. [GOC:mcc, PMID:10521541]' - }, - 'GO:0000034': { - 'name': 'adenine deaminase activity', - 'def': 'Catalysis of the reaction: adenine + H2O = hypoxanthine + NH3. [EC:3.5.4.2]' - }, - 'GO:0000035': { - 'name': 'acyl binding', - 'def': 'Interacting selectively and non-covalently with an acyl group, any group formally derived by removal of the hydroxyl group from the acid function of a carboxylic acid. [GOC:curators, ISBN:0198506732]' - }, - 'GO:0000036': { - 'name': 'ACP phosphopantetheine attachment site binding involved in fatty acid biosynthetic process', - 'def': 'Interacting selectively and non-covalently with the attachment site of the phosphopantetheine prosthetic group of an acyl carrier protein (ACP) as part of the process of fatty acid biosynthesis. [CHEBI:22221, GOC:jl, GOC:vw]' - }, - 'GO:0000038': { - 'name': 'very long-chain fatty acid metabolic process', - 'def': 'The chemical reactions and pathways involving a fatty acid which has a chain length greater than C22. [CHEBI:27283, GOC:hjd]' - }, - 'GO:0000039': { - 'name': 'obsolete plasma membrane long-chain fatty acid transporter', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0000040': { - 'name': 'low-affinity iron ion transmembrane transport', - 'def': 'A process in which an iron ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. In low-affinity transport the transporter is able to bind the solute only if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0000041': { - 'name': 'transition metal ion transport', - 'def': 'The directed movement of transition metal ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A transition metal is an element whose atom has an incomplete d-subshell of extranuclear electrons, or which gives rise to a cation or cations with an incomplete d-subshell. Transition metals often have more than one valency state. Biologically relevant transition metals include vanadium, manganese, iron, copper, cobalt, nickel, molybdenum and silver. [ISBN:0198506732]' - }, - 'GO:0000042': { - 'name': 'protein targeting to Golgi', - 'def': 'The process of directing proteins towards the Golgi; usually uses signals contained within the protein. [GOC:ai, GOC:mah]' - }, - 'GO:0000044': { - 'name': 'obsolete ascorbate stabilization', - 'def': 'OBSOLETE. The reduction of the ascorbate free radical to a stable form. [GOC:ai, GOC:mtg_electron_transport]' - }, - 'GO:0000045': { - 'name': 'autophagosome assembly', - 'def': 'The formation of a double membrane-bounded structure, the autophagosome, that occurs when a specialized membrane sac, called the isolation membrane, starts to enclose a portion of the cytoplasm. [GOC:autophagy, PMID:9412464]' - }, - 'GO:0000047': { - 'name': 'obsolete Rieske iron-sulfur protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0000048': { - 'name': 'peptidyltransferase activity', - 'def': 'Catalysis of the reaction: peptidyl-tRNA(1) + aminoacyl-tRNA(2) = tRNA(1) + peptidylaminoacyl-tRNA(2). [EC:2.3.2.12, PMID:11433365, PMID:9242921]' - }, - 'GO:0000049': { - 'name': 'tRNA binding', - 'def': 'Interacting selectively and non-covalently with transfer RNA. [GOC:ai]' - }, - 'GO:0000050': { - 'name': 'urea cycle', - 'def': 'The sequence of reactions by which arginine is synthesized from ornithine, then cleaved to yield urea and regenerate ornithine. The overall reaction equation is NH3 + CO2 + aspartate + 3 ATP + 2 H2O = urea + fumarate + 2 ADP + 2 phosphate + AMP + diphosphate. [GOC:pde, GOC:vw, ISBN:0198506732]' - }, - 'GO:0000051': { - 'name': 'obsolete urea cycle intermediate metabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways involving any of the intermediate compounds involved in the urea cycle, a cyclic metabolic pathway that converts waste nitrogen in the form of ammonium to urea. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0000052': { - 'name': 'citrulline metabolic process', - 'def': 'The chemical reactions and pathways involving citrulline, N5-carbamoyl-L-ornithine, an alpha amino acid not found in proteins. [ISBN:0198506732]' - }, - 'GO:0000053': { - 'name': 'argininosuccinate metabolic process', - 'def': 'The chemical reactions and pathways involving argininosuccinate, 2-(N(omega)-arginino)succinate, an intermediate in the ornithine-urea cycle, where it is synthesized from citrulline and aspartate. [ISBN:0198506732]' - }, - 'GO:0000054': { - 'name': 'ribosomal subunit export from nucleus', - 'def': 'The directed movement of a ribosomal subunit from the nucleus into the cytoplasm. [GOC:ai]' - }, - 'GO:0000055': { - 'name': 'ribosomal large subunit export from nucleus', - 'def': 'The directed movement of a ribosomal large subunit from the nucleus into the cytoplasm. [GOC:mah]' - }, - 'GO:0000056': { - 'name': 'ribosomal small subunit export from nucleus', - 'def': 'The directed movement of a ribosomal small subunit from the nucleus into the cytoplasm. [GOC:mah]' - }, - 'GO:0000059': { - 'name': 'obsolete protein import into nucleus, docking', - 'def': 'OBSOLETE. A protein complex assembly process that contributes to protein import into the nucleus, and that results in the association of a cargo protein, a carrier protein such as an importin alpha/beta heterodimer, and a nucleoporin located at the periphery of the nuclear pore complex. [GOC:isa_complete, GOC:mah, PMID:14570049, PMID:7878057, PMID:9126736]' - }, - 'GO:0000060': { - 'name': 'protein import into nucleus, translocation', - 'def': 'A protein transport process that contributes to protein import into the nucleus, and that results in the vectorial transfer of a cargo-carrier protein complex through the nuclear pore complex from the cytoplasmic side to the nucleoplasmic side of the nuclear envelope. [GOC:curators, ISBN:0198506732, PMID:14570049, PMID:9126736]' - }, - 'GO:0000061': { - 'name': 'protein import into nucleus, substrate release', - 'def': 'A protein complex disassembly process that contributes to protein import into the nucleus, and that results in the dissociation of the cargo protein and the carrier (such as an importin alpha/beta heterodimer) from each other and from the nuclear pore complex. [GOC:mah, PMID:14570049, PMID:9126736, PMID:9687515]' - }, - 'GO:0000062': { - 'name': 'fatty-acyl-CoA binding', - 'def': 'Interacting selectively and non-covalently with acyl-CoA, any derivative of coenzyme A in which the sulfhydryl group is in thiolester linkage with a fatty acyl group. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0000064': { - 'name': 'L-ornithine transmembrane transporter activity', - 'def': 'Enables the transfer of L-ornithine from one side of a membrane to the other. L-ornithine is 2,5-diaminopentanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0000066': { - 'name': 'mitochondrial ornithine transport', - 'def': 'The directed movement of ornithine, 2,5-diaminopentanoic acid, into, out of or within a mitochondrion. [GOC:ai]' - }, - 'GO:0000067': { - 'name': 'obsolete DNA replication and chromosome cycle', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0000070': { - 'name': 'mitotic sister chromatid segregation', - 'def': 'The cell cycle process in which replicated homologous chromosomes are organized and then physically separated and apportioned to two sets during the mitotic cell cycle. Each replicated chromosome, composed of two sister chromatids, aligns at the cell equator, paired with its homologous partner. One homolog of each morphologic type goes into each of the resulting chromosome sets. [GOC:ai, GOC:jl]' - }, - 'GO:0000072': { - 'name': 'obsolete M phase specific microtubule process', - 'def': 'OBSOLETE. A microtubule-based process that occurs only during M phase of the cell cycle. [GOC:mah]' - }, - 'GO:0000073': { - 'name': 'spindle pole body separation', - 'def': 'A largely uncharacterized process involving the release of duplicated spindle pole bodies (SPBs) and their migration away from each other within the nuclear membrane. Duplicated SPBs are connected by a bridge structure that may be severed in order to release the SPBs from one another. Following liberation, SPBs diffuse through the nuclear membrane until they are across from each other. SPB separation must take place in order for a bipolar mitotic spindle to assemble. [GOC:sgd_curators]' - }, - 'GO:0000075': { - 'name': 'cell cycle checkpoint', - 'def': 'A cell cycle process that controls cell cycle progression by monitoring the integrity of specific cell cycle events. A cell cycle checkpoint begins with detection of deficiencies or defects and ends with signal transduction. [GOC:mtg_cell_cycle]' - }, - 'GO:0000076': { - 'name': 'DNA replication checkpoint', - 'def': 'A cell cycle checkpoint that prevents the initiation of nuclear division until DNA replication is complete, thereby ensuring that progeny inherit a full complement of the genome. [GOC:curators, GOC:rn, PMID:11728327, PMID:12537518]' - }, - 'GO:0000077': { - 'name': 'DNA damage checkpoint', - 'def': 'A cell cycle checkpoint that regulates progression through the cell cycle in response to DNA damage. A DNA damage checkpoint may blocks cell cycle progression (in G1, G2 or metaphase) or slow the rate at which S phase proceeds. [GOC:mtg_cell_cycle]' - }, - 'GO:0000078': { - 'name': 'obsolete cytokinesis after mitosis checkpoint', - 'def': 'OBSOLETE. A mitotic cell cycle checkpoint that detects whether chromosome segregation is complete and negatively regulates cytokinesis following mitosis. [GOC:mtg_cell_cycle]' - }, - 'GO:0000079': { - 'name': 'regulation of cyclin-dependent protein serine/threonine kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of cyclin-dependent protein serine/threonine kinase activity. [GOC:go_curators, GOC:pr]' - }, - 'GO:0000080': { - 'name': 'mitotic G1 phase', - 'def': "The cell cycle 'gap' phase which is the interval between the completion of DNA segregation by mitosis and the beginning of DNA synthesis. [GOC:mtg_cell_cycle]" - }, - 'GO:0000082': { - 'name': 'G1/S transition of mitotic cell cycle', - 'def': 'The mitotic cell cycle transition by which a cell in G1 commits to S phase. The process begins with the build up of G1 cyclin-dependent kinase (G1 CDK), resulting in the activation of transcription of G1 cyclins. The process ends with the positive feedback of the G1 cyclins on the G1 CDK which commits the cell to S phase, in which DNA replication is initiated. [GOC:mtg_cell_cycle]' - }, - 'GO:0000083': { - 'name': 'regulation of transcription involved in G1/S transition of mitotic cell cycle', - 'def': 'Any process that regulates transcription such that the target genes are involved in the transition between G1 and S phase of the mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0000084': { - 'name': 'mitotic S phase', - 'def': 'The cell cycle phase, following G1, during which DNA synthesis takes place as part of a mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0000085': { - 'name': 'mitotic G2 phase', - 'def': "The cell cycle 'gap' phase which is the interval between the completion of DNA synthesis and the beginning of DNA segregation by mitosis. [GOC:mtg_cell_cycle]" - }, - 'GO:0000086': { - 'name': 'G2/M transition of mitotic cell cycle', - 'def': 'The mitotic cell cycle transition by which a cell in G2 commits to M phase. The process begins when the kinase activity of M cyclin/CDK complex reaches a threshold high enough for the cell cycle to proceed. This is accomplished by activating a positive feedback loop that results in the accumulation of unphosphorylated and active M cyclin/CDK complex. [GOC:mtg_cell_cycle]' - }, - 'GO:0000087': { - 'name': 'mitotic M phase', - 'def': 'A cell cycle phase during which nuclear division occurs, and which is comprises the phases: prophase, metaphase, anaphase and telophase and occurs as part of a mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0000088': { - 'name': 'mitotic prophase', - 'def': 'The cell cycle phase which is the first stage of M phase of mitosis and during which chromosomes condense and the two daughter centrioles and their asters migrate toward the poles of the cell. [GOC:mtg_cell_cycle]' - }, - 'GO:0000089': { - 'name': 'mitotic metaphase', - 'def': 'The cell cycle phase, following prophase, during which chromosomes become aligned on the equatorial plate of the cell as part of a mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0000090': { - 'name': 'mitotic anaphase', - 'def': 'The cell cycle phase during which chromosomes separate and migrate towards the poles of the spindle the as part of a mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0000091': { - 'name': 'mitotic anaphase A', - 'def': 'The cell cycle phase during which the kinetochore microtubules shorten as chromosomes move toward the spindle poles as part of mitosis. [GOC:mtg_cell_cycle]' - }, - 'GO:0000092': { - 'name': 'mitotic anaphase B', - 'def': 'The cell cycle phase during which the polar microtubules elongate and the two poles of the spindle move farther apart as part of mitosis. [GOC:mtg_cell_cycle]' - }, - 'GO:0000093': { - 'name': 'mitotic telophase', - 'def': 'The cell cycle phase which follows anaphase during M phase of mitosis and during which the chromosomes arrive at the poles of the cell and the division of the cytoplasm starts. [GOC:mtg_cell_cycle]' - }, - 'GO:0000094': { - 'name': 'obsolete septin assembly and septum formation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0000095': { - 'name': 'S-adenosyl-L-methionine transmembrane transporter activity', - 'def': "Enables the transfer of S-adenosylmethionine from one side of a membrane to the other. S-adenosylmethionine is S-(5'-adenosyl)-L-methionine, an important intermediate in one-carbon metabolism. [GOC:ai]" - }, - 'GO:0000096': { - 'name': 'sulfur amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving amino acids containing sulfur, comprising cysteine, homocysteine, methionine and selenocysteine. [GOC:ai]' - }, - 'GO:0000097': { - 'name': 'sulfur amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of amino acids containing sulfur, comprising cysteine, methionine and selenocysteine. [GOC:ai]' - }, - 'GO:0000098': { - 'name': 'sulfur amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of amino acids containing sulfur, comprising cysteine, methionine and selenocysteine. [GOC:ai]' - }, - 'GO:0000099': { - 'name': 'sulfur amino acid transmembrane transporter activity', - 'def': 'Enables the transfer of sulfur amino acids from one side of a membrane to the other. Sulphur amino acids contain sulfur in the form of cystine, methionine or their derivatives. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0000100': { - 'name': 'S-methylmethionine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of S-methylmethionine from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0000101': { - 'name': 'sulfur amino acid transport', - 'def': 'The directed movement of amino acids containing sulfur (cystine, methionine and their derivatives) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0000102': { - 'name': 'L-methionine secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of L-methionine from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0000103': { - 'name': 'sulfate assimilation', - 'def': 'The pathways by which inorganic sulfate is processed and incorporated into sulfated compounds. [GOC:jl]' - }, - 'GO:0000104': { - 'name': 'succinate dehydrogenase activity', - 'def': 'Catalysis of the reaction: succinate + acceptor = fumarate + reduced acceptor. [EC:1.3.99.1, GOC:kd]' - }, - 'GO:0000105': { - 'name': 'histidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of histidine, 2-amino-3-(1H-imidazol-4-yl)propanoic acid. [GOC:go_curators]' - }, - 'GO:0000107': { - 'name': 'imidazoleglycerol-phosphate synthase activity', - 'def': 'Catalysis of the reaction: phosphoribulosylformimino-AICAR-P + L-glutamine = D-erythro-imidazole-glycerol-phosphate + aminoimidazole carboxamide ribonucleotide + L-glutamate + 2 H(+). [MetaCyc:GLUTAMIDOTRANS-RXN]' - }, - 'GO:0000108': { - 'name': 'obsolete repairosome', - 'def': 'OBSOLETE. A stable complex of proteins that carry out the DNA damage recognition and incision reactions characteristic of nucleotide excision repair (NER), such as DNA damage recognition, DNA helix unwinding, and endonucleolytic cleavage at sites flanking damaged DNA; includes TFIIH subunits and additional polypeptides; may form in the absence of DNA damage. [PMID:10681587, PMID:9852079]' - }, - 'GO:0000109': { - 'name': 'nucleotide-excision repair complex', - 'def': 'Any complex formed of proteins that act in nucleotide-excision repair. [PMID:10915862]' - }, - 'GO:0000110': { - 'name': 'nucleotide-excision repair factor 1 complex', - 'def': 'One of several protein complexes involved in nucleotide-excision repair; possesses DNA damage recognition and endodeoxynuclease activities. In S. cerevisiae, it is composed of Rad1p, Rad10p, and Rad14p; in human the subunits are ERCC4/XPF, ERCC1 and XPA, respectively. [PMID:10915862]' - }, - 'GO:0000111': { - 'name': 'nucleotide-excision repair factor 2 complex', - 'def': 'One of several protein complexes involved in nucleotide-excision repair; possesses damaged DNA binding activity. In S. cerevisiae, it is composed of Rad4p and Rad23p. [PMID:10915862]' - }, - 'GO:0000112': { - 'name': 'nucleotide-excision repair factor 3 complex', - 'def': 'One of several protein complexes involved in nucleotide-excision repair; possesses endodeoxynuclease and DNA helicase activities. In S. cerevisiae, it is composed of Rad2p and the core TFIIH-Ssl2p complex (core TFIIH is composed of Rad3p, Tfb1p, Tfb2p, Ssl1p, Tfb4p and Tfb5p. Note that Ssl2p is also called Rad25p). [GOC:ew, PMID:10915862, PMID:14500720, PMID:7813015]' - }, - 'GO:0000113': { - 'name': 'nucleotide-excision repair factor 4 complex', - 'def': 'One of several protein complexes involved in nucleotide-excision repair; possesses DNA damage recognition and DNA-dependent ATPase activities. In S. cerevisiae, it is composed of Rad7p and Rad16p. [PMID:10915862]' - }, - 'GO:0000114': { - 'name': 'obsolete regulation of transcription involved in G1 phase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that regulates transcription such that the target genes are transcribed as part of the G1 phase of the mitotic cell cycle. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0000115': { - 'name': 'obsolete regulation of transcription involved in S phase of mitotic cell cycle', - 'def': 'OBSOLETE. A cell cycle process that regulates transcription such that the target genes are transcribed as part of the S phase of the mitotic cell cycle. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0000116': { - 'name': 'obsolete regulation of transcription involved in G2-phase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that regulates transcription such that the target genes are transcribed as part of the G2 phase of the mitotic cell cycle. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0000117': { - 'name': 'regulation of transcription involved in G2/M transition of mitotic cell cycle', - 'def': 'Any process that regulates transcription such that the target genes are transcribed as part of the G2/M transition of the mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0000118': { - 'name': 'histone deacetylase complex', - 'def': 'A protein complex that possesses histone deacetylase activity. [GOC:mah]' - }, - 'GO:0000120': { - 'name': 'RNA polymerase I transcription factor complex', - 'def': 'A transcription factor complex that acts at promoters of genes transcribed by RNA polymerase I. [GOC:mah]' - }, - 'GO:0000121': { - 'name': 'glycerol-1-phosphatase activity', - 'def': 'Catalysis of the reaction: glycerol-1-phosphate + H2O = glycerol + phosphate. [EC:3.1.3.21]' - }, - 'GO:0000122': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0000123': { - 'name': 'histone acetyltransferase complex', - 'def': 'A protein complex that possesses histone acetyltransferase activity. [GOC:mah]' - }, - 'GO:0000124': { - 'name': 'SAGA complex', - 'def': 'A SAGA-type histone acetyltransferase complex that contains Spt8 (in budding yeast) or a homolog thereof; additional polypeptides include Spt group, consisting of Spt7, Spt3, and Spt20/Ada5, which interact with the TATA-binding protein (TBP); the Ada group, consisting of Ada1, Ada2, Ada3, Ada4/Gcn5, and Ada5/Spt20, which is functionally linked to the nucleosomal HAT activity; Tra1, an ATM/PI-3 kinase-related protein that targets DNA-bound activators for recruitment to promoters; the TBP-associated factor (TAF) proteins, consisting of Taf5, Taf6, Taf9, Taf10, and Taf12, which mediate nucleosomal HAT activity and are thought to help recruit the basal transcription machinery; the ubiquitin specifc protease Ubp-8. [PMID:10637607, PMID:17337012] {comment=PMID:19056896, comment=PMID:20838651}' - }, - 'GO:0000125': { - 'name': 'PCAF complex', - 'def': 'A large multiprotein complex that possesses histone acetyltransferase activity and is involved in regulation of transcription. The composition is similar to that of the SAGA complex, but includes fewer Spt and Ada proteins, and more TAFs. [PMID:10637607]' - }, - 'GO:0000126': { - 'name': 'transcription factor TFIIIB complex', - 'def': "A transcription factor complex that is involved in regulating transcription from RNA polymerase III (Pol III) promoters. TFIIIB contains the TATA-binding protein (TBP) and two Pol III-specific proteins, B'' and BRF. [GOC:mah, PMID:11433012]" - }, - 'GO:0000127': { - 'name': 'transcription factor TFIIIC complex', - 'def': 'A heterotrimeric transcription factor complex that is involved in regulating transcription from RNA polymerase III (Pol III) promoters. TFIIIC contains three conserved subunits that associate with the proximal Pol III promoter element, and additional subunits that associate with sequence elements downstream of the promoter and are more diverged among species. It also functions as a boundary element to partition genome content into distinct domains outside Pol III promoter regions. [GOC:mah, GOC:vw, PMID:11433012, PMID:16751097]' - }, - 'GO:0000128': { - 'name': 'flocculation', - 'def': 'The reversible, non-sexual aggregation of single-celled organisms in suspension to form aggregates of many cells known as flocs. [GOC:jl, GOC:vw, PMID:21114594, PMID:8740415]' - }, - 'GO:0000131': { - 'name': 'incipient cellular bud site', - 'def': 'The portion of the budding yeast plasma membrane where a daughter cell will emerge. The yeast marks this spot with bud-site selection proteins before bud emergence occurs. Actin is polarized to this spot just prior to and during bud emergence. [GOC:clt]' - }, - 'GO:0000132': { - 'name': 'establishment of mitotic spindle orientation', - 'def': 'A cell cycle process that sets the alignment of mitotic spindle relative to other cellular structures. [GOC:ems]' - }, - 'GO:0000133': { - 'name': 'polarisome', - 'def': 'Protein complex that plays a role in determining cell polarity by directing the localized assembly of actin filaments at polarization sites; in Saccharomyces the polarisome includes Bni1p, Spa2p, Pea2p, and Bud6p. [PMID:14734532, PMID:14998522, PMID:9632790]' - }, - 'GO:0000136': { - 'name': 'alpha-1,6-mannosyltransferase complex', - 'def': 'A large, multiprotein complex with alpha-(1->6)-mannosyltransferase activity, located in the cis Golgi membrane; adds mannan to N-linked glycans on proteins. [GOC:mcc, PMID:10037752, PMID:11095735, PMID:18083825]' - }, - 'GO:0000137': { - 'name': 'Golgi cis cisterna', - 'def': 'The Golgi cisterna closest to the endoplasmic reticulum; the first processing compartment through which proteins pass after export from the ER. [ISBN:0815316194]' - }, - 'GO:0000138': { - 'name': 'Golgi trans cisterna', - 'def': 'The Golgi cisterna farthest from the endoplasmic reticulum; the final processing compartment through which proteins pass before exiting the Golgi apparatus; the compartment in which N-linked protein glycosylation is completed. [ISBN:0815316194]' - }, - 'GO:0000139': { - 'name': 'Golgi membrane', - 'def': 'The lipid bilayer surrounding any of the compartments of the Golgi apparatus. [GOC:mah]' - }, - 'GO:0000140': { - 'name': 'acylglycerone-phosphate reductase activity', - 'def': 'Catalysis of the reaction: 1-palmitoylglycerol-3-phosphate + NADP+ = palmitoylglycerone phosphate + NADPH + H(+). [EC:1.1.1.101]' - }, - 'GO:0000142': { - 'name': 'cellular bud neck contractile ring', - 'def': 'A contractile ring, i.e. a cytoskeletal structure composed of actin filaments and myosin, that forms beneath the plasma membrane at the mother-bud neck in mitotic cells that divide by budding in preparation for completing cytokinesis. An example of this structure is found in Saccharomyces cerevisiae. [GOC:krc, PMID:16009555]' - }, - 'GO:0000144': { - 'name': 'cellular bud neck septin ring', - 'def': 'A ring-shaped structure that forms at the site of cytokinesis in the bud neck of a budding cell; composed of members of the conserved family of filament forming proteins called septins as well as septin-associated proteins. In S. cerevisiae, this structure forms at the time of bud emergence and the septins show a high rate of exchange. [GOC:krc, PMID:16009555]' - }, - 'GO:0000145': { - 'name': 'exocyst', - 'def': 'A protein complex peripherally associated with the plasma membrane that determines where vesicles dock and fuse. At least eight complex components are conserved between yeast and mammals. [GOC:cilia, PMID:15292201, PMID:27243008, PMID:9700152]' - }, - 'GO:0000146': { - 'name': 'microfilament motor activity', - 'def': 'Catalysis of movement along a microfilament, coupled to the hydrolysis of a nucleoside triphosphate (usually ATP). [GOC:mah, ISBN:0815316194]' - }, - 'GO:0000147': { - 'name': 'actin cortical patch assembly', - 'def': 'Assembly of an actin cortical patch, a discrete actin-containing structure found at the plasma membrane of fungal cells. [GOC:mah]' - }, - 'GO:0000148': { - 'name': '1,3-beta-D-glucan synthase complex', - 'def': 'A protein complex that catalyzes the transfer of a glucose group from UDP-glucose to a (1->3)-beta-D-glucan chain. [EC:2.4.1.34]' - }, - 'GO:0000149': { - 'name': 'SNARE binding', - 'def': 'Interacting selectively and non-covalently with a SNARE (soluble N-ethylmaleimide-sensitive factor attached protein receptor) protein. [PMID:12642621]' - }, - 'GO:0000150': { - 'name': 'recombinase activity', - 'def': 'Catalysis of the identification and base-pairing of homologous sequences between single-stranded DNA and double-stranded DNA. [GOC:elh]' - }, - 'GO:0000151': { - 'name': 'ubiquitin ligase complex', - 'def': 'A protein complex that includes a ubiquitin-protein ligase and enables ubiquitin protein ligase activity. The complex also contains other proteins that may confer substrate specificity on the complex. [GOC:jh2, PMID:9529603]' - }, - 'GO:0000152': { - 'name': 'nuclear ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex found in the nucleus. [GOC:mah]' - }, - 'GO:0000153': { - 'name': 'cytoplasmic ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex found in the cytoplasm. [GOC:mah]' - }, - 'GO:0000154': { - 'name': 'rRNA modification', - 'def': 'The covalent alteration of one or more nucleotides within an rRNA molecule to produce an rRNA molecule with a sequence that differs from that coded genetically. [GOC:curators]' - }, - 'GO:0000155': { - 'name': 'phosphorelay sensor kinase activity', - 'def': 'Catalysis of the phosphorylation of a histidine residue in response to detection of an extracellular signal such as a chemical ligand or change in environment, to initiate a change in cell state or activity. The two-component sensor is a histidine kinase that autophosphorylates a histidine residue in its active site. The phosphate is then transferred to an aspartate residue in a downstream response regulator, to trigger a response. [GOC:bf, GOC:mcc, PMID:10966457, PMID:20223701, PMID:9191038]' - }, - 'GO:0000156': { - 'name': 'phosphorelay response regulator activity', - 'def': 'Responds to a phosphorelay sensor to initiate a change in cell state or activity. The activity of the response regulator is regulated by transfer of a phosphate from a histidine residue in the sensor, to an aspartate residue in the response regulator. Many but not all response regulators act as transcriptional regulators to elicit a response. [GOC:bf, PMID:10966457, PMID:11842140]' - }, - 'GO:0000159': { - 'name': 'protein phosphatase type 2A complex', - 'def': 'A protein complex that has protein serine/threonine phosphatase activity that is polycation-stimulated (PCS), being directly stimulated by protamine, polylysine, or histone H1; it constitutes a subclass of several enzymes activated by different histones and polylysine, and consists of catalytic, scaffolding, and regulatory subunits. The catalytic and scaffolding subunits form the core enzyme, and the holoenzyme also includes the regulatory subunit. [GOC:mah, ISBN:0198547684, PMID:17245430]' - }, - 'GO:0000160': { - 'name': 'phosphorelay signal transduction system', - 'def': 'A conserved series of molecular signals found in prokaryotes and eukaryotes; involves autophosphorylation of a histidine kinase and the transfer of the phosphate group to an aspartate that then acts as a phospho-donor to response regulator proteins. [PMID:9191038]' - }, - 'GO:0000161': { - 'name': 'MAPK cascade involved in osmosensory signaling pathway', - 'def': 'A MAPK cascade involved in signal transduction in response to change in osmotic conditions. [PMID:9561267]' - }, - 'GO:0000162': { - 'name': 'tryptophan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tryptophan, the chiral amino acid 2-amino-3-(1H-indol-3-yl)propanoic acid; tryptophan is synthesized from chorismate via anthranilate. [GOC:mah, ISBN:0471331309, MetaCyc:TRPSYN-PWY]' - }, - 'GO:0000164': { - 'name': 'protein phosphatase type 1 complex', - 'def': "A protein complex that possesses magnesium-dependent protein serine/threonine phosphatase (AMD phosphatase) activity, and consists of a catalytic subunit and one or more regulatory subunits that dictates the phosphatase's substrate specificity, function, and activity. [GOC:mah, GOC:ssd]" - }, - 'GO:0000165': { - 'name': 'MAPK cascade', - 'def': 'An intracellular protein kinase cascade containing at least a MAPK, a MAPKK and a MAP3K. The cascade can also contain two additional tiers: the upstream MAP4K and the downstream MAP Kinase-activated kinase (MAPKAPK). The kinases in each tier phosphorylate and activate the kinases in the downstream tier to transmit a signal within a cell. [GOC:bf, GOC:mtg_signaling_feb11, PMID:20811974, PMID:9561267]' - }, - 'GO:0000166': { - 'name': 'nucleotide binding', - 'def': 'Interacting selectively and non-covalently with a nucleotide, any compound consisting of a nucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the ribose or deoxyribose. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0000167': { - 'name': 'activation of MAPKKK activity involved in osmosensory signaling pathway', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase kinase kinase during osmolarity sensing. [PMID:9561267]' - }, - 'GO:0000168': { - 'name': 'activation of MAPKK activity involved in osmosensory signaling pathway', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase kinase during osmolarity sensing. [PMID:9561267]' - }, - 'GO:0000169': { - 'name': 'activation of MAPK activity involved in osmosensory signaling pathway', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase activity during osmolarity sensing. [PMID:9561267]' - }, - 'GO:0000170': { - 'name': 'sphingosine hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of sphingolipid long chain bases. [PMID:9556590]' - }, - 'GO:0000171': { - 'name': 'ribonuclease MRP activity', - 'def': 'Catalysis of the site-specific cleavage of RNA by a catalytic RNA-mediated mechanism; substrates include the A3 site in the ITS1 of pre-rRNA. [PMID:17881380]' - }, - 'GO:0000172': { - 'name': 'ribonuclease MRP complex', - 'def': 'A ribonucleoprotein complex that contains an RNA molecule of the snoRNA family, and cleaves the rRNA precursor as part of rRNA transcript processing. It also has other roles: In S. cerevisiae it is involved in cell cycle-regulated degradation of daughter cell-specific mRNAs, while in mammalian cells it also enters the mitochondria and processes RNAs to create RNA primers for DNA replication. [GOC:sgd_curators, PMID:10690410, PMID:14729943, PMID:7510714]' - }, - 'GO:0000173': { - 'name': 'inactivation of MAPK activity involved in osmosensory signaling pathway', - 'def': 'Any process that terminates the activity of the active enzyme MAP kinase during osmolarity sensing. [PMID:9561267]' - }, - 'GO:0000174': { - 'name': 'obsolete inactivation of MAPK (mating sensu Saccharomyces)', - 'def': 'OBSOLETE. Downregulation of MAP kinase activity in the context of transduction of mating pheromone signal, as described for Saccharomyces. [PMID:9561267]' - }, - 'GO:0000175': { - 'name': "3'-5'-exoribonuclease activity", - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 3' terminus of an RNA molecule. [GOC:mah, ISBN:0198547684]" - }, - 'GO:0000176': { - 'name': 'nuclear exosome (RNase complex)', - 'def': 'A ribonuclease complex that has 3-prime to 5-prime processive and distributive hydrolytic exoribonuclease activity and endoribonuclease activity, producing 5-prime-phosphomonoesters. Participates in a multitude of cellular RNA processing and degradation events preventing nuclear export and/or translation of aberrant RNAs. Restricted to processing linear and circular single-stranded RNAs (ssRNA) only. RNAs with complex secondary structures may have to be unwound or pre-processed by co-factors prior to entering the complex, esp if the 3-prime end is structured. [PMID:17174896, PMID:20531386, PMID:26726035]' - }, - 'GO:0000177': { - 'name': 'cytoplasmic exosome (RNase complex)', - 'def': 'A ribonuclease complex that has 3-prime to 5-prime processive hydrolytic exoribonuclease activity producing 5-prime-phosphomonoesters. Participates in a multitude of cellular RNA processing and degradation events preventing nuclear export and/or translation of aberrant RNAs. Restricted to processing linear and circular single-stranded RNAs (ssRNA) only. RNAs with complex secondary structures may have to be unwound or pre-processed by co-factors prior to entering the complex, esp if the 3-prime end is structured. [PMID:17174896, PMID:20531386, PMID:26726035]' - }, - 'GO:0000178': { - 'name': 'exosome (RNase complex)', - 'def': 'A ribonuclease complex that has 3-prime to 5-prime exoribonuclease activity and possibly endoribonuclease activity, producing 5-prime-phosphomonoesters. Participates in a multitude of cellular RNA processing and degradation events preventing nuclear export and/or translation of aberrant RNAs. Restricted to processing linear and circular single-stranded RNAs (ssRNA) only. RNAs with complex secondary structures may have to be unwound or pre-processed by co-factors prior to entering the complex, esp if the 3-prime end is structured. [PMID:17174896, PMID:20531386, PMID:26726035]' - }, - 'GO:0000179': { - 'name': 'rRNA (adenine-N6,N6-)-dimethyltransferase activity', - 'def': "Catalysis of the dimethylation two adjacent A residues in the loop closing the 3'-terminal stem of the 18S rRNA, using S-adenosyl-L-methionine as a methyl donor. [ISBN:1555811337, PMID:10690410]" - }, - 'GO:0000180': { - 'name': 'obsolete cytosolic large ribosomal subunit', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0000181': { - 'name': 'obsolete cytosolic small ribosomal subunit', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0000182': { - 'name': 'rDNA binding', - 'def': 'Interacting selectively and non-covalently with DNA sequences encoding ribosomal RNA. [GOC:mah]' - }, - 'GO:0000183': { - 'name': 'chromatin silencing at rDNA', - 'def': 'Repression of transcription of ribosomal DNA by altering the structure of chromatin. [PMID:10219245]' - }, - 'GO:0000184': { - 'name': 'nuclear-transcribed mRNA catabolic process, nonsense-mediated decay', - 'def': 'The nonsense-mediated decay pathway for nuclear-transcribed mRNAs degrades mRNAs in which an amino-acid codon has changed to a nonsense codon; this prevents the translation of such mRNAs into truncated, and potentially harmful, proteins. [GOC:krc, GOC:ma, PMID:10025395]' - }, - 'GO:0000185': { - 'name': 'activation of MAPKKK activity', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase kinase kinase (MAPKKK). [PMID:9561267]' - }, - 'GO:0000186': { - 'name': 'activation of MAPKK activity', - 'def': 'The initiation of the activity of the inactive enzyme MAP kinase kinase (MAPKK). [PMID:9561267]' - }, - 'GO:0000187': { - 'name': 'activation of MAPK activity', - 'def': 'The initiation of the activity of the inactive enzyme MAP kinase (MAPK). [PMID:9561267]' - }, - 'GO:0000188': { - 'name': 'inactivation of MAPK activity', - 'def': 'Any process that terminates the activity of the active enzyme MAP kinase. [PMID:9561267]' - }, - 'GO:0000189': { - 'name': 'MAPK import into nucleus', - 'def': 'The directed movement of a MAP kinase to the nucleus upon activation. [PMID:9561267]' - }, - 'GO:0000190': { - 'name': 'obsolete MAPKKK cascade (pseudohyphal growth)', - 'def': 'OBSOLETE. MAPKKK cascade involved in transduction of signal promoting pseudohyphal or invasive growth. [PMID:9561267]' - }, - 'GO:0000191': { - 'name': 'obsolete activation of MAPKKK (pseudohyphal growth)', - 'def': 'OBSOLETE. Upregulation of MAPKKK activity in the context of regulating pseudohyphal or invasive growth. [PMID:9561267]' - }, - 'GO:0000192': { - 'name': 'obsolete activation of MAPKK (pseudohyphal growth)', - 'def': 'OBSOLETE. Upregulation of a MAP kinase kinase in the context of regulating pseudohyphal or invasive growth. [PMID:9561267]' - }, - 'GO:0000193': { - 'name': 'obsolete activation of MAPK (pseudohyphal growth)', - 'def': 'OBSOLETE. Upregulation of MAP kinase activity in the context of regulating pseudohyphal or invasive growth. [PMID:9561267]' - }, - 'GO:0000194': { - 'name': 'obsolete inactivation of MAPK (pseudohyphal growth)', - 'def': 'OBSOLETE. Downregulation of MAP kinase activity in the context of regulating pseudohyphal or invasive growth. [PMID:9561267]' - }, - 'GO:0000195': { - 'name': 'obsolete nuclear translocation of MAPK (pseudohyphal growth)', - 'def': 'OBSOLETE. Movement of a MAP kinase to the nucleus in the context of regulating pseudohyphal or invasive growth. [PMID:9561267]' - }, - 'GO:0000196': { - 'name': 'MAPK cascade involved in cell wall organization or biogenesis', - 'def': 'A MAPK cascade that contributes to cell wall organization or biogenesis. [PMID:9561267]' - }, - 'GO:0000197': { - 'name': 'activation of MAPKKK activity involved in cell wall organization or biogenesis', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase kinase kinase in the context of cell wall organization or biogenesis. [PMID:9561267]' - }, - 'GO:0000198': { - 'name': 'activation of MAPKK activity involved in cell wall organization or biogenesis', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase kinase in the context of cell wall organization or biogenesis. [PMID:9561267]' - }, - 'GO:0000199': { - 'name': 'activation of MAPK activity involved in cell wall organization or biogenesis', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase in the context of cell wall biogenesis, the assembly and arrangement of the cell wall, the rigid or semi-rigid envelope lying outside the cell membrane of plant, fungal and most prokaryotic cells. [PMID:9561267]' - }, - 'GO:0000200': { - 'name': 'inactivation of MAPK activity involved in cell wall organization or biogenesis', - 'def': 'Any process that terminates the activity of the active enzyme MAP kinase in the context of cell wall organization or biogenesis. [PMID:9561267]' - }, - 'GO:0000201': { - 'name': 'MAPK import into nucleus involved in cell wall organization or biogenesis', - 'def': 'The directed movement of a MAP kinase to the nucleus that occurs in the context of cell wall organization or biogenesis. [PMID:9561267]' - }, - 'GO:0000202': { - 'name': 'obsolete MAPKKK cascade during sporulation (sensu Saccharomyces)', - 'def': 'OBSOLETE. MAPKKK cascade involved in transduction of signal promoting sporulation. As in, but not restricted to, the taxon Saccharomyces (Saccharomyces, ncbi_taxonomy_id:4930). [PMID:9561267]' - }, - 'GO:0000203': { - 'name': 'obsolete activation of MAPKKK during sporulation (sensu Saccharomyces)', - 'def': 'OBSOLETE. Upregulation of MAPKKK activity in the context of sporulation. As in, but not restricted to, the taxon Saccharomyces (Saccharomyces, ncbi_taxonomy_id:4930). [PMID:9561267]' - }, - 'GO:0000204': { - 'name': 'obsolete activation of MAPKK during sporulation (sensu Saccharomyces)', - 'def': 'OBSOLETE. Upregulation of a MAP kinase kinase in the context of sporulation. As in, but not restricted to, the taxon Saccharomyces (Saccharomyces, ncbi_taxonomy_id:4930). [PMID:9561267]' - }, - 'GO:0000205': { - 'name': 'obsolete activation of MAPK during sporulation (sensu Saccharomyces)', - 'def': 'OBSOLETE. Upregulation of MAP kinase activity in the context of sporulation. As in, but not restricted to, the taxon Saccharomyces (Saccharomyces, ncbi_taxonomy_id:4930). [PMID:9561267]' - }, - 'GO:0000206': { - 'name': 'obsolete inactivation of MAPK during sporulation (sensu Saccharomyces)', - 'def': 'OBSOLETE. Downregulation of MAP kinase activity in the context of sporulation. As in, but not restricted to, the taxon Saccharomyces (Saccharomyces, ncbi_taxonomy_id:4930). [PMID:9561267]' - }, - 'GO:0000207': { - 'name': 'obsolete nuclear translocation of MAPK during sporulation (sensu Saccharomyces)', - 'def': 'OBSOLETE. Movement of a MAP kinase to the nucleus in the context of sporulation. As in, but not restricted to, the taxon Saccharomyces (Saccharomyces, ncbi_taxonomy_id:4930). [PMID:9561267]' - }, - 'GO:0000208': { - 'name': 'MAPK import into nucleus involved in osmosensory signaling pathway', - 'def': 'The directed movement of a MAP kinase to the nucleus during osmolarity sensing. [PMID:9561267]' - }, - 'GO:0000209': { - 'name': 'protein polyubiquitination', - 'def': 'Addition of multiple ubiquitin groups to a protein, forming a ubiquitin chain. [ISBN:0815316194]' - }, - 'GO:0000210': { - 'name': 'NAD+ diphosphatase activity', - 'def': 'Catalysis of the reaction: NAD+ + H2O = AMP + NMN. [EC:3.6.1.22]' - }, - 'GO:0000211': { - 'name': 'obsolete protein degradation tagging activity', - 'def': 'OBSOLETE. Covalent addition of polyubiquitin to another protein, targeting the tagged protein for destruction. [GOC:cl, ISBN:0815316194]' - }, - 'GO:0000212': { - 'name': 'meiotic spindle organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the microtubule spindle during a meiotic cell cycle. [GOC:go_curators, GOC:mah]' - }, - 'GO:0000213': { - 'name': 'tRNA-intron endonuclease activity', - 'def': "Catalysis of the endonucleolytic cleavage of pre-tRNA, producing 5'-hydroxyl and 2',3'-cyclic phosphate termini, and specifically removing the intron. [EC:3.1.27.9]" - }, - 'GO:0000214': { - 'name': 'tRNA-intron endonuclease complex', - 'def': "A protein complex that catalyzes the endonucleolytic cleavage of pre-tRNA, producing 5'-hydroxyl and 2',3'-cyclic phosphate termini, and specifically removing the intron. [EC:3.1.27.9]" - }, - 'GO:0000215': { - 'name': "tRNA 2'-phosphotransferase activity", - 'def': "Catalysis of the reaction: 2'-phospho-[ligated tRNA] + NAD+ = mature tRNA + ADP ribose 1'',2''-phosphate + nicotinamide + H2O. This reaction is the transfer of the splice junction 2-phosphate from ligated tRNA to NAD+ to produce ADP-ribose 1'-2' cyclic phosphate. [EC:2.7.1.160, PMID:9148937]" - }, - 'GO:0000216': { - 'name': 'obsolete M/G1 transition of mitotic cell cycle', - 'def': 'OBSOLETE. Progression from M phase to G1 phase of the mitotic cell cycle. [GOC:mah, GOC:mtg_cell_cycle]' - }, - 'GO:0000217': { - 'name': 'DNA secondary structure binding', - 'def': 'Interacting selectively and non-covalently with DNA containing secondary structure elements such as four-way junctions, bubbles, loops, Y-form DNA, or double-strand/single-strand junctions. [GOC:krc]' - }, - 'GO:0000219': { - 'name': 'obsolete vacuolar hydrogen-transporting ATPase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0000220': { - 'name': 'vacuolar proton-transporting V-type ATPase, V0 domain', - 'def': 'The V0 domain of a proton-transporting V-type ATPase found in the vacuolar membrane. [GOC:mah, PMID:16449553]' - }, - 'GO:0000221': { - 'name': 'vacuolar proton-transporting V-type ATPase, V1 domain', - 'def': 'The V1 domain of a proton-transporting V-type ATPase found in the vacuolar membrane. [GOC:mah, PMID:16449553]' - }, - 'GO:0000222': { - 'name': 'plasma membrane proton-transporting V-type ATPase, V0 domain', - 'def': 'The V0 domain of a proton-transporting V-type ATPase found in the plasma membrane. [GOC:mah]' - }, - 'GO:0000223': { - 'name': 'plasma membrane proton-transporting V-type ATPase, V1 domain', - 'def': 'The V1 domain of a proton-transporting V-type ATPase found in the plasma membrane. [GOC:mah]' - }, - 'GO:0000224': { - 'name': 'peptide-N4-(N-acetyl-beta-glucosaminyl)asparagine amidase activity', - 'def': 'Catalysis of the reaction: 4-N-(N-acetyl-D-glucosaminyl)-protein + H2O = N-acetyl-beta-D-glucosaminylamine + peptide L-aspartate. This reaction is the hydrolysis of an N4-(acetyl-beta-D-glucosaminyl)asparagine residue in which the N-acetyl-D-glucosamine residue may be further glycosylated, to yield a (substituted) N-acetyl-beta-D-glucosaminylamine and the peptide containing an aspartic residue. [EC:3.5.1.52]' - }, - 'GO:0000225': { - 'name': 'N-acetylglucosaminylphosphatidylinositol deacetylase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-glucosaminylphosphatidylinositol + H2O = D-glucosaminylphosphatidylinositol + acetate. This reaction is the second step of the biosynthesis of glycosylphosphatidylinositol (GPI), used to anchor various eukaryotic proteins to the cell-surface membrane. [EC:3.5.1.89]' - }, - 'GO:0000226': { - 'name': 'microtubule cytoskeleton organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising microtubules and their associated proteins. [GOC:mah]' - }, - 'GO:0000227': { - 'name': 'oxaloacetate secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of oxaloacetate from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0000228': { - 'name': 'nuclear chromosome', - 'def': 'A chromosome that encodes the nuclear genome and is found in the nucleus of a eukaryotic cell during the cell cycle phases when the nucleus is intact. [GOC:dph, GOC:mah]' - }, - 'GO:0000229': { - 'name': 'cytoplasmic chromosome', - 'def': 'A chromosome found in the cytoplasm. [GOC:mah]' - }, - 'GO:0000230': { - 'name': 'obsolete nuclear mitotic chromosome', - 'def': 'OBSOLETE. A chromosome found in the nucleus during mitosis. [GOC:mah]' - }, - 'GO:0000231': { - 'name': 'obsolete cytoplasmic mitotic chromosome', - 'def': 'OBSOLETE. A chromosome found in the cytoplasm during mitosis. [GOC:mah]' - }, - 'GO:0000232': { - 'name': 'obsolete nuclear interphase chromosome', - 'def': 'OBSOLETE. A chromosome found in the nucleus during interphase. [GOC:mah]' - }, - 'GO:0000233': { - 'name': 'obsolete cytoplasmic interphase chromosome', - 'def': 'OBSOLETE. A chromosome found in the cytoplasm during interphase. [GOC:mah]' - }, - 'GO:0000234': { - 'name': 'phosphoethanolamine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + ethanolamine phosphate = S-adenosyl-L-homocysteine + N-methylethanolamine phosphate. [EC:2.1.1.103]' - }, - 'GO:0000235': { - 'name': 'astral microtubule', - 'def': 'Any of the spindle microtubules that radiate in all directions from the spindle poles and are thought to contribute to the forces that separate the poles and position them in relation to the rest of the cell. [ISBN:0815316194]' - }, - 'GO:0000236': { - 'name': 'mitotic prometaphase', - 'def': 'The cell cycle phase in higher eukaryotes which follows mitotic prophase and during which the nuclear envelope is disrupted and breaks into membrane vesicles, and the spindle microtubules enter the nuclear region. Kinetochores mature on each centromere and attach to some of the spindle microtubules. Kinetochore microtubules begin the process of aligning chromosomes in one plane halfway between the poles. [GOC:mtg_cell_cycle]' - }, - 'GO:0000237': { - 'name': 'leptotene', - 'def': 'The cell cycle phase which is the first stage of prophase I in meiosis, and during which the chromosomes first become visible. [GOC:mtg_cell_cycle]' - }, - 'GO:0000238': { - 'name': 'zygotene', - 'def': 'The cell cycle phase which follows leptotene during prophase I of meiosis, and during which each chromosome pairs with its homolog; the two become aligned and crossing over may occur. [GOC:mtg_cell_cycle]' - }, - 'GO:0000239': { - 'name': 'pachytene', - 'def': 'The cell cycle phase which follows zygotene during prophase I of meiosis, and during which crossing over occurs between a chromatid in one partner and another chromatid in the homologous chromosome. [GOC:mtg_cell_cycle]' - }, - 'GO:0000240': { - 'name': 'diplotene', - 'def': 'The cell cycle phase which follows pachytene during prophase I of meiosis, during which the homologous chromosomes begin to separate and the synaptonemal complex dissolves. [GOC:mtg_cell_cycle]' - }, - 'GO:0000241': { - 'name': 'diakinesis', - 'def': 'The cell cycle phase which follows diplotene during prophase I of meiosis, the separation of homologous chromosomes is complete and crossing over has occurred. [GOC:mtg_cell_cycle]' - }, - 'GO:0000242': { - 'name': 'pericentriolar material', - 'def': 'A network of small fibers that surrounds the centrioles in cells; contains the microtubule nucleating activity of the centrosome. [GOC:clt, ISBN:0815316194]' - }, - 'GO:0000243': { - 'name': 'commitment complex', - 'def': "A spliceosomal complex that is formed by association of the U1 snRNP with the 5' splice site of an unspliced intron in an RNA transcript. [GOC:krc, ISBN:0879695897, PMID:9150140]" - }, - 'GO:0000244': { - 'name': 'spliceosomal tri-snRNP complex assembly', - 'def': 'The formation of a tri-snRNP complex containing U4 and U6 (or U4atac and U6atac) snRNAs and U5 snRNAs and associated proteins. This includes reannealing of U4 and U6 (or U4atac and U6atac) snRNAs released from previous rounds of splicing to reform the U4/U6 snRNP (or U4atac/U6atac snRNP) as well as the subsequent association of the U5 snRNP with the U4/U6 snRNP (or U4atac/U6atac snRNP) to form a tri-snRNP that is ready to reassemble into another spliceosome complex. [ISBN:0879695897, PMID:9452384]' - }, - 'GO:0000245': { - 'name': 'spliceosomal complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a spliceosomal complex, a ribonucleoprotein apparatus that catalyzes nuclear mRNA splicing via transesterification reactions. [PMID:9476892]' - }, - 'GO:0000246': { - 'name': 'delta24(24-1) sterol reductase activity', - 'def': 'Catalysis of the reaction: ergosterol + NADP(+) = ergosta-5,7,22,24(24(1))-tetraen-3beta-ol + H(+) + NADPH. [EC:1.3.1.71, RHEA:18504]' - }, - 'GO:0000247': { - 'name': 'C-8 sterol isomerase activity', - 'def': 'Catalysis of the reaction which results in unsaturation at C-7 in the B ring of sterols. [MetaCyc:RXN3O-203, PMID:8988026]' - }, - 'GO:0000248': { - 'name': 'C-5 sterol desaturase activity', - 'def': 'Catalysis of the reaction: 5,7,24(28)-ergostatrienol + O2 + NADPH = 5,7,22,24(28)-ergostatetraenol + 2 H2O + NADP+. [MetaCyc:RXN3O-227]' - }, - 'GO:0000249': { - 'name': 'C-22 sterol desaturase activity', - 'def': 'Catalysis of the formation of the C-22(23) double bond in the sterol side chain. An example reaction: 5,7,24(28)-ergostatrienol + O2 + NADPH = 5,7,22,24(28)-ergostatetraenol + 2 H2O + NADP+. [MetaCyc:RXN3O-227]' - }, - 'GO:0000250': { - 'name': 'lanosterol synthase activity', - 'def': 'Catalysis of the reaction: (S)-2,3-epoxysqualene = lanosterol. This is a cyclization reaction that forms the sterol nucleus. [EC:5.4.99.7, RHEA:14624]' - }, - 'GO:0000252': { - 'name': 'C-3 sterol dehydrogenase (C-4 sterol decarboxylase) activity', - 'def': 'Catalysis of the reaction: 3-beta-hydroxy-4-beta-methyl-5-alpha-cholesta-8,24-dien-4-alpha-carboxylate + NAD(P)+ = 4-alpha-methyl-5-alpha-cholesta-8,24-dien-3-one + CO2 + NAD(P)H. [EC:1.1.1.170, PMID:9811880]' - }, - 'GO:0000253': { - 'name': '3-keto sterol reductase activity', - 'def': 'Catalysis of the reaction: a 3-beta-hydroxyl sterol + NADP+ = a 3-keto sterol + NADPH + H(+). [EC:1.1.1.270, GOC:mah, MetaCyc:1.1.1.270-RXN, MetaCyc:RXN3O-4110, MetaCyc:RXN66-19, MetaCyc:RXN66-24, MetaCyc:RXN66-314, MetaCyc:RXN66-319, PMID:9811880]' - }, - 'GO:0000254': { - 'name': 'C-4 methylsterol oxidase activity', - 'def': 'Catalysis of the reaction: 4,4-dimethyl-5-alpha-cholesta-8,24-dien-3-beta-ol + NAD(P)H + H(+) + O2 = 4-beta-hydroxymethyl-4-alpha-methyl-5-alpha-cholesta-8,24-dien-3-beta-ol + NAD(P)+ + H2O. [EC:1.14.13.72, PMID:9811880]' - }, - 'GO:0000255': { - 'name': 'allantoin metabolic process', - 'def': 'The chemical reactions and pathways involving allantoin, (2,5-dioxo-4-imidazolidinyl)urea, an intermediate or end product of purine catabolism. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0000256': { - 'name': 'allantoin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of allantoin, (2,5-dioxo-4-imidazolidinyl)urea. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0000257': { - 'name': 'nitrilase activity', - 'def': 'Catalysis of the reaction: a nitrile + H2O = a carboxylate + NH3. Acts on a wide range of aromatic nitriles including (indole-3-yl)-acetonitrile and some aliphatic nitriles, and on the corresponding acid amides. [EC:3.5.5.1, GOC:kd]' - }, - 'GO:0000258': { - 'name': 'obsolete isoleucine/valine:sodium symporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (isoleucine or valine)(out) + Na+(out) = (isoleucine or valine)(in) + Na+(in). [TC:2.A.26.1.1]' - }, - 'GO:0000259': { - 'name': 'obsolete intracellular nucleoside transmembrane transporter activity', - 'def': 'OBSOLETE. Enables the directed movement of a nucleoside, a nucleobase linked to either beta-D-ribofuranose (ribonucleoside) or 2-deoxy-beta-D-ribofuranose (a deoxyribonucleotide) within a cell. [GOC:ai]' - }, - 'GO:0000260': { - 'name': 'obsolete hydrogen-translocating V-type ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + H(+)(in) = ADP + phosphate + H+(out). Found in vacuoles of eukaryotes and in bacteria. [TC:3.A.2.2.1, TC:3.A.2.2.3]' - }, - 'GO:0000261': { - 'name': 'obsolete sodium-translocating V-type ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + Na+(in) = ADP + phosphate + Na+(out). Found in vacuoles of eukaryotes and in bacteria. [TC:3.A.2.2.2]' - }, - 'GO:0000262': { - 'name': 'mitochondrial chromosome', - 'def': 'A chromosome found in the mitochondrion of a eukaryotic cell. [GOC:mah]' - }, - 'GO:0000263': { - 'name': 'obsolete heterotrimeric G-protein GTPase, alpha-subunit', - 'def': 'OBSOLETE. Subunit of a heterotrimeric G-protein GTPase that contains the guanine nucleotide binding site and possesses GTPase activity. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0000264': { - 'name': 'obsolete heterotrimeric G-protein GTPase, beta-subunit', - 'def': 'OBSOLETE. Subunit of a heterotrimeric G-protein GTPase; associates tightly with the gamma subunit. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0000265': { - 'name': 'obsolete heterotrimeric G-protein GTPase, gamma-subunit', - 'def': 'OBSOLETE. Smallest subunit of a heterotrimeric G-protein GTPase; associates tightly with the beta subunit. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0000266': { - 'name': 'mitochondrial fission', - 'def': 'The division of a mitochondrion within a cell to form two or more separate mitochondrial compartments. [PMID:11038192]' - }, - 'GO:0000267': { - 'name': 'obsolete cell fraction', - 'def': 'OBSOLETE: A generic term for parts of cells prepared by disruptive biochemical techniques. [GOC:ma]' - }, - 'GO:0000268': { - 'name': 'peroxisome targeting sequence binding', - 'def': 'Interacting selectively and non-covalently with a peroxisomal targeting sequence, any of several sequences of amino acids within a protein that can act as a signal for the localization of the protein into the peroxisome. [GOC:mah, ISBN:0879693568]' - }, - 'GO:0000269': { - 'name': 'toxin export channel activity', - 'def': 'Enables the energy independent passage of toxins, sized less than 1000 Da, across a membrane towards the outside of the cell. The transmembrane portions of porins consist exclusively of beta-strands which form a beta-barrel. They are found in the outer membranes of Gram-negative bacteria, mitochondria, plastids and possibly acid-fast Gram-positive bacteria. [GOC:mtg_transport]' - }, - 'GO:0000270': { - 'name': 'peptidoglycan metabolic process', - 'def': 'The chemical reactions and pathways involving peptidoglycans, any of a class of glycoconjugates found only in bacterial cell walls and consisting of strands of glycosaminoglycan cross-linked by oligopeptides to form a huge and rigid network. [http://www.dsmz.de/species/murein.htm, ISBN:0198506732]' - }, - 'GO:0000271': { - 'name': 'polysaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a polysaccharide, a polymer of many (typically more than 10) monosaccharide residues linked glycosidically. [CHEBI:18154, GOC:go_curators]' - }, - 'GO:0000272': { - 'name': 'polysaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a polysaccharide, a polymer of many (typically more than 10) monosaccharide residues linked glycosidically. [CHEBI:18154, GOC:go_curators]' - }, - 'GO:0000274': { - 'name': 'mitochondrial proton-transporting ATP synthase, stator stalk', - 'def': 'One of two stalks that connect the catalytic core of the hydrogen-transporting ATP synthase to the mitochondrial membrane-associated F0 proteins; is thought to prevent futile rotation of the catalytic core. [GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0000275': { - 'name': 'mitochondrial proton-transporting ATP synthase complex, catalytic core F(1)', - 'def': 'The catalytic sector of the mitochondrial hydrogen-transporting ATP synthase; it comprises the catalytic core and central stalk, and is peripherally associated with the mitochondrial inner membrane when the entire ATP synthase is assembled. [GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0000276': { - 'name': 'mitochondrial proton-transporting ATP synthase complex, coupling factor F(o)', - 'def': 'All non-F1 subunits of the mitochondrial hydrogen-transporting ATP synthase, including integral and peripheral mitochondrial inner membrane proteins. [GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0000277': { - 'name': '[cytochrome c]-lysine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + cytochrome c L-lysine = S-adenosyl-L-homocysteine + cytochrome c N6-methyl-L-lysine. This is the addition of a methyl group to the N6 atom of a lysine residue in cytochrome c. [EC:2.1.1.59]' - }, - 'GO:0000278': { - 'name': 'mitotic cell cycle', - 'def': 'Progression through the phases of the mitotic cell cycle, the most common eukaryotic cell cycle, which canonically comprises four successive phases called G1, S, G2, and M and includes replication of the genome and the subsequent segregation of chromosomes into daughter cells. In some variant cell cycles nuclear replication or nuclear division may not be followed by cell division, or G1 and G2 phases may be absent. [GOC:mah, ISBN:0815316194, Reactome:69278]' - }, - 'GO:0000279': { - 'name': 'M phase', - 'def': 'A cell cycle phase during which nuclear division occurs, and which is comprises the phases: prophase, metaphase, anaphase and telophase. [GOC:mtg_cell_cycle]' - }, - 'GO:0000280': { - 'name': 'nuclear division', - 'def': 'The division of a cell nucleus into two nuclei, with DNA and other nuclear contents distributed between the daughter nuclei. [GOC:mah]' - }, - 'GO:0000281': { - 'name': 'mitotic cytokinesis', - 'def': 'A cell cycle process that results in the division of the cytoplasm of a cell after mitosis, resulting in the separation of the original cell into two daughter cells. [GOC:mtg_cell_cycle]' - }, - 'GO:0000282': { - 'name': 'cellular bud site selection', - 'def': 'The specification of the site where a daughter cell will form, in organisms that reproduce by budding. An example of this process is found in Saccharomyces cerevisiae. [GOC:mah]' - }, - 'GO:0000284': { - 'name': 'obsolete shmoo orientation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:elh]' - }, - 'GO:0000285': { - 'name': '1-phosphatidylinositol-3-phosphate 5-kinase activity', - 'def': 'Catalysis of the reaction: a 1-phosphatidyl-1D-myo-inositol 3-phosphate + ATP = a 1-phosphatidyl-1D-myo-inositol 3,5-bisphosphate + ADP + 2 H(+). [EC:2.7.1.150, RHEA:13612]' - }, - 'GO:0000286': { - 'name': 'alanine dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-alanine + H2O + NAD+ = pyruvate + NH3 + NADH + H(+). [EC:1.4.1.1]' - }, - 'GO:0000287': { - 'name': 'magnesium ion binding', - 'def': 'Interacting selectively and non-covalently with magnesium (Mg) ions. [GOC:ai]' - }, - 'GO:0000288': { - 'name': 'nuclear-transcribed mRNA catabolic process, deadenylation-dependent decay', - 'def': 'A major pathway of degradation of nuclear-transcribed mRNAs that proceeds through a series of ordered steps that includes poly(A) tail shortening and that can regulate mRNA stability. [GOC:jp, GOC:krc]' - }, - 'GO:0000289': { - 'name': 'nuclear-transcribed mRNA poly(A) tail shortening', - 'def': 'Shortening of the poly(A) tail of a nuclear-transcribed mRNA from full length to an oligo(A) length. [GOC:krc]' - }, - 'GO:0000290': { - 'name': 'deadenylation-dependent decapping of nuclear-transcribed mRNA', - 'def': "Cleavage of the 5'-cap of a nuclear mRNA triggered by shortening of the poly(A) tail to below a minimum functional length. [GOC:krc]" - }, - 'GO:0000291': { - 'name': 'nuclear-transcribed mRNA catabolic process, exonucleolytic', - 'def': "The chemical reactions and pathways resulting in the breakdown of the transcript body of a nuclear-transcribed mRNA that occurs when the ends are not protected by the 5'-cap or the 3'-poly(A) tail. [GOC:krc]" - }, - 'GO:0000292': { - 'name': 'RNA fragment catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a fragment of RNA, such as excised introns or sequences removed from ribosomal RNA during processing. [GOC:mah]' - }, - 'GO:0000293': { - 'name': 'ferric-chelate reductase activity', - 'def': 'Catalysis of the reaction: 2 Fe2+ + NAD+ = 2 Fe3+ + NADH + H(+). [EC:1.16.1.7]' - }, - 'GO:0000294': { - 'name': 'nuclear-transcribed mRNA catabolic process, endonucleolytic cleavage-dependent decay', - 'def': 'A minor degradation pathway nuclear-transcribed mRNAs that begins with an endonucleolytic cleavage to generate unprotected ends. [GOC:krc]' - }, - 'GO:0000295': { - 'name': 'adenine nucleotide transmembrane transporter activity', - 'def': 'Catalysis of the transfer of adenine nucleotides (AMP, ADP, and ATP) from one side of the membrane to the other. [PMID:11566870]' - }, - 'GO:0000296': { - 'name': 'spermine transport', - 'def': 'The directed movement of spermine, N,N-bis(3-aminopropyl)-1,4-diaminobutane, a polyamine formed by the transfer of a propylamine group from decarboxylated S-adenosylmethionine to spermidine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc, ISBN:0198506732]' - }, - 'GO:0000297': { - 'name': 'spermine transmembrane transporter activity', - 'def': 'Enables the transfer of spermine from one side of the membrane to the other. Spermine is a polybasic amine found in human sperm, in ribosomes and in some viruses, which is involved in nucleic acid packaging. Synthesis is regulated by ornithine decarboxylase which plays a key role in control of DNA replication. [GOC:ai]' - }, - 'GO:0000298': { - 'name': 'endopolyphosphatase activity', - 'def': 'Catalysis of the reaction: polyphosphate + n H2O = (n+1) oligophosphate. The product contains 4 or 5 phosphate residues. [EC:3.6.1.10]' - }, - 'GO:0000299': { - 'name': 'obsolete integral to membrane of membrane fraction', - 'def': 'OBSOLETE: Integral to that fraction of cells, prepared by disruptive biochemical methods, that includes the plasma and other membranes; require detergents, such as Triton X-100, to be released from membranes. [PMID:10512869]' - }, - 'GO:0000300': { - 'name': 'obsolete peripheral to membrane of membrane fraction', - 'def': 'OBSOLETE: Peripheral to that fraction of cells, prepared by disruptive biochemical methods, that includes the plasma and other membranes; can be extracted from membrane fraction with high concentrations of salt or high pH. [PMID:10512869]' - }, - 'GO:0000301': { - 'name': 'retrograde transport, vesicle recycling within Golgi', - 'def': 'The retrograde movement of substances within the Golgi, mediated by COP I vesicles. Cis-Golgi vesicles are constantly moving forward through the Golgi stack by cisternal progression, eventually becoming trans-Golgi vesicles. They then selectively transport membrane and luminal proteins from the trans- to the medial-Golgi while leaving others behind in the trans-Golgi cisternae; similarly, they selectively move proteins from the medial- to the cis-Golgi. [ISBN:0716731363]' - }, - 'GO:0000302': { - 'name': 'response to reactive oxygen species', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a reactive oxygen species stimulus. Reactive oxygen species include singlet oxygen, superoxide, and oxygen free radicals. [GOC:krc]' - }, - 'GO:0000303': { - 'name': 'response to superoxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a superoxide stimulus. Superoxide is the anion, oxygen-, formed by addition of one electron to dioxygen (O2) or any compound containing the superoxide anion. [GOC:krc, ISBN:0198506732]' - }, - 'GO:0000304': { - 'name': 'response to singlet oxygen', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a singlet oxygen stimulus. Singlet oxygen is a dioxygen (O2) molecule in which two 2p electrons have similar spin. Singlet oxygen is more highly reactive than the form in which these electrons are of opposite spin, and it is produced in mutant chloroplasts lacking carotenoids and by leukocytes during metabolic burst. [GOC:krc, ISBN:0124325653, ISBN:0198506732]' - }, - 'GO:0000305': { - 'name': 'response to oxygen radical', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an oxygen radical stimulus. An oxygen radical is any oxygen species that carries a free electron; examples include hydroxyl radicals and the superoxide anion. [GOC:krc, ISBN:0124325653]' - }, - 'GO:0000306': { - 'name': 'extrinsic component of vacuolar membrane', - 'def': 'The component of a vacuolar membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:jl, GOC:mah]' - }, - 'GO:0000307': { - 'name': 'cyclin-dependent protein kinase holoenzyme complex', - 'def': 'Cyclin-dependent protein kinases (CDKs) are enzyme complexes that contain a kinase catalytic subunit associated with a regulatory cyclin partner. [GOC:krc, PMID:11602261]' - }, - 'GO:0000308': { - 'name': 'cytoplasmic cyclin-dependent protein kinase holoenzyme complex', - 'def': 'Cyclin-dependent protein kinase (CDK) complex found in the cytoplasm. [GOC:krc]' - }, - 'GO:0000309': { - 'name': 'nicotinamide-nucleotide adenylyltransferase activity', - 'def': 'Catalysis of the reaction: ATP + nicotinamide nucleotide = diphosphate + NAD+. [EC:2.7.7.1]' - }, - 'GO:0000310': { - 'name': 'xanthine phosphoribosyltransferase activity', - 'def': "Catalysis of the reaction: 5-phospho-alpha-D-ribose 1-diphosphate + xanthine = (9-D-ribosylxanthine)-5'-phosphate + diphosphate. [EC:2.4.2.22, GOC:clt]" - }, - 'GO:0000311': { - 'name': 'plastid large ribosomal subunit', - 'def': 'The larger of the two subunits of a plastid ribosome. Two sites on the ribosomal large subunit are involved in translation: the aminoacyl site (A site) and peptidyl site (P site). [GOC:mcc]' - }, - 'GO:0000312': { - 'name': 'plastid small ribosomal subunit', - 'def': 'The smaller of the two subunits of a plastid ribosome. [GOC:mcc]' - }, - 'GO:0000313': { - 'name': 'organellar ribosome', - 'def': 'A ribosome contained within a subcellular membrane-bounded organelle. [GOC:mah, GOC:mcc]' - }, - 'GO:0000314': { - 'name': 'organellar small ribosomal subunit', - 'def': 'The smaller of the two subunits of an organellar ribosome. [GOC:mcc]' - }, - 'GO:0000315': { - 'name': 'organellar large ribosomal subunit', - 'def': 'The larger of the two subunits of an organellar ribosome. Two sites on the ribosomal large subunit are involved in translation: the aminoacyl site (A site) and peptidyl site (P site). [GOC:mcc]' - }, - 'GO:0000316': { - 'name': 'sulfite transport', - 'def': 'The directed movement of sulfite into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0000319': { - 'name': 'sulfite transmembrane transporter activity', - 'def': 'Enables the transfer of sulfite ions from one side of a membrane to the other. [GOC:as]' - }, - 'GO:0000320': { - 'name': 're-entry into mitotic cell cycle', - 'def': 'The resumption of the mitotic cell division cycle by cells that were in a quiescent or other non-dividing state. [GOC:krc]' - }, - 'GO:0000321': { - 'name': 're-entry into mitotic cell cycle after pheromone arrest', - 'def': 'The resumption of the mitotic cell division cycle by pheromone-arrested cells that have not mated. An example of this process is found in Saccharomyces cerevisiae. [GOC:krc, PMID:9927449]' - }, - 'GO:0000322': { - 'name': 'storage vacuole', - 'def': 'A vacuole that functions primarily in the storage of materials, including nutrients, pigments, waste products, and small molecules. [GOC:krc]' - }, - 'GO:0000323': { - 'name': 'lytic vacuole', - 'def': 'A vacuole that is maintained at an acidic pH and which contains degradative enzymes, including a wide variety of acid hydrolases. [GOC:krc]' - }, - 'GO:0000324': { - 'name': 'fungal-type vacuole', - 'def': 'A vacuole that has both lytic and storage functions. The fungal vacuole is a large, membrane-bounded organelle that functions as a reservoir for the storage of small molecules (including polyphosphate, amino acids, several divalent cations (e.g. calcium), other ions, and other small molecules) as well as being the primary compartment for degradation. It is an acidic compartment, containing an ensemble of acid hydrolases. At least in S. cerevisiae, there are indications that the morphology of the vacuole is variable and correlated with the cell cycle, with logarithmically growing cells having a multilobed, reticulated vacuole, while stationary phase cells contain a single large structure. [GOC:mah, GOC:mtg_sensu, ISBN:0879693649]' - }, - 'GO:0000325': { - 'name': 'plant-type vacuole', - 'def': 'A closed structure that is completely surrounded by a unit membrane, contains liquid, and retains the same shape regardless of cell cycle phase. An example of this structure is found in Arabidopsis thaliana. [GOC:mtg_sensu, ISBN:0815316208]' - }, - 'GO:0000326': { - 'name': 'protein storage vacuole', - 'def': 'A storage vacuole that contains a lytic vacuole; identified in plants. [PMID:11739409]' - }, - 'GO:0000327': { - 'name': 'lytic vacuole within protein storage vacuole', - 'def': 'A membrane-bounded compartment containing crystals of phytic acid and proteins characteristic of a lytic vacuole, found within a storage vacuole. [PMID:11739490]' - }, - 'GO:0000328': { - 'name': 'fungal-type vacuole lumen', - 'def': 'The volume enclosed within the vacuolar membrane of a vacuole, the shape of which correlates with cell cycle phase. An example of this structure is found in Saccharomyces cerevisiae. [GOC:krc, GOC:mtg_sensu]' - }, - 'GO:0000329': { - 'name': 'fungal-type vacuole membrane', - 'def': 'The lipid bilayer surrounding a vacuole, the shape of which correlates with cell cycle phase. The membrane separates its contents from the cytoplasm of the cell. An example of this structure is found in Saccharomyces cerevisiae. [GOC:krc, GOC:mtg_sensu]' - }, - 'GO:0000330': { - 'name': 'plant-type vacuole lumen', - 'def': 'The volume enclosed within the vacuolar membrane of a vacuole that retains the same shape regardless of cell cycle phase. An example of this is found in Arabidopsis thaliana. [GOC:krc, GOC:mtg_sensu]' - }, - 'GO:0000331': { - 'name': 'contractile vacuole', - 'def': 'A specialized vacuole of eukaryotic cells, especially Protozoa, that fills with water from the cytoplasm and then discharges this externally by the opening of contractile vacuole pores. Its function is probably osmoregulatory. [GOC:jl, PMID:10503189]' - }, - 'GO:0000332': { - 'name': 'template for synthesis of G-rich strand of telomere DNA activity', - 'def': 'Provision of the template used by reverse transcriptase to synthesize the G-rich strand of telomeric DNA. [PMID:11812242]' - }, - 'GO:0000333': { - 'name': 'telomerase catalytic core complex', - 'def': 'The minimal catalytic core of telomerase is a ribonucleoprotein complex composed of a catalytic reverse transcriptase subunit and an RNA subunit that provides the template for telomeric DNA addition. [GOC:BHF-UCL, PMID:11884619, PMID:1808260]' - }, - 'GO:0000334': { - 'name': '3-hydroxyanthranilate 3,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxyanthranilate + O(2) = cis,cis-2-amino-3-(3-oxoprop-1-enyl)but-2-enedioate + H(+). [EC:1.13.11.6, RHEA:17956]' - }, - 'GO:0000335': { - 'name': 'negative regulation of transposition, DNA-mediated', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA transposition. [GOC:dph, GOC:krc, GOC:tb]' - }, - 'GO:0000336': { - 'name': 'positive regulation of transposition, DNA-mediated', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA transposition. [GOC:dph, GOC:krc]' - }, - 'GO:0000337': { - 'name': 'regulation of transposition, DNA-mediated', - 'def': 'Any process that modulates the frequency, rate or extent of DNA transposition, the process of transposing (moving to a different location) a segment of a chromosome or a piece of a DNA molecule. [GOC:dph, GOC:krc]' - }, - 'GO:0000338': { - 'name': 'protein deneddylation', - 'def': 'The removal of a ubiquitin-like protein of the NEDD8 type from a protein. [GOC:krc]' - }, - 'GO:0000339': { - 'name': 'RNA cap binding', - 'def': "Interacting selectively and non-covalently with a 7-methylguanosine (m7G) group or derivative located at the 5' end of an RNA molecule. [GOC:krc]" - }, - 'GO:0000340': { - 'name': 'RNA 7-methylguanosine cap binding', - 'def': "Interacting selectively and non-covalently with the 7-methylguanosine group added cotranscriptionally to the 5' end of RNA molecules transcribed by polymerase II. [GOC:krc]" - }, - 'GO:0000341': { - 'name': 'RNA trimethylguanosine cap binding', - 'def': "Interacting selectively and non-covalently with the trimethylguanosine (m(3)(2,2,7)-GTP) group located at the 5' end of some RNA molecules. Such trimethylated cap structures, generally produced by posttranscriptional modification of a 7-methylguanosine cap, are often found on snRNAs and snoRNAs transcribed by RNA polymerase II, but have also be found on snRNAs transcribed by RNA polymerase III. They have also been found on a subset of the mRNA population in some species, e.g. C. elegans. [GOC:krc]" - }, - 'GO:0000342': { - 'name': 'RNA cap 4 binding', - 'def': "Interacting selectively and non-covalently with a hypermethylated cap structure consisting of 7-methylguanosine (m(7)G) followed by four methylated nucleotides (cap 4): 7-methylguanosine-ppp-N6, N6, 2'-O-trimethyladenosine-p-2'-O-methyladenosine-p-2'-O-methylcytosine-p-N3, 2'-O-dimethyluridine Such caps are known to be found at the 5' ends of SL RNAs of trypanosomatid protozoa. [GOC:krc, PMID:10880518, PMID:12121975]" - }, - 'GO:0000343': { - 'name': 'plastid-encoded plastid RNA polymerase complex A', - 'def': 'A plastid-encoded DNA-directed RNA polymerase complex that resembles eubacterial multisubunit RNA polymerases, with a core composed of alpha, beta, and beta-prime subunits. An additional subunit, a sigma factor, is required for promoter recognition. PEP-A is generated from the PEP-B form during chloroplast maturation to generate a complex composed of at least thirteen polypeptides that is not sensitive to the antibiotic rifampicin, like its precursor form the PEP-B complex. [PMID:10946105]' - }, - 'GO:0000344': { - 'name': 'plastid-encoded plastid RNA polymerase complex B', - 'def': 'A plastid-encoded DNA-directed RNA polymerase complex that resembles eubacterial multisubunit RNA polymerases with a core composed of alpha, beta, and beta-prime subunits. An additional subunit, a sigma factor, is required for promoter recognition. PEP-B is distinguished from PEP-A by its sensitivity to the antibiotic rifampicin. PEP-B is found in both etioplasts and chloroplasts, but is the predominate form in etioplasts. It forms the core of the PEP-A form; the conversion from PEP-B to PEP-A occurs during chloroplast maturation. [PMID:10946105]' - }, - 'GO:0000345': { - 'name': 'cytosolic DNA-directed RNA polymerase complex', - 'def': 'The eubacterial DNA-directed RNA polymerase is a multisubunit complex with a core composed of the essential subunits beta-prime, beta, and two copies of alpha and a fifth nonessential subunit called omega. An additional subunit, a sigma factor, is required for promoter recognition and specificity. [PMID:11158566]' - }, - 'GO:0000346': { - 'name': 'transcription export complex', - 'def': 'The transcription export (TREX) complex couples transcription elongation by RNA polymerase II to mRNA export. The complex associates with the polymerase and travels with it along the length of the transcribed gene. TREX is composed of the THO transcription elongation complex as well as other proteins that couple THO to mRNA export proteins. The TREX complex is known to be found in a wide range of eukaryotes, including S. cerevisiae and metazoans. [GOC:krc, PMID:11979277]' - }, - 'GO:0000347': { - 'name': 'THO complex', - 'def': 'The THO complex is a nuclear complex that is required for transcription elongation through genes containing tandemly repeated DNA sequences. The THO complex is also part of the TREX (TRanscription EXport) complex that is involved in coupling transcription to export of mRNAs to the cytoplasm. In S. cerevisiae, it is composed of four subunits: Hpr1p, Tho2p, Thp1p, and Mft1p, while the human complex is composed of 7 subunits. [GOC:krc, PMID:11060033, PMID:11979277, PMID:16983072]' - }, - 'GO:0000348': { - 'name': 'mRNA branch site recognition', - 'def': 'Recognition of the pre-mRNA branch site sequence by components of the assembling spliceosome. [GOC:krc, ISBN:0879695897]' - }, - 'GO:0000349': { - 'name': 'generation of catalytic spliceosome for first transesterification step', - 'def': 'Formation of a catalytic spliceosome complex ready to perform the first splicing reaction. This occurs by an ATP-dependent conformational change of the pre-catalytic spliceosome. [GOC:krc, ISBN:0879695897]' - }, - 'GO:0000350': { - 'name': 'generation of catalytic spliceosome for second transesterification step', - 'def': 'Conformational rearrangement of the spliceosomal complex containing the RNA products from the 1st step of splicing to form the catalytic site for the second step of splicing. [GOC:krc, ISBN:0879695897]' - }, - 'GO:0000352': { - 'name': 'trans assembly of SL-containing precatalytic spliceosome', - 'def': 'Assembly of a spliceosomal complex containing the SL RNA and the pre-mRNA to be joined, as well as all the spliceosomal snRNPs involved in trans leader splicing. Formation of the trans leader spliceosome brings together the quadruple SL/U4/U5/U6 snRNP and the complex of the U2 snRNP with the splice site of the pre-mRNA. [GOC:krc, GOC:mtg_mpo, ISBN:0879695897]' - }, - 'GO:0000353': { - 'name': 'formation of quadruple SL/U4/U5/U6 snRNP', - 'def': "Formation of a quadruple snRNP complex composed of the spliced leader (SL) RNA along with the U4/U6-U5 tri-snRNP complex. Interactions that may facilitate this include a duplex between the SL and U6 RNAs and interactions between the U5 RNA and the exon sequence at the 5' splice site within the SL RNA. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000354': { - 'name': 'cis assembly of pre-catalytic spliceosome', - 'def': 'Assembly of a spliceosomal complex containing the intact pre-mRNA and all of the spliceosomal snRNPs. This occurs when the tri-snRNP associates with the pre-mRNA and associated snRNPs in an ATP-dependent manner. [GOC:krc, GOC:mtg_mpo, ISBN:0879695897]' - }, - 'GO:0000362': { - 'name': 'obsolete first U2-type spliceosomal transesterification activity', - 'def': "OBSOLETE. Catalysis of the first transesterification reaction of U2-type spliceosomal mRNA splicing. The intron branch site adenosine is the nucleophile attacking the 5' splice site, resulting in cleavage at this position. In cis splicing, this is the step that forms a lariat structure of the intron RNA, which is still joined to the 3' exon. The catalytic site is thought to be formed by U6 and/or U2 snRNA, and/or associated proteins. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000363': { - 'name': 'obsolete first U12-type spliceosomal transesterification activity', - 'def': "OBSOLETE. Catalysis of the first transesterification reaction of U12-type spliceosomal mRNA splicing. The intron branch site adenosine is the nucleophile attacking the 5' splice site, resulting in cleavage at this position. In cis splicing, this is the step that forms a lariat structure of the intron RNA, which is still joined to the 3' exon. The catalytic site is thought to be formed by U6atac snRNA and/or U2atac snRNA, and/or associated proteins. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000364': { - 'name': 'obsolete second U2-type spliceosomal transesterification activity', - 'def': "OBSOLETE. Catalysis of the second transesterification reaction of U2-type spliceosomal mRNA splicing. Ligation of the two exons occurs via a transesterification reaction where the free 3'-hydroxyl group of the 5' exon is the nucleophile attacking the 3' splice site. Non-expressed sequences are now detached from the exons. In cis splicing, the intron is in a lariat structure. The catalytic site is thought to be formed by U6 and/or U2 snRNAs and/or associated proteins. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000365': { - 'name': 'mRNA trans splicing, via spliceosome', - 'def': 'The joining together of exons from two different primary transcripts of messenger RNA (mRNA) via a spliceosomal mechanism, so that mRNA consisting only of the joined exons is produced. [GOC:krc, ISBN:0879695897]' - }, - 'GO:0000366': { - 'name': 'intergenic mRNA trans splicing', - 'def': 'The joining together of two independently transcribed RNAs from two different genes, each of which also produces mRNA(s) via cis-splicing. [GOC:krc, PMID:11726664, PMID:12110900]' - }, - 'GO:0000367': { - 'name': 'obsolete second U12-type spliceosomal transesterification activity', - 'def': "OBSOLETE. Catalysis of the second transesterification reaction of U12-type spliceosomal mRNA splicing. Ligation of the two exons occurs via a transesterification reaction where the free 3'-hydroxyl group of the 5' exon is the nucleophile attacking the 3' splice site. Non-expressed sequences are now detached from the exons. In cis splicing, the intron is in a lariat structure. The catalytic site is thought to be formed by U6 and/or U2 snRNAs and/or associated proteins. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000372': { - 'name': 'Group I intron splicing', - 'def': 'The splicing of Group I introns. This occurs by a ribozymic mechanism where the intron sequence forms a distinct 3D structure, characteristic of Group I introns and involved in determining the locations of the splice sites (there do not appear to be consensus splice site sequences) as well as having a role in catalyzing the splicing reactions, though protein factors are also required in vivo. Splicing occurs by a series of two transesterification reactions, generally with exogenous guanosine as the initiating nucleophile. The intron is excised as a linear piece (though it may subsequently circularize). [GOC:krc, PMID:11377794]' - }, - 'GO:0000373': { - 'name': 'Group II intron splicing', - 'def': 'The splicing of Group II introns. This occurs by a ribozymic mechanism where the intron sequence forms a distinct 3D structure, characteristic of Group II introns and containing splice site consensus sequences, that is involved in catalyzing the splicing reactions, though protein factors are also required in vivo. Splicing occurs by a series of two transesterification reactions (mechanistically similar to those for splicing of nuclear mRNAs) initiated by a bulged adenosine residue within the intron sequence as the initiating nucleophile. The intron is excised as a lariat. [GOC:krc, PMID:11377794]' - }, - 'GO:0000374': { - 'name': 'Group III intron splicing', - 'def': 'The splicing of Group III introns. This occurs by a ribozymic mechanism where the intron sequence forms a distinct 3D structure, characteristic of Group III introns, that is involved in catalyzing the splicing reactions, though protein factors are also required in vivo. Splicing occurs by a series of two transesterification reactions begun by a bulged adenosine residue within the intron sequence as the initiating nucleophile. The intron is excised as a lariat. Though very similar in structure and mechanism to Group II introns, Group III introns are smaller and more streamlined and the splice site consensus sequences are not as well conserved. [GOC:krc, PMID:11377794]' - }, - 'GO:0000375': { - 'name': 'RNA splicing, via transesterification reactions', - 'def': 'Splicing of RNA via a series of two transesterification reactions. [GOC:krc]' - }, - 'GO:0000376': { - 'name': 'RNA splicing, via transesterification reactions with guanosine as nucleophile', - 'def': 'Splicing of RNA via a series of two transesterification reactions with exogenous guanosine as the initiating nucleophile. [GOC:krc, PMID:11377794]' - }, - 'GO:0000377': { - 'name': 'RNA splicing, via transesterification reactions with bulged adenosine as nucleophile', - 'def': 'Splicing of RNA via a series of two transesterification reactions with a bulged adenosine residue from the intron branch point as the initiating nucleophile. When the initial RNA for the splicing reaction is a single molecule (cis splicing), the excised intron is released in a lariat structure. [GOC:krc, PMID:11377794]' - }, - 'GO:0000378': { - 'name': 'RNA exon ligation', - 'def': 'The RNA metabolic process that joins two exons, each of which has free ends that were generated by endonucleolytic cleavages, by a ligation reaction. [GOC:krc, ISBN:0879695897]' - }, - 'GO:0000379': { - 'name': 'tRNA-type intron splice site recognition and cleavage', - 'def': "RNA processing that begins when the tertiary structure of a tRNA type intron is recognized, and ends when the endonucleolytic cleavage of the RNA at both the 5' and 3' splice sites occurs. [GOC:krc, GOC:mah, ISBN:0879695897]" - }, - 'GO:0000380': { - 'name': 'alternative mRNA splicing, via spliceosome', - 'def': 'The process of generating multiple mRNA molecules from a given set of exons by differential use of exons from the primary transcript(s) to form multiple mature mRNAs that vary in their exon composition. [GOC:krc, PMID:12110900]' - }, - 'GO:0000381': { - 'name': 'regulation of alternative mRNA splicing, via spliceosome', - 'def': 'Any process that modulates the frequency, rate or extent of alternative splicing of nuclear mRNAs. [GOC:krc]' - }, - 'GO:0000384': { - 'name': 'first spliceosomal transesterification activity', - 'def': "Catalysis of the first transesterification reaction of spliceosomal mRNA splicing. The intron branch site adenosine is the nucleophile attacking the 5' splice site, resulting in cleavage at this position. In cis splicing, this is the step that forms a lariat structure of the intron RNA, while it is still joined to the 3' exon. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000386': { - 'name': 'second spliceosomal transesterification activity', - 'def': "Catalysis of the second transesterification reaction of spliceosomal mRNA splicing. Ligation of the two exons occurs via a transesterification reaction where the free 3'-hydroxyl group of the 5' exon is the nucleophile attacking the 3' splice site. Non-expressed sequences are now detached from the exons. In cis splicing, the intron is in a lariat structure. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000387': { - 'name': 'spliceosomal snRNP assembly', - 'def': 'The aggregation, arrangement and bonding together of one or more snRNA and multiple protein components to form a ribonucleoprotein complex that is involved in formation of the spliceosome. [GOC:krc, GOC:mah, ISBN:0879695897]' - }, - 'GO:0000388': { - 'name': 'spliceosome conformational change to release U4 (or U4atac) and U1 (or U11)', - 'def': 'Rearrangement of the pre-catalytic spliceosome containing U4 (or U4atac) and U1 (or U11) snRNPs to unpair U4 (or U4atac) from U6 (or U6atac) and release it from the spliceosomal complex along with U1 (or U11). [GOC:krc, ISBN:0879695897]' - }, - 'GO:0000389': { - 'name': "mRNA 3'-splice site recognition", - 'def': "Recognition of the intron 3'-splice site by components of the assembling U2- or U12-type spliceosome. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000390': { - 'name': 'spliceosomal complex disassembly', - 'def': 'Disassembly of a spliceosomal complex with the ATP-dependent release of the product RNAs, one of which is composed of the joined exons. In cis splicing, the other product is the excised sequence, often a single intron, in a lariat structure. [GOC:krc, ISBN:0879695897]' - }, - 'GO:0000393': { - 'name': 'spliceosomal conformational changes to generate catalytic conformation', - 'def': 'Structural rearrangements of the spliceosome complex, containing RNA to be spliced, to generate a catalytic conformation. [GOC:krc]' - }, - 'GO:0000394': { - 'name': 'RNA splicing, via endonucleolytic cleavage and ligation', - 'def': "Splicing of RNA via recognition of the folded RNA structure that brings the 5' and 3' splice sites into proximity and cleavage of the RNA at both the 3' and 5' splice sites by an endonucleolytic mechanism, followed by ligation of the exons. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000395': { - 'name': "mRNA 5'-splice site recognition", - 'def': "Recognition of the intron 5'-splice site by components of the assembling spliceosome. [GOC:krc, ISBN:0879695897]" - }, - 'GO:0000398': { - 'name': 'mRNA splicing, via spliceosome', - 'def': 'The joining together of exons from one or more primary transcripts of messenger RNA (mRNA) and the excision of intron sequences, via a spliceosomal mechanism, so that mRNA consisting only of the joined exons is produced. [GOC:krc, ISBN:0198506732, ISBN:0879695897]' - }, - 'GO:0000399': { - 'name': 'cellular bud neck septin structure', - 'def': 'Any of a series of septin structures that are localized in the bud neck of a budding fungal cell during the cell cycle. [GOC:krc]' - }, - 'GO:0000400': { - 'name': 'four-way junction DNA binding', - 'def': 'Interacting selectively and non-covalently with DNA containing four-way junctions, also known as Holliday junctions, a structure where two DNA double strands are held together by reciprocal exchange of two of the four strands, one strand each from the two original helices. [GOC:krc, ISBN:0815332181, PMID:15563464]' - }, - 'GO:0000401': { - 'name': 'open form four-way junction DNA binding', - 'def': 'Interacting selectively and non-covalently with DNA containing the open form of a four-way junction, also known as a Holliday junction, a structure where two DNA double strands are held together by reciprocal exchange of two of the four strands, one strand each from the two original helices. The open form of a four-way junction can be diagrammed without any of the strands crossing over. [GOC:krc, ISBN:0815332181, PMID:15563464]' - }, - 'GO:0000402': { - 'name': 'crossed form four-way junction DNA binding', - 'def': 'Interacting selectively and non-covalently with DNA containing the crossed form of a four-way junction, also known as a Holliday junction, a structure where two DNA double strands are held together by reciprocal exchange of two of the four strands, one strand each from the two original helices. The crossed form of a four-way junction cannot be diagrammed without any of the strands crossing over, and instead contains a single crossover between two of the strands. [GOC:krc, ISBN:0815332181, PMID:15563464]' - }, - 'GO:0000403': { - 'name': 'Y-form DNA binding', - 'def': 'Interacting selectively and non-covalently with segment of DNA shaped like a Y. This shape occurs when DNA contains a region of paired double-stranded DNA on one end and a region of unpaired DNA strands on the opposite end. [GOC:elh, PMID:16781730]' - }, - 'GO:0000404': { - 'name': 'heteroduplex DNA loop binding', - 'def': 'Interacting selectively and non-covalently with DNA containing a loop. A loop occurs when DNA contains a large insertion or deletion that causes a region of unpaired single-stranded DNA to loop out, while the rest of the DNA is in a paired double-stranded configuration. [GOC:elh, PMID:16781730]' - }, - 'GO:0000405': { - 'name': 'bubble DNA binding', - 'def': 'Interacting selectively and non-covalently with DNA that contains a bubble. A bubble occurs when DNA contains a region of unpaired, single-stranded DNA flanked on both sides by regions of paired, double-stranded DNA. [GOC:elh, GOC:vw, PMID:16781730]' - }, - 'GO:0000406': { - 'name': 'double-strand/single-strand DNA junction binding', - 'def': 'Interacting selectively and non-covalently with a region of DNA that contains double-stranded DNA flanked by a region of single-stranded DNA. [GOC:elh, PMID:16781730]' - }, - 'GO:0000407': { - 'name': 'pre-autophagosomal structure', - 'def': 'A punctate structure localized in the vicinity of the vacuole that is required for the formation of autophagosomes. [GOC:elh, PMID:11689437, PMID:12048214, PMID:12554655]' - }, - 'GO:0000408': { - 'name': 'EKC/KEOPS complex', - 'def': 'A protein complex involved in t6A tRNA modification; originally proposed to be involved in transcription as well as promoting telomere uncapping and telomere elongation. For example, in Saccharomyces cerevisiae the complex contains Bud32p, Kae1p, Gon7p, Cgi121p, and Pcc1p. [GOC:elh, GOC:vw, PMID:16564010, PMID:16874308, PMID:21183954, PMID:23945934]' - }, - 'GO:0000409': { - 'name': 'regulation of transcription by galactose', - 'def': 'Any process involving galactose that modulates the frequency, rate or extent or transcription. [GOC:go_curators]' - }, - 'GO:0000410': { - 'name': 'negative regulation of transcription by galactose', - 'def': 'Any process involving galactose that stops, prevents or reduces the rate of transcription. [GOC:mah]' - }, - 'GO:0000411': { - 'name': 'positive regulation of transcription by galactose', - 'def': 'Any process involving galactose that activates or increases the rate of transcription. [GOC:go_curators]' - }, - 'GO:0000412': { - 'name': 'histone peptidyl-prolyl isomerization', - 'def': 'The modification of a histone by cis-trans isomerization of a proline residue. [GOC:krc]' - }, - 'GO:0000413': { - 'name': 'protein peptidyl-prolyl isomerization', - 'def': 'The modification of a protein by cis-trans isomerization of a proline residue. [GOC:krc, PMID:16959570]' - }, - 'GO:0000414': { - 'name': 'regulation of histone H3-K36 methylation', - 'def': 'Any process that modulates the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 36 of histone H3. [GOC:krc]' - }, - 'GO:0000415': { - 'name': 'negative regulation of histone H3-K36 methylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 36 of histone H3. [GOC:krc]' - }, - 'GO:0000416': { - 'name': 'positive regulation of histone H3-K36 methylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 36 of histone H3. [GOC:krc]' - }, - 'GO:0000417': { - 'name': 'HIR complex', - 'def': 'A protein complex proposed to be involved in replication-independent nucleosome assembly, by promoting histone deposition onto DNA. For example, in Saccharomyces, the complex contains Hir1p, Hir2p, Hir3p, and Hpc2p. [GOC:elh, GOC:mah, PMID:16303565, PMID:17180700]' - }, - 'GO:0000418': { - 'name': 'DNA-directed RNA polymerase IV complex', - 'def': 'RNA polymerase IV is a multisubunit RNA polymerase complex found in the nucleus of plants and involved in accumulation of siRNAs and in DNA methylation-dependent silencing of endogenous repeated sequences. Pol IV is composed of subunits that are paralogous or identical to the 12 subunits of Pol II. The largest and second-largest subunits of Pol IV are the catalytic subunits and share similarity with the corresponding subunits of other eukaryotic and bacterial multisubunit RNA polymerases. The second largest subunit is also found in RNA polymerase V, while the largest subunit is found only in RNAP IV complex. [GOC:krc, GOC:mtg_sensu, PMID:15692015, PMID:15766525, PMID:16140984, PMID:19110459]' - }, - 'GO:0000419': { - 'name': 'DNA-directed RNA polymerase V complex', - 'def': 'RNA polymerase V is a multisubunit RNA polymerase complex found in the nucleus of plants and involved in accumulation of siRNAs and in DNA methylation-dependent silencing of endogenous repeated sequences. Pol V is composed of subunits that are paralogous or identical to the 12 subunits of Pol II. Two large subunits comprise the most conserved portion including the catalytic site and share similarity with other eukaryotic and bacterial multisubunit RNA polymerases. The second largest subunit is also found in RNA polymerase IVa, while the largest subunit is found only in the IVa complex and contains an extended C-terminal domain (CTD) that includes multiple repeats of a 16 amino-acid consensus sequence as well as other sequences. The remainder of the complex is composed of smaller subunits. [GOC:krc, GOC:mtg_sensu, PMID:16140984, PMID:19110459]' - }, - 'GO:0000421': { - 'name': 'autophagosome membrane', - 'def': 'The lipid bilayer surrounding an autophagosome, a double-membrane-bounded vesicle in which endogenous cellular material is sequestered. [GOC:autophagy, GOC:isa_complete]' - }, - 'GO:0000422': { - 'name': 'mitophagy', - 'def': 'The autophagic process in which mitochondria are delivered to the vacuole and degraded in response to changing cellular conditions. [GOC:autophagy, PMID:15798367, PMID:19289147, PMID:23065344]' - }, - 'GO:0000423': { - 'name': 'macromitophagy', - 'def': 'Degradation of a mitochondrion by macroautophagy. [PMID:15798367]' - }, - 'GO:0000424': { - 'name': 'microautophagy of mitochondrion', - 'def': 'Degradation of a mitochondrion by lysosomal microautophagy. [PMID:15798367, PMID:27003723]' - }, - 'GO:0000425': { - 'name': 'macropexophagy', - 'def': 'Degradation of a peroxisome by macroautophagy. [GOC:autophagy, PMID:12914914, PMID:16973210]' - }, - 'GO:0000426': { - 'name': 'micropexophagy', - 'def': 'Degradation of a peroxisome by lysosomal microautophagy. [GOC:autophagy, GOC:pad, PMID:12914914, PMID:15350980, PMID:16973210]' - }, - 'GO:0000427': { - 'name': 'plastid-encoded plastid RNA polymerase complex', - 'def': 'An RNA polymerase complex containing polypeptides encoded by the plastid genome. Plastid-encoded DNA-directed RNA polymerases resemble eubacterial multisubunit RNA polymerases, with a core composed of alpha, beta, and beta-prime subunits. Some forms contain multiple additional subunits. An additional sigma factor subunit is required for promoter recognition. [GOC:krc, GOC:mah, GOC:pj]' - }, - 'GO:0000428': { - 'name': 'DNA-directed RNA polymerase complex', - 'def': 'A protein complex that possesses DNA-directed RNA polymerase activity. [GOC:krc]' - }, - 'GO:0000429': { - 'name': 'carbon catabolite regulation of transcription from RNA polymerase II promoter', - 'def': 'A transcription regulation process in which the presence of one carbon source leads to the modulation of the frequency, rate, or extent of transcription, from an RNA polymerase II promoter, of specific genes involved in the metabolism of other carbon sources. [GOC:krc, GOC:mah]' - }, - 'GO:0000430': { - 'name': 'regulation of transcription from RNA polymerase II promoter by glucose', - 'def': 'Any process involving glucose that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:krc]' - }, - 'GO:0000431': { - 'name': 'regulation of transcription from RNA polymerase II promoter by galactose', - 'def': 'Any process involving galactose that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:krc]' - }, - 'GO:0000432': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter by glucose', - 'def': 'Any process involving glucose that activates or increases the rate of transcription from an RNA polymerase II promoter. [GOC:krc]' - }, - 'GO:0000433': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter by glucose', - 'def': 'Any process involving glucose that stops, prevents or reduces the rate of transcription from an RNA polymerase II promoter. [GOC:krc]' - }, - 'GO:0000434': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter by galactose', - 'def': 'Any process involving galactose that stops, prevents or reduces the rate of transcription from an RNA polymerase II promoter. [GOC:krc]' - }, - 'GO:0000435': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter by galactose', - 'def': 'Any process involving galactose that activates or increases the rate of transcription from an RNA polymerase II promoter. [GOC:krc]' - }, - 'GO:0000436': { - 'name': 'carbon catabolite activation of transcription from RNA polymerase II promoter', - 'def': 'Any process involving carbon catabolites that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:krc]' - }, - 'GO:0000437': { - 'name': 'carbon catabolite repression of transcription from RNA polymerase II promoter', - 'def': 'A transcription regulation process in which the presence of one carbon source leads to a decrease in the frequency, rate, or extent of transcription, from an RNA polymerase II promoter, of specific genes involved in the metabolism of other carbon sources. [GOC:krc]' - }, - 'GO:0000438': { - 'name': 'core TFIIH complex portion of holo TFIIH complex', - 'def': 'The core TFIIH complex when it is part of the general transcription factor TFIIH. [GOC:ew, GOC:krc, PMID:14500720, PMID:22308316, PMID:22572993, PMID:7813015]' - }, - 'GO:0000439': { - 'name': 'core TFIIH complex', - 'def': 'The 7 subunit core of TFIIH that is a part of either the general transcription factor holo-TFIIH or the nucleotide-excision repair factor 3 complex. In S. cerevisiae/humans the complex is composed of: Ssl2/XPB, Tfb1/p62, Tfb2/p52, Ssl1/p44, Tfb4/p34, Tfb5/p8 and Rad3/XPD. [GOC:ew, GOC:krc, PMID:14500720, PMID:17215295, PMID:22308316, PMID:22572993, PMID:23028141, PMID:7813015]' - }, - 'GO:0000440': { - 'name': 'core TFIIH complex portion of NEF3 complex', - 'def': 'The core TFIIH complex when it is part of the nucleotide-excision repair factor 3 (NEF3). [GOC:ew, GOC:krc, PMID:14500720, PMID:22308316, PMID:22572993, PMID:7813015]' - }, - 'GO:0000444': { - 'name': 'MIS12/MIND type complex', - 'def': 'A multiprotein kinetochore subcomplex that binds to centromeric chromatin and forms part of the inner kinetochore. It helps to recruit outer kinetochore subunits that will bind to microtubules. In humans, it consists of MIS12, DSN1, NSL1 and PMF1. [GOC:krc, PMID:14633972, PMID:16585270]' - }, - 'GO:0000445': { - 'name': 'THO complex part of transcription export complex', - 'def': 'The THO complex when it is part of the TREX (TRanscription EXport) complex that is involved in coupling transcription to export of mRNAs to the cytoplasm. In S. cerevisiae, it is composed of four subunits: Hpr1, Tho2, Thp1, and Mft1, while the human complex is composed of 7 subunits. [GOC:krc, PMID:11060033, PMID:11979277, PMID:16983072]' - }, - 'GO:0000446': { - 'name': 'nucleoplasmic THO complex', - 'def': 'The THO complex when it is acting as a nuclear complex that is required for transcription elongation through genes containing tandemly repeated DNA sequences. In S. cerevisiae, it is composed of four subunits: Hpr1, Tho2, Thp2, and Mft1, while the human complex is composed of 7 subunits. [GOC:krc, GOC:se, PMID:11060033, PMID:11979277, PMID:16983072]' - }, - 'GO:0000447': { - 'name': 'endonucleolytic cleavage in ITS1 to separate SSU-rRNA from 5.8S rRNA and LSU-rRNA from tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)', - 'def': "Endonucleolytic cleavage between the SSU-rRNA and the 5.8S rRNA of an rRNA molecule originally produced as a tricistronic rRNA transcript that contained the Small SubUnit (SSU) rRNA, the 5.8S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. [GOC:curators, PMID:10690410]" - }, - 'GO:0000448': { - 'name': 'cleavage in ITS2 between 5.8S rRNA and LSU-rRNA of tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)', - 'def': "Endonucleolytic cleavage within ITS2 between the 5.8S rRNA and the LSU-rRNA of an rRNA molecule originally produced as a tricistronic rRNA transcript that contained the Small SubUnit (SSU) rRNA, the 5.8S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. [GOC:curators, PMID:10690410]" - }, - 'GO:0000449': { - 'name': 'endonucleolytic cleavage of tricistronic rRNA transcript (SSU-rRNA, LSU-rRNA, 5S)', - 'def': "Endonucleolytic cleavage of a pre-rRNA molecule originally produced as a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, the Large Subunit (LSU) rRNA, and the 5S rRNA, in that order, from 5' to 3' along the primary transcript. For example, primary ribosomal RNA transcripts containing three genes, in this order, are produced in E. coli and other prokaryotic species. Note that the use of the word tricistronic refers only to the number of mature rRNA molecules which will be produced from the primary transcript and ignores tRNAs that may also be present within the primary transcript. [GOC:curators]" - }, - 'GO:0000450': { - 'name': 'cleavage of bicistronic rRNA transcript (SSU-rRNA, LSU-rRNA)', - 'def': "Endonucleolytic cleavage of pre-rRNAs originally produced as a bicistronic rRNA transcript that contains the SSU-rRNA and the LSU-rRNA in that order from 5' to 3' along the primary transcript. Primary ribosomal RNA transcripts with two genes in this order are produced in Archaeal species. [GOC:curators]" - }, - 'GO:0000451': { - 'name': "rRNA 2'-O-methylation", - 'def': "The addition of a methyl group to the 2'-oxygen atom of a nucleotide residue in an rRNA molecule during ribosome biogenesis. [GOC:curators, ISBN:1555811337]" - }, - 'GO:0000452': { - 'name': "snoRNA guided rRNA 2'-O-methylation", - 'def': "The posttranscriptional addition of methyl groups to the 2'-oxygen atom of nucleotide residues in an rRNA molecule during ribosome biogenesis using a snoRNA guide that targets the position of methylation. [GOC:curators, ISBN:1555811337]" - }, - 'GO:0000453': { - 'name': "enzyme-directed rRNA 2'-O-methylation", - 'def': "The addition of methyl groups to the 2'-oxygen atom of nucleotide residues in an rRNA molecule during ribosome biogenesis where the methylase specifies the site that becomes methylated without using a guide RNA. [GOC:curators, ISBN:1555811337]" - }, - 'GO:0000454': { - 'name': 'snoRNA guided rRNA pseudouridine synthesis', - 'def': 'The intramolecular conversion of uridine to pseudouridine in an rRNA molecule during ribosome biogenesis using a snoRNA guide that targets the position of pseudouridylation. [GOC:curators, ISBN:1555811337]' - }, - 'GO:0000455': { - 'name': 'enzyme-directed rRNA pseudouridine synthesis', - 'def': 'The intramolecular conversion of uridine to pseudouridine during ribosome biogenesis where the enzyme specifies the site that becomes pseudouridylated without using a guide RNA. [GOC:curators, ISBN:1555811337]' - }, - 'GO:0000456': { - 'name': 'dimethylation involved in SSU-rRNA maturation', - 'def': "Dimethylation of the N6 amino groups of two consecutive adenosine residues near the 3'-end of the SSU rRNA. This process has been conserved from bacteria to eukaryotes. [GOC:curators, GOC:dph, GOC:tb, ISBN:1555811337]" - }, - 'GO:0000457': { - 'name': 'endonucleolytic cleavage between SSU-rRNA and LSU-rRNA of tricistronic rRNA transcript (SSU-rRNA, LSU-rRNA, 5S)', - 'def': "Endonucleolytic cleavage to separate a pre-SSU-rRNA from a pre-LSU-rRNA originally produced as a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, the Large Subunit (LSU) rRNA, and the 5S rRNA, in that order, from 5' to 3' along the primary transcript. Note that the use of the word tricistronic refers only to the number of mature rRNA molecules which will be produced from the primary transcript and ignores tRNAs that may also be present within the primary transcript. [GOC:curators]" - }, - 'GO:0000458': { - 'name': 'endonucleolytic cleavage between LSU-rRNA and 5S rRNA of tricistronic rRNA transcript (SSU-rRNA, LSU-rRNA, 5S)', - 'def': "Endonucleolytic cleavage to separate a pre-LSU-rRNA from a pre-5S rRNA originally produced as a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, the Large Subunit (LSU) rRNA, and the 5S rRNA, in that order, from 5' to 3' along the primary transcript. Note that the use of the word tricistronic refers only to the number of mature rRNA molecules which will be produced from the primary transcript and ignores tRNAs that may also be present within the primary transcript. [GOC:curators]" - }, - 'GO:0000459': { - 'name': 'exonucleolytic trimming involved in rRNA processing', - 'def': 'Exonucleolytic digestion of a pre-rRNA molecule in the process to generate a mature rRNA molecule. [GOC:curators]' - }, - 'GO:0000460': { - 'name': 'maturation of 5.8S rRNA', - 'def': 'Any process involved in the maturation of a precursor 5.8S ribosomal RNA (rRNA) molecule into a mature 5.8S rRNA molecule. [GOC:curators]' - }, - 'GO:0000461': { - 'name': "endonucleolytic cleavage to generate mature 3'-end of SSU-rRNA from (SSU-rRNA, 5.8S rRNA, LSU-rRNA)", - 'def': "Endonucleolytic cleavage at the 3'-end of the SSU-rRNA from an originally tricistronic rRNA transcript that contained the Small Subunit (SSU) rRNA, the 5.8S rRNA, and the Large Subunit (LSU) rRNA in that order from 5' to 3' along the primary transcript, to produce the mature end of the SSU-rRNA. [GOC:krc, PMID:10690410]" - }, - 'GO:0000462': { - 'name': 'maturation of SSU-rRNA from tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)', - 'def': "Any process involved in the maturation of a precursor Small SubUnit (SSU) ribosomal RNA (rRNA) molecule into a mature SSU-rRNA molecule from the pre-rRNA molecule originally produced as a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, 5.8S rRNA, and the Large Subunit (LSU) in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0000463': { - 'name': 'maturation of LSU-rRNA from tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)', - 'def': "Any process involved in the maturation of a precursor Large SubUnit (LSU) ribosomal RNA (rRNA) molecule into a mature LSU-rRNA molecule from the pre-rRNA molecule originally produced as a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, 5.8S rRNA, and Large Subunit (LSU) in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0000464': { - 'name': 'endonucleolytic cleavage in ITS1 upstream of 5.8S rRNA from tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)', - 'def': "Endonucleolytic cleavage within Internal Transcribed Spacer 1 (ITS1) upstream of the 5.8S rRNA derived from an originally tricistronic rRNA transcript that contained the Small Subunit (SSU) rRNA, the 5.8S rRNA, and the Large Subunit (LSU) rRNA in that order from 5' to 3' along the primary transcript. In S. cerevisiae, this endonucleolytic cleavage within ITS1 initiates the maturation of the LSU and the 5.8S rRNAs. [GOC:krc, PMID:10690410]" - }, - 'GO:0000465': { - 'name': "exonucleolytic trimming to generate mature 5'-end of 5.8S rRNA from tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)", - 'def': "Exonucleolytic digestion of a pre-rRNA molecule to generate the mature 5'-end of a 5.8S rRNA molecule derived from an originally tricistronic pre-rRNA transcript that contained the Small Subunit (SSU) rRNA, the 5.8S rRNA, and the Large Subunit (LSU) rRNA in that order from 5' to 3' along the primary transcript. [GOC:krc, PMID:10690410]" - }, - 'GO:0000466': { - 'name': 'maturation of 5.8S rRNA from tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)', - 'def': "Any process involved in the maturation of an rRNA molecule originally produced as part of a tricistronic rRNA transcript that contained the Small SubUnit (SSU) rRNA, the 5.8S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. [GOC:curators, PMID:10690410]" - }, - 'GO:0000467': { - 'name': "exonucleolytic trimming to generate mature 3'-end of 5.8S rRNA from tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)", - 'def': "Exonucleolytic digestion of a pre-rRNA molecule to generate the mature 3'-end of a 5.8S rRNA molecule derived from an originally tricistronic pre-rRNA transcript that contained the Small Subunit (SSU) rRNA, the 5.8S rRNA, and the Large Subunit (LSU) rRNA in that order from 5' to 3' along the primary transcript. [GOC:krc, PMID:10690410]" - }, - 'GO:0000468': { - 'name': "generation of mature 3'-end of LSU-rRNA from tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)", - 'def': "Any process involved in generating the mature 3'-end of an LSU-rRNA derived from a tricistronic rRNA transcript that contained the Small SubUnit (SSU) rRNA, the 5.8S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. [GOC:krc, PMID:10690410]" - }, - 'GO:0000469': { - 'name': 'cleavage involved in rRNA processing', - 'def': 'Any phosphodiester bond hydrolysis involved in the conversion of a primary ribosomal RNA (rRNA) transcript into a mature rRNA molecule. [GOC:curators]' - }, - 'GO:0000470': { - 'name': 'maturation of LSU-rRNA', - 'def': 'Any process involved in the maturation of a precursor Large SubUnit (LSU) ribosomal RNA (rRNA) molecule into a mature LSU-rRNA molecule. [GOC:curators]' - }, - 'GO:0000471': { - 'name': "endonucleolytic cleavage in 3'-ETS of tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)", - 'def': "Endonucleolytic cleavage within the 3'-External Transcribed Spacer (ETS) of a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, the 5.8S rRNA, and the Large Subunit (LSU) rRNA in that order from 5' to 3' along the primary transcript. In S. cerevisiae, endonucleolytic cleavage within the 3'-ETS of the pre-RNA, which may occur cotranscriptionally, is the first step in rRNA processing, and initiates a cascade of subsequent processing and modification events. [GOC:krc, PMID:10690410]" - }, - 'GO:0000472': { - 'name': "endonucleolytic cleavage to generate mature 5'-end of SSU-rRNA from (SSU-rRNA, 5.8S rRNA, LSU-rRNA)", - 'def': "Endonucleolytic cleavage between the 5'-External Transcribed Spacer (5'-ETS) and the 5' end of the SSU-rRNA of a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, the 5.8S rRNA, and the Large Subunit (LSU) rRNA in that order from 5' to 3' along the primary transcript, to produce the mature end of the SSU-rRNA. [GOC:curators, PMID:10690410]" - }, - 'GO:0000473': { - 'name': 'maturation of LSU-rRNA from tetracistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, 2S rRNA, LSU-rRNA)', - 'def': "Any process involved in the maturation of a precursor Large SubUnit (LSU) ribosomal RNA (rRNA) molecule into a mature LSU-rRNA molecule from the pre-rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, 5.8 S rRNA, 2S rRNA, and Large Subunit (LSU) in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0000474': { - 'name': 'maturation of SSU-rRNA from tetracistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, 2S rRNA, LSU-rRNA)', - 'def': "Any process involved in the maturation of a precursor Small SubUnit (SSU) ribosomal RNA (rRNA) molecule into a mature SSU-rRNA molecule from the pre-rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, 5.8 S rRNA, 2S rRNA, and Large Subunit (LSU) in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0000475': { - 'name': 'maturation of 2S rRNA', - 'def': 'Any process involved in the maturation of a precursor 2S ribosomal RNA (rRNA) molecule into a mature 2S rRNA molecule. [GOC:curators]' - }, - 'GO:0000476': { - 'name': 'maturation of 4.5S rRNA', - 'def': 'Any process involved in the maturation of a precursor 4.5S ribosomal RNA (rRNA) molecule into a mature 4.5S rRNA molecule. [GOC:curators]' - }, - 'GO:0000477': { - 'name': "generation of mature 5'-end of LSU-rRNA from tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)", - 'def': "Cleavage within ITS2 to generate the mature 5'-end of an LSU-rRNA derived from a tricistronic rRNA transcript that contained the Small SubUnit (SSU) rRNA, the 5.8S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. [GOC:curators, PMID:10690410]" - }, - 'GO:0000478': { - 'name': 'endonucleolytic cleavage involved in rRNA processing', - 'def': 'Any endonucleolytic cleavage involved in the conversion of a primary ribosomal RNA (rRNA) transcript into a mature rRNA molecule. Some endonucleolytic cleavages produce the mature end, while others are a step in the process of generating the mature end from the pre-rRNA. [GOC:krc, PMID:10690410]' - }, - 'GO:0000479': { - 'name': 'endonucleolytic cleavage of tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)', - 'def': "Endonucleolytic cleavage of a pre-rRNA molecule originally produced as a tricistronic rRNA transcript that contains the Small SubUnit (SSU) rRNA, the 5.8S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. Primary ribosomal RNA transcripts with three genes, in this order, are produced in the nuclei of many eukaryotic species, including S. cerevisiae. [GOC:curators, PMID:10690410]" - }, - 'GO:0000480': { - 'name': "endonucleolytic cleavage in 5'-ETS of tricistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)", - 'def': "Endonucleolytic cleavage within the 5'-External Transcribed Spacer (ETS) of a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, the 5.8S rRNA, and the Large Subunit (LSU) rRNA in that order from 5' to 3' along the primary transcript. Endonucleolytic cleavage within the 5'-ETS of the pre-RNA is conserved as one of the early steps of rRNA processing in all eukaryotes, but the specific position of cleavage is variable. [GOC:curators, PMID:10690410, PMID:15282326]" - }, - 'GO:0000481': { - 'name': 'maturation of 5S rRNA', - 'def': 'Any process involved in the maturation of a precursor 5S ribosomal RNA (rRNA) molecule into a mature 5S rRNA molecule. [GOC:curators]' - }, - 'GO:0000482': { - 'name': 'maturation of 5S rRNA from tetracistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, LSU-rRNA)', - 'def': "Any process involved in the maturation of a precursor 5S ribosomal RNA (rRNA) molecule into a mature 5S rRNA molecule from the pre-rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, Large Subunit (LSU) the 4.5S rRNA, and the 5S rRNA in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0000483': { - 'name': 'endonucleolytic cleavage of tetracistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, 2S rRNA, LSU-rRNA)', - 'def': "Endonucleolytic cleavage of a pre-rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small SubUnit (SSU) rRNA, the 5.8S rRNA, 2S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. Primary ribosomal RNA transcripts with four genes, in this order, are produced in the nuclei of D. melanogaster as well as in those of other dipteran species. [GOC:curators]" - }, - 'GO:0000484': { - 'name': 'cleavage between SSU-rRNA and 5.8S rRNA of tetracistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, 2S rRNA, LSU-rRNA)', - 'def': "Endonucleolytic cleavage between the SSU-rRNA and the 5.8S rRNA of an rRNA molecule originally produced as a tetracistronic rRNA transcript that contained the Small SubUnit (SSU) rRNA, the 5.8S rRNA, 2S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0000485': { - 'name': 'cleavage between 2S rRNA and LSU-rRNA of tetracistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, 2S rRNA, LSU-rRNA)', - 'def': "Endonucleolytic cleavage between the LSU-rRNA and the 2S rRNA of an rRNA molecule originally produced as a tetracistronic rRNA transcript that contained the Small SubUnit (SSU) rRNA, the 5.8S rRNA, 2S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. [GOC:curators, PMID:768488]" - }, - 'GO:0000486': { - 'name': 'cleavage between 5.8S rRNA and 2S rRNA of tetracistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, 2S rRNA, LSU-rRNA)', - 'def': "Endonucleolytic cleavage between the 5.8S rRNA and the 2S rRNA of an rRNA molecule originally produced as a tetracistronic rRNA transcript that contained the Small SubUnit (SSU) rRNA, the 5.8S rRNA, 2S rRNA, and the Large SubUnit (LSU) rRNA, in that order, from 5' to 3' along the primary transcript. [GOC:curators, PMID:768488]" - }, - 'GO:0000487': { - 'name': 'maturation of 5.8S rRNA from tetracistronic rRNA transcript (SSU-rRNA, 5.8S rRNA, 2S rRNA, LSU-rRNA)', - 'def': "Any process involved in the maturation of a precursor 5.8S ribosomal RNA (rRNA) molecule into a mature 5.8S rRNA molecule from the pre-rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, the 8.8S rRNA, the 2S rRNA, and the Large Subunit (LSU) in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0000488': { - 'name': 'maturation of LSU-rRNA from tetracistronic rRNA transcript (SSU-rRNA, LSU-rRNA, 4.5S-rRNA, 5S-rRNA)', - 'def': "Any process involved in the maturation of a precursor Large SubUnit (LSU) ribosomal RNA (rRNA) molecule into a mature LSU-rRNA molecule from the pre-rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, Large Subunit (LSU) the 4.5S rRNA, and the 5S rRNA in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0000489': { - 'name': 'maturation of SSU-rRNA from tetracistronic rRNA transcript (SSU-rRNA, LSU-rRNA, 4.5S-rRNA, 5S-rRNA)', - 'def': "Any process involved in the maturation of a precursor Small SubUnit (SSU) ribosomal RNA (rRNA) molecule into a mature SSU-rRNA molecule from the pre-rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, Large Subunit (LSU) the 4.5S rRNA, and the 5S rRNA in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0000491': { - 'name': 'small nucleolar ribonucleoprotein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and a snoRNA to form a small nucleolar ribonucleoprotein (snoRNP) complex. [GOC:krc]' - }, - 'GO:0000492': { - 'name': 'box C/D snoRNP assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and a box C/D snoRNA to form a box C/D small nucleolar ribonucleoprotein (snoRNP) complex. [GOC:krc]' - }, - 'GO:0000493': { - 'name': 'box H/ACA snoRNP assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and a box H/ACA snoRNA to form a box H/ACA small nucleolar ribonucleoprotein (snoRNP) complex. [GOC:krc, PMID:12515383]' - }, - 'GO:0000494': { - 'name': "box C/D snoRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a box C/D snoRNA molecule. [GOC:krc]" - }, - 'GO:0000495': { - 'name': "box H/ACA snoRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a box H/ACA snoRNA molecule. [GOC:krc]" - }, - 'GO:0000496': { - 'name': 'base pairing', - 'def': 'Interacting selectively and non-covalently with nucleic acid via hydrogen bonds between the bases of a gene product molecule and the bases of a target nucleic acid molecule. [GOC:krc]' - }, - 'GO:0000497': { - 'name': 'base pairing with DNA', - 'def': 'Interacting selectively and non-covalently with nucleic acid via hydrogen bonds between the bases of a gene product molecule and the bases of a target DNA molecule. [GOC:krc]' - }, - 'GO:0000498': { - 'name': 'base pairing with RNA', - 'def': 'Interacting selectively and non-covalently with ribonucleic acid (RNA) via hydrogen bonds between the bases of a gene product molecule and the bases of a target RNA molecule. [GOC:krc]' - }, - 'GO:0000499': { - 'name': 'base pairing with mRNA', - 'def': 'Interacting selectively and non-covalently with messenger ribonucleic acid (mRNA) via hydrogen bonds between the bases of a gene product molecule and the bases of a target mRNA molecule. [GOC:krc]' - }, - 'GO:0000500': { - 'name': 'RNA polymerase I upstream activating factor complex', - 'def': 'A complex required for the transcription of rDNA by RNA polymerase I. In yeast the complex consists of Rrrn5p, Rrn9p, Rrn10p, histones H3 and H4, and Uaf30p. [PMID:11500378]' - }, - 'GO:0000501': { - 'name': 'flocculation via cell wall protein-carbohydrate interaction', - 'def': 'The reversible, non-sexual aggregation of cells mediated by the binding of proteins in the cell wall of one cell to carbohydrates in the cell wall of another cell. An example of this process is found in Saccharomyces cerevisiae, in which it is pH- and calcium-dependent. [GOC:mcc, GOC:sgd_curators, GOC:vw, PMID:21114594]' - }, - 'GO:0000502': { - 'name': 'proteasome complex', - 'def': 'A large multisubunit complex which catalyzes protein degradation, found in eukaryotes, archaea and some bacteria. In eukaryotes, this complex consists of the barrel shaped proteasome core complex and one or two associated proteins or complexes that act in regulating entry into or exit from the core. [GOC:rb, http://en.wikipedia.org/wiki/Proteasome]' - }, - 'GO:0000504': { - 'name': 'obsolete proteasome regulatory particle (sensu Bacteria)', - 'def': 'OBSOLETE. A multisubunit complex that recognizes and unfolds ubiquitinated proteins, and translocates them to the core complex in an ATP dependent manner. As in, but not restricted to, the taxon Bacteria (Bacteria, ncbi_taxonomy_id:2). [GOC:rb]' - }, - 'GO:0000506': { - 'name': 'glycosylphosphatidylinositol-N-acetylglucosaminyltransferase (GPI-GnT) complex', - 'def': 'An enzyme complex that catalyzes the transfer of GlcNAc from UDP-GlcNAc to an acceptor phosphatidylinositol, the first step in the production of GPI anchors for cell surface proteins. The complex contains PIG-A, PIG-C, PIG-H, PIG-Q, PIG-P, and DPM2 in human, and Eri1p, Gpi1p, Gpi2p, Gpi15p, Gpi19p, and Spt14p in budding yeast. [GOC:kp, GOC:rb, PMID:10944123, PMID:15163411]' - }, - 'GO:0000578': { - 'name': 'embryonic axis specification', - 'def': 'The establishment, maintenance and elaboration of a pattern along a line or a point in an embryo. [GOC:dph, GOC:go_curators, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0000700': { - 'name': 'mismatch base pair DNA N-glycosylase activity', - 'def': "Catalysis of the removal of single bases present in mismatches by the cleavage the N-C1' glycosidic bond between the target damaged DNA base and the deoxyribose sugar. The reaction releases a free base and leaves an apurinic/apyrimidinic (AP) site. [GOC:elh, PMID:9224623]" - }, - 'GO:0000701': { - 'name': 'purine-specific mismatch base pair DNA N-glycosylase activity', - 'def': "Catalysis of the removal of purines present in mismatches, especially opposite oxidized purines, by cleaving the N-C1' glycosidic bond between the target damaged DNA base and the deoxyribose sugar. The reaction releases a free base and leaves an apurinic (AP) site. [GOC:elh, PMID:9224623]" - }, - 'GO:0000702': { - 'name': 'oxidized base lesion DNA N-glycosylase activity', - 'def': "Catalysis of the removal of oxidized bases by cleaving the N-C1' glycosidic bond between the target damaged DNA base and the deoxyribose sugar. The reaction releases a free base and leaves an apurinic/apyrimidinic (AP) site. [GOC:elh, PMID:11554296]" - }, - 'GO:0000703': { - 'name': 'oxidized pyrimidine nucleobase lesion DNA N-glycosylase activity', - 'def': "Catalysis of the removal oxidized pyrimidine bases by cleaving the N-C1' glycosidic bond between the oxidized pyrimidine and the deoxyribose sugar. The reaction involves formation of a covalent enzyme-pyrimidine base intermediate. Release of the enzyme and free base by a beta-elimination or a beta, gamma-elimination mechanism results in the cleavage of the DNA backbone 3' of the apyrimidinic (AP) site. [GOC:elh, PMID:11554296]" - }, - 'GO:0000704': { - 'name': 'pyrimidine dimer DNA N-glycosylase activity', - 'def': "Catalysis of the removal of pyrimidine dimers by removing the 5' pyrimidine of the dimer by cleaving the N-C1' glycosidic bond between the 5' pyrimidine of the dimer and the deoxyribose sugar. The reaction releases the 5' pyrimidine of the dimer and leaves an apurinic (AP) site. The reaction involves the formation of a covalent enzyme substrate intermediate. Release of the enzyme and free base by a beta-elimination or a beta, gamma-elimination mechanism results in the cleavage of the DNA backbone 3' of the apyrimidinic (AP) site. [GOC:elh, PMID:9224623]" - }, - 'GO:0000705': { - 'name': 'achiasmate meiosis I', - 'def': 'The first division of meiosis in which homologous chromosomes are paired and segregated from each other, occurring in the constitutive absence of chiasmata. [GOC:elh, GOC:sart, PMID:10690419]' - }, - 'GO:0000706': { - 'name': 'meiotic DNA double-strand break processing', - 'def': "The cell cycle process in which the 5' to 3' exonucleolytic resection of the DNA at the site of the break to form a 3' single-strand DNA overhang occurs. This takes place during meiosis. [GOC:elh, PMID:9334324]" - }, - 'GO:0000707': { - 'name': 'meiotic DNA recombinase assembly', - 'def': 'During meiosis, the aggregation, arrangement and bonding together of strand exchange proteins (recombinases) to form higher order oligomers on single-stranded DNA. [GOC:elh, PMID:11459983]' - }, - 'GO:0000708': { - 'name': 'meiotic strand invasion', - 'def': 'The cell cycle process in which the nucleoprotein complex (composed of the broken single-strand DNA and the recombinase) searches and identifies a region of homology in intact duplex DNA. The broken single-strand DNA displaces the like strand and forms Watson-Crick base pairs with its complement, forming a duplex in which each strand is from one of the two recombining DNA molecules. This occurs during meiosis. [GOC:elh, PMID:10915877]' - }, - 'GO:0000709': { - 'name': 'meiotic joint molecule formation', - 'def': 'The conversion of the paired broken DNA and homologous duplex DNA into a four-stranded branched intermediate, known as a joint molecule, formed during meiotic recombination. These joint molecules contain Holliday junctions on either side of heteroduplex DNA. [GOC:elh, PMID:8521495]' - }, - 'GO:0000710': { - 'name': 'meiotic mismatch repair', - 'def': 'A system for the identification and correction of base-base mismatches, small insertion-deletion loops, and regions of heterology that are present in duplex DNA formed with strands from two recombining molecules. Correction of the mismatch can result in non-Mendelian segregation of alleles following meiosis. [GOC:elh, PMID:10357855]' - }, - 'GO:0000711': { - 'name': 'meiotic DNA repair synthesis', - 'def': "During meiosis, the synthesis of DNA proceeding from the broken 3' single-strand DNA end that uses the homologous intact duplex as the template. [GOC:elh, PMID:9334324]" - }, - 'GO:0000712': { - 'name': 'resolution of meiotic recombination intermediates', - 'def': 'The cleavage and rejoining of intermediates, such as Holliday junctions, formed during meiotic recombination to produce two intact molecules in which genetic material has been exchanged. [GOC:elh, PMID:11733053]' - }, - 'GO:0000713': { - 'name': 'meiotic heteroduplex formation', - 'def': 'During meiosis, the formation of a stable duplex DNA that contains one strand from each of the two recombining DNA molecules. [GOC:elh, PMID:9334324]' - }, - 'GO:0000714': { - 'name': 'meiotic strand displacement', - 'def': "The cell cycle process in which the broken 3' single-strand DNA molecule that formed heteroduplex DNA with its complement in an intact duplex DNA is rejected. The Watson-Crick base pairing in the original duplex is restored. The rejected 3' single-strand DNA molecule reanneals with its original complement to reform two intact duplex molecules. This occurs during meiosis. [GOC:elh, PMID:10357855]" - }, - 'GO:0000715': { - 'name': 'nucleotide-excision repair, DNA damage recognition', - 'def': 'The identification of lesions in DNA, such as pyrimidine-dimers, intrastrand cross-links, and bulky adducts. The wide range of substrate specificity suggests the repair complex recognizes distortions in the DNA helix. [GOC:elh, PMID:10197977]' - }, - 'GO:0000716': { - 'name': 'transcription-coupled nucleotide-excision repair, DNA damage recognition', - 'def': 'The identification of lesions on the actively transcribed strand of the DNA duplex as well as a small subset of lesions not recognized by the general nucleotide-excision repair pathway. [GOC:elh, PMID:10197977]' - }, - 'GO:0000717': { - 'name': 'nucleotide-excision repair, DNA duplex unwinding', - 'def': 'The unwinding, or local denaturation, of the DNA duplex to create a bubble around the site of the DNA damage. [GOC:elh, PMID:10197977]' - }, - 'GO:0000718': { - 'name': 'nucleotide-excision repair, DNA damage removal', - 'def': 'The removal of the oligonucleotide that contains the DNA damage. The oligonucleotide is formed by dual incisions that flank the site of DNA damage. [GOC:elh, PMID:10197977]' - }, - 'GO:0000719': { - 'name': 'photoreactive repair', - 'def': 'The repair of UV-induced T-T, C-T and C-C dimers by directly reversing the damage to restore the original pyrimidines. [GOC:elh, PMID:10915863]' - }, - 'GO:0000720': { - 'name': 'pyrimidine dimer repair by nucleotide-excision repair', - 'def': 'The repair of UV-induced T-T, C-T, and C-C dimers by the recognition and removal of the damaged DNA strand from the DNA helix as an oligonucleotide. The small gap left in the DNA helix is filled in by the sequential action of DNA polymerase and DNA ligase. [GOC:elh]' - }, - 'GO:0000721': { - 'name': '(R,R)-butanediol dehydrogenase activity', - 'def': 'Catalysis of the reversible reaction: (R,R)-butane-2,3-diol + NAD+ = (R)-acetoin + NADH + H(+). [EC:1.1.1.4]' - }, - 'GO:0000722': { - 'name': 'telomere maintenance via recombination', - 'def': 'Any recombinational process that contributes to the maintenance of proper telomeric length. [GOC:elh, PMID:11850777]' - }, - 'GO:0000723': { - 'name': 'telomere maintenance', - 'def': 'Any process that contributes to the maintenance of proper telomeric length and structure by affecting and monitoring the activity of telomeric proteins, the length of telomeric DNA and the replication and repair of the DNA. These processes includes those that shorten, lengthen, replicate and repair the telomeric DNA sequences. [GOC:BHF, GOC:BHF_telomere, GOC:elh, GOC:rl, PMID:11092831]' - }, - 'GO:0000724': { - 'name': 'double-strand break repair via homologous recombination', - 'def': 'The error-free repair of a double-strand break in DNA in which the broken DNA molecule is repaired using homologous sequences. A strand in the broken DNA searches for a homologous region in an intact chromosome to serve as the template for DNA synthesis. The restoration of two intact DNA molecules results in the exchange, reciprocal or nonreciprocal, of genetic material between the intact DNA molecule and the broken DNA molecule. [GOC:elh, PMID:10357855]' - }, - 'GO:0000725': { - 'name': 'recombinational repair', - 'def': 'A DNA repair process that involves the exchange, reciprocal or nonreciprocal, of genetic material between the broken DNA molecule and a homologous region of DNA. [GOC:elh]' - }, - 'GO:0000726': { - 'name': 'non-recombinational repair', - 'def': 'A DNA repair process in which that does not require the exchange of genetic material between the broken DNA molecule and a homologous region of DNA. [GOC:elh]' - }, - 'GO:0000727': { - 'name': 'double-strand break repair via break-induced replication', - 'def': "The error-free repair of a double-strand break in DNA in which the centromere-proximal end of a broken chromosome searches for a homologous region in an intact chromosome. DNA synthesis initiates from the 3' end of the invading DNA strand, using the intact chromosome as the template, and progresses to the end of the chromosome. [GOC:elh, PMID:10357855]" - }, - 'GO:0000728': { - 'name': 'gene conversion at mating-type locus, DNA double-strand break formation', - 'def': 'The site-specific endonucleolytic cleavage of DNA at the mating-type locus which initiates the conversion of one mating-type allele to another. [GOC:elh, PMID:7646483]' - }, - 'GO:0000729': { - 'name': 'DNA double-strand break processing', - 'def': "The 5' to 3' exonucleolytic resection of the DNA at the site of the break to form a 3' single-strand DNA overhang. [PMID:10357855]" - }, - 'GO:0000730': { - 'name': 'DNA recombinase assembly', - 'def': 'The aggregation, arrangement and bonding together of strand exchange proteins (recombinases) into higher order oligomers on single-stranded DNA. [PMID:10357855]' - }, - 'GO:0000731': { - 'name': 'DNA synthesis involved in DNA repair', - 'def': "Synthesis of DNA that proceeds from the broken 3' single-strand DNA end and uses the homologous intact duplex as the template. [PMID:10357855]" - }, - 'GO:0000732': { - 'name': 'strand displacement', - 'def': "The rejection of the broken 3' single-strand DNA molecule that formed heteroduplex DNA with its complement in an intact duplex DNA. The Watson-Crick base pairing in the original duplex is restored. The rejected 3' single-strand DNA molecule reanneals with its original complement to reform two intact duplex molecules. [PMID:10357855]" - }, - 'GO:0000733': { - 'name': 'DNA strand renaturation', - 'def': 'The identification and annealing of complementary base pairs in single-strand DNA. [GOC:elh]' - }, - 'GO:0000734': { - 'name': 'gene conversion at mating-type locus, DNA repair synthesis', - 'def': "Synthesis of DNA that proceeds from the broken 3' single-strand DNA end uses the homologous intact duplex as the template during gene conversion at the mating-type locus. [GOC:elh]" - }, - 'GO:0000735': { - 'name': 'removal of nonhomologous ends', - 'def': "The removal of nonhomologous sequences at the broken 3' single-strand DNA end before DNA repair synthesis can occur. [PMID:10357855]" - }, - 'GO:0000736': { - 'name': 'double-strand break repair via single-strand annealing, removal of nonhomologous ends', - 'def': "During DSBR via single-strand annealing, the removal of nonhomologous sequences at the broken 3' single-strand DNA end before DNA repair synthesis can occur. [PMID:10357855]" - }, - 'GO:0000737': { - 'name': 'DNA catabolic process, endonucleolytic', - 'def': "The chemical reactions and pathways resulting in the breakdown of DNA, involving the hydrolysis of internal 3',5'-phosphodiester bonds in one or two strands of deoxyribonucleotides. [GOC:elh, GOC:mah]" - }, - 'GO:0000738': { - 'name': 'DNA catabolic process, exonucleolytic', - 'def': "The chemical reactions and pathways resulting in the breakdown of DNA, involving the hydrolysis of terminal 3',5'-phosphodiester bonds in one or two strands of deoxyribonucleotides. [GOC:elh, GOC:mah]" - }, - 'GO:0000739': { - 'name': 'obsolete DNA strand annealing activity', - 'def': 'OBSOLETE. Facilitates the base-pairing of complementary single-stranded DNA. [GOC:elh]' - }, - 'GO:0000740': { - 'name': 'nuclear membrane fusion', - 'def': 'The joining of 2 or more lipid bilayer membranes that surround the nucleus. [GOC:elh]' - }, - 'GO:0000741': { - 'name': 'karyogamy', - 'def': 'The creation of a single nucleus from multiple nuclei as a result of fusing the lipid bilayers that surround each nuclei. [GOC:elh]' - }, - 'GO:0000742': { - 'name': 'karyogamy involved in conjugation with cellular fusion', - 'def': 'During sexual reproduction, the creation of a single nucleus from multiple nuclei as a result of fusing the lipid bilayers that surround each nuclei. This occurs after cytogamy. [GOC:elh]' - }, - 'GO:0000743': { - 'name': 'nuclear migration involved in conjugation with cellular fusion', - 'def': 'The microtubule-based movement of nuclei towards one another as a prelude to karyogamy in organisms undergoing conjugation with cellular fusion. [GOC:clt, GOC:vw, PMID:16380440]' - }, - 'GO:0000744': { - 'name': 'karyogamy involved in conjugation with mutual genetic exchange', - 'def': 'During sexual reproduction, the creation of a single nucleus from multiple nuclei as a result of fusing the lipid bilayers that surround each nuclei. This occurs after the mutual exchange of nuclei. [GOC:elh]' - }, - 'GO:0000745': { - 'name': 'nuclear migration involved in conjugation with mutual genetic exchange', - 'def': 'The net movement of nuclei towards one another, leading to the bilateral transfer of genetic material in organisms undergoing conjugation without cellular fusion. [GOC:clt, GOC:mah]' - }, - 'GO:0000746': { - 'name': 'conjugation', - 'def': 'The union or introduction of genetic information from compatible mating types that results in a genetically different individual. Conjugation requires direct cellular contact between the organisms. [GOC:elh]' - }, - 'GO:0000747': { - 'name': 'conjugation with cellular fusion', - 'def': 'A conjugation process that results in the union of cellular and genetic information from compatible mating types. An example of this process is found in Saccharomyces cerevisiae. [GOC:elh]' - }, - 'GO:0000748': { - 'name': 'conjugation with mutual genetic exchange', - 'def': 'A conjugation process that results in the mutual exchange and union of only genetic information between compatible mating types. Conjugation without cellular fusion requires direct cellular contact between the organisms without plasma membrane fusion. The organisms involved in conjugation without cellular fusion separate after nuclear exchange. [GOC:elh]' - }, - 'GO:0000749': { - 'name': 'response to pheromone involved in conjugation with cellular fusion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pheromone stimulus that contributes to the process of conjugation with cellular fusion. An example of this process is found in Saccharomyces cerevisiae. [GOC:clt]' - }, - 'GO:0000750': { - 'name': 'pheromone-dependent signal transduction involved in conjugation with cellular fusion', - 'def': 'A signal transduction process resulting in the relay, amplification or dampening of a signal generated in response to pheromone exposure in organisms that undergo conjugation with cellular fusion. An example of this process is found in Saccharomyces cerevisiae. [GOC:clt]' - }, - 'GO:0000751': { - 'name': 'mitotic cell cycle G1 arrest in response to pheromone', - 'def': 'The cell cycle regulatory process in which the mitotic cell cycle is halted during G1 as a result of a pheromone stimulus. An example of this process is found in Saccharomyces cerevisiae. [GOC:clt, GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0000752': { - 'name': 'agglutination involved in conjugation with cellular fusion', - 'def': 'During conjugation with cellular fusion, the aggregation or adhesion of compatible mating types via complementary cell-cell interactions. An example of this process is agglutination in Saccharomyces cerevisiae. [GOC:elh]' - }, - 'GO:0000753': { - 'name': 'cell morphogenesis involved in conjugation with cellular fusion', - 'def': 'The change in form (cell shape and size) that occurs during sexual reproduction in order to facilitate direct contact between the compatible mating types in organisms that undergo conjugation cellular fusion. [GOC:clt]' - }, - 'GO:0000754': { - 'name': 'adaptation of signaling pathway by response to pheromone involved in conjugation with cellular fusion', - 'def': 'In organisms that undergo conjugation with cellular fusion, the process resulting in desensitization following exposure to pheromone stimulus that act to down-regulate further stimulation or block initial conjugation responses. An example of this is the adaptation to pheromone during conjugation with cellular fusion in Saccharomyces cerevisiae. [GOC:clt]' - }, - 'GO:0000755': { - 'name': 'cytogamy', - 'def': 'During conjugation with cellular fusion, the process resulting in creating a single cell from complementary mating types. The localized remodeling and dissolution of external protective structures allow the fusion of the plasma membranes and cytoplasmic mixing. An example of this process is found in Saccharomyces cerevisiae. [GOC:elh]' - }, - 'GO:0000756': { - 'name': 'response to pheromone involved in conjugation with mutual genetic exchange', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pheromone stimulus during the process of conjugation without cellular fusion. [GOC:clt]' - }, - 'GO:0000757': { - 'name': 'signal transduction involved in conjugation with mutual genetic exchange', - 'def': 'A signal transduction process resulting in the relay, amplification or dampening of a signal generated in response to pheromone exposure in organisms that undergo conjugation without cellular fusion. [GOC:clt]' - }, - 'GO:0000758': { - 'name': 'agglutination involved in conjugation with mutual genetic exchange', - 'def': 'During conjugation without cellular fusion, the aggregation or adhesion of compatible mating types via complementary cell-cell interactions. [GOC:elh]' - }, - 'GO:0000759': { - 'name': 'cell morphogenesis involved in conjugation with mutual genetic exchange', - 'def': 'The change in form (cell shape and size) that occurs during sexual reproduction in order to facilitate direct contact between the compatible mating types in organisms that undergo conjugation without cellular fusion. [GOC:clt]' - }, - 'GO:0000760': { - 'name': 'adaptation to pheromone involved in conjugation with mutual genetic exchange', - 'def': 'In organisms that undergo conjugation without cellular fusion, the process resulting in desensitization following exposure to pheromone stimulus that act to down-regulate further stimulation or block initial conjugation responses. [GOC:clt]' - }, - 'GO:0000761': { - 'name': 'conjugant formation', - 'def': 'During conjugation without cellular fusion, the process that results in pairing complementary mating types. Localized morphological, cytological, and cytoskeletal changes connect the mating types without cytoplasmic mixing. [GOC:elh]' - }, - 'GO:0000762': { - 'name': 'pheromone-induced unidirectional conjugation', - 'def': "The process of unidirectional (polarized) transfer of genetic information in response to a pheromone. It involves direct cellular contact between a donor and recipient cell; the contact is followed by the formation of a cellular bridge that physically connects the cells; some or all of the chromosome(s) of one cell ('male') is then transferred into the other cell ('female'); unidirectional conjugation occurs between cells of different mating types. [GOC:elh]" - }, - 'GO:0000763': { - 'name': 'obsolete cell morphogenesis involved in unidirectional conjugation', - 'def': 'OBSOLETE. The change in form (cell shape and size) that occurs during sexual reproduction in order to facilitate direct contact between the compatible mating types in organisms that undergo unidirectional conjugation. [GOC:clt]' - }, - 'GO:0000764': { - 'name': 'obsolete cellular morphogenesis involved in pheromone-induced unidirectional conjugation', - 'def': 'OBSOLETE. The change in form (cell shape and size) that contributes to sexual reproduction in order to facilitate direct contact between the compatible mating types in organisms that undergo pheromone-induced unidirectional conjugation. [GOC:clt]' - }, - 'GO:0000765': { - 'name': 'response to pheromone involved in pheromone-induced unidirectional conjugation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pheromone stimulus that contributes to the process of pheromone-induced unidirectional conjugation. [GOC:clt]' - }, - 'GO:0000766': { - 'name': 'negative adaptation of signaling pathway by response to pheromone involved in pheromone-induced unidirectional conjugation', - 'def': 'In organisms that undergo pheromone-induced unidirectional conjugation, the process involved in desensitization following exposure to pheromone stimulus that acts to down-regulate further stimulation or block initial conjugation responses. [GOC:clt]' - }, - 'GO:0000767': { - 'name': 'cell morphogenesis involved in conjugation', - 'def': 'The change in form (cell shape and size) that occurs during sexual reproduction in order to facilitate direct contact between the compatible mating types. [GOC:elh]' - }, - 'GO:0000768': { - 'name': 'syncytium formation by plasma membrane fusion', - 'def': 'The formation of a syncytium, a mass of cytoplasm containing several nuclei enclosed within a single plasma membrane, by the fusion of the plasma membranes of two or more individual cells. [GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0000769': { - 'name': 'syncytium formation by mitosis without cytokinesis', - 'def': 'The formation of a syncytium, a mass of cytoplasm containing several nuclei enclosed within a single plasma membrane, by one or more rounds of nuclear division without cytokinesis. [GOC:mah, GOC:tb]' - }, - 'GO:0000770': { - 'name': 'peptide pheromone export', - 'def': 'The directed movement of a peptide pheromone out of a cell by a secretion or export pathway used solely for the export of peptide pheromones. [GOC:elh]' - }, - 'GO:0000771': { - 'name': 'agglutination involved in conjugation', - 'def': 'The aggregation or adhesion of compatible mating types via complementary cell-cell interactions prior to the formation of irreversible cellular contacts during conjugation. [GOC:elh]' - }, - 'GO:0000772': { - 'name': 'mating pheromone activity', - 'def': 'The activity of binding to and activating specific cell surface receptors, thereby inducing a behavioral or physiological response(s) from a responding organism or cell that leads to the transfer or union of genetic material between organisms or cells. The mating pheromone can either be retained on the cell surface or secreted. [GOC:clt, GOC:elh]' - }, - 'GO:0000773': { - 'name': 'phosphatidyl-N-methylethanolamine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + phosphatidyl-N-methylethanolamine = S-adenosyl-L-homocysteine + phosphatidyl-N-dimethylethanolamine. [EC:2.1.1.71]' - }, - 'GO:0000774': { - 'name': 'adenyl-nucleotide exchange factor activity', - 'def': 'Stimulates the hydrolysis and exchange of adenyl nucleotides by other proteins. [GOC:kd]' - }, - 'GO:0000775': { - 'name': 'chromosome, centromeric region', - 'def': 'The region of a chromosome that includes the centromeric DNA and associated proteins. In monocentric chromosomes, this region corresponds to a single area of the chromosome, whereas in holocentric chromosomes, it is evenly distributed along the chromosome. [GOC:cjm, GOC:elh, GOC:kmv, GOC:pr]' - }, - 'GO:0000776': { - 'name': 'kinetochore', - 'def': 'A multisubunit complex that is located at the centromeric region of DNA and provides an attachment point for the spindle microtubules. [GOC:elh]' - }, - 'GO:0000777': { - 'name': 'condensed chromosome kinetochore', - 'def': 'A multisubunit complex that is located at the centromeric region of a condensed chromosome and provides an attachment point for the spindle microtubules. [GOC:elh]' - }, - 'GO:0000778': { - 'name': 'condensed nuclear chromosome kinetochore', - 'def': 'A multisubunit complex that is located at the centromeric region of a condensed nuclear chromosome and provides an attachment point for the spindle microtubules. [GOC:elh]' - }, - 'GO:0000779': { - 'name': 'condensed chromosome, centromeric region', - 'def': 'The region of a condensed chromosome that includes the centromere and associated proteins, including the kinetochore. In monocentric chromosomes, this region corresponds to a single area of the chromosome, whereas in holocentric chromosomes, it is evenly distributed along the chromosome. [GOC:elh, GOC:kmv]' - }, - 'GO:0000780': { - 'name': 'condensed nuclear chromosome, centromeric region', - 'def': 'The region of a condensed nuclear chromosome that includes the centromere and associated proteins, including the kinetochore. In monocentric chromosomes, this region corresponds to a single area of the chromosome, whereas in holocentric chromosomes, it is evenly distributed along the chromosome. [GOC:elh, GOC:kmv]' - }, - 'GO:0000781': { - 'name': 'chromosome, telomeric region', - 'def': 'The terminal region of a linear chromosome that includes the telomeric DNA repeats and associated proteins. [GOC:elh]' - }, - 'GO:0000782': { - 'name': 'telomere cap complex', - 'def': 'A complex of DNA and protein located at the end of a linear chromosome that protects and stabilizes a linear chromosome. [GOC:elh]' - }, - 'GO:0000783': { - 'name': 'nuclear telomere cap complex', - 'def': 'A complex of DNA and protein located at the end of a linear chromosome in the nucleus that protects and stabilizes a linear chromosome. [GOC:elh]' - }, - 'GO:0000784': { - 'name': 'nuclear chromosome, telomeric region', - 'def': 'The terminal region of a linear nuclear chromosome that includes the telomeric DNA repeats and associated proteins. [GOC:elh]' - }, - 'GO:0000785': { - 'name': 'chromatin', - 'def': 'The ordered and organized complex of DNA, protein, and sometimes RNA, that forms the chromosome. [GOC:elh, PMID:20404130]' - }, - 'GO:0000786': { - 'name': 'nucleosome', - 'def': 'A complex comprised of DNA wound around a multisubunit core and associated proteins, which forms the primary packing unit of DNA into higher order structures. [GOC:elh]' - }, - 'GO:0000787': { - 'name': 'cytoplasmic nucleosome', - 'def': 'A complex comprised of DNA wound around a multisubunit core and associated proteins, which forms the primary packing unit of DNA in the cytoplasm into higher order structures. [GOC:elh]' - }, - 'GO:0000788': { - 'name': 'nuclear nucleosome', - 'def': 'A complex comprised of DNA wound around a multisubunit core and associated proteins, which forms the primary packing unit of DNA in the nucleus into higher order structures. [GOC:elh]' - }, - 'GO:0000789': { - 'name': 'cytoplasmic chromatin', - 'def': 'The ordered and organized complex of DNA, protein, and sometimes RNA, that forms the chromosome in the cytoplasm. [GOC:elh, PMID:20404130]' - }, - 'GO:0000790': { - 'name': 'nuclear chromatin', - 'def': 'The ordered and organized complex of DNA, protein, and sometimes RNA, that forms the chromosome in the nucleus. [GOC:elh, PMID:20404130]' - }, - 'GO:0000791': { - 'name': 'euchromatin', - 'def': 'A dispersed and relatively uncompacted form of chromatin. [GOC:elh]' - }, - 'GO:0000792': { - 'name': 'heterochromatin', - 'def': 'A compact and highly condensed form of chromatin. [GOC:elh]' - }, - 'GO:0000793': { - 'name': 'condensed chromosome', - 'def': 'A highly compacted molecule of DNA and associated proteins resulting in a cytologically distinct structure. [GOC:elh]' - }, - 'GO:0000794': { - 'name': 'condensed nuclear chromosome', - 'def': 'A highly compacted molecule of DNA and associated proteins resulting in a cytologically distinct nuclear chromosome. [GOC:elh]' - }, - 'GO:0000795': { - 'name': 'synaptonemal complex', - 'def': 'A proteinaceous scaffold found between homologous chromosomes during meiosis. It consists of 2 lateral elements and a central element, all running parallel to each other. Transverse filaments connect the lateral elements to the central element. [GOC:elh] {comment=DOI:10.5772/29752}' - }, - 'GO:0000796': { - 'name': 'condensin complex', - 'def': 'A multisubunit protein complex that plays a central role in chromosome condensation. [GOC:elh]' - }, - 'GO:0000797': { - 'name': 'condensin core heterodimer', - 'def': 'The core heterodimer of a condensin complex, a multisubunit protein complex that plays a central role in chromosome condensation. [GOC:elh]' - }, - 'GO:0000798': { - 'name': 'nuclear cohesin complex', - 'def': 'A cohesin complex required for cohesion between sister chromatids that remain in the nucleus. [GOC:elh]' - }, - 'GO:0000799': { - 'name': 'nuclear condensin complex', - 'def': 'A multisubunit protein complex that plays a central role in the condensation of chromosomes that remain in the nucleus. [GOC:elh]' - }, - 'GO:0000800': { - 'name': 'lateral element', - 'def': 'A proteinaceous core found between sister chromatids during meiotic prophase. [GOC:elh]' - }, - 'GO:0000801': { - 'name': 'central element', - 'def': 'A structural unit of the synaptonemal complex found between the lateral elements. [GOC:elh]' - }, - 'GO:0000802': { - 'name': 'transverse filament', - 'def': 'A structural unit of the synaptonemal complex that spans the regions between the lateral elements and connects them. [GOC:elh]' - }, - 'GO:0000803': { - 'name': 'sex chromosome', - 'def': 'A chromosome involved in sex determination. [GOC:elh]' - }, - 'GO:0000804': { - 'name': 'W chromosome', - 'def': 'The sex chromosome present in females of species in which the female is the heterogametic sex; generally, the sex chromosome that pairs with the Z chromosome in the heterogametic sex. The W chromosome is absent from the cells of males and present in one copy in the somatic cells of females. [GOC:mah, GOC:mr, ISBN:0321000382, PMID:20622855]' - }, - 'GO:0000805': { - 'name': 'X chromosome', - 'def': 'The sex chromosome present in both sexes of species in which the male is the heterogametic sex. Two copies of the X chromosome are present in each somatic cell of females and one copy is present in males. [GOC:mah, GOC:mr, https://en.wikipedia.org/wiki/XY_sex-determination_system, ISBN:0582227089, PMID:20622855]' - }, - 'GO:0000806': { - 'name': 'Y chromosome', - 'def': 'The sex chromosome present in males of species in which the male is the heterogametic sex; generally, the sex chromosome that pairs with the X chromosome in the heterogametic sex. The Y chromosome is absent from the cells of females and present in one copy in the somatic cells of males. [GOC:mah, GOC:mr, https://en.wikipedia.org/wiki/XY_sex-determination_system, ISBN:0582227089, PMID:20622855]' - }, - 'GO:0000807': { - 'name': 'Z chromosome', - 'def': 'The sex chromosome present in both sexes of species in which the female is the heterogametic sex. Two copies of the Z chromosome are present in each somatic cell of males and one copy is present in females. [GOC:mah, GOC:mr, ISBN:0321000382, PMID:20622855]' - }, - 'GO:0000808': { - 'name': 'origin recognition complex', - 'def': 'A multisubunit complex that is located at the replication origins of a chromosome. [GOC:elh]' - }, - 'GO:0000809': { - 'name': 'cytoplasmic origin of replication recognition complex', - 'def': 'A multisubunit complex that is located at the replication origins of a chromosome in the cytoplasm. [GOC:elh]' - }, - 'GO:0000810': { - 'name': 'diacylglycerol diphosphate phosphatase activity', - 'def': 'Catalysis of the reaction: a 1,2-diacyl-sn-glycerol 3-diphosphate + H2O = a 1,2-diacyl-sn-glycerol 3-phosphate + phosphate. [EC:3.1.3.81, GOC:kad, MetaCyc:RXN-11277, PMID:8567632, PMID:9452443]' - }, - 'GO:0000811': { - 'name': 'GINS complex', - 'def': 'A heterotetrameric protein complex that associates with replication origins, where it is required for the initiation of DNA replication, and with replication forks. [GOC:rb, GOC:rn, PMID:12730134, PMID:16990792, PMID:17467990]' - }, - 'GO:0000812': { - 'name': 'Swr1 complex', - 'def': 'A multisubunit protein complex that is involved in chromatin remodeling. It is required for the incorporation of the histone variant H2AZ into chromatin. In S. cerevisiae, the complex contains Swr1p, a Swi2/Snf2-related ATPase, and 12 additional subunits. [GOC:rb, PMID:14645854, PMID:14690608, PMID:19355820]' - }, - 'GO:0000813': { - 'name': 'ESCRT I complex', - 'def': 'An endosomal sorting complex required for transport. It consists of the class E vacuolar protein sorting (Vps) proteins and interacts with ubiquitinated cargoes. [GOC:rb, PMID:12892785, PMID:12900393]' - }, - 'GO:0000814': { - 'name': 'ESCRT II complex', - 'def': 'An endosomal sorting complex required for transport and functions downstream of ESCRT I complex. It consists of the class E vacuolar protein sorting (Vps) proteins and is required for the membrane recruitment of ESCRT III complex and binds to ubiquitinated cargoes. [GOC:rb, PMID:12892785, PMID:12900393]' - }, - 'GO:0000815': { - 'name': 'ESCRT III complex', - 'def': 'An endosomal sorting complex required for transport. Consists of two soluble subcomplexes of highly charged coiled-coil proteins and is required for sorting and/or concentration of multivesicular body (MVB) cargoes. [GOC:rb, PMID:12892785, PMID:12900393]' - }, - 'GO:0000817': { - 'name': 'COMA complex', - 'def': 'A multiprotein complex in yeast consisting of Ctf19p, Okp1p, Mcm21p, and Ame1p. This complex bridges the subunits that are in contact with centromeric DNA and the subunits bound to microtubules during kinetochore assembly. [GOC:se, PMID:14633972]' - }, - 'GO:0000818': { - 'name': 'nuclear MIS12/MIND complex', - 'def': 'A multiprotein kinetochore subcomplex that binds to centromeric chromatin and forms part of the inner kinetochore of a chromosome in the nucleus. It helps to recruit outer kinetochore subunits that will bind to microtubules. Nuclear localization arises in some organisms because the nuclear envelope is not broken down during mitosis. In S. cerevisiae, it consists of at least four proteins: Mtw1p, Nnf1p, Nsl1p, and Dsn1. [GOC:krc, GOC:se, PMID:14633972]' - }, - 'GO:0000819': { - 'name': 'sister chromatid segregation', - 'def': 'The cell cycle process in which sister chromatids are organized and then physically separated and apportioned to two or more sets. [GOC:ai, GOC:elh]' - }, - 'GO:0000820': { - 'name': 'regulation of glutamine family amino acid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving amino acids of the glutamine family, comprising arginine, glutamate, glutamine and proline. [GOC:go_curators]' - }, - 'GO:0000821': { - 'name': 'regulation of arginine metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving arginine, 2-amino-5-(carbamimidamido)pentanoic acid. [CHEBI:29016, GOC:go_curators]' - }, - 'GO:0000822': { - 'name': 'inositol hexakisphosphate binding', - 'def': 'Interacting selectively and non-covalently with inositol hexakisphosphate. [GOC:go_curators]' - }, - 'GO:0000823': { - 'name': 'inositol-1,4,5-trisphosphate 6-kinase activity', - 'def': 'Catalysis of the reaction: D-myo-inositol 1,4,5-trisphosphate + ATP = D-myo-inositol 1,4,5,6-tetrakisphosphate + ADP + 2 H(+). [MetaCyc:2.7.1.151-RXN]' - }, - 'GO:0000824': { - 'name': 'inositol tetrakisphosphate 3-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1D-myo-inositol 1,4,5,6-tetrakisphosphate = ADP + 1D-myo-inositol 1,3,4,5,6-pentakisphosphate. [GOC:elh]' - }, - 'GO:0000825': { - 'name': 'inositol tetrakisphosphate 6-kinase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,3,4,5-tetrakisphosphate + ATP = 1D-myo-inositol 1,3,4,5,6-pentakisphosphate + ADP. [GOC:elh]' - }, - 'GO:0000826': { - 'name': 'obsolete inositol pyrophosphate synthase activity', - 'def': 'OBSOLETE. Catalysis of the phosphorylation of inositol phosphates which possess diphosphate bonds. [GOC:elh, PMID:16429326]' - }, - 'GO:0000827': { - 'name': 'inositol-1,3,4,5,6-pentakisphosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1D-myo-inositol 1,3,4,5,6-pentakisphosphate = ADP + diphospho-1D-myo-inositol tetrakisphosphate. The isomeric configuration of diphospho-1D-myo-inositol tetrakisphosphate is unknown. [GOC:elh, PMID:11311242]' - }, - 'GO:0000828': { - 'name': 'inositol hexakisphosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1D-myo-inositol 1,2,3,4,5,6-hexakisphosphate = ADP + diphospho-1D-myo-inositol-pentakisphosphate. The isomeric configuration of diphospho-1D-myo-inositol-pentakisphosphate (PP-IP5) is unknown. [GOC:elh, GOC:vw, PMID:16429326]' - }, - 'GO:0000829': { - 'name': 'inositol heptakisphosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + diphospho-1D-myo-inositol-pentakisphosphate = ADP + bis(diphospho)-1D-myo-inositol-tetrakisphosphate. The isomeric configurations of the diphospho-1D-myo-inositol-pentakisphosphate (PP-IP5) and bis(diphospho)-1D-myo-inositol-tetrakisphosphate (bis-PP-IP4) are unknown. [GOC:elh, PMID:16429326]' - }, - 'GO:0000830': { - 'name': 'inositol hexakisphosphate 4-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1D-myo-inositol hexakisphosphate = ADP + 4-diphospho-1D-myo-inositol (1,2,3,5,6)pentakisphosphate. [GOC:elh, PMID:16429326]' - }, - 'GO:0000831': { - 'name': 'inositol hexakisphosphate 6-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1D-myo-inositol hexakisphosphate = ADP + 6-diphospho-1D-myo-inositol (1,2,3,4,5)pentakisphosphate. [GOC:elh, PMID:16429326]' - }, - 'GO:0000832': { - 'name': 'inositol hexakisphosphate 5-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1D-myo-inositol 1,2,3,4,5,6-hexakisphosphate = ADP + 5-diphospho-1D-myo-inositol (1,2,3,4,6)pentakisphosphate. [MetaCyc:2.7.1.152-RXN]' - }, - 'GO:0000833': { - 'name': 'inositol heptakisphosphate 4-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 5-diphospho-1D-myo-inositol (1,2,3,4,6)pentakisphosphate = 4,5-bisdiphosphoinositol-1D-myoinositol (1,2,3,6)tetrakisphosphate. [GOC:elh, PMID:16429326]' - }, - 'GO:0000834': { - 'name': 'inositol heptakisphosphate 6-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 5-diphospho-1D-myo-inositol (1,2,3,4,6)pentakisphosphate = 5,6-bisdiphosphoinositol-1D-myoinositol (1,2,3,4)tetrakisphosphate. [GOC:elh, PMID:16429326]' - }, - 'GO:0000835': { - 'name': 'ER ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex found in the ER. [GOC:elh]' - }, - 'GO:0000836': { - 'name': 'Hrd1p ubiquitin ligase complex', - 'def': 'A multiprotein complex that recognizes and ubiquitinates proteins with misfolded luminal and membrane domains during ER-associated protein degradation (ERAD). In S. cerevisiae, this complex contains the ubiquitin ligase Hrd1p. In mammals, this complex contains the ubiquitin ligase HRD1 (Synoviolin) or AMFR (gp78). [GOC:bf, GOC:elh, PMID:16619026, PMID:16873066, PMID:21454652]' - }, - 'GO:0000837': { - 'name': 'Doa10p ubiquitin ligase complex', - 'def': 'A multiprotein complex that recognizes and ubiquitinates membrane proteins with misfolded cytosolic domains during ER-associated protein degradation (ERAD). In S. cerevisiae, this complex contains the ubiquitin ligase Ssm4p/Doa10p. [GOC:elh, PMID:16873066]' - }, - 'GO:0000838': { - 'name': 'Hrd1p ubiquitin ligase ERAD-M complex', - 'def': 'A multiprotein complex that recognizes and ubiquitinates proteins with misfolded membrane domains during ER-associated protein degradation (ERAD). In S. cerevisiae, this complex contains the ubiquitin ligase Hrd1p. [GOC:elh, PMID:16873066]' - }, - 'GO:0000839': { - 'name': 'Hrd1p ubiquitin ligase ERAD-L complex', - 'def': 'A multiprotein complex that recognizes and ubiquitinates proteins with misfolded luminal domains during ER-associated protein degradation (ERAD). In S. cerevisiae, this complex contains the ubiquitin ligase Hrd1p. [GOC:elh, PMID:16873065, PMID:16873066]' - }, - 'GO:0000900': { - 'name': 'translation repressor activity, nucleic acid binding', - 'def': 'Antagonizes the ribosome-mediated translation of mRNA into a polypeptide via direct binding (through a selective and non-covalent interaction) to nucleic acid. [GOC:clt, GOC:vw]' - }, - 'GO:0000901': { - 'name': 'translation repressor activity, non-nucleic acid binding', - 'def': 'Antagonizes the ribosome-mediated translation of mRNA into a polypeptide but does not bind directly to nucleic acid. [GOC:clt]' - }, - 'GO:0000902': { - 'name': 'cell morphogenesis', - 'def': 'The developmental process in which the size or shape of a cell is generated and organized. [GOC:clt, GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0000903': { - 'name': 'regulation of cell shape during vegetative growth phase', - 'def': 'Any process that modulates the surface configuration of a cell during the vegetative growth phase. The vegetative growth phase is the growth phase during which single celled organisms reproduce by budding or other asexual methods. [GOC:clt, GOC:go_curators, GOC:vw]' - }, - 'GO:0000904': { - 'name': 'cell morphogenesis involved in differentiation', - 'def': "The change in form (cell shape and size) that occurs when relatively unspecialized cells, e.g. embryonic or regenerative cells, acquire specialized structural and/or functional features that characterize the cells, tissues, or organs of the mature organism or some other relatively stable phase of the organism's life history. [GOC:go_curators]" - }, - 'GO:0000905': { - 'name': 'sporocarp development involved in asexual reproduction', - 'def': 'The formation of a spore-bearing structure by fungus where spores will arise from asexual reproduction. [GOC:clt, GOC:mtg_sensu]' - }, - 'GO:0000906': { - 'name': '6,7-dimethyl-8-ribityllumazine synthase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxy-2-butanone-4-phosphate + 5-amino-6-ribitylamino-2,4(1H,3H)-pyrimidinedione = 6,7-dimethyl-8-ribityllumazine + phosphate. [EC:5.4.-.-, PMID:7559556]' - }, - 'GO:0000907': { - 'name': 'sulfonate dioxygenase activity', - 'def': 'Catalysis of the reaction: sulfonate + 2-oxoglutarate + O2 = sulfite + aminoacetaldehyde + succinate + CO2. [EC:1.14.11.-, GOC:clt, PMID:10482536]' - }, - 'GO:0000908': { - 'name': 'taurine dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + O(2) + taurine = aminoacetaldehyde + CO(2) + succinate + sulfite. [EC:1.14.11.17, RHEA:15912]' - }, - 'GO:0000909': { - 'name': 'sporocarp development involved in sexual reproduction', - 'def': 'The process whose specific outcome is the progression of a fruiting body organ over time, from its formation to the mature structure. The fruiting body is a spore bearing structure. In fungi, the sporocarp (also known as fruiting body) is a multicellular structure on which spore-producing structures, such as basidia or asci, are borne. The fruiting body is part of the sexual phase of a fungal life cycle, with the rest of the life cycle being characterized by vegetative mycelial growth. The sporocarp of a basidiomycete is known as a basidiocarp, while the fruiting body of an ascomycete is known as an ascocarp. A significant range of different shapes and morphologies is found in both basidiocarps and ascocarps; these features play an important role in the identification and taxonomy of fungi. [GOC:clt, GOC:mtg_sensu]' - }, - 'GO:0000910': { - 'name': 'cytokinesis', - 'def': 'The division of the cytoplasm and the plasma membrane of a cell and its partitioning into two daughter cells. [GOC:mtg_cell_cycle]' - }, - 'GO:0000911': { - 'name': 'cytokinesis by cell plate formation', - 'def': 'The process of dividing the cytoplasm of a parent cell where a structure forms in the cytoplasm and grows until reaching the plasma membrane, thereby completely separating the cytoplasms of adjacent progeny cells. An example of this is found in Arabidopsis thaliana. [GOC:clt]' - }, - 'GO:0000912': { - 'name': 'assembly of actomyosin apparatus involved in cytokinesis', - 'def': 'The assembly and arrangement of an apparatus composed of actin, myosin, and associated proteins that will function in cytokinesis. [GOC:mtg_cell_cycle]' - }, - 'GO:0000913': { - 'name': 'preprophase band assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the preprophase band, a dense band of microtubules that marks the position in the cell where cytokinesis will occur in cells that perform cytokinesis by cell plate formation. [GOC:clt, GOC:mah]' - }, - 'GO:0000914': { - 'name': 'phragmoplast assembly', - 'def': 'The formation of a structure composed of actin, myosin, and associated proteins that will function in cytokinesis in cells that perform cytokinesis by cell plate formation. The structure usually contains antiparallel microtubules and membrane (often visible as vesicles). [GOC:clt]' - }, - 'GO:0000915': { - 'name': 'actomyosin contractile ring assembly', - 'def': 'The process of assembly of a ring composed of actin, myosin, and associated proteins that will function in cytokinesis. [GOC:clt, GOC:dph, GOC:tb]' - }, - 'GO:0000916': { - 'name': 'actomyosin contractile ring contraction', - 'def': 'The process of an actomyosin ring getting smaller in diameter, in the context of cytokinesis that takes place as part of a cell cycle. [GOC:clt, GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0000917': { - 'name': 'barrier septum assembly', - 'def': 'The assembly and arrangement of a septum that spans the plasma membrane interface between progeny cells following cytokinesis. The progeny cells that form a barrier septum are not able to exchange intracellular material. [GOC:mtg_cell_cycle]' - }, - 'GO:0000918': { - 'name': 'barrier septum site selection', - 'def': 'The process of marking the site where a barrier septum will form. [GOC:clt]' - }, - 'GO:0000919': { - 'name': 'cell plate assembly', - 'def': 'The process of assembly, maturation, and growth of the cell plate to the cell periphery in cells that divide by cell plate formation; often involves deposition of cell wall material in and around the phragmoplast. [GOC:clt]' - }, - 'GO:0000920': { - 'name': 'cell separation after cytokinesis', - 'def': 'The process of physically separating progeny cells after cytokinesis; this may involve enzymatic digestion of septum or cell wall components. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:0000921': { - 'name': 'septin ring assembly', - 'def': 'The aggregation, arrangement and bonding together of septins and associated proteins to form an organized structure resembling a ring at the cell cortex. [GOC:clt]' - }, - 'GO:0000922': { - 'name': 'spindle pole', - 'def': 'Either of the ends of a spindle, where spindle microtubules are organized; usually contains a microtubule organizing center and accessory molecules, spindle microtubules and astral microtubules. [GOC:clt]' - }, - 'GO:0000923': { - 'name': 'equatorial microtubule organizing center', - 'def': 'A microtubule organizing center formed by a band of gamma-tubulin that is recruited to a circumferential band of F-actin at the midpoint of a cell and which nucleates microtubules from the cell division site at the end of mitosis. [PMID:11792817]' - }, - 'GO:0000924': { - 'name': 'gamma-tubulin ring complex, centrosomal', - 'def': 'A centrosome-localized multiprotein complex composed of gamma-tubulin and other non-tubulin proteins assembled into a ring structure that is thought to be the unit of nucleation at the minus end of a microtubule. Gamma-tubulin small complexes are thought to be the core repeating units of the ring. [GOC:clt, GOC:mtg_sensu, PMID:12134075, PMID:17021256]' - }, - 'GO:0000927': { - 'name': 'gamma-tubulin small complex, centrosomal', - 'def': 'A centrosomal complex usually comprising two gamma-tubulin molecules, at least two conserved non-tubulin proteins that multimerize along with additional non-tubulin proteins in animal cells into larger functional complexes. Gamma-tubulin small complexes are thought to be the repeating unit making up the core of the gamma-tubulin ring complex. An example of this structure is found in Mus musculus. [GOC:mtg_sensu, PMID:12134075]' - }, - 'GO:0000928': { - 'name': 'gamma-tubulin small complex, spindle pole body', - 'def': 'A complex composed of two gamma-tubulin molecules and conserved non-tubulin proteins located in the spindle pole body and isolated by fractionation from cells. The complex, approximately 6S-9S, is analogous to the small complex in animal cells but contains fewer subunits, and is not thought to multimerize into larger functional units, like complexes in those organisms. An example of this structure is found in Saccharomyces cerevisiae. [GOC:mtg_sensu, PMID:12134075]' - }, - 'GO:0000930': { - 'name': 'gamma-tubulin complex', - 'def': 'A multiprotein complex composed of gamma-tubulin and other non-tubulin proteins. Gamma-tubulin complexes are localized to microtubule organizing centers, and play an important role in the nucleation of microtubules. The number and complexity of non-tubulin proteins associated with these complexes varies between species. [GOC:clt, PMID:12134075]' - }, - 'GO:0000931': { - 'name': 'gamma-tubulin large complex', - 'def': 'A complex of gamma tubulin and associated proteins thought to be formed by multimerization of gamma-tubulin small complexes. An example of this structure is found in Schizosaccharomyces pombe. [GOC:mtg_sensu, PMID:12134075]' - }, - 'GO:0000932': { - 'name': 'P-body', - 'def': 'A focus in the cytoplasm where mRNAs may become inactivated by decapping or some other mechanism. Protein and RNA localized to these foci are involved in mRNA degradation, nonsense-mediated mRNA decay (NMD), translational repression, and RNA-mediated gene silencing. [GOC:clt, PMID:12730603]' - }, - 'GO:0000933': { - 'name': 'adventitious septum', - 'def': 'A cell septum whose formation is independent of nuclear division. [GOC:clt, ISBN:0471940526]' - }, - 'GO:0000934': { - 'name': 'porous cell septum', - 'def': 'A septum or cross wall which does not entirely span the space between two portions of cell wall and may contain a specialized central pore structure. A porous septum allows the movement of organelles and/or cytoplasm between compartments. [GOC:clt]' - }, - 'GO:0000935': { - 'name': 'barrier septum', - 'def': 'A septum which spans a cell and does not allow exchange of organelles or cytoplasm between compartments. [GOC:clt]' - }, - 'GO:0000936': { - 'name': 'primary cell septum', - 'def': 'A cell septum that forms following nuclear division. [GOC:clt, ISBN:0471940526]' - }, - 'GO:0000937': { - 'name': 'dolipore septum', - 'def': 'A septum, or cross-wall, between two portions of a cell or hypha; contains a central pore around which the septum is swollen to form a barrel-shaped structure; pore is covered on each side of the septum by a septal pore cap (parenthosome). [GOC:clt]' - }, - 'GO:0000938': { - 'name': 'GARP complex', - 'def': 'A quatrefoil tethering complex required for retrograde traffic from the early endosome back to the late Golgi and biogenesis of cytoplasmic vesicles. [GOC:clt, GOC:rn, PMID:10637310, PMID:12077354, PMID:12446664]' - }, - 'GO:0000939': { - 'name': 'condensed chromosome inner kinetochore', - 'def': 'The region of a condensed chromosome kinetochore closest to centromeric DNA; in mammals the CREST antigens (CENP proteins) are found in this layer; this layer may help define underlying centromeric chromatin structure and position of the kinetochore on the chromosome. [GOC:clt, PMID:10619130, PMID:11483983]' - }, - 'GO:0000940': { - 'name': 'condensed chromosome outer kinetochore', - 'def': 'The region of a condensed chromosome kinetochore most external to centromeric DNA; this outer region mediates kinetochore-microtubule interactions. [GOC:clt, PMID:11483983]' - }, - 'GO:0000941': { - 'name': 'condensed nuclear chromosome inner kinetochore', - 'def': 'The region of a condensed nuclear chromosome kinetochore closest to centromeric DNA; this layer may help define underlying centromeric chromatin structure and position of the kinetochore on the chromosome. [GOC:clt, PMID:10619130, PMID:1148398]' - }, - 'GO:0000942': { - 'name': 'condensed nuclear chromosome outer kinetochore', - 'def': 'The region of a condensed nuclear chromosome kinetochore most external to centromeric DNA; this outer region mediates kinetochore-microtubule interactions. [GOC:clt, PMID:1148398]' - }, - 'GO:0000943': { - 'name': 'retrotransposon nucleocapsid', - 'def': 'A complex of the retrotransposon RNA genome, reverse transcriptase, integrase, and associated molecules required for reproduction and integration of the retrotransposon into the host genome; the main structural molecule of the nucleocapsid is often a gag protein homolog. [GOC:clt, PMID:10861903]' - }, - 'GO:0000944': { - 'name': 'base pairing with rRNA', - 'def': 'Interacting selectively and non-covalently with ribosomal ribonucleic acid (rRNA) via hydrogen bonds between the bases of a gene product molecule and the bases of a target rRNA molecule. [GOC:krc]' - }, - 'GO:0000945': { - 'name': 'base pairing with snRNA', - 'def': 'Interacting selectively and non-covalently with small nuclear ribonucleic acid (snRNA) via hydrogen bonds between the bases of a gene product molecule and the bases of a target snRNA molecule. [GOC:krc]' - }, - 'GO:0000946': { - 'name': 'base pairing with tRNA', - 'def': 'Interacting selectively and non-covalently with transfer ribonucleic acid (mRNA) via hydrogen bonds between the bases of a gene product molecule and the bases of a target tRNA molecule. [GOC:krc]' - }, - 'GO:0000947': { - 'name': 'amino acid catabolic process to alcohol via Ehrlich pathway', - 'def': 'The chemical reactions and pathways involving the catabolism of amino acids to produce alcohols with one carbon less than the starting amino acid. In S. cerevisiae, this is known to occur for leucine, isoleucine, valine, methionine, phenylalanine, tyrosine, or tryptophan. Often referred to as the Ehrlich pathway, these reactions generally occur during fermentation to produce a variety of alcohols, often collectively referred to as fusel alcohols. Depending on the redox state of the cells, carboxylic acid derivatives may be produced instead of alcohols. [GOC:krc, PMID:18281432]' - }, - 'GO:0000948': { - 'name': 'amino acid catabolic process to carboxylic acid via Ehrlich pathway', - 'def': 'The chemical reactions and pathways involving the catabolism of amino acids to produce carboxylic acids with one carbon less than the starting amino acid. In S. cerevisiae, this is known to occur for leucine, isoleucine, valine, methionine, phenylalanine, tyrosine, or tryptophan. Often referred to as the Ehrlich pathway, these reactions generally occur during fermentation to produce a variety of carboxylic acids, sometimes collectively referred to as fusel acids. Depending on the redox state of the cells, alcohol derivatives may be produced instead of carboxylic acids. [GOC:krc, PMID:18281432]' - }, - 'GO:0000949': { - 'name': 'aromatic amino acid family catabolic process to alcohol via Ehrlich pathway', - 'def': 'The chemical reactions and pathways involving the catabolism of aromatic amino acids to produce aromatic alcohols with one carbon less than the starting amino acid. In S. cerevisiae, this is known to occur for leucine, isoleucine, valine, methionine, phenylalanine, tyrosine, or tryptophan. When an aromatic family amino acid, phenylalanine, tyrosine, or tryptophan, is used as the substrate, 2-phenylethanol, 4-hydroxyphenylethanol, or tryptophol, respectively, is produced. Often referred to as the Ehrlich pathway, these reactions generally occur during fermentation to produce a variety of alcohols, often collectively referred to as fusel alcohols. Depending on the redox state of the cells, carboxylic acid derivatives may be produced instead of alcohols. [GOC:krc, PMID:18281432]' - }, - 'GO:0000950': { - 'name': 'branched-chain amino acid catabolic process to alcohol via Ehrlich pathway', - 'def': 'The chemical reactions and pathways involving the catabolism of branched chain amino acids to produce branched chain alcohols with one carbon less than the starting amino acid. In S. cerevisiae, this is known to occur for leucine, isoleucine, valine, methionine, phenylalanine, tyrosine, or tryptophan. When a branched chain family amino acid, leucine, isoleucine, or valine, is used as the substrate, 3-methylbutanol, 2-methylbutanol, or 2-methylpropanol, respectively, is produced. Often referred to as the Ehrlich pathway, these reactions generally occur during fermentation to produce a variety of alcohols, often collectively referred to as fusel alcohols. Depending on the redox state of the cells, carboxylic acid derivatives may be produced instead of alcohols. [GOC:krc, PMID:18281432]' - }, - 'GO:0000951': { - 'name': 'methionine catabolic process to 3-methylthiopropanol', - 'def': 'The chemical reactions and pathways involving the catabolism of branched chain amino acids to produce branched chain alcohols with one carbon less than the starting amino acid. In S. cerevisiae, this is known to occur for leucine, isoleucine, valine, methionine, phenylalanine, tyrosine, or tryptophan. When methionine is used as the substrate, 3-methylthiopropanol is produced. Often referred to as the Ehrlich pathway, these reactions generally occur during fermentation to produce a variety of alcohols, often collectively referred to as fusel alcohols. Depending on the redox state of the cells, carboxylic acid derivatives may be produced instead of alcohols. [GOC:krc, PMID:18281432]' - }, - 'GO:0000952': { - 'name': 'aromatic amino acid family catabolic process to carboxylic acid via Ehrlich pathway', - 'def': 'The chemical reactions and pathways involving the catabolism of amino acids to produce carboxylic acids with one carbon less than the starting amino acid. In S. cerevisiae, this is known to occur for leucine, isoleucine, valine, methionine, phenylalanine, tyrosine, or tryptophan. When an aromatic family amino acid, phenylalanine, tyrosine, or tryptophan, is used as the substrate, 2-phenylethanoate, 4-hydroxyphenylethanoate, or 2-(Indol-3-yl)-ethanoate, respectively, is produced. Often referred to as the Ehrlich pathway, these reactions generally occur during fermentation to produce a variety of carboxylic acids, sometimes collectively referred to as fusel acids. Depending on the redox state of the cells, alcohol derivatives may be produced instead of carboxylic acids. [GOC:krc, PMID:18281432]' - }, - 'GO:0000953': { - 'name': 'branched-chain amino acid catabolic process to carboxylic acid via Ehrlich pathway', - 'def': 'The chemical reactions and pathways involving the catabolism of amino acids to produce carboxylic acids with one carbon less than the starting amino acid. In S. cerevisiae, this is known to occur for leucine, isoleucine, valine, methionine, phenylalanine, tyrosine, or tryptophan. When a branched chain family amino acid, leucine, isoleucine, or valine, is used as the substrate, 3-methylbutanoate, 2-methylbutanoate, or 2-methylpropanoate, respectively, is produced. Often referred to as the Ehrlich pathway, these reactions generally occur during fermentation to produce a variety of carboxylic acids, sometimes collectively referred to as fusel acids. Depending on the redox state of the cells, alcohol derivatives may be produced instead of carboxylic acids. [GOC:krc, PMID:18281432]' - }, - 'GO:0000954': { - 'name': 'methionine catabolic process to 3-methylthiopropanoate', - 'def': 'The chemical reactions and pathways involving the catabolism of amino acids to produce carboxylic acids with one carbon less than the starting amino acid. In S. cerevisiae, this is known to occur for leucine, isoleucine, valine, methionine, phenylalanine, tyrosine, or tryptophan. When methionine is used as the substrate, 3-methylthiopropanoate is produced. Often referred to as the Ehrlich pathway, these reactions generally occur during fermentation to produce a variety of carboxylic acids, sometimes collectively referred to as fusel acids. Depending on the redox state of the cells, alcohol derivatives may be produced instead of carboxylic acids. [GOC:krc, PMID:18281432]' - }, - 'GO:0000955': { - 'name': 'amino acid catabolic process via Ehrlich pathway', - 'def': 'The chemical reactions and pathways involving the catabolism of amino acids to produce alcohols or carboxylic acids containing one carbon less than the starting amino acid. In S. cerevisiae, this is known to occur for leucine, isoleucine, valine, methionine, phenylalanine, tyrosine, or tryptophan. Often referred to as the Ehrlich pathway, these reactions generally occur during fermentation to produce a variety of alcohols, often collectively referred to as fusel alcohols. Depending on the redox state of the cells, carboxylic acid derivatives, sometimes referred to as fusel acids, may be produced instead of alcohols. [GOC:krc, PMID:18281432]' - }, - 'GO:0000956': { - 'name': 'nuclear-transcribed mRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nuclear-transcribed mRNAs in eukaryotic cells. [GOC:krc]' - }, - 'GO:0000957': { - 'name': 'mitochondrial RNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of RNA transcribed from the mitochondrial genome and occurring in the mitochondrion. [GOC:krc, GOC:mah]' - }, - 'GO:0000958': { - 'name': 'mitochondrial mRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mRNA transcribed from the mitochondrial genome and occurring in the mitochondrion. [GOC:krc, GOC:mah]' - }, - 'GO:0000959': { - 'name': 'mitochondrial RNA metabolic process', - 'def': 'The chemical reactions and pathways involving RNA transcribed from the mitochondrial genome and occurring in the mitochondrion. [GOC:krc, GOC:mah]' - }, - 'GO:0000960': { - 'name': 'regulation of mitochondrial RNA catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving catabolism in the mitochondrion of RNA transcribed from the mitochondrial genome. [GOC:krc, GOC:mah]' - }, - 'GO:0000961': { - 'name': 'negative regulation of mitochondrial RNA catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving catabolism in the mitochondrion of RNA transcribed from the mitochondrial genome. [GOC:krc, GOC:mah]' - }, - 'GO:0000962': { - 'name': 'positive regulation of mitochondrial RNA catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving catabolism in the mitochondrion of RNA transcribed from the mitochondrial genome. [GOC:krc, GOC:mah]' - }, - 'GO:0000963': { - 'name': 'mitochondrial RNA processing', - 'def': 'The conversion of a primary RNA molecule transcribed from a mitochondrial genome into one or more mature RNA molecules; occurs in the mitochondrion. [GOC:krc, GOC:mah]' - }, - 'GO:0000964': { - 'name': "mitochondrial RNA 5'-end processing", - 'def': "Any process involved in forming the mature 5' end of an RNA molecule transcribed from a mitochondrial genome; occurs in the mitochondrion. [GOC:krc, GOC:mah]" - }, - 'GO:0000965': { - 'name': "mitochondrial RNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of an RNA molecule transcribed from a mitochondrial genome; occurs in the mitochondrion. [GOC:krc, GOC:mah]" - }, - 'GO:0000966': { - 'name': "RNA 5'-end processing", - 'def': "Any process involved in forming the mature 5' end of an RNA molecule. [GOC:krc]" - }, - 'GO:0000967': { - 'name': "rRNA 5'-end processing", - 'def': "Any process involved in forming the mature 5' end of an rRNA molecule. [GOC:krc]" - }, - 'GO:0000968': { - 'name': 'tRNA exon ligation', - 'def': 'An RNA exon ligation process that rejoins two exons of a pre-tRNA which has had the intron removed. [GOC:krc]' - }, - 'GO:0000969': { - 'name': 'tRNA exon ligation utilizing ATP as source of linkage phosphate', - 'def': "A tRNA exon ligation process in which the splice junction phosphate is derived from exogenous ATP. This type of ligation to rejoin the 5' and 3' exons of a tRNA is observed in vertebrate species. [GOC:krc, PMID:17786051]" - }, - 'GO:0000970': { - 'name': 'tRNA exon ligation utilizing GTP as source of linkage phosphate', - 'def': "A tRNA exon ligation process in which the splice junction phosphate is derived from exogenous GTP. This type of ligation to rejoin the 5' and 3' exons of a tRNA is observed in the yeast Saccharomyces cerevisiae where the ligation reaction also produces a 2'-phosphate at the splice junction which is subsequently removed as part of the ligation process. [GOC:krc, PMID:18217203, PMID:9299409]" - }, - 'GO:0000971': { - 'name': "tRNA exon ligation utilizing 2',3' cyclic phosphate of 5'-exon as source of linkage phosphate", - 'def': "A tRNA exon ligation process in which the splice junction phosphate is derived from the 2',3' cyclic phosphate at the 3'-end of the 5'-exon. This type of ligation to rejoin the 5' and 3' exons of a tRNA is observed in wheat, Chlamydomonas, and vertebrate species including humans. [GOC:krc, PMID:17786051, PMID:18217203, PMID:9299409]" - }, - 'GO:0000972': { - 'name': 'transcription-dependent tethering of RNA polymerase II gene DNA at nuclear periphery', - 'def': "The chromosome organization process in which the DNA sequence containing a gene transcribed by RNA polymerase II is maintained in a specific location at the nuclear periphery. In S. cerevisiae, this process involves cis-acting DNA sequences such as the TATA box and upstream activating sequence (UAS) elements, trans-acting transcriptional activators, and also the 3'-UTR of the transcript. [GOC:krc, PMID:18614049]" - }, - 'GO:0000973': { - 'name': 'posttranscriptional tethering of RNA polymerase II gene DNA at nuclear periphery', - 'def': 'The chromosome organization process in which the DNA sequence containing a gene transcribed by RNA polymerase II is maintained in a specific location at the nuclear periphery even after transcription has been repressed. [GOC:krc, PMID:17373856, PMID:18614049]' - }, - 'GO:0000974': { - 'name': 'Prp19 complex', - 'def': 'A protein complex consisting of Prp19 and associated proteins that is involved in the transition from the precatalytic spliceosome to the activated form that catalyzes step 1 of splicing, and which remains associated with the spliceosome through the second catalytic step. It is widely conserved, found in both yeast and mammals, though the exact composition varies. In S. cerevisiae, it contains Prp19p, Ntc20p, Snt309p, Isy1p, Syf2p, Cwc2p, Prp46p, Clf1p, Cef1p, and Syf1p. [GOC:krc, PMID:16540691, PMID:19239890]' - }, - 'GO:0000975': { - 'name': 'regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with a DNA region that regulates a DNA-based process. Such processes include transcription, DNA replication, and DNA repair. [GOC:txnOH]' - }, - 'GO:0000976': { - 'name': 'transcription regulatory region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific sequence of DNA that is part of a regulatory region that controls transcription of that section of the DNA. The transcribed region might be described as a gene, cistron, or operon. [GOC:txnOH]' - }, - 'GO:0000977': { - 'name': 'RNA polymerase II regulatory region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific sequence of DNA that is part of a regulatory region that controls the transcription of a gene or cistron by RNA polymerase II. [GOC:txnOH]' - }, - 'GO:0000978': { - 'name': 'RNA polymerase II core promoter proximal region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II. [GOC:txnOH]' - }, - 'GO:0000979': { - 'name': 'RNA polymerase II core promoter sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with the regulatory region composed of the transcription start site and binding sites for transcription factors of the RNA polymerase II basal transcription machinery. [GOC:txnOH]' - }, - 'GO:0000980': { - 'name': 'RNA polymerase II distal enhancer sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a RNA polymerase II (Pol II) distal enhancer. In mammalian cells, enhancers are distal sequences that increase the utilization of some promoters, and can function in either orientation and in any location (upstream or downstream) relative to the core promoter. [GOC:txnOH]' - }, - 'GO:0000981': { - 'name': 'RNA polymerase II transcription factor activity, sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH]' - }, - 'GO:0000982': { - 'name': 'transcription factor activity, RNA polymerase II core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) in order to modulate transcription by RNAP II. [GOC:txnOH]' - }, - 'GO:0000983': { - 'name': 'transcription factor activity, RNA polymerase II core promoter sequence-specific', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in an RNA polymerase II (Pol II) core promoter, the region composed of the transcription start site and binding sites for transcription factors of the Pol II basal transcription machinery, in order to modulate transcription by Pol II. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH]' - }, - 'GO:0000984': { - 'name': 'bacterial-type RNA polymerase regulatory region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is part of a regulatory region that controls the transcription of a gene or operon by a bacterial-type RNA polymerase. [GOC:txnOH]' - }, - 'GO:0000985': { - 'name': 'bacterial-type RNA polymerase core promoter sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in a bacterial-type RNA polymerase core promoter, the region composed of the transcription start site and binding sites for transcription factors of the basal transcription machinery, in order to modulate transcription. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH]' - }, - 'GO:0000986': { - 'name': 'bacterial-type RNA polymerase core promoter proximal region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for a bacterial-type RNA polymerase. [GOC:txnOH]' - }, - 'GO:0000987': { - 'name': 'core promoter proximal region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to the core promoter. The transcribed region might be described as a gene, cistron, or operon. [GOC:txnOH]' - }, - 'GO:0000988': { - 'name': 'transcription factor activity, protein binding', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex (a complex of two or more proteins that may include other nonprotein molecules), in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0000989': { - 'name': 'transcription factor activity, transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a specific transcription factor, which may be a single protein or a complex, in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0000990': { - 'name': 'transcription factor activity, core RNA polymerase binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0000991': { - 'name': 'transcription factor activity, core RNA polymerase II binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II (Pol II) complex, typically composed of twelve subunits, in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0000992': { - 'name': 'polymerase III regulatory region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is part of a regulatory region that controls transcription by RNA polymerase III. The transcribed region might be contain a single gene or a cistron containing multiple genes. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0000993': { - 'name': 'RNA polymerase II core binding', - 'def': 'Interacting selectively and non-covalently with RNA polymerase II core enzyme, a multisubunit eukaryotic nuclear RNA polymerase typically composed of twelve subunits. [GOC:txnOH]' - }, - 'GO:0000994': { - 'name': 'RNA polymerase III core binding', - 'def': 'Interacting selectively and non-covalently with RNA polymerase III core enzyme, a multisubunit eukaryotic nuclear RNA polymerase typically composed of seventeen subunits. [GOC:txnOH]' - }, - 'GO:0000995': { - 'name': 'transcription factor activity, core RNA polymerase III binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III (Pol III) complex, typically composed of seventeen subunits, in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0000996': { - 'name': 'core DNA-dependent RNA polymerase binding promoter specificity activity', - 'def': 'Interacting selectively and non-covalently with a DNA-dependent core RNA polymerase to form a holoenzyme complex and also, while present in the holoenzyme, interacting with promoter sequences in order to confer sequence specific recognition of promoter DNA sequence motifs. [GOC:txnOH]' - }, - 'GO:0000997': { - 'name': 'mitochondrial RNA polymerase core promoter sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is part of the core promoter for the mitochondrial RNA polymerase. [GOC:txnOH]' - }, - 'GO:0000999': { - 'name': 'RNA polymerase III type 1 promoter transcriptional preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on a type 1 RNA polymerase III (Pol III) promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is the first step of transcription. Type 1 promoters require TFIIIA for promoter recognition, which then recruits TFIIIC. TFIIIC in turn recruits TFIIIB, which recruits Pol III to the promoter. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001000': { - 'name': 'bacterial-type RNA polymerase core enzyme binding', - 'def': 'Interacting selectively and non-covalently with the bacterial-type RNA polymerase core enzyme, typically consisting of two alpha, one beta, one beta prime, and one omega subunit. [GOC:txnOH]' - }, - 'GO:0001001': { - 'name': 'mitochondrial single-subunit type RNA polymerase binding', - 'def': 'Interacting selectively and non-covalently with a single subunit mitochondrial RNA polymerase enzyme, which is composed of a single catalytic subunit similar to the RNA polymerase enzymes from phages T3, T7, and SP6. [GOC:txnOH, PMID:20701995, PMID:2088182]' - }, - 'GO:0001002': { - 'name': 'RNA polymerase III type 1 promoter sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is a part of a type 1 promoter that controls transcription by RNA polymerase III. Type 1 promoters are found in 5S rRNA genes, downstream of the transcription start site within the sequence of the mature RNA, and require TFIIIA for recognition. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001003': { - 'name': 'RNA polymerase III type 2 promoter sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is a part of a type 2 promoter that controls transcription by RNA polymerase III. Type 2 promoters consist of an A box and a B box downstream of the transcription start site within the sequence within the sequence of the mature RNA. Type 2 promoters are found in many tRNA genes as well as in other small RNAs. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001004': { - 'name': 'transcription factor activity, RNA polymerase III promoter sequence-specific binding, TFIIIB recruiting', - 'def': 'The function of binding to a specific DNA sequence motif in an RNA polymerase III (Pol III) promoter in order to recruit the Pol III recruiting factor TFIIIB to the promoter. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001005': { - 'name': 'transcription factor activity, RNA polymerase III type 1 promoter sequence-specific binding, TFIIIB recruiting', - 'def': 'The function of binding to a specific DNA sequence motif in a type 1 RNA polymerase III (Pol III) promoter in order to recruit the Pol III recruiting factor TFIIIB to the promoter. For type 1 Pol III promoters, this requires both TFIIIA and TFIIIC. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001006': { - 'name': 'RNA polymerase III type 3 promoter sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is a part of a type 3 promoter that controls transcription by RNA polymerase III (Pol III). A type 3 Pol III promoter is composed of elements upstream of the transcription start site, including a TATA box. The human U6 snRNA gene has a type 3 promoter. Type 3 Pol III promoters have not been observed in S. cerevisiae. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001007': { - 'name': 'transcription factor activity, RNA polymerase III transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III transcription factor, which may be a single protein or a complex, in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0001008': { - 'name': 'transcription factor activity, RNA polymerase III type 2 promoter sequence-specific binding, TFIIIB recruiting', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence motif in a type 2 RNA polymerase III (Pol III) promoter in order to recruit TFIIIB to the promoter. For type 2 Pol III promoters, this requires TFIIIC activity. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001009': { - 'name': 'transcription from RNA polymerase III type 2 promoter', - 'def': 'The synthesis of RNA from a DNA template by RNA polymerase III (RNAP III), originating at a type 2 RNAP III promoter. Type 2 RNAP III promoters consist of an A box and a B box downstream of the transcription start site within the sequence of the mature RNA and the process of initiation is different than from other promoter types. Type 2 promoters are found in many tRNA genes as well as in other small RNAs. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001010': { - 'name': 'transcription factor activity, sequence-specific DNA binding transcription factor recruiting', - 'def': 'The function of binding to a specific DNA sequence and recruiting another transcription factor to the DNA in order to modulate transcription. The recruited factor may bind DNA directly, or may be colocalized via protein-protein interactions. [GOC:txnOH]' - }, - 'GO:0001011': { - 'name': 'transcription factor activity, sequence-specific DNA binding, RNA polymerase recruiting', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence and recruiting RNA polymerase to the DNA in order to form the preinitiation complex (PIC). [GOC:txnOH]' - }, - 'GO:0001012': { - 'name': 'RNA polymerase II regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with a DNA region that controls the transcription of a region of DNA by RNA polymerase II. Binding may occur as a sequence specific interaction or as an interaction observed only once a factor has been recruited to the DNA by other factors. [GOC:txnOH, GOC:vw]' - }, - 'GO:0001013': { - 'name': 'RNA polymerase I regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with a DNA region that controls the transcription of a region of DNA by RNA polymerase I. Binding may occur as a sequence specific interaction or as an interaction observed only once a factor has been recruited to the DNA by other factors. [GOC:txnOH, GOC:vw]' - }, - 'GO:0001014': { - 'name': 'snoRNA transcription from a type 2 RNA polymerase III promoter', - 'def': 'The synthesis of small nucleolar RNA (snoRNA) from a DNA template by RNA polymerase III, originating at a type 2 RNA polymerase III promoter. [GOC:txnOH]' - }, - 'GO:0001015': { - 'name': 'snoRNA transcription from an RNA polymerase II promoter', - 'def': 'The synthesis of small nucleolar RNA (snoRNA) from a DNA template by RNA polymerase II, originating at an RNA polymerase II promoter. [GOC:txnOH]' - }, - 'GO:0001016': { - 'name': 'RNA polymerase III regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with a DNA region that controls the transcription of a gene by RNA polymerase III. Binding may occur as a sequence specific interaction or as an interaction observed only once a factor has been recruited to the DNA by other factors. [GOC:txnOH, GOC:vw, PMID:12381659]' - }, - 'GO:0001017': { - 'name': 'bacterial-type RNA polymerase regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with a DNA region that controls the transcription of a gene or operon by a bacterial-type RNA polymerase. Binding may occur as a sequence specific interaction or as an interaction observed only once a factor has been recruited to the DNA by other factors. [GOC:txnOH]' - }, - 'GO:0001018': { - 'name': 'mitochondrial RNA polymerase regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with a DNA region that controls the transcription of a region of DNA by mitochondrial RNA polymerase. Binding may occur as a high affinity and sequence specific interaction or as a lower affinity interaction observed once a factor has been recruited to the DNA by other factors. [GOC:txnOH, GOC:vw, PMID:20056105]' - }, - 'GO:0001019': { - 'name': 'plastid RNA polymerase regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with a DNA region that controls the transcription of a region of DNA by a plastid RNA polymerase. Binding may occur as a sequence specific interaction or as an interaction observed only once a factor has been recruited to the DNA by other factors. [GOC:txnOH, GOC:vw]' - }, - 'GO:0001020': { - 'name': 'RNA polymerase III type 3 promoter transcriptional preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on a type 1 RNA polymerase III (Pol III) promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is the first step of transcription. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001021': { - 'name': 'RNA polymerase III type 2 promoter transcriptional preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on a type 2 RNA polymerase III (Pol III) promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is the first step of transcription. Type 2 promoters require TFIIIC for promoter recognition, which then recruits TFIIIB, which in turn which recruits Pol III to the promoter. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001022': { - 'name': 'transcription initiation from RNA polymerase III type 1 promoter', - 'def': 'A transcription initiation process on a type 1 RNA polymerase III (Pol III) that results in RNA synthesis by Pol III. Type 1 promoters are found in 5S rRNA genes, downstream of the transcription start site within the sequence of the mature RNA, and require TFIIIA for recognition. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001023': { - 'name': 'transcription initiation from RNA polymerase III type 2 promoter', - 'def': 'A transcription initiation process on a type 2 RNA polymerase III (Pol III) that results in RNA synthesis by Pol III. Type 2 promoters consist of an A box and a B box downstream of the transcription start site within the sequence within the sequence of the mature RNA. Type 2 promoters are found in many tRNA genes as well as in other small RNAs. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001024': { - 'name': 'transcription initiation from RNA polymerase III type 3 promoter', - 'def': 'A transcription initiation process on a type 3 RNA polymerase III (Pol III) that results in RNA synthesis by Pol III. A type 3 Pol III promoter is composed of elements upstream of the transcription start site, including a TATA box. The human U6 snRNA gene has a type 3 promoter. Type 3 Pol III promoters have not been observed in S. cerevisiae. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001025': { - 'name': 'RNA polymerase III transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III transcription factor, any protein required to initiate or regulate transcription by RNA polymerase III. [GOC:txnOH]' - }, - 'GO:0001026': { - 'name': 'TFIIIB-type transcription factor activity', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III (Pol III) complex, typically composed of seventeen subunits, and with another protein, macromolecule, or complex, permitting those molecules to function in a coordinated way, Once recruited to an RNA polymerase III promoter by one or more other transcription factors, binds to DNA, recruits RNA polymerase III and facilitates the transition from the closed to the open complex. [GOC:txnOH]' - }, - 'GO:0001027': { - 'name': 'RNA polymerase III type 1 promoter TFIIIB-type transcription factor activity', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III (Pol III) complex, typically composed of seventeen subunits, and with another protein, macromolecule, or complex, permitting those molecules to function in a coordinated way. Once recruited to an RNA polymerase III type 1 promoter by TFIIIA-type and TFIIIC-type factors, binds to DNA, recruits RNA polymerase III and facilitates the transition from the closed to the open complex. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001028': { - 'name': 'RNA polymerase III type 2 promoter TFIIIB-type transcription factor activity', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III (Pol III) complex, typically composed of seventeen subunits, and with another protein, macromolecule, or complex, permitting those molecules to function in a coordinated way. Once recruited to an RNA polymerase III type 2 promoter by a TFIIIC-type factor, binds to DNA, recruits RNA polymerase III and facilitates the transition from the closed to the open complex. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001029': { - 'name': 'RNA polymerase III type 3 promoter TFIIIB-type transcription factor activity', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III (Pol III) complex, typically composed of seventeen subunits, and with another protein, macromolecule, or complex, permitting those molecules to function in a coordinated way. Once recruited to an RNA polymerase III type 3 promoter by SNAP-type and TFIIIC-type factors, binds to DNA, recruits RNA polymerase III and facilitates the transition from the closed to the open complex. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001030': { - 'name': 'RNA polymerase III type 1 promoter DNA binding', - 'def': 'Interacting selectively and non-covalently with a region of DNA that is a part of a type 1 promoter that controls transcription by RNA polymerase III. Type 1 promoters are found in 5S rRNA genes, downstream of the transcription start site within the sequence of the mature RNA, and require TFIIIA for recognition. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001031': { - 'name': 'RNA polymerase III type 2 promoter DNA binding', - 'def': 'Interacting selectively and non-covalently with a region of DNA that is a part of a type 2 promoter that controls transcription by RNA polymerase III. Type 2 promoters consist of an A box and a B box downstream of the transcription start site within the sequence within the sequence of the mature RNA. Type 2 promoters are found in many tRNA genes as well as in other small RNAs. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001032': { - 'name': 'RNA polymerase III type 3 promoter DNA binding', - 'def': 'Interacting selectively and non-covalently with a region of DNA that is a part of a type 3 promoter that controls transcription by RNA polymerase III. A type 3 Pol III promoter is composed of elements upstream of the transcription start site, including a TATA box. The human U6 snRNA gene has a type 3 promoter. Type 3 Pol III promoters have not been observed in S. cerevisiae. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001033': { - 'name': 'transcription factor activity, RNA polymerase III type 3 promoter TFIIIB recruiting', - 'def': 'The function of binding to a specific DNA sequence motif in a type 3 RNA polymerase III (Pol III) promoter in order to recruit TFIIIB to the promoter. For type 3 Pol III promoters, this requires SNAPc activity. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001034': { - 'name': 'RNA polymerase III transcription factor activity, sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase III. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001035': { - 'name': 'transcription from RNA polymerase III type 3 promoter', - 'def': 'The synthesis of RNA from a DNA template by RNA polymerase III (RNAP III), originating at a type 3 RNAP III promoter. A type 3 RNAP III promoter is composed of elements upstream of the transcription start site, including a TATA box and the process of initiation is different than from other promoter types. The human U6 snRNA gene has a type 3 promoter. Type 3 Pol III promoters have not been observed in S. cerevisiae. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001036': { - 'name': 'transcription initiation from RNA polymerase III hybrid type promoter', - 'def': 'A transcription initiation process on a hybrid type RNA polymerase III (Pol III) that results in RNA synthesis by Pol III (Pol III). A hybrid Pol III promoter contains both regulatory elements both upstream and downstream of the transcription initiation site. An example gene with such a promoter is the S. cerevisiae U6 gene. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001037': { - 'name': 'RNA polymerase III hybrid type promoter DNA binding', - 'def': 'Interacting selectively and non-covalently with a region of DNA that is a part of a hybrid promoter that controls transcription by RNA polymerase III (Pol III). A hybrid Pol III promoter contains both regulatory elements both upstream and downstream of the transcription initiation site. An example gene with such a promoter is the S. cerevisiae U6 gene. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001038': { - 'name': 'RNA polymerase III hybrid type promoter TFIIIB recruiting transcription factor activity', - 'def': 'Once recruited to an RNA polymerase III hybrid type promoter by sequence-specific DNA binding transcription factors, direct DNA binding, or a combination of both, binds to DNA, recruits RNA polymerase III and facilitates the transition from the closed to the open complex. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001039': { - 'name': 'RNA polymerase III hybrid type promoter sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is a part of a hybrid type promoter that controls transcription by RNA polymerase III (Pol III). A hybrid Pol III promoter contains both regulatory elements both upstream and downstream of the transcription initiation site. An example gene with such a promoter is the S. cerevisiae U6 gene. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001040': { - 'name': 'RNA polymerase III hybrid type promoter TFIIIB-type transcription factor activity', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III (Pol III) complex, typically composed of seventeen subunits, and with another protein, macromolecule, or complex, permitting those molecules to function in a coordinated way. Once recruited to an RNA polymerase III hybrid type promoter, binds to DNA, recruits RNA polymerase III and facilitates the transition from the closed to the open complex. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001041': { - 'name': 'transcription from a RNA polymerase III hybrid type promoter', - 'def': 'The synthesis of RNA from a DNA template by RNA polymerase III, originating at a hybrid type RNA polymerase III (RNAP III) promoter. A hybrid RNAP III promoter contains both regulatory elements both upstream and downstream of the transcription initiation site. An example gene with such a promoter is the S. cerevisiae U6 gene. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001042': { - 'name': 'RNA polymerase I core binding', - 'def': 'Interacting selectively and non-covalently with RNA polymerase I core enzyme, a multisubunit eukaryotic nuclear RNA polymerase typically composed of seventeen subunits. [GOC:txnOH]' - }, - 'GO:0001043': { - 'name': 'RNA polymerase III hybrid type promoter transcriptional preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on a hybrid type RNA polymerase III (Pol III) promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is the first step of transcription. Hybrid type promoters contain both gene-internal and upstream elements. An example of a hybrid promoter is the U6 snRNA gene. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001044': { - 'name': 'mitochondrial RNA polymerase regulatory region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific sequence of DNA that controls the transcription of a region of DNA by mitochondrial RNA polymerase. [GOC:txnOH]' - }, - 'GO:0001045': { - 'name': 'mitochondrial RNA polymerase core promoter proximal region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for a mitochondrial RNA polymerase. [GOC:txnOH, PMID:20670382]' - }, - 'GO:0001046': { - 'name': 'core promoter sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is part of a core promoter region composed of the transcription start site and binding sites for the basal transcription machinery. The transcribed region might be described as a gene, cistron, or operon. [GOC:txnOH]' - }, - 'GO:0001047': { - 'name': 'core promoter binding', - 'def': 'Interacting selectively and non-covalently with the regulatory region composed of the transcription start site and binding sites for the basal transcription machinery. Binding may occur as a sequence specific interaction or as an interaction observed only once a factor has been recruited to the DNA by other factors. [GOC:txnOH]' - }, - 'GO:0001048': { - 'name': 'RNA polymerase IV core binding', - 'def': 'Interacting selectively and non-covalently with RNA polymerase IV core enzyme, a multisubunit eukaryotic nuclear RNA polymerase found in plants and involved in siRNA production. [GOC:txnOH, PMID:19110459]' - }, - 'GO:0001049': { - 'name': 'RNA polymerase V core binding', - 'def': 'Interacting selectively and non-covalently with RNA polymerase V core enzyme, a multisubunit eukaryotic nuclear RNA polymerase found in plants and involved in production of noncoding transcripts at target loci for silencing. [GOC:txnOH, PMID:19110459]' - }, - 'GO:0001050': { - 'name': 'single-subunit type RNA polymerase binding', - 'def': 'Interacting selectively and non-covalently with a single subunit RNA polymerase enzyme, which is composed of a single catalytic subunit similar to the RNA polymerase enzymes from phages T3, T7, and SP6. [GOC:txnOH, PMID:20701995]' - }, - 'GO:0001051': { - 'name': 'plastid single-subunit type RNA polymerase binding', - 'def': 'Interacting selectively and non-covalently with a single subunit plastid RNA polymerase enzyme, which is composed of a single catalytic subunit similar to the RNA polymerase enzymes from phages T3, T7, and SP6. [GOC:txnOH, PMID:20701995]' - }, - 'GO:0001052': { - 'name': 'plastid PEP RNA polymerase core enzyme binding', - 'def': 'Interacting selectively and non-covalently with the bacterial-type plastid PEP RNA polymerase core enzyme, typically consisting of two alpha, one beta, one beta prime, and one double prime subunit. [GOC:txnOH, PMID:20701995]' - }, - 'GO:0001053': { - 'name': 'plastid sigma factor activity', - 'def': 'Interacting selectively and non-covalently with a plastid PEP core RNA polymerase to form a holoenzyme complex and also, while present in the holoenzyme, interacting with promoter sequences in order to confer sequence specific recognition of plastid PEP core promoter DNA sequence motifs. [GOC:txnOH, PMID:20701995]' - }, - 'GO:0001054': { - 'name': 'RNA polymerase I activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains an RNA polymerase I specific promoter to direct initiation and catalyzes DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH]" - }, - 'GO:0001055': { - 'name': 'RNA polymerase II activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains an RNA polymerase II specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH]" - }, - 'GO:0001056': { - 'name': 'RNA polymerase III activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains an RNA polymerase III specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH]" - }, - 'GO:0001057': { - 'name': 'RNA polymerase IV activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains an RNA polymerase IV specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH]" - }, - 'GO:0001058': { - 'name': 'RNA polymerase V activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains an RNA polymerase V specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH]" - }, - 'GO:0001059': { - 'name': 'transcription from RNA polymerase IV promoter', - 'def': 'The synthesis of RNA from a DNA template by RNA polymerase IV (Pol III), originating at a Pol IV-specific promoter. [GOC:txnOH, PMID:19110459]' - }, - 'GO:0001060': { - 'name': 'transcription from RNA polymerase V promoter', - 'def': 'The synthesis of RNA from a DNA template by RNA polymerase V (Pol III), originating at a Pol V-specific promoter. [GOC:txnOH, PMID:19110459]' - }, - 'GO:0001061': { - 'name': 'bacterial-type RNA polymerase activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains a bacterial-type specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH]" - }, - 'GO:0001062': { - 'name': 'plastid PEP-A RNA polymerase activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains a plastid PEP-A RNA polymerase II specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH, PMID:20701995]" - }, - 'GO:0001063': { - 'name': 'plastid PEP-B RNA polymerase activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains a plastid PEP-B RNA polymerase II specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH, PMID:20701995]" - }, - 'GO:0001064': { - 'name': 'single subunit type RNA polymerase activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains a single-subunit-type RNA polymerase-specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH]" - }, - 'GO:0001065': { - 'name': 'mitochondrial single subunit type RNA polymerase activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains a single-subunit-type mitochondrial RNA polymerase-specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH]" - }, - 'GO:0001066': { - 'name': 'plastid single subunit type RNA polymerase activity', - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template that contains a single subunit type plastid RNA polymerase specific promoter to direct initiation and catalyses DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [GOC:txnOH, PMID:20701995]" - }, - 'GO:0001067': { - 'name': 'regulatory region nucleic acid binding', - 'def': 'Interacting selectively and non-covalently with a nucleic acid region that regulates a nucleic acid-based process. Such processes include transcription, DNA replication, and DNA repair. [GOC:txnOH]' - }, - 'GO:0001068': { - 'name': 'transcription regulatory region RNA binding', - 'def': 'Interacting selectively and non-covalently with a RNA region within the transcript that regulates the transcription of a region of DNA, which may be a gene, cistron, or operon. [GOC:txnOH]' - }, - 'GO:0001069': { - 'name': 'regulatory region RNA binding', - 'def': 'Interacting selectively and non-covalently with a RNA region that regulates a nucleic acid-based process. Such processes include transcription, DNA replication, and DNA repair. [GOC:txnOH]' - }, - 'GO:0001070': { - 'name': 'RNA binding transcription factor activity', - 'def': 'Interacting selectively and non-covalently with an RNA sequence in order to modulate transcription. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH, PMID:8332211]' - }, - 'GO:0001071': { - 'name': 'nucleic acid binding transcription factor activity', - 'def': 'Interacting selectively and non-covalently with a DNA or RNA sequence in order to modulate transcription. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH]' - }, - 'GO:0001072': { - 'name': 'transcription antitermination factor activity, RNA binding', - 'def': 'Binds to RNA, typically within the nascent RNA transcript, to promote readthrough of a transcription termination site and thus extending the length of the RNA transcript produced. Examples of antitermination factors which bind the nascent RNA include the lambda N protein and the HIV-1 tat protein. [GOC:txnOH, PMID:8332211]' - }, - 'GO:0001073': { - 'name': 'transcription antitermination factor activity, DNA binding', - 'def': 'Binds to DNA, typically within region of the promoter and transcribed region, to promote readthrough of a transcription termination site and thus extending the length of the RNA transcript produced. Examples of antitermination factors which bind DNA include the lambda Q protein. [GOC:txnOH, PMID:8332211]' - }, - 'GO:0001074': { - 'name': 'transcription factor activity, RNA polymerase II core promoter proximal region sequence-specific binding involved in preinitiation complex assembly', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) in order to promote assembly of the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription from an RNA polymerase II promoter. [GOC:txnOH]' - }, - 'GO:0001075': { - 'name': 'transcription factor activity, RNA polymerase II core promoter sequence-specific binding involved in preinitiation complex assembly', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in an RNA polymerase II (Pol II) core promoter, the region composed of the transcription start site and binding sites for transcription factors of the Pol II basal transcription machinery, in order to promote assembly of the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription from an RNA polymerase II promoter. [GOC:txnOH]' - }, - 'GO:0001076': { - 'name': 'transcription factor activity, RNA polymerase II transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II transcription factor, which may be a single protein or a complex, in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0001077': { - 'name': 'transcriptional activator activity, RNA polymerase II core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) in order to activate or increase the frequency, rate or extent of transcription from the RNAP II promoter. [GOC:txnOH]' - }, - 'GO:0001078': { - 'name': 'transcriptional repressor activity, RNA polymerase II core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) in order to stop, prevent, or reduce the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:txnOH]' - }, - 'GO:0001079': { - 'name': 'nitrogen catabolite regulation of transcription from RNA polymerase II promoter', - 'def': 'A transcription regulation process in which the presence of one nitrogen source leads to the modulation of the frequency, rate, or extent of transcription, from an RNA polymerase II promoter, of specific genes involved in the metabolism of other nitrogen sources. [GOC:mah, GOC:txnOH, PMID:19104072]' - }, - 'GO:0001080': { - 'name': 'nitrogen catabolite activation of transcription from RNA polymerase II promoter', - 'def': 'A transcription regulation process in which the presence of one nitrogen source leads to an increase in the frequency, rate, or extent of transcription, from an RNA polymerase II promoter, of specific genes involved in the metabolism of other nitrogen sources. [GOC:mah, GOC:txnOH, PMID:19104072]' - }, - 'GO:0001081': { - 'name': 'nitrogen catabolite repression of transcription from RNA polymerase II promoter', - 'def': 'A transcription regulation process in which the presence of one nitrogen source leads to a decrease in the frequency, rate, or extent of transcription, from an RNA polymerase II promoter, of specific genes involved in the metabolism of other nitrogen sources. [GOC:mah, GOC:txnOH, PMID:19104072]' - }, - 'GO:0001082': { - 'name': 'transcription factor activity, RNA polymerase I transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase I transcription factor, which may be a single protein or a complex, in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0001083': { - 'name': 'transcription factor activity, RNA polymerase II basal transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor, which may be a single protein or a complex, in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0001084': { - 'name': 'transcription factor activity, TFIID-class binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIID class in order to modulate transcription. The transcription factor may or may not also interact selectively with DNA as well. [GOC:txnOH]' - }, - 'GO:0001085': { - 'name': 'RNA polymerase II transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II transcription factor, any protein required to initiate or regulate transcription by RNA polymerase II. [GOC:txnOH]' - }, - 'GO:0001086': { - 'name': 'transcription factor activity, TFIIA-class binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIA class in order to modulate transcription. The transcription factor may or may not also interact selectively with DNA as well. [GOC:txnOH]' - }, - 'GO:0001087': { - 'name': 'transcription factor activity, TFIIB-class binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIB class in order to modulate transcription. The transcription factor may or may not also interact selectively with DNA as well. [GOC:txnOH]' - }, - 'GO:0001088': { - 'name': 'transcription factor activity, TFIIE-class binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIE class in order to modulate transcription. The transcription factor may or may not also interact selectively with DNA as well. [GOC:txnOH]' - }, - 'GO:0001089': { - 'name': 'transcription factor activity, TFIIF-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIF class in order to modulate transcription. The transcription factor may or may not also interact selectively with DNA as well. [GOC:txnOH]' - }, - 'GO:0001090': { - 'name': 'transcription factor activity, TFIIH-class binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIH class in order to modulate transcription. The transcription factor may or may not also interact selectively with DNA as well. [GOC:txnOH]' - }, - 'GO:0001091': { - 'name': 'RNA polymerase II basal transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor, any of the factors involved in formation of the preinitiation complex (PIC) by RNA polymerase II and defined as a basal or general transcription factor. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001092': { - 'name': 'TFIIA-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIA class, one of the factors involved in formation of the preinitiation complex (PIC) by RNA polymerase II and defined as a basal or general transcription factor. [GOC:krc, PMID:16858867]' - }, - 'GO:0001093': { - 'name': 'TFIIB-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIB class, one of the factors involved in formation of the preinitiation complex (PIC) by RNA polymerase II and defined as a basal or general transcription factor. [GOC:krc, PMID:16858867]' - }, - 'GO:0001094': { - 'name': 'TFIID-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIID class, one of the factors involved in formation of the preinitiation complex (PIC) by RNA polymerase II and defined as a basal or general transcription factor. [GOC:krc, PMID:16858867]' - }, - 'GO:0001095': { - 'name': 'TFIIE-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIE class, one of the factors involved in formation of the preinitiation complex (PIC) by RNA polymerase II and defined as a basal or general transcription factor. [GOC:krc, PMID:16858867]' - }, - 'GO:0001096': { - 'name': 'TFIIF-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIF class, one of the factors involved in formation of the preinitiation complex (PIC) by RNA polymerase II and defined as a basal or general transcription factor. [GOC:krc, PMID:16858867]' - }, - 'GO:0001097': { - 'name': 'TFIIH-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II transcription factor of the TFIIH class, one of the factors involved in formation of the preinitiation complex (PIC) by RNA polymerase II and defined as a basal or general transcription factor. [GOC:krc, PMID:16858867]' - }, - 'GO:0001098': { - 'name': 'basal transcription machinery binding', - 'def': 'Interacting selectively and non-covalently with the basal transcription machinery which is composed of the RNA polymerase core enzyme and the basal transcription factor(s), the minimal set of factors required for formation of the preinitiation complex (PIC) by the RNA polymerase. [GOC:txnOH]' - }, - 'GO:0001099': { - 'name': 'basal RNA polymerase II transcription machinery binding', - 'def': 'Interacting selectively and non-covalently with the basal transcription machinery for RNA polymerase II which is composed of the RNA polymerase II core enzyme, a multisubunit eukaryotic nuclear RNA polymerase typically composed of twelve subunits, and the basal RNA polymerase II transcription factors, the minimal set of factors required for formation of the preinitiation complex (PIC) by the RNA polymerase. [GOC:txnOH]' - }, - 'GO:0001100': { - 'name': 'negative regulation of exit from mitosis', - 'def': 'Any process involved in the inhibition of progression from anaphase/telophase (high mitotic CDK activity) to G1 (low mitotic CDK activity). [GOC:rn]' - }, - 'GO:0001101': { - 'name': 'response to acid chemical', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus by the chemical structure of the anion portion of a dissociated acid (rather than the acid acting as a proton donor). The acid chemical may be in gaseous, liquid or solid form. [GOC:go_curators, GOC:rn, http://en.wikipedia.org/wiki/Acid]' - }, - 'GO:0001102': { - 'name': 'RNA polymerase II activating transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II transcription activating factor, a protein involved in positive regulation of transcription. [GOC:txnOH]' - }, - 'GO:0001103': { - 'name': 'RNA polymerase II repressing transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II transcription repressing factor, a protein involved in negative regulation of transcription. [GOC:txnOH]' - }, - 'GO:0001104': { - 'name': 'RNA polymerase II transcription cofactor activity', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II (RNAP II) regulatory transcription factor and also with the RNAP II basal transcription machinery in order to modulate transcription. Cofactors generally do not bind DNA, but rather mediate protein-protein interactions between regulatory transcription factors and the basal RNAP II transcription machinery. [GOC:txnOH, PMID:10213677, PMID:16858867]' - }, - 'GO:0001105': { - 'name': 'RNA polymerase II transcription coactivator activity', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II (RNAP II) regulatory transcription factor and also with the RNAP II basal transcription machinery in order to increase the frequency, rate or extent of transcription. Cofactors generally do not bind DNA, but rather mediate protein-protein interactions between activating transcription factors and the basal RNAP II transcription machinery. [GOC:txnOH, PMID:10213677, PMID:16858867]' - }, - 'GO:0001106': { - 'name': 'RNA polymerase II transcription corepressor activity', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II repressing transcription factor and also with the RNA polymerase II basal transcription machinery in order to stop, prevent, or reduce the frequency, rate or extent of transcription. Cofactors generally do not bind DNA, but rather mediate protein-protein interactions between repressive transcription factors and the basal transcription machinery. [GOC:txnOH, PMID:10213677, PMID:16858867]' - }, - 'GO:0001108': { - 'name': 'bacterial-type RNA polymerase holo enzyme binding', - 'def': 'Interacting selectively and non-covalently with the basal transcription machinery which is composed of a bacterial-type RNA polymerase core enzyme and a sigma factor, the minimal set of factors required for formation of the preinitiation complex (PIC) by a bacterial-type RNA polymerase. [GOC:txnOH]' - }, - 'GO:0001109': { - 'name': 'promoter clearance during DNA-templated transcription', - 'def': 'Any process involved in the transition from the initiation to the elongation phases of transcription by a DNA-dependent RNA polymerase, generally including a conformational change from the initiation conformation to the elongation conformation. Promoter clearance often involves breaking contact with transcription factors involved only in the initiation phase and making contacts with elongation specific factors. [GOC:txnOH, PMID:15020047, PMID:18280161]' - }, - 'GO:0001110': { - 'name': 'promoter clearance from RNA polymerase III promoter', - 'def': 'Any process involved in the transition from the initiation to the elongation phases of transcription by RNA polymerase III, generally including a conformational change from the initiation conformation to the elongation conformation. Promoter clearance often involves breaking contact with transcription factors involved only in the initiation phase. [GOC:txnOH]' - }, - 'GO:0001111': { - 'name': 'promoter clearance from RNA polymerase II promoter', - 'def': 'Any process involved in the transition from the initiation to the elongation phases of transcription by RNA polymerase II, generally including a conformational change from the initiation conformation to the elongation conformation. Promoter clearance often involves breaking contact with transcription factors involved only in the initiation phase and making contacts with elongation specific factors. [GOC:txnOH, PMID:15020047]' - }, - 'GO:0001112': { - 'name': 'DNA-templated transcriptional open complex formation', - 'def': 'Any process involved in the melting of the DNA hybrid of the core promoter region within the transcriptional closed complex of an RNA polymerase preinitiation complex (PIC) to produce an open complex where the DNA duplex around the transcription initiation site is unwound to form the transcription bubble. [GOC:txnOH, PMID:15020047, PMID:18280161]' - }, - 'GO:0001113': { - 'name': 'transcriptional open complex formation at RNA polymerase II promoter', - 'def': 'Any process involved in the melting of the DNA hybrid of the core promoter region within the transcriptional closed complex of an RNA polymerase II preinitiation complex (PIC) to produce an open complex where the DNA duplex around the transcription initiation site is unwound to form the transcription bubble. [GOC:txnOH, PMID:15020047, PMID:18280161]' - }, - 'GO:0001114': { - 'name': 'protein-DNA-RNA complex', - 'def': 'A macromolecular complex containing protein, DNA, and RNA molecules. [GOC:txnOH]' - }, - 'GO:0001115': { - 'name': 'protein-DNA-RNA complex subunit organization', - 'def': 'Any process in which macromolecules aggregate, disaggregate, or are modified, resulting in the formation, disassembly, or alteration of a protein-DNA-RNA complex. [GOC:txnOH]' - }, - 'GO:0001116': { - 'name': 'protein-DNA-RNA complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins, DNA, and RNA molecules to form a protein-DNA-RNA complex. [GOC:txnOH]' - }, - 'GO:0001117': { - 'name': 'protein-DNA-RNA complex disassembly', - 'def': 'The disaggregation of a protein-DNA-RNA complex into its constituent components. [GOC:txnOH]' - }, - 'GO:0001118': { - 'name': 'transcription ternary complex disassembly', - 'def': 'The disaggregation of a transcription ternary complex, composed of RNA polymerase, template DNA, and an RNA transcript, into its constituent components. [GOC:txnOH]' - }, - 'GO:0001119': { - 'name': 'protein-DNA-RNA complex remodeling', - 'def': 'The acquisition, loss, or modification of macromolecules within a protein-DNA-RNA complex, resulting in the alteration of an existing complex. [GOC:txnOH]' - }, - 'GO:0001120': { - 'name': 'protein-DNA complex remodeling', - 'def': 'The acquisition, loss, or modification of macromolecules within a protein-DNA complex, resulting in the alteration of an existing complex. [GOC:txnOH]' - }, - 'GO:0001121': { - 'name': 'transcription from bacterial-type RNA polymerase promoter', - 'def': 'The synthesis of RNA from a DNA template by a bacterial-type RNA polymerase, originating at a bacterial-type promoter. [GOC:txnOH]' - }, - 'GO:0001122': { - 'name': 'promoter clearance from bacterial-type RNA polymerase promoter', - 'def': 'Any process involved in the transition from the initiation to the elongation phase of transcription by a bacterial-type RNA polymerase, generally including a conformational change from the initiation conformation to the elongation conformation. Promoter clearance generally involves dissociation of the sigma initiation factor. [GOC:txnOH, PMID:18280161]' - }, - 'GO:0001123': { - 'name': 'transcription initiation from bacterial-type RNA polymerase promoter', - 'def': 'Any process involved in the assembly of bacterial-type RNA polymerase preinitiation complex (PIC) at the core promoter region of a DNA template, resulting in the subsequent synthesis of RNA from that promoter. The initiation phase includes PIC assembly and the formation of the first few bonds in the RNA chain, including abortive initiation, which occurs when the first few nucleotides are repeatedly synthesized and then released. The initiation phase ends just before and does not include promoter clearance, or release, which is the transition between the initiation and elongation phases of transcription. [GOC:txnOH, PMID:18280161]' - }, - 'GO:0001124': { - 'name': 'transcription elongation from bacterial-type RNA polymerase promoter', - 'def': 'The extension of an RNA molecule after transcription initiation and promoter clearance at a bacterial-type RNA polymerase promoter by the addition of ribonucleotides catalyzed by a bacterial-type RNA polymerase. [GOC:txnOH, PMID:18280161]' - }, - 'GO:0001125': { - 'name': 'transcription termination from bacterial-type RNA polymerase promoter', - 'def': 'The process in which the synthesis of an RNA molecule by a bacterial-type RNA polymerase using a DNA template is completed. [GOC:txnOH, PMID:18280161]' - }, - 'GO:0001126': { - 'name': 'bacterial-type RNA polymerase preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on a bacterial-type RNA polymerase promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription by RNA polymerase. [GOC:txnOH, PMID:18280161]' - }, - 'GO:0001127': { - 'name': 'transcriptional open complex formation at bacterial-type RNA polymerase promoter', - 'def': 'Any process involved in the melting of the DNA hybrid of the core promoter region within a bacterial-type RNA polymerase promoter to produce an open complex where the DNA duplex around the transcription initiation site is unwound to form the transcription bubble. [GOC:txnOH, PMID:18280161]' - }, - 'GO:0001128': { - 'name': 'RNA polymerase II transcription coactivator activity involved in preinitiation complex assembly', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II (RNAP II) regulatory transcription factor and also with the RNAP II basal transcription machinery in order to increase the frequency, rate or stability of the aggregation, arrangement and bonding together of proteins on RNA polymerase II promoter DNA to form the transcriptional preinitiation complex (PIC). Cofactors generally do not bind DNA, but rather mediate protein-protein interactions between activating transcription factors and the basal RNAP II transcription machinery. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001129': { - 'name': 'RNA polymerase II transcription factor activity, TBP-class protein binding, involved in preinitiation complex assembly', - 'def': 'Interacting selectively and non-covalently with a member of the class of TATA-binding proteins (TBP), including any of the TBP-related factors (TRFs), to facilitate the aggregation, arrangement and bonding together of proteins on RNA polymerase II promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription by RNA polymerase. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001130': { - 'name': 'bacterial-type RNA polymerase transcription factor activity, sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by bacterial-type RNA polymerase. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH]' - }, - 'GO:0001131': { - 'name': 'transcription factor activity, bacterial-type RNA polymerase core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for a bacterial-type RNA polymerase in order to modulate transcription by bacterial-type RNA polymerase. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH]' - }, - 'GO:0001132': { - 'name': 'RNA polymerase II transcription factor activity, TBP-class protein binding', - 'def': 'Interacting selectively and non-covalently with a member of the class of TATA-binding proteins (TBP), including any of the TBP-related factors (TRFs), in order to modulate transcription. The transcription factor may or may not also interact selectively with DNA as well. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001133': { - 'name': 'RNA polymerase II transcription factor activity, sequence-specific transcription regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific sequence of DNA that is part of a regulatory region that controls transcription of that section of the DNA by RNA polymerase II and recruiting another transcription factor to the DNA in order to modulate transcription by RNAP II. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001134': { - 'name': 'transcription factor activity, transcription factor recruiting', - 'def': 'Interacting selectively and non-covalently with a specific transcription factor, which may be a single protein or a complex, and with another protein, macromolecule, or complex, recruiting that specific transcription factor to the transcription machinery complex and thus permitting those molecules to function in a coordinated way, in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001135': { - 'name': 'transcription factor activity, RNA polymerase II transcription factor recruiting', - 'def': 'The function of binding to an RNA polymerase II (RNAP II) transcription factor and recruiting it to the transcription machinery complex in order to modulate transcription by RNAP II. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001136': { - 'name': 'transcription factor activity, TFIIE-class transcription factor recruiting', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II (RNAP II) transcription factor of the TFIIE-class in order to recruit it to the RNAP II preinitiation complex (PIC) in order to modulate transcription by RNAP II. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001137': { - 'name': 'transcription factor activity, TFIIF-class transcription factor recruiting', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II (RNAP II) transcription factor of the TFIIF-class in order to recruit it to the RNAP II preinitiation complex (PIC) in order to modulate transcription by RNAP II. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001138': { - 'name': 'transcription factor activity, TFIIH-class transcription factor recruiting', - 'def': 'Interacting selectively and non-covalently with a basal RNA polymerase II (RNAP II) transcription factor of the TFIIH-class in order to recruit it to the RNAP II preinitiation complex (PIC) in order to modulate transcription by RNAP II. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001139': { - 'name': 'transcription factor activity, core RNA polymerase II recruiting', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II (Pol II) complex, typically composed of twelve subunits, and with another protein, macromolecule, or complex, permitting those molecules to function in a coordinated way in order to facilitate the aggregation, arrangement and bonding together of proteins on an RNA polymerase II promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription by RNA polymerase. [GOC:txnOH, PMID:16858867]' - }, - 'GO:0001140': { - 'name': 'transcriptional activator activity, bacterial-type RNA polymerase core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for a bacterial-type RNA polymerase in order to increase transcription by bacterial-type RNA polymerase. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH, PMID:20491932, PMID:20629756]' - }, - 'GO:0001141': { - 'name': 'transcriptional repressor activity, bacterial-type RNA polymerase core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for a bacterial-type RNA polymerase in order to stop, prevent, or reduce the frequency, rate or extent of transcription from a bacterial-type RNA polymerase promoter. [GOC:txnOH, PMID:20491932, PMID:20629756]' - }, - 'GO:0001142': { - 'name': 'mitochondrial RNA polymerase transcription factor activity, sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by mitochondrial RNA polymerase. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH, PMID:18391175]' - }, - 'GO:0001143': { - 'name': 'mitochondrial RNA polymerase core promoter sequence-specific DNA binding transcription factor activity', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence that is part of the core promoter for mitochondrial RNA polymerase in order to modulate transcription by mitochondrial RNA polymerase. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH, PMID:18391175]' - }, - 'GO:0001144': { - 'name': 'transcription factor activity, mitochondrial RNA polymerase core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for a mitochondrial RNA polymerase in order to modulate transcription by mitochondrial RNA polymerase. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH, PMID:18391175]' - }, - 'GO:0001145': { - 'name': 'mitochondrial RNA polymerase termination site sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is a terminator for mitochondrial RNA polymerase. [GOC:txnOH, PMID:18391175]' - }, - 'GO:0001146': { - 'name': 'transcription factor activity, mitochondrial RNA polymerase terminator site sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is a terminator for mitochondrial RNA polymerase in order to promote transcription termination by mitochondrial RNA polymerase. [GOC:txnOH, PMID:18391175]' - }, - 'GO:0001147': { - 'name': 'transcription termination site sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that promotes termination by RNA polymerase. The transcribed region might be described as a gene, cistron, or operon. [GOC:txnOH, PMID:18280161, PMID:18391175]' - }, - 'GO:0001148': { - 'name': 'bacterial-type RNA polymerase termination site sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is a terminator for bacterial-type RNA polymerase. [GOC:txnOH, PMID:18280161]' - }, - 'GO:0001149': { - 'name': 'transcription factor activity, bacterial-type RNA polymerase termination site sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is a termination site for bacterial-type RNA polymerase in order to promote transcription termination by bacterial-type RNA polymerase. [GOC:txnOH, PMID:18280161]' - }, - 'GO:0001150': { - 'name': 'bacterial-type RNA polymerase enhancer sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is an enhancer region that helps activate transcription of a gene or operon by a bacterial-type RNA polymerase. Enhancers for sigma-54 holoenzymes are typically located 80 to 150 base pairs upstream from the transcription start site, although they can be further away or may be downstream of the promoter. Some transcription units dependent on sigma-70 holoenzymes may also include enhancer sequences. [GOC:txnOH, PMID:11282468, PMID:20629756]' - }, - 'GO:0001151': { - 'name': 'transcription factor activity, bacterial-type RNA polymerase transcription enhancer sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is a bacterial-type enhancer region in order to activate transcription by bacterial-type RNA polymerase. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. Enhancers for sigma-54 holoenzymes are typically located 80 to 150 base pairs upstream from the transcription start site. Some transcription units dependent on sigma-70 holoenzymes may also include enhancer sequences. [GOC:txnOH, PMID:20629756]' - }, - 'GO:0001152': { - 'name': 'transcription factor activity, RNA polymerase III type 1 promoter sequence-specific binding, TFIIIC recruiting', - 'def': 'The function of binding to a specific DNA sequence motif in a type 1 RNA polymerase III (Pol III) promoter in order to recruit the transcription factor TFIIIC to the promoter. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001153': { - 'name': 'transcription factor activity, RNA polymerase III transcription factor recruiting', - 'def': 'The function of binding to an RNA polymerase III (RNAP III) transcription factor and recruiting it to the transcription machinery complex in order to modulate transcription by RNAP III. [GOC:txnOH]' - }, - 'GO:0001154': { - 'name': 'TFIIIB-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III transcription factor of the TFIIIB class, one of the factors involved in formation of the preinitiation complex (PIC) by RNA polymerase III. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001155': { - 'name': 'TFIIIA-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III transcription factor of the TFIIIA class, one of the factors involved in formation of the preinitiation complex (PIC) at type 1 promoters (5S genes) by RNA polymerase III. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001156': { - 'name': 'TFIIIC-class transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase III transcription factor of the TFIIIC class, one of the factors involved in formation of the preinitiation complex (PIC) by RNA polymerase III. [GOC:txnOH, PMID:12381659]' - }, - 'GO:0001158': { - 'name': 'enhancer sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific sequence of DNA that is part of an enhancer, a transcription regulatory region that is somewhat distal from the core promoter and which enhances transcription from that promoter. [GOC:txnOH]' - }, - 'GO:0001159': { - 'name': 'core promoter proximal region DNA binding', - 'def': 'Interacting selectively and non-covalently with a region of DNA that is in cis with and relatively close to the core promoter. The transcribed region might be described as a gene, cistron, or operon. [GOC:txnOH]' - }, - 'GO:0001160': { - 'name': 'transcription termination site DNA binding', - 'def': 'Interacting selectively and non-covalently with a region of DNA that promotes termination by RNA polymerase. The transcribed region might be described as a gene, cistron, or operon. [GOC:txnOH]' - }, - 'GO:0001161': { - 'name': 'intronic transcription regulatory region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with an intronic DNA sequence that regulates the transcription of the transcript it is contained within. [GOC:txnOH]' - }, - 'GO:0001162': { - 'name': 'RNA polymerase II intronic transcription regulatory region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II intronic DNA sequence that regulates the transcription of the transcript it is contained within. [GOC:txnOH]' - }, - 'GO:0001163': { - 'name': 'RNA polymerase I regulatory region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific sequence of DNA that is part of a regulatory region that controls the transcription of a gene or cistron by RNA polymerase I. [GOC:txnOH]' - }, - 'GO:0001164': { - 'name': 'RNA polymerase I CORE element sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with the regulatory region composed of the transcription start site and binding sites for transcription factors of the RNA polymerase I transcription machinery. This site is often referred to as the CORE element. In mammalian cells, the CORE element functions in conjunction with the Upstream Control Element (UCE), while in fungi, protozoa, and plants, the CORE element functions without a UCE. [GOC:txnOH, PMID:12865296, PMID:14969726, PMID:8057832]' - }, - 'GO:0001165': { - 'name': 'RNA polymerase I upstream control element sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with the upstream control element (UCE, or alternately referred to as the upstream element), a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase I. [GOC:txnOH, PMID:12865296, PMID:14969726, PMID:8057832]' - }, - 'GO:0001166': { - 'name': 'RNA polymerase I enhancer sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a RNA polymerase I (Pol I) enhancer. In mammalian cells, enhancers are distal sequences that increase the utilization of promoters, and can function in either orientation and in any location (upstream or downstream) relative to the core promoter. [GOC:txnOH, PMID:12865296, PMID:14969726, PMID:8057832]' - }, - 'GO:0001167': { - 'name': 'RNA polymerase I transcription factor activity, sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase I. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:txnOH]' - }, - 'GO:0001168': { - 'name': 'transcription factor activity, RNA polymerase I upstream control element sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with the upstream control element (UCE, or alternately referred to as the upstream element, UE), a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase I in order to modulate transcription by RNA polymerase I. [GOC:txnOH, PMID:12865296, PMID:14969726, PMID:8057832]' - }, - 'GO:0001169': { - 'name': 'transcription factor activity, RNA polymerase I CORE element sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with CORE element, a regulatory region composed of the transcription start site and binding sites for transcription factors of the RNA polymerase I transcription machinery in order to modulate transcription by RNA polymerase I. [GOC:txnOH, PMID:12865296, PMID:14969726, PMID:8057832]' - }, - 'GO:0001170': { - 'name': 'transcription factor activity, RNA polymerase I enhancer sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a RNA polymerase I (Pol I) enhancer in order to modulate transcription by RNA polymerase I. [GOC:txnOH, PMID:12865296, PMID:14969726, PMID:8057832]' - }, - 'GO:0001171': { - 'name': 'reverse transcription', - 'def': 'A DNA synthesis process that uses RNA as the initial template for synthesis of DNA, but which also includes an RNase activity to remove the RNA strand of an RNA-DNA heteroduplex produced by the RNA-dependent synthesis step and use of the initial DNA strand as a template for DNA synthesis. [GOC:txnOH, PMID:20358252]' - }, - 'GO:0001172': { - 'name': 'transcription, RNA-templated', - 'def': 'The cellular synthesis of RNA on a template of RNA. [GOC:txnOH]' - }, - 'GO:0001173': { - 'name': 'DNA-templated transcriptional start site selection', - 'def': 'Any process involved in the selection of the specific location within the template strand of a DNA-dependent RNA polymerase promoter for hybridization of the cognate ribonucleotides and formation of first phosphodiester bond within the nascent transcript. [GOC:txnOH, PMID:16826228, PMID:18846104]' - }, - 'GO:0001174': { - 'name': 'transcriptional start site selection at RNA polymerase II promoter', - 'def': 'Any process involved in the selection of the specific location within the template strand of an RNA polymerase II promoter for hybridization of the cognate ribonucleotides and formation of first phosphodiester bond within the nascent transcript. [GOC:txnOH, PMID:16826228, PMID:18846104]' - }, - 'GO:0001175': { - 'name': 'transcriptional start site selection at RNA polymerase III promoter', - 'def': 'Any process involved in the selection of the specific location within the template strand of an RNA polymerase III promoter for hybridization of the cognate ribonucleotides and formation of first phosphodiester bond within the nascent transcript. [GOC:txnOH]' - }, - 'GO:0001176': { - 'name': 'transcriptional start site selection at bacterial-type RNA polymerase promoter', - 'def': 'Any process involved in the selection of the specific location within the template strand of a bacterial-type RNA polymerase promoter for hybridization of the cognate ribonucleotides and formation of first phosphodiester bond within the nascent transcript. [GOC:txnOH]' - }, - 'GO:0001177': { - 'name': 'regulation of transcriptional open complex formation at RNA polymerase II promoter', - 'def': 'Any process that modulates the rate, frequency or extent of a process involved the melting of the DNA hybrid of the core promoter region within the transcriptional closed complex of an RNA polymerase II preinitiation complex (PIC) to produce an open complex where the DNA duplex around the transcription initiation site is unwound to form the transcription bubble. [GOC:txnOH]' - }, - 'GO:0001178': { - 'name': 'regulation of transcriptional start site selection at RNA polymerase II promoter', - 'def': 'Any process that modulates the rate, frequency or extent of a process involved in the selection of the specific location within the template strand of an RNA polymerase II promoter for hybridization of the cognate ribonucleotides and formation of first phosphodiester bond within the nascent transcript. [GOC:txnOH]' - }, - 'GO:0001179': { - 'name': 'RNA polymerase I transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase I transcription factor, any protein required to initiate or regulate transcription by RNA polymerase I. [GOC:txnOH]' - }, - 'GO:0001180': { - 'name': 'transcription initiation from RNA polymerase I promoter for nuclear large rRNA transcript', - 'def': 'Any process involved in the assembly of the RNA polymerase I preinitiation complex (PIC) at an polymerase I promoter for the nuclear large ribosomal RNA (rRNA) transcript, resulting in the subsequent synthesis of rRNA from that promoter. The initiation phase includes PIC assembly and the formation of the first few bonds in the RNA chain, including abortive initiation, which occurs when the first few nucleotides are repeatedly synthesized and then released. Promoter clearance, or release, is the transition between the initiation and elongation phases of transcription. [GOC:txnOH]' - }, - 'GO:0001181': { - 'name': 'transcription factor activity, core RNA polymerase I binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase I (RNAP I) complex, typically composed of fourteen subunits, in order to modulate transcription. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0001182': { - 'name': 'promoter clearance from RNA polymerase I promoter', - 'def': 'Any process involved in the transition from the initiation to the elongation phases of transcription by RNA polymerase I, generally including a conformational change from the initiation conformation to the elongation conformation. Promoter clearance often involves breaking contact with transcription factors involved only in the initiation phase and making contacts with elongation specific factors. [GOC:txnOH]' - }, - 'GO:0001183': { - 'name': 'transcription elongation from RNA polymerase I promoter for nuclear large rRNA transcript', - 'def': 'The extension of an RNA molecule after transcription initiation and promoter clearance at an RNA polymerase I promoter for the nuclear large ribosomal RNA (rRNA) transcript by the addition of ribonucleotides catalyzed by RNA polymerase I. [GOC:txnOH]' - }, - 'GO:0001184': { - 'name': 'promoter clearance from RNA polymerase I promoter for nuclear large rRNA transcript', - 'def': 'Any process involved in the transition from the initiation to the elongation phases of transcription by RNA polymerase I at a promoter for the nuclear large ribosomal RNA (rRNA) transcript, generally including a conformational change from the initiation conformation to the elongation conformation. Promoter clearance often involves breaking contact with transcription factors involved only in the initiation phase and making contacts with elongation specific factors. [GOC:txnOH]' - }, - 'GO:0001185': { - 'name': 'termination of RNA polymerase I transcription from promoter for nuclear large rRNA transcript', - 'def': 'The process in which the synthesis of an rRNA molecule from a promoter for the nuclear large ribosomal RNA (rRNA) transcript by RNA polymerase I using a DNA template is completed. RNAP I termination requires binding of a terminator protein so specific sequences downstream of the transcription unit. [GOC:txnOH]' - }, - 'GO:0001186': { - 'name': 'transcription factor activity, RNA polymerase I transcription factor recruiting', - 'def': 'The function of binding to an RNA polymerase I (RNAP I) transcription factor and recruiting it to the transcription machinery complex in order to modulate transcription by RNAP I. [GOC:txnOH, PMID:12381659, PMID:14969726, PMID:8057832]' - }, - 'GO:0001187': { - 'name': 'transcription factor activity, RNA polymerase I CORE element binding transcription factor recruiting', - 'def': 'Interacting selectively and non-covalently with the CORE element, a regulatory region composed of the transcription start site and binding sites for transcription factors of the RNA polymerase I transcription machinery and also binding to an RNA polymerase I (RNAP I) transcription factor to recruit it to the transcription machinery complex in order to modulate transcription by RNA polymerase I. [GOC:txnOH, PMID:12381659, PMID:14969726, PMID:8057832]' - }, - 'GO:0001188': { - 'name': 'RNA polymerase I transcriptional preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription from an RNA polymerase I promoter. [GOC:txnOH, PMID:12381659, PMID:14969726, PMID:8057832]' - }, - 'GO:0001189': { - 'name': 'RNA polymerase I transcriptional preinitiation complex assembly at the promoter for the nuclear large rRNA transcript', - 'def': 'The aggregation, arrangement and bonding together of proteins on CORE promoter element DNA of the nuclear large ribosomal RNA (rRNA) transcript to form a transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription from the large rRNA promoter, resulting in the subsequent synthesis of the large rRNA transcript. [GOC:txnOH, PMID:12381659, PMID:14969726, PMID:8057832]' - }, - 'GO:0001190': { - 'name': 'transcriptional activator activity, RNA polymerase II transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II transcription factor, which may be a single protein or a complex, in order to increase the frequency, rate or extent of transcription from an RNA polymerase II promoter. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH]' - }, - 'GO:0001191': { - 'name': 'transcriptional repressor activity, RNA polymerase II transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II transcription factor, which may be a single protein or a complex, in order to stop, prevent, or reduce the frequency, rate or extent of transcription from an RNA polymerase II promoter. A protein binding transcription factor may or may not also interact with the template nucleic acid (either DNA or RNA) as well. [GOC:txnOH, PMID:9811836]' - }, - 'GO:0001192': { - 'name': 'maintenance of transcriptional fidelity during DNA-templated transcription elongation', - 'def': 'Suppression of the occurrence of transcriptional errors, such as substitutions and/or insertions of nucleotides that do not correctly match the template base, during the process of transcription elongation on a DNA template. [GOC:txnOH]' - }, - 'GO:0001193': { - 'name': 'maintenance of transcriptional fidelity during DNA-templated transcription elongation from RNA polymerase II promoter', - 'def': 'Suppression of the occurrence of transcriptional errors, such as substitutions and/or insertions of nucleotides that do not correctly match the template base, during the process of transcription elongation from an RNA polymerase II promoter. [GOC:txnOH, PMID:14531857, PMID:16492753, PMID:17535246]' - }, - 'GO:0001194': { - 'name': 'maintenance of transcriptional fidelity during DNA-templated transcription elongation from bacterial-type RNA polymerase promoter', - 'def': 'Suppression of the occurrence of transcriptional errors, such as substitutions and/or insertions of nucleotides that do not correctly match the template base, during the process of transcription elongation from a bacterial-type RNA polymerase promoter. [GOC:txnOH]' - }, - 'GO:0001195': { - 'name': 'maintenance of transcriptional fidelity during DNA-templated transcription elongation from RNA polymerase III promoter', - 'def': 'Suppression of the occurrence of transcriptional errors, such as substitutions and/or insertions of nucleotides that do not correctly match the template base, during the process of transcription elongation from a RNA polymerase III promoter. [GOC:txnOH]' - }, - 'GO:0001196': { - 'name': 'regulation of mating-type specific transcription from RNA polymerase II promoter', - 'def': 'Any mating-type specific process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:txnOH]' - }, - 'GO:0001197': { - 'name': 'positive regulation of mating-type specific transcription from RNA polymerase II promoter', - 'def': 'Any mating-type specific process that activates or increases the rate of transcription from an RNA polymerase II promoter. [GOC:txnOH]' - }, - 'GO:0001198': { - 'name': 'negative regulation of mating-type specific transcription from RNA polymerase II promoter', - 'def': 'Any mating-type specific process that stops, prevents or reduces the rate of transcription from an RNA polymerase II promoter. [GOC:txnOH]' - }, - 'GO:0001199': { - 'name': 'transcription factor activity, metal ion regulated sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence and interacting selectively and non-covalently with any metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of those metal ions, in such a way that metal ion binding regulates the activity of the transcription factor in order to modulate transcription by an RNA polymerase. Specific mechanisms include increasing or decreasing the ability of the transcription factor to interact selectively and non-covalently with a specific DNA sequence (for example S. cerevisiae Cup2p or the prokaryotic SmtB/ArsR family, changing the conformation of transcription factor bound DNA between the apo- and metal-bound forms of the transcription factor. Additional mechanisms may exist. [GOC:txnOH, PMID:12829264, PMID:12829265, PMID:22084422, PMID:2674688]' - }, - 'GO:0001200': { - 'name': 'RNA polymerase II transcription factor activity, metal ion regulated sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence and interacting selectively and non-covalently with any metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of those metal ions, in such a way that metal ion binding regulates the activity of the transcription factor in order to modulate transcription by RNA polymerase II. Specific mechanisms include increasing or decreasing the ability of the transcription factor to interact selectively and non-covalently with a specific DNA sequence (for example S. cerevisiae Cup2p or the prokaryotic SmtB/ArsR family, changing the conformation of transcription factor bound DNA between the apo- and metal-bound forms of the transcription factor. Additional mechanisms may exist. [GOC:txnOH, PMID:12829264, PMID:12829265, PMID:2674688]' - }, - 'GO:0001201': { - 'name': 'RNA polymerase II transcription factor activity, metal ion regulated core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) and interacting selectively and non-covalently with any metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of those metal ions, in such a way that metal ion binding regulates the activity of the transcription factor that binds the core promoter proximal region in order to modulate transcription by RNA polymerase II. Specific mechanisms include increasing or decreasing the ability of the transcription factor to interact selectively and non-covalently with a specific DNA sequence (for example S. cerevisiae Cup2p or the prokaryotic SmtB/ArsR family, changing the conformation of transcription factor bound DNA between the apo- and metal-bound forms of the transcription factor. Additional mechanisms may exist. [GOC:txnOH, PMID:12829264, PMID:12829265, PMID:22084422, PMID:2674688]' - }, - 'GO:0001202': { - 'name': 'RNA polymerase II transcription factor activity, copper ion regulated core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) and interacting selectively and non-covalently with copper(I) (Cu+) ion(s) and responding, e.g. by conformational change, to changes in the cellular level of copper(I) (Cu+), such a way that copper ion binding regulates the activity of the transcription factor, perhaps by regulating the ability to interact selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II), or by regulating some other function of the transcription factor, in order to modulate transcription by RNAP II. [GOC:txnOH, PMID:22084422, PMID:2674688]' - }, - 'GO:0001203': { - 'name': 'RNA polymerase II transcription factor activity, zinc ion regulated core promoter proximal region sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) and interacting selectively and non-covalently with zinc (Zn) ion(s) and responding, e.g. by conformational change, to changes in the cellular level of zinc (Zn), in such a way that zinc ion binding regulates the activity of the transcription factor, perhaps by regulating the ability to interact selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II), or by regulating some other function of the transcription factor, in order to modulate transcription by RNAP II. [GOC:txnOH, PMID:22084422]' - }, - 'GO:0001204': { - 'name': 'bacterial-type RNA polymerase transcription factor activity, metal ion regulated sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific bacterial-type transcription regulatory DNA sequence and interacting selectively and non-covalently with any metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of those metal ions, in such a way that metal ion binding regulates the activity of the transcription factor in order to modulate transcription by a bacterial-type RNA polymerase. Specific mechanisms include increasing or decreasing the ability of the transcription factor to interact selectively and non-covalently with a specific DNA sequence (for example S. cerevisiae Cup2p or the prokaryotic SmtB/ArsR family, changing the conformation of transcription factor bound DNA between the apo- and metal-bound forms of the transcription factor. Additional mechanisms may exist. [GOC:txnOH, PMID:12829264, PMID:12829265, PMID:22084422, PMID:2674688]' - }, - 'GO:0001205': { - 'name': 'transcriptional activator activity, RNA polymerase II distal enhancer sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in a distal enhancer region for RNA polymerase II (RNAP II) in order to activate or increase the frequency, rate or extent of transcription from the RNAP II promoter. [GOC:txnOH]' - }, - 'GO:0001206': { - 'name': 'transcriptional repressor activity, RNA polymerase II distal enhancer sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in a distal enhancer region for RNA polymerase II (RNAP II) in order to stop, prevent, or reduce the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:txnOH]' - }, - 'GO:0001207': { - 'name': 'histone displacement', - 'def': 'The removal of histones, including histone dimers, from nucleosomes within chromatin. [GOC:krc, PMID:15525516, PMID:17496903, PMID:21807128]' - }, - 'GO:0001208': { - 'name': 'histone H2A-H2B dimer displacement', - 'def': 'The removal of a H2A-H2B histone dimer from a nucleosome within chromatin. [GOC:krc, PMID:15525516, PMID:17496903, PMID:21807128]' - }, - 'GO:0001209': { - 'name': 'transcriptional activator activity, metal ion regulated sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence and interacting selectively and non-covalently with any metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of those metal ions, in such a way that metal ion binding regulates the activity of the transcription factor in order to activate or increase the frequency, rate or extent of cellular DNA-dependent transcription by an RNA polymerase. Specific mechanisms include increasing or decreasing the ability of the transcription factor to interact selectively and non-covalently with a specific DNA sequence (for example S. cerevisiae Cup2p or the prokaryotic SmtB/ArsR family, changing the conformation of transcription factor bound DNA between the apo- and metal-bound forms of the transcription factor. Additional mechanisms may exist. [GOC:txnOH, PMID:12829264, PMID:12829265, PMID:22084422, PMID:2674688]' - }, - 'GO:0001210': { - 'name': 'transcriptional repressor activity, metal ion regulated sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence and interacting selectively and non-covalently with any metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of those metal ions, in such a way that metal ion binding regulates the activity of the transcription factor in order to stop, prevent, or reduce the frequency, rate or extent of cellular DNA-dependent transcription by an RNA polymerase. Specific mechanisms include increasing or decreasing the ability of the transcription factor to interact selectively and non-covalently with a specific DNA sequence (for example S. cerevisiae Cup2p or the prokaryotic SmtB/ArsR family, changing the conformation of transcription factor bound DNA between the apo- and metal-bound forms of the transcription factor. Additional mechanisms may exist. [GOC:txnOH, PMID:12829264, PMID:12829265, PMID:22084422, PMID:2674688]' - }, - 'GO:0001211': { - 'name': 'RNA polymerase II transcriptional activator activity, copper ion regulated core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) and interacting selectively and non-covalently with copper(I) (Cu+) ion(s) and responding, e.g. by conformational change, to changes in the cellular level of copper(I) (Cu+), such a way that copper ion binding regulates the activity of the transcription factor in order to activate or increase the frequency, rate or extent of transcription from the RNAP II promoter. [GOC:txnOH, PMID:2674688]' - }, - 'GO:0001212': { - 'name': 'RNA polymerase II transcriptional activator activity, zinc ion regulated core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) and interacting selectively and non-covalently with zinc (Zn) ion(s) and responding, e.g. by conformational change, to changes in the cellular level of zinc (Zn), such a way that copper ion binding regulates the activity of the transcription factor in order to activate or increase the frequency, rate or extent of transcription from the RNAP II promoter. [GOC:txnOH]' - }, - 'GO:0001213': { - 'name': 'RNA polymerase II transcriptional activator activity, metal ion regulated core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) and interacting selectively and non-covalently with metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of metal ion, such a way that metal ion binding regulates the activity of the transcription factor in order to activate or increase the frequency, rate or extent of transcription from the RNAP II promoter. [GOC:txnOH, PMID:22084422, PMID:2674688]' - }, - 'GO:0001214': { - 'name': 'RNA polymerase II transcriptional repressor activity, metal ion regulated core promoter proximal region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II (RNAP II) and interacting selectively and non-covalently with metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of metal ion, such a way that metal ion binding regulates the activity of the transcription factor in order to stop, prevent, or reduce the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:txnOH, PMID:22084422, PMID:2674688]' - }, - 'GO:0001215': { - 'name': 'bacterial-type RNA polymerase transcriptional activator activity, metal ion regulated sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific bacterial-type transcription regulatory DNA sequence and interacting selectively and non-covalently with any metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of those metal ions, in such a way that metal ion binding regulates the activity of the transcription factor in order to activate or increase the frequency, rate or extent of cellular DNA-dependent transcription by a bacterial-type RNA polymerase. Specific mechanisms include increasing or decreasing the ability of the transcription factor to interact selectively and non-covalently with a specific DNA sequence (for example S. cerevisiae Cup2p or the prokaryotic SmtB/ArsR family, changing the conformation of transcription factor bound DNA between the apo- and metal-bound forms of the transcription factor. Additional mechanisms may exist. [GOC:txnOH, PMID:12829264, PMID:12829265, PMID:2674688]' - }, - 'GO:0001216': { - 'name': 'bacterial-type RNA polymerase transcriptional activator activity, sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in order to activate or increase the frequency, rate or extent of transcription by bacterial-type RNA polymerase. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:krc]' - }, - 'GO:0001217': { - 'name': 'bacterial-type RNA polymerase transcriptional repressor activity, sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in order to stop, prevent, or reduce the frequency, rate or extent of transcription by bacterial-type RNA polymerase. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:krc]' - }, - 'GO:0001218': { - 'name': 'bacterial-type RNA polymerase transcriptional repressor activity, metal ion regulated sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific bacterial-type transcription regulatory DNA sequence and interacting selectively and non-covalently with any metal ion(s) and responding, e.g. by conformational change, to changes in the cellular level of those metal ions, in such a way that metal ion binding regulates the activity of the transcription factor in order to stop, prevent, or reduce the frequency, rate or extent of cellular DNA-dependent transcription by a bacterial-type RNA polymerase. Specific mechanisms include increasing or decreasing the ability of the transcription factor to interact selectively and non-covalently with a specific DNA sequence (for example S. cerevisiae Cup2p or the prokaryotic SmtB/ArsR family, changing the conformation of transcription factor bound DNA between the apo- and metal-bound forms of the transcription factor. Additional mechanisms may exist. [GOC:txnOH, PMID:12829264, PMID:12829265, PMID:2674688]' - }, - 'GO:0001219': { - 'name': 'bacterial-type RNA polymerase transcriptional repressor activity, copper ion regulated sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific bacterial-type transcription regulatory DNA sequence and interacting selectively and non-covalently with copper(I) (Cu+) ion(s) and responding, e.g. by conformational change, to changes in the cellular level of copper(I) (Cu+), in such a way that copper ion binding regulates the activity of the transcription factor in order to stop, prevent, or reduce the frequency, rate or extent of cellular DNA-dependent transcription by a bacterial-type RNA polymerase. [GOC:krc, PMID:12829264, PMID:12829265, PMID:19928961]' - }, - 'GO:0001220': { - 'name': 'bacterial-type RNA polymerase transcriptional repressor activity, cadmium ion regulated sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific bacterial-type transcription regulatory DNA sequence and interacting selectively and non-covalently with cadmium (Cd) ion(s) and responding, e.g. by conformational change, to changes in the cellular level of cadmium (Cd), in such a way that cadmium (Cd) ion binding regulates the activity of the transcription factor in order to stop, prevent, or reduce the frequency, rate or extent of cellular DNA-dependent transcription by a bacterial-type RNA polymerase. [GOC:krc, PMID:12829264, PMID:12829265, PMID:19456862]' - }, - 'GO:0001221': { - 'name': 'transcription cofactor binding', - 'def': 'Interacting selectively and non-covalently with a transcription cofactor, any protein involved in regulation of transcription via protein-protein interactions with transcription factors and other transcription regulatory proteins. Cofactors do not bind DNA directly, but rather mediate protein-protein interactions between regulatory transcription factors and the basal transcription machinery. [GOC:krc]' - }, - 'GO:0001222': { - 'name': 'transcription corepressor binding', - 'def': 'Interacting selectively and non-covalently with a transcription corepressor, any protein involved in negative regulation of transcription via protein-protein interactions with transcription factors and other proteins that negatively regulate transcription. Transcription corepressors do not bind DNA directly, but rather mediate protein-protein interactions between repressing transcription factors and the basal transcription machinery. [GOC:krc]' - }, - 'GO:0001223': { - 'name': 'transcription coactivator binding', - 'def': 'Interacting selectively and non-covalently with a transcription coactivator, any protein involved in positive regulation of transcription via protein-protein interactions with transcription factors and other proteins that positively regulate transcription. Transcription coactivators do not bind DNA directly, but rather mediate protein-protein interactions between activating transcription factors and the basal transcription machinery. [GOC:krc]' - }, - 'GO:0001224': { - 'name': 'RNA polymerase II transcription cofactor binding', - 'def': 'Interacting selectively and non-covalently with a transcription cofactor for RNA polymerase II, any protein involved in regulation of transcription via protein-protein interactions with RNA polymerase II transcription factors and other transcription regulatory proteins. Cofactors do not bind DNA directly, but rather mediate protein-protein interactions between regulatory transcription factors and the basal transcription machinery of RNA polymerase II. [GOC:krc]' - }, - 'GO:0001225': { - 'name': 'RNA polymerase II transcription coactivator binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II transcription coactivator, any protein involved in positive regulation of transcription of RNA polymerase II via protein-protein interactions with transcription factors and other proteins that positively regulate transcription. Transcription coactivators do not bind DNA directly, but rather mediate protein-protein interactions between activating transcription factors and the basal transcription machinery of RNA polymerase II. [GOC:krc]' - }, - 'GO:0001226': { - 'name': 'RNA polymerase II transcription corepressor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II transcription corepressor, any protein involved in negative regulation of transcription by RNA polymerase II via protein-protein interactions with transcription factors and other proteins that negatively regulate transcription. Transcription corepressors do not bind DNA directly, but rather mediate protein-protein interactions between repressing transcription factors and the basal transcription machinery of RNA polymerase II. [GOC:krc]' - }, - 'GO:0001227': { - 'name': 'transcriptional repressor activity, RNA polymerase II transcription regulatory region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in the regulatory region for RNA polymerase II (RNAP II) in order to stop, prevent, or reduce the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:krc]' - }, - 'GO:0001228': { - 'name': 'transcriptional activator activity, RNA polymerase II transcription regulatory region sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in the transcription regulatory region for RNA polymerase II (RNAP II) in order to activate or increase the frequency, rate or extent of transcription from the RNAP II promoter. [GOC:krc]' - }, - 'GO:0001300': { - 'name': 'chronological cell aging', - 'def': 'The process associated with progression of the cell from its inception to the end of its lifespan that occurs when the cell is in a non-dividing, or quiescent, state. [GOC:jh, PMID:12044934]' - }, - 'GO:0001301': { - 'name': 'progressive alteration of chromatin involved in cell aging', - 'def': 'Any chromatin organization process that occurs during the lifespan of the cell that results in changes in chromatin structure. Such changes may lead to gene dysregulation and ultimately to a loss in cell homeostasis, bringing about an aging phenotype. [GOC:jh, GOC:vw, PMID:12044938]' - }, - 'GO:0001302': { - 'name': 'replicative cell aging', - 'def': 'The process associated with progression of the cell from its inception to the end of its lifespan that occurs as the cell continues cycles of growth and division. [GOC:jh, PMID:12044934]' - }, - 'GO:0001303': { - 'name': 'nucleolar fragmentation involved in replicative aging', - 'def': 'A nucleolar fragmentation process that gives rise to multiple rounded structures and that occurs in conjunction with increasing age in dividing cells. [GOC:jh, PMID:9891807]' - }, - 'GO:0001304': { - 'name': 'progressive alteration of chromatin involved in replicative cell aging', - 'def': 'A process that results in changes in chromatin structure contributing to replicative cell aging. [GOC:dph, GOC:jh, GOC:tb]' - }, - 'GO:0001305': { - 'name': 'progressive alteration of chromatin involved in chronological cell aging', - 'def': 'A process that results in changes in chromatin structure contributing to chronological cell aging, occurring in non-dividing cells. [GOC:dph, GOC:jh, GOC:tb]' - }, - 'GO:0001306': { - 'name': 'age-dependent response to oxidative stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, where the change varies according to the age of the cell or organism. [GOC:jh, PMID:12044938]' - }, - 'GO:0001307': { - 'name': 'extrachromosomal circular DNA accumulation involved in replicative cell aging', - 'def': 'Increase in abundance of circular DNA molecules in dividing cells as they age. These molecules originate in the chromosome but are excised and circularized, often by intramolecular homologous recombination between direct tandem repeats, and then replicated independently of chromosomal replication. [GOC:jh]' - }, - 'GO:0001308': { - 'name': 'negative regulation of chromatin silencing involved in replicative cell aging', - 'def': 'The process, which occurs as a dividing cell ages, leading to expression of genes that are typically not expressed due to silencing by regulatory proteins. [GOC:jh, PMID:12044934]' - }, - 'GO:0001309': { - 'name': 'obsolete age-dependent telomere shortening', - 'def': 'OBSOLETE. Progressive reduction in length of the telomeres, the termini of eukaryotic chromosomes, that occurs as part of the cellular aging process. [GOC:jh, PMID:9891807]' - }, - 'GO:0001310': { - 'name': 'extrachromosomal rDNA circle accumulation involved in replicative cell aging', - 'def': 'Increase in abundance of circular DNA molecules containing ribosomal DNA repeats in dividing cells as they age. These molecules originate in the chromosome but are excised and circularized, often by intramolecular homologous recombination between direct tandem repeats, and then replicated independently of chromosomal replication. [GOC:jh, PMID:12044934]' - }, - 'GO:0001311': { - 'name': 'formation of extrachromosomal circular rDNA by homologous recombination involved in replicative cell aging', - 'def': 'Excision from the chromosome and circularization of DNA molecules encoding ribosomal RNA in dividing cells as they age. [GOC:jh, PMID:12044934]' - }, - 'GO:0001312': { - 'name': 'replication of extrachromosomal rDNA circles involved in replicative cell aging', - 'def': 'Replication of rDNA following its excision from the chromosome of dividing cells as they age. Extrachromosomal rDNA forms a circle that contains at least one autonomously replicating sequence (ARS), which supports replication independent of chromosomal replication. [GOC:jh, PMID:12044934]' - }, - 'GO:0001313': { - 'name': 'formation of extrachromosomal circular DNA involved in replicative cell aging', - 'def': 'Excision from the chromosome and circularization of a region of chromosomal DNA, generally, but not always, via homologous recombination between direct tandem repeats, in dividing cells as they age. [GOC:jh]' - }, - 'GO:0001314': { - 'name': 'replication of extrachromosomal circular DNA involved in replicative cell aging', - 'def': 'Replication of circular DNA following excision from the chromosome of dividing cells as they age; replication of extrachromosomal circular DNA generally occurs independently of chromosomal replication. [GOC:jh]' - }, - 'GO:0001315': { - 'name': 'age-dependent response to reactive oxygen species', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of reactive oxygen species, where the change varies according to the age of the cell or organism. [GOC:jh, PMID:12044938]' - }, - 'GO:0001316': { - 'name': 'age-dependent response to reactive oxygen species involved in replicative cell aging', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) occurring during the process of replicative cell aging as a result of reactive oxygen species, where the change varies according to the age of the cell or organism. [GOC:jh]' - }, - 'GO:0001317': { - 'name': 'accumulation of oxidatively modified proteins involved in replicative cell aging', - 'def': 'Accumulation of proteins that have undergone reactions with reactive oxygen species in aging dividing cells and exhibit modifications such as increased protein carbonyl content, oxidized methionine, protein hydrophobicity, and cross-linking. [GOC:jh]' - }, - 'GO:0001318': { - 'name': 'formation of oxidatively modified proteins involved in replicative cell aging', - 'def': 'Chemical reaction, between proteins and reactive oxygen species, that occurs in dividing cells as they age and leads to a variety of changes in the affected proteins, including increases in protein carbonyl content, oxidized methionine, protein hydrophobicity, and cross-linking. [GOC:jh]' - }, - 'GO:0001319': { - 'name': 'inheritance of oxidatively modified proteins involved in replicative cell aging', - 'def': 'A protein localization process in which progeny cells acquire, or are barred from acquiring, proteins that have been altered by reaction with reactive oxygen species in dividing aging cells. [GOC:jh]' - }, - 'GO:0001320': { - 'name': 'age-dependent response to reactive oxygen species involved in chronological cell aging', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) occurring in non-dividing cells as they age as a result of reactive oxygen species, where the change varies according to the age of the cell or organism. [GOC:jh]' - }, - 'GO:0001321': { - 'name': 'age-dependent general metabolic decline involved in replicative cell aging', - 'def': 'A process of general metabolic decline that arises in dividing cells as they age, and alters cellular metabolism to cause a decline in cell function. [GOC:jh, GOC:mah]' - }, - 'GO:0001322': { - 'name': 'age-dependent response to oxidative stress involved in replicative cell aging', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) occurring in dividing cells as they age as a result of oxidative stress, where the change varies according to the age of the cell or organism. [GOC:jh]' - }, - 'GO:0001323': { - 'name': 'age-dependent general metabolic decline involved in chronological cell aging', - 'def': 'A process of general metabolic decline that arises in non-dividing cells as they age, and alters cellular metabolism to cause a decline in cell function. [GOC:jh, GOC:mah]' - }, - 'GO:0001324': { - 'name': 'age-dependent response to oxidative stress involved in chronological cell aging', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) occurring in non-dividing cells as they age as a result of oxidative stress, where the change varies according to the age of the cell or organism. [GOC:jh]' - }, - 'GO:0001325': { - 'name': 'formation of extrachromosomal circular DNA', - 'def': 'Excision from the chromosome and circularization of a region of chromosomal DNA, generally, but not always, via homologous recombination between direct tandem repeats. [GOC:jh, PMID:12044938]' - }, - 'GO:0001326': { - 'name': 'replication of extrachromosomal circular DNA', - 'def': 'Replication of circular DNA following excision from the chromosome; replication of extrachromosomal circular DNA generally occurs independently of chromosomal replication. [GOC:jh]' - }, - 'GO:0001400': { - 'name': 'mating projection base', - 'def': 'The region where the mating projection meets the bulk of the cell, in unicellular fungi exposed to mating pheromone. [GOC:mcc]' - }, - 'GO:0001401': { - 'name': 'mitochondrial sorting and assembly machinery complex', - 'def': 'A large complex of the mitochondrial outer membrane that mediates sorting of some imported proteins to the outer membrane and their assembly in the membrane; functions after import of incoming proteins by the mitochondrial outer membrane translocase complex. [PMID:12891361]' - }, - 'GO:0001402': { - 'name': 'signal transduction involved in filamentous growth', - 'def': 'Relaying of environmental signals promoting filamentous growth. [GOC:mcc, PMID:9728395]' - }, - 'GO:0001403': { - 'name': 'invasive growth in response to glucose limitation', - 'def': 'A growth pattern exhibited by budding haploid cells under certain growth conditions, in which cells retain the typical axial budding pattern of haploids, but become elongated and fail to separate after division; during growth on a solid substrate, this results in penetration of cells into the agar medium. An example of this process is found in Saccharomyces cerevisiae. [GOC:mcc, PMID:9728395]' - }, - 'GO:0001404': { - 'name': 'obsolete invasive growth', - 'def': 'OBSOLETE. Growth of a pathogenic organism that results in penetration into cells or tissues of the host organism. This often (but not necessarily) includes a filamentous growth form, and also can include secretion of proteases and lipases to break down host tissue. [GOC:mcc, PMID:9728395]' - }, - 'GO:0001405': { - 'name': 'presequence translocase-associated import motor', - 'def': 'Protein complex located on the matrix side of the mitochondrial inner membrane and associated with the presequence translocase complex; hydrolyzes ATP to provide the force to drive import of proteins into the mitochondrial matrix. [GOC:mcc, PMID:14517234, PMID:14638855]' - }, - 'GO:0001406': { - 'name': 'glycerophosphodiester transmembrane transporter activity', - 'def': 'Enables the transfer of glycerophosphodiesters from one side of a membrane to the other. Glycerophosphodiesters are small molecules composed of glycerol-3-phosphate and an alcohol, for example, glycerophosphoinositol. [GOC:mcc, PMID:12912892]' - }, - 'GO:0001407': { - 'name': 'glycerophosphodiester transport', - 'def': 'The directed movement of glycerophosphodiesters into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Glycerophosphodiesters are small molecules composed of glycerol-3-phosphate and an alcohol, for example, glycerophosphoinositol. [GOC:mcc, PMID:12912892]' - }, - 'GO:0001408': { - 'name': 'guanine nucleotide transport', - 'def': 'The directed movement of guanine nucleotides, GTP, GDP, and/or GMP, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mcc]' - }, - 'GO:0001409': { - 'name': 'guanine nucleotide transmembrane transporter activity', - 'def': 'Catalysis of the transfer of guanine nucleotides (GMP, GDP, and GTP) from one side of the membrane to the other. [GOC:mcc]' - }, - 'GO:0001410': { - 'name': 'chlamydospore formation', - 'def': 'The process whose specific outcome is the progression of the chlamydospore over time, from its formation to the mature structure. A chlamydospores is a mitotic (asexual) one-celled spore, produced primarily for survival, not dispersal, originating endogenously and singly within part of a pre-existing cell and possessing an inner secondary and often thickened cell wall. An example of this is found in Candida albicans. [GOC:mcc, GOC:mtg_sensu, ISBN:085199377X, PMID:14663094]' - }, - 'GO:0001411': { - 'name': 'hyphal tip', - 'def': 'The end, or tip, of a fungal hypha, where polarized growth occurs during hyphal elongation. [GOC:mcc]' - }, - 'GO:0001501': { - 'name': 'skeletal system development', - 'def': 'The process whose specific outcome is the progression of the skeleton over time, from its formation to the mature structure. The skeleton is the bony framework of the body in vertebrates (endoskeleton) or the hard outer envelope of insects (exoskeleton or dermoskeleton). [GOC:dph, GOC:jid, GOC:tb, http://www.stedmans.com/]' - }, - 'GO:0001502': { - 'name': 'cartilage condensation', - 'def': 'The condensation of mesenchymal cells that have been committed to differentiate into chondrocytes. [ISBN:0878932437]' - }, - 'GO:0001503': { - 'name': 'ossification', - 'def': 'The formation of bone or of a bony substance, or the conversion of fibrous tissue or of cartilage into bone or a bony substance. [GOC:mtg_mpo, PMID:17572649]' - }, - 'GO:0001504': { - 'name': 'neurotransmitter uptake', - 'def': 'The directed movement of neurotransmitters into neurons or glial cells. This process leads to inactivation and recycling of neurotransmitters. [ISBN:0123668387]' - }, - 'GO:0001505': { - 'name': 'regulation of neurotransmitter levels', - 'def': 'Any process that modulates levels of neurotransmitter. [GOC:jl]' - }, - 'GO:0001506': { - 'name': 'obsolete neurotransmitter biosynthetic process and storage', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of neurotransmitters and the storage of the synthesized molecules. [GOC:go_curators, ISBN:0123668387]' - }, - 'GO:0001507': { - 'name': 'acetylcholine catabolic process in synaptic cleft', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acetylcholine that occurs in the synaptic cleft during synaptic transmission. [GOC:ai]' - }, - 'GO:0001508': { - 'name': 'action potential', - 'def': 'A process in which membrane potential cycles through a depolarizing spike, triggered in response to depolarization above some threshold, followed by repolarization. This cycle is driven by the flow of ions through various voltage gated channels with different thresholds and ion specificities. [GOC:dph, GOC:go_curators, GOC:tb, ISBN:978-0-07-139011-8]' - }, - 'GO:0001509': { - 'name': 'obsolete legumain activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of proteins and small-molecule substrates at Asn-Xaa bonds. [EC:3.4.22.34]' - }, - 'GO:0001510': { - 'name': 'RNA methylation', - 'def': "Posttranscriptional addition of a methyl group to either a nucleotide or 2'-O ribose in a polyribonucleotide. Usually uses S-adenosylmethionine as a cofactor. [GOC:hjd]" - }, - 'GO:0001511': { - 'name': 'obsolete fibrillin', - 'def': 'OBSOLETE. Large glycoprotein that is a calcium binding component of connective tissue microfibrils containing 34 six-cysteine (EGF-like) repeats and five eight-cysteine (TGFbeta-1 binding protein-like) repeats. Defects associated with Marfan syndrome. [ISBN:0198506732]' - }, - 'GO:0001512': { - 'name': 'dihydronicotinamide riboside quinone reductase activity', - 'def': 'Catalysis of the reaction: 1-(beta-D-ribofuranosyl)-1,4-dihydronicotinamide + a quinone = 1-(beta-D-ribofuranosyl)nicotinamide + a hydroquinone. [EC:1.10.99.2]' - }, - 'GO:0001514': { - 'name': 'selenocysteine incorporation', - 'def': 'The incorporation of selenocysteine into a peptide; uses a special tRNA that recognizes the UGA codon as selenocysteine, rather than as a termination codon. Selenocysteine is synthesized from serine before its incorporation; it is not a posttranslational modification of peptidyl-cysteine. [RESID:AA0022]' - }, - 'GO:0001515': { - 'name': 'opioid peptide activity', - 'def': 'Naturally occurring peptide that is an opioid (any non-alkaloid having an opiate-like effect that can be reversed by naloxone or other recognized morphine antagonist). These include Leu- and Met-enkephalin, dynorphin and neoendorphin, alpha, beta, gamma and delta endorphins formed from beta-lipotropin, various pronase-resistant peptides such as beta casamorphin, and other peptides whose opiate-like action seems to be indirect. [ISBN:0198506732]' - }, - 'GO:0001516': { - 'name': 'prostaglandin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of prostaglandins, any of a group of biologically active metabolites which contain a cyclopentane ring. [GOC:ai]' - }, - 'GO:0001517': { - 'name': 'N-acetylglucosamine 6-O-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + N-acetyl-D-glucosamine = adenosine 3',5'-bisphosphate + N-acetyl-D-glucosamine 6-sulfate. [GOC:ai, GOC:hjd]" - }, - 'GO:0001518': { - 'name': 'voltage-gated sodium channel complex', - 'def': 'A sodium channel in a cell membrane whose opening is governed by the membrane potential. [ISBN:0198506732]' - }, - 'GO:0001519': { - 'name': 'peptide amidation', - 'def': 'The posttranslational conversion of C-terminal glycine-extended peptides to C-terminal alpha-amidated peptides. Occurs to over half of all peptide hormones to give bioactive peptides. This is a two step process catalyzed by a peptidyl-glycine alpha-hydroxylating monooxygenase and a peptidyl-alpha-hydroxyglycine alpha-amidating lyase. In some organisms, this process is catalyzed by two separate enzymes, whereas in higher organisms, one polypeptide catalyzes both reactions. [PMID:11028916]' - }, - 'GO:0001520': { - 'name': 'outer dense fiber', - 'def': 'A supramolecular fiber found in the flagella of mammalian sperm that surrounds the nine microtubule doublets. These dense fibers are stiff and noncontractile. In human, they consist of about 10 major and at least 15 minor proteins, where all major proteins are ODF1, ODF2 or ODF2-related proteins. [GOC:cilia, GOC:krc, ISBN:0824072820, PMID:10381817, PMID:21586547, PMID:25361759]' - }, - 'GO:0001522': { - 'name': 'pseudouridine synthesis', - 'def': 'The intramolecular conversion of uridine to pseudouridine within an RNA molecule. This posttranscriptional base modification occurs in tRNA, rRNA, and snRNAs. [GOC:hjd, GOC:mah]' - }, - 'GO:0001523': { - 'name': 'retinoid metabolic process', - 'def': 'The chemical reactions and pathways involving retinoids, any member of a class of isoprenoids that contain or are derived from four prenyl groups linked head-to-tail. Retinoids include retinol and retinal and structurally similar natural derivatives or synthetic compounds, but need not have vitamin A activity. [ISBN:0198506732]' - }, - 'GO:0001524': { - 'name': 'obsolete globin', - 'def': 'OBSOLETE. The colorless and basic protein moiety of hemoglobin and myoglobins. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0001525': { - 'name': 'angiogenesis', - 'def': 'Blood vessel formation when new vessels emerge from the proliferation of pre-existing blood vessels. [ISBN:0878932453]' - }, - 'GO:0001526': { - 'name': 'obsolete proteoglycan sulfate transfer', - 'def': "OBSOLETE. Transfer of sulfate to a proteoglycan (a glycoprotein whose carbohydrate units are glycosaminoglycans) using 3'-phosphoadenyl sulfate. [GOC:hjd]" - }, - 'GO:0001527': { - 'name': 'microfibril', - 'def': 'Extracellular matrix components occurring independently or along with elastin. Thought to have force-bearing functions in tendon. In addition to fibrillins, microfibrils may contain other associated proteins. [PMID:27026396]' - }, - 'GO:0001528': { - 'name': 'obsolete elastin', - 'def': 'OBSOLETE. A major structural protein of mammalian connective tissues; composed of one third glycine, and also rich in proline, alanine, and valine. Chains are cross-linked together via lysine residues. [ISBN:0198506732]' - }, - 'GO:0001529': { - 'name': 'obsolete elastin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001530': { - 'name': 'lipopolysaccharide binding', - 'def': 'Interacting selectively and non-covalently with lipopolysaccharide. [PMID:11079463]' - }, - 'GO:0001531': { - 'name': 'interleukin-21 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-21 receptor. [GOC:ai]' - }, - 'GO:0001532': { - 'name': 'interleukin-21 receptor activity', - 'def': 'Combining with interleukin-21 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0001533': { - 'name': 'cornified envelope', - 'def': 'A type of plasma membrane that has been modified through addition of distinct intracellular and extracellular components, including ceramide, found in cornifying epithelial cells (corneocytes). [GOC:add, PMID:11112355, PMID:11590230, PMID:15803139]' - }, - 'GO:0001534': { - 'name': 'radial spoke', - 'def': 'Protein complex that links the outer microtubule doublet of the ciliary or flagellum axoneme with the sheath that surrounds the central pair of microtubules. Composed of a stalk that attaches to each doublet microtubule and a globular structure (spoke head) that projects toward the central pair of microtubules. [ISBN:0124325653, PMID:9450971]' - }, - 'GO:0001535': { - 'name': 'radial spoke head', - 'def': 'Protein complex forming part of eukaryotic flagellar apparatus. [GOC:cilia, GOC:hjd, GOC:krc]' - }, - 'GO:0001536': { - 'name': 'radial spoke stalk', - 'def': 'Globular portion of the radial spoke that projects towards the central pair of microtubules. [GOC:hjd]' - }, - 'GO:0001537': { - 'name': 'N-acetylgalactosamine 4-O-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + N-acetyl-D-galactosamine = adenosine 3',5'-bisphosphate + N-acetyl-D-galactosamine 4-sulfate. [EC:2.8.2.-, GOC:ai]" - }, - 'GO:0001539': { - 'name': 'cilium or flagellum-dependent cell motility', - 'def': 'Cell motility due to movement of eukaryotic cilia or bacterial-type flagella or archaeal-type flagella. [GOC:cilia, GOC:hjd, GOC:krc]' - }, - 'GO:0001540': { - 'name': 'beta-amyloid binding', - 'def': 'Interacting selectively and non-covalently with beta-amyloid peptide/protein and/or its precursor. [GOC:hjd]' - }, - 'GO:0001541': { - 'name': 'ovarian follicle development', - 'def': 'The process whose specific outcome is the progression of the ovarian follicle over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0001542': { - 'name': 'ovulation from ovarian follicle', - 'def': 'The process leading to the rupture of the follicle, releasing the centrally located oocyte into the oviduct. An example of this is found in Mus musculus. [GOC:mtg_sensu, http://ovary.stanford.edu]' - }, - 'GO:0001543': { - 'name': 'ovarian follicle rupture', - 'def': 'Disruption of theca cell layer releasing follicular fluid and/or the oocyte. [http://ovary.stanford.edu]' - }, - 'GO:0001544': { - 'name': 'initiation of primordial ovarian follicle growth', - 'def': 'Increase in size of primordial follicles including proliferation and shape changes of granulosa and/or theca cells until oocyte is surrounded by one layer of cuboidal shaped granulosa cells (primary follicle). [http://ovary.stanford.edu]' - }, - 'GO:0001545': { - 'name': 'primary ovarian follicle growth', - 'def': 'Increase in size of primary follicles including oocyte growth and granulosa and/or theca cell proliferation until more than one layer of granulosa cells is present (preantral follicle). [GOC:mtg_mpo, http://ovary.stanford.edu]' - }, - 'GO:0001546': { - 'name': 'preantral ovarian follicle growth', - 'def': 'Increase in size of follicles surrounded by two or more layers of granulosa cells up to the onset of antrum formation. [http://ovary.stanford.edu]' - }, - 'GO:0001547': { - 'name': 'antral ovarian follicle growth', - 'def': 'Increase in size of antral follicles due to cell proliferation and/or growth of the antral cavity. [http://ovary.stanford.edu]' - }, - 'GO:0001548': { - 'name': 'follicular fluid formation in ovarian follicle antrum', - 'def': 'The menstrual cycle process that results in the formation of one central cavity separating the oocyte/cumulus complex from mural granulosa and theca cells during the various stages of oogenesis. [GOC:dph, GOC:tb, http://ovary.stanford.edu]' - }, - 'GO:0001549': { - 'name': 'cumulus cell differentiation', - 'def': 'The process in which a subpopulation of granulosa cells surrounding the oocyte acquires the specialized features of an ovarian cumulus cell. [http://ovary.stanford.edu]' - }, - 'GO:0001550': { - 'name': 'ovarian cumulus expansion', - 'def': 'Increase in size of the cumulus surrounding the oocyte including change in morphology due to proliferation and dispersion of cumulus cells. [http://ovary.stanford.edu]' - }, - 'GO:0001551': { - 'name': 'ovarian follicle endowment', - 'def': 'Association of oocytes with supporting epithelial granulosa cells to form primordial follicles. [http://ovary.stanford.edu]' - }, - 'GO:0001552': { - 'name': 'ovarian follicle atresia', - 'def': 'A periodic process in which immature ovarian follicles degenerate and are subsequently re-absorbed. [GOC:mtg_apoptosis, http://ovary.stanford.edu, PMID:18638134]' - }, - 'GO:0001553': { - 'name': 'luteinization', - 'def': 'The set of processes resulting in differentiation of theca and granulosa cells into luteal cells and in the formation of a corpus luteum after ovulation. [http://ovary.stanford.edu]' - }, - 'GO:0001554': { - 'name': 'luteolysis', - 'def': 'The lysis or structural demise of the corpus luteum. During normal luteolysis, two closely related events occur. First, there is loss of the capacity to synthesize and secrete progesterone (functional luteolysis) followed by loss of the cells that comprise the corpus luteum (structural luteolysis). Preventing luteolysis is crucial to maintain pregnancy. [http://ovary.stanford.edu, PMID:10617764]' - }, - 'GO:0001555': { - 'name': 'oocyte growth', - 'def': 'The developmental growth process in which an oocyte irreversibly increases in size over time by accretion and biosynthetic production of matter similar to that already present. [http://ovary.stanford.edu]' - }, - 'GO:0001556': { - 'name': 'oocyte maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for an oocyte to attain its fully functional state. Oocyte maturation commences after reinitiation of meiosis commonly starting with germinal vesicle breakdown, and continues up to the second meiotic arrest prior to fertilization. [GOC:devbiol, http://ovary.stanford.edu]' - }, - 'GO:0001557': { - 'name': 'obsolete metabolic process resulting in cell growth', - 'def': 'OBSOLETE. The chemical reactions that occur in living organisms that result in an increase in the mass (size) of a cell. [GOC:dph]' - }, - 'GO:0001558': { - 'name': 'regulation of cell growth', - 'def': 'Any process that modulates the frequency, rate, extent or direction of cell growth. [GOC:go_curators]' - }, - 'GO:0001559': { - 'name': 'regulation of cell growth by detection of nuclear:cytoplasmic ratio', - 'def': 'Any process in which the size of the nucleus with respect to the cytoplasm modulates the frequency, rate or extent of cell growth, the irreversible increase in size of a cell over time. [GOC:dph]' - }, - 'GO:0001560': { - 'name': 'regulation of cell growth by extracellular stimulus', - 'def': 'Any process in which external signals modulate the frequency, rate or extent of cell growth, the irreversible increase in size of a cell over time. [GOC:dph]' - }, - 'GO:0001561': { - 'name': 'fatty acid alpha-oxidation', - 'def': 'A metabolic pathway by which 3-methyl branched fatty acids are degraded. These compounds are not degraded by the normal peroxisomal beta-oxidation pathway, because the 3-methyl blocks the dehydrogenation of the hydroxyl group by hydroxyacyl-CoA dehydrogenase. The 3-methyl branched fatty acid is converted in several steps to pristenic acid, which can then feed into the beta-oxidative pathway. [http://www.peroxisome.org/Scientist/Biochemistry/alpha-oxidation.html]' - }, - 'GO:0001562': { - 'name': 'response to protozoan', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a protozoan. [GOC:ai]' - }, - 'GO:0001563': { - 'name': 'detection of protozoan', - 'def': 'The series of events in which a stimulus from a protozoan is received and converted into a molecular signal. [GOC:ai]' - }, - 'GO:0001564': { - 'name': 'obsolete resistance to pathogenic protozoa', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0001565': { - 'name': 'phorbol ester receptor activity', - 'def': 'Combining with a phorbol ester and transmitting the signal to initiate a change in cell activity. [GOC:ai, GOC:signaling, PMID:10506570]' - }, - 'GO:0001566': { - 'name': 'non-kinase phorbol ester receptor activity', - 'def': 'Combining with a phorbol ester and transmitting the signal by a mechanism independent of kinase activity. [PMID:10506570]' - }, - 'GO:0001567': { - 'name': 'cholesterol 25-hydroxylase activity', - 'def': 'Catalysis of the reaction: AH(2) + cholesterol + O(2) = 25-hydroxycholesterol + A + H(2)O. [EC:1.14.99.38, RHEA:21107]' - }, - 'GO:0001568': { - 'name': 'blood vessel development', - 'def': 'The process whose specific outcome is the progression of a blood vessel over time, from its formation to the mature structure. The blood vessel is the vasculature carrying blood. [GOC:hjd, UBERON:0001981]' - }, - 'GO:0001569': { - 'name': 'branching involved in blood vessel morphogenesis', - 'def': 'The process of coordinated growth and sprouting of blood vessels giving rise to the organized vascular system. [GOC:dph]' - }, - 'GO:0001570': { - 'name': 'vasculogenesis', - 'def': 'The differentiation of endothelial cells from progenitor cells during blood vessel development, and the de novo formation of blood vessels and tubes. [PMID:8999798]' - }, - 'GO:0001571': { - 'name': 'non-tyrosine kinase fibroblast growth factor receptor activity', - 'def': 'Combining with fibroblast growth factor (FGF) and transmitting the signal from one side of the membrane to the other by a mechanism independent of tyrosine kinase activity. [GOC:signaling, PMID:11418238]' - }, - 'GO:0001572': { - 'name': 'lactosylceramide biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of lactosylceramides, Gal-beta-(1->4)-Glc-beta(1->1') ceramides, any compound formed by the replacement of the glycosidic C1 hydroxyl group of lactose by a ceramide group. They are the precursors of both gangliosides and globosides. [ISBN:0198506732, ISBN:0471586501]" - }, - 'GO:0001573': { - 'name': 'ganglioside metabolic process', - 'def': 'The chemical reactions and pathways involving ceramide oligosaccharides carrying in addition to other sugar residues, one or more sialic acid residues. [ISBN:0198506732]' - }, - 'GO:0001574': { - 'name': 'ganglioside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ceramide oligosaccharides carrying in addition to other sugar residues, one or more sialic acid residues. [ISBN:0198506732]' - }, - 'GO:0001575': { - 'name': 'globoside metabolic process', - 'def': 'The chemical reactions and pathways involving globosides, globotetraosylceramides, ceramides containing a core structure of GalNAc-beta-(1->3)-Gal-alpha-(1->4)-Glc(I). Globosides are the major neutral glycosphingolipid in normal kidneys and erythrocytes. [ISBN:0198506732]' - }, - 'GO:0001576': { - 'name': 'globoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a ceramide with a core structure of GalNAc-beta-(1->3)-Gal-alpha-(1->4)-Glc(I). [ISBN:0198506732]' - }, - 'GO:0001577': { - 'name': 'obsolete galectin', - 'def': 'OBSOLETE. A lectin that exhibits calcium independent binding of beta-galactoside sugars. [PMID:9786891]' - }, - 'GO:0001578': { - 'name': 'microtubule bundle formation', - 'def': 'A process that results in a parallel arrangement of microtubules. [GOC:dph]' - }, - 'GO:0001579': { - 'name': 'medium-chain fatty acid transport', - 'def': 'The directed movement of medium-chain fatty acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A medium-chain fatty acid is a fatty acid with a chain length of between C6 and C12. [CHEBI:59554, GOC:ai]' - }, - 'GO:0001580': { - 'name': 'detection of chemical stimulus involved in sensory perception of bitter taste', - 'def': 'The series of events required for a bitter taste stimulus to be received and converted to a molecular signal. [GOC:go_curators]' - }, - 'GO:0001581': { - 'name': 'detection of chemical stimulus involved in sensory perception of sour taste', - 'def': 'The series of events required for a sour taste stimulus to be received and converted to a molecular signal. [GOC:go_curators]' - }, - 'GO:0001582': { - 'name': 'detection of chemical stimulus involved in sensory perception of sweet taste', - 'def': 'The series of events required for a sweet taste stimulus to be received and converted to a molecular signal. [GOC:go_curators]' - }, - 'GO:0001583': { - 'name': 'detection of chemical stimulus involved in sensory perception of salty taste', - 'def': 'The series of events required for a salty taste stimulus to be received and converted to a molecular signal. [GOC:go_curators]' - }, - 'GO:0001584': { - 'name': 'obsolete rhodopsin-like receptor activity', - 'def': 'OBSOLETE. A G-protein coupled receptor that is structurally/functionally related to the rhodopsin receptor. [GOC:dph, GOC:mah, GOC:tb, IUPHAR_GPCR:1505]' - }, - 'GO:0001586': { - 'name': 'Gi/o-coupled serotonin receptor activity', - 'def': 'Combining with serotonin and transmitting the signal across the membrane by activation of the Gi/o subunit of an associated cytoplasmic heterotrimeric G protein complex. The Gi/o subunit subsequently inhibits adenylate cyclase and results in a decrease in cyclic AMP (cAMP) levels. [GOC:mah, PMID:18571247]' - }, - 'GO:0001587': { - 'name': 'Gq/11-coupled serotonin receptor activity', - 'def': 'Combining with serotonin and transmitting the signal across the membrane by activation of the Gq/11 subunit of an associated cytoplasmic heterotrimeric G protein complex. The Gq/11 subunit subsequently activates phospholipase C and results in an increase in inositol triphosphate (IP3) levels. [GOC:bf, GOC:mah, PMID:18571247, PMID:18703043]' - }, - 'GO:0001588': { - 'name': 'dopamine neurotransmitter receptor activity, coupled via Gs', - 'def': 'Combining with the neurotransmitter dopamine and activating adenylate cyclase via coupling to Gs to initiate a change in cell activity. [GOC:mah, ISBN:0953351033, IUPHAR_RECEPTOR:2252, IUPHAR_RECEPTOR:2260]' - }, - 'GO:0001591': { - 'name': 'dopamine neurotransmitter receptor activity, coupled via Gi/Go', - 'def': 'Combining with the neurotransmitter dopamine and activating adenylate cyclase via coupling to Gi/Go to initiate a change in cell activity. [GOC:mah, ISBN:0953351033, IUPHAR_RECEPTOR:2254, IUPHAR_RECEPTOR:2256, IUPHAR_RECEPTOR:2258]' - }, - 'GO:0001594': { - 'name': 'trace-amine receptor activity', - 'def': 'Combining with a trace amine to initiate a change in cell activity. Trace amines are biogenic amines that are synthesized from aromatic amino acids and are substrates for monoamine oxidase, and are therefore detectable only at trace levels in mammals. [GOC:mah, PMID:19325074]' - }, - 'GO:0001595': { - 'name': 'angiotensin receptor activity', - 'def': 'Combining with angiotensin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0001596': { - 'name': 'angiotensin type I receptor activity', - 'def': 'An angiotensin receptor activity that acts via Gq-mediated activation of phospholipase C followed by phosphoinositide hydrolysis and Ca2+ signaling, and may act via additional signaling mechanisms. [GOC:mah, PMID:10977869]' - }, - 'GO:0001597': { - 'name': 'obsolete apelin-like receptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0001598': { - 'name': 'obsolete chemokine receptor-like receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001601': { - 'name': 'peptide YY receptor activity', - 'def': 'Combining with gut peptide YY to initiate a change in cell activity. [PMID:9315606]' - }, - 'GO:0001602': { - 'name': 'pancreatic polypeptide receptor activity', - 'def': 'Combining with pancreatic polypeptide PP to initiate a change in cell activity. [PMID:9315606]' - }, - 'GO:0001603': { - 'name': 'obsolete vasopressin-like receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:curators]' - }, - 'GO:0001604': { - 'name': 'urotensin II receptor activity', - 'def': 'Combining with urotensin II to initiate a change in cell activity. [GOC:mah, PMID:15102493]' - }, - 'GO:0001605': { - 'name': 'adrenomedullin receptor activity', - 'def': 'Combining with adrenomedullin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0001606': { - 'name': 'obsolete GPR37/endothelin B-like receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001607': { - 'name': 'neuromedin U receptor activity', - 'def': 'Combining with neuromedin U to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0001608': { - 'name': 'G-protein coupled nucleotide receptor activity', - 'def': 'Combining with a nucleotide and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:dph, IUPHAR_GPCR:1294]' - }, - 'GO:0001609': { - 'name': 'G-protein coupled adenosine receptor activity', - 'def': 'Combining with adenosine and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:mah, PMID:9755289]' - }, - 'GO:0001614': { - 'name': 'purinergic nucleotide receptor activity', - 'def': 'Combining with a purine nucleotide and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling]' - }, - 'GO:0001615': { - 'name': 'obsolete thyrotropin releasing hormone and secretagogue-like receptors activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001616': { - 'name': 'growth hormone secretagogue receptor activity', - 'def': 'Combining with ghrelin to initiate a change in cell activity. [GOC:mah, PMID:17983853]' - }, - 'GO:0001617': { - 'name': 'obsolete growth hormone secretagogue-like receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001618': { - 'name': 'virus receptor activity', - 'def': 'Combining with a virus component and mediating entry of the virus into the cell. [GOC:bf, GOC:dph, PMID:7621403, UniProtKB-KW:KW-1183]' - }, - 'GO:0001619': { - 'name': 'obsolete lysosphingolipid and lysophosphatidic acid receptor activity', - 'def': 'Combining with lysosphingolipid or lysophosphatidic acid to initiate a change in cell activity. [GOC:dph]' - }, - 'GO:0001621': { - 'name': 'ADP receptor activity', - 'def': 'Combining with ADP and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling, PMID:11196645]' - }, - 'GO:0001626': { - 'name': 'nociceptin receptor activity', - 'def': 'Combining with the peptide nociceptin, and transmitting the signal across the membrane by activating an associated G-protein. [GOC:bf, GOC:mah, PMID:18670432]' - }, - 'GO:0001627': { - 'name': 'obsolete leucine-rich G-protein receptor-like receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001628': { - 'name': 'obsolete gastropyloric receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001629': { - 'name': 'obsolete G-protein receptor 45-like receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001630': { - 'name': 'obsolete GP40-like receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001631': { - 'name': 'cysteinyl leukotriene receptor activity', - 'def': 'Combining with a cysteinyl leukotriene to initiate a change in cell activity. Cysteinyl leukotrienes are leukotrienes that contain a peptide group based on cysteine. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0001632': { - 'name': 'leukotriene B4 receptor activity', - 'def': 'Combining with leukotriene B4, LTB4, to initiate a change in cell activity. Leukotriene B4 is also known as (6Z, 8E, 10E, 14Z)-(5S, 12R)-5,12-dihydroxyicosa-6,8,10,14-tetraen-1-oate. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0001633': { - 'name': 'obsolete secretin-like receptor activity', - 'def': 'OBSOLETE. A G-protein coupled receptor that is structurally/functionally related to the secretin receptor. [GOC:mah, IUPHAR_GPCR:1506]' - }, - 'GO:0001634': { - 'name': 'pituitary adenylate cyclase-activating polypeptide receptor activity', - 'def': 'A G-protein coupled receptor that interacts with pituitary adenylate cyclase-activating polypeptide. [GOC:dph, GOC:tb]' - }, - 'GO:0001635': { - 'name': 'calcitonin gene-related peptide receptor activity', - 'def': 'Combining with a calcitonin gene-related polypeptide (CGRP) to initiate a change in cell activity. [GOC:mah, PMID:12037140]' - }, - 'GO:0001636': { - 'name': 'obsolete corticotrophin-releasing factor gastric inhibitory peptide-like receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0001637': { - 'name': 'G-protein coupled chemoattractant receptor activity', - 'def': 'Combining with a chemoattractant and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:mah]' - }, - 'GO:0001639': { - 'name': 'PLC activating G-protein coupled glutamate receptor activity', - 'def': 'A G-protein coupled receptor that binds glutamate and is linked to the inositol 1,4,5-trisphosphate/calcium signaling system. [PMID:9016303]' - }, - 'GO:0001640': { - 'name': 'adenylate cyclase inhibiting G-protein coupled glutamate receptor activity', - 'def': 'Combining with glutamate and transmitting the signal across the membrane by activating the alpha-subunit of an associated heterotrimeric G-protein complex to inhibit downstream adenylate cyclase activity. [GOC:bf, GOC:dph]' - }, - 'GO:0001641': { - 'name': 'group II metabotropic glutamate receptor activity', - 'def': 'A G-protein coupled receptor that is activated by trans-1-aminocyclopentane-1,3-dicarboxylic acid (t-ACPD) and inhibits adenylate cyclase activity. [GOC:dph]' - }, - 'GO:0001642': { - 'name': 'group III metabotropic glutamate receptor activity', - 'def': 'A G-protein coupled receptor that is activated by L-AP-4 and inhibits adenylate cyclase activity. [PMID:9016303]' - }, - 'GO:0001646': { - 'name': 'cAMP receptor activity', - 'def': "Combining with cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:pg]" - }, - 'GO:0001647': { - 'name': 'G-protein coupled cytokinin receptor activity', - 'def': 'Combining with cytokinin and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:dph]' - }, - 'GO:0001648': { - 'name': 'proteinase activated receptor activity', - 'def': 'A G-protein coupled peptide receptor activity that is initiated by cleavage of the N terminus of the receptor by a serine protease, resulting in the generation of a new tethered ligand that interacts with the receptor. [GOC:mah, PMID:11356985]' - }, - 'GO:0001649': { - 'name': 'osteoblast differentiation', - 'def': 'The process whereby a relatively unspecialized cell acquires the specialized features of an osteoblast, a mesodermal or neural crest cell that gives rise to bone. [CL:0000062, GO_REF:0000034, GOC:jid]' - }, - 'GO:0001650': { - 'name': 'fibrillar center', - 'def': 'A structure found most metazoan nucleoli, but not usually found in lower eukaryotes; surrounded by the dense fibrillar component; the zone of transcription from multiple copies of the pre-rRNA genes is in the border region between these two structures. [PMID:10754561]' - }, - 'GO:0001651': { - 'name': 'dense fibrillar component', - 'def': 'A structure found in the nucleolus, which contains newly synthesized preribosomal RNA (pre-rRNA) and a collection of proteins. [PMID:10754561]' - }, - 'GO:0001652': { - 'name': 'granular component', - 'def': 'A structure found in the nucleolus, which contains nearly completed preribosomal particles destined for the cytoplasm. [PMID:10754561]' - }, - 'GO:0001653': { - 'name': 'peptide receptor activity', - 'def': 'Combining with an extracellular or intracellular peptide to initiate a change in cell activity. [GOC:jl]' - }, - 'GO:0001654': { - 'name': 'eye development', - 'def': 'The process whose specific outcome is the progression of the eye over time, from its formation to the mature structure. The eye is the organ of sight. [GOC:jid, GOC:jl]' - }, - 'GO:0001655': { - 'name': 'urogenital system development', - 'def': 'The process whose specific outcome is the progression of the urogenital system over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0001656': { - 'name': 'metanephros development', - 'def': 'The process whose specific outcome is the progression of the metanephros over time, from its formation to the mature structure. In mammals, the metanephros is the excretory organ of the fetus, which develops into the mature kidney and is formed from the rear portion of the nephrogenic cord. The metanephros is an endocrine and metabolic organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:bf, ISBN:0192800752]' - }, - 'GO:0001657': { - 'name': 'ureteric bud development', - 'def': 'The process whose specific outcome is the progression of the ureteric bud over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0001658': { - 'name': 'branching involved in ureteric bud morphogenesis', - 'def': 'The process in which the branching structure of the ureteric bud is generated and organized. The ureteric bud is an epithelial tube that grows out from the metanephric duct. The bud elongates and branches to give rise to the ureter and kidney collecting tubules. [GOC:dph, PMID:16916378]' - }, - 'GO:0001659': { - 'name': 'temperature homeostasis', - 'def': 'A homeostatic process in which an organism modulates its internal body temperature. [GOC:jl]' - }, - 'GO:0001660': { - 'name': 'fever generation', - 'def': 'The heat generation process that results in a rise in body temperature above the normal, often as a response to infection. [GOC:dph, GOC:jl]' - }, - 'GO:0001661': { - 'name': 'conditioned taste aversion', - 'def': 'A conditioned aversion to a specific chemical compound as a result of that compound being coupled with a noxious stimulus. [GOC:dph, PMID:9920659]' - }, - 'GO:0001662': { - 'name': 'behavioral fear response', - 'def': 'An acute behavioral change resulting from a perceived external threat. [GOC:dph, PMID:9920659]' - }, - 'GO:0001664': { - 'name': 'G-protein coupled receptor binding', - 'def': 'Interacting selectively and non-covalently with a G-protein coupled receptor. [GOC:ceb, GOC:dph]' - }, - 'GO:0001665': { - 'name': 'alpha-N-acetylgalactosaminide alpha-2,6-sialyltransferase activity', - 'def': 'Catalysis of the reaction: CMP-N-acetylneuraminate + glycano-(1->3)-(N-acetyl-alpha-D-galactosaminyl)-glycoprotein = CMP + glycano-[(2->6)-alpha-N-acetylneuraminyl]-(N-acetyl-D-galactosaminyl)-glycoprotein. [EC:2.4.99.3]' - }, - 'GO:0001666': { - 'name': 'response to hypoxia', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating lowered oxygen tension. Hypoxia, defined as a decline in O2 levels below normoxic levels of 20.8 - 20.95%, results in metabolic adaptation at both the cellular and organismal level. [GOC:hjd]' - }, - 'GO:0001667': { - 'name': 'ameboidal-type cell migration', - 'def': 'Cell migration that is accomplished by extension and retraction of a pseudopodium. [GOC:dph]' - }, - 'GO:0001669': { - 'name': 'acrosomal vesicle', - 'def': 'A structure in the head of a spermatozoon that contains acid hydrolases, and is concerned with the breakdown of the outer membrane of the ovum during fertilization. It lies just beneath the plasma membrane and is derived from the lysosome. [ISBN:0124325653, ISBN:0198506732]' - }, - 'GO:0001671': { - 'name': 'ATPase activator activity', - 'def': 'Binds to and increases the ATP hydrolysis activity of an ATPase. [GOC:ajp]' - }, - 'GO:0001672': { - 'name': 'regulation of chromatin assembly or disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of chromatin assembly or disassembly. [GOC:go_curators]' - }, - 'GO:0001673': { - 'name': 'male germ cell nucleus', - 'def': 'The nucleus of a male germ cell, a reproductive cell in males. [CL:0000015, GOC:hjd, GOC:mtg_sensu]' - }, - 'GO:0001674': { - 'name': 'female germ cell nucleus', - 'def': 'The nucleus of the female germ cell, a reproductive cell in females. [CL:0000021, GOC:hjd]' - }, - 'GO:0001675': { - 'name': 'acrosome assembly', - 'def': 'The formation of the acrosome from the spermatid Golgi. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0001676': { - 'name': 'long-chain fatty acid metabolic process', - 'def': 'The chemical reactions and pathways involving long-chain fatty acids, A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, GOC:ajp]' - }, - 'GO:0001677': { - 'name': 'formation of translation initiation ternary complex', - 'def': 'Formation of a complex between aminoacylated initiator methionine tRNA, GTP, and initiation factor 2 (either eIF2 in eukaryotes, or IF2 in prokaryotes). In prokaryotes, fMet-tRNA (initiator) is used rather than Met-tRNA (initiator). [GOC:hjd]' - }, - 'GO:0001678': { - 'name': 'cellular glucose homeostasis', - 'def': 'A cellular homeostatic process involved in the maintenance of an internal steady state of glucose within a cell or between a cell and its external environment. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0001680': { - 'name': "tRNA 3'-terminal CCA addition", - 'def': "Post-transcriptional addition of the terminal 3' CCA sequence to a tRNA which does not encode this sequence within the primary transcript. CCA addition proceeds by the sequential addition of CTP, CTP, and then ATP to the 3' end of the tRNA, yielding a diphosphate with each nucleotide addition. [EC:2.7.7.72, GOC:go_curators]" - }, - 'GO:0001681': { - 'name': 'sialate O-acetylesterase activity', - 'def': 'Catalysis of the reaction: N-acetyl-O-acetylneuraminate (free or glycosidically bound) + H2O = N-acetylneuraminate + acetate. [EC:3.1.1.53, PMID:1991039]' - }, - 'GO:0001682': { - 'name': "tRNA 5'-leader removal", - 'def': "Generation of the mature 5'-end of the tRNA, usually via an endonucleolytic cleavage by RNase P. [PMID:11592395]" - }, - 'GO:0001683': { - 'name': 'obsolete axonemal dynein heavy chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0001684': { - 'name': 'obsolete axonemal dynein intermediate chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0001685': { - 'name': 'obsolete axonemal dynein intermediate light chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0001686': { - 'name': 'obsolete axonemal dynein light chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0001687': { - 'name': 'obsolete cytoplasmic dynein heavy chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0001688': { - 'name': 'obsolete cytoplasmic dynein intermediate chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0001689': { - 'name': 'obsolete cytoplasmic dynein intermediate light chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0001690': { - 'name': 'obsolete cytoplasmic dynein light chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0001691': { - 'name': 'pseudophosphatase activity', - 'def': 'Maintains the phosphorylation state of certain molecules by associating with them and preventing them from associating with active phosphatases, and thus inhibiting the enzyme activity without interacting with the enzyme. Often pertains to proteins belonging to dual-specificity phosphatase family but lacking critical active site residues. [GOC:ajp]' - }, - 'GO:0001692': { - 'name': 'histamine metabolic process', - 'def': 'The chemical reactions and pathways involving histamine, a physiologically active amine, found in plant and animal tissue and released from mast cells as part of an allergic reaction in humans. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0001694': { - 'name': 'histamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of histamine, a physiologically active amine, found in plant and animal tissue and released from mast cells as part of an allergic reaction in humans. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0001695': { - 'name': 'histamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of histamine, a physiologically active amine, found in plant and animal tissue and released from mast cells as part of an allergic reaction in humans. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0001696': { - 'name': 'gastric acid secretion', - 'def': 'The regulated release of gastric acid (hydrochloric acid) by parietal or oxyntic cells during digestion. [GOC:hjd]' - }, - 'GO:0001697': { - 'name': 'histamine-induced gastric acid secretion', - 'def': 'The regulated release of gastric acid induced by the interaction of histamine with H2 type receptor receptors with subsequent activation of adenylate cyclase and elevation of intracellular cyclic AMP. [GOC:hjd]' - }, - 'GO:0001698': { - 'name': 'gastrin-induced gastric acid secretion', - 'def': 'The regulated release of gastric acid induced by the interaction of gastrin with its receptor. [GOC:hjd]' - }, - 'GO:0001699': { - 'name': 'acetylcholine-induced gastric acid secretion', - 'def': 'The regulated release of gastric acid by parietal cells in response to acetylcholine. [GOC:hjd]' - }, - 'GO:0001700': { - 'name': 'embryonic development via the syncytial blastoderm', - 'def': 'The process whose specific outcome is the progression of the embryo over time, from zygote formation through syncytial blastoderm to the hatching of the first instar larva. An example of this process is found in Drosophila melanogaster. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0001701': { - 'name': 'in utero embryonic development', - 'def': 'The process whose specific outcome is the progression of the embryo in the uterus over time, from formation of the zygote in the oviduct, to birth. An example of this process is found in Mus musculus. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0001702': { - 'name': 'gastrulation with mouth forming second', - 'def': 'A gastrulation process in which the initial invagination becomes the anus and the mouth forms second. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0001703': { - 'name': 'gastrulation with mouth forming first', - 'def': 'A gastrulation process in which the initial invagination becomes the mouth and the anus forms second. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0001704': { - 'name': 'formation of primary germ layer', - 'def': 'The formation of the ectoderm, mesoderm and endoderm during gastrulation. [GOC:go_curators]' - }, - 'GO:0001705': { - 'name': 'ectoderm formation', - 'def': 'The formation of ectoderm during gastrulation. [GOC:go_curators]' - }, - 'GO:0001706': { - 'name': 'endoderm formation', - 'def': 'The formation of the endoderm during gastrulation. [GOC:go_curators]' - }, - 'GO:0001707': { - 'name': 'mesoderm formation', - 'def': 'The process that gives rise to the mesoderm. This process pertains to the initial formation of the structure from unspecified parts. [GOC:go_curators]' - }, - 'GO:0001708': { - 'name': 'cell fate specification', - 'def': 'The process involved in the specification of cell identity. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. [GOC:go_curators]' - }, - 'GO:0001709': { - 'name': 'cell fate determination', - 'def': 'A process involved in cell fate commitment. Once determination has taken place, a cell becomes committed to differentiate down a particular pathway regardless of its environment. [ISBN:0878932437]' - }, - 'GO:0001710': { - 'name': 'mesodermal cell fate commitment', - 'def': 'The cell differentiation process that results in commitment of a cell to become part of the mesoderm. [GOC:go_curators, ISBN:0878932437]' - }, - 'GO:0001711': { - 'name': 'endodermal cell fate commitment', - 'def': 'The cell differentiation process that results in commitment of a cell to become part of the endoderm. [GOC:go_curators, ISBN:0878932437]' - }, - 'GO:0001712': { - 'name': 'ectodermal cell fate commitment', - 'def': 'The cell differentiation process that results in commitment of a cell to become part of the ectoderm. [GOC:go_curators, ISBN:0878932437]' - }, - 'GO:0001713': { - 'name': 'ectodermal cell fate determination', - 'def': 'The cell fate determination process that results in a cell becoming capable of differentiating autonomously into an ectoderm cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators, ISBN:0878932437]' - }, - 'GO:0001714': { - 'name': 'endodermal cell fate specification', - 'def': 'The cell fate determination process that results in a cell becoming capable of differentiating autonomously into an endoderm cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:go_curators]' - }, - 'GO:0001715': { - 'name': 'ectodermal cell fate specification', - 'def': 'The cell fate determination process that results in a cell becoming becomes capable of differentiating autonomously into an ectoderm cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:go_curators]' - }, - 'GO:0001716': { - 'name': 'L-amino-acid oxidase activity', - 'def': 'Catalysis of the reaction: a L-amino acid + H2O + O2 = a 2-oxo acid + NH3 + hydrogen peroxide. [EC:1.4.3.2]' - }, - 'GO:0001717': { - 'name': 'conversion of seryl-tRNAsec to selenocys-tRNAsec', - 'def': 'The modification process that results in the conversion of serine, carried by a specialized tRNA(ser) (which can read a UGA anticodon), to selenocysteine. [ISBN:155581073X]' - }, - 'GO:0001720': { - 'name': 'conversion of lysyl-tRNA to pyrrolysyl-tRNA', - 'def': 'The modification process that results in the conversion of lysine, carried by a specialized lysine-accepting tRNA (possessing a CUA anticodon), to pyrrolysine (a lysine with an amide linkage to a (4R,5R)-4-substituted pyrroline-5-carboxylate). [PMID:12029131, PMID:12029132, PMID:12121639]' - }, - 'GO:0001721': { - 'name': 'obsolete intermediate filament associated protein', - 'def': 'OBSOLETE. Proteins that associate with intermediate filaments and function in the supramolecular organization of cellular intermediate filament networks. [GOC:ajp, PMID:9484600]' - }, - 'GO:0001722': { - 'name': 'obsolete type I intermediate filament associated protein', - 'def': 'OBSOLETE. Low molecular weight (10-45 kDa) proteins that associate with intermediate filaments by lateral binding of the filaments and have the effect of creating tight macrofilament aggregates. [GOC:ajp, PMID:9484600]' - }, - 'GO:0001723': { - 'name': 'obsolete type II intermediate filament associated protein', - 'def': 'OBSOLETE. High molecular weight (100-300 kDa) proteins that associate with intermediate filaments to cross-link them into loose networks. [GOC:ajp, PMID:9484600]' - }, - 'GO:0001724': { - 'name': 'obsolete type III intermediate filament associated protein', - 'def': 'OBSOLETE. Proteins that associate with the ends of intermediate filaments and couple the intermediate filaments to the plasma membrane. [GOC:ajp, PMID:9484600]' - }, - 'GO:0001725': { - 'name': 'stress fiber', - 'def': 'A contractile actin filament bundle that consists of short actin filaments with alternating polarity, cross-linked by alpha-actinin and possibly other actin bundling proteins, and with myosin present in a periodic distribution along the fiber. [PMID:16651381]' - }, - 'GO:0001726': { - 'name': 'ruffle', - 'def': 'Projection at the leading edge of a crawling cell; the protrusions are supported by a microfilament meshwork. [ISBN:0124325653]' - }, - 'GO:0001727': { - 'name': 'lipid kinase activity', - 'def': 'Catalysis of the phosphorylation of a simple or complex lipid. [GOC:hjd]' - }, - 'GO:0001729': { - 'name': 'ceramide kinase activity', - 'def': 'Catalysis of the reaction: ATP + ceramide = ADP + ceramide-1-phosphate. [EC:2.7.1.138]' - }, - 'GO:0001730': { - 'name': "2'-5'-oligoadenylate synthetase activity", - 'def': "Catalysis of the reaction: ATP = pppA(2'p5'A)n oligomers. This reaction requires the binding of double-stranded RNA. [ISBN:0198506732]" - }, - 'GO:0001731': { - 'name': 'formation of translation preinitiation complex', - 'def': 'The joining of the small ribosomal subunit, ternary complex, and mRNA. [GOC:hjd]' - }, - 'GO:0001732': { - 'name': 'formation of cytoplasmic translation initiation complex', - 'def': 'Joining of the large subunit, with release of IF2/eIF2 and IF3/eIF3. This leaves the functional ribosome at the AUG, with the methionyl/formyl-methionyl-tRNA positioned at the P site. [GOC:hjd]' - }, - 'GO:0001733': { - 'name': 'galactosylceramide sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + a galactosylceramide = adenosine 3',5'-bisphosphate + a galactosylceramidesulfate. [EC:2.8.2.11, PMID:10727929]" - }, - 'GO:0001734': { - 'name': 'mRNA (N6-adenosine)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + RRACH = S-adenosyl-L-homocysteine + RRm6ACH; R is a purine, and H is C, A, or U. [GOC:hjd]' - }, - 'GO:0001735': { - 'name': 'prenylcysteine oxidase activity', - 'def': 'Catalysis of the reaction: S-prenyl-L-cysteine + O2 + H2O = a prenal + L-cysteine + H2O2. [GOC:hjd]' - }, - 'GO:0001736': { - 'name': 'establishment of planar polarity', - 'def': 'Coordinated organization of groups of cells in the plane of an epithelium, such that they all orient to similar coordinates. [GOC:dph]' - }, - 'GO:0001737': { - 'name': 'establishment of imaginal disc-derived wing hair orientation', - 'def': 'Orientation of hairs in the imaginal disc-derived wing along a proximal-distal axis, such that each cell of the wing produces one wing hair which points in a distal direction. [GOC:ascb_2009, GOC:dph, GOC:mtg_sensu, GOC:tb, PMID:11239465]' - }, - 'GO:0001738': { - 'name': 'morphogenesis of a polarized epithelium', - 'def': 'The morphogenetic process in which the anatomical structures of a polarized epithelium are generated and organized. A polarized epithelium is an epithelium where the epithelial sheet is oriented with respect to the planar axis. [GOC:dph]' - }, - 'GO:0001739': { - 'name': 'sex chromatin', - 'def': 'Chromatin that is part of a sex chromosome. [GOC:dos, ISBN:0198506732]' - }, - 'GO:0001740': { - 'name': 'Barr body', - 'def': 'A structure found in a female mammalian cell containing an unpaired X chromosome that has become densely heterochromatic, silenced and localized at the nuclear periphery. [GOC:hjd, GOC:mr, NIF_Subcellular:sao1571698684]' - }, - 'GO:0001741': { - 'name': 'XY body', - 'def': 'A structure found in a male mammalian spermatocyte containing an unpaired X chromosome that has become densely heterochromatic, silenced and localized at the nuclear periphery. [GOC:hjd, GOC:mr, https://en.wikipedia.org/wiki/XY_sex-determination_system, PMID:20622855]' - }, - 'GO:0001742': { - 'name': 'oenocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an oenocyte. Oenocytes are large secretory cells found in clusters underlying the epidermis of larval abdominal segments. [GOC:go_curators]' - }, - 'GO:0001743': { - 'name': 'optic placode formation', - 'def': 'The initial developmental process that will lead to the formation of an eye. [GOC:dph]' - }, - 'GO:0001744': { - 'name': 'optic lobe placode formation', - 'def': 'Establishment of the optic placode, a thickened area of densely packed ectoderm cells directly overlying the optic vesicle in the early embryo. In Drosophila, for example, the placode appears in the dorsolateral region of the head in late stage 11 embryos and is the precursor to the larval visual system. [GOC:mtg_sensu, PMID:8402833]' - }, - 'GO:0001745': { - 'name': 'compound eye morphogenesis', - 'def': 'The morphogenetic process in which the anatomical structures of the compound eye are generated and organized. The adult compound eye is a precise assembly of 700-800 ommatidia. Each ommatidium is composed of 20 cells, identified by cell type and position. An example of compound eye morphogenesis is found in Drosophila melanogaster. [GOC:dph, GOC:mtg_sensu]' - }, - 'GO:0001746': { - 'name': "Bolwig's organ morphogenesis", - 'def': "The morphogenetic process in which the anatomical structures of the larval eye in Drosophila are generated and organized. The larval eye in Drosophila is a relatively simple sensory system composed of Bolwig's organs: two clusters, each composed of 12 photoreceptor cells from which axons extend in a single fascicle to the brain. [http://sdb.bio.purdue.edu/fly/torstoll/tailess.htm#bolwigs, PMID:6185380]" - }, - 'GO:0001748': { - 'name': 'optic lobe placode development', - 'def': "The process whose specific outcome is the progression of the optic placode over time, from its formation to the mature structure. During embryonic stage 12 the placode starts to invaginate, forming a pouch. Cells that will form Bolwig's organ segregate from the ventral lip of this pouch, remaining in the head epidermis. The remainder of the invagination loses contact with the outer surface and becomes the optic lobe. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:8402833]" - }, - 'GO:0001750': { - 'name': 'photoreceptor outer segment', - 'def': 'The outer segment of a vertebrate photoreceptor that contains discs of photoreceptive membranes. [GOC:cilia, ISBN:0824072820]' - }, - 'GO:0001751': { - 'name': 'compound eye photoreceptor cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an eye photoreceptor cell. [GOC:go_curators]' - }, - 'GO:0001752': { - 'name': 'compound eye photoreceptor fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a compound eye photoreceptor cell. A photoreceptor cell is a cell that responds to incident electromagnetic radiation. Different classes of photoreceptor have different spectral sensitivities and express different photosensitive pigments. [GOC:mtg_sensu]' - }, - 'GO:0001753': { - 'name': 'obsolete adult eye photoreceptor development (sensu Drosophila)', - 'def': 'OBSOLETE. Development of a photoreceptor, a receptor that responds to light, in the adult Drosophila eye. [GOC:go_curators]' - }, - 'GO:0001754': { - 'name': 'eye photoreceptor cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a photoreceptor cell, as found in the eye, the primary visual organ of most organisms. [GOC:go_curators]' - }, - 'GO:0001755': { - 'name': 'neural crest cell migration', - 'def': 'The characteristic movement of cells from the dorsal ridge of the neural tube to a variety of locations in a vertebrate embryo. [GOC:ascb_2009, GOC:dph, GOC:tb, ISBN:0878932437]' - }, - 'GO:0001756': { - 'name': 'somitogenesis', - 'def': 'The formation of mesodermal clusters that are arranged segmentally along the anterior posterior axis of an embryo. [ISBN:0721662544]' - }, - 'GO:0001757': { - 'name': 'somite specification', - 'def': 'The process in which individual somites establish identity during embryogenesis. [GOC:dph]' - }, - 'GO:0001758': { - 'name': 'retinal dehydrogenase activity', - 'def': 'Catalysis of the reaction: retinal + NAD+ + H2O = retinoate + NADH. Acts on both 11-trans and 13-cis forms of retinal. [EC:1.2.1.36]' - }, - 'GO:0001759': { - 'name': 'organ induction', - 'def': 'The interaction of two or more cells or tissues that causes them to change their fates and specify the development of an organ. [ISBN:0878932437]' - }, - 'GO:0001760': { - 'name': 'aminocarboxymuconate-semialdehyde decarboxylase activity', - 'def': 'Catalysis of the reaction: 2-amino-3-carboxymuconate 6-semialdehyde + H(+) = 2-aminomuconate 6-semialdehyde + CO(2). [EC:4.1.1.45, RHEA:16560]' - }, - 'GO:0001761': { - 'name': 'beta-alanine transmembrane transporter activity', - 'def': 'Enables the transfer of beta-alanine from one side of a membrane to the other. Beta-alanine is 3-aminopropanoic acid. [GOC:hjd]' - }, - 'GO:0001762': { - 'name': 'beta-alanine transport', - 'def': 'The directed movement of beta-alanine, 3-aminopropanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:hjd]' - }, - 'GO:0001763': { - 'name': 'morphogenesis of a branching structure', - 'def': 'The process in which the anatomical structures of branches are generated and organized. A branch is a division or offshoot from a main stem. Examples in animals would include blood vessels, nerves, lymphatics and other endothelial or epithelial tubes. [ISBN:0721662544]' - }, - 'GO:0001764': { - 'name': 'neuron migration', - 'def': 'The characteristic movement of an immature neuron from germinal zones to specific positions where they will reside as they mature. [CL:0000540, GOC:go_curators]' - }, - 'GO:0001765': { - 'name': 'membrane raft assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a membrane raft, a small (10-200 nm), heterogeneous, highly dynamic, sterol- and sphingolipid-enriched membrane domains that compartmentalizes cellular processes. [PMID:12648772, PMID:12803918, PMID:16645198]' - }, - 'GO:0001766': { - 'name': 'membrane raft polarization', - 'def': 'The clustering and aggregation of membrane rafts at a single cellular pole during activation of particular cell types, such as lymphocytes. [PMID:12615889]' - }, - 'GO:0001767': { - 'name': 'establishment of lymphocyte polarity', - 'def': 'The directed orientation of lymphocyte signaling molecules and associated membrane rafts towards a chemokine gradient or a contact point with an appropriate activating cell. [GOC:mgi_curators, PMID:11244041, PMID:12615889]' - }, - 'GO:0001768': { - 'name': 'establishment of T cell polarity', - 'def': 'The directed orientation of T cell signaling molecules and associated membrane rafts towards a chemokine gradient or a contact point with antigen presenting cell. [GOC:mgi_curators, PMID:11244041, PMID:12615889]' - }, - 'GO:0001769': { - 'name': 'establishment of B cell polarity', - 'def': 'The directed orientation of B cell signaling molecules and associated membrane rafts towards a chemokine gradient of a contact point with an antigen displaying cell. [GOC:mgi_curators, PMID:12615889, PMID:9692889]' - }, - 'GO:0001770': { - 'name': 'establishment of natural killer cell polarity', - 'def': 'The directed orientation of natural killer cell signaling molecules and associated membrane rafts towards a chemokine gradient or a contact point with a cell displaying natural killer cell activating ligands. [GOC:mgi_curators, PMID:12615886, PMID:9759849]' - }, - 'GO:0001771': { - 'name': 'immunological synapse formation', - 'def': 'The formation of an area of close contact between a lymphocyte (T-, B-, or natural killer cell) and a target cell through the clustering of particular signaling and adhesion molecules and their associated membrane rafts on both the lymphocyte and target cell, which facilitates activation of the lymphocyte, transfer of membrane from the target cell to the lymphocyte, and in some situations killing of the target cell through release of secretory granules and/or death-pathway ligand-receptor interaction. [GOC:mgi_curators, PMID:11244041, PMID:11376330]' - }, - 'GO:0001772': { - 'name': 'immunological synapse', - 'def': 'An area of close contact between a lymphocyte (T-, B-, or natural killer cell) and a target cell formed through the clustering of particular signaling and adhesion molecules and their associated membrane rafts on both the lymphocyte and the target cell and facilitating activation of the lymphocyte, transfer of membrane from the target cell to the lymphocyte, and in some situations killing of the target cell through release of secretory granules and/or death-pathway ligand-receptor interaction. [GOC:mgi_curators, PMID:11244041, PMID:11376300]' - }, - 'GO:0001773': { - 'name': 'myeloid dendritic cell activation', - 'def': 'The change in morphology and behavior of a dendritic cell resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor. [GOC:mgi_curators, ISBN:0781735149]' - }, - 'GO:0001774': { - 'name': 'microglial cell activation', - 'def': 'The change in morphology and behavior of a microglial cell resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor. [GOC:mgi_curators, PMID:10626665, PMID:10695728, PMID:12580336, PMID:9893949]' - }, - 'GO:0001775': { - 'name': 'cell activation', - 'def': 'A change in the morphology or behavior of a cell resulting from exposure to an activating factor such as a cellular or soluble ligand. [GOC:mgi_curators]' - }, - 'GO:0001776': { - 'name': 'leukocyte homeostasis', - 'def': 'The process of regulating the proliferation and elimination of cells of the immune system such that the total number of cells of a particular cell type within a whole or part of an organism is stable over time in the absence of an outside stimulus. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001777': { - 'name': 'T cell homeostatic proliferation', - 'def': 'The non-specific expansion of T cell populations within a whole or part of an organism to reach to a total number of T cells which will then remain stable over time in the absence of an external stimulus. [GOC:mgi_curators, ISBN:0781735149]' - }, - 'GO:0001778': { - 'name': 'plasma membrane repair', - 'def': 'The resealing of a cell plasma membrane after cellular wounding due to, for instance, mechanical stress. [GOC:add, PMID:12925704]' - }, - 'GO:0001779': { - 'name': 'natural killer cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a natural killer cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001780': { - 'name': 'neutrophil homeostasis', - 'def': 'The process of regulating the proliferation and elimination of neutrophils such that the total number of neutrophils within a whole or part of an organism is stable over time in the absence of an outside stimulus. [GOC:add, GOC:pr, PMID:12752675, PMID:12960266]' - }, - 'GO:0001781': { - 'name': 'neutrophil apoptotic process', - 'def': 'Any apoptotic process in a neutrophil, any of the immature or mature forms of a granular leukocyte that in its mature form has a nucleus with three to five lobes connected by slender threads of chromatin, and cytoplasm containing fine inconspicuous granules and stainable by neutral dyes. [CL:0000775, GOC:add, GOC:mtg_apoptosis, PMID:12752675, PMID:12960266]' - }, - 'GO:0001782': { - 'name': 'B cell homeostasis', - 'def': 'The process of regulating the proliferation and elimination of B cells such that the total number of B cells within a whole or part of an organism is stable over time in the absence of an outside stimulus. [GOC:add, ISBN:0781735149, PMID:12956429]' - }, - 'GO:0001783': { - 'name': 'B cell apoptotic process', - 'def': 'Any apoptotic process in a B cell, a lymphocyte of B lineage with the phenotype CD19-positive and capable of B cell mediated immunity. [CL:0000236, GOC:add, GOC:mtg_apoptosis, ISBN:0781735149]' - }, - 'GO:0001784': { - 'name': 'phosphotyrosine binding', - 'def': 'Interacting selectively and non-covalently with a phosphorylated tyrosine residue within a protein. [PMID:14636584]' - }, - 'GO:0001785': { - 'name': 'prostaglandin J receptor activity', - 'def': 'Combining with prostaglandin J (PGJ(2)), a metabolite of prostaglandin D (PGD(2)) to initiate a change in cell activity. [PMID:12878180]' - }, - 'GO:0001786': { - 'name': 'phosphatidylserine binding', - 'def': 'Interacting selectively and non-covalently with phosphatidylserine, a class of glycophospholipids in which a phosphatidyl group is esterified to the hydroxyl group of L-serine. [ISBN:0198506732, PMID:12000961]' - }, - 'GO:0001787': { - 'name': 'natural killer cell proliferation', - 'def': 'The expansion of a natural killer cell population by cell division. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001788': { - 'name': 'antibody-dependent cellular cytotoxicity', - 'def': 'Cytolysis of target cells by natural killer cells, eosinophils, neutrophils, monocytes, or macrophages following engagement of antibodies bound to the target cells by Fc receptors on the effector cells. [GOC:pr, ISBN:0781735149, PMID:11677095, PMID:9581795]' - }, - 'GO:0001789': { - 'name': 'G-protein coupled receptor signaling pathway, coupled to S1P second messenger', - 'def': 'The series of molecular signals generated as a consequence of an adrenergic receptor binding to its physiological ligand, where the pathway proceeds with activation of sphingosine kinase and a subsequent increase in cellular levels of sphingosine-1-phosphate (S1P). [GOC:dph, GOC:signaling, PMID:14592418]' - }, - 'GO:0001790': { - 'name': 'polymeric immunoglobulin binding', - 'def': 'Interacting selectively and non-covalently with a J-chain-containing polymeric immunoglobulin of the IgA or IgM isotypes. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001791': { - 'name': 'IgM binding', - 'def': 'Interacting selectively and non-covalently with an immunoglobulin of the IgM isotype. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001792': { - 'name': 'polymeric immunoglobulin receptor activity', - 'def': 'Combining with a J-chain-containing polymeric immunoglobulin of the IgA or IgM isotypes via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0001793': { - 'name': 'IgM receptor activity', - 'def': 'Combining with an immunoglobulin of the IgM isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0001794': { - 'name': 'type IIa hypersensitivity', - 'def': 'An inflammatory response resulting in cell death mediated by activation of the classical complement pathway or induction of effector cell phagocytosis or cytolysis mechanisms via complement or Fc receptors following the binding of antibodies to cell surface antigens on a target cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001795': { - 'name': 'type IIb hypersensitivity', - 'def': 'An inflammatory response resulting in cell death or dysfunction mediated by the direct binding of antibody to cellular receptors. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001796': { - 'name': 'regulation of type IIa hypersensitivity', - 'def': 'Any process that modulates the frequency, rate, or extent of type IIa hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001797': { - 'name': 'negative regulation of type IIa hypersensitivity', - 'def': 'Any process that stops, prevents, or reduces the rate of type IIa hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001798': { - 'name': 'positive regulation of type IIa hypersensitivity', - 'def': 'Any process that activates or increases the frequency, rate or extent of type IIa hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001799': { - 'name': 'regulation of type IIb hypersensitivity', - 'def': 'Any process that modulates the frequency, rate, or extent of type IIb hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001800': { - 'name': 'negative regulation of type IIb hypersensitivity', - 'def': 'Any process that stops, prevents, or reduces the rate of type IIb hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001801': { - 'name': 'positive regulation of type IIb hypersensitivity', - 'def': 'Any process that activates or increases the frequency, rate or extent of type IIb hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001802': { - 'name': 'type III hypersensitivity', - 'def': 'An inflammatory response resulting from recognition of immune complexes via complement or Fc receptors on effector cells leading to activation of neutrophils and other leukocytes and damage to bystander tissue. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001803': { - 'name': 'regulation of type III hypersensitivity', - 'def': 'Any process that modulates the frequency, rate, or extent of type III hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001804': { - 'name': 'negative regulation of type III hypersensitivity', - 'def': 'Any process that stops, prevents, or reduces the rate of type III hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001805': { - 'name': 'positive regulation of type III hypersensitivity', - 'def': 'Any process that activates or increases the frequency, rate or extent of type III hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001806': { - 'name': 'type IV hypersensitivity', - 'def': 'An inflammatory response driven by T cell recognition of processed soluble or cell-associated antigens leading to cytokine release and leukocyte activation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001807': { - 'name': 'regulation of type IV hypersensitivity', - 'def': 'Any process that modulates the frequency, rate, or extent of type IV hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001808': { - 'name': 'negative regulation of type IV hypersensitivity', - 'def': 'Any process that stops, prevents, or reduces the rate of type IV hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001809': { - 'name': 'positive regulation of type IV hypersensitivity', - 'def': 'Any process that activates or increases the frequency, rate or extent of type IV hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001810': { - 'name': 'regulation of type I hypersensitivity', - 'def': 'Any process that modulates the frequency, rate, or extent of type I hypersensitivity, a type of inflammatory response. [ISBN:0781735149]' - }, - 'GO:0001811': { - 'name': 'negative regulation of type I hypersensitivity', - 'def': 'Any process that stops, prevents, or reduces the rate of type I hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001812': { - 'name': 'positive regulation of type I hypersensitivity', - 'def': 'Any process that activates or increases the frequency, rate or extent of type I hypersensitivity, a type of inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001813': { - 'name': 'regulation of antibody-dependent cellular cytotoxicity', - 'def': 'Any process that modulates the frequency, rate, or extent of antibody-dependent cellular cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001814': { - 'name': 'negative regulation of antibody-dependent cellular cytotoxicity', - 'def': 'Any process that stops, prevents, or reduces the rate of antibody-dependent cellular cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001815': { - 'name': 'positive regulation of antibody-dependent cellular cytotoxicity', - 'def': 'Any process that activates or increases the frequency, rate or extent of antibody-dependent cellular cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001816': { - 'name': 'cytokine production', - 'def': 'The appearance of a cytokine due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001817': { - 'name': 'regulation of cytokine production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of a cytokine. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001818': { - 'name': 'negative regulation of cytokine production', - 'def': 'Any process that stops, prevents, or reduces the rate of production of a cytokine. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001819': { - 'name': 'positive regulation of cytokine production', - 'def': 'Any process that activates or increases the frequency, rate or extent of production of a cytokine. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001820': { - 'name': 'serotonin secretion', - 'def': 'The regulated release of serotonin by a cell. Serotonin (5-hydroxytryptamine, or 5-HT) is a monoamine synthesised in serotonergic neurons in the central nervous system, enterochromaffin cells in the gastrointestinal tract and some immune system cells. [GOC:ef, ISBN:0198506732, ISBN:0781735149]' - }, - 'GO:0001821': { - 'name': 'histamine secretion', - 'def': 'The regulated release of histamine by a cell or tissue. It is formed by decarboxylation of histidine and it acts through receptors in smooth muscle and in secretory systems. [GOC:mah, ISBN:0198506732, ISBN:0781735149]' - }, - 'GO:0001822': { - 'name': 'kidney development', - 'def': 'The process whose specific outcome is the progression of the kidney over time, from its formation to the mature structure. The kidney is an organ that filters the blood and/or excretes the end products of body metabolism in the form of urine. [GOC:dph, GOC:mtg_kidney_jan10, ISBN:0124020607, ISBN:0721662544]' - }, - 'GO:0001823': { - 'name': 'mesonephros development', - 'def': 'The process whose specific outcome is the progression of the mesonephros over time, from its formation to the mature structure. In mammals, the mesonephros is the second of the three embryonic kidneys to be established and exists only transiently. In lower vertebrates such as fish and amphibia, the mesonephros will form the mature kidney. [GOC:dph, ISBN:0124020607, ISBN:0721662544, PMID:10535314]' - }, - 'GO:0001824': { - 'name': 'blastocyst development', - 'def': 'The process whose specific outcome is the progression of the blastocyst over time, from its formation to the mature structure. The mammalian blastocyst is a hollow ball of cells containing two cell types, the inner cell mass and the trophectoderm. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001825': { - 'name': 'blastocyst formation', - 'def': 'The initial formation of a blastocyst from a solid ball of cells known as a morula. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001826': { - 'name': 'inner cell mass cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an inner cell mass cell. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001827': { - 'name': 'inner cell mass cell fate commitment', - 'def': 'The cell fate commitment of precursor cells that will become inner cell mass cells. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001828': { - 'name': 'inner cell mass cellular morphogenesis', - 'def': 'The morphogenesis of cells in the inner cell mass. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001829': { - 'name': 'trophectodermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a trophectoderm cell. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001830': { - 'name': 'trophectodermal cell fate commitment', - 'def': 'The cell fate commitment of precursor cells that will become trophectoderm cells. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001831': { - 'name': 'trophectodermal cellular morphogenesis', - 'def': 'The morphogenesis of trophectoderm cells. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001832': { - 'name': 'blastocyst growth', - 'def': 'An increase in size of a blastocyst due to expansion of the blastocoelic cavity cell shape changes and cell proliferation. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001833': { - 'name': 'inner cell mass cell proliferation', - 'def': 'The proliferation of cells in the inner cell mass. [GOC:dph, GOC:isa_complete, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001834': { - 'name': 'trophectodermal cell proliferation', - 'def': 'The proliferation of cells in the trophectoderm. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001835': { - 'name': 'blastocyst hatching', - 'def': 'The hatching of the cellular blastocyst from the zona pellucida. [GOC:dph, ISBN:0124020607, ISBN:0198542771]' - }, - 'GO:0001836': { - 'name': 'release of cytochrome c from mitochondria', - 'def': 'The process that results in the movement of cytochrome c from the mitochondrial intermembrane space into the cytosol, which is part of the apoptotic signaling pathway and leads to caspase activation. [GOC:add, GOC:mah, GOC:mtg_apoptosis, ISBN:0721639976, PMID:12925707, PMID:9560217]' - }, - 'GO:0001837': { - 'name': 'epithelial to mesenchymal transition', - 'def': 'A transition where an epithelial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell. [GOC:dph, PMID:14701881]' - }, - 'GO:0001838': { - 'name': 'embryonic epithelial tube formation', - 'def': 'The morphogenesis of an embryonic epithelium into a tube-shaped structure. [GOC:dph, ISBN:0824072820]' - }, - 'GO:0001839': { - 'name': 'neural plate morphogenesis', - 'def': 'The process in which the anatomical structures of the neural plate are generated and organized. The neural plate is a specialized region of columnar epithelial cells in the dorsal ectoderm that will give rise to nervous system tissue. [GOC:dph, ISBN:0878932437]' - }, - 'GO:0001840': { - 'name': 'neural plate development', - 'def': 'The process whose specific outcome is the progression of the neural plate over time, from its formation to the mature structure. The neural plate is a flat, thickened layer of ectodermal cells. The underlying dorsal mesoderm signals the ectodermal cells above it to elongate into columnar neural plate cells. The neural plate subsequently develops into the neural tube, which gives rise to the central nervous system. [GOC:dph, GOC:ef, ISBN:0878932437, ISBN:0878932585]' - }, - 'GO:0001841': { - 'name': 'neural tube formation', - 'def': 'The formation of a tube from the flat layer of ectodermal cells known as the neural plate. This will give rise to the central nervous system. [GOC:dph, ISBN:0878932437]' - }, - 'GO:0001842': { - 'name': 'neural fold formation', - 'def': 'The process in which the neural fold is formed. The edges of the neural plate thicken and move up to form a U-shaped structure called the neural groove. [GOC:dph, ISBN:0878932437]' - }, - 'GO:0001843': { - 'name': 'neural tube closure', - 'def': 'The last step in the formation of the neural tube, where the paired neural folds are brought together and fuse at the dorsal midline. [GOC:dph, ISBN:0878932437]' - }, - 'GO:0001844': { - 'name': 'protein insertion into mitochondrial membrane involved in apoptotic signaling pathway', - 'def': 'The process in which a protein is incorporated into a mitochondrial membrane as the initial phase of the mitochondrial membrane permeabilization that takes place in the apoptotic signaling pathway. [GOC:add, GOC:mtg_apoptosis, PMID:12952892]' - }, - 'GO:0001845': { - 'name': 'phagolysosome assembly', - 'def': 'The process that results in the fusion of a phagosome, a vesicle formed by phagocytosis, with a lysosome. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001846': { - 'name': 'opsonin binding', - 'def': 'Interacting selectively and non-covalently with an opsonin, such as a complement component or antibody, deposited on the surface of a bacteria, virus, immune complex, or other particulate material. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001847': { - 'name': 'opsonin receptor activity', - 'def': 'Combining with an opsonin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0001848': { - 'name': 'complement binding', - 'def': 'Interacting selectively and non-covalently with any component or product of the complement cascade. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001849': { - 'name': 'complement component C1q binding', - 'def': 'Interacting selectively and non-covalently with the C1q component of the classical complement cascade. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001850': { - 'name': 'complement component C3a binding', - 'def': 'Interacting selectively and non-covalently with the C3a product of the complement cascade. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001851': { - 'name': 'complement component C3b binding', - 'def': 'Interacting selectively and non-covalently with the C3b product of the complement cascade. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001852': { - 'name': 'complement component iC3b binding', - 'def': 'Interacting selectively and non-covalently with the iC3b product of the complement cascade. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001853': { - 'name': 'complement component C3dg binding', - 'def': 'Interacting selectively and non-covalently with the C3dg product of the complement cascade. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001854': { - 'name': 'complement component C3d binding', - 'def': 'Interacting selectively and non-covalently with the C3d product of the complement cascade. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001855': { - 'name': 'complement component C4b binding', - 'def': 'Interacting selectively and non-covalently with the C4b product of the classical complement cascade. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001856': { - 'name': 'complement component C5a binding', - 'def': 'Interacting selectively and non-covalently with the C5a product of the complement cascade. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001857': { - 'name': 'complement component C1q receptor activity', - 'def': 'Combining with the C1q component of the classical complement cascade and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0001858': { - 'name': 'complement component iC3b receptor activity', - 'def': 'Combining with the iC3b product of the complement cascade and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0001859': { - 'name': 'complement component C3dg receptor activity', - 'def': 'Combining with the C3dg product of the complement cascade and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0001860': { - 'name': 'complement component C3d receptor activity', - 'def': 'Combining with the C3d product of the complement cascade and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0001861': { - 'name': 'complement component C4b receptor activity', - 'def': 'Combining with the C4b product of the classical complement cascade and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0001862': { - 'name': 'collectin binding', - 'def': 'Interacting selectively and non-covalently with a collectin, a member of a group of structurally related pattern recognition molecules characterized by having a carbohydrate recognition domain of the C-type lectin family at the C-terminus and a collagenous domain at the N-terminus. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001863': { - 'name': 'collectin receptor activity', - 'def': 'Combining with a collectin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0001864': { - 'name': 'pentraxin binding', - 'def': 'Interacting selectively and non-covalently with a pentraxin, a member of a family of inflammatory proteins with a radially symmetric arrangement of five identical, noncovalently linked chains in a pentagonal array. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001865': { - 'name': 'NK T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a NK T cell. [GOC:add, ISBN:0781735149, PMID:10704459]' - }, - 'GO:0001866': { - 'name': 'NK T cell proliferation', - 'def': 'The expansion of a NK T cell population by cell division. [GOC:add, ISBN:0781735149, PMID:10704459]' - }, - 'GO:0001867': { - 'name': 'complement activation, lectin pathway', - 'def': 'Any process involved in the activation of any of the steps of the lectin pathway of the complement cascade which allows for the direct killing of microbes and the regulation of other immune processes. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001868': { - 'name': 'regulation of complement activation, lectin pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the lectin pathway of complement activation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001869': { - 'name': 'negative regulation of complement activation, lectin pathway', - 'def': 'Any process that stops, prevents, or reduces the rate of complement activation by the lectin pathway. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001870': { - 'name': 'positive regulation of complement activation, lectin pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of complement activation by the lectin pathway. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001871': { - 'name': 'pattern binding', - 'def': 'Interacting selectively and non-covalently with a repeating or polymeric structure, such as a polysaccharide or peptidoglycan. [PMID:12072369, PMID:12225919, PMID:12507420, PMID:12925128, PMID:14523544]' - }, - 'GO:0001872': { - 'name': '(1->3)-beta-D-glucan binding', - 'def': 'Interacting selectively and non-covalently with (1->3)-beta-D-glucans. [PMID:14707091]' - }, - 'GO:0001873': { - 'name': 'polysaccharide receptor activity', - 'def': 'Combining with a polysaccharide and transmitting the signal to initiate a change in cell activity. A polysaccharide is a polymer of many (typically more than 10) monosaccharide residues linked glycosidically. [CHEBI:18154, PMID:14707091]' - }, - 'GO:0001874': { - 'name': '(1->3)-beta-D-glucan receptor activity', - 'def': 'Combining with (1->3)-beta-D-glucans to initiate a change in cell activity. [PMID:14707091]' - }, - 'GO:0001875': { - 'name': 'lipopolysaccharide receptor activity', - 'def': 'Combining with a lipopolysaccharide and transmitting the signal across the cell membrane to initiate a change in cell activity. Lipopolysaccharides (LPS) are major components of the outer membrane of Gram-negative bacteria, making them prime targets for recognition by the immune system. [PMID:14609719, PMID:15379975]' - }, - 'GO:0001876': { - 'name': 'lipoarabinomannan binding', - 'def': 'Interacting selectively and non-covalently with lipoarabinomannan. [PMID:10586073]' - }, - 'GO:0001877': { - 'name': 'lipoarabinomannan receptor activity', - 'def': 'Combining with lipoarabinomannan and transmitting the signal to initiate a change in cell activity. [PMID:10586073]' - }, - 'GO:0001878': { - 'name': 'response to yeast', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a yeast species. [PMID:14707091]' - }, - 'GO:0001879': { - 'name': 'detection of yeast', - 'def': 'The series of events in which a stimulus from a yeast is received and converted into a molecular signal. [PMID:14707091]' - }, - 'GO:0001880': { - 'name': 'Mullerian duct regression', - 'def': 'The process in which the Mullerian ducts, primordia of the oviducts, uterus and upper vagina, undergo regression in male embryos. [GOC:dph, PMID:12368913]' - }, - 'GO:0001881': { - 'name': 'receptor recycling', - 'def': 'The process that results in the return of receptor molecules to an active state and an active cellular location after they have been stimulated by a ligand. An active state is when the receptor is ready to receive a signal. [GOC:dph]' - }, - 'GO:0001882': { - 'name': 'nucleoside binding', - 'def': 'Interacting selectively and non-covalently with a nucleoside, a compound consisting of a purine or pyrimidine nitrogenous base linked either to ribose or deoxyribose. [GOC:hjd]' - }, - 'GO:0001883': { - 'name': 'purine nucleoside binding', - 'def': 'Interacting selectively and non-covalently with a purine nucleoside, a compound consisting of a purine base linked either to ribose or deoxyribose. [GOC:hjd]' - }, - 'GO:0001884': { - 'name': 'pyrimidine nucleoside binding', - 'def': 'Interacting selectively and non-covalently with a pyrimidine nucleoside, a compound consisting of a pyrimidine base linked either to ribose or deoxyribose. [GOC:hjd]' - }, - 'GO:0001885': { - 'name': 'endothelial cell development', - 'def': 'The progression of an endothelial cell over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0001886': { - 'name': 'endothelial cell morphogenesis', - 'def': 'The change in form (cell shape and size) that occurs during the differentiation of an endothelial cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0001887': { - 'name': 'selenium compound metabolic process', - 'def': 'The chemical reactions and pathways involving compounds that contain selenium, such as selenocysteine. [PMID:12730456]' - }, - 'GO:0001888': { - 'name': 'glucuronyl-galactosyl-proteoglycan 4-alpha-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + beta-D-glucuronosyl-(1->3)-beta-D-galactosyl-(1->3)-beta-D-galactosyl-(1->4)-beta-D-xylosyl-proteoglycan = UDP + alpha-N-acetyl-D-glucosaminyl-(1->4)-beta-D-glucuronosyl-(1->3)-beta-D-galactosyl-(1->3)-beta-D-galactosyl-(1->4)-beta-D-xylosyl-proteoglycan. [EC:2.4.1.223]' - }, - 'GO:0001889': { - 'name': 'liver development', - 'def': 'The process whose specific outcome is the progression of the liver over time, from its formation to the mature structure. The liver is an exocrine gland which secretes bile and functions in metabolism of protein and carbohydrate and fat, synthesizes substances involved in the clotting of the blood, synthesizes vitamin A, detoxifies poisonous substances, stores glycogen, and breaks down worn-out erythrocytes. [GOC:add, ISBN:068340007X]' - }, - 'GO:0001890': { - 'name': 'placenta development', - 'def': 'The process whose specific outcome is the progression of the placenta over time, from its formation to the mature structure. The placenta is an organ of metabolic interchange between fetus and mother, partly of embryonic origin and partly of maternal origin. [GOC:add, ISBN:068340007X]' - }, - 'GO:0001891': { - 'name': 'phagocytic cup', - 'def': 'An invagination of the cell membrane formed by an actin dependent process during phagocytosis. Following internalization it is converted into a phagosome. [PMID:10358769]' - }, - 'GO:0001892': { - 'name': 'embryonic placenta development', - 'def': 'The embryonically driven process whose specific outcome is the progression of the placenta over time, from its formation to the mature structure. The placenta is an organ of metabolic interchange between fetus and mother, partly of embryonic origin and partly of maternal origin. [GOC:add, ISBN:068340007X]' - }, - 'GO:0001893': { - 'name': 'maternal placenta development', - 'def': 'Maternally driven process whose specific outcome is the progression of the placenta over time, from its formation to the mature structure. The placenta is an organ of metabolic interchange between fetus and mother, partly of embryonic origin and partly of maternal origin. [GOC:add, ISBN:068340007X]' - }, - 'GO:0001894': { - 'name': 'tissue homeostasis', - 'def': 'A homeostatic process involved in the maintenance of an internal steady state within a defined tissue of an organism, including control of cellular proliferation and death and control of metabolic function. [GOC:add, GOC:isa_complete]' - }, - 'GO:0001895': { - 'name': 'retina homeostasis', - 'def': 'A tissue homeostatic process involved in the maintenance of an internal equilibrium within the retina of the eye, including control of cellular proliferation and death and control of metabolic function. [GOC:add, GOC:dph, GOC:tb, PMID:15365173, PMID:15365178]' - }, - 'GO:0001896': { - 'name': 'autolysis', - 'def': 'A programmed cell death process observed in bacteria and filamentous fungi and leading to spontaneous death by lysis. Examples are lysis of the mother cell during sporulation of Bacillus subtilis and self-degradation of fungal cells in Aspergillus nidulans. Autolysis is also involved in bacterial biofilm formation. [GOC:add, GOC:jh2, GOC:mtg_apoptosis, PMID:10974124, PMID:19286987, PMID:26811896]' - }, - 'GO:0001897': { - 'name': 'cytolysis by symbiont of host cells', - 'def': 'The killing by an organism of a cell in its host organism by means of the rupture of cell membranes and the loss of cytoplasm. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:add]' - }, - 'GO:0001898': { - 'name': 'regulation of cytolysis by symbiont of host cells', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the cytolysis by that organism of cells in its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0001899': { - 'name': 'negative regulation of cytolysis by symbiont of host cells', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of cytolysis by that organism of cells in its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0001900': { - 'name': 'positive regulation of cytolysis by symbiont of host cells', - 'def': 'Any process in which an organism activates or increases the frequency, rate or extent of cytolysis by that organism of cells in its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0001905': { - 'name': 'activation of membrane attack complex', - 'def': 'The activation of the membrane attack complex components of the complement cascade which can result in death of a target cell through cytolysis. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001906': { - 'name': 'cell killing', - 'def': 'Any process in an organism that results in the killing of its own cells or those of another organism, including in some cases the death of the other organism. Killing here refers to the induction of death in one cell by another cell, not cell-autonomous death due to internal or other environmental conditions. [GOC:add]' - }, - 'GO:0001907': { - 'name': 'killing by symbiont of host cells', - 'def': 'Any process mediated by an organism that results in the death of cells in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:add]' - }, - 'GO:0001909': { - 'name': 'leukocyte mediated cytotoxicity', - 'def': 'The directed killing of a target cell by a leukocyte. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149, PMID:11911826]' - }, - 'GO:0001910': { - 'name': 'regulation of leukocyte mediated cytotoxicity', - 'def': 'Any process that modulates the frequency, rate, or extent of leukocyte mediated cytotoxicity. [GOC:add, ISBN:0781735149, PMID:11911826]' - }, - 'GO:0001911': { - 'name': 'negative regulation of leukocyte mediated cytotoxicity', - 'def': 'Any process that stops, prevents, or reduces the rate of leukocyte mediated cytotoxicity. [GOC:add, ISBN:0781735149, PMID:11911826]' - }, - 'GO:0001912': { - 'name': 'positive regulation of leukocyte mediated cytotoxicity', - 'def': 'Any process that activates or increases the frequency, rate or extent of leukocyte mediated cytotoxicity. [GOC:add, ISBN:0781735149, PMID:11911826]' - }, - 'GO:0001913': { - 'name': 'T cell mediated cytotoxicity', - 'def': 'The directed killing of a target cell by a T cell through the release of granules containing cytotoxic mediators or through the engagement of death receptors. [GOC:add, GOC:pr, ISBN:0781735149, PMID:11911826]' - }, - 'GO:0001914': { - 'name': 'regulation of T cell mediated cytotoxicity', - 'def': 'Any process that modulates the frequency, rate, or extent of T cell mediated cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001915': { - 'name': 'negative regulation of T cell mediated cytotoxicity', - 'def': 'Any process that stops, prevents, or reduces the rate of T cell mediated cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001916': { - 'name': 'positive regulation of T cell mediated cytotoxicity', - 'def': 'Any process that activates or increases the frequency, rate or extent of T cell mediated cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001917': { - 'name': 'photoreceptor inner segment', - 'def': 'The inner segment of a vertebrate photoreceptor containing mitochondria, ribosomes and membranes where opsin molecules are assembled and passed to be part of the outer segment discs. [GOC:add, PMID:12019563]' - }, - 'GO:0001918': { - 'name': 'farnesylated protein binding', - 'def': 'Interacting selectively and non-covalently with a farnesylated protein. [GOC:add, PMID:14555765]' - }, - 'GO:0001919': { - 'name': 'regulation of receptor recycling', - 'def': 'Any process that modulates the frequency, rate, or extent of receptor recycling. [GOC:add]' - }, - 'GO:0001920': { - 'name': 'negative regulation of receptor recycling', - 'def': 'Any process that stops, prevents, or reduces the rate of receptor recycling. [GOC:add]' - }, - 'GO:0001921': { - 'name': 'positive regulation of receptor recycling', - 'def': 'Any process that activates or increases the frequency, rate or extent of receptor recycling. [GOC:add]' - }, - 'GO:0001922': { - 'name': 'B-1 B cell homeostasis', - 'def': 'The process of regulating the proliferation and elimination of B cells of the B-1 subset such that the total number of B-1 B cells within a whole or part of an organism is stable over time in the absence of an outside stimulus. B-1 B cells are a distinct subset of B cells characterized as being CD5 positive, found predominantly in the peritoneum, pleural cavities, and spleen, and enriched for self-reactivity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001923': { - 'name': 'B-1 B cell differentiation', - 'def': 'The process in which a hemopoietic stem cell acquires the specialized features of a B-1 B cell. B-1 B cells are a distinct subset of B cells characterized as being CD5 positive, found predominantly in the peritoneum, pleural cavities, and spleen, and enriched for self-reactivity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001924': { - 'name': 'regulation of B-1 B cell differentiation', - 'def': 'Any process that modulates the frequency, rate, or extent of B-1 B cell differentiation. B-1 B cells are a distinct subset of B cells characterized as being CD5 positive, found predominantly in the peritoneum, pleural cavities, and spleen, and enriched for self-reactivity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001925': { - 'name': 'negative regulation of B-1 B cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the rate of B-1 B cell differentiation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001926': { - 'name': 'positive regulation of B-1 B cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of B-1 B cell differentiation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001927': { - 'name': 'exocyst assembly', - 'def': 'The aggregation, arrangement and bonding together of various polypeptides into the exocyst complex. [GOC:hjd, PMID:9700152, Wikipedia:Exocyst]' - }, - 'GO:0001928': { - 'name': 'regulation of exocyst assembly', - 'def': 'Any process that modulates the frequency, rate or extent of exocyst assembly. [GOC:hjd]' - }, - 'GO:0001929': { - 'name': 'negative regulation of exocyst assembly', - 'def': 'Any process that stops, prevents, or reduces the rate or extent of exocyst assembly. [GOC:hjd]' - }, - 'GO:0001930': { - 'name': 'positive regulation of exocyst assembly', - 'def': 'Any process that increases the rate or extent of exocyst assembly. [GOC:hjd]' - }, - 'GO:0001931': { - 'name': 'uropod', - 'def': 'A membrane projection with related cytoskeletal components at the trailing edge of a cell in the process of migrating or being activated, found on the opposite side of the cell from the leading edge or immunological synapse, respectively. [GOC:add, ISBN:0781735149, PMID:12714569, PMID:12787750]' - }, - 'GO:0001932': { - 'name': 'regulation of protein phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of addition of phosphate groups into an amino acid in a protein. [GOC:hjd]' - }, - 'GO:0001933': { - 'name': 'negative regulation of protein phosphorylation', - 'def': 'Any process that stops, prevents or reduces the rate of addition of phosphate groups to amino acids within a protein. [GOC:hjd]' - }, - 'GO:0001934': { - 'name': 'positive regulation of protein phosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of addition of phosphate groups to amino acids within a protein. [GOC:hjd]' - }, - 'GO:0001935': { - 'name': 'endothelial cell proliferation', - 'def': 'The multiplication or reproduction of endothelial cells, resulting in the expansion of a cell population. Endothelial cells are thin flattened cells which line the inside surfaces of body cavities, blood vessels, and lymph vessels, making up the endothelium. [GOC:add, ISBN:0781735149]' - }, - 'GO:0001936': { - 'name': 'regulation of endothelial cell proliferation', - 'def': 'Any process that modulates the frequency, rate, or extent of endothelial cell proliferation. [GOC:add]' - }, - 'GO:0001937': { - 'name': 'negative regulation of endothelial cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the rate or extent of endothelial cell proliferation. [GOC:add]' - }, - 'GO:0001938': { - 'name': 'positive regulation of endothelial cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of endothelial cell proliferation. [GOC:add]' - }, - 'GO:0001939': { - 'name': 'female pronucleus', - 'def': 'The pronucleus originating from the ovum that is being fertilized. [GOC:hjd, ISBN:0198506732]' - }, - 'GO:0001940': { - 'name': 'male pronucleus', - 'def': 'The pronucleus originating from the spermatozoa that was involved in fertilization. [GOC:hjd, ISBN:0198506732]' - }, - 'GO:0001941': { - 'name': 'postsynaptic membrane organization', - 'def': 'A process which results in the assembly, arrangement of constituent parts, or disassembly of a postsynaptic membrane, the specialized area of membrane facing the presynaptic membrane on the tip of the nerve ending and separated from it by a minute cleft (the synaptic cleft). [GOC:dph, GOC:pr]' - }, - 'GO:0001942': { - 'name': 'hair follicle development', - 'def': 'The process whose specific outcome is the progression of the hair follicle over time, from its formation to the mature structure. A hair follicle is a tube-like opening in the epidermis where the hair shaft develops and into which the sebaceous glands open. [GOC:dph, UBERON:0002073]' - }, - 'GO:0001944': { - 'name': 'vasculature development', - 'def': 'The process whose specific outcome is the progression of the vasculature over time, from its formation to the mature structure. The vasculature is an interconnected tubular multi-tissue structure that contains fluid that is actively transported around the organism. [GOC:dph, UBERON:0002409]' - }, - 'GO:0001945': { - 'name': 'lymph vessel development', - 'def': 'The process whose specific outcome is the progression of a lymph vessel over time, from its formation to the mature structure. [GOC:dph, UBERON:0001473]' - }, - 'GO:0001946': { - 'name': 'lymphangiogenesis', - 'def': 'Lymph vessel formation when new vessels emerge from the proliferation of pre-existing vessels. [GOC:dph, PMID:11596157]' - }, - 'GO:0001947': { - 'name': 'heart looping', - 'def': 'The tube morphogenesis process in which the primitive heart tube loops asymmetrically. This looping brings the primitive heart chambers into alignment preceding their future integration. Heart looping begins with dextral-looping and ends when the main regional divisions of the mature heart and primordium of the great arterial trunks become established preceeding septation. [GOC:dph, PMID:12094232]' - }, - 'GO:0001948': { - 'name': 'glycoprotein binding', - 'def': 'Interacting selectively and non-covalently with a glycoprotein, a protein that contains covalently bound glycose (monosaccharide) residues. These also include proteoglycans. [GOC:hjd, ISBN:0198506732]' - }, - 'GO:0001949': { - 'name': 'sebaceous gland cell differentiation', - 'def': 'The process in which a relatively unspecialized epidermal cell acquires the specialized features of a sebaceous gland cell. [GOC:mgi_curators, PMID:15737203]' - }, - 'GO:0001950': { - 'name': 'obsolete plasma membrane enriched fraction', - 'def': 'OBSOLETE: The fraction of cells, prepared by disruptive biochemical methods, that is enriched for plasma membranes. [GOC:mgi_curators, PMID:11562363, PMID:15601832]' - }, - 'GO:0001951': { - 'name': 'intestinal D-glucose absorption', - 'def': 'Uptake of D-glucose into the blood by absorption from the small intestine. [GOC:mgi_curators, PMID:5601832]' - }, - 'GO:0001952': { - 'name': 'regulation of cell-matrix adhesion', - 'def': 'Any process that modulates the frequency, rate or extent of attachment of a cell to the extracellular matrix. [GOC:hjd]' - }, - 'GO:0001953': { - 'name': 'negative regulation of cell-matrix adhesion', - 'def': 'Any process that stops, prevents, or reduces the rate or extent of cell adhesion to the extracellular matrix. [GOC:hjd]' - }, - 'GO:0001954': { - 'name': 'positive regulation of cell-matrix adhesion', - 'def': 'Any process that activates or increases the rate or extent of cell adhesion to an extracellular matrix. [GOC:hjd]' - }, - 'GO:0001955': { - 'name': 'blood vessel maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a blood vessel to attain its fully functional state. [GOC:dph]' - }, - 'GO:0001956': { - 'name': 'positive regulation of neurotransmitter secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of a neurotransmitter. [GOC:hjd]' - }, - 'GO:0001957': { - 'name': 'intramembranous ossification', - 'def': 'Direct ossification that occurs within mesenchyme or an accumulation of relatively unspecialized cells. [ISBN:0878932437]' - }, - 'GO:0001958': { - 'name': 'endochondral ossification', - 'def': 'Replacement ossification wherein bone tissue replaces cartilage. [GO_REF:0000034, ISBN:0878932437]' - }, - 'GO:0001959': { - 'name': 'regulation of cytokine-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the cytokine mediated signaling pathway. [GOC:hjd]' - }, - 'GO:0001960': { - 'name': 'negative regulation of cytokine-mediated signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the cytokine mediated signaling pathway. [GOC:hjd]' - }, - 'GO:0001961': { - 'name': 'positive regulation of cytokine-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of a cytokine mediated signaling pathway. [GOC:hjd]' - }, - 'GO:0001962': { - 'name': 'alpha-1,3-galactosyltransferase activity', - 'def': 'Catalysis of the transfer of a galactose residue from a donor molecule, such as GDP-galactose or UDP-galactose, to an oligosaccharide, forming an alpha-(1->3) linkage. [GOC:hjd, PMID:10854427]' - }, - 'GO:0001963': { - 'name': 'synaptic transmission, dopaminergic', - 'def': 'The process of communication from a neuron to another neuron across a synapse using the neurotransmitter dopamine. [GOC:dph]' - }, - 'GO:0001964': { - 'name': 'startle response', - 'def': 'An action or movement due to the application of a sudden unexpected stimulus. [GOC:dph]' - }, - 'GO:0001965': { - 'name': 'G-protein alpha-subunit binding', - 'def': 'Interacting selectively and non-covalently with a G-protein alpha subunit. The alpha subunit binds a guanine nucleotide. [GOC:hjd]' - }, - 'GO:0001966': { - 'name': 'thigmotaxis', - 'def': 'The directed movement of a motile cell or organism in response to touch. [GOC:dph]' - }, - 'GO:0001967': { - 'name': 'suckling behavior', - 'def': 'Specific behavior of a newborn or infant mammal that results in the derivation of nourishment from the breast. [GOC:dph, GOC:pr]' - }, - 'GO:0001968': { - 'name': 'fibronectin binding', - 'def': 'Interacting selectively and non-covalently with a fibronectin, a group of related adhesive glycoproteins of high molecular weight found on the surface of animal cells, connective tissue matrices, and in extracellular fluids. [GOC:hjd]' - }, - 'GO:0001969': { - 'name': 'regulation of activation of membrane attack complex', - 'def': 'Any process that modulates the frequency, rate or extent of the activation of the membrane attack complex components of the complement cascade. [GOC:hjd]' - }, - 'GO:0001970': { - 'name': 'positive regulation of activation of membrane attack complex', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the activation of the membrane attack complex components of the complement cascade. [GOC:hjd]' - }, - 'GO:0001971': { - 'name': 'negative regulation of activation of membrane attack complex', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the activation of the membrane attack complex components of the complement cascade. [GOC:hjd]' - }, - 'GO:0001972': { - 'name': 'retinoic acid binding', - 'def': 'Interacting selectively and non-covalently with retinoic acid, 3,7-dimethyl-9-(2,6,-trimethyl-1-cyclohexen-1-yl)-2,4,6,8-nonatetraenoic acid. [GOC:hjd]' - }, - 'GO:0001973': { - 'name': 'adenosine receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a receptor binding to extracellular adenosine and transmitting the signal to a heterotrimeric G-protein complex to initiate a change in cell activity. [GOC:dph]' - }, - 'GO:0001974': { - 'name': 'blood vessel remodeling', - 'def': 'The reorganization or renovation of existing blood vessels. [GOC:hjd]' - }, - 'GO:0001975': { - 'name': 'response to amphetamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amphetamine stimulus. Amphetamines consist of a group of compounds related to alpha-methylphenethylamine. [CHEBI:2679, GOC:dph, GOC:ef]' - }, - 'GO:0001976': { - 'name': 'neurological system process involved in regulation of systemic arterial blood pressure', - 'def': 'The regulation of blood pressure mediated by detection of stimuli and a neurological response. [GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0001977': { - 'name': 'renal system process involved in regulation of blood volume', - 'def': 'A slow mechanism of blood pressure regulation that responds to changes in pressure resulting from fluid and salt intake by modulating the quantity of blood in the circulatory system. [GOC:dph, GOC:tb, ISBN:0721643949]' - }, - 'GO:0001978': { - 'name': 'regulation of systemic arterial blood pressure by carotid sinus baroreceptor feedback', - 'def': 'The process that modulates blood pressure by sensing the amount of stretch occurring in large arteries and responding to the input via central nervous system control. [GOC:dph, GOC:tb, ISBN:0721643949]' - }, - 'GO:0001979': { - 'name': 'regulation of systemic arterial blood pressure by chemoreceptor signaling', - 'def': 'The process that modulates blood pressure by the action of chemoreceptors found in the carotid and aortic bodies and their resultant modulation of the vasomotor center. Chemoreceptors respond to oxygen, carbon dioxide and hydrogen ions. [GOC:dph, GOC:tb, ISBN:0721643949]' - }, - 'GO:0001980': { - 'name': 'regulation of systemic arterial blood pressure by ischemic conditions', - 'def': 'The process that modulates blood pressure by the detection of carbon dioxide levels in the brain stem. Increased levels activate the sympathetic vasoconstrictor mechanism increasing the force with which blood flows through the circulatory system. [GOC:dph, GOC:tb, ISBN:0721643949]' - }, - 'GO:0001981': { - 'name': 'baroreceptor detection of arterial stretch', - 'def': 'The series of events by which the change in diameter of an artery is detected and converted to a molecular signal. [GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0001982': { - 'name': 'baroreceptor response to decreased systemic arterial blood pressure', - 'def': 'The lowering of the number of nerve impulses from baroreceptors as a result of decreased stretch of an artery that results in an increased in sympathetic nerve impulses to peripheral blood vessels. [GOC:dph, GOC:mtg_cardio, ISBN:0323031951, ISBN:0721643949]' - }, - 'GO:0001983': { - 'name': 'baroreceptor response to increased systemic arterial blood pressure', - 'def': 'The increase in nerve impulses from baroreceptors as a result of increased pressure on an artery that results in an inhibition of sympathetic nerve impulses to peripheral blood vessels. [GOC:mtg_cardio, ISBN:0323031951, ISBN:0721643949]' - }, - 'GO:0001984': { - 'name': 'artery vasodilation involved in baroreceptor response to increased systemic arterial blood pressure', - 'def': 'An increase in the internal diameter of an artery, triggered by vasomotor suppression, during the chemoreceptor response to decreased blood pressure. [ISBN:0721643949]' - }, - 'GO:0001985': { - 'name': 'negative regulation of heart rate involved in baroreceptor response to increased systemic arterial blood pressure', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of heart contraction as a result of the baroreceptor response to increased blood pressure. [ISBN:0721643949]' - }, - 'GO:0001986': { - 'name': 'negative regulation of the force of heart contraction involved in baroreceptor response to increased systemic arterial blood pressure', - 'def': 'Any process that decreases the force with which the cardiac muscles of the heart pump blood through the circulatory system as a result of the baroreceptor response to increased blood pressure. [GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0001987': { - 'name': 'vasoconstriction of artery involved in baroreceptor response to lowering of systemic arterial blood pressure', - 'def': 'A process that is triggered by vasomotor excitation and results in a decrease in the diameter of an artery during the baroreceptor response to decreased blood pressure. [ISBN:0721643949]' - }, - 'GO:0001988': { - 'name': 'positive regulation of heart rate involved in baroreceptor response to decreased systemic arterial blood pressure', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of heart contraction as a result of the baroreceptor response to decreased blood pressure. [ISBN:0721643949]' - }, - 'GO:0001989': { - 'name': 'positive regulation of the force of heart contraction involved in baroreceptor response to decreased systemic arterial blood pressure', - 'def': 'Any process that increases the force with which the cardiac muscles of the heart pump blood through the circulatory system as part of the baroreceptor response to decreased blood pressure. [ISBN:0721643949]' - }, - 'GO:0001990': { - 'name': 'regulation of systemic arterial blood pressure by hormone', - 'def': 'The process in which hormones modulate the force with which blood passes through the circulatory system. A hormone is one of a group of substances formed in very small amounts in one specialized organ or group of cells and carried (sometimes in the bloodstream) to another organ or group of cells, in the same organism, upon which they have a specific regulatory action. [GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0001991': { - 'name': 'regulation of systemic arterial blood pressure by circulatory renin-angiotensin', - 'def': 'The process in which angiotensinogen metabolites in the bloodstream modulate the force with which blood passes through the circulatory system. The process begins when renin is released and cleaves angiotensinogen. [ISBN:0721643949]' - }, - 'GO:0001992': { - 'name': 'regulation of systemic arterial blood pressure by vasopressin', - 'def': 'The regulation of blood pressure mediated by the signaling molecule vasopressin. Vasopressin is produced in the hypothalamus, and affects vasoconstriction, and renal water transport. [GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0001993': { - 'name': 'regulation of systemic arterial blood pressure by norepinephrine-epinephrine', - 'def': 'The process in which the secretion of norepinephrine or epinephrine into the bloodstream modulates the force with which blood passes through the circulatory system. [ISBN:0721643949]' - }, - 'GO:0001994': { - 'name': 'norepinephrine-epinephrine vasoconstriction involved in regulation of systemic arterial blood pressure', - 'def': 'A process that results in a decrease in the diameter of an artery during the norepinephrine-epinephrine response to decreased blood pressure. [GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0001995': { - 'name': 'norepinephrine-epinephrine catabolic process in blood stream', - 'def': 'The chemical reactions and pathways resulting in the breakdown of norepinephrine or epinephrine in the bloodstream. [GOC:hjd]' - }, - 'GO:0001996': { - 'name': 'positive regulation of heart rate by epinephrine-norepinephrine', - 'def': 'The process in which the presence of epinephrine or norepinephrine in the bloodstream activates, maintains or increases the rate of heart contraction. [GOC:dph]' - }, - 'GO:0001997': { - 'name': 'positive regulation of the force of heart contraction by epinephrine-norepinephrine', - 'def': 'Any process that increases the force with which the cardiac muscles of the heart pump blood through the circulatory system as a result of the presence of epinephrine or norepinephrine in the bloodstream or released from the nerve endings. [GOC:dph, GOC:mtg_cardio]' - }, - 'GO:0001998': { - 'name': 'angiotensin-mediated vasoconstriction involved in regulation of systemic arterial blood pressure', - 'def': 'The decrease in blood vessel diameter as a result of the release of angiotensin into the blood stream. [GOC:mtg_cardio, GOC:pr, ISBN:0721643949]' - }, - 'GO:0001999': { - 'name': 'renal response to blood flow involved in circulatory renin-angiotensin regulation of systemic arterial blood pressure', - 'def': 'The physiological response of the kidneys to a decrease in blood flow. [GOC:dph]' - }, - 'GO:0002000': { - 'name': 'detection of renal blood flow', - 'def': 'The process in which the juxtaglomerular cells of the kidneys receive information about the amount of blood flowing through the arterioles and converts the information to a molecular signal. [ISBN:0721643949]' - }, - 'GO:0002001': { - 'name': 'renin secretion into blood stream', - 'def': 'The regulated release of renin into the blood stream by juxtoglomerular cells. [ISBN:0721643949]' - }, - 'GO:0002002': { - 'name': 'regulation of angiotensin levels in blood', - 'def': 'The process that modulates the level of angiotensin in the blood by balancing the maturation of renin substrate to mature angiotensin and the catabolism of mature angiotensin. [GOC:dph]' - }, - 'GO:0002003': { - 'name': 'angiotensin maturation', - 'def': 'The process leading to the attainment of the full functional capacity of angiotensin by conversion of renin substrate into mature angiotensin in the blood. [ISBN:0721643949]' - }, - 'GO:0002004': { - 'name': 'secretion of vasopressin involved in fast regulation of systemic arterial blood pressure', - 'def': 'The regulated release of the hormone vasopressin into the blood stream by the hypothalamus and pituitary gland contributing to fast regulation of blood pressure. [ISBN:0721643949]' - }, - 'GO:0002005': { - 'name': 'angiotensin catabolic process in blood', - 'def': 'The chemical reactions and pathways resulting in the breakdown of angiotensin in the blood. [ISBN:0721643949]' - }, - 'GO:0002006': { - 'name': 'vasoconstriction by vasopressin involved in systemic arterial blood pressure control', - 'def': 'The decrease in blood vessel diameter as a result of the release of vasopressin into the blood stream. [GOC:dph, GOC:mtg_cardio, GOC:tb, ISBN:0721643949]' - }, - 'GO:0002007': { - 'name': 'detection of hypoxic conditions in blood by chemoreceptor signaling', - 'def': 'The process in which information about a lack of oxygen are received and are converted to a molecular signal by chemoreceptors in the carotid bodies and the aortic bodies. [GOC:dph]' - }, - 'GO:0002008': { - 'name': 'excitation of vasomotor center by chemoreceptor signaling', - 'def': 'The process in which the molecular signal from the carotid and aortic bodies is relayed to the vasomotor center, causing it to signal an increase arterial pressure. [GOC:dph]' - }, - 'GO:0002009': { - 'name': 'morphogenesis of an epithelium', - 'def': 'The process in which the anatomical structures of epithelia are generated and organized. An epithelium consists of closely packed cells arranged in one or more layers, that covers the outer surfaces of the body or lines any internal cavity or tube. [GOC:dph, GOC:jl, GOC:tb, ISBN:0198506732]' - }, - 'GO:0002010': { - 'name': 'excitation of vasomotor center by baroreceptor signaling', - 'def': 'The process in which the molecular signal from the arterial baroreceptors is relayed to the vasomotor center causing it to signal increase arterial pressure. [GOC:dph]' - }, - 'GO:0002011': { - 'name': 'morphogenesis of an epithelial sheet', - 'def': 'The process in which the anatomical structures of an epithelial sheet are generated and organized. An epithelial sheet is a flat surface consisting of closely packed epithelial cells. [GOC:jl]' - }, - 'GO:0002012': { - 'name': 'vasoconstriction of artery involved in chemoreceptor response to lowering of systemic arterial blood pressure', - 'def': 'A process that is triggered by vasomotor excitation and results in a decrease in the diameter of an artery during the chemoreceptor response to decreased blood pressure. [GOC:dph, GOC:mtg_cardio]' - }, - 'GO:0002013': { - 'name': 'detection of carbon dioxide by vasomotor center', - 'def': 'The process by a carbon dioxide stimulus is received and converted to a molecular signal by the vasomotor center of the central nervous system. [ISBN:0721643949]' - }, - 'GO:0002014': { - 'name': 'vasoconstriction of artery involved in ischemic response to lowering of systemic arterial blood pressure', - 'def': 'The vasoconstriction that is triggered by vasomotor excitation resulting from the detection of high carbon dioxide levels in the vasomotor center of the central nervous system. [GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0002015': { - 'name': 'regulation of systemic arterial blood pressure by atrial baroreceptor feedback', - 'def': 'A process that controls blood pressure by sensing the amount of stretch occurring in the atria. [GOC:dph, GOC:tb]' - }, - 'GO:0002016': { - 'name': 'regulation of blood volume by renin-angiotensin', - 'def': 'The process in which the renin-angiotensin system controls the rate of fluid intake and output into the blood. [GOC:dph, GOC:mtg_cardio, GOC:tb, ISBN:0721643949]' - }, - 'GO:0002017': { - 'name': 'regulation of blood volume by renal aldosterone', - 'def': 'The process in which the hormone aldosterone decreases the rate of diuresis and natriuresis resulting in increased blood volume. [GOC:dph, GOC:tb, ISBN:0721643949]' - }, - 'GO:0002018': { - 'name': 'renin-angiotensin regulation of aldosterone production', - 'def': 'The process in which an increase in active angiotensin stimulates the adrenal cortices to secrete aldosterone. [ISBN:0721643949]' - }, - 'GO:0002019': { - 'name': 'regulation of renal output by angiotensin', - 'def': 'The process in which angiotensin directly modulates the rate of urine output by the kidney. [GOC:dph, GOC:mtg_cardio, GOC:tb, ISBN:0721643949]' - }, - 'GO:0002020': { - 'name': 'protease binding', - 'def': 'Interacting selectively and non-covalently with any protease or peptidase. [GOC:hjd]' - }, - 'GO:0002021': { - 'name': 'response to dietary excess', - 'def': 'The physiological process in which dietary excess is sensed by the central nervous system, resulting in a reduction in food intake and increased energy expenditure. [GOC:pg, GOC:pr, PMID:12161655]' - }, - 'GO:0002022': { - 'name': 'detection of dietary excess', - 'def': 'The neurological process in which the brain senses excessive caloric intake. [PMID:12161655]' - }, - 'GO:0002023': { - 'name': 'reduction of food intake in response to dietary excess', - 'def': 'An eating behavior process whereby detection of a dietary excess results in a decrease in intake of nutrients. [GOC:pg, GOC:pr, PMID:12161655, PMID:12840200]' - }, - 'GO:0002024': { - 'name': 'diet induced thermogenesis', - 'def': 'The process that results in increased metabolic rate in tissues of an organism. It is triggered by the detection of dietary excess. This process is achieved via signalling in the sympathetic nervous system. [PMID:12161655]' - }, - 'GO:0002025': { - 'name': 'norepinephrine-epinephrine-mediated vasodilation involved in regulation of systemic arterial blood pressure', - 'def': 'A process that results in an increase in the diameter of an artery during the norepinephrine-epinephrine response to blood pressure change. [GOC:mtg_cardio, PMID:10358008]' - }, - 'GO:0002026': { - 'name': 'regulation of the force of heart contraction', - 'def': 'Any process that modulates the extent of heart contraction, changing the force with which blood is propelled. [GOC:dph, GOC:tb, PMID:10358008]' - }, - 'GO:0002027': { - 'name': 'regulation of heart rate', - 'def': 'Any process that modulates the frequency or rate of heart contraction. [GOC:dph, GOC:tb, PMID:10358008]' - }, - 'GO:0002028': { - 'name': 'regulation of sodium ion transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of sodium ions (Na+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph]' - }, - 'GO:0002029': { - 'name': 'desensitization of G-protein coupled receptor protein signaling pathway', - 'def': 'The process that stops, prevents, or reduces the frequency, rate or extent of G-protein coupled receptor protein signaling pathway activity after prolonged stimulation with an agonist of the pathway. [PMID:8396717]' - }, - 'GO:0002030': { - 'name': 'inhibitory G-protein coupled receptor phosphorylation', - 'def': 'The process that inhibits the signaling function of a G-protein coupled receptor by addition of a phosphate group to its third intracellular loop consensus site. [PMID:8396717]' - }, - 'GO:0002031': { - 'name': 'G-protein coupled receptor internalization', - 'def': 'The process that results in the uptake of a G-protein coupled receptor into an endocytic vesicle. [PMID:8396717]' - }, - 'GO:0002032': { - 'name': 'desensitization of G-protein coupled receptor protein signaling pathway by arrestin', - 'def': 'The process that inhibits the signaling function of a G-protein coupled receptor by uncoupling the receptor from its downstream G proteins. [GOC:dph, GOC:tb, PMID:8396717]' - }, - 'GO:0002033': { - 'name': 'angiotensin-mediated vasodilation involved in regulation of systemic arterial blood pressure', - 'def': 'The process that increases the diameter of a blood vessel via the renin-angiotensin system. [GOC:pr, ISBN:0323031951, PMID:10425188]' - }, - 'GO:0002034': { - 'name': 'regulation of blood vessel diameter by renin-angiotensin', - 'def': 'The process in which the diameter of a blood vessel is changed due to activity of the renin-angiotensin system. [GOC:dph, GOC:pr, GOC:tb]' - }, - 'GO:0002035': { - 'name': 'brain renin-angiotensin system', - 'def': 'The process in which an angiotensin-mediated signaling system present in the brain regulates the force with which blood passes through the circulatory system. [PMID:2909574]' - }, - 'GO:0002036': { - 'name': 'regulation of L-glutamate transport', - 'def': 'Any process that modulates the frequency, rate or extent of L-glutamate transport. [GOC:hjd]' - }, - 'GO:0002037': { - 'name': 'negative regulation of L-glutamate transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of L-glutamate transport. [GOC:hjd]' - }, - 'GO:0002038': { - 'name': 'positive regulation of L-glutamate transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-glutamate transport. [GOC:hjd]' - }, - 'GO:0002039': { - 'name': 'p53 binding', - 'def': 'Interacting selectively and non-covalently with one of the p53 family of proteins. [GOC:hjd]' - }, - 'GO:0002040': { - 'name': 'sprouting angiogenesis', - 'def': 'The extension of new blood vessels from existing capillaries into avascular tissues resulting from the proliferation of blood vessel endothelial cells. [PMID:16391003]' - }, - 'GO:0002041': { - 'name': 'intussusceptive angiogenesis', - 'def': 'The formation of new blood vessels as a result of the insertion and extension of lumenal tissue pillars. [PMID:16391003]' - }, - 'GO:0002042': { - 'name': 'cell migration involved in sprouting angiogenesis', - 'def': 'The orderly movement of endothelial cells into the extracellular matrix in order to form new blood vessels involved in sprouting angiogenesis. [PMID:16391003]' - }, - 'GO:0002043': { - 'name': 'blood vessel endothelial cell proliferation involved in sprouting angiogenesis', - 'def': 'The multiplication or reproduction of blood vessel endothelial cells, resulting in the expansion of a cell population contributing to sprouting angiogenesis. [GOC:dph, GOC:tb, PMID:16391003]' - }, - 'GO:0002044': { - 'name': 'blood vessel endothelial cell migration involved in intussusceptive angiogenesis', - 'def': 'The orderly movement of endothelial cells into the extracellular matrix in order to form new blood vessels during intussusceptive angiogenesis. [PMID:16391003]' - }, - 'GO:0002045': { - 'name': 'regulation of cell adhesion involved in intussusceptive angiogenesis', - 'def': 'The process that modulates the frequency, rate or extent of attachment of a blood vessel endothelial cell to another cell or to the extracellular matrix involved in intussusceptive angiogenesis. [PMID:16391003]' - }, - 'GO:0002046': { - 'name': 'opsin binding', - 'def': 'Interacting selectively and non-covalently with an opsin, any of a group of hydrophobic, integral membrane glycoproteins located primarily in the disc membrane of rods or cones, involved in photoreception. [GOC:hjd]' - }, - 'GO:0002047': { - 'name': 'phenazine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a phenazine antibiotic, a polycyclic pyrazine with two nitrogen atoms in the ring. [GOC:dph]' - }, - 'GO:0002048': { - 'name': 'pyoverdine metabolic process', - 'def': 'The chemical reactions and pathways involving the siderochrome pyoverdine. [PMID:15317763]' - }, - 'GO:0002049': { - 'name': 'pyoverdine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the siderochrome pyoverdine. [PMID:15317763]' - }, - 'GO:0002050': { - 'name': 'pyoverdine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the siderochrome pyoverdine. [PMID:15317763]' - }, - 'GO:0002051': { - 'name': 'osteoblast fate commitment', - 'def': 'The commitment of mesenchymal cells to the specific cell fate of an osteoblast. An osteoblast is a bone-forming cell which secretes an extracellular matrix. Hydroxyapatite crystals are then deposited into the matrix to form bone. [GOC:dph]' - }, - 'GO:0002052': { - 'name': 'positive regulation of neuroblast proliferation', - 'def': 'Any process that activates or increases the rate of neuroblast proliferation. [GOC:dph]' - }, - 'GO:0002053': { - 'name': 'positive regulation of mesenchymal cell proliferation', - 'def': 'The process of activating or increasing the rate or extent of mesenchymal cell proliferation. Mesenchymal cells are loosely organized embryonic cells. [GOC:dph]' - }, - 'GO:0002054': { - 'name': 'nucleobase binding', - 'def': 'Interacting selectively and non-covalently with a nucleobase, any of a class of pyrmidines or purines, organic nitrogenous bases. [GOC:hjd]' - }, - 'GO:0002055': { - 'name': 'adenine binding', - 'def': 'Interacting selectively and non-covalently with adenine, a purine base. [GOC:hjd]' - }, - 'GO:0002056': { - 'name': 'cytosine binding', - 'def': 'Interacting selectively and non-covalently with cytosine. [GOC:hjd, GOC:vw]' - }, - 'GO:0002057': { - 'name': 'guanine binding', - 'def': 'Interacting selectively and non-covalently with guanine. [GOC:hjd]' - }, - 'GO:0002058': { - 'name': 'uracil binding', - 'def': 'Interacting selectively and non-covalently with uracil. [GOC:hjd]' - }, - 'GO:0002059': { - 'name': 'thymine binding', - 'def': 'Interacting selectively and non-covalently with thymine. [GOC:hjd]' - }, - 'GO:0002060': { - 'name': 'purine nucleobase binding', - 'def': 'Interacting selectively and non-covalently with a purine nucleobase, an organic nitrogenous base with a purine skeleton. [CHEBI:26386, GOC:hjd]' - }, - 'GO:0002061': { - 'name': 'pyrimidine nucleobase binding', - 'def': 'Interacting selectively and non-covalently with a pyrimidine nucleobase, an organic nitrogenous base with a pyrimidine skeleton. [CHEBI:26432, GOC:hjd]' - }, - 'GO:0002062': { - 'name': 'chondrocyte differentiation', - 'def': 'The process in which a chondroblast acquires specialized structural and/or functional features of a chondrocyte. A chondrocyte is a polymorphic cell that forms cartilage. [GOC:dph]' - }, - 'GO:0002063': { - 'name': 'chondrocyte development', - 'def': 'The process whose specific outcome is the progression of a chondrocyte over time, from its commitment to its mature state. Chondrocyte development does not include the steps involved in committing a chondroblast to a chondrocyte fate. [GOC:dph]' - }, - 'GO:0002064': { - 'name': 'epithelial cell development', - 'def': 'The process whose specific outcome is the progression of an epithelial cell over time, from its formation to the mature structure. An epithelial cell is a cell usually found in a two-dimensional sheet with a free surface. [GOC:dph]' - }, - 'GO:0002065': { - 'name': 'columnar/cuboidal epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a columnar/cuboidal epithelial cell. A columnar/cuboidal epithelial cell is a cell usually found in a two dimensional sheet with a free surface. Columnar/cuboidal epithelial cells take on the shape of a column or cube. [GOC:dph]' - }, - 'GO:0002066': { - 'name': 'columnar/cuboidal epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a columnar/cuboidal epithelial cell over time, from its formation to the mature structure. A columnar/cuboidal epithelial cell is a cell usually found in a two dimensional sheet with a free surface. Columnar/cuboidal epithelial cells take on the shape of a column or cube. [GOC:dph]' - }, - 'GO:0002067': { - 'name': 'glandular epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a glandular epithelial cell. A glandular epithelial cell is a columnar/cuboidal epithelial cell found in a two dimensional sheet with a free surface exposed to the lumen of a gland. [GOC:dph]' - }, - 'GO:0002068': { - 'name': 'glandular epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a glandular epithelial cell over time, from its formation to the mature structure. A glandular epithelial cell is a columnar/cuboidal epithelial cell is a cell found in a two dimensional sheet with a free surface exposed to the lumen of a gland. [GOC:dph]' - }, - 'GO:0002069': { - 'name': 'columnar/cuboidal epithelial cell maturation', - 'def': 'The developmental process, independent of morphogenetic (shape) change, that is required for a columna/cuboidal epithelial cell to attain its fully functional state. A columnar/cuboidal epithelial cell is a cell usually found in a two dimensional sheet with a free surface. Columnar/cuboidal epithelial cells take on the shape of a column or cube. [GOC:dph]' - }, - 'GO:0002070': { - 'name': 'epithelial cell maturation', - 'def': 'The developmental process, independent of morphogenetic (shape) change, that is required for an epithelial cell to attain its fully functional state. An epithelial cell is a cell usually found in a two-dimensional sheet with a free surface. [GOC:dph]' - }, - 'GO:0002071': { - 'name': 'glandular epithelial cell maturation', - 'def': 'The developmental process, independent of morphogenetic (shape) change, that is required for a glandular epithelial cell to attain its fully functional state. A glandular epithelial cell is a columnar/cuboidal epithelial cell is a cell found in a two dimensional sheet with a free surface exposed to the lumen of a gland. [GOC:dph]' - }, - 'GO:0002072': { - 'name': 'optic cup morphogenesis involved in camera-type eye development', - 'def': 'The invagination of the optic vesicle to form two-walled indentations, the optic cups, that will go on to form the retina. This process begins with the optic vesicle becoming a two-walled structure and its subsequent shape changes. It does not include the fate commitment of cells to become the pigmented retina and the neural retina. An example of this process is found in Mus musculus. [GOC:dph, GOC:mtg_sensu, GOC:sdb_2009, GOC:tb, ISBN:0878932437]' - }, - 'GO:0002074': { - 'name': 'extraocular skeletal muscle development', - 'def': 'The process whose specific outcome is the progression of the extraocular skeletal muscle over time, from its formation to the mature structure. The extraocular muscle is derived from cranial mesoderm and controls eye movements. The muscle begins its development with the differentiation of the muscle cells and ends with the mature muscle. An example of this process is found in Mus musculus. [GOC:dph, GOC:mtg_muscle, GOC:mtg_sensu, MA:0001271, PMID:16638982]' - }, - 'GO:0002075': { - 'name': 'somitomeric trunk muscle development', - 'def': 'The process whose specific outcome is the progression of the somitomeric trunk muscle over time, from its formation to the mature structure. The somitomeric trunk muscle is derived from somitomeric mesoderm. The muscle begins its development with the differentiation of the muscle cells and ends with the mature muscle. An example of this process is found in Mus musculus. [GOC:dph, PMID:16638982]' - }, - 'GO:0002076': { - 'name': 'osteoblast development', - 'def': 'The process whose specific outcome is the progression of an osteoblast over time, from its formation to the mature structure. Osteoblast development does not include the steps involved in committing a cranial neural crest cell or an osteoprogenitor cell to an osteoblast fate. An osteoblast is a cell that gives rise to bone. [GOC:dph]' - }, - 'GO:0002077': { - 'name': 'acrosome matrix dispersal', - 'def': 'The proteolytic digestion of components in the acrosomal matrix that allows for their release into the egg. The dispersal of the components allows for the inner acrosomal membrane to interact with the egg. [GOC:dph, PMID:3886029]' - }, - 'GO:0002078': { - 'name': 'membrane fusion involved in acrosome reaction', - 'def': 'The fusion of the plasma membrane of the sperm with the outer acrosomal membrane. [GOC:dph, PMID:3886029]' - }, - 'GO:0002079': { - 'name': 'inner acrosomal membrane', - 'def': 'The acrosomal membrane region that underlies the acrosomal vesicle and is located toward the sperm nucleus. This region is responsible for molecular interactions allowing the sperm to penetrate the zona pellucida and fuses with the egg plasma membrane. [GOC:dph, PMID:3899643, PMID:8936405]' - }, - 'GO:0002080': { - 'name': 'acrosomal membrane', - 'def': 'The membrane that surrounds the acrosomal lumen. The acrosome is a special type of lysosome in the head of a spermatozoon that contains acid hydrolases and is concerned with the breakdown of the outer membrane of the ovum during fertilization. [GOC:dph]' - }, - 'GO:0002081': { - 'name': 'outer acrosomal membrane', - 'def': 'The acrosomal membrane region that underlies the plasma membrane of the sperm. This membrane fuses with the sperm plasma membrane as part of the acrosome reaction. [GOC:dph, PMID:8936405]' - }, - 'GO:0002082': { - 'name': 'regulation of oxidative phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the phosphorylation of ADP to ATP that accompanies the oxidation of a metabolite through the operation of the respiratory chain. Oxidation of compounds establishes a proton gradient across the membrane, providing the energy for ATP synthesis. [GOC:dph]' - }, - 'GO:0002083': { - 'name': '4-hydroxybenzoate decaprenyltransferase activity', - 'def': 'Catalysis of the reaction: all-trans-decaprenyl diphosphate + 4-hydroxybenzoate = 3-decaprenyl-4-hydroxybenzoate + diphosphate. [MetaCyc:RXN-9230]' - }, - 'GO:0002084': { - 'name': 'protein depalmitoylation', - 'def': 'The removal of palymitoyl groups from a lipoprotein. [GOC:hjd]' - }, - 'GO:0002085': { - 'name': 'inhibition of neuroepithelial cell differentiation', - 'def': 'Any process that prevents the activation of neuroepithelial cell differentiation. Neuroepithelial cell differentiation is the process in which epiblast cells acquire specialized features of neuroepithelial cells. [GOC:dph, PMID:16678814]' - }, - 'GO:0002086': { - 'name': 'diaphragm contraction', - 'def': 'A process in which force is generated within involuntary skeletal muscle tissue, resulting in a change in muscle geometry. This process occurs in the diaphragm. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The diaphragm is a striated muscle that is necessary for the process of respiratory gaseous exchange. [GOC:dph, GOC:mtg_muscle, PMID:12458206]' - }, - 'GO:0002087': { - 'name': 'regulation of respiratory gaseous exchange by neurological system process', - 'def': 'A process carried out by the nervous system that is required for the proper control of respiratory gaseous exchange. This process occurs in the respiratory center of the brain in vertebrates. [GOC:dph, GOC:tb, PMID:12458206]' - }, - 'GO:0002088': { - 'name': 'lens development in camera-type eye', - 'def': 'The process whose specific outcome is the progression of the lens over time, from its formation to the mature structure. The lens is a transparent structure in the eye through which light is focused onto the retina. An example of this process is found in Mus musculus. [GOC:dph, ISBN:0582064333]' - }, - 'GO:0002089': { - 'name': 'lens morphogenesis in camera-type eye', - 'def': 'The process in which the anatomical structures of the lens are generated and organized. The lens is a transparent structure in the eye through which light is focused onto the retina. An example of this process is found in Mus musculus. [GOC:dph, GOC:mtg_sensu]' - }, - 'GO:0002090': { - 'name': 'regulation of receptor internalization', - 'def': 'Any process that modulates the frequency, rate or extent of receptor internalization. [GOC:hjd]' - }, - 'GO:0002091': { - 'name': 'negative regulation of receptor internalization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of receptor internalization. [GOC:hjd]' - }, - 'GO:0002092': { - 'name': 'positive regulation of receptor internalization', - 'def': 'Any process that activates or increases the frequency, rate or extent of receptor internalization. [GOC:hjd]' - }, - 'GO:0002093': { - 'name': 'auditory receptor cell morphogenesis', - 'def': 'Any process that alters the size or shape of an auditory receptor cell. [GOC:dph, GOC:tb]' - }, - 'GO:0002094': { - 'name': 'polyprenyltransferase activity', - 'def': 'Catalysis of the transfer of multiple prenyl groups from one compound (donor) to another (acceptor). [GOC:hjd]' - }, - 'GO:0002095': { - 'name': 'caveolar macromolecular signaling complex', - 'def': 'A complex composed of proteins required for beta adrenergic receptor activation of protein kinase A. It includes the Cav 12. subunit of L-type calcium channel, protein kinase A regulatory subunit 2(PKAR2), adenyl cyclase, beta-adrenergic receptor, G-alpha-S, protein phosphatase 2A (PP2A) and caveolin 3 (CAV3). [PMID:16648270]' - }, - 'GO:0002096': { - 'name': 'polkadots', - 'def': 'A punctate, filamentous structure composed of Bcl10 that appears in the cytoplasm of T-cells shortly after T-cell receptor stimulation. Polkadots stands for Punctate Oligomeric Killing and Activating DOmains Transducing Signals. [PMID:14724296, PMID:16495340]' - }, - 'GO:0002097': { - 'name': 'tRNA wobble base modification', - 'def': 'The process in which the nucleotide at position 34 in the anticodon of a tRNA is post-transcriptionally modified. [GOC:hjd, ISBN:155581073X]' - }, - 'GO:0002098': { - 'name': 'tRNA wobble uridine modification', - 'def': 'The process in which a uridine in position 34 of a tRNA is post-transcriptionally modified. [GOC:hjd, ISBN:155581073X]' - }, - 'GO:0002099': { - 'name': 'tRNA wobble guanine modification', - 'def': 'The process in which a guanine in t position 34 of a tRNA is post-transcriptionally modified. [GOC:hjd, ISBN:155581073X]' - }, - 'GO:0002100': { - 'name': 'tRNA wobble adenosine to inosine editing', - 'def': 'The process in which an adenosine in position 34 of a tRNA is post-transcriptionally converted to inosine. [GOC:hjd, ISBN:155581073X]' - }, - 'GO:0002101': { - 'name': 'tRNA wobble cytosine modification', - 'def': 'The process in which a cytosine in position 34 of a tRNA is post-transcriptionally modified. [GOC:hjd, ISBN:155581073X]' - }, - 'GO:0002102': { - 'name': 'podosome', - 'def': 'An actin-rich adhesion structure characterized by formation upon cell substrate contact and localization at the substrate-attached part of the cell, contain an F-actin-rich core surrounded by a ring structure containing proteins such as vinculin and talin, and have a diameter of 0.5 mm. [PMID:12837608, PMID:15890982]' - }, - 'GO:0002103': { - 'name': 'endonucleolytic cleavage of tetracistronic rRNA transcript (SSU-rRNA, LSU-rRNA, 4.5S-rRNA, 5S-rRNA)', - 'def': "Endonucleolytic cleavage of a pre-rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, Large Subunit (LSU) the 4.5S rRNA, and the 5S rRNA in that order from 5' to 3' along the primary transcript. Primary ribosomal RNA transcripts with four genes, in this order, are produced in the chloroplasts of vascular plants. Note that the use of the word tetracistronic refers only to the number of mature rRNA molecules which will be produced from the primary transcript and ignores tRNAs that may also be present within the primary transcript. [GOC:curators]" - }, - 'GO:0002104': { - 'name': 'endonucleolytic cleaveage between 4.5S rRNA and 5S rRNA of tetracistronic rRNA transcript (SSU-rRNA, LSU-rRNA, 4.5S-rRNA, 5S-rRNA)', - 'def': "Endonucleolytic cleavage between the 5S rRNA and the 4.5S rRNA of an rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, Large Subunit (LSU) the 4.5S rRNA, and the 5S rRNA in that order from 5' to 3' along the primary transcript. Note that the use of the word tetracistronic refers only to the number of mature rRNA molecules which will be produced from the primary transcript and ignores tRNAs that may also be present within the primary transcript. [GOC:curators]" - }, - 'GO:0002105': { - 'name': 'endonucleolytic cleaveage between LSU-rRNA and 4.5S rRNA of tetracistronic rRNA transcript (SSU-rRNA, LSU-rRNA, 4.5S-rRNA, 5S-rRNA)', - 'def': "Endonucleolytic cleavage between the LSU-rRNA and the 4.5S rRNA of an rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, Large Subunit (LSU) the 4.5S rRNA, and the 5S rRNA in that order from 5' to 3' along the primary transcript. Note that the use of the word tetracistronic refers only to the number of mature rRNA molecules which will be produced from the primary transcript and ignores tRNAs that may also be present within the primary transcript. [GOC:curators]" - }, - 'GO:0002106': { - 'name': 'endonucleolytic cleaveage between SSU-rRNA and LSU-rRNA of tetracistronic rRNA transcript (SSU-rRNA, LSU-rRNA, 4.5S-rRNA, 5S-rRNA)', - 'def': "Endonucleolytic cleavages between the SSU-rRNA and the LSU-rRNA of an rRNA molecule originally produced as a tetracistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, Large Subunit (LSU) the 4.5S rRNA, and the 5S rRNA in that order from 5' to 3' along the primary transcript. These cleavages liberate tRNAs from the polycistronic transcript as well as separating the SSU and LSU containing transcript. Note that the use of the word tetracistronic refers only to the number of mature rRNA molecules which will be produced from the primary transcript and ignores tRNAs that may also be present within the primary transcript. [GOC:curators]" - }, - 'GO:0002107': { - 'name': "generation of mature 3'-end of 5S rRNA generated by RNA polymerase III", - 'def': "The removal of extra uridine residues from the 3' end of a 5S pre-rRNA generated by transcription by RNA polymerase III to generate the mature 3'-end. [GOC:hjd, PMID:16387655, PMID:1748637, PMID:1902221, PMID:8389357]" - }, - 'GO:0002108': { - 'name': 'maturation of LSU-rRNA from tricistronic rRNA transcript (SSU-rRNA, LSU-rRNA,5S)', - 'def': "Any process involved in the maturation of a precursor Large SubUnit (LSU) ribosomal RNA (rRNA) molecule into a mature LSU-rRNA molecule from the pre-rRNA molecule originally produced as a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, Large Subunit (LSU) the 5S rRNA in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0002109': { - 'name': 'maturation of SSU-rRNA from tricistronic rRNA transcript (SSU-rRNA, LSU-rRNA,5S)', - 'def': "Any process involved in the maturation of a precursor Small SubUnit (SSU) ribosomal RNA (rRNA) molecule into a mature SSU-rRNA molecule from the pre-rRNA molecule originally produced as a tricistronic rRNA transcript that contains the Small Subunit (SSU) rRNA, Large Subunit (LSU) the 5S rRNA in that order from 5' to 3' along the primary transcript. [GOC:curators]" - }, - 'GO:0002110': { - 'name': 'cotranscriptional mitochondrial rRNA nucleotide insertion', - 'def': 'The insertion of one or two non-coded nucleotides during the transcription of a mitochondrial rRNA. Such additions are known to occur in myxomycetes such as Physarum, Didymium, and Stemonitis. [GOC:curators, ISBN:1555811337, PMID:8306965]' - }, - 'GO:0002111': { - 'name': 'BRCA2-BRAF35 complex', - 'def': 'A heterodimeric complex of BRCA2 and BRAF35 (BRCA2-associated factor 35). The BRCA2-BRAF35 complex is often associated with condensed chromatin during mitosis. [GOC:hjd, PMID:11207365]' - }, - 'GO:0002112': { - 'name': 'interleukin-33 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-33 receptor. [GOC:hjd]' - }, - 'GO:0002113': { - 'name': 'interleukin-33 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-33. [GOC:hjd]' - }, - 'GO:0002114': { - 'name': 'interleukin-33 receptor activity', - 'def': 'Combining with interleukin-33 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:hjd, GOC:signaling]' - }, - 'GO:0002115': { - 'name': 'store-operated calcium entry', - 'def': 'A calcium ion entry mechanism in the plasma membrane activated by the depletion of calcium ion from the internal calcium ion store in the endoplasmic reticulum. [GOC:hjd, PMID:11120592, PMID:17956991]' - }, - 'GO:0002116': { - 'name': 'semaphorin receptor complex', - 'def': 'A stable binary complex of a neurophilin and a plexin, together forming a functional semaphorin receptor. [GOC:hjd, PMID:10934324, PMID:12367632, PMID:12613544]' - }, - 'GO:0002117': { - 'name': 'amphibian larval development', - 'def': 'The process whose specific outcome is the progression of the amphibian larva over time, from its formation to the mature structure. Amphibian larvae, sometimes called pollywogs or tadpoles, hatch from eggs and begin to grow limbs and other adult physical features at various times, depending on the species, before they metamorphose into the adult form. [GOC:bf, GOC:go_curators, http://www.livingunderworld.org/biology/]' - }, - 'GO:0002118': { - 'name': 'aggressive behavior', - 'def': 'A behavioral interaction between organisms in which one organism has the intention of inflicting physical damage on another individual. [GOC:hjd]' - }, - 'GO:0002119': { - 'name': 'nematode larval development', - 'def': 'The process whose specific outcome is the progression of the nematode larva over time, from its formation to the mature structure. Nematode larval development begins with the newly hatched first-stage larva (L1) and ends with the end of the last larval stage (for example the fourth larval stage (L4) in C. elegans). Each stage of nematode larval development is characterized by proliferation of specific cell lineages and an increase in body size without alteration of the basic body plan. Nematode larval stages are separated by molts in which each stage-specific exoskeleton, or cuticle, is shed and replaced anew. [GOC:ems, GOC:kmv]' - }, - 'GO:0002120': { - 'name': 'predatory behavior', - 'def': 'Aggressive behavior involving attack on prey by a predator. [GOC:hjd]' - }, - 'GO:0002121': { - 'name': 'inter-male aggressive behavior', - 'def': 'Aggressive behavior based on competition between males of the same species over access to resources such as females, dominance, status, etc. and characterized by noise, threats, and is often less injurious. [GOC:hjd]' - }, - 'GO:0002122': { - 'name': 'fear-induced aggressive behavior', - 'def': 'Aggressive behavior associated with attempts to flee from a threat. [GOC:hjd]' - }, - 'GO:0002123': { - 'name': 'irritable aggressive behavior', - 'def': 'Aggressive behavior induced by frustration and directed against an available target. [GOC:hjd]' - }, - 'GO:0002124': { - 'name': 'territorial aggressive behavior', - 'def': 'Aggressive behavior performed in defence of a fixed area against intruders, typically conspecifics. [GOC:hjd]' - }, - 'GO:0002125': { - 'name': 'maternal aggressive behavior', - 'def': 'Aggressive behavior of a female to protect her offspring from a threat. [GOC:hjd]' - }, - 'GO:0002126': { - 'name': 'instrumental aggressive behavior', - 'def': 'Aggressive behavior directed towards obtaining some goal, considered to be a learned response to a situation. [GOC:hjd]' - }, - 'GO:0002127': { - 'name': 'wobble base cytosine methylation', - 'def': 'The process in which the base of cytosine at position 34 in the anticodon of a tRNA is post-transcriptionally methylated at the C5 position. [GOC:hjd, ISBN:155581073X]' - }, - 'GO:0002128': { - 'name': 'tRNA nucleoside ribose methylation', - 'def': "The process that results in the modification of the sugar of a nucleoside in tRNA at the 2'O position. [GOC:hjd, ISBN:155581073X]" - }, - 'GO:0002129': { - 'name': 'wobble position guanine ribose methylation', - 'def': "The process in which the ribose of guanosine at position 34 in the anticodon of a tRNA is post-transcriptionally methylated at the 2'-O position. [GOC:hjd, ISBN:155581073X]" - }, - 'GO:0002130': { - 'name': 'wobble position ribose methylation', - 'def': "The process in which the ribose base of the nucleotide at position 34 in the anticodon of a tRNA is post-transcriptionally methylated at the 2'O position. [GOC:hjd, ISBN:155581073X]" - }, - 'GO:0002131': { - 'name': 'wobble position cytosine ribose methylation', - 'def': "The process in which the ribose of cytidine at position 34 in the anticodon of a tRNA is post-transcriptionally methylated at the 2'-O position. [GOC:hjd, ISBN:155581073X]" - }, - 'GO:0002132': { - 'name': 'wobble position uridine ribose methylation', - 'def': "The process in which the ribose of uridine at position 34 in the anticodon of a tRNA is post-transcriptionally methylated at the 2'-O position. [GOC:hjd, ISBN:155581073X]" - }, - 'GO:0002133': { - 'name': 'polycystin complex', - 'def': 'A stable heterodimeric complex composed of polycystin-1 and polycystin-2. [GOC:hjd, PMID:11901144]' - }, - 'GO:0002134': { - 'name': 'UTP binding', - 'def': "Interacting selectively and non-covalently with UTP, uridine 5'-triphosphate. [GOC:hjd, ISBN:0198506732]" - }, - 'GO:0002135': { - 'name': 'CTP binding', - 'def': "Interacting selectively and non-covalently with CTP, cytidine 5'-triphosphate. [GOC:hjd, ISBN:0124020607]" - }, - 'GO:0002136': { - 'name': 'wobble base lysidine biosynthesis', - 'def': 'The process in which the carbonyl of cytosine at position 34 of a tRNA is post-transcriptionally replaced by lysine. [PMID:15894617]' - }, - 'GO:0002138': { - 'name': 'retinoic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the biosynthesis of retinoic acid, one of the three components that makes up vitamin A. [GOC:hjd]' - }, - 'GO:0002139': { - 'name': 'stereocilia coupling link', - 'def': 'A structure involved in coupling stereocilia to one another in sensory hair cells There are four morphologically distinct types: tip links, horizontal top connectors, shaft connectors and ankle links. Tip links and horizontal top connectors are the only inter-stereocilia links associated with mature cochlea, whereas ankle links appear during development of the auditory hair bundle. [PMID:16775142]' - }, - 'GO:0002140': { - 'name': 'stereocilia tip link', - 'def': 'A stereocilia link that is formed by a fine filament running more or less vertically upward from the tip of each shorter stereocilium to attach at a higher point on its adjacent taller neighbor. Tilting the bundle puts tension on the filaments, which pull on mechanically gated ion channels in the membrane of the stereocilia. [PMID:1108787]' - }, - 'GO:0002141': { - 'name': 'stereocilia ankle link', - 'def': 'A stereocilia coupling link that is composed of a fine filament present in developing stereocilia that couples the bases of individual stereocilia to one another. They are not present in mature stereocilia. [PMID:17567809]' - }, - 'GO:0002142': { - 'name': 'stereocilia ankle link complex', - 'def': 'A complex of proteins that connect growing stereocilia in developing cochlear hair cells, composed of Vlgr1, usherin, vezatin, and whirlin. [PMID:16775142]' - }, - 'GO:0002143': { - 'name': 'tRNA wobble position uridine thiolation', - 'def': 'The process in which a uridine residue at position 34 in the anticodon of a tRNA is post-transcriptionally thiolated at the C2 position. This process involves transfer of a sulfur from cysteine to position C2 by several steps. [PMID:16871210]' - }, - 'GO:0002144': { - 'name': 'cytosolic tRNA wobble base thiouridylase complex', - 'def': 'A complex of two proteins involved in the thiolation of U34 in glutamate, lysine, and glutamine tRNAs of eukaryotes. [PMID:18391219]' - }, - 'GO:0002145': { - 'name': '4-amino-5-hydroxymethyl-2-methylpyrimidine diphosphatase activity', - 'def': 'Catalysis of the reaction: 4-amino-5-hydroxymethyl-2-methylpyrimidine pyrophosphate + H2O = hydroxymethylpyrimidine phosphate + phosphate + H(+). [MetaCyc:RXN0-3543]' - }, - 'GO:0002146': { - 'name': 'steroid hormone receptor import into nucleus', - 'def': 'The directed movement of a steroid hormone receptor into the nucleus. [GOC:hjd]' - }, - 'GO:0002147': { - 'name': 'glucocorticoid receptor import into nucleus', - 'def': 'The directed movement of a glucocorticoid receptor into the nucleus. [GOC:hjd]' - }, - 'GO:0002148': { - 'name': 'hypochlorous acid metabolic process', - 'def': 'The chemical reactions and pathways involving hypochlorous acid. [GOC:add, PMID:176150, PMIG:10085024]' - }, - 'GO:0002149': { - 'name': 'hypochlorous acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hypochlorous acid. [GOC:add, PMID:10085024, PMID:176150]' - }, - 'GO:0002150': { - 'name': 'hypochlorous acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hypochlorous acid. [GOC:add]' - }, - 'GO:0002151': { - 'name': 'G-quadruplex RNA binding', - 'def': 'Interacting selectively and non-covalently with G-quadruplex RNA structures, in which groups of four guanines adopt a flat, cyclic hydrogen-bonding arrangement known as a guanine tetrad. [PMID:18294969, PMID:18568163, PMID:19330720]' - }, - 'GO:0002152': { - 'name': 'bile acid conjugation', - 'def': 'The process in which bile acids are covalently linked to taurine or glycine. [PMID:1094911, PMID:708413]' - }, - 'GO:0002153': { - 'name': 'steroid receptor RNA activator RNA binding', - 'def': 'Interacting selectively and non-covalently with the steroid receptor RNA activator RNA (SRA). SRA enhances steroid hormone receptor transcriptional activity as an RNA transcript by an indirect mechanism that does not involve SRA-steroid receptor binding. [GOC:vw, PMID:10199399, PMID:15180993]' - }, - 'GO:0002154': { - 'name': 'thyroid hormone mediated signaling pathway', - 'def': 'A series of molecular signals mediated by the detection of a thyroid hormone. [GOC:hjd]' - }, - 'GO:0002155': { - 'name': 'regulation of thyroid hormone mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of a thyroid hormone mediated signaling pathway. [GOC:hjd]' - }, - 'GO:0002156': { - 'name': 'negative regulation of thyroid hormone mediated signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of thyroid hormone mediated signaling pathway. [GOC:hjd]' - }, - 'GO:0002157': { - 'name': 'positive regulation of thyroid hormone mediated signaling pathway', - 'def': 'Any process that increases the frequency, rate or extent of thyroid hormone mediated signaling pathway. [GOC:hjd]' - }, - 'GO:0002158': { - 'name': 'osteoclast proliferation', - 'def': 'The multiplication or reproduction of osteoclasts, resulting in the expansion of an osteoclast cell population. An osteoclast is a specialized phagocytic cell associated with the absorption and removal of the mineralized matrix of bone tissue, which typically differentiates from monocytes. [CL:0000092, GOC:hjd]' - }, - 'GO:0002159': { - 'name': 'desmosome assembly', - 'def': 'A cellular process that results in the aggregation, arrangement and bonding together of a set of components to form a desmosome. A desmosome is a patch-like intercellular junction found in vertebrate tissues, consisting of parallel zones of two cell membranes, separated by an space of 25-35 nm, and having dense fibrillar plaques in the subjacent cytoplasm. [GOC:hjd, ISBN:0198506732]' - }, - 'GO:0002160': { - 'name': 'desmosome maintenance', - 'def': 'The maintenance of a desmosome. A desmosome is a patch-like intercellular junctions found in vertebrate tissues, consisting of parallel zones of two cell membranes, separated by an interspace of 25-35 nm, and having dense fibrillar plaques in the subjacent cytoplasm. [GOC:hjd, ISBN:0198506732]' - }, - 'GO:0002161': { - 'name': 'aminoacyl-tRNA editing activity', - 'def': 'The hydrolysis of an incorrectly aminoacylated tRNA. [GOC:hjd, PMID:14663147, PMID:16087889]' - }, - 'GO:0002162': { - 'name': 'dystroglycan binding', - 'def': 'Interacting selectively and non-covalently with dystroglycan. Dystroglycan is glycoprotein found in non-muscle tissues as well as in muscle tissues, often in association with dystrophin. The native dystroglycan cleaved into two non-covalently associated subunits, alpha (N-terminal) and beta (C-terminal). [GOC:hjd]' - }, - 'GO:0002164': { - 'name': 'larval development', - 'def': 'The process whose specific outcome is the progression of the larva over time, from its formation to the mature structure. The larva is the early, immature form of an that at birth or hatching is fundamentally unlike its parent and must metamorphose before assuming the adult characters. [GOC:jid, ISBN:0877795088]' - }, - 'GO:0002165': { - 'name': 'instar larval or pupal development', - 'def': 'The process whose specific outcome is the progression of the instar larva or pupa over time, from its formation to the mature structure. An example of this process is found in Drosophila melanogaster. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0002167': { - 'name': 'VRK3/VHR/ERK complex', - 'def': 'A ternary complex consisting of VRK3, VHR (Dusp3), and ERK1 (Mapk3) existing in neuronal cells, and is involved in regulation of the ERK signaling pathway. [GOC:hjd, PMID:16845380]' - }, - 'GO:0002168': { - 'name': 'instar larval development', - 'def': 'The process whose specific outcome is the progression of the larva over time, from its formation to the mature structure. This begins with the newly hatched first-instar larva, through its maturation to the end of the last larval stage. An example of this process is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0002169': { - 'name': '3-methylcrotonyl-CoA carboxylase complex, mitochondrial', - 'def': 'A mitochondrial protein complex which is capable of 3-methylcrotonyl-CoA carboxylase activity. In mammals, at least, consists as a dodecamer of 6 alpha and 6 beta subunits. MCCC-alpha has a covalently bound biotin essential for the ATP-dependent carboxylation. MCCC-beta possesses carboxyltransferase activity which presumably is essential for binding to 3-methylcrotonyl-CoA. [GOC:bf, GOC:hjd, PMID:15868465, PMID:17360195, PMID:22869039]' - }, - 'GO:0002170': { - 'name': 'high-affinity IgA receptor activity', - 'def': 'Combining with high affinity with an immunoglobulin of an IgA isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:hjd, GOC:signaling]' - }, - 'GO:0002171': { - 'name': 'low-affinity IgA receptor activity', - 'def': 'Combining with low affinity with an immunoglobulin of an IgA isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:hjd, GOC:signaling]' - }, - 'GO:0002172': { - 'name': 'high-affinity IgM receptor activity', - 'def': 'Combining with high affinity with an immunoglobulin of an IgM isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:hjd, GOC:signaling]' - }, - 'GO:0002173': { - 'name': 'low-affinity IgM receptor activity', - 'def': 'Combining with low affinity with an immunoglobulin of an IgM isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:hjd, GOC:signaling]' - }, - 'GO:0002174': { - 'name': 'mammary stem cell proliferation', - 'def': 'The expansion of a mammary stem cell population by cell division. Mammary stem cells are a source of cells for growth of the mammary gland during puberty and gestation. These cells can give rise to both the luminal and myoepithelial cell types of the gland, and can regenerate the entire organ. [PMID:15987436]' - }, - 'GO:0002175': { - 'name': 'protein localization to paranode region of axon', - 'def': 'A cellular protein localization process in which a protein is transported to, or maintained at, the paranode region of an axon. [PMID:18803321]' - }, - 'GO:0002176': { - 'name': 'male germ cell proliferation', - 'def': 'The multiplication or reproduction of male germ cells, resulting in the expansion of a cell population. [GOC:hjd]' - }, - 'GO:0002177': { - 'name': 'manchette', - 'def': 'A tubular array of microtubules that extends from the perinuclear ring surrounding the spermatid nucleus to the flagellar axoneme. The manchette may also contain F-actin filaments. [GOC:krc, PMID:15018141, PMID:22319670, PMID:24440897, PMID:26792866]' - }, - 'GO:0002178': { - 'name': 'palmitoyltransferase complex', - 'def': 'A protein complex with palmitoyltransferase activity. [GOC:hjd]' - }, - 'GO:0002179': { - 'name': 'homodimeric serine palmitoyltransferase complex', - 'def': 'A homodimeric complex which transfers a palmitoyl group onto serine, forming 3-dehydro-D-sphinganine. [GOC:hjd]' - }, - 'GO:0002180': { - 'name': '5-lipoxygenase complex', - 'def': 'An nuclear membrane protein complex having arachidonate 5-lipoxygenase activity. [PMID:19075240]' - }, - 'GO:0002181': { - 'name': 'cytoplasmic translation', - 'def': 'The chemical reactions and pathways resulting in the formation of a protein in the cytoplasm. This is a ribosome-mediated process in which the information in messenger RNA (mRNA) is used to specify the sequence of amino acids in the protein. [GOC:hjd]' - }, - 'GO:0002182': { - 'name': 'cytoplasmic translational elongation', - 'def': 'The successive addition of amino acid residues to a nascent polypeptide chain during protein biosynthesis in the cytoplasm. [GOC:hjd]' - }, - 'GO:0002183': { - 'name': 'cytoplasmic translational initiation', - 'def': 'The process preceding formation of the peptide bond between the first two amino acids of a protein in the cytoplasm. This includes the formation of a complex of the ribosome, mRNA, and an initiation complex that contains the first aminoacyl-tRNA. [GOC:hjd]' - }, - 'GO:0002184': { - 'name': 'cytoplasmic translational termination', - 'def': 'The process resulting in the release of a polypeptide chain from the ribosome in the cytoplasm, usually in response to a termination codon. [GOC:hjd]' - }, - 'GO:0002185': { - 'name': 'creatine kinase complex', - 'def': 'A protein complex having creatine kinase activity. [GOC:hjd]' - }, - 'GO:0002186': { - 'name': 'cytosolic creatine kinase complex', - 'def': 'A dimeric protein complex having creatine kinase activity. [PMID:173175]' - }, - 'GO:0002187': { - 'name': 'mitochondrial creatine kinase complex', - 'def': 'An octomeric protein complex having creatine kinase activity. [PMID:16236486]' - }, - 'GO:0002188': { - 'name': 'translation reinitiation', - 'def': 'A gene-specific translational control mechanism where the small ribosomal subunit remains attached to the mRNA following termination of translation, then resumes scanning on the same mRNA molecule and initiates again at a downstream start site. Reinitiation depends on de novo recruitment of the ternary complex that is required to recognize the next AUG codon. [PMID:18056426, PMID:18765792]' - }, - 'GO:0002189': { - 'name': 'ribose phosphate diphosphokinase complex', - 'def': 'A protein complex having ribose phosphate diphosphokinase activity. [GO:hjd, PMID:9348095]' - }, - 'GO:0002190': { - 'name': 'cap-independent translational initiation', - 'def': "The process where translation initiation recruits the 40S ribosomal subunits in a Cap and 5' end independent fashion before an AUG codon is encountered in an appropriate sequence context to initiate mRNA translation. [PMID:17284590]" - }, - 'GO:0002191': { - 'name': 'cap-dependent translational initiation', - 'def': "The process where the \\Cap structure\\ (composed of a 7- methylguanosine (m7G) group and associated cap-binding proteins) located at the 5' end of an mRNA molecule, which serves as a \\molecular tag\\ that marks the spot where the 40S ribosomal subunit is recruited and will then scan in a 5' to 3' direction until an AUG codon is encountered in an appropriate sequence context to initiate mRNA translation. [PMID:17284590, PMID:19604130]" - }, - 'GO:0002192': { - 'name': 'IRES-dependent translational initiation', - 'def': 'The process where translation initiation recruits the 40S ribosomal subunits via an internal ribosome entry segment (IRES) before an AUG codon is encountered in an appropriate sequence context to initiate mRNA translation. [PMID:17284590]' - }, - 'GO:0002193': { - 'name': 'MAML1-RBP-Jkappa- ICN1 complex', - 'def': 'A protein complex that consists of the intracellular domain of Notch1 (ICN1), the DNA-binding transcription factor RBP-Jkappa, and the transcriptional coactivator Mastermind-like-1 (MAML1); the complex is involved in transcriptional activation in response to Notch-mediated signaling. [CORUM:2949, PMID:16510869]' - }, - 'GO:0002194': { - 'name': 'hepatocyte cell migration', - 'def': 'The orderly movement of a hepatocyte during the development of the liver. Hepatocytes emerge from the hepatic epithelium, populating the septum transversum and lateral mesenchymal areas of the hepatic lobes. [CL:0000182, PMID:9794819]' - }, - 'GO:0002195': { - 'name': '2-methylthio-N-6-(cis-hydroxy)isopentenyl adenosine-tRNA biosynthesis', - 'def': "The chemical reactions and pathways involved in the biosynthesis of 2-methylthio-N-6-(cis-hydroxy)isopentenyl adenosine (ms2io6A), a modified nucleoside present in position 37 (adjacent to and 3' of the anticodon) of tRNAs. [UniPathway:UPA00729]" - }, - 'GO:0002196': { - 'name': 'Ser-tRNA(Ala) hydrolase activity', - 'def': 'Catalysis of the hydrolysis of misacylated Ser-tRNA(Ala). [GOC:hjd, PMID:21285375]' - }, - 'GO:0002197': { - 'name': 'xanthine dehydrogenase complex', - 'def': 'A homodimeric protein complex having xanthine dehydrogenase activity. [GOC:hjd, PMID:8224915]' - }, - 'GO:0002198': { - 'name': 'obsolete S/G2 transition of mitotic cell cycle', - 'def': 'OBSOLETE. The transition from a cell in the S phase to the G2 phase. [GOC:hjd, GOC:mtg_cell_cycle, PMID:15161931]' - }, - 'GO:0002199': { - 'name': 'zona pellucida receptor complex', - 'def': 'A multisubunit complex comprising the chaperonin-containing T-complex and several other components involved in mediating sperm-oocyte Interaction. [GOC:hjd, PMID:21880732]' - }, - 'GO:0002200': { - 'name': 'somatic diversification of immune receptors', - 'def': 'The somatic process allowing for the production of immune receptors whose specificity is not encoded in the germline genomic sequences. [GOC:add, ISBN:0781735149, PMID:16102575, PMID:16166509]' - }, - 'GO:0002201': { - 'name': 'somatic diversification of DSCAM-based immune receptors', - 'def': 'The somatic process that results in the generation of sequence diversity of the DSCAM-based immune receptors of insects. [GOC:add, PMID:16261174]' - }, - 'GO:0002202': { - 'name': 'somatic diversification of variable lymphocyte receptors of jawless fish', - 'def': 'The somatic process that results in the generation of sequence diversity of the variable lymphocyte receptors (VLR) of jawless fish. [GOC:add, PMID:16373579]' - }, - 'GO:0002203': { - 'name': 'proteolysis by cytosolic proteases associated with antigen processing and presentation', - 'def': 'The hydrolysis of a peptide bond or bonds within a protein by cytosolic resident proteases during antigen processing and presentation. [GOC:add, ISBN:0781735149, PMID:15224092, PMID:15771591]' - }, - 'GO:0002204': { - 'name': 'somatic recombination of immunoglobulin genes involved in immune response', - 'def': 'The process in which immunoglobulin genes are formed through recombination of the germline genetic elements, also known as immunoglobulin gene segments, within a single locus following the induction of and contributing to an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002205': { - 'name': 'somatic hypermutation of immunoglobulin genes involved in immune response', - 'def': 'Mutations occurring somatically that result in amino acid changes in the rearranged V regions of immunoglobulins following the induction of and contributing to an immune response. [GOC:add, ISBN:0781735149, PMID:11205333, PMID:14991701]' - }, - 'GO:0002206': { - 'name': 'gene conversion of immunoglobulin genes', - 'def': 'The somatic process in which immunoglobulin genes are diversified through the mechanism of gene conversion. [GOC:add, PMID:14991701]' - }, - 'GO:0002207': { - 'name': 'gene conversion of immunoglobulin genes involved in immune response', - 'def': 'The somatic process in which immunoglobulin genes are diversified through the mechanism of gene conversion following the induction of and contributing to an immune response. [GOC:add, PMID:14991701]' - }, - 'GO:0002208': { - 'name': 'somatic diversification of immunoglobulins involved in immune response', - 'def': 'The somatic process that results in the generation of sequence diversity of immunoglobulins after induction, and contributes to an immune response. [GOC:add, ISBN:0781735149, PMID:14991701]' - }, - 'GO:0002209': { - 'name': 'behavioral defense response', - 'def': 'A behavioral response seeking to protect an organism from an a perceived external threat to that organism. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05]' - }, - 'GO:0002210': { - 'name': 'behavioral response to wounding', - 'def': 'A behavioral response resulting from wounding. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05]' - }, - 'GO:0002211': { - 'name': 'behavioral defense response to insect', - 'def': 'A behavioral response seeking to protect an organism from an a perceived external threat from an insect or insects to that organism. [GOC:add]' - }, - 'GO:0002212': { - 'name': 'behavioral defense response to nematode', - 'def': 'A behavioral response seeking to protect an organism from an a perceived external threat from a nematode or nematodes to that organism. [GOC:add, PMID:14506883]' - }, - 'GO:0002213': { - 'name': 'defense response to insect', - 'def': 'A response to protect an organism from a directly detected or perceived external threat from an insect or insects to that organism. [GOC:add]' - }, - 'GO:0002215': { - 'name': 'defense response to nematode', - 'def': 'A response to protect an organism from a directly detected or perceived external threat from a nematode or nematodes, which results in restriction of damage to the organism attacked or prevention/recovery from the infection caused by the attack. [GOC:add, PMID:11516579, PMID:14506883]' - }, - 'GO:0002218': { - 'name': 'activation of innate immune response', - 'def': 'Any process that initiates an innate immune response. Innate immune responses are defense responses mediated by germline encoded components that directly recognize components of potential pathogens. Examples of this process include activation of the hypersensitive response of Arabidopsis thaliana and activation of any NOD or TLR signaling pathway in vertebrate species. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, GOC:mtg_sensu, ISBN:0781735149, PMID:15199967, PMID:16177805]' - }, - 'GO:0002220': { - 'name': 'innate immune response activating cell surface receptor signaling pathway', - 'def': 'Any series of molecular signals leading to activation of the innate immune response generated as a consequence of binding to a cell surface receptor. [GOC:add, ISBN:0781735149, PMID:15199967]' - }, - 'GO:0002221': { - 'name': 'pattern recognition receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of a pattern recognition receptor (PRR) binding to one of its physiological ligands. PRRs bind pathogen-associated molecular pattern (PAMPs), structures conserved among microbial species, or damage-associated molecular pattern (DAMPs), endogenous molecules released from damaged cells. [GOC:add, GOC:ar, ISBN:0781735149, PMID:15199967]' - }, - 'GO:0002222': { - 'name': 'stimulatory killer cell immunoglobulin-like receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a killer cell immunoglobulin-like receptor capable of cellular activation. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002223': { - 'name': 'stimulatory C-type lectin receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a C-type lectin receptor capable of cellular activation. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002224': { - 'name': 'toll-like receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like receptor. Toll-like receptors directly bind pattern motifs from a variety of microbial sources to initiate innate immune response. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149, PMID:12467241, PMID:12524386, PMID:12855817, PMID:15585605, PMID:15728447]' - }, - 'GO:0002225': { - 'name': 'positive regulation of antimicrobial peptide production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antimicrobial peptide production. [GOC:add, PMID:11807545]' - }, - 'GO:0002227': { - 'name': 'innate immune response in mucosa', - 'def': 'Any process of the innate immune response that takes place in the mucosal tissues. [GOC:add, PMID:10719665, PMID:15971105]' - }, - 'GO:0002228': { - 'name': 'natural killer cell mediated immunity', - 'def': 'The promotion of an immune response by natural killer cells through direct recognition of target cells or through the release of cytokines. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002229': { - 'name': 'defense response to oomycetes', - 'def': 'Reactions triggered in response to the presence of oomycetes that act to protect the cell or organism. [GOC:add, PMID:16497589]' - }, - 'GO:0002230': { - 'name': 'positive regulation of defense response to virus by host', - 'def': 'Any host process that results in the promotion of antiviral immune response mechanisms, thereby limiting viral replication. [GOC:add, GOC:dph, GOC:tb, ISBN:0781735149]' - }, - 'GO:0002231': { - 'name': 'detection of oomycetes', - 'def': 'The series of events in which a stimulus from an oomycetes is received and converted into a molecular signal. [GOC:add, PMID:15922649]' - }, - 'GO:0002232': { - 'name': 'leukocyte chemotaxis involved in inflammatory response', - 'def': 'The movement of an immune cell in response to an external stimulus contributing to an inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002233': { - 'name': 'leukocyte chemotaxis involved in immune response', - 'def': 'The movement of an immune cell in response to an external stimulus a part of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002234': { - 'name': 'detection of endoplasmic reticulum overloading', - 'def': 'The series of events in which a stimulus generated by the accumulation of normal or misfolded proteins in the endoplasmic reticulum is received and converted into a molecular signal. [GOC:add, PMID:10390516]' - }, - 'GO:0002235': { - 'name': 'detection of unfolded protein', - 'def': 'The series of events in which an unfolded protein stimulus is received and converted into a molecular signal. [GOC:add, PMID:15226511, PMID:7765470]' - }, - 'GO:0002236': { - 'name': 'detection of misfolded protein', - 'def': 'The series of events in which a misfolded protein stimulus is received and converted into a molecular signal. [GOC:add, PMID:15226511]' - }, - 'GO:0002237': { - 'name': 'response to molecule of bacterial origin', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus by molecules of bacterial origin such as peptides derived from bacterial flagellin. [GOC:rl, GOC:sm]' - }, - 'GO:0002238': { - 'name': 'response to molecule of fungal origin', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus by molecules of fungal origin such as chito-octamer oligosaccharide. [GOC:rl, GOC:sm]' - }, - 'GO:0002239': { - 'name': 'response to oomycetes', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from an oomycetes. [GOC:add, PMID:16497589]' - }, - 'GO:0002240': { - 'name': 'response to molecule of oomycetes origin', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus by molecules of oomycetes origin. [GOC:rl, GOC:sm]' - }, - 'GO:0002241': { - 'name': 'response to parasitic plant', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a parasitic plant. [GOC:add, PMID:16547862]' - }, - 'GO:0002242': { - 'name': 'defense response to parasitic plant', - 'def': 'Reactions triggered in response to the presence of a parasitic plant that act to protect an organism. [GOC:add]' - }, - 'GO:0002243': { - 'name': 'detection of parasitic plant', - 'def': 'The series of events in which a stimulus from a parasitic plant is received and converted into a molecular signal. [GOC:add, PMID:16547862]' - }, - 'GO:0002244': { - 'name': 'hematopoietic progenitor cell differentiation', - 'def': 'The process in which precursor cell type acquires the specialized features of a hematopoietic progenitor cell, a class of cell types including myeloid progenitor cells and lymphoid progenitor cells. [GOC:add, GOC:rl, ISBN:0781735149, PMID:16551251]' - }, - 'GO:0002246': { - 'name': 'wound healing involved in inflammatory response', - 'def': 'The series of events that restore integrity to damaged tissue that contribute to an inflammatory response. [GOC:jal, ISBN:0721601871]' - }, - 'GO:0002247': { - 'name': 'clearance of damaged tissue involved in inflammatory response wound healing', - 'def': 'The series of events leading to removal of necrotic debris that contribute to an inflammatory response. [GOC:jal, ISBN:0721601871]' - }, - 'GO:0002248': { - 'name': 'connective tissue replacement involved in inflammatory response wound healing', - 'def': 'The series of events leading to growth of connective tissue when loss of tissues that are incapable of regeneration occurs, or when fibrinous exudate cannot be adequately cleared that contribute to an inflammatory response. [GOC:jal, ISBN:0721601871]' - }, - 'GO:0002249': { - 'name': 'lymphocyte anergy', - 'def': 'Any process contributing to lymphocyte anergy, a state of functional inactivation. [GOC:add]' - }, - 'GO:0002250': { - 'name': 'adaptive immune response', - 'def': 'An immune response mediated by cells expressing specific receptors for antigen produced through a somatic diversification process, and allowing for an enhanced secondary response to subsequent exposures to the same antigen (immunological memory). [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002251': { - 'name': 'organ or tissue specific immune response', - 'def': 'An immune response taking place in an organ or tissues such as the liver, brain, mucosa, or nervous system tissues. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05]' - }, - 'GO:0002252': { - 'name': 'immune effector process', - 'def': 'Any process of the immune system that can potentially contribute to an immune response. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002253': { - 'name': 'activation of immune response', - 'def': 'Any process that initiates an immune response. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002254': { - 'name': 'kinin cascade', - 'def': 'A series of reactions that takes place outside the cell that occur as a result of by-products of tissue damage, including collagen, cartilage, and basement membrane. The ultimate product of the kinin cascade include kallidin and bradykinin, agents known to induce smooth muscle contraction, vasoconstriction, and increased vascular permeability. [GOC:jal, ISBN:0721601871, PMID:11842287, PMID:14501145]' - }, - 'GO:0002255': { - 'name': 'tissue kallikrein-kinin cascade', - 'def': 'A series of reactions that takes place outside the cell initiated by the action of tissue (glandular) kallikreins on low molecular weight kininogen in response to tissue damage. Tissue kallikreins are present in glandular tissues and their fluids, such as the salivary glands, sweat glands, pancreas, and kidney. The ultimate products of the tissue kallikrein-kinin cascade include kallidin and bradykinin, agents known to induce smooth muscle contraction, vasoconstriction, and increased vascular permeability. [GOC:add, PMID:11842287, PMID:14501145]' - }, - 'GO:0002256': { - 'name': 'regulation of kinin cascade', - 'def': 'Any process that modulates the frequency, rate, or extent of the kinin cascade. [GOC:jal]' - }, - 'GO:0002257': { - 'name': 'negative regulation of kinin cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of the kinin cascade. [GOC:jal]' - }, - 'GO:0002258': { - 'name': 'positive regulation of kinin cascade', - 'def': 'Any process that activates or increases the frequency, rate, or extent of the kinin cascade. [GOC:jal]' - }, - 'GO:0002259': { - 'name': 'endothelial cell activation within high endothelial venule involved in immune response', - 'def': 'A change in the morphology or behavior of an endothelial cell within a high endothelial venule resulting from exposure to an activating factor such as a cellular or soluble ligand, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002260': { - 'name': 'lymphocyte homeostasis', - 'def': 'The process of regulating the proliferation and elimination of lymphocytes such that the total number of lymphocytes within a whole or part of an organism is stable over time in the absence of an outside stimulus. [GOC:add, PMID:15826826, PMID:16319493, PMID:16551252, PMID:16551262]' - }, - 'GO:0002261': { - 'name': 'mucosal lymphocyte homeostasis', - 'def': 'The process of regulating the proliferation and elimination of lymphocytes such that the total number of lymphocytes within the mucosal tissue of an organism is stable over time in the absence of an outside stimulus. [GOC:add, PMID:15609020]' - }, - 'GO:0002262': { - 'name': 'myeloid cell homeostasis', - 'def': 'The process of regulating the proliferation and elimination of myeloid cells such that the total number of myeloid cells within a whole or part of an organism is stable over time in the absence of an outside stimulus. [CL:0000763, GOC:add]' - }, - 'GO:0002263': { - 'name': 'cell activation involved in immune response', - 'def': 'A change in the morphology or behavior of a cell resulting from exposure to an activating factor such as a cellular or soluble ligand, leading to the initiation or perpetuation of an immune response. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002264': { - 'name': 'endothelial cell activation involved in immune response', - 'def': 'A change in the morphology or behavior of an endothelial cell resulting from exposure to an activating factor such as a cellular or soluble ligand, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002265': { - 'name': 'astrocyte activation involved in immune response', - 'def': 'A change in the morphology or behavior of an astrocyte resulting from exposure to an activating factor such as a cellular or soluble ligand, leading to the initiation or perpetuation of an immune response. [GOC:add, PMID:11138785]' - }, - 'GO:0002266': { - 'name': 'follicular dendritic cell activation', - 'def': 'A change in the morphology or behavior of a follicular dendritic cell resulting from exposure to an activating factor such as a cellular or soluble ligand. [GOC:add, PMID:15606789]' - }, - 'GO:0002267': { - 'name': 'follicular dendritic cell activation involved in immune response', - 'def': 'A change in the morphology or behavior of a follicular dendritic cell resulting from exposure to an activating factor such as a cellular or soluble ligand, leading to the initiation or perpetuation of an immune response. [GOC:add, PMID:15606789]' - }, - 'GO:0002268': { - 'name': 'follicular dendritic cell differentiation', - 'def': 'The process in which a relatively unspecialized precursor cell acquires the specialized features of a follicular dendritic cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002269': { - 'name': 'leukocyte activation involved in inflammatory response', - 'def': 'A change in the morphology or behavior of a leukocyte resulting from exposure to an activating factor such as a cellular or soluble ligand, leading to the initiation or perpetuation of an inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002270': { - 'name': 'plasmacytoid dendritic cell activation', - 'def': 'A change in the morphology or behavior of a plasmacytoid dendritic cell resulting from exposure to an activating factor such as a cellular or soluble ligand. [GOC:add, PMID:15990333, PMID:16174109]' - }, - 'GO:0002271': { - 'name': 'plasmacytoid dendritic cell activation involved in immune response', - 'def': 'A change in the morphology or behavior of a plasmacytoid dendritic cell resulting from exposure to an activating factor such as a cellular or soluble ligand, leading to the initiation or perpetuation of an immune response. [GOC:add, PMID:15990333, PMID:16174109]' - }, - 'GO:0002272': { - 'name': 'plasmacytoid dendritic cell differentiation involved in immune response', - 'def': 'The process in which an immature plasmacytoid dendritic cell acquires the specialized features of a mature plasmacytoid dendritic cell contributing to an immune response. [GOC:add, PMID:15990333]' - }, - 'GO:0002273': { - 'name': 'plasmacytoid dendritic cell differentiation', - 'def': 'The process in which a relatively unspecialized hemopoietic precursor cell acquires the specialized features of a plasmacytoid dendritic cell. [GOC:add, PMID:15990333, PMID:16174108]' - }, - 'GO:0002274': { - 'name': 'myeloid leukocyte activation', - 'def': 'A change in the morphology or behavior of a myeloid leukocyte resulting from exposure to an activating factor such as a cellular or soluble ligand. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002275': { - 'name': 'myeloid cell activation involved in immune response', - 'def': 'A change in the morphology or behavior of a myeloid cell resulting from exposure to an activating factor such as a cellular or soluble ligand, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002276': { - 'name': 'basophil activation involved in immune response', - 'def': 'A change in morphology and behavior of a basophil resulting from exposure to a cytokine, chemokine, soluble factor, or to (at least in mammals) an antigen which the basophil has specifically bound via IgE bound to Fc-epsilonRI receptors, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002277': { - 'name': 'myeloid dendritic cell activation involved in immune response', - 'def': 'The change in morphology and behavior of a myeloid dendritic cell resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002278': { - 'name': 'eosinophil activation involved in immune response', - 'def': 'The change in morphology and behavior of a eosinophil resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002279': { - 'name': 'mast cell activation involved in immune response', - 'def': 'The change in morphology and behavior of a mast cell resulting from exposure to a cytokine, chemokine, soluble factor, or to (at least in mammals) an antigen which the mast cell has specifically bound via IgE bound to Fc-epsilonRI receptors, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002280': { - 'name': 'monocyte activation involved in immune response', - 'def': 'The change in morphology and behavior of a monocyte resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149, PMID:16551245]' - }, - 'GO:0002281': { - 'name': 'macrophage activation involved in immune response', - 'def': 'A change in morphology and behavior of a macrophage resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002282': { - 'name': 'microglial cell activation involved in immune response', - 'def': 'The change in morphology and behavior of a microglial cell resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002283': { - 'name': 'neutrophil activation involved in immune response', - 'def': 'The change in morphology and behavior of a neutrophil resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002284': { - 'name': 'myeloid dendritic cell differentiation involved in immune response', - 'def': 'The process in which an immature myeloid dendritic cell acquires the specialized features of a mature myeloid dendritic cell as part of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002285': { - 'name': 'lymphocyte activation involved in immune response', - 'def': 'A change in morphology and behavior of a lymphocyte resulting from exposure to a specific antigen, mitogen, cytokine, chemokine, cellular ligand, or soluble factor, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002286': { - 'name': 'T cell activation involved in immune response', - 'def': 'The change in morphology and behavior of a mature or immature T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002287': { - 'name': 'alpha-beta T cell activation involved in immune response', - 'def': 'The change in morphology and behavior of an alpha-beta T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002288': { - 'name': 'NK T cell activation involved in immune response', - 'def': 'The change in morphology and behavior of a mature or immature natural killer T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific, leading to the initiation or perpetuation of an immune response. [GOC:add, PMID:15771592]' - }, - 'GO:0002289': { - 'name': 'NK T cell proliferation involved in immune response', - 'def': 'The expansion of a NK T cell population by cell division as part of an immune response. [GOC:add, PMID:15771592]' - }, - 'GO:0002290': { - 'name': 'gamma-delta T cell activation involved in immune response', - 'def': 'The change in morphology and behavior of a gamma-delta T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific, leading to the initiation or perpetuation of an immune response. [GOC:add, PMID:8717523]' - }, - 'GO:0002291': { - 'name': 'T cell activation via T cell receptor contact with antigen bound to MHC molecule on antigen presenting cell', - 'def': 'The change in morphology and behavior of a mature or immature T cell resulting from exposure to an antigen for which its T cell receptor is specific bound to an MHC molecule on an antigen presenting cell, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002292': { - 'name': 'T cell differentiation involved in immune response', - 'def': 'The process in which an antigenically naive T cell acquires the specialized features of an effector, regulatory, or memory T cell as part of an immune response. Effector T cells include cells which provide T cell help or exhibit cytotoxicity towards other cells. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002293': { - 'name': 'alpha-beta T cell differentiation involved in immune response', - 'def': 'The process in which an antigenically naive alpha-beta T cell acquires the specialized features of an effector, regulatory, or memory T cell during an immune response. Effector T cells include cells which provide T cell help or exhibit cytotoxicity towards other cells. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002294': { - 'name': 'CD4-positive, alpha-beta T cell differentiation involved in immune response', - 'def': 'The process in which an antigenically naive CD4-positive, alpha-beta T cell acquires the specialized features of an effector, regulatory, or memory T cell as part of an immune response. Effector T cells include cells which provide T cell help or exhibit cytotoxicity towards other cells. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002295': { - 'name': 'T-helper cell lineage commitment', - 'def': 'The process in which a CD4-positive, alpha-beta T cell becomes committed to becoming a T-helper cell, a CD4-positive, alpha-beta T cell specialized to promote various immunological processes. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002296': { - 'name': 'T-helper 1 cell lineage commitment', - 'def': 'The process in which a CD4-positive, alpha-beta T cell becomes committed to becoming a T-helper 1 cell, a CD4-positive, alpha-beta T cell specialized to promote immunological processes often associated with resistance to intracellular bacteria, fungi, and protozoa, and pathological conditions such as arthritis. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002297': { - 'name': 'T-helper 2 cell lineage commitment', - 'def': 'The process in which a CD4-positive, alpha-beta T cell becomes committed to becoming a T-helper 2 cell, a CD4-positive, alpha-beta T cell specialized to promote immunological processes often associated with resistance to extracellular organisms such as helminths, enhanced production of particular antibody isotypes, and pathological conditions such as allergy. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002298': { - 'name': 'CD4-positive, CD25-positive, alpha-beta regulatory T cell differentiation involved in immune response', - 'def': 'The process in which an antigenically naive CD4-positive, alpha-beta T cell acquires the specialized features of a CD4-positive, CD25-positive, alpha-beta regulatory T cell as part of an immune response. [GOC:add, PMID:12093005]' - }, - 'GO:0002299': { - 'name': 'alpha-beta intraepithelial T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of an alpha-beta intraepithelial T cell. Intraepithelial T cells are found among epithelial cells in mucosal areas and have distinct phenotypes and developmental pathways. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002300': { - 'name': 'CD8-positive, alpha-beta intraepithelial T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a CD8-positive, alpha-beta intraepithelial T cell. Intraepithelial T cells are found among epithelial cells in mucosal areas and have distinct phenotypes and developmental pathways. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002301': { - 'name': 'CD4-positive, alpha-beta intraepithelial T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a CD4-positive, alpha-beta intraepithelial T cell. Intraepithelial T cells are found among epithelial cells in mucosal areas and have distinct phenotypes and developmental pathways. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002302': { - 'name': 'CD8-positive, alpha-beta T cell differentiation involved in immune response', - 'def': 'The process in which an antigenically naive CD8-positive, alpha-beta T cell acquires the specialized features of an effector, regulatory, or memory T cell as part of an immune response. Effector T cells include cells which provide T cell help or exhibit cytotoxicity towards other cells. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002303': { - 'name': 'gamma-delta T cell differentiation involved in immune response', - 'def': 'The process in which an antigenically naive gamma-delta T cell acquires the specialized features of an effector, regulatory, or memory T cell and contributes to an immune response. Effector T cells include cells which provide T cell help or exhibit cytotoxicity towards other cells. [GOC:add]' - }, - 'GO:0002304': { - 'name': 'gamma-delta intraepithelial T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a gamma-delta intraepithelial T cell. Intraepithelial T cells are found among epithelial cells in mucosal areas and have distinct phenotypes and developmental pathways. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002305': { - 'name': 'CD8-positive, gamma-delta intraepithelial T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a CD8-positive, gamma-delta intraepithelial T cell. Intraepithelial T cells are found among epithelial cells in mucosal areas and have distinct phenotypes and developmental pathways. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002306': { - 'name': 'CD4-positive gamma-delta intraepithelial T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a CD4-positive, gamma-delta intraepithelial T cell. Intraepithelial T cells are found among epithelial cells in mucosal areas and have distinct phenotypes and developmental pathways. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002307': { - 'name': 'CD8-positive, alpha-beta regulatory T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a CD8-positive, alpha-beta regulatory T cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002308': { - 'name': 'CD8-positive, alpha-beta cytotoxic T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a CD8-positive, alpha-beta cytotoxic T cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002309': { - 'name': 'T cell proliferation involved in immune response', - 'def': 'The expansion of a T cell population by cell division as part of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002310': { - 'name': 'alpha-beta T cell proliferation involved in immune response', - 'def': 'The expansion of an alpha-beta T cell population by cell division as part of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002311': { - 'name': 'gamma-delta T cell proliferation involved in immune response', - 'def': 'The expansion of a gamma-delta T cell population by cell division as part of an immune response. [GOC:add]' - }, - 'GO:0002312': { - 'name': 'B cell activation involved in immune response', - 'def': 'The change in morphology and behavior of a mature or immature B cell during an immune response, resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [GOC:jal]' - }, - 'GO:0002313': { - 'name': 'mature B cell differentiation involved in immune response', - 'def': 'The process in which a naive B cell acquires the specialized features of a mature or memory B cell during an immune response. [GOC:jal]' - }, - 'GO:0002314': { - 'name': 'germinal center B cell differentiation', - 'def': 'The process in which a B cell in the spleen acquires the specialized features of a germinal center B cell. Germinal center B cells are rapidly cycling B cells which have downregulated IgD expression and exhibit high levels of binding by peanut agglutinin (PNA). [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002315': { - 'name': 'marginal zone B cell differentiation', - 'def': 'The process in which a B cell in the spleen acquires the specialized features of a marginal zone B cell. Marginal zone B cells are localized in a distinct anatomical region of the spleen that represents the major antigen-filtering and scavenging area (by specialized macrophages resident there). It appears that they are preselected to express a BCR repertoire similar to B-1 B cells, biased toward bacterial cell wall constituents and senescent self-components (such as oxidized LDL). [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002316': { - 'name': 'follicular B cell differentiation', - 'def': 'The process in which a B cell in the spleen acquires the specialized features of a follicular B cell. Follicular B cells are major population of mature recirculating B cells in the spleen and are located in the B-cell follicle region. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002317': { - 'name': 'plasma cell differentiation', - 'def': 'The process in which a B cell acquires the specialized features of a plasma cell. A plasma cell is a lymphocyte which develops from a B cell and produces high amounts of antibody. [GOC:jal]' - }, - 'GO:0002318': { - 'name': 'myeloid progenitor cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a myeloid progenitor cell. Myeloid progenitor cells include progenitor cells for any of the myeloid lineages. [GOC:add, PMID:16551264]' - }, - 'GO:0002319': { - 'name': 'memory B cell differentiation', - 'def': 'The process in which a B cell acquires the specialized features of a memory B cell. Memory B cells are cells that can respond rapidly to antigen re-exposure by production of high-affinity antibody. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002320': { - 'name': 'lymphoid progenitor cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a lymphoid progenitor cell. Lymphoid progenitor cells include progenitor cells for any of the lymphoid lineages. [GOC:add, PMID:16551251, PMID:16551264]' - }, - 'GO:0002321': { - 'name': 'natural killer cell progenitor differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a natural killer cell progenitor. [GOC:add, PMID:16551251, PMID:16551264]' - }, - 'GO:0002322': { - 'name': 'B cell proliferation involved in immune response', - 'def': 'The expansion of a B cell population by cell division following B cell activation during an immune response. [GOC:jal]' - }, - 'GO:0002323': { - 'name': 'natural killer cell activation involved in immune response', - 'def': 'The change in morphology and behavior of a natural killer cell resulting from exposure a cytokine, chemokine, cellular ligand, or soluble factor, leading to the initiation or perpetuation of an immune response. [GOC:add, PMID:15032583]' - }, - 'GO:0002324': { - 'name': 'natural killer cell proliferation involved in immune response', - 'def': 'The expansion of a natural killer cell population by cell division as part of an immune response. [GOC:add, PMID:15032583]' - }, - 'GO:0002325': { - 'name': 'natural killer cell differentiation involved in immune response', - 'def': 'The process in which a naive natural killer cell acquires the specialized features of an effector natural killer T cell as part of an immune response. [GOC:add, PMID:11698225]' - }, - 'GO:0002326': { - 'name': 'B cell lineage commitment', - 'def': 'The process in which a lymphoid progenitor cell becomes committed to become any type of B cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002327': { - 'name': 'immature B cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of an immature B cell. [GOC:jal, ISBN:0781735149, PMID:16551251]' - }, - 'GO:0002328': { - 'name': 'pro-B cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a pro-B cell. Pro-B cells are the earliest stage of the B cell lineage and undergo heavy chain D and J gene rearrangements, although they are not fully committed. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002329': { - 'name': 'pre-B cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a pre-B cell. Pre-B cells follow the pro-B cell stage of immature B cell differentiation and undergo rearrangement of heavy chain V, D, and J gene segments. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002330': { - 'name': 'pre-B cell receptor expression', - 'def': 'The process leading up to expression of the pre-B cell receptor on the surface of pre-B cells, including expression of the surrogate light chain, association of the surrogate light chain with heavy chain, and expression of the complete pre-B cell receptor on the cell surface. [GOC:add, GOC:jal, ISBN:0781735149]' - }, - 'GO:0002331': { - 'name': 'pre-B cell allelic exclusion', - 'def': 'Expression of a single heavy chain allele during pre-B cell differentiation. [GOC:add, GOC:jal, ISBN:0781735149]' - }, - 'GO:0002332': { - 'name': 'transitional stage B cell differentiation', - 'def': 'The process in which immature B cells from the bone marrow become mature B cells in the spleen. Transitional stage B cells are subdivided into transitional one (T1) and transitional two (T2) stages and are short-lived and functionally incompetent. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002333': { - 'name': 'transitional one stage B cell differentiation', - 'def': 'The process in which immature B cells from the bone marrow acquire the specialized features of T1 stage B cells in the spleen. T1 stage B cells do not express either CD23 or CD21. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002334': { - 'name': 'transitional two stage B cell differentiation', - 'def': 'The process in which immature B cells from the bone marrow acquire the specialized features of T2 stage B cells in the spleen. T2 stage B cells express CD23 but not CD21. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002335': { - 'name': 'mature B cell differentiation', - 'def': 'The process in which transitional stage B cells acquire the specialized features of mature B cells in the spleen. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002336': { - 'name': 'B-1 B cell lineage commitment', - 'def': 'The process in which an immature B cell becomes committed to become a B-1 B cell. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002337': { - 'name': 'B-1a B cell differentiation', - 'def': 'The process in which B cells acquire the specialized features of B-1a B cells. B-1a B cells are B-1 cells that express CD5 and arise from fetal liver precursors. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002338': { - 'name': 'B-1b B cell differentiation', - 'def': 'The process in which B cells acquire the specialized features of B-1b B cells. B-1b B cells are B-1 cells that do not express CD5. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002339': { - 'name': 'B cell selection', - 'def': 'The process dependent upon B cell antigen receptor signaling in response to self or foreign antigen through which B cells are selected for survival. [GOC:jal]' - }, - 'GO:0002340': { - 'name': 'central B cell selection', - 'def': 'Any B cell selection process that occurs in the bone marrow. [GOC:jal]' - }, - 'GO:0002341': { - 'name': 'central B cell anergy', - 'def': 'Any process contributing to anergy, a state of functional inactivation that occurs as part of tolerance induction, in B cells in the bone marrow. [GOC:jal]' - }, - 'GO:0002342': { - 'name': 'central B cell deletion', - 'def': 'The deletion of B cells by apoptotic process occurring as part of central tolerance induction and B cell selection. [GOC:add, GOC:jal, GOC:mtg_apoptosis]' - }, - 'GO:0002343': { - 'name': 'peripheral B cell selection', - 'def': 'Any B cell selection process that occurs in the periphery. [GOC:jal]' - }, - 'GO:0002344': { - 'name': 'B cell affinity maturation', - 'def': 'The process in which B cells produce antibodies with increased antigen affinity. This is accomplished by somatic hypermutation and selection for B cells which produce higher affinity antibodies to antigen. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002345': { - 'name': 'peripheral B cell receptor editing', - 'def': 'The process that takes place mainly in germinal center B cells in which a large number of mutations are generated in the heavy chain and light chain V-region genes and their immediately surrounding introns in order to increase antibody diversity and contribute to affinity maturation. [GOC:jal]' - }, - 'GO:0002346': { - 'name': 'B cell positive selection', - 'def': 'Any process in which B cells are selected to survive based on signaling through the B cell antigen receptor. [GOC:jal]' - }, - 'GO:0002347': { - 'name': 'response to tumor cell', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a tumor cell. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002348': { - 'name': 'central B cell positive selection', - 'def': 'Any process leading to positive selection of B cells in the bone marrow. Positive selection is the process in which B or T cells are selected to survive based on signaling through their antigen receptors. [GOC:jal]' - }, - 'GO:0002349': { - 'name': 'histamine production involved in inflammatory response', - 'def': 'The synthesis or release of histamine following a stimulus as part of an inflammatory response, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002350': { - 'name': 'peripheral B cell positive selection', - 'def': 'Any process leading to positive selection of B cells in the periphery. Positive selection is the process in which B or T cells are selected to survive based on signaling through their antigen receptors. [GOC:jal]' - }, - 'GO:0002351': { - 'name': 'serotonin production involved in inflammatory response', - 'def': 'The synthesis or release of serotonin following a stimulus as part of an inflammatory response, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002352': { - 'name': 'B cell negative selection', - 'def': 'Any process leading to negative selection in B cells. Mechanisms of negative selection include anergy and deletion. [GOC:jal]' - }, - 'GO:0002353': { - 'name': 'plasma kallikrein-kinin cascade', - 'def': 'A series of reactions that takes place outside the cell occurring in response to tissue damage and initiated within blood plasma by the action of activated Factor XII (Hageman Factor) on prekallikrein to convert it to plasma kallikrein, and the subsequent reaction of plasma kallikrein with high molecular weight kininogen. The ultimate product of the plasma kallikrein-kinin cascade is bradykinin, an agent known to induce smooth muscle contraction, vasoconstriction, and increased vascular permeability. [GOC:add, ISBN:0721601871, PMID:11842287, PMID:14501145]' - }, - 'GO:0002354': { - 'name': 'central B cell negative selection', - 'def': 'Any process leading to negative selection of B cells in the bone marrow. [GOC:jal]' - }, - 'GO:0002355': { - 'name': 'detection of tumor cell', - 'def': 'The series of events in which a stimulus from a tumor cell is received and converted into a molecular signal. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002356': { - 'name': 'peripheral B cell negative selection', - 'def': 'Any process leading to negative selection of B cells in the periphery. [GOC:jal]' - }, - 'GO:0002357': { - 'name': 'defense response to tumor cell', - 'def': 'Reactions triggered in response to the presence of a tumor cell that act to protect the cell or organism. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002358': { - 'name': 'B cell homeostatic proliferation', - 'def': 'The non-specific expansion of B cell populations within a whole or part of an organism to reach to a total number of B cells which will then remain stable over time in the absence of an external stimulus. [GOC:jal]' - }, - 'GO:0002359': { - 'name': 'B-1 B cell proliferation', - 'def': 'The expansion of a B-1 B cell by cell division. Follows B cell activation. [GOC:jal]' - }, - 'GO:0002360': { - 'name': 'T cell lineage commitment', - 'def': 'The process in which a lymphoid progenitor cell becomes committed to becoming any type of T cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002361': { - 'name': 'CD4-positive, CD25-positive, alpha-beta regulatory T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a CD4-positive, CD25-positive, alpha-beta regulatory T cell. [GOC:add, PMID:15207821]' - }, - 'GO:0002362': { - 'name': 'CD4-positive, CD25-positive, alpha-beta regulatory T cell lineage commitment', - 'def': 'The process in which a CD4-positive, alpha-beta T cell becomes committed to becoming a CD4-positive, CD25-positive, alpha-beta regulatory T cell. [GOC:add, PMID:15207821]' - }, - 'GO:0002363': { - 'name': 'alpha-beta T cell lineage commitment', - 'def': 'The process in which a pro-T cell becomes committed to becoming an alpha-beta T cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002364': { - 'name': 'NK T cell lineage commitment', - 'def': 'The process in which a pro-T cell becomes committed to becoming an NK T cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002365': { - 'name': 'gamma-delta T cell lineage commitment', - 'def': 'The process in which a pro-T cell becomes committed to becoming a gamma-delta T cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002366': { - 'name': 'leukocyte activation involved in immune response', - 'def': 'A change in morphology and behavior of a leukocyte resulting from exposure to a specific antigen, mitogen, cytokine, cellular ligand, or soluble factor, leading to the initiation or perpetuation of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002367': { - 'name': 'cytokine production involved in immune response', - 'def': 'The appearance of a cytokine due to biosynthesis or secretion following a cellular stimulus contributing to an immune response, resulting in an increase in its intracellular or extracellular levels. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002368': { - 'name': 'B cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a B cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002369': { - 'name': 'T cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a T cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002370': { - 'name': 'natural killer cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a natural killer cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002371': { - 'name': 'dendritic cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a dendritic cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002372': { - 'name': 'myeloid dendritic cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a myeloid dendritic cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002373': { - 'name': 'plasmacytoid dendritic cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a plasmacytoid dendritic cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002374': { - 'name': 'cytokine secretion involved in immune response', - 'def': 'The regulated release of cytokines from a cell that contributes to an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002375': { - 'name': 'cytokine biosynthetic process involved in immune response', - 'def': 'The chemical reactions and pathways resulting in the formation of a cytokine that contributes to an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002376': { - 'name': 'immune system process', - 'def': 'Any process involved in the development or functioning of the immune system, an organismal system for calibrated responses to potential internal or invasive threats. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05]' - }, - 'GO:0002377': { - 'name': 'immunoglobulin production', - 'def': 'The appearance of immunoglobulin due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002378': { - 'name': 'immunoglobulin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of immunoglobulin. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002379': { - 'name': 'immunoglobulin biosynthetic process involved in immune response', - 'def': 'The chemical reactions and pathways resulting in the formation of immunoglobulin contributing to an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002380': { - 'name': 'immunoglobulin secretion involved in immune response', - 'def': 'The regulated release of immunoglobulins from a B cell or plasma cell contributing to an immune response. [GOC:add, ISBN:0781735149, PMID:9185563]' - }, - 'GO:0002381': { - 'name': 'immunoglobulin production involved in immunoglobulin mediated immune response', - 'def': 'The appearance of immunoglobulin due to biosynthesis or secretion following a cellular stimulus during an immune response, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002382': { - 'name': 'regulation of tissue kallikrein-kinin cascade', - 'def': 'Any process that modulates the frequency, rate, or extent of the tissue kallikrein-kinin cascade. [GOC:add]' - }, - 'GO:0002383': { - 'name': 'immune response in brain or nervous system', - 'def': 'An immune response taking place in the brain or nervous system. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002384': { - 'name': 'hepatic immune response', - 'def': 'An immune response taking place in the liver. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002385': { - 'name': 'mucosal immune response', - 'def': 'An immune response taking place in mucosal tissues, including those of the intestinal tract, nasal and upper respiratory tract, and genital tract. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002386': { - 'name': 'immune response in mucosal-associated lymphoid tissue', - 'def': 'Immune response taking place in the mucosal-associated lymphoid tissue (MALT). Mucosal-associated lymphoid tissue is typically found as nodules associated with mucosal epithelia with distinct internal structures including B- and T-zones for the activation of lymphocytes. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002387': { - 'name': 'immune response in gut-associated lymphoid tissue', - 'def': "Immune response taking place in the gut-associated lymphoid tissue (GALT). GALT includes Peyer's patches, appendix, and solitary lymph nodules. [GOC:jal, ISBN:0781735149]" - }, - 'GO:0002388': { - 'name': "immune response in Peyer's patch", - 'def': "Immune response taking place in the Peyer's patch, nodular lymphoid structures on the serosal surface of the small intestine. [GOC:jal, ISBN:0781735149]" - }, - 'GO:0002389': { - 'name': "tolerance induction in Peyer's patch", - 'def': "Tolerance induction taking place in the Peyer's patches. [GOC:jal, ISBN:0781735149]" - }, - 'GO:0002390': { - 'name': 'platelet activating factor production', - 'def': 'The synthesis or release of platelet activating factor following a stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002391': { - 'name': 'platelet activating factor production involved in inflammatory response', - 'def': 'The synthesis or release of platelet activating factor following a stimulus as part of an inflammatory response, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002392': { - 'name': 'platelet activating factor secretion', - 'def': 'The regulated release of platelet activating factor by a cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002393': { - 'name': 'lysosomal enzyme production involved in inflammatory response', - 'def': 'The synthesis or release of lysosomal enzymes following a stimulus as part of a inflammatory response, resulting in an increase in intracellular or extracellular levels. [GOC:add]' - }, - 'GO:0002394': { - 'name': 'tolerance induction in gut-associated lymphoid tissue', - 'def': 'Tolerance induction taking place in the gut-associated lymphoid tissue (GALT). [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002395': { - 'name': 'immune response in nasopharyngeal-associated lymphoid tissue', - 'def': 'An immune response taking place in the nasopharyngeal-associated lymphoid tissue (NALT). NALT includes the tonsils and adenoids. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002396': { - 'name': 'MHC protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an MHC protein complex. [GOC:add, ISBN:0781735149, PMID:15771591, PMID:15928678]' - }, - 'GO:0002397': { - 'name': 'MHC class I protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an MHC class I protein complex. Class I here refers to classical class I molecules. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002398': { - 'name': 'MHC class Ib protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an MHC class Ib protein complex. Class Ib here refers to non-classical class I molecules. [GOC:add, PMID:15928678, PMID:15928680]' - }, - 'GO:0002399': { - 'name': 'MHC class II protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an MHC class II protein complex. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002400': { - 'name': 'tolerance induction in nasopharyngeal-associated lymphoid tissue', - 'def': 'Tolerance induction taking place in the nasopharyngeal-associated lymphoid tissue (NALT). [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002401': { - 'name': 'tolerance induction in mucosal-associated lymphoid tissue', - 'def': 'Tolerance induction taking place in the mucosal-associated lymphoid tissue (MALT). [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002402': { - 'name': 'B cell tolerance induction in mucosal-associated lymphoid tissue', - 'def': 'Tolerance induction taking place in the mucosal-associated lymphoid tissue (MALT) mediated by B cells. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002403': { - 'name': 'T cell tolerance induction in mucosal-associated lymphoid tissue', - 'def': 'Tolerance induction taking place in the mucosal-associated lymphoid tissue (MALT) mediated by T cells. [GOC:jal, ISBN:0781735149, PMID:16551263]' - }, - 'GO:0002404': { - 'name': 'antigen sampling in mucosal-associated lymphoid tissue', - 'def': 'The process of apical-to-basolateral delivery of soluble and particulate antigens to underlying mucosal-associated lymphoid tissue. [GOC:jal, PMID:11896763, PMID:12843411, PMID:15681746]' - }, - 'GO:0002405': { - 'name': 'antigen sampling by dendritic cells in mucosal-associated lymphoid tissue', - 'def': 'The process of antigen sampling carried out by dendritic cells in the mucosal-associated lymphoid tissue. [GOC:jal, PMID:11896763, PMID:15681746]' - }, - 'GO:0002406': { - 'name': 'antigen sampling by M cells in mucosal-associated lymphoid tissue', - 'def': 'The process of antigen samples carried out by M cells in the mucosal-associated lymphoid tissue. [GOC:jal, PMID:11896763]' - }, - 'GO:0002407': { - 'name': 'dendritic cell chemotaxis', - 'def': 'The movement of a dendritic cell in response to an external stimulus. [CL:0000451, GOC:add, ISBN:0781735149, PMID:15814331, PMID:16056255]' - }, - 'GO:0002408': { - 'name': 'myeloid dendritic cell chemotaxis', - 'def': 'The movement of a myeloid dendritic cell in response to an external stimulus. [GOC:add, ISBN:0781735149, PMID:15814331, PMID:16056255]' - }, - 'GO:0002409': { - 'name': 'Langerhans cell chemotaxis', - 'def': 'The movement of a Langerhans cell in response to an external stimulus. [GOC:add, PMID:16056255, PMID:16387601]' - }, - 'GO:0002410': { - 'name': 'plasmacytoid dendritic cell chemotaxis', - 'def': 'The movement of a plasmacytoid dendritic cell in response to an external stimulus. [GOC:add, PMID:15159375, PMID:15814331]' - }, - 'GO:0002411': { - 'name': 'T cell tolerance induction to tumor cell', - 'def': 'A process of tolerance induction dependent on T cells which leads to immunological tolerance of a tumor. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002412': { - 'name': 'antigen transcytosis by M cells in mucosal-associated lymphoid tissue', - 'def': 'The process of antigen transcytosis carried out by M cells in the mucosal-associated lymphoid tissue (MALT). Transcytosis is the process of the directed movement of endocytosed material through the cell and its exocytosis from the plasma membrane at the opposite side. M cells are specialized epithelia cells with a microfold structure that are adept at moving antigens from the gut lumen to antigen presenting cells in the MALT. [GOC:jal, ISBN:0781735149, PMID:12843411]' - }, - 'GO:0002413': { - 'name': 'tolerance induction to tumor cell', - 'def': 'A process of tolerance induction which leads to immunological tolerance of a tumor. [GOC:add]' - }, - 'GO:0002414': { - 'name': 'immunoglobulin transcytosis in epithelial cells', - 'def': 'The process of transporting immunoglobulin, via transcytosis, from one side of an epithelial cell to the other. [GOC:add, ISBN:0781735149, ISBN:081533642X, PMID:16048543]' - }, - 'GO:0002415': { - 'name': 'immunoglobulin transcytosis in epithelial cells mediated by polymeric immunoglobulin receptor', - 'def': 'The process of transporting polymeric IgA and polymeric IgM immunoglobulin, via transcytosis mediated by the polymeric immunoglobulin receptor (pIgR), from the basolateral surface to apical surface of an epithelial cell. At the apical surface the immunoglobulin binding portion of the pIgRis cleaved and remains bound to the transported immunoglobulin as secretory component (SC). The same process is used for the transport and excretion of IgA immune complexes to the luminal surface of the mucosa. [GOC:add, ISBN:0781735149, ISBN:081533642X, PMID:16048543]' - }, - 'GO:0002416': { - 'name': 'IgG immunoglobulin transcytosis in epithelial cells mediated by FcRn immunoglobulin receptor', - 'def': 'The process of transporting IgG immunoglobulin, via transcytosis using the FcRn (also known as the neonatal Fc receptor; gene name FCGRT), from apical surface of an epithelial cell to the basolateral surface or vice versa depending on the location. This process is used for uptake of IgG from the milk in the gut in rodents, for transplacental transport of IgG from mother to embryo in humans, and for maintenance of a steady-state distribution of IgG across epithelial boundaries in general in adult mammals. [GOC:add, ISBN:0781735149, ISBN:081533642X]' - }, - 'GO:0002417': { - 'name': 'B cell antigen processing and presentation mediated by B cell receptor uptake of antigen', - 'def': 'B cell antigen processing and presentation which is initiated by uptake of antigen bound to the B cell receptor. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002418': { - 'name': 'immune response to tumor cell', - 'def': 'An immune system process that functions in the response of an organism to a tumor cell. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002419': { - 'name': 'T cell mediated cytotoxicity directed against tumor cell target', - 'def': 'The directed killing of a tumor cell by a T cell through the release of granules containing cytotoxic mediators or through the engagement of death receptors. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002420': { - 'name': 'natural killer cell mediated cytotoxicity directed against tumor cell target', - 'def': 'The directed killing of a tumor cell by a natural killer cell through the release of granules containing cytotoxic mediators or through the engagement of death receptors. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002421': { - 'name': 'B cell antigen processing and presentation following pinocytosis', - 'def': 'B cell antigen processing and presentation which is initiated by uptake of antigen via pinocytosis. [GOC:add, PMID:7543530]' - }, - 'GO:0002422': { - 'name': 'immune response in urogenital tract', - 'def': 'An immune response taking place in the urogenital tract. The urogenital tract. [GOC:jal]' - }, - 'GO:0002423': { - 'name': 'natural killer cell mediated immune response to tumor cell', - 'def': 'An immune response mediated by a natural killer cell triggered in response to the presence of a tumor cell. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002424': { - 'name': 'T cell mediated immune response to tumor cell', - 'def': 'An immune response mediated by a T cell triggered in response to the presence of a tumor cell. [GOC:add, ISBN:0781735149, PMID:16730260]' - }, - 'GO:0002425': { - 'name': 'tolerance induction in urogenital tract', - 'def': 'Tolerance induction taking place in the urogenital tract. [GOC:jal]' - }, - 'GO:0002426': { - 'name': 'immunoglobulin production in mucosal tissue', - 'def': 'The synthesis and release of immunoglobulin in the mucosal tissue. [GOC:jal]' - }, - 'GO:0002427': { - 'name': 'mucosal tolerance induction', - 'def': 'Tolerance induction taking place in the mucosal tissues. [GOC:jal]' - }, - 'GO:0002428': { - 'name': 'antigen processing and presentation of peptide antigen via MHC class Ib', - 'def': 'The process in which an antigen-presenting cell expresses peptide antigen in association with an MHC class Ib protein complex on its cell surface. The peptide antigen may originate from an endogenous or exogenous protein. Class Ib here refers to non-classical class I molecules, such as those of the HLA-E family. [GOC:add, PMID:15928678]' - }, - 'GO:0002429': { - 'name': 'immune response-activating cell surface receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of a cell capable of activating or perpetuating an immune response. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002430': { - 'name': 'complement receptor mediated signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of a component of the complement pathway binding to a complement receptor. Such components include both whole complement proteins and fragments of complement proteins generated through the activity of the complement pathway. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002431': { - 'name': 'Fc receptor mediated stimulatory signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of a the binding of the Fc portion of an immunoglobulin by an Fc receptor capable of activating or perpetuating an immune response. The Fc portion of an immunoglobulin is its C-terminal constant region. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002432': { - 'name': 'granuloma formation', - 'def': 'The formation of nodular inflammatory lesions, usually small or granular, firm, persistent, well-structured, and containing compactly grouped T lymphocytes and modified phagocytes such as epithelioid cells, giant cells, and other macrophages. Granuloma formation represents a chronic inflammatory response initiated by various infectious and noninfectious agents. The center of a granuloma consists of fused macrophages, which can become necrotic. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:068340007X, ISBN:0721601464, ISBN:081533642X]' - }, - 'GO:0002433': { - 'name': 'immune response-regulating cell surface receptor signaling pathway involved in phagocytosis', - 'def': 'An immune response-regulating cell surface receptor signaling pathway that contributes to the endocytic engulfment of external particulate material by phagocytes. [GO_REF:0000022, GOC:add, GOC:bf, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002434': { - 'name': 'immune complex clearance', - 'def': 'A process directed at removing immune complexes from the body. Immune complexes are clusters of antibodies bound to antigen, to which complement may also be fixed, and which may precipitate or remain in solution. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:068340007X]' - }, - 'GO:0002435': { - 'name': 'immune complex clearance by erythrocytes', - 'def': 'The process of immune complex clearance by erythrocytes. [GOC:add, PMID:11414352]' - }, - 'GO:0002436': { - 'name': 'immune complex clearance by monocytes and macrophages', - 'def': 'The process of immune complex clearance by monocytes or macrophages. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002437': { - 'name': 'inflammatory response to antigenic stimulus', - 'def': 'An inflammatory response to an antigenic stimulus, which can be include any number of T cell or B cell epitopes. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002438': { - 'name': 'acute inflammatory response to antigenic stimulus', - 'def': 'An acute inflammatory response to an antigenic stimulus. An acute inflammatory response occurs within a matter of minutes or hours, and either resolves within a few days or becomes a chronic inflammatory response. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002439': { - 'name': 'chronic inflammatory response to antigenic stimulus', - 'def': 'A chronic inflammatory response to an antigenic stimulus. A chronic inflammatory response persists indefinitely during days, weeks, or months in the life of an individual. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002440': { - 'name': 'production of molecular mediator of immune response', - 'def': 'The synthesis or release of any molecular mediator of the immune response, resulting in an increase in its intracellular or extracellular levels. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002441': { - 'name': 'histamine secretion involved in inflammatory response', - 'def': 'The regulated release of histamine by a cell as part of an inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002442': { - 'name': 'serotonin secretion involved in inflammatory response', - 'def': 'The regulated release of serotonin by a cell as part of an inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002443': { - 'name': 'leukocyte mediated immunity', - 'def': 'Any process involved in the carrying out of an immune response by a leukocyte. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002444': { - 'name': 'myeloid leukocyte mediated immunity', - 'def': 'Any process involved in the carrying out of an immune response by a myeloid leukocyte. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002445': { - 'name': 'type II hypersensitivity', - 'def': 'An inflammatory response resulting in cell death or dysfunction mediated by activation of the classical complement pathway or induction of effector cell phagocytosis, cytolysis mechanisms via complement or Fc receptors following the binding of antibodies to cell surface antigens on a target cell, or mediated by the direct binding of antibody to cellular receptors. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002446': { - 'name': 'neutrophil mediated immunity', - 'def': 'Any process involved in the carrying out of an immune response by a neutrophil. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002447': { - 'name': 'eosinophil mediated immunity', - 'def': 'Any process involved in the carrying out of an immune response by an eosinophil. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002448': { - 'name': 'mast cell mediated immunity', - 'def': 'Any process involved in the carrying out of an immune response by a mast cell. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002449': { - 'name': 'lymphocyte mediated immunity', - 'def': 'Any process involved in the carrying out of an immune response by a lymphocyte. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002450': { - 'name': 'B cell antigen processing and presentation', - 'def': 'The process in which a B cell expresses antigen (peptide or lipid) on its cell surface in association with an MHC protein complex. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002451': { - 'name': 'peripheral B cell tolerance induction', - 'def': 'Tolerance induction of mature B cells in the peripheral lymphoid tissues: the blood, lymph nodes, spleen, and mucosal-associated lymphoid tissue. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002452': { - 'name': 'B cell receptor editing', - 'def': 'The process of replacing receptors on B cells, in which RAG gene expression allows continued light-chain gene rearrangement and expression of a new light change which combines with the previous heavy chain to form a new receptor. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002453': { - 'name': 'peripheral B cell anergy', - 'def': 'Any process contributing to anergy, a state of functional inactivation that occurs as part of tolerance induction, in peripheral B cells. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002454': { - 'name': 'peripheral B cell deletion', - 'def': 'The deletion of B cells by apoptotic process occurring as part of peripheral tolerance induction and B cell selection. [GOC:add, GOC:jal, GOC:mtg_apoptosis, ISBN:0781735149]' - }, - 'GO:0002455': { - 'name': 'humoral immune response mediated by circulating immunoglobulin', - 'def': 'An immune response dependent upon secreted immunoglobulin. An example of this process is found in Mus musculus. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002456': { - 'name': 'T cell mediated immunity', - 'def': 'Any process involved in the carrying out of an immune response by a T cell. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002457': { - 'name': 'T cell antigen processing and presentation', - 'def': 'The process in which a T cell expresses antigen (peptide or lipid) on its cell surface in association with an MHC protein complex. [GOC:add, PMID:11417857, PMID:15120183]' - }, - 'GO:0002458': { - 'name': 'peripheral T cell tolerance induction', - 'def': 'Tolerance induction of T cells in the periphery, in this case, any location in the body other than the thymus. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002459': { - 'name': 'adaptive immune response based on somatic recombination of immune receptors built from leucine-rich repeat domains', - 'def': 'An immune response mediated by lymphocytes expressing specific receptors for antigen produced through a somatic diversification process that includes somatic recombination of variable lymphocyte receptors (VLR) incorporating leucine-rich repeat (LRR) domains, and allowing for enhanced responses upon subsequent exposures to the same antigen (immunological memory). Examples of this process are found in jawless fish, including the lampreys (Petromyzontidae) and hagfishes (Myxinidae). [GOC:add, GOC:mtg_sensu, PMID:16373579]' - }, - 'GO:0002460': { - 'name': 'adaptive immune response based on somatic recombination of immune receptors built from immunoglobulin superfamily domains', - 'def': 'An immune response mediated by lymphocytes expressing specific receptors for antigen produced through a somatic diversification process that includes somatic recombination of germline gene segments encoding immunoglobulin superfamily domains. Recombined receptors for antigen encoded by immunoglobulin superfamily domains include T cell receptors and immunoglobulins (antibodies) produced by B cells. The first encounter with antigen elicits a primary immune response that is slow and not of great magnitude. T and B cells selected by antigen become activated and undergo clonal expansion. A fraction of antigen-reactive T and B cells become memory cells, whereas others differentiate into effector cells. The memory cells generated during the primary response enable a much faster and stronger secondary immune response upon subsequent exposures to the same antigen (immunological memory). An example of this is the adaptive immune response found in Mus musculus. [GOC:add, GOC:mtg_sensu, ISBN:0781735149, ISBN:1405196831]' - }, - 'GO:0002461': { - 'name': 'tolerance induction dependent upon immune response', - 'def': 'Tolerance induction dependent upon an immune response, typically a response by a mature T or B cell in the periphery resulting tolerance towards an antigen via induction of anergy, cellular deletion, or regulatory T cell activation. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002462': { - 'name': 'tolerance induction to nonself antigen', - 'def': 'Tolerance induction in response to nonself antigens. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002463': { - 'name': 'central tolerance induction to nonself antigen', - 'def': 'Tolerance induction to nonself antigens in the central lymphoid organs. [GOC:jal, PMID:12547504]' - }, - 'GO:0002464': { - 'name': 'peripheral tolerance induction to nonself antigen', - 'def': 'Tolerance induction to nonself antigens in the periphery. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002465': { - 'name': 'peripheral tolerance induction', - 'def': 'Tolerance induction in the peripheral lymphoid tissues: blood, lymph nodes, spleen, and mucosal-associated lymphoid tissues. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002466': { - 'name': 'peripheral tolerance induction to self antigen', - 'def': 'Tolerance induction to self antigens in the peripheral lymphoid tissues: blood, lymph nodes, spleen, and mucosal-associated lymphoid tissues. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002467': { - 'name': 'germinal center formation', - 'def': 'The process in which germinal centers form. A germinal center is a specialized microenvironment formed when activated B cells enter lymphoid follicles. Germinal centers are the foci for B cell proliferation and somatic hypermutation. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:081533642X]' - }, - 'GO:0002468': { - 'name': 'dendritic cell antigen processing and presentation', - 'def': 'The process in which a dendritic cell expresses antigen (peptide or lipid) on its cell surface in association with an MHC protein complex. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002469': { - 'name': 'myeloid dendritic cell antigen processing and presentation', - 'def': 'The process in which a myeloid dendritic cell expresses antigen (peptide or lipid) on its cell surface in association with an MHC protein complex. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002470': { - 'name': 'plasmacytoid dendritic cell antigen processing and presentation', - 'def': 'The process in which a plasmacytoid dendritic cell expresses antigen (peptide or lipid) on its cell surface in association with an MHC protein complex. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002471': { - 'name': 'monocyte antigen processing and presentation', - 'def': 'The process in which a monocyte expresses antigen (peptide or lipid) on its cell surface in association with an MHC protein complex. [GOC:add, PMID:11200054]' - }, - 'GO:0002472': { - 'name': 'macrophage antigen processing and presentation', - 'def': 'The process in which a macrophage expresses antigen (peptide or lipid) on its cell surface in association with an MHC protein complex. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002473': { - 'name': 'non-professional antigen presenting cell antigen processing and presentation', - 'def': 'The process in which a non-professional antigen presenting cell expresses antigen (peptide or lipid) on its cell surface in association with an MHC protein complex. Non-professional antigen presenting cells include all cell types but dendritic cells, B cells, T cells, monocytes, macrophages, and neutrophils. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002474': { - 'name': 'antigen processing and presentation of peptide antigen via MHC class I', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen on its cell surface in association with an MHC class I protein complex. Class I here refers to classical class I molecules. [GOC:add, ISBN:0781735149, PMID:15224092, PMID:15771591]' - }, - 'GO:0002475': { - 'name': 'antigen processing and presentation via MHC class Ib', - 'def': 'The process in which an antigen-presenting cell expresses antigen (peptide or lipid) on its cell surface in association with an MHC class Ib protein complex. Class Ib here refers to non-classical class I molecules, such as those of the CD1 or HLA-E gene families. [GOC:add, PMID:15928678, PMID:15928680]' - }, - 'GO:0002476': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class Ib', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class Ib protein complex. The peptide is typically a fragment of a larger endogenous protein which has been degraded within the cell. Class Ib here refers to non-classical class I molecules, such as those of the HLA-E gene family. [GOC:add, PMID:15928678]' - }, - 'GO:0002477': { - 'name': 'antigen processing and presentation of exogenous peptide antigen via MHC class Ib', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of exogenous origin on its cell surface in association with an MHC class Ib protein complex. The peptide is typically a fragment of a larger exogenous protein which has been degraded within the cell. Class Ib here refers to non-classical class I molecules, such as those of the HLA-E gene family. [GOC:add, PMID:15928678]' - }, - 'GO:0002478': { - 'name': 'antigen processing and presentation of exogenous peptide antigen', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of exogenous origin on its cell surface in association with an MHC protein complex. The peptide is typically a fragment of a larger exogenous protein which has been degraded within the cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002479': { - 'name': 'antigen processing and presentation of exogenous peptide antigen via MHC class I, TAP-dependent', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of exogenous origin on its cell surface in association with an MHC class I protein complex following intracellular transport via a TAP (transporter associated with antigen processing) pathway. The peptide is typically a fragment of a larger exogenous protein which has been degraded within the cell and is dependent on TAP transport from the cytosol to ER for association with the MHC class I molecule. Class I here refers to classical class I molecules. [GOC:add, PMID:15224093, PMID:15771591, PMID:16181335]' - }, - 'GO:0002480': { - 'name': 'antigen processing and presentation of exogenous peptide antigen via MHC class I, TAP-independent', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of exogenous origin on its cell surface in association with an MHC class I protein complex following intracellular transport via a pathway not requiring TAP (transporter associated with antigen processing). The peptide is typically a fragment of a larger exogenous protein which has been degraded within the cell. Class I here refers to classical class I molecules. [GOC:add, PMID:15224093, PMID:15771591, PMID:16181335]' - }, - 'GO:0002481': { - 'name': 'antigen processing and presentation of exogenous protein antigen via MHC class Ib, TAP-dependent', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of exogenous origin on its cell surface in association with an MHC class Ib protein complex following intracellular transport via a TAP (transporter associated with antigen processing) pathway. The peptide is typically a fragment of a larger exogenous protein which has been degraded within the cell and is dependent on TAP transport from the cytosol to ER for association with the MHC class Ib molecule. Class Ib here refers to non-classical class I molecules, such as those of the HLA-E gene family. [GOC:add, PMID:15928678]' - }, - 'GO:0002482': { - 'name': 'antigen processing and presentation of exogenous protein antigen via MHC class Ib, TAP-independent', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of exogenous origin on its cell surface in association with an MHC class Ib protein complex following intracellular transport via a pathway not requiring TAP (transporter associated with antigen processing). The peptide is typically a fragment of a larger exogenous protein which has been degraded within the cell. Class Ib here refers to non-classical class I molecules, such as those of the HLA-E gene family. [GOC:add, PMID:15928678]' - }, - 'GO:0002483': { - 'name': 'antigen processing and presentation of endogenous peptide antigen', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC protein complex. The peptide is typically a fragment of a larger endogenous protein which has been degraded within the cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002484': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class I via ER pathway', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class I protein complex following intracellular transport via an ER pathway. The peptide is typically a fragment of a larger endogenous protein which has been degraded within the cell and becomes associated with the MHC class I molecule in the ER. Class I here refers to classical class I molecules. [GOC:add, ISBN:0781735149, PMID:14647477, PMID:15771591]' - }, - 'GO:0002485': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class I via ER pathway, TAP-dependent', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class I protein complex following intracellular transport via a TAP-dependent ER pathway. The peptide is typically a fragment of a larger endogenous protein which has been degraded within the cell and becomes associated with the MHC class I molecule in the ER following TAP-dependent transport from the cytosol. Class I here refers to classical class I molecules. [GOC:add, ISBN:0781735149, PMID:14647477, PMID:15771591]' - }, - 'GO:0002486': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class I via ER pathway, TAP-independent', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class I protein complex following intracellular transport via a TAP-independent ER pathway. The peptide is typically a fragment of a larger endogenous protein which has been degraded within the cell and becomes associated with the MHC class I molecule in the ER following transport from the cytosol via a TAP-independent pathway. Class I here refers to classical class I molecules. [GOC:add, PMID:14647477, PMID:15771591]' - }, - 'GO:0002487': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class I via endolysosomal pathway', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class I protein complex. The peptide is typically a fragment of a larger endogenous protein which has been degraded within the cell and becomes associated with the MHC class I molecule in an endolysosome. Class I here refers to classical class I molecules. [GOC:add, PMID:10631943]' - }, - 'GO:0002488': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class Ib via ER pathway', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class Ib protein complex following intracellular transport via an ER pathway. The peptide is typically a fragment of a larger endogenous protein which has been degraded within the cell and becomes associated with the MHC class Ib molecule in the ER. Class Ib here refers to non-classical class I molecules, such as those of the HLA-E gene family. [GOC:add, PMID:15928678]' - }, - 'GO:0002489': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class Ib via ER pathway, TAP-dependent', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class Ib protein complex following intracellular transport via a TAP (transporter associated with antigen processing) pathway. The peptide is typically a fragment of a larger endogenous protein which has been degraded within the cell and is dependent on TAP transport from the cytosol to ER for association with the MHC class Ib molecule. Class Ib here refers to non-classical class I molecules, such as those of the HLA-E gene family. [GOC:add, PMID:15928678]' - }, - 'GO:0002490': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class Ib via ER pathway, TAP-independent', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class Ib protein complex following intracellular transport via a pathway not requiring TAP (transporter associated with antigen processing). The peptide is typically a fragment of a larger endogenous protein which has been degraded within the cell. Class Ib here refers to non-classical class I molecules, such as those of the HLA-E gene family. [GOC:add, PMID:15928678]' - }, - 'GO:0002491': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class II', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class II protein complex. The peptide antigen is typically, but not always, processed from a whole protein. [GOC:add, PMID:15531770, PMID:16181338]' - }, - 'GO:0002492': { - 'name': 'peptide antigen assembly with MHC class Ib protein complex', - 'def': 'The binding of a peptide antigen to the antigen binding groove of an MHC class Ib protein complex. Class Ib here refers to non-classical class I molecules, such as those of the HLA-E gene family. [GOC:add, PMID:15928678]' - }, - 'GO:0002493': { - 'name': 'lipid antigen assembly with MHC class Ib protein complex', - 'def': 'The binding of a lipid antigen to the antigen binding groove of an MHC class Ib protein complex. Class Ib here refers to non-classical class I molecules, such as those of the CD1 gene family. [GOC:add, PMID:15928678, PMID:15928680]' - }, - 'GO:0002494': { - 'name': 'lipid antigen transport', - 'def': 'The directed movement of a lipid antigen into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:add, PMID:15928678, PMID:15928680]' - }, - 'GO:0002495': { - 'name': 'antigen processing and presentation of peptide antigen via MHC class II', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen on its cell surface in association with an MHC class II protein complex. The peptide antigen is typically, but not always, processed from a whole protein. [GOC:add, ISBN:0781735149, PMID:15531770, PMID:15771591]' - }, - 'GO:0002496': { - 'name': 'proteolysis associated with antigen processing and presentation', - 'def': 'The hydrolysis of a peptide bond or bonds within a protein contributing to antigen processing and presentation. [GOC:add, ISBN:0781735149, PMID:15224092, PMID:15771591]' - }, - 'GO:0002497': { - 'name': 'proteasomal proteolysis associated with antigen processing and presentation', - 'def': 'The hydrolysis of a peptide bond or bonds within a protein by the proteasome complex contributing to antigen processing and presentation. [GOC:add, ISBN:0781735149, PMID:15224092, PMID:15771591]' - }, - 'GO:0002498': { - 'name': 'proteolysis within endoplasmic reticulum associated with antigen processing and presentation', - 'def': 'The hydrolysis of a peptide bond or bonds within a protein by ER resident proteases contributing to antigen processing and presentation. [GOC:add, ISBN:0781735149, PMID:15224092, PMID:15771591]' - }, - 'GO:0002499': { - 'name': 'proteolysis within endosome associated with antigen processing and presentation', - 'def': 'The hydrolysis of a peptide bond or bonds within a protein by endosomal resident proteases contributing to antigen processing and presentation. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002500': { - 'name': 'proteolysis within lysosome associated with antigen processing and presentation', - 'def': 'The hydrolysis of a peptide bond or bonds within a protein by lysosomal resident proteases contributing to antigen processing and presentation. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002501': { - 'name': 'peptide antigen assembly with MHC protein complex', - 'def': 'The binding of a peptide to the antigen binding groove of an MHC protein complex. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002502': { - 'name': 'peptide antigen assembly with MHC class I protein complex', - 'def': 'The binding of a peptide to the antigen binding groove of an MHC class I protein complex. Class I here refers to classical class I molecules. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002503': { - 'name': 'peptide antigen assembly with MHC class II protein complex', - 'def': 'The binding of a peptide to the antigen binding groove of an MHC class II protein complex. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0002504': { - 'name': 'antigen processing and presentation of peptide or polysaccharide antigen via MHC class II', - 'def': 'The process in which an antigen-presenting cell expresses antigen (peptide or polysaccharide) on its cell surface in association with an MHC class II protein complex. [GOC:add, ISBN:0781735149, PMID:15531770, PMID:15771591, PMID:16153240]' - }, - 'GO:0002505': { - 'name': 'antigen processing and presentation of polysaccharide antigen via MHC class II', - 'def': 'The process in which an antigen-presenting cell expresses a polysaccharide antigen on its cell surface in association with an MHC class II protein complex. [GOC:add, PMID:16153240]' - }, - 'GO:0002506': { - 'name': 'polysaccharide assembly with MHC class II protein complex', - 'def': 'The binding of a polysaccharide to the antigen binding groove of an MHC class II protein complex. [GOC:add, PMID:16153240]' - }, - 'GO:0002507': { - 'name': 'tolerance induction', - 'def': 'A process that directly activates any of the steps required for tolerance, a physiologic state in which the immune system does not react destructively against the components of an organism that harbors it or against antigens that are introduced to it. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002508': { - 'name': 'central tolerance induction', - 'def': 'Tolerance induction in the central lymphoid organs: the thymus and bone marrow. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002509': { - 'name': 'central tolerance induction to self antigen', - 'def': 'Tolerance induction in the central lymphoid organs directed at self antigens. [GOC:jal, ISBN:0781735149, PMID:16460922]' - }, - 'GO:0002510': { - 'name': 'central B cell tolerance induction', - 'def': 'Tolerance induction of B cells in the bone marrow. [GOC:jal, PMID:16460922]' - }, - 'GO:0002511': { - 'name': 'central B cell receptor editing', - 'def': 'Receptor editing occurring in B cells in the bone marrow. [GOC:jal, PMID:16460922]' - }, - 'GO:0002512': { - 'name': 'central T cell tolerance induction', - 'def': 'Tolerance induction of T cells in the thymus. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002513': { - 'name': 'tolerance induction to self antigen', - 'def': 'Tolerance induction directed at self antigens. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002514': { - 'name': 'B cell tolerance induction', - 'def': 'A process involving any mechanism for tolerance induction in B cells. [GOC:jal, ISBN:0781735149, PMID:16460922]' - }, - 'GO:0002515': { - 'name': 'B cell anergy', - 'def': 'Any process contributing to anergy in B cells, a state of functional inactivation which is part of B cell tolerance induction. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002516': { - 'name': 'B cell deletion', - 'def': 'The apoptotic death of B cells which is part of B cell tolerance induction. [GOC:add, GOC:jal, ISBN:0781735149]' - }, - 'GO:0002517': { - 'name': 'T cell tolerance induction', - 'def': 'A process involving any mechanism for tolerance induction in T cells. [GOC:jal, ISBN:0781735149, PMID:16551263]' - }, - 'GO:0002518': { - 'name': 'lymphocyte chemotaxis across high endothelial venule', - 'def': 'The movement of a lymphocyte to cross a high endothelial venule in response to an external stimulus. [GOC:add, ISBN:0781735149, PMID:15122201]' - }, - 'GO:0002519': { - 'name': 'natural killer cell tolerance induction', - 'def': 'Tolerance induction of natural killer cells. [GOC:jal, PMID:16546094]' - }, - 'GO:0002520': { - 'name': 'immune system development', - 'def': 'The process whose specific outcome is the progression of an organismal system whose objective is to provide calibrated responses by an organism to a potential internal or invasive threat, over time, from its formation to the mature structure. A system is a regularly interacting or interdependent group of organs or tissues that work together to carry out a given biological process. [GOC:add, GOC:dph]' - }, - 'GO:0002521': { - 'name': 'leukocyte differentiation', - 'def': 'The process in which a relatively unspecialized hemopoietic precursor cell acquires the specialized features of a leukocyte. A leukocyte is an achromatic cell of the myeloid or lymphoid lineages capable of ameboid movement, found in blood or other tissue. [CL:0000738, GOC:add, PMID:16551264]' - }, - 'GO:0002522': { - 'name': 'leukocyte migration involved in immune response', - 'def': 'The movement of a leukocyte within or between different tissues and organs of the body as part of an immune response. [GOC:add, ISBN:0781735149, PMID:14680625, PMID:14708592, PMID:7507411, PMID:8600538]' - }, - 'GO:0002523': { - 'name': 'leukocyte migration involved in inflammatory response', - 'def': 'The movement of a leukocyte within or between different tissues and organs of the body contributing to an inflammatory response. [GOC:add, ISBN:0781735149, PMID:14680625, PMID:14708592, PMID:7507411, PMID:8600538]' - }, - 'GO:0002524': { - 'name': 'hypersensitivity', - 'def': 'An inflammatory response to an exogenous environmental antigen or an endogenous antigen initiated by the adaptive immune system. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002525': { - 'name': 'acute inflammatory response to non-antigenic stimulus', - 'def': 'An acute inflammatory response to non-antigenic stimuli such as heat or physical trauma. [GOC:jal, PMID:16459497, PMID:9073326]' - }, - 'GO:0002526': { - 'name': 'acute inflammatory response', - 'def': 'Inflammation which comprises a rapid, short-lived, relatively uniform response to acute injury or antigenic challenge and is characterized by accumulations of fluid, plasma proteins, and granulocytic leukocytes. An acute inflammatory response occurs within a matter of minutes or hours, and either resolves within a few days or becomes a chronic inflammatory response. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002527': { - 'name': 'vasodilation involved in acute inflammatory response', - 'def': 'An increase in the internal diameter of blood vessels, especially arterioles or capillaries, usually resulting in a decrease in blood pressure contributing to an acute inflammatory response. [GOC:jal]' - }, - 'GO:0002528': { - 'name': 'regulation of vascular permeability involved in acute inflammatory response', - 'def': 'Any process that modulates the extent to which blood vessels can be pervaded by fluid contributing to an acute inflammatory response. [GOC:jal]' - }, - 'GO:0002529': { - 'name': 'regulation of plasma kallikrein-kinin cascade', - 'def': 'Any process that modulates the frequency, rate, or extent of the plasma kallikrein-kinin cascade. [GOC:add]' - }, - 'GO:0002530': { - 'name': 'regulation of systemic arterial blood pressure involved in acute-phase response', - 'def': 'Any process that modulates the force with which blood travels through the circulatory system that contributes to the acute phase response. The acute phase response occurs during the early phases of an infection and is marked by changes in the production of plasma proteins such as C-reactive protein. [GOC:jal, ISBN:081533642X]' - }, - 'GO:0002531': { - 'name': 'regulation of heart contraction involved in acute-phase response', - 'def': 'Any process that modulates the frequency, rate or extent of heart contraction that contributes to the acute phase response. The acute phase response occurs during the early phases of an infection and is marked by changes in the production of plasma proteins such as C-reactive protein. [GOC:jal, PMID:15642986, PMID:15834430]' - }, - 'GO:0002532': { - 'name': 'production of molecular mediator involved in inflammatory response', - 'def': 'The synthesis or release of any molecular mediator of the inflammatory response following an inflammatory stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:dph, GOC:tb, ISBN:0781735149]' - }, - 'GO:0002533': { - 'name': 'lysosomal enzyme secretion involved in inflammatory response', - 'def': 'The regulated release of lysosomal enzymes by a cell as part of an inflammatory response. [GOC:jal, PMID:11836514]' - }, - 'GO:0002534': { - 'name': 'cytokine production involved in inflammatory response', - 'def': 'The synthesis or release of a cytokine following a inflammatory stimulus as part of an inflammatory response, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002535': { - 'name': 'platelet activating factor secretion involved in inflammatory response', - 'def': 'The regulated release of platelet activating factor by a cell as part of an inflammatory response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002536': { - 'name': 'respiratory burst involved in inflammatory response', - 'def': 'A phase of elevated metabolic activity, during which oxygen consumption increases following a stimulus as part of an inflammatory response; this leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals, resulting in an increase in their intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002537': { - 'name': 'nitric oxide production involved in inflammatory response', - 'def': 'The synthesis or release of nitric oxide following a stimulus as part of an inflammatory response, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002538': { - 'name': 'arachidonic acid metabolite production involved in inflammatory response', - 'def': 'The synthesis or release of products of arachidonic acid metabolism following a stimulus as part of an inflammatory response, resulting in an increase in their intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002539': { - 'name': 'prostaglandin production involved in inflammatory response', - 'def': 'The synthesis or release of any prostaglandin following a stimulus as part of an inflammatory response, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002540': { - 'name': 'leukotriene production involved in inflammatory response', - 'def': 'The synthesis or release of any leukotriene following a stimulus as part of an inflammatory response, resulting in an increase in its intracellular or extracellular levels. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002541': { - 'name': 'activation of plasma proteins involved in acute inflammatory response', - 'def': 'Any process activating plasma proteins by proteolysis as part of an acute inflammatory response. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002542': { - 'name': 'Factor XII activation', - 'def': 'Any process that activates Factor XII (Hageman factor). Factor XII is a protein synthesized by the liver that circulates in an inactive form until it encounters collagen or basement membrane or activated platelets (as occurs at the site of endothelial injury). Factor XII then undergoes a conformational change (becoming factor XIIa), exposing an active serine center that can subsequently cleave protein substrates and activate a variety of mediator systems. Factor XII is a participant in the clotting cascade as well as the kinin cascade. [GOC:jal, ISBN:0721601871]' - }, - 'GO:0002543': { - 'name': 'activation of blood coagulation via clotting cascade', - 'def': 'Any process that initiates the clotting cascade of blood coagulation, a cascade of plasma enzymes that is triggered following damage to blood vessels, leading to formation of a clot. [GOC:jal, ISBN:0781735149]' - }, - 'GO:0002544': { - 'name': 'chronic inflammatory response', - 'def': 'Inflammation of prolonged duration (weeks or months) in which active inflammation, tissue destruction, and attempts at repair are proceeding simultaneously. Although it may follow acute inflammation, chronic inflammation frequently begins insidiously, as a low-grade, smoldering, often asymptomatic response. [GO_REF:0000022, GOC:jal, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0002545': { - 'name': 'chronic inflammatory response to non-antigenic stimulus', - 'def': 'A chronic inflammatory response to a non-antigenic stimulus such as heat or physical trauma. [GOC:jal]' - }, - 'GO:0002546': { - 'name': 'negative regulation of tissue kallikrein-kinin cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of the tissue kallikrein-kinin cascade. [GOC:add]' - }, - 'GO:0002547': { - 'name': 'positive regulation of tissue kallikrein-kinin cascade', - 'def': 'Any process that activates or increases the frequency, rate, or extent of the tissue kallikrein-kinin cascade. [GOC:add]' - }, - 'GO:0002548': { - 'name': 'monocyte chemotaxis', - 'def': 'The movement of a monocyte in response to an external stimulus. [GOC:add, PMID:11696603, PMID:15173832]' - }, - 'GO:0002549': { - 'name': 'negative regulation of plasma kallikrein-kinin cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of the plasma kallikrein-kinin cascade. [GOC:add]' - }, - 'GO:0002550': { - 'name': 'positive regulation of plasma kallikrein-kinin cascade', - 'def': 'Any process that activates or increases the frequency, rate, or extent of the plasma kallikrein-kinin cascade. [GOC:add]' - }, - 'GO:0002551': { - 'name': 'mast cell chemotaxis', - 'def': 'The movement of a mast cell in response to an external stimulus. [GOC:add, PMID:11292027, PMID:12789214, PMID:16448392]' - }, - 'GO:0002552': { - 'name': 'serotonin secretion by mast cell', - 'def': 'The regulated release of serotonin by a mast cell or group of mast cells. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002553': { - 'name': 'histamine secretion by mast cell', - 'def': 'The regulated release of histamine by a mast cell or group of mast cells. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002554': { - 'name': 'serotonin secretion by platelet', - 'def': 'The regulated release of serotonin by a platelet or group of platelets. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002555': { - 'name': 'histamine secretion by platelet', - 'def': 'The regulated release of histamine by a platelet or group of platelets. [GOC:add, PMID:9117517]' - }, - 'GO:0002556': { - 'name': 'serotonin secretion by basophil', - 'def': 'The regulated release of serotonin by a basophil or group of basophils. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002557': { - 'name': 'histamine secretion by basophil', - 'def': 'The regulated release of histamine by a basophil or group of basophils. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002558': { - 'name': 'type I hypersensitivity mediated by mast cells', - 'def': 'An inflammatory response driven by antigen recognition by antibodies bound to Fc receptors on mast cells, occurring within minutes after exposure of a sensitized individual to the antigen, and leading to the release of a variety of inflammatory mediators such as histamines. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002559': { - 'name': 'type I hypersensitivity mediated by basophils', - 'def': 'An inflammatory response driven by antigen recognition by antibodies bound to Fc receptors basophils, occurring within minutes after exposure of a sensitized individual to the antigen, and leading to the release of a variety of inflammatory mediators such as histamines. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002560': { - 'name': 'basophil mediated immunity', - 'def': 'Any process involved in the carrying out of an immune response by a basophil. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002561': { - 'name': 'basophil degranulation', - 'def': 'The regulated exocytosis of secretory granules containing preformed mediators such as histamine, serotonin, and neutral proteases by a basophil. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002562': { - 'name': 'somatic diversification of immune receptors via germline recombination within a single locus', - 'def': 'The process in which immune receptor genes are diversified through recombination of the germline genetic elements within a single genetic locus. [GOC:add, ISBN:0781735149, PMID:16102575, PMID:16166509]' - }, - 'GO:0002563': { - 'name': 'somatic diversification of immune receptors via alternate splicing', - 'def': 'The process in which immune receptor genes are diversified through alternate splicing. [GOC:add, ISBN:0781735149, PMID:16166509]' - }, - 'GO:0002564': { - 'name': 'alternate splicing of immunoglobulin genes', - 'def': 'The generation of alternate transcripts of immunoglobulin genes through alternate splicing of exons. [ISBN:0781735149, PMID:9185563]' - }, - 'GO:0002565': { - 'name': 'somatic diversification of immune receptors via gene conversion', - 'def': 'The process in which immune receptor genes are diversified through gene conversion. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002566': { - 'name': 'somatic diversification of immune receptors via somatic mutation', - 'def': 'The process in which immune receptor genes are diversified through somatic mutation. [ISBN:0781735149, PMID:16102575]' - }, - 'GO:0002567': { - 'name': 'somatic diversification of FREP-based immune receptors', - 'def': 'The process that results in the generation of sequence diversity of the FREP-based immune receptors of snails. [GOC:add, PMID:16102575]' - }, - 'GO:0002568': { - 'name': 'somatic diversification of T cell receptor genes', - 'def': 'The somatic process that results in the generation of sequence diversity of T cell receptor genes. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002569': { - 'name': 'somatic diversification of immune receptors by N region addition', - 'def': 'The addition of variable numbers of random nucleotides by terminal deoxytransferase in the N regions of heavy chain immunoglobulin and T cell receptor genes. N regions are found at the V-D, D-D, V-J, and D-J recombinational junctions, depending on the immune receptor gene. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002570': { - 'name': 'somatic diversification of immunoglobulin genes by N region addition', - 'def': 'The addition of variable numbers of random nucleotides by terminal deoxytransferase in the N regions of heavy chain immunoglobulin genes. N regions are found at the V-D and D-J recombinational junctions. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002571': { - 'name': 'somatic diversification of T cell receptor genes by N region addition', - 'def': 'The addition of variable numbers of random nucleotides by terminal deoxytransferase in the N regions of T cell receptor genes. N regions are found at the V-D, D-D, V-J, and D-J recombinational junctions, depending on the T cell receptor gene. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002572': { - 'name': 'pro-T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a pro-T cell. Pro-T cells are the earliest stage of the T cell lineage but are not fully committed. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002573': { - 'name': 'myeloid leukocyte differentiation', - 'def': 'The process in which a relatively unspecialized myeloid precursor cell acquires the specialized features of any cell of the myeloid leukocyte lineage. [GOC:add, PMID:16551251]' - }, - 'GO:0002574': { - 'name': 'thrombocyte differentiation', - 'def': 'The process in which a relatively unspecialized myeloid precursor cell acquires the specialized features of a thrombocyte, a nucleated cell found in all vertebrates but mammals involved in hemostasis. [GOC:add]' - }, - 'GO:0002575': { - 'name': 'basophil chemotaxis', - 'def': 'The movement of a basophil in response to an external stimulus. [GOC:add, PMID:11292027]' - }, - 'GO:0002576': { - 'name': 'platelet degranulation', - 'def': 'The regulated exocytosis of secretory granules containing preformed mediators such as histamine and serotonin by a platelet. [GOC:add]' - }, - 'GO:0002577': { - 'name': 'regulation of antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of antigen processing and presentation. [GOC:add]' - }, - 'GO:0002578': { - 'name': 'negative regulation of antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antigen processing and presentation. [GOC:add]' - }, - 'GO:0002579': { - 'name': 'positive regulation of antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antigen processing and presentation. [GOC:add]' - }, - 'GO:0002580': { - 'name': 'regulation of antigen processing and presentation of peptide or polysaccharide antigen via MHC class II', - 'def': 'Any process that modulates the frequency, rate, or extent of antigen processing and presentation of antigen (peptide or polysaccharide) via MHC class II. [GOC:add]' - }, - 'GO:0002581': { - 'name': 'negative regulation of antigen processing and presentation of peptide or polysaccharide antigen via MHC class II', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antigen processing and presentation of antigen (peptide or polysaccharide) via MHC class II. [GOC:add]' - }, - 'GO:0002582': { - 'name': 'positive regulation of antigen processing and presentation of peptide or polysaccharide antigen via MHC class II', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antigen processing and presentation of antigen (peptide or polysaccharide) via MHC class II. [GOC:add]' - }, - 'GO:0002583': { - 'name': 'regulation of antigen processing and presentation of peptide antigen', - 'def': 'Any process that modulates the frequency, rate, or extent of antigen processing and presentation of peptide antigen. [GOC:add]' - }, - 'GO:0002584': { - 'name': 'negative regulation of antigen processing and presentation of peptide antigen', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antigen processing and presentation of peptide antigen. [GOC:add]' - }, - 'GO:0002585': { - 'name': 'positive regulation of antigen processing and presentation of peptide antigen', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antigen processing and presentation of peptide antigen. [GOC:add]' - }, - 'GO:0002586': { - 'name': 'regulation of antigen processing and presentation of peptide antigen via MHC class II', - 'def': 'Any process that modulates the frequency, rate, or extent of antigen processing and presentation of peptide antigen via MHC class II. [GOC:add]' - }, - 'GO:0002587': { - 'name': 'negative regulation of antigen processing and presentation of peptide antigen via MHC class II', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antigen processing and presentation of peptide antigen via MHC class II. [GOC:add]' - }, - 'GO:0002588': { - 'name': 'positive regulation of antigen processing and presentation of peptide antigen via MHC class II', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antigen processing and presentation of peptide antigen via MHC class II. [GOC:add]' - }, - 'GO:0002589': { - 'name': 'regulation of antigen processing and presentation of peptide antigen via MHC class I', - 'def': 'Any process that modulates the frequency, rate, or extent of antigen processing and presentation of peptide antigen via MHC class I. [GOC:add]' - }, - 'GO:0002590': { - 'name': 'negative regulation of antigen processing and presentation of peptide antigen via MHC class I', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antigen processing and presentation of peptide antigen via MHC class I. [GOC:add]' - }, - 'GO:0002591': { - 'name': 'positive regulation of antigen processing and presentation of peptide antigen via MHC class I', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antigen processing and presentation of peptide antigen via MHC class I. [GOC:add]' - }, - 'GO:0002592': { - 'name': 'regulation of antigen processing and presentation via MHC class Ib', - 'def': 'Any process that modulates the frequency, rate, or extent of antigen processing and presentation of antigen via MHC class Ib. [GOC:add]' - }, - 'GO:0002593': { - 'name': 'negative regulation of antigen processing and presentation via MHC class Ib', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antigen processing and presentation of antigen via MHC class Ib. [GOC:add]' - }, - 'GO:0002594': { - 'name': 'positive regulation of antigen processing and presentation via MHC class Ib', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antigen processing and presentation of antigen via MHC class Ib. [GOC:add]' - }, - 'GO:0002595': { - 'name': 'regulation of antigen processing and presentation of peptide antigen via MHC class Ib', - 'def': 'Any process that modulates the frequency, rate, or extent of antigen processing and presentation of peptide antigen via MHC class Ib. [GOC:add]' - }, - 'GO:0002596': { - 'name': 'negative regulation of antigen processing and presentation of peptide antigen via MHC class Ib', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antigen processing and presentation of peptide antigen via MHC class Ib. [GOC:add]' - }, - 'GO:0002597': { - 'name': 'positive regulation of antigen processing and presentation of peptide antigen via MHC class Ib', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antigen processing and presentation of peptide antigen via MHC class Ib. [GOC:add]' - }, - 'GO:0002598': { - 'name': 'regulation of antigen processing and presentation of lipid antigen via MHC class Ib', - 'def': 'Any process that modulates the frequency, rate, or extent of antigen processing and presentation of lipid antigen via MHC class Ib. [GOC:add]' - }, - 'GO:0002599': { - 'name': 'negative regulation of antigen processing and presentation of lipid antigen via MHC class Ib', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antigen processing and presentation of lipid antigen via MHC class Ib. [GOC:add]' - }, - 'GO:0002600': { - 'name': 'positive regulation of antigen processing and presentation of lipid antigen via MHC class Ib', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antigen processing and presentation of lipid antigen via MHC class Ib. [GOC:add]' - }, - 'GO:0002601': { - 'name': 'regulation of antigen processing and presentation of polysaccharide antigen via MHC class II', - 'def': 'Any process that modulates the frequency, rate, or extent of antigen processing and presentation of polysaccharide antigen via MHC class II. [GOC:add]' - }, - 'GO:0002602': { - 'name': 'negative regulation of antigen processing and presentation of polysaccharide antigen via MHC class II', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antigen processing and presentation of polysaccharide antigen via MHC class II. [GOC:add]' - }, - 'GO:0002603': { - 'name': 'positive regulation of antigen processing and presentation of polysaccharide antigen via MHC class II', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antigen processing and presentation of polysaccharide antigen via MHC class II. [GOC:add]' - }, - 'GO:0002604': { - 'name': 'regulation of dendritic cell antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of dendritic cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002605': { - 'name': 'negative regulation of dendritic cell antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of dendritic cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002606': { - 'name': 'positive regulation of dendritic cell antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of dendritic cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002607': { - 'name': 'regulation of myeloid dendritic cell antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of myeloid dendritic cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002608': { - 'name': 'negative regulation of myeloid dendritic cell antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of myeloid dendritic cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002609': { - 'name': 'positive regulation of myeloid dendritic cell antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of myeloid dendritic cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002610': { - 'name': 'regulation of plasmacytoid dendritic cell antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of plasmacytoid dendritic cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002611': { - 'name': 'negative regulation of plasmacytoid dendritic cell antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of plasmacytoid dendritic cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002612': { - 'name': 'positive regulation of plasmacytoid dendritic cell antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of plasmacytoid dendritic cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002613': { - 'name': 'regulation of monocyte antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of monocyte antigen processing and presentation. [GOC:add]' - }, - 'GO:0002614': { - 'name': 'negative regulation of monocyte antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of monocyte antigen processing and presentation. [GOC:add]' - }, - 'GO:0002615': { - 'name': 'positive regulation of monocyte antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of monocyte antigen processing and presentation. [GOC:add]' - }, - 'GO:0002616': { - 'name': 'regulation of macrophage antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of macrophage antigen processing and presentation. [GOC:add]' - }, - 'GO:0002617': { - 'name': 'negative regulation of macrophage antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of macrophage antigen processing and presentation. [GOC:add]' - }, - 'GO:0002618': { - 'name': 'positive regulation of macrophage antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of macrophage antigen processing and presentation. [GOC:add]' - }, - 'GO:0002619': { - 'name': 'regulation of non-professional antigen presenting cell antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of non-professional antigen presenting cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002620': { - 'name': 'negative regulation of non-professional antigen presenting cell antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of non-professional antigen presenting cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002621': { - 'name': 'positive regulation of non-professional antigen presenting cell antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of non-professional antigen presenting cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002622': { - 'name': 'regulation of B cell antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of B cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002623': { - 'name': 'negative regulation of B cell antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of B cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002624': { - 'name': 'positive regulation of B cell antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of B cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002625': { - 'name': 'regulation of T cell antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of T cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002626': { - 'name': 'negative regulation of T cell antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of T cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002627': { - 'name': 'positive regulation of T cell antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of T cell antigen processing and presentation. [GOC:add]' - }, - 'GO:0002628': { - 'name': 'regulation of proteolysis associated with antigen processing and presentation', - 'def': 'Any process that modulates the frequency, rate, or extent of proteolysis associated with antigen processing and presentation. [GOC:add]' - }, - 'GO:0002629': { - 'name': 'negative regulation of proteolysis associated with antigen processing and presentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of proteolysis associated with antigen processing and presentation. [GOC:add]' - }, - 'GO:0002630': { - 'name': 'positive regulation of proteolysis associated with antigen processing and presentation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of proteolysis associated with antigen processing and presentation. [GOC:add]' - }, - 'GO:0002631': { - 'name': 'regulation of granuloma formation', - 'def': 'Any process that modulates the frequency, rate, or extent of granuloma formation. [GOC:add]' - }, - 'GO:0002632': { - 'name': 'negative regulation of granuloma formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of granuloma formation. [GOC:add]' - }, - 'GO:0002633': { - 'name': 'positive regulation of granuloma formation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of granuloma formation. [GOC:add]' - }, - 'GO:0002634': { - 'name': 'regulation of germinal center formation', - 'def': 'Any process that modulates the frequency, rate, or extent of germinal center formation. [GOC:add]' - }, - 'GO:0002635': { - 'name': 'negative regulation of germinal center formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of germinal center formation. [GOC:add]' - }, - 'GO:0002636': { - 'name': 'positive regulation of germinal center formation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of germinal center formation. [GOC:add]' - }, - 'GO:0002637': { - 'name': 'regulation of immunoglobulin production', - 'def': 'Any process that modulates the frequency, rate, or extent of immunoglobulin production. [GOC:add]' - }, - 'GO:0002638': { - 'name': 'negative regulation of immunoglobulin production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of immunoglobulin production. [GOC:add]' - }, - 'GO:0002639': { - 'name': 'positive regulation of immunoglobulin production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of immunoglobulin production. [GOC:add]' - }, - 'GO:0002640': { - 'name': 'regulation of immunoglobulin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate, or extent of immunoglobulin biosynthesis. [GOC:add]' - }, - 'GO:0002641': { - 'name': 'negative regulation of immunoglobulin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of immunoglobulin biosynthesis. [GOC:add]' - }, - 'GO:0002642': { - 'name': 'positive regulation of immunoglobulin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of immunoglobulin biosynthesis. [GOC:add]' - }, - 'GO:0002643': { - 'name': 'regulation of tolerance induction', - 'def': 'Any process that modulates the frequency, rate, or extent of tolerance induction. [GOC:add]' - }, - 'GO:0002644': { - 'name': 'negative regulation of tolerance induction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of tolerance induction. [GOC:add]' - }, - 'GO:0002645': { - 'name': 'positive regulation of tolerance induction', - 'def': 'Any process that activates or increases the frequency, rate, or extent of tolerance induction. [GOC:add]' - }, - 'GO:0002646': { - 'name': 'regulation of central tolerance induction', - 'def': 'Any process that modulates the frequency, rate, or extent of central tolerance induction. [GOC:add]' - }, - 'GO:0002647': { - 'name': 'negative regulation of central tolerance induction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of central tolerance induction. [GOC:add]' - }, - 'GO:0002648': { - 'name': 'positive regulation of central tolerance induction', - 'def': 'Any process that activates or increases the frequency, rate, or extent of central tolerance induction. [GOC:add]' - }, - 'GO:0002649': { - 'name': 'regulation of tolerance induction to self antigen', - 'def': 'Any process that modulates the frequency, rate, or extent of tolerance induction to self antigen. [GOC:add]' - }, - 'GO:0002650': { - 'name': 'negative regulation of tolerance induction to self antigen', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of tolerance induction to self antigen. [GOC:add]' - }, - 'GO:0002651': { - 'name': 'positive regulation of tolerance induction to self antigen', - 'def': 'Any process that activates or increases the frequency, rate, or extent of tolerance induction to self antigen. [GOC:add]' - }, - 'GO:0002652': { - 'name': 'regulation of tolerance induction dependent upon immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of tolerance induction dependent upon immune response. [GOC:add]' - }, - 'GO:0002653': { - 'name': 'negative regulation of tolerance induction dependent upon immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of tolerance induction dependent upon immune response. [GOC:add]' - }, - 'GO:0002654': { - 'name': 'positive regulation of tolerance induction dependent upon immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of tolerance induction dependent upon immune response. [GOC:add]' - }, - 'GO:0002655': { - 'name': 'regulation of tolerance induction to nonself antigen', - 'def': 'Any process that modulates the frequency, rate, or extent of tolerance induction to nonself antigen. [GOC:add]' - }, - 'GO:0002656': { - 'name': 'negative regulation of tolerance induction to nonself antigen', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of tolerance induction to nonself antigen. [GOC:add]' - }, - 'GO:0002657': { - 'name': 'positive regulation of tolerance induction to nonself antigen', - 'def': 'Any process that activates or increases the frequency, rate, or extent of tolerance induction to nonself antigen. [GOC:add]' - }, - 'GO:0002658': { - 'name': 'regulation of peripheral tolerance induction', - 'def': 'Any process that modulates the frequency, rate, or extent of peripheral tolerance induction. [GOC:add]' - }, - 'GO:0002659': { - 'name': 'negative regulation of peripheral tolerance induction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of peripheral tolerance induction. [GOC:add]' - }, - 'GO:0002660': { - 'name': 'positive regulation of peripheral tolerance induction', - 'def': 'Any process that activates or increases the frequency, rate, or extent of peripheral tolerance induction. [GOC:add]' - }, - 'GO:0002661': { - 'name': 'regulation of B cell tolerance induction', - 'def': 'Any process that modulates the frequency, rate, or extent of B cell tolerance induction. [GOC:add]' - }, - 'GO:0002662': { - 'name': 'negative regulation of B cell tolerance induction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of B cell tolerance induction. [GOC:add]' - }, - 'GO:0002663': { - 'name': 'positive regulation of B cell tolerance induction', - 'def': 'Any process that activates or increases the frequency, rate, or extent of B cell tolerance induction. [GOC:add]' - }, - 'GO:0002664': { - 'name': 'regulation of T cell tolerance induction', - 'def': 'Any process that modulates the frequency, rate, or extent of T cell tolerance induction. [GOC:add]' - }, - 'GO:0002665': { - 'name': 'negative regulation of T cell tolerance induction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of T cell tolerance induction. [GOC:add]' - }, - 'GO:0002666': { - 'name': 'positive regulation of T cell tolerance induction', - 'def': 'Any process that activates or increases the frequency, rate, or extent of T cell tolerance induction. [GOC:add]' - }, - 'GO:0002667': { - 'name': 'regulation of T cell anergy', - 'def': 'Any process that modulates the frequency, rate, or extent of T cell anergy. [GOC:add]' - }, - 'GO:0002668': { - 'name': 'negative regulation of T cell anergy', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of T cell anergy. [GOC:add]' - }, - 'GO:0002669': { - 'name': 'positive regulation of T cell anergy', - 'def': 'Any process that activates or increases the frequency, rate, or extent of T cell anergy. [GOC:add]' - }, - 'GO:0002670': { - 'name': 'regulation of B cell anergy', - 'def': 'Any process that modulates the frequency, rate, or extent of B cell anergy. [GOC:add]' - }, - 'GO:0002671': { - 'name': 'negative regulation of B cell anergy', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of B cell anergy. [GOC:add]' - }, - 'GO:0002672': { - 'name': 'positive regulation of B cell anergy', - 'def': 'Any process that activates or increases the frequency, rate, or extent of B cell anergy. [GOC:add]' - }, - 'GO:0002673': { - 'name': 'regulation of acute inflammatory response', - 'def': 'Any process that modulates the frequency, rate, or extent of an acute inflammatory response. [GOC:add]' - }, - 'GO:0002674': { - 'name': 'negative regulation of acute inflammatory response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an acute inflammatory response. [GOC:add]' - }, - 'GO:0002675': { - 'name': 'positive regulation of acute inflammatory response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an acute inflammatory response. [GOC:add]' - }, - 'GO:0002676': { - 'name': 'regulation of chronic inflammatory response', - 'def': 'Any process that modulates the frequency, rate, or extent of a chronic inflammatory response. [GOC:add]' - }, - 'GO:0002677': { - 'name': 'negative regulation of chronic inflammatory response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a chronic inflammatory response. [GOC:add]' - }, - 'GO:0002678': { - 'name': 'positive regulation of chronic inflammatory response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a chronic inflammatory response. [GOC:add]' - }, - 'GO:0002679': { - 'name': 'respiratory burst involved in defense response', - 'def': 'A phase of elevated metabolic activity, during which oxygen consumption increases made as part of a defense response ; this leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals. [GOC:add, ISBN:0781735149, PMID:12789499]' - }, - 'GO:0002680': { - 'name': 'pro-T cell lineage commitment', - 'def': 'The process in which a lymphoid progenitor cell becomes committed to becoming a pro-T cell. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002681': { - 'name': 'somatic recombination of T cell receptor gene segments', - 'def': 'The process in which T cell receptor genes are formed through recombination of the germline genetic elements, also known as T cell receptor gene segments. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002682': { - 'name': 'regulation of immune system process', - 'def': 'Any process that modulates the frequency, rate, or extent of an immune system process. [GOC:add]' - }, - 'GO:0002683': { - 'name': 'negative regulation of immune system process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an immune system process. [GOC:add]' - }, - 'GO:0002684': { - 'name': 'positive regulation of immune system process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an immune system process. [GOC:add]' - }, - 'GO:0002685': { - 'name': 'regulation of leukocyte migration', - 'def': 'Any process that modulates the frequency, rate, or extent of leukocyte migration. [GOC:add]' - }, - 'GO:0002686': { - 'name': 'negative regulation of leukocyte migration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of leukocyte migration. [GOC:add]' - }, - 'GO:0002687': { - 'name': 'positive regulation of leukocyte migration', - 'def': 'Any process that activates or increases the frequency, rate, or extent of leukocyte migration. [GOC:add]' - }, - 'GO:0002688': { - 'name': 'regulation of leukocyte chemotaxis', - 'def': 'Any process that modulates the frequency, rate, or extent of leukocyte chemotaxis. [GOC:add]' - }, - 'GO:0002689': { - 'name': 'negative regulation of leukocyte chemotaxis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of leukocyte chemotaxis. [GOC:add]' - }, - 'GO:0002690': { - 'name': 'positive regulation of leukocyte chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate, or extent of leukocyte chemotaxis. [GOC:add]' - }, - 'GO:0002691': { - 'name': 'regulation of cellular extravasation', - 'def': 'Any process that modulates the frequency, rate, or extent of cellular extravasation. [GOC:add]' - }, - 'GO:0002692': { - 'name': 'negative regulation of cellular extravasation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of cellular extravasation. [GOC:add]' - }, - 'GO:0002693': { - 'name': 'positive regulation of cellular extravasation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of cellular extravasation. [GOC:add]' - }, - 'GO:0002694': { - 'name': 'regulation of leukocyte activation', - 'def': 'Any process that modulates the frequency, rate, or extent of leukocyte activation. [GOC:add]' - }, - 'GO:0002695': { - 'name': 'negative regulation of leukocyte activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of leukocyte activation. [GOC:add]' - }, - 'GO:0002696': { - 'name': 'positive regulation of leukocyte activation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of leukocyte activation. [GOC:add]' - }, - 'GO:0002697': { - 'name': 'regulation of immune effector process', - 'def': 'Any process that modulates the frequency, rate, or extent of an immune effector process. [GOC:add]' - }, - 'GO:0002698': { - 'name': 'negative regulation of immune effector process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an immune effector process. [GOC:add]' - }, - 'GO:0002699': { - 'name': 'positive regulation of immune effector process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an immune effector process. [GOC:add]' - }, - 'GO:0002700': { - 'name': 'regulation of production of molecular mediator of immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of the production of molecular mediator of immune response. [GOC:add]' - }, - 'GO:0002701': { - 'name': 'negative regulation of production of molecular mediator of immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of the production of molecular mediator of immune response. [GOC:add]' - }, - 'GO:0002702': { - 'name': 'positive regulation of production of molecular mediator of immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of the production of molecular mediator of immune response. [GOC:add]' - }, - 'GO:0002703': { - 'name': 'regulation of leukocyte mediated immunity', - 'def': 'Any process that modulates the frequency, rate, or extent of leukocyte mediated immunity. [GOC:add]' - }, - 'GO:0002704': { - 'name': 'negative regulation of leukocyte mediated immunity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of leukocyte mediated immunity. [GOC:add]' - }, - 'GO:0002705': { - 'name': 'positive regulation of leukocyte mediated immunity', - 'def': 'Any process that activates or increases the frequency, rate, or extent of leukocyte mediated immunity. [GOC:add]' - }, - 'GO:0002706': { - 'name': 'regulation of lymphocyte mediated immunity', - 'def': 'Any process that modulates the frequency, rate, or extent of lymphocyte mediated immunity. [GOC:add]' - }, - 'GO:0002707': { - 'name': 'negative regulation of lymphocyte mediated immunity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of lymphocyte mediated immunity. [GOC:add]' - }, - 'GO:0002708': { - 'name': 'positive regulation of lymphocyte mediated immunity', - 'def': 'Any process that activates or increases the frequency, rate, or extent of lymphocyte mediated immunity. [GOC:add]' - }, - 'GO:0002709': { - 'name': 'regulation of T cell mediated immunity', - 'def': 'Any process that modulates the frequency, rate, or extent of T cell mediated immunity. [GOC:add]' - }, - 'GO:0002710': { - 'name': 'negative regulation of T cell mediated immunity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of T cell mediated immunity. [GOC:add]' - }, - 'GO:0002711': { - 'name': 'positive regulation of T cell mediated immunity', - 'def': 'Any process that activates or increases the frequency, rate, or extent of T cell mediated immunity. [GOC:add]' - }, - 'GO:0002712': { - 'name': 'regulation of B cell mediated immunity', - 'def': 'Any process that modulates the frequency, rate, or extent of B cell mediated immunity. [GOC:add]' - }, - 'GO:0002713': { - 'name': 'negative regulation of B cell mediated immunity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of B cell mediated immunity. [GOC:add]' - }, - 'GO:0002714': { - 'name': 'positive regulation of B cell mediated immunity', - 'def': 'Any process that activates or increases the frequency, rate, or extent of B cell mediated immunity. [GOC:add]' - }, - 'GO:0002715': { - 'name': 'regulation of natural killer cell mediated immunity', - 'def': 'Any process that modulates the frequency, rate, or extent of natural killer cell mediated immunity. [GOC:add]' - }, - 'GO:0002716': { - 'name': 'negative regulation of natural killer cell mediated immunity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of natural killer cell mediated immunity. [GOC:add]' - }, - 'GO:0002717': { - 'name': 'positive regulation of natural killer cell mediated immunity', - 'def': 'Any process that activates or increases the frequency, rate, or extent of natural killer cell mediated immunity. [GOC:add]' - }, - 'GO:0002718': { - 'name': 'regulation of cytokine production involved in immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of cytokine production that contributes to an immune response. [GOC:add]' - }, - 'GO:0002719': { - 'name': 'negative regulation of cytokine production involved in immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of cytokine production contributing to an immune response. [GOC:add]' - }, - 'GO:0002720': { - 'name': 'positive regulation of cytokine production involved in immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of cytokine production that contributes to an immune response. [GOC:add]' - }, - 'GO:0002721': { - 'name': 'regulation of B cell cytokine production', - 'def': 'Any process that modulates the frequency, rate, or extent of B cell cytokine production. [GOC:add]' - }, - 'GO:0002722': { - 'name': 'negative regulation of B cell cytokine production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of B cell cytokine production. [GOC:add]' - }, - 'GO:0002723': { - 'name': 'positive regulation of B cell cytokine production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of B cell cytokine production. [GOC:add]' - }, - 'GO:0002724': { - 'name': 'regulation of T cell cytokine production', - 'def': 'Any process that modulates the frequency, rate, or extent of T cell cytokine production. [GOC:add]' - }, - 'GO:0002725': { - 'name': 'negative regulation of T cell cytokine production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of T cell cytokine production. [GOC:add]' - }, - 'GO:0002726': { - 'name': 'positive regulation of T cell cytokine production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of T cell cytokine production. [GOC:add]' - }, - 'GO:0002727': { - 'name': 'regulation of natural killer cell cytokine production', - 'def': 'Any process that modulates the frequency, rate, or extent of natural killer cell cytokine production. [GOC:add]' - }, - 'GO:0002728': { - 'name': 'negative regulation of natural killer cell cytokine production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of natural killer cell cytokine production. [GOC:add]' - }, - 'GO:0002729': { - 'name': 'positive regulation of natural killer cell cytokine production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of natural killer cell cytokine production. [GOC:add]' - }, - 'GO:0002730': { - 'name': 'regulation of dendritic cell cytokine production', - 'def': 'Any process that modulates the frequency, rate, or extent of dendritic cell cytokine production. [GOC:add]' - }, - 'GO:0002731': { - 'name': 'negative regulation of dendritic cell cytokine production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of dendritic cell cytokine production. [GOC:add]' - }, - 'GO:0002732': { - 'name': 'positive regulation of dendritic cell cytokine production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of dendritic cell cytokine production. [GOC:add]' - }, - 'GO:0002733': { - 'name': 'regulation of myeloid dendritic cell cytokine production', - 'def': 'Any process that modulates the frequency, rate, or extent of myeloid dendritic cell cytokine production. [GOC:add]' - }, - 'GO:0002734': { - 'name': 'negative regulation of myeloid dendritic cell cytokine production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of myeloid dendritic cell cytokine production. [GOC:add]' - }, - 'GO:0002735': { - 'name': 'positive regulation of myeloid dendritic cell cytokine production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of myeloid dendritic cell cytokine production. [GOC:add]' - }, - 'GO:0002736': { - 'name': 'regulation of plasmacytoid dendritic cell cytokine production', - 'def': 'Any process that modulates the frequency, rate, or extent of plasmacytoid dendritic cell cytokine production. [GOC:add]' - }, - 'GO:0002737': { - 'name': 'negative regulation of plasmacytoid dendritic cell cytokine production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of plasmacytoid dendritic cell cytokine production. [GOC:add]' - }, - 'GO:0002738': { - 'name': 'positive regulation of plasmacytoid dendritic cell cytokine production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of plasmacytoid dendritic cell cytokine production. [GOC:add]' - }, - 'GO:0002739': { - 'name': 'regulation of cytokine secretion involved in immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of cytokine secretion contributing to an immune response. [GOC:add]' - }, - 'GO:0002740': { - 'name': 'negative regulation of cytokine secretion involved in immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of cytokine secretion contributing to an immune response. [GOC:add]' - }, - 'GO:0002741': { - 'name': 'positive regulation of cytokine secretion involved in immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of cytokine secretion contributing to an immune response. [GOC:add]' - }, - 'GO:0002742': { - 'name': 'regulation of cytokine biosynthetic process involved in immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of cytokine biosynthesis that contributes to an immune response. [GOC:add]' - }, - 'GO:0002743': { - 'name': 'negative regulation of cytokine biosynthetic process involved in immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of cytokine biosynthesis contributing to an immune response. [GOC:add]' - }, - 'GO:0002744': { - 'name': 'positive regulation of cytokine biosynthetic process involved in immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of cytokine biosynthesis contributing to an immune response. [GOC:add]' - }, - 'GO:0002745': { - 'name': 'antigen processing and presentation initiated by receptor mediated uptake of antigen', - 'def': 'Antigen processing and presentation which is initiated by uptake of antigen bound to a cell surface receptor. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002746': { - 'name': 'antigen processing and presentation following pinocytosis', - 'def': 'Antigen processing and presentation which is initiated by uptake of antigen via pinocytosis. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002747': { - 'name': 'antigen processing and presentation following phagocytosis', - 'def': 'Antigen processing and presentation which is initiated by uptake of antigen via phagocytosis. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002748': { - 'name': 'antigen processing and presentation initiated by pattern recognition receptor mediated uptake of antigen', - 'def': 'Antigen processing and presentation which is initiated by uptake of antigen bound to a cell surface pattern recognition receptor (PRR). [GOC:add, ISBN:0781735149]' - }, - 'GO:0002749': { - 'name': 'antigen processing and presentation initiated by toll-like receptor mediated phagocytosis of antigen', - 'def': 'Antigen processing and presentation which is initiated by phagocytosis of antigen bound directly or indirectly to a cell surface toll-like receptor (TLR). [GOC:add, ISBN:0781735149, PMID:15596122]' - }, - 'GO:0002750': { - 'name': 'antigen processing and presentation following macropinocytosis', - 'def': 'Antigen processing and presentation which is initiated by uptake of antigen via macropinocytosis. [GOC:add, PMID:16556257]' - }, - 'GO:0002751': { - 'name': 'antigen processing and presentation following receptor mediated endocytosis', - 'def': 'Antigen processing and presentation which is initiated by uptake of antigen receptor-mediated endocytosis. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002752': { - 'name': 'cell surface pattern recognition receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of a cell surface pattern recognition receptor (PRR) binding to one of its physiological ligands. PRRs bind pathogen-associated molecular pattern (PAMPs), structures conserved among microbial species, or damage-associated molecular pattern (DAMPs), endogenous molecules released from damaged cells. [GOC:add, GOC:ar, ISBN:0781735149, PMID:15199967]' - }, - 'GO:0002753': { - 'name': 'cytoplasmic pattern recognition receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of a cytoplasmic pattern recognition receptor (PRR) binding to one of its physiological ligands. PRRs bind pathogen-associated molecular pattern (PAMPs), structures conserved among microbial species, or damage-associated molecular pattern (DAMPs), endogenous molecules released from damaged cells. [GOC:add, GOC:ar, ISBN:0781735149, PMID:15199967]' - }, - 'GO:0002754': { - 'name': 'intracellular vesicle pattern recognition receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of an intracellular vesicle pattern recognition receptor (PRR) binding to one of its physiological ligands. PRRs bind pathogen-associated molecular pattern (PAMPs), structures conserved among microbial species, or damage-associated molecular pattern (DAMPs), endogenous molecules released from damaged cells. [GOC:add, GOC:ar, ISBN:0781735149, PMID:15199967]' - }, - 'GO:0002755': { - 'name': 'MyD88-dependent toll-like receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like receptor where the MyD88 adaptor molecule mediates transduction of the signal. Toll-like receptors directly bind pattern motifs from a variety of microbial sources to initiate innate immune response. [GOC:add, ISBN:0781735149, PMID:12467241, PMID:12524386, PMID:12855817, PMID:15585605, PMID:15728447]' - }, - 'GO:0002756': { - 'name': 'MyD88-independent toll-like receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like receptor not relying on the MyD88 adaptor molecule. Toll-like receptors directly bind pattern motifs from a variety of microbial sources to initiate innate immune response. [GOC:add, ISBN:0781735149, PMID:12467241, PMID:12524386, PMID:12855817, PMID:15585605, PMID:15728447]' - }, - 'GO:0002757': { - 'name': 'immune response-activating signal transduction', - 'def': 'The cascade of processes by which a signal interacts with a receptor, causing a change in the level or activity of a second messenger or other downstream target, and ultimately leading to activation or perpetuation of an immune response. [GOC:add]' - }, - 'GO:0002758': { - 'name': 'innate immune response-activating signal transduction', - 'def': 'The cascade of processes by which a signal interacts with a receptor, causing a change in the level or activity of a second messenger or other downstream target, and ultimately leading to activation or perpetuation of an innate immune response. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05]' - }, - 'GO:0002759': { - 'name': 'regulation of antimicrobial humoral response', - 'def': 'Any process that modulates the frequency, rate, or extent of an antimicrobial humoral response. [GOC:add]' - }, - 'GO:0002760': { - 'name': 'positive regulation of antimicrobial humoral response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an antimicrobial humoral response. [GOC:add]' - }, - 'GO:0002761': { - 'name': 'regulation of myeloid leukocyte differentiation', - 'def': 'Any process that modulates the frequency, rate, or extent of myeloid leukocyte differentiation. [GOC:add]' - }, - 'GO:0002762': { - 'name': 'negative regulation of myeloid leukocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of myeloid leukocyte differentiation. [GOC:add]' - }, - 'GO:0002763': { - 'name': 'positive regulation of myeloid leukocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of myeloid leukocyte differentiation. [GOC:add]' - }, - 'GO:0002764': { - 'name': 'immune response-regulating signaling pathway', - 'def': 'The cascade of processes by which a signal interacts with a receptor, causing a change in the level or activity of a second messenger or other downstream target, and ultimately leading to the activation, perpetuation, or inhibition of an immune response. [GOC:add, ISBN:0781735149, PMID:15771571]' - }, - 'GO:0002765': { - 'name': 'immune response-inhibiting signal transduction', - 'def': 'The cascade of processes by which a signal interacts with a receptor, causing a change in the level or activity of a second messenger or other downstream target, and ultimately leading to inhibition of an immune response. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002766': { - 'name': 'innate immune response-inhibiting signal transduction', - 'def': 'The cascade of processes by which a signal interacts with a receptor, causing a change in the level or activity of a second messenger or other downstream target, and ultimately leading to inhibition of an innate immune response. [GOC:add, ISBN:0781735149, PMID:15771571]' - }, - 'GO:0002767': { - 'name': 'immune response-inhibiting cell surface receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of the target cell capable of inhibiting an immune response. [GOC:add, ISBN:0781735149, PMID:15771571]' - }, - 'GO:0002768': { - 'name': 'immune response-regulating cell surface receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of the target cell capable of activating, perpetuating, or inhibiting an immune response. [GOC:add, ISBN:0781735149, PMID:15771571]' - }, - 'GO:0002769': { - 'name': 'natural killer cell inhibitory signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of a natural killer cell capable of inhibiting an immune effector process contributing to an immune response. [GOC:add, ISBN:0781735149, PMID:15771571]' - }, - 'GO:0002770': { - 'name': 'T cell inhibitory signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of a T cell capable of inhibiting an immune effector process contributing to an immune response. [GOC:add, PMID:15258309]' - }, - 'GO:0002771': { - 'name': 'inhibitory killer cell immunoglobulin-like receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a inhibitory killer cell immunoglobulin-like receptor capable of inhibiting an immune effector process contributing to an immune response. [GOC:add, ISBN:0781735149, PMID:15771571]' - }, - 'GO:0002772': { - 'name': 'inhibitory C-type lectin receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to an inhibitory C-type lectin receptor capable of inhibiting an immune effector process contributing to an immune response. [GOC:add, ISBN:0781735149, PMID:15771571]' - }, - 'GO:0002773': { - 'name': 'B cell inhibitory signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of a B cell capable of inhibiting an immune effector process contributing to an immune response. [GOC:add, PMID:16413920]' - }, - 'GO:0002774': { - 'name': 'Fc receptor mediated inhibitory signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of the binding of the Fc portion of an immunoglobulin by an Fc receptor capable of inhibiting an immune effector process contributing to an immune response. The Fc portion of an immunoglobulin is its C-terminal constant region. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002775': { - 'name': 'antimicrobial peptide production', - 'def': 'The synthesis or release of an antimicrobial peptide during an immune response, resulting in an increase in intracellular or extracellular levels. Such peptides may have protective properties against bacteria, fungi, viruses, or protozoa. [GOC:add, ISBN:0781735149, PMID:11807545, PMID:15638771]' - }, - 'GO:0002776': { - 'name': 'antimicrobial peptide secretion', - 'def': 'The regulated release of an antimicrobial peptide from a cell or a tissue. Such peptides may have protective properties against bacteria, fungi, viruses, or protozoa. [GOC:add, ISBN:0781735149, PMID:11807545, PMID:15638771]' - }, - 'GO:0002777': { - 'name': 'antimicrobial peptide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an antimicrobial peptide. Such peptides may have protective properties against bacteria, fungi, viruses, or protozoa. [GOC:add, ISBN:0781735149, PMID:11807545, PMID:15638771]' - }, - 'GO:0002778': { - 'name': 'antibacterial peptide production', - 'def': 'The synthesis or release of an antibacterial peptide during an immune response, resulting in an increase in intracellular or extracellular levels. [GOC:add, ISBN:0781735149, PMID:11807545, PMID:15638771]' - }, - 'GO:0002779': { - 'name': 'antibacterial peptide secretion', - 'def': 'The regulated release of an antibacterial peptide from a cell or a tissue. [GOC:add, ISBN:0781735149, PMID:11807545, PMID:15638771]' - }, - 'GO:0002780': { - 'name': 'antibacterial peptide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an antibacterial peptide. [GOC:add, ISBN:0781735149, PMID:11807545, PMID:15638771]' - }, - 'GO:0002781': { - 'name': 'antifungal peptide production', - 'def': 'The synthesis or release of an antifungal peptide during an immune response, resulting in an increase in intracellular or extracellular levels. [GOC:add, ISBN:0781735149, PMID:11807545, PMID:15638771]' - }, - 'GO:0002782': { - 'name': 'antifungal peptide secretion', - 'def': 'The regulated release of an antifungal peptide from a cell or a tissue. [GOC:add, ISBN:0781735149, PMID:11807545, PMID:15638771]' - }, - 'GO:0002783': { - 'name': 'antifungal peptide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an antifungal peptide. [GOC:add, ISBN:0781735149, PMID:11807545, PMID:15638771]' - }, - 'GO:0002784': { - 'name': 'regulation of antimicrobial peptide production', - 'def': 'Any process that modulates the frequency, rate, or extent of antimicrobial peptide production. [GOC:add]' - }, - 'GO:0002785': { - 'name': 'negative regulation of antimicrobial peptide production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antimicrobial peptide production. [GOC:add]' - }, - 'GO:0002786': { - 'name': 'regulation of antibacterial peptide production', - 'def': 'Any process that modulates the frequency, rate, or extent of antibacterial peptide production. [GOC:add]' - }, - 'GO:0002787': { - 'name': 'negative regulation of antibacterial peptide production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antibacterial peptide production. [GOC:add]' - }, - 'GO:0002788': { - 'name': 'regulation of antifungal peptide production', - 'def': 'Any process that modulates the frequency, rate, or extent of antifungal peptide production. [GOC:add]' - }, - 'GO:0002789': { - 'name': 'negative regulation of antifungal peptide production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antifungal peptide production. [GOC:add]' - }, - 'GO:0002790': { - 'name': 'peptide secretion', - 'def': 'The controlled release of a peptide from a cell or a tissue. [GOC:add]' - }, - 'GO:0002791': { - 'name': 'regulation of peptide secretion', - 'def': 'Any process that modulates the frequency, rate, or extent of peptide secretion. [GOC:add]' - }, - 'GO:0002792': { - 'name': 'negative regulation of peptide secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of peptide secretion. [GOC:add]' - }, - 'GO:0002793': { - 'name': 'positive regulation of peptide secretion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of peptide secretion. [GOC:add]' - }, - 'GO:0002794': { - 'name': 'regulation of antimicrobial peptide secretion', - 'def': 'Any process that modulates the frequency, rate, or extent of antimicrobial peptide secretion. [GOC:add]' - }, - 'GO:0002795': { - 'name': 'negative regulation of antimicrobial peptide secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antimicrobial peptide secretion. [GOC:add]' - }, - 'GO:0002796': { - 'name': 'positive regulation of antimicrobial peptide secretion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antimicrobial peptide secretion. [GOC:add]' - }, - 'GO:0002797': { - 'name': 'regulation of antibacterial peptide secretion', - 'def': 'Any process that modulates the frequency, rate, or extent of antibacterial peptide secretion. [GOC:add]' - }, - 'GO:0002798': { - 'name': 'negative regulation of antibacterial peptide secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antibacterial peptide secretion. [GOC:add]' - }, - 'GO:0002799': { - 'name': 'positive regulation of antibacterial peptide secretion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antibacterial peptide secretion. [GOC:add]' - }, - 'GO:0002800': { - 'name': 'regulation of antifungal peptide secretion', - 'def': 'Any process that modulates the frequency, rate, or extent of antifungal peptide secretion. [GOC:add]' - }, - 'GO:0002801': { - 'name': 'negative regulation of antifungal peptide secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antifungal peptide secretion. [GOC:add]' - }, - 'GO:0002802': { - 'name': 'positive regulation of antifungal peptide secretion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antifungal peptide secretion. [GOC:add]' - }, - 'GO:0002803': { - 'name': 'positive regulation of antibacterial peptide production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antibacterial peptide production. [GOC:add]' - }, - 'GO:0002804': { - 'name': 'positive regulation of antifungal peptide production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antifungal peptide production. [GOC:add]' - }, - 'GO:0002805': { - 'name': 'regulation of antimicrobial peptide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate, or extent of antimicrobial peptide biosynthesis. [GOC:add]' - }, - 'GO:0002806': { - 'name': 'negative regulation of antimicrobial peptide biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antimicrobial peptide biosynthesis. [GOC:add]' - }, - 'GO:0002807': { - 'name': 'positive regulation of antimicrobial peptide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antimicrobial peptide biosynthesis. [GOC:add]' - }, - 'GO:0002808': { - 'name': 'regulation of antibacterial peptide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate, or extent of antibacterial peptide biosynthesis. [GOC:add]' - }, - 'GO:0002809': { - 'name': 'negative regulation of antibacterial peptide biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antibacterial peptide biosynthesis. [GOC:add]' - }, - 'GO:0002810': { - 'name': 'regulation of antifungal peptide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate, or extent of antifungal peptide biosynthesis. [GOC:add]' - }, - 'GO:0002811': { - 'name': 'negative regulation of antifungal peptide biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of antifungal peptide biosynthesis. [GOC:add]' - }, - 'GO:0002812': { - 'name': 'biosynthetic process of antibacterial peptides active against Gram-negative bacteria', - 'def': 'The chemical reactions and pathways resulting in the formation of an antibacterial peptide with activity against Gram-negative bacteria. [GOC:add, PMID:11807545]' - }, - 'GO:0002813': { - 'name': 'regulation of biosynthetic process of antibacterial peptides active against Gram-negative bacteria', - 'def': 'Any process that modulates the frequency, rate, or extent of biosynthesis of antibacterial peptides active against Gram-negative bacteria. [GOC:add]' - }, - 'GO:0002814': { - 'name': 'negative regulation of biosynthetic process of antibacterial peptides active against Gram-negative bacteria', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of biosynthesis of antibacterial peptides active against Gram-negative bacteria. [GOC:add]' - }, - 'GO:0002815': { - 'name': 'biosynthetic process of antibacterial peptides active against Gram-positive bacteria', - 'def': 'The chemical reactions and pathways resulting in the formation of an antibacterial peptide with activity against Gram-positive bacteria. [GOC:add]' - }, - 'GO:0002816': { - 'name': 'regulation of biosynthetic process of antibacterial peptides active against Gram-positive bacteria', - 'def': 'Any process that modulates the frequency, rate, or extent of biosynthesis of antibacterial peptides active against Gram-positive bacteria. [GOC:add]' - }, - 'GO:0002817': { - 'name': 'negative regulation of biosynthetic process of antibacterial peptides active against Gram-positive bacteria', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of biosynthesis of antibacterial peptides active against Gram-positive bacteria. [GOC:add]' - }, - 'GO:0002818': { - 'name': 'intracellular defense response', - 'def': 'A physiological defense response which occurs intracellularly. [GOC:add]' - }, - 'GO:0002819': { - 'name': 'regulation of adaptive immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of an adaptive immune response. [GOC:add]' - }, - 'GO:0002820': { - 'name': 'negative regulation of adaptive immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an adaptive immune response. [GOC:add]' - }, - 'GO:0002821': { - 'name': 'positive regulation of adaptive immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an adaptive immune response. [GOC:add]' - }, - 'GO:0002822': { - 'name': 'regulation of adaptive immune response based on somatic recombination of immune receptors built from immunoglobulin superfamily domains', - 'def': 'Any process that modulates the frequency, rate, or extent of an adaptive immune response based on somatic recombination of immune receptors built from immunoglobulin superfamily domains. An example of this process is found in the Gnathostomata. [GOC:add, GOC:mtg_sensu]' - }, - 'GO:0002823': { - 'name': 'negative regulation of adaptive immune response based on somatic recombination of immune receptors built from immunoglobulin superfamily domains', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an adaptive immune response based on somatic recombination of immune receptors built from immunoglobulin superfamily domains. An example of this process is found in the Gnathostomata. [GOC:add, GOC:mtg_sensu]' - }, - 'GO:0002824': { - 'name': 'positive regulation of adaptive immune response based on somatic recombination of immune receptors built from immunoglobulin superfamily domains', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an adaptive immune response based on somatic recombination of immune receptors built from immunoglobulin superfamily domains. An example of this process is found in the Gnathostomata. [GOC:add, GOC:mtg_sensu]' - }, - 'GO:0002825': { - 'name': 'regulation of T-helper 1 type immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of a T-helper 1 type immune response. [GOC:add]' - }, - 'GO:0002826': { - 'name': 'negative regulation of T-helper 1 type immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a T-helper 1 type immune response. [GOC:add]' - }, - 'GO:0002827': { - 'name': 'positive regulation of T-helper 1 type immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a T-helper 1 type immune response. [GOC:add]' - }, - 'GO:0002828': { - 'name': 'regulation of type 2 immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of a type 2 immune response. [GOC:add]' - }, - 'GO:0002829': { - 'name': 'negative regulation of type 2 immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a type 2 immune response. [GOC:add]' - }, - 'GO:0002830': { - 'name': 'positive regulation of type 2 immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a type 2 immune response. [GOC:add]' - }, - 'GO:0002831': { - 'name': 'regulation of response to biotic stimulus', - 'def': 'Any process that modulates the frequency, rate, or extent of a response to biotic stimulus. [GOC:add]' - }, - 'GO:0002832': { - 'name': 'negative regulation of response to biotic stimulus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a response to biotic stimulus. [GOC:add]' - }, - 'GO:0002833': { - 'name': 'positive regulation of response to biotic stimulus', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a response to biotic stimulus. [GOC:add]' - }, - 'GO:0002834': { - 'name': 'regulation of response to tumor cell', - 'def': 'Any process that modulates the frequency, rate, or extent of a response to tumor cell. [GOC:add]' - }, - 'GO:0002835': { - 'name': 'negative regulation of response to tumor cell', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a response to tumor cell. [GOC:add]' - }, - 'GO:0002836': { - 'name': 'positive regulation of response to tumor cell', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a response to tumor cell. [GOC:add]' - }, - 'GO:0002837': { - 'name': 'regulation of immune response to tumor cell', - 'def': 'Any process that modulates the frequency, rate, or extent of an immune response to tumor cell. [GOC:add]' - }, - 'GO:0002838': { - 'name': 'negative regulation of immune response to tumor cell', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an immune response to tumor cell. [GOC:add]' - }, - 'GO:0002839': { - 'name': 'positive regulation of immune response to tumor cell', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an immune response to tumor cell. [GOC:add]' - }, - 'GO:0002840': { - 'name': 'regulation of T cell mediated immune response to tumor cell', - 'def': 'Any process that modulates the frequency, rate, or extent of a T cell mediated immune response to tumor cell. [GOC:add]' - }, - 'GO:0002841': { - 'name': 'negative regulation of T cell mediated immune response to tumor cell', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a T cell mediated immune response to tumor cell. [GOC:add]' - }, - 'GO:0002842': { - 'name': 'positive regulation of T cell mediated immune response to tumor cell', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a T cell mediated immune response to tumor cell. [GOC:add]' - }, - 'GO:0002843': { - 'name': 'regulation of tolerance induction to tumor cell', - 'def': 'Any process that modulates the frequency, rate, or extent of tolerance induction to tumor cell. [GOC:add]' - }, - 'GO:0002844': { - 'name': 'negative regulation of tolerance induction to tumor cell', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of tolerance induction to tumor cell. [GOC:add]' - }, - 'GO:0002845': { - 'name': 'positive regulation of tolerance induction to tumor cell', - 'def': 'Any process that activates or increases the frequency, rate, or extent of tolerance induction to tumor cell. [GOC:add]' - }, - 'GO:0002846': { - 'name': 'regulation of T cell tolerance induction to tumor cell', - 'def': 'Any process that modulates the frequency, rate, or extent of T cell tolerance induction to tumor cell. [GOC:add]' - }, - 'GO:0002847': { - 'name': 'negative regulation of T cell tolerance induction to tumor cell', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of T cell tolerance induction to tumor cell. [GOC:add]' - }, - 'GO:0002848': { - 'name': 'positive regulation of T cell tolerance induction to tumor cell', - 'def': 'Any process that activates or increases the frequency, rate, or extent of T cell tolerance induction to tumor cell. [GOC:add]' - }, - 'GO:0002849': { - 'name': 'regulation of peripheral T cell tolerance induction', - 'def': 'Any process that modulates the frequency, rate, or extent of peripheral T cell tolerance induction. [GOC:add]' - }, - 'GO:0002850': { - 'name': 'negative regulation of peripheral T cell tolerance induction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of peripheral T cell tolerance induction. [GOC:add]' - }, - 'GO:0002851': { - 'name': 'positive regulation of peripheral T cell tolerance induction', - 'def': 'Any process that activates or increases the frequency, rate, or extent of peripheral T cell tolerance induction. [GOC:add]' - }, - 'GO:0002852': { - 'name': 'regulation of T cell mediated cytotoxicity directed against tumor cell target', - 'def': 'Any process that modulates the frequency, rate, or extent of T cell mediated cytotoxicity directed against a tumor cell target. [GOC:add]' - }, - 'GO:0002853': { - 'name': 'negative regulation of T cell mediated cytotoxicity directed against tumor cell target', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of T cell mediated cytotoxicity directed against a tumor cell target. [GOC:add]' - }, - 'GO:0002854': { - 'name': 'positive regulation of T cell mediated cytotoxicity directed against tumor cell target', - 'def': 'Any process that activates or increases the frequency, rate, or extent of T cell mediated cytotoxicity directed against a tumor cell target. [GOC:add]' - }, - 'GO:0002855': { - 'name': 'regulation of natural killer cell mediated immune response to tumor cell', - 'def': 'Any process that modulates the frequency, rate, or extent of natural killer cell mediated immune response to a tumor cell. [GOC:add]' - }, - 'GO:0002856': { - 'name': 'negative regulation of natural killer cell mediated immune response to tumor cell', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of natural killer cell mediated immune response to a tumor cell. [GOC:add]' - }, - 'GO:0002857': { - 'name': 'positive regulation of natural killer cell mediated immune response to tumor cell', - 'def': 'Any process that activates or increases the frequency, rate, or extent of natural killer cell mediated immune response to a tumor cell. [GOC:add]' - }, - 'GO:0002858': { - 'name': 'regulation of natural killer cell mediated cytotoxicity directed against tumor cell target', - 'def': 'Any process that modulates the frequency, rate, or extent of natural killer cell mediated cytotoxicity directed against tumor cell target. [GOC:add]' - }, - 'GO:0002859': { - 'name': 'negative regulation of natural killer cell mediated cytotoxicity directed against tumor cell target', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of natural killer cell mediated cytotoxicity directed against tumor cell target. [GOC:add]' - }, - 'GO:0002860': { - 'name': 'positive regulation of natural killer cell mediated cytotoxicity directed against tumor cell target', - 'def': 'Any process that activates or increases the frequency, rate, or extent of natural killer cell mediated cytotoxicity directed against tumor cell target. [GOC:add]' - }, - 'GO:0002861': { - 'name': 'regulation of inflammatory response to antigenic stimulus', - 'def': 'Any process that modulates the frequency, rate, or extent of an inflammatory response to an antigenic stimulus. [GOC:add]' - }, - 'GO:0002862': { - 'name': 'negative regulation of inflammatory response to antigenic stimulus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an inflammatory response to an antigenic stimulus. [GOC:add]' - }, - 'GO:0002863': { - 'name': 'positive regulation of inflammatory response to antigenic stimulus', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an inflammatory response to an antigenic stimulus. [GOC:add]' - }, - 'GO:0002864': { - 'name': 'regulation of acute inflammatory response to antigenic stimulus', - 'def': 'Any process that modulates the frequency, rate, or extent of an acute inflammatory response to an antigenic stimulus. [GOC:add]' - }, - 'GO:0002865': { - 'name': 'negative regulation of acute inflammatory response to antigenic stimulus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an acute inflammatory response to an antigenic stimulus. [GOC:add]' - }, - 'GO:0002866': { - 'name': 'positive regulation of acute inflammatory response to antigenic stimulus', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an acute inflammatory response to an antigenic stimulus. [GOC:add]' - }, - 'GO:0002867': { - 'name': 'regulation of B cell deletion', - 'def': 'Any process that modulates the frequency, rate, or extent of B cell deletion. [GOC:add]' - }, - 'GO:0002868': { - 'name': 'negative regulation of B cell deletion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of B cell deletion. [GOC:add]' - }, - 'GO:0002869': { - 'name': 'positive regulation of B cell deletion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of B cell deletion. [GOC:add]' - }, - 'GO:0002870': { - 'name': 'T cell anergy', - 'def': 'Any process contributing to anergy in T cells, a state of functional inactivation which is part of T cell tolerance induction. [GOC:add, ISBN:0781735149]' - }, - 'GO:0002871': { - 'name': 'regulation of natural killer cell tolerance induction', - 'def': 'Any process that modulates the frequency, rate, or extent of natural killer cell tolerance induction. [GOC:add]' - }, - 'GO:0002872': { - 'name': 'negative regulation of natural killer cell tolerance induction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of natural killer cell tolerance induction. [GOC:add]' - }, - 'GO:0002873': { - 'name': 'positive regulation of natural killer cell tolerance induction', - 'def': 'Any process that activates or increases the frequency, rate, or extent of natural killer cell tolerance induction. [GOC:add]' - }, - 'GO:0002874': { - 'name': 'regulation of chronic inflammatory response to antigenic stimulus', - 'def': 'Any process that modulates the frequency, rate, or extent of a chronic inflammatory response to an antigenic stimulus. [GOC:add]' - }, - 'GO:0002875': { - 'name': 'negative regulation of chronic inflammatory response to antigenic stimulus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a chronic inflammatory response to an antigenic stimulus. [GOC:add]' - }, - 'GO:0002876': { - 'name': 'positive regulation of chronic inflammatory response to antigenic stimulus', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a chronic inflammatory response to an antigenic stimulus. [GOC:add]' - }, - 'GO:0002877': { - 'name': 'regulation of acute inflammatory response to non-antigenic stimulus', - 'def': 'Any process that modulates the frequency, rate, or extent of an acute inflammatory response to a non-antigenic stimulus. [GOC:add]' - }, - 'GO:0002878': { - 'name': 'negative regulation of acute inflammatory response to non-antigenic stimulus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an acute inflammatory response to a non-antigenic stimulus. [GOC:add]' - }, - 'GO:0002879': { - 'name': 'positive regulation of acute inflammatory response to non-antigenic stimulus', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an acute inflammatory response to a non-antigenic stimulus. [GOC:add]' - }, - 'GO:0002880': { - 'name': 'regulation of chronic inflammatory response to non-antigenic stimulus', - 'def': 'Any process that modulates the frequency, rate, or extent of a chronic inflammatory response to a non-antigenic stimulus. [GOC:add]' - }, - 'GO:0002881': { - 'name': 'negative regulation of chronic inflammatory response to non-antigenic stimulus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a chronic inflammatory response to a non-antigenic stimulus. [GOC:add]' - }, - 'GO:0002882': { - 'name': 'positive regulation of chronic inflammatory response to non-antigenic stimulus', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a chronic inflammatory response to a non-antigenic stimulus. [GOC:add]' - }, - 'GO:0002883': { - 'name': 'regulation of hypersensitivity', - 'def': 'Any process that modulates the frequency, rate, or extent of hypersensitivity. [GOC:add]' - }, - 'GO:0002884': { - 'name': 'negative regulation of hypersensitivity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of hypersensitivity. [GOC:add]' - }, - 'GO:0002885': { - 'name': 'positive regulation of hypersensitivity', - 'def': 'Any process that activates or increases the frequency, rate, or extent of hypersensitivity. [GOC:add]' - }, - 'GO:0002886': { - 'name': 'regulation of myeloid leukocyte mediated immunity', - 'def': 'Any process that modulates the frequency, rate, or extent of myeloid leukocyte mediated immunity. [GOC:add]' - }, - 'GO:0002887': { - 'name': 'negative regulation of myeloid leukocyte mediated immunity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of myeloid leukocyte mediated immunity. [GOC:add]' - }, - 'GO:0002888': { - 'name': 'positive regulation of myeloid leukocyte mediated immunity', - 'def': 'Any process that activates or increases the frequency, rate, or extent of myeloid leukocyte mediated immunity. [GOC:add]' - }, - 'GO:0002889': { - 'name': 'regulation of immunoglobulin mediated immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of an immunoglobulin mediated immune response. [GOC:add]' - }, - 'GO:0002890': { - 'name': 'negative regulation of immunoglobulin mediated immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an immunoglobulin mediated immune response. [GOC:add]' - }, - 'GO:0002891': { - 'name': 'positive regulation of immunoglobulin mediated immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of an immunoglobulin mediated immune response. [GOC:add]' - }, - 'GO:0002892': { - 'name': 'regulation of type II hypersensitivity', - 'def': 'Any process that modulates the frequency, rate, or extent of type II hypersensitivity. [GOC:add]' - }, - 'GO:0002893': { - 'name': 'negative regulation of type II hypersensitivity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of type II hypersensitivity. [GOC:add]' - }, - 'GO:0002894': { - 'name': 'positive regulation of type II hypersensitivity', - 'def': 'Any process that activates or increases the frequency, rate, or extent of type II hypersensitivity. [GOC:add]' - }, - 'GO:0002895': { - 'name': 'regulation of central B cell tolerance induction', - 'def': 'Any process that modulates the frequency, rate, or extent of central B cell tolerance induction. [GOC:add]' - }, - 'GO:0002896': { - 'name': 'negative regulation of central B cell tolerance induction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of central B cell tolerance induction. [GOC:add]' - }, - 'GO:0002897': { - 'name': 'positive regulation of central B cell tolerance induction', - 'def': 'Any process that activates or increases the frequency, rate, or extent of central B cell tolerance induction. [GOC:add]' - }, - 'GO:0002898': { - 'name': 'regulation of central B cell deletion', - 'def': 'Any process that modulates the frequency, rate, or extent of central B cell deletion. [GOC:add]' - }, - 'GO:0002899': { - 'name': 'negative regulation of central B cell deletion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of central B cell deletion. [GOC:add]' - }, - 'GO:0002900': { - 'name': 'positive regulation of central B cell deletion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of central B cell deletion. [GOC:add]' - }, - 'GO:0002901': { - 'name': 'mature B cell apoptotic process', - 'def': 'Any apoptotic process in a B cell that is mature, having left the bone marrow. [CL:0000785, GOC:add, GOC:mtg_apoptosis, ISBN:0781735149]' - }, - 'GO:0002902': { - 'name': 'regulation of B cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate, or extent of B cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0002903': { - 'name': 'negative regulation of B cell apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of B cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0002904': { - 'name': 'positive regulation of B cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of B cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0002905': { - 'name': 'regulation of mature B cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate, or extent of mature B cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0002906': { - 'name': 'negative regulation of mature B cell apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of mature B cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0002907': { - 'name': 'positive regulation of mature B cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of mature B cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0002908': { - 'name': 'regulation of peripheral B cell deletion', - 'def': 'Any process that modulates the frequency, rate, or extent of peripheral B cell deletion. [GOC:add]' - }, - 'GO:0002909': { - 'name': 'negative regulation of peripheral B cell deletion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of peripheral B cell deletion. [GOC:add]' - }, - 'GO:0002910': { - 'name': 'positive regulation of peripheral B cell deletion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of peripheral B cell deletion. [GOC:add]' - }, - 'GO:0002911': { - 'name': 'regulation of lymphocyte anergy', - 'def': 'Any process that modulates the frequency, rate, or extent of lymphocyte anergy. [GOC:add]' - }, - 'GO:0002912': { - 'name': 'negative regulation of lymphocyte anergy', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of lymphocyte anergy. [GOC:add]' - }, - 'GO:0002913': { - 'name': 'positive regulation of lymphocyte anergy', - 'def': 'Any process that activates or increases the frequency, rate, or extent of lymphocyte anergy. [GOC:add]' - }, - 'GO:0002914': { - 'name': 'regulation of central B cell anergy', - 'def': 'Any process that modulates the frequency, rate, or extent of central B cell anergy. [GOC:add]' - }, - 'GO:0002915': { - 'name': 'negative regulation of central B cell anergy', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of central B cell anergy. [GOC:add]' - }, - 'GO:0002916': { - 'name': 'positive regulation of central B cell anergy', - 'def': 'Any process that activates or increases the frequency, rate, or extent of central B cell anergy. [GOC:add]' - }, - 'GO:0002917': { - 'name': 'regulation of peripheral B cell anergy', - 'def': 'Any process that modulates the frequency, rate, or extent of peripheral B cell anergy. [GOC:add]' - }, - 'GO:0002918': { - 'name': 'negative regulation of peripheral B cell anergy', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of peripheral B cell anergy. [GOC:add]' - }, - 'GO:0002919': { - 'name': 'positive regulation of peripheral B cell anergy', - 'def': 'Any process that activates or increases the frequency, rate, or extent of peripheral B cell anergy. [GOC:add]' - }, - 'GO:0002920': { - 'name': 'regulation of humoral immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of a humoral immune response. [GOC:add]' - }, - 'GO:0002921': { - 'name': 'negative regulation of humoral immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a humoral immune response. [GOC:add]' - }, - 'GO:0002922': { - 'name': 'positive regulation of humoral immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a humoral immune response. [GOC:add]' - }, - 'GO:0002923': { - 'name': 'regulation of humoral immune response mediated by circulating immunoglobulin', - 'def': 'Any process that modulates the frequency, rate, or extent of a humoral immune response mediated by circulating immunoglobulin. [GOC:add]' - }, - 'GO:0002924': { - 'name': 'negative regulation of humoral immune response mediated by circulating immunoglobulin', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a humoral immune response mediated by circulating immunoglobulin. [GOC:add]' - }, - 'GO:0002925': { - 'name': 'positive regulation of humoral immune response mediated by circulating immunoglobulin', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a humoral immune response mediated by circulating immunoglobulin. [GOC:add]' - }, - 'GO:0002926': { - 'name': 'tRNA wobble base 5-methoxycarbonylmethyl-2-thiouridine biosynthesis.', - 'def': 'The process whereby a wobble base uridine residue in a tRNA is modified to 5-methoxycarbonylmethyl-2-thiouridine. [GOC:hjd, UniPathway:UPA00988]' - }, - 'GO:0002927': { - 'name': 'archaeosine-tRNA biosynthetic process', - 'def': 'The chemical reactions and pathways involved in the biosynthesis of archaeosine, an archaea-specific modified base found at position 15 in the D-loop of certain archaeal tRNAs. [GOC:hjd, UniPathway:UPA00393]' - }, - 'GO:0002929': { - 'name': 'MECO complex', - 'def': 'A highly stable complex composed of the ATAC complex and the mediator complex (also called TRAP or MED). MECO binds and regulates the transcription of a subset of non-coding RNAs transcribed by RNA polymerase II. [GOC:hjd, PMID:20508642]' - }, - 'GO:0002930': { - 'name': 'trabecular meshwork development', - 'def': 'The progression of the trabecular meshwork over time, from its formation to the mature structure. The trabecular meshwork is a fenestrated endothelial-like tissue situated at the intersection of the cornea and the iris. The trabecular meshwork provides drainage for the aqueous humor. [PMID:20568247]' - }, - 'GO:0002931': { - 'name': 'response to ischemia', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a inadequate blood supply. [GOC:hjd]' - }, - 'GO:0002932': { - 'name': 'tendon sheath development', - 'def': 'The process whose specific outcome is the progression of a tendon sheath over time, from its formation to the mature structure. A tendon sheath is a layer of membrane around a tendon. It permits the tendon to move. [PMID:20696843]' - }, - 'GO:0002933': { - 'name': 'lipid hydroxylation', - 'def': 'The covalent attachment of a hydroxyl group to one or more fatty acids in a lipid. [GOC:hjd, PMID:15658937]' - }, - 'GO:0002934': { - 'name': 'desmosome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a desmosome. A desmosome is a patch-like intercellular junction found in vertebrate tissues, consisting of parallel zones of two cell membranes, separated by an space of 25-35 nm, and having dense fibrillar plaques in the subjacent cytoplasm. [GOC:hjd]' - }, - 'GO:0002935': { - 'name': 'tRNA (adenine-C2-)-methyltransferase activity', - 'def': "Catalysis of the reaction: 2 S-adenosyl-L-methionine + adenine(37) in tRNA = S-adenosyl-L-homocysteine + 5'-deoxyadenosine + L-methionine + C2-methyladenine(37) in a tRNA. [PMID:22891362]" - }, - 'GO:0002936': { - 'name': 'bradykinin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the peptide hormone bradykinin. [PMID:11226291]' - }, - 'GO:0002937': { - 'name': 'tRNA 4-thiouridine biosynthesis', - 'def': 'The processes whereby a uridine residue in a tRNA is converted to 4-thiouridine. Typically 4-thiouridine is found at position 8, in many transfer RNAs. [ISBN:155581073X]' - }, - 'GO:0002938': { - 'name': 'tRNA guanine ribose methylation', - 'def': "The process whereby a guanosine residue in a tRNA is methylated on the 2'-hydroxyl group of the ribose moiety. [ISBN:155581075X, ISBN:1555811337]" - }, - 'GO:0002939': { - 'name': 'tRNA N1-guanine methylation', - 'def': 'The process whereby a guanine in tRNA is methylated at position N1 of the guanine. [ISBN:155581073X, ISBN:1555811337]' - }, - 'GO:0002940': { - 'name': 'tRNA N2-guanine methylation', - 'def': 'The process whereby a guanine in a tRNA is methylated at the N2 position of guanine. [ISBN:155581073X, ISBN:1555811337]' - }, - 'GO:0002941': { - 'name': 'synoviocyte proliferation', - 'def': 'The multiplication or reproduction of synoviocytes by cell division, resulting in the expansion of their population. A synoviocyte is a fibroblast-like cell found in synovial tissues. [CL:0000214, PMID:9546370]' - }, - 'GO:0002942': { - 'name': 'tRNA m2,2-guanine biosynthesis', - 'def': 'The process whereby a guanine residue in a transfer RNA is methylated twice at the N2 position. [GOC:hjd, ISBN:1-55581-073-x]' - }, - 'GO:0002943': { - 'name': 'tRNA dihydrouridine synthesis', - 'def': 'The process whereby a uridine in a transfer RNA is converted to dihydrouridine. [GOC:hjd, ISBN:1-55581-073-x]' - }, - 'GO:0002944': { - 'name': 'cyclin K-CDK12 complex', - 'def': 'A protein complex consisting of cyclin Kand cyclin-dependent kinase 12 (CDK12). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [PMID:22012619]' - }, - 'GO:0002945': { - 'name': 'cyclin K-CDK13 complex', - 'def': 'A protein complex consisting of cyclin Kand cyclin-dependent kinase 13 (CDK13). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [PMID:22012619]' - }, - 'GO:0002946': { - 'name': 'tRNA C5-cytosine methylation', - 'def': 'The process whereby a cytosine in a tRNA is methylated at position 5 of the cytosine. [ISBN:1-55581-073-x]' - }, - 'GO:0002947': { - 'name': 'tumor necrosis factor receptor superfamily complex', - 'def': 'A receptor complex that contains one or more members of the tumor necrosis factor (TNF) receptor superfamily. [GOC:krc]' - }, - 'GO:0002948': { - 'name': 'archaeosine synthase activity', - 'def': 'Catalysis of the reaction: L-glutamine + 7-cyano-7-carbaguanine15 in tRNA + H2O = L-glutamate + archaeine15 in tRNA. [PMID:20129918, Wikipedia:Archaeosine_synthase]' - }, - 'GO:0002949': { - 'name': 'tRNA threonylcarbamoyladenosine modification', - 'def': "The attachment of a carbonyl group and a threonine to the amino group of the adenine residue immediately 3' of the anticodon, in tRNAs that decode ANN codons (where N is any base). [GO:0070526, GOC:imk, GOC:mah, PMID:19287007, PMID:21183954, PMID:23258706]" - }, - 'GO:0002950': { - 'name': 'ceramide phosphoethanolamine synthase activity', - 'def': 'Catalysis of the reaction: CDP-ethanolamine + a ceramide = CMP + a ceramide phosphoethanolamine. [EC:2.7.8.n3, PMID:25667419]' - }, - 'GO:0002951': { - 'name': 'leukotriene-C(4) hydrolase', - 'def': 'Catalysis of the reaction Leukotriene C(4) + H(2)O= leukotriene D(4) + L-glutamate. [EC:3.4.19.14, PMID:9774450]' - }, - 'GO:0002952': { - 'name': '(4S)-4-hydroxy-5-phosphonooxypentane-2,3-dione isomerase activity', - 'def': 'Catalysis of the reaction (4S)-4-hydroxy-5-phosphonooxypentane-2,3-dione = 3-hydroxy-5-phosphonooxypentane-2,4-dione. [EC:5.3.1.32]' - }, - 'GO:0002953': { - 'name': "5'-deoxynucleotidase activity", - 'def': "Catalysis of the reaction:a 2'-deoxyribonucleoside 5'-monophosphate + H20=a 2'-deoxyribonucleoside + phosphate. [EC:3.1.3.89]" - }, - 'GO:0003001': { - 'name': 'obsolete generation of a signal involved in cell-cell signaling', - 'def': 'The cellular process that creates a physical entity or change in state, i.e. a signal, that originates in one cell and is used to transfer information to another cell. This process begins with the initial formation of the signal and ends with the mature form and placement of the signal. [GOC:dph]' - }, - 'GO:0003002': { - 'name': 'regionalization', - 'def': 'The pattern specification process that results in the subdivision of an axis or axes in space to define an area or volume in which specific patterns of cell differentiation will take place or in which cells interpret a specific environment. [GOC:dph, GOC:isa_complete]' - }, - 'GO:0003003': { - 'name': 'follicular fluid formation in ovarian follicle antrum involved in fused antrum stage', - 'def': 'The ovulation cycle process in which one central cavity separating the oocyte/cumulus complex from mural granulosa and theca cells is formed as part of the fused antrum stage of oogenesis. [GOC:dph, GOC:isa_complete]' - }, - 'GO:0003004': { - 'name': 'follicular fluid formation in ovarian follicle antrum involved in distinct antral spaces stage', - 'def': 'The menstrual cycle process in which one central cavity separating the oocyte/cumulus complex from mural granulosa and theca cells is formed as part of the antral spaces stage of oogenesis. [GOC:dph, GOC:isa_complete]' - }, - 'GO:0003005': { - 'name': 'follicular fluid formation in ovarian follicle antrum involved in scattered antral spaces stage', - 'def': 'The menstrual cycle process in which one central cavity separating the oocyte/cumulus complex from mural granulosa and theca cells is formed as part of the scattered antral spaces stage of oogenesis. [GOC:dph, GOC:isa_complete]' - }, - 'GO:0003006': { - 'name': 'developmental process involved in reproduction', - 'def': 'A developmental process in which a progressive change in the state of some part of an organism specifically contributes to its ability to form offspring. [GOC:dph, GOC:isa_complete]' - }, - 'GO:0003007': { - 'name': 'heart morphogenesis', - 'def': 'The developmental process in which the heart is generated and organized. The heart is a hollow, muscular organ, which, by contracting rhythmically, keeps up the circulation of the blood. [GOC:dph, GOC:isa_complete]' - }, - 'GO:0003008': { - 'name': 'system process', - 'def': 'A multicellular organismal process carried out by any of the organs or tissues in an organ system. An organ system is a regularly interacting or interdependent group of organs or tissues that work together to carry out a biological objective. [GOC:mtg_cardio]' - }, - 'GO:0003009': { - 'name': 'skeletal muscle contraction', - 'def': 'A process in which force is generated within skeletal muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. In the skeletal muscle, the muscle contraction takes advantage of an ordered sarcomeric structure and in most cases it is under voluntary control. [GOC:mtg_cardio, GOC:mtg_muscle]' - }, - 'GO:0003010': { - 'name': 'voluntary skeletal muscle contraction', - 'def': 'A process in which force is generated within voluntary skeletal muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. In the voluntary skeletal muscle, the muscle contraction takes advantage of an ordered sarcomeric structure and it is under voluntary control. Voluntary skeletal muscle is skeletal muscle that is under conscious control. [GOC:mtg_cardio, GOC:mtg_muscle]' - }, - 'GO:0003011': { - 'name': 'involuntary skeletal muscle contraction', - 'def': 'A process in which force is generated within involuntary skeletal muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. Involuntary skeletal muscle is skeletal muscle that is not under conscious control. [GOC:mtg_cardio, GOC:mtg_muscle]' - }, - 'GO:0003012': { - 'name': 'muscle system process', - 'def': 'A organ system process carried out at the level of a muscle. Muscle tissue is composed of contractile cells or fibers. [GOC:mtg_cardio]' - }, - 'GO:0003013': { - 'name': 'circulatory system process', - 'def': 'A organ system process carried out by any of the organs or tissues of the circulatory system. The circulatory system is an organ system that moves extracellular fluids to and from tissue within a multicellular organism. [GOC:mtg_cardio]' - }, - 'GO:0003014': { - 'name': 'renal system process', - 'def': 'A organ system process carried out by any of the organs or tissues of the renal system. The renal system maintains fluid balance, and contributes to electrolyte balance, acid/base balance, and disposal of nitrogenous waste products. In humans, the renal system comprises a pair of kidneys, a pair of ureters, urinary bladder, urethra, sphincter muscle and associated blood vessels; in other species, the renal system may comprise related structures (e.g., nephrocytes and malpighian tubules in Drosophila). [GOC:cjm, GOC:mtg_cardio, GOC:mtg_kidney_jan10]' - }, - 'GO:0003015': { - 'name': 'heart process', - 'def': 'A circulatory system process carried out by the heart. The heart is a hollow, muscular organ, which, by contracting rhythmically, keeps up the circulation of the blood. The heart is a hollow, muscular organ, which, by contracting rhythmically, keeps up the circulation of the blood. [GOC:mtg_cardio]' - }, - 'GO:0003016': { - 'name': 'respiratory system process', - 'def': 'A system process carried out by the organs and tissues of the respiratory system. The respiratory system is an organ system responsible for respiratory gaseous exchange. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003017': { - 'name': 'lymph circulation', - 'def': 'The flow of lymph through the body of an animal. [GOC:mtg_cardio]' - }, - 'GO:0003018': { - 'name': 'vascular process in circulatory system', - 'def': 'A circulatory process that occurs at the level of the vasculature. [GOC:mtg_cardio]' - }, - 'GO:0003019': { - 'name': 'central nervous system control of baroreceptor feedback', - 'def': 'The neurological process in which nerve impulses arising in the aorta or the carotid sinuses travel to the medulla and reach the nucleus of tractus solaris. [GOC:mtg_cardio, ISBN:0323031951]' - }, - 'GO:0003020': { - 'name': 'detection of reduced oxygen by chemoreceptor signaling', - 'def': 'The process in which information about the levels of oxygen are received and are converted to a molecular signal by chemoreceptors in the carotid bodies and the aortic bodies. [GOC:mtg_cardio, ISBN:0323031951]' - }, - 'GO:0003021': { - 'name': 'detection of increased carbon dioxide by chemoreceptor signaling', - 'def': 'The process in which information about the levels of carbon dioxide are received and are converted to a molecular signal by chemoreceptors in the carotid bodies and the aortic bodies. [GOC:mtg_cardio, ISBN:0323031951]' - }, - 'GO:0003022': { - 'name': 'detection of pH by chemoreceptor signaling', - 'def': 'The process in which information about the levels of hydrogen ions are received and are converted to a molecular signal by chemoreceptors. [GOC:mtg_cardio, ISBN:0323031951]' - }, - 'GO:0003023': { - 'name': 'baroreceptor detection of increased arterial stretch', - 'def': 'The series of events by which an increase in diameter of an artery is detected and converted to a molecular signal. [GOC:mtg_cardio]' - }, - 'GO:0003024': { - 'name': 'baroreceptor detection of decreased arterial stretch', - 'def': 'The series of events by which a decrease in diameter of an artery is detected and converted to a molecular signal. [GOC:mtg_cardio]' - }, - 'GO:0003025': { - 'name': 'regulation of systemic arterial blood pressure by baroreceptor feedback', - 'def': 'The neural regulation of blood pressure in which baroreceptors sense the amount of stretch occurring in vessels and respond to the input via central nervous system control. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003026': { - 'name': 'regulation of systemic arterial blood pressure by aortic arch baroreceptor feedback', - 'def': 'The process that modulates blood pressure by sensing the amount of stretch occurring in the aorta and responding to the input via central nervous system control. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003027': { - 'name': 'regulation of systemic arterial blood pressure by carotid body chemoreceptor signaling', - 'def': 'The process that modulates blood pressure by the action of chemoreceptors found in the carotid bodies and their resultant modulation of the vasomotor center. Chemoreceptors respond to oxygen, carbon dioxide and hydrogen ions. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003028': { - 'name': 'regulation of systemic arterial blood pressure by aortic body chemoreceptor signaling', - 'def': 'The process that modulates blood pressure by the action of chemoreceptors found in the aortic bodies and their resultant modulation of the vasomotor center. Chemoreceptors respond to oxygen, carbon dioxide and hydrogen ions. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003029': { - 'name': 'detection of hypoxic conditions in blood by carotid body chemoreceptor signaling', - 'def': 'The process in which information about a lack of oxygen are received and are converted to a molecular signal by chemoreceptors in the carotid bodies. [GOC:mtg_cardio]' - }, - 'GO:0003030': { - 'name': 'detection of hydrogen ion', - 'def': 'The series of events in which a hydrogen ion stimulus is received by a cell and converted into a molecular signal. [GOC:mtg_cardio]' - }, - 'GO:0003031': { - 'name': 'detection of carbon dioxide', - 'def': 'The series of events in which a carbon dioxide stimulus is received by a cell and converted into a molecular signal. [GOC:mtg_cardio]' - }, - 'GO:0003032': { - 'name': 'detection of oxygen', - 'def': 'The series of events in which an oxygen stimulus is received by a cell and converted into a molecular signal. [GOC:mtg_cardio]' - }, - 'GO:0003033': { - 'name': 'detection of hypoxic conditions in blood by aortic body chemoreceptor signaling', - 'def': 'The process in which information about a lack of oxygen are received and are converted to a molecular signal by chemoreceptors in the aortic bodies. [GOC:mtg_cardio]' - }, - 'GO:0003034': { - 'name': 'detection of increased carbon dioxide by aortic body chemoreceptor signaling', - 'def': 'The process in which information about the levels of carbon dioxide are received and are converted to a molecular signal by chemoreceptors in an aortic body. [GOC:mtg_cardio]' - }, - 'GO:0003035': { - 'name': 'detection of increased carbon dioxide by carotid body chemoreceptor signaling', - 'def': 'The process in which information about the levels of carbon dioxide are received and are converted to a molecular signal by chemoreceptors in a carotid body. [GOC:mtg_cardio]' - }, - 'GO:0003036': { - 'name': 'detection of pH by aortic body chemoreceptor signaling', - 'def': 'The process in which information about the levels of hydrogen ions are received and are converted to a molecular signal by chemoreceptors in an aortic body. [GOC:mtg_cardio]' - }, - 'GO:0003037': { - 'name': 'detection of pH by carotid body chemoreceptor signaling', - 'def': 'The process in which information about the levels of hydrogen ions are received and are converted to a molecular signal by chemoreceptors in a carotid body. [GOC:mtg_cardio]' - }, - 'GO:0003038': { - 'name': 'detection of reduced oxygen by aortic body chemoreceptor signaling', - 'def': 'The process in which information about the levels of oxygen are received and are converted to a molecular signal by chemoreceptors in an aortic body. [GOC:mtg_cardio]' - }, - 'GO:0003039': { - 'name': 'detection of reduced oxygen by carotid body chemoreceptor signaling', - 'def': 'The process in which information about the levels of oxygen are received and are converted to a molecular signal by chemoreceptors in a carotid body. [GOC:mtg_cardio]' - }, - 'GO:0003040': { - 'name': 'excitation of vasomotor center by aortic body chemoreceptor signaling', - 'def': 'The process in which the molecular signal from an aortic body is relayed to the vasomotor center, causing it to signal an increase arterial pressure. [GOC:mtg_cardio]' - }, - 'GO:0003041': { - 'name': 'excitation of vasomotor center by carotid body chemoreceptor signaling', - 'def': 'The process in which the molecular signal from a carotid body is relayed to the vasomotor center, causing it to signal an increase arterial pressure. [GOC:mtg_cardio]' - }, - 'GO:0003042': { - 'name': 'vasoconstriction of artery involved in carotid body chemoreceptor response to lowering of systemic arterial blood pressure', - 'def': 'A process that is triggered by carotid body-vasomotor excitation and results in a decrease in the diameter of an artery during the chemoreceptor response to decreased blood pressure. [ISBN:0323031951]' - }, - 'GO:0003043': { - 'name': 'vasoconstriction of artery involved in aortic body chemoreceptor response to lowering of systemic arterial blood pressure', - 'def': 'A process that is triggered by aortic body-vasomotor excitation and results in a decrease in the diameter of an artery during the chemoreceptor response to decreased blood pressure. [GOC:mtg_cardio]' - }, - 'GO:0003044': { - 'name': 'regulation of systemic arterial blood pressure mediated by a chemical signal', - 'def': 'The regulation of blood pressure mediated by biochemical signaling: hormonal, autocrine or paracrine. [GOC:mtg_cardio]' - }, - 'GO:0003045': { - 'name': 'regulation of systemic arterial blood pressure by physical factors', - 'def': 'The regulation of blood pressure mediated by detection of forces within the circulatory system. [GOC:mtg_cardio]' - }, - 'GO:0003046': { - 'name': 'regulation of systemic arterial blood pressure by stress relaxation', - 'def': 'The intrinsic circulatory process resulting from stress relaxation that modulates the force with which blood travels through the systemic arterial circulatory system. Stress relaxation is the adaptation of vessels to a new size as a result of changes in pressure in storage areas such as veins, the liver, the spleen, and the lungs. [GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0003047': { - 'name': 'regulation of systemic arterial blood pressure by epinephrine', - 'def': 'The regulation of blood pressure mediated by the catecholamine signaling molecule epinephrine. [GOC:mtg_cardio]' - }, - 'GO:0003048': { - 'name': 'regulation of systemic arterial blood pressure by norepinephrine', - 'def': 'The regulation of blood pressure mediated by the catecholamine signaling molecule norepinephrine. [GOC:mtg_cardio]' - }, - 'GO:0003049': { - 'name': 'regulation of systemic arterial blood pressure by capillary fluid shift', - 'def': 'The intrinsic circulatory process resulting from capillary fluid shift that modulates the force with which blood travels through the systemic arterial circulatory system. Capillary fluid shift is the movement of fluid across the capillary membrane between the blood and the interstitial fluid compartment. [GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0003050': { - 'name': 'regulation of systemic arterial blood pressure by atrial natriuretic peptide', - 'def': 'The regulation of blood pressure mediated by the signaling molecule atrial natriuretic peptide. [GOC:mtg_cardio]' - }, - 'GO:0003051': { - 'name': 'angiotensin-mediated drinking behavior', - 'def': 'The drinking behavior that is mediated by the action of angiotensin in the brain. Angiotensin stimulates the brain centers that control thirst. [GOC:mtg_cardio]' - }, - 'GO:0003052': { - 'name': 'circadian regulation of systemic arterial blood pressure', - 'def': 'Any process in which an organism modulates its blood pressure at different values with a regularity of approximately 24 hours. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003053': { - 'name': 'circadian regulation of heart rate', - 'def': 'Any process in which an organism modulates its heart rate at different values with a regularity of approximately 24 hours. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003054': { - 'name': 'circadian regulation of systemic arterial blood pressure by the suprachiasmatic nucleus', - 'def': 'The process in which the suprachiasmatic nucleus modulates blood pressure at different values with a regularity of approximately 24 hours. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003055': { - 'name': 'circadian regulation of heart rate by the suprachiasmatic nucleus', - 'def': 'The process in which the suprachiasmatic nucleus modulates heart rate at different values with a regularity of approximately 24 hours. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003056': { - 'name': 'regulation of vascular smooth muscle contraction', - 'def': 'Any process that increases the frequency, rate or extent of vascular smooth muscle contraction. [GOC:mtg_cardio, GOC:mtg_sensu, GOC:rl]' - }, - 'GO:0003057': { - 'name': 'regulation of the force of heart contraction by chemical signal', - 'def': 'The regulation of the force of heart muscle contraction mediated by chemical signaling, hormonal, autocrine or paracrine. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003058': { - 'name': 'hormonal regulation of the force of heart contraction', - 'def': 'The process in which the hormones modulates the force of heart muscle contraction. A hormone is one of a group of substances formed in very small amounts in one specialized organ or group of cells and carried (sometimes in the bloodstream) to another organ or group of cells, in the same organism, upon which they have a specific regulatory action. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003059': { - 'name': 'positive regulation of the force of heart contraction by epinephrine', - 'def': 'The process in which the secretion of epinephrine into the bloodstream or released from nerve endings modulates the force of heart muscle contraction. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003060': { - 'name': 'negative regulation of the force of heart contraction by acetylcholine', - 'def': 'The process in which acetylcholine released from vagus nerve endings binds to muscarinic receptors and decreases the force of heart muscle contraction. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003061': { - 'name': 'positive regulation of the force of heart contraction by norepinephrine', - 'def': 'The process in which the secretion of norepinephrine into the bloodstream or released from nerve endings modulates the force of heart musclecontraction. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003062': { - 'name': 'regulation of heart rate by chemical signal', - 'def': 'The regulation of the rate of heart contraction mediated by chemical signaling, hormonal, autocrine or paracrine. [GOC:dph, GOC:mtg_cardio, GOC:rl, GOC:tb]' - }, - 'GO:0003063': { - 'name': 'negative regulation of heart rate by acetylcholine', - 'def': 'The process in which acetylcholine released from vagus nerve endings binds to muscarinic receptors on the pacemaker cells and decreases the rate of heart muscle contraction. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003064': { - 'name': 'regulation of heart rate by hormone', - 'def': 'The process in which the hormones modulates the rate of heart muscle contraction. A hormone is one of a group of substances formed in very small amounts in one specialized organ or group of cells and carried (sometimes in the bloodstream) to another organ or group of cells, in the same organism, upon which they have a specific regulatory action. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003065': { - 'name': 'positive regulation of heart rate by epinephrine', - 'def': 'The process in which the secretion of epinephrine into the bloodstream or released from nerve endings increases the rate of heart muscle contraction. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003066': { - 'name': 'positive regulation of heart rate by norepinephrine', - 'def': 'The process in which the secretion of norepinephrine into the bloodstream or released from nerve endings increases the rate of heart muscle contraction. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003067': { - 'name': 'circadian regulation of systemic arterial blood pressure by hormone', - 'def': 'The process in which hormones modulate the force with which blood passes through the circulatory system contributing to different values of blood pressure oscillating with a regularity of approximately 24 hours. A hormone is one of a group of substances formed in very small amounts in one specialized organ or group of cells and carried (sometimes in the bloodstream) to another organ or group of cells, in the same organism, upon which they have a specific regulatory action. [GOC:mtg_cardio]' - }, - 'GO:0003068': { - 'name': 'regulation of systemic arterial blood pressure by acetylcholine', - 'def': 'The regulation of blood pressure mediated by acetylcholine signaling. Acetylcholine is an acetic acid ester of the organic base choline and functions as a neurotransmitter. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003069': { - 'name': 'acetylcholine-mediated vasodilation involved in regulation of systemic arterial blood pressure', - 'def': 'The process in which acetylcholine signaling causes vasodilation, resulting in a change in blood pressure. [GOC:mtg_cardio, GOC:rl]' - }, - 'GO:0003070': { - 'name': 'regulation of systemic arterial blood pressure by neurotransmitter', - 'def': 'The regulation of blood pressure mediated by a neurotransmitter. A neurotransmitter is any of a group of substances that are released on excitation from the axon terminal of a presynaptic neuron of the central or peripheral nervous system and travel across the synaptic cleft to either excite or inhibit the target cell. [GOC:mtg_cardio]' - }, - 'GO:0003071': { - 'name': 'renal system process involved in regulation of systemic arterial blood pressure', - 'def': 'Renal process that modulates the force with which blood travels through the circulatory system. The process is controlled by a balance of processes that increase pressure and decrease pressure. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003072': { - 'name': 'renal control of peripheral vascular resistance involved in regulation of systemic arterial blood pressure', - 'def': 'The renal process that modulates the force with which blood travels through the circulatory system, by impeding blood flow through the peripheral vasculature. [GOC:mtg_cardio]' - }, - 'GO:0003073': { - 'name': 'regulation of systemic arterial blood pressure', - 'def': 'The process that modulates the force with which blood travels through the systemic arterial circulatory system. The process is controlled by a balance of processes that increase pressure and decrease pressure. [GOC:mtg_cardio]' - }, - 'GO:0003074': { - 'name': 'obsolete regulation of diuresis', - 'def': 'OBSOLETE. Any process that modulates the rate of diuresis. Diuresis is the process of renal water excretion. [GOC:mtg_cardio]' - }, - 'GO:0003075': { - 'name': 'renal vasodilation of the peripheral vascular system involved in regulation of systemic arterial blood pressure', - 'def': 'The renal process that modulates the force with which blood travels through the circulatory system, by vasodilation of the peripheral vascular system. [GOC:mtg_cardio]' - }, - 'GO:0003077': { - 'name': 'obsolete negative regulation of diuresis', - 'def': 'OBSOLETE. Any process that reduces the rate of diuresis. Diuresis is the process of renal water excretion. [GOC:mtg_cardio]' - }, - 'GO:0003078': { - 'name': 'obsolete regulation of natriuresis', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate, or extent of natriuresis, the process of renal sodium excretion. [GOC:mah]' - }, - 'GO:0003079': { - 'name': 'obsolete positive regulation of natriuresis', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of natriuresis. [GOC:mtg_cardio]' - }, - 'GO:0003080': { - 'name': 'obsolete negative regulation of natriuresis', - 'def': 'OBSOLETE. Any process that stops, prevents, or decreases the frequency, rate, or extent of natriuresis, the process of renal sodium excretion. [GOC:mah]' - }, - 'GO:0003081': { - 'name': 'regulation of systemic arterial blood pressure by renin-angiotensin', - 'def': 'The process in which renin-angiotensin modulates the force with which blood passes through the circulatory system. [GOC:mtg_cardio]' - }, - 'GO:0003082': { - 'name': 'obsolete positive regulation of renal output by angiotensin', - 'def': 'OBSOLETE. Any process in which angiotensin directly increases the rate of natriuresis and diuresis in the kidney. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003083': { - 'name': 'negative regulation of renal output by angiotensin', - 'def': 'The process in which angiotensin directly decreases the rate of natriuresis and diuresis in the kidney. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003084': { - 'name': 'positive regulation of systemic arterial blood pressure', - 'def': 'The process that increases the force with which blood travels through the systemic arterial circulatory system. [GOC:mtg_cardio]' - }, - 'GO:0003085': { - 'name': 'negative regulation of systemic arterial blood pressure', - 'def': 'The process that reduces the force with which blood travels through the systemic arterial circulatory system. [GOC:mtg_cardio]' - }, - 'GO:0003086': { - 'name': 'regulation of systemic arterial blood pressure by local renal renin-angiotensin', - 'def': 'The process in which angiotensinogen metabolites in the kidney modulate the force with which blood passes through the renal circulatory system. The process begins when renin cleaves angiotensinogen. [GOC:mtg_cardio]' - }, - 'GO:0003087': { - 'name': 'positive regulation of the force of heart contraction by neuronal epinephrine', - 'def': 'The process in which the release of epinephrine from nerve endings modulates the force of heart muscle contraction. [GOC:mtg_cardio]' - }, - 'GO:0003088': { - 'name': 'positive regulation of the force of heart contraction by circulating epinephrine', - 'def': 'The process in which the secretion of epinephrine into the bloodstream modulates the force of heart muscle contraction. [GOC:mtg_cardio]' - }, - 'GO:0003089': { - 'name': 'positive regulation of the force of heart contraction by circulating epinephrine-norepinephrine', - 'def': 'Any process that increases the force with which the cardiac muscles of the heart pump blood through the circulatory system as a result of the presence of epinephrine or norepinephrine in the bloodstream. [GOC:mtg_cardio]' - }, - 'GO:0003090': { - 'name': 'positive regulation of the force of heart contraction by neuronal epinephrine-norepinephrine', - 'def': 'Any process that increases the force with which the cardiac muscles of the heart pump blood through the circulatory system as a result of the presence of epinephrine or norepinephrine released from the nerve endings. [GOC:mtg_cardio]' - }, - 'GO:0003091': { - 'name': 'renal water homeostasis', - 'def': 'Renal process involved in the maintenance of an internal steady state of water in the body. [GOC:mtg_cardio]' - }, - 'GO:0003092': { - 'name': 'renal water retention', - 'def': 'The process in which renal water excretion is decreased. [GOC:mtg_cardio]' - }, - 'GO:0003093': { - 'name': 'regulation of glomerular filtration', - 'def': 'Any process that modulates the frequency, rate or extent of glomerular filtration. Glomerular filtration is the process in which blood is filtered by the glomerulus into the renal tubule. [GOC:mtg_cardio]' - }, - 'GO:0003094': { - 'name': 'glomerular filtration', - 'def': 'The process in which plasma is filtered through the glomerular membrane which consists of capillary endothelial cells, the basement membrane, and epithelial cells. The glomerular filtrate is the same as plasma except it has no significant amount of protein. [GOC:mtg_cardio, GOC:sart, ISBN:0721643949]' - }, - 'GO:0003095': { - 'name': 'pressure natriuresis', - 'def': 'The process in which the volume of blood increases renal pressure and thereby results in both an increase in urine volume (diuresis) and an increase in the amount of sodium excreted in the urine (natriuresis). [GOC:mtg_cardio]' - }, - 'GO:0003096': { - 'name': 'renal sodium ion transport', - 'def': 'The directed movement of sodium ions (Na+) by the kidney. [GOC:mtg_cardio]' - }, - 'GO:0003097': { - 'name': 'renal water transport', - 'def': 'The directed movement of water (H2O) by the kidney. [GOC:mtg_cardio]' - }, - 'GO:0003098': { - 'name': 'tubuloglomerular feedback', - 'def': 'The process in which blood volume is regulated due to a change in the rate of glomerular filtration. This is accomplished by a feedback mechanism that senses changes in the juxtaglomerular apparatus. [GOC:mtg_cardio]' - }, - 'GO:0003099': { - 'name': 'positive regulation of the force of heart contraction by chemical signal', - 'def': 'Any process which increases the force of heart muscle contraction mediated by chemical signaling, hormonal, autocrine or paracrine. [GOC:mtg_cardio]' - }, - 'GO:0003100': { - 'name': 'regulation of systemic arterial blood pressure by endothelin', - 'def': 'The process in which endothelin modulates the force with which blood passes through the circulatory system. Endothelin is a hormone that is released by the endothelium, and it is a vasoconstrictor. [GOC:mtg_cardio]' - }, - 'GO:0003101': { - 'name': 'regulation of systemic arterial blood pressure by circulatory epinephrine-norepinephrine', - 'def': 'The process in which epinephrine-norepinephrine modulate the force with which blood passes through the circulatory system. [GOC:mtg_cardio]' - }, - 'GO:0003102': { - 'name': 'obsolete positive regulation of diuresis by angiotensin', - 'def': 'OBSOLETE. Any process mediated by angiotensin that increases the rate of diuresis. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003103': { - 'name': 'obsolete positive regulation of diuresis', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of diuresis. Diuresis is the process of renal water excretion. [GOC:mtg_cardio]' - }, - 'GO:0003104': { - 'name': 'positive regulation of glomerular filtration', - 'def': 'Any process that activates or increases the frequency, rate or extent of glomerular filtration. Glomerular filtration is the processs whereby blood is filtered by the glomerulus into the renal tubule. [GOC:mtg_cardio]' - }, - 'GO:0003105': { - 'name': 'negative regulation of glomerular filtration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of glomerular filtration. Glomerular filtration is the processs whereby blood is filtered by the glomerulus into the renal tubule. [GOC:mtg_cardio]' - }, - 'GO:0003106': { - 'name': 'negative regulation of glomerular filtration by angiotensin', - 'def': 'The process in which angiotensin directly decreases the rate of glomerular filtration in the kidney. Glomerular filtration is the processs whereby blood is filtered by the glomerulus into the renal tubule. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0003107': { - 'name': 'obsolete positive regulation of natriuresis by angiotensin', - 'def': 'OBSOLETE. The process in which angiotensin increases the rate of natriuresis indirectly via diuresis. Natriuresis is the process of renal sodium excretion. [GOC:dph, GOC:mtg_cardio, GOC:tb]' - }, - 'GO:0003108': { - 'name': 'negative regulation of the force of heart contraction by chemical signal', - 'def': 'Any process which decreases the force of heart muscle contraction mediated by chemical signaling, hormonal, autocrine or paracrine. [GOC:mtg_cardio]' - }, - 'GO:0003109': { - 'name': 'positive regulation of the force of heart contraction by circulating norepinephrine', - 'def': 'The process in which the secretion of norepinephrine into the bloodstream modulates the force of heart muscle contraction. [GOC:mtg_cardio]' - }, - 'GO:0003110': { - 'name': 'positive regulation of the force of heart contraction by neuronal norepinephrine', - 'def': 'The process in which the release of norepinephrine from nerve endings modulates the force of heart muscle contraction. [GOC:mtg_cardio]' - }, - 'GO:0003111': { - 'name': 'positive regulation of heart rate by circulating epinephrine', - 'def': 'The process in which the secretion of epinephrine into the bloodstream increases the rate of heart muscle contraction. [GOC:mtg_cardio]' - }, - 'GO:0003112': { - 'name': 'positive regulation of heart rate by neuronal epinephrine', - 'def': 'The process in which the secretion of epinephrine from nerve endings increases the rate of heart muscle contraction. [GOC:mtg_cardio]' - }, - 'GO:0003113': { - 'name': 'positive regulation of heart rate by neuronal norepinephrine', - 'def': 'The process in which the secretion of norepinephrine released from nerve endings increases the rate of heart muscle contraction. [GOC:mtg_cardio]' - }, - 'GO:0003114': { - 'name': 'positive regulation of heart rate by circulating norepinephrine', - 'def': 'The process in which the secretion of norepinephrine into the bloodstream increases the rate of heart muscle contraction. [GOC:mtg_cardio]' - }, - 'GO:0003115': { - 'name': 'regulation of vasoconstriction by epinephrine', - 'def': 'Any process that modulates the frequency, rate or extent of reductions in the diameter of blood vessels as a result of secretion of epinephrine into the bloodstream or released by nerve endings. [GOC:mtg_cardio]' - }, - 'GO:0003116': { - 'name': 'regulation of vasoconstriction by norepinephrine', - 'def': 'Any process that modulates the frequency, rate or extent of reductions in the diameter of blood vessels as a result of secretion of norepinephrine into the bloodstream or released by nerve endings. [GOC:mtg_cardio]' - }, - 'GO:0003117': { - 'name': 'regulation of vasoconstriction by circulating norepinephrine', - 'def': 'Any process that modulates the frequency, rate or extent of reductions in the diameter of blood vessels as a result of secretion of norepinephrine into the bloodstream. [GOC:mtg_cardio]' - }, - 'GO:0003118': { - 'name': 'regulation of vasoconstriction by neuronal norepinephrine', - 'def': 'Any process that modulates the frequency, rate or extent of reductions in the diameter of blood vessels as a result of norepinephrine released by nerve endings. [GOC:mtg_cardio]' - }, - 'GO:0003119': { - 'name': 'regulation of vasoconstriction by neuronal epinephrine', - 'def': 'Any process that modulates the frequency, rate or extent of reductions in the diameter of blood vessels as a result of epinephrine released by nerve endings. [GOC:mtg_cardio]' - }, - 'GO:0003120': { - 'name': 'regulation of vasoconstriction by circulating epinephrine', - 'def': 'Any process that modulates the frequency, rate or extent of reductions in the diameter of blood vessels as a result of secretion of epinephrine into the bloodstream. [GOC:mtg_cardio]' - }, - 'GO:0003121': { - 'name': 'epinephrine-mediated vasodilation', - 'def': 'A vasodilation process resulting from secretion of epinephrine into the bloodstream or released by nerve endings. [GOC:mtg_cardio]' - }, - 'GO:0003122': { - 'name': 'norepinephrine-mediated vasodilation', - 'def': 'A vasodilation process resulting from secretion of norepinephrine into the bloodstream or released by nerve endings. [GOC:mtg_cardio]' - }, - 'GO:0003127': { - 'name': 'detection of nodal flow', - 'def': 'The series of events by which an endogenous stimulus is received by a cilium on a cell and converted to a molecular signal contributing to left/right asymmetry. [GOC:mtg_heart]' - }, - 'GO:0003128': { - 'name': 'heart field specification', - 'def': 'The process that results in the delineation of a specific region of the lateral mesoderm into the area in which the heart will develop. [GOC:mtg_heart]' - }, - 'GO:0003129': { - 'name': 'heart induction', - 'def': 'The close range interaction between mesoderm and endoderm or ectoderm that causes cells to change their fates and specify the development of the heart. [GOC:mtg_heart]' - }, - 'GO:0003130': { - 'name': 'BMP signaling pathway involved in heart induction', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to heart induction. [GOC:mtg_heart]' - }, - 'GO:0003131': { - 'name': 'mesodermal-endodermal cell signaling', - 'def': 'Any process that mediates the transfer of information from mesodermal cells to endodermal cells. [GOC:mtg_heart]' - }, - 'GO:0003132': { - 'name': 'mesodermal-endodermal cell signaling involved in heart induction', - 'def': 'Any process that mediates the transfer of information from mesodermal cells to endodermal cells that contributes to heart induction. [GOC:mtg_heart]' - }, - 'GO:0003133': { - 'name': 'endodermal-mesodermal cell signaling', - 'def': 'Any process that mediates the transfer of information from endodermal cells to mesodermal cells. [GOC:mtg_heart]' - }, - 'GO:0003134': { - 'name': 'endodermal-mesodermal cell signaling involved in heart induction', - 'def': 'Any process that mediates the transfer of information from endodermal cells to mesodermal cells that contributes to heart induction. [GOC:mtg_heart]' - }, - 'GO:0003135': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in heart induction', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands that contributes to heart induction. [GOC:mtg_heart]' - }, - 'GO:0003136': { - 'name': 'negative regulation of heart induction by canonical Wnt signaling pathway', - 'def': 'Any canonical Wnt signaling that decreases the rate, frequency or extent of heart induction. [GOC:mtg_heart, PMID:19862329]' - }, - 'GO:0003137': { - 'name': 'Notch signaling pathway involved in heart induction', - 'def': 'The series of molecular signals initiated by binding of an extracellular ligand to a Notch receptor on the surface of the target cell that contributes to heart induction. [GOC:mtg_heart]' - }, - 'GO:0003138': { - 'name': 'primary heart field specification', - 'def': 'The process that results in the delineation of a specific region of the lateral mesoderm into the area which will form the primary beating heart tube. In mammals the primary heart field gives rise to the left ventricle. [GOC:mtg_heart, GOC:rl]' - }, - 'GO:0003139': { - 'name': 'secondary heart field specification', - 'def': 'The process that results in the delineation of a specific region of the lateral mesoderm into the area which will form the majority of the mesodermal component of the right ventricle, arterial pole (outflow tract) and venous pole (inflow tract). [GOC:mtg_heart, GOC:rl, PMID:17276708]' - }, - 'GO:0003140': { - 'name': 'determination of left/right asymmetry in lateral mesoderm', - 'def': 'The establishment of the lateral mesoderm with respect to the left and right halves. [GOC:mtg_heart]' - }, - 'GO:0003141': { - 'name': 'obsolete transforming growth factor beta receptor signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'OBSOLETE. The series of molecular signals generated as a consequence of a transforming growth factor beta receptor binding to one of its physiological ligands that contributes to lateral mesoderm left/right asymmetry determination. [GOC:mtg_heart]' - }, - 'GO:0003142': { - 'name': 'cardiogenic plate morphogenesis', - 'def': 'The process in which the anatomical structures of the cardiogenic plate are generated and organized. The cardiogenic plate is the first recognizable structure derived from the heart field. [GOC:mtg_heart]' - }, - 'GO:0003143': { - 'name': 'embryonic heart tube morphogenesis', - 'def': 'The process in which the anatomical structures of the embryonic heart tube are generated and organized. The embryonic heart tube is an epithelial tube that will give rise to the mature heart. [GOC:mtg_heart]' - }, - 'GO:0003144': { - 'name': 'embryonic heart tube formation', - 'def': 'The process that gives rise to the embryonic heart tube. This process pertains to the initial formation of a structure from unspecified parts. The embryonic heart tube is an epithelial tube that will give rise to the mature heart. [GOC:mtg_heart]' - }, - 'GO:0003145': { - 'name': 'embryonic heart tube formation via epithelial folding', - 'def': 'The process that gives rise to the embryonic heart tube by the cells of the heart field along a linear axis. [GOC:mtg_heart]' - }, - 'GO:0003146': { - 'name': 'heart jogging', - 'def': 'The morphogenetic process in which the heart cone is displaced to the left with respect to the vector of the anterior-posterior axis. [GOC:mtg_heart, PMID:9334285]' - }, - 'GO:0003147': { - 'name': 'neural crest cell migration involved in heart formation', - 'def': 'The characteristic movement of a cell from the dorsal ridge of the neural tube towards the heart and that contributes to heart formation. [GOC:mtg_heart]' - }, - 'GO:0003148': { - 'name': 'outflow tract septum morphogenesis', - 'def': 'The process in which the anatomical structures of the outflow tract septum are generated and organized. The outflow tract septum is a partition in the outflow tract. [GOC:mtg_heart]' - }, - 'GO:0003149': { - 'name': 'membranous septum morphogenesis', - 'def': 'The process in which the membranous septum is generated and organized. The membranous septum is the upper part of ventricular septum. [GOC:mtg_heart]' - }, - 'GO:0003150': { - 'name': 'muscular septum morphogenesis', - 'def': 'The process in which the muscular septum is generated and organized. The muscular septum is the lower part of the ventricular septum. [GOC:mtg_heart]' - }, - 'GO:0003151': { - 'name': 'outflow tract morphogenesis', - 'def': 'The process in which the anatomical structures of the outflow tract are generated and organized. The outflow tract is the portion of the heart through which blood flows into the arteries. [GOC:mtg_heart, UBERON:0004145]' - }, - 'GO:0003152': { - 'name': 'morphogenesis of an epithelial fold involved in embryonic heart tube formation', - 'def': 'The morphogenetic process in which an epithelial sheet bends along a linear axis, contributing to embryonic heart tube formation. [GOC:mtg_heart]' - }, - 'GO:0003153': { - 'name': 'closure of embryonic heart tube', - 'def': 'Creation of the central hole of the embryonic heart tube by sealing the edges of an epithelial fold. [GOC:mtg_heart]' - }, - 'GO:0003154': { - 'name': 'BMP signaling pathway involved in determination of left/right symmetry', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the determination of left/right symmetry. [GOC:mtg_heart, GOC:signaling]' - }, - 'GO:0003155': { - 'name': 'BMP signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'A series of molecular signals generated as a consequence of any member of the BMP (bone morphogenetic protein) family binding to a cell surface receptor that contributes to the determination of lateral mesoderm left/right asymmetry. [GOC:mtg_heart]' - }, - 'GO:0003156': { - 'name': 'regulation of animal organ formation', - 'def': 'Any process that modulates the rate, frequency or extent of animal organ formation. Organ formation is the process pertaining to the initial formation of an organ from unspecified parts. The process begins with the specific processes that contribute to the appearance of the discrete structure, such as inductive events, and ends when the structural rudiment of the organ is recognizable, such as a condensation of mesenchymal cells into the organ rudiment. [GOC:dph, GOC:mtg_heart, GOC:tb]' - }, - 'GO:0003157': { - 'name': 'endocardium development', - 'def': 'The process whose specific outcome is the progression of the endocardium over time, from its formation to the mature structure. The endocardium is an anatomical structure comprised of an endothelium and an extracellular matrix that forms the innermost layer of tissue of the heart, and lines the heart chambers. [GOC:mtg_heart]' - }, - 'GO:0003158': { - 'name': 'endothelium development', - 'def': 'The process whose specific outcome is the progression of an endothelium over time, from its formation to the mature structure. Endothelium refers to the layer of cells lining blood vessels, lymphatics, the heart, and serous cavities, and is derived from bone marrow or mesoderm. Corneal endothelium is a special case, derived from neural crest cells. [GOC:mtg_heart]' - }, - 'GO:0003159': { - 'name': 'morphogenesis of an endothelium', - 'def': 'The process in which the anatomical structure of an endothelium is generated and organized. Endothelium refers to the layer of cells lining blood vessels, lymphatics, the heart, and serous cavities, and is derived from bone marrow or mesoderm. Corneal endothelium is a special case, derived from neural crest cells. [GOC:mtg_heart]' - }, - 'GO:0003160': { - 'name': 'endocardium morphogenesis', - 'def': 'The process in which the anatomical structure of the endocardium is generated and organized. The endocardium is an anatomical structure comprised of an endothelium and an extracellular matrix that forms the innermost layer of tissue of the heart, and lines the heart chambers. [GOC:mtg_heart]' - }, - 'GO:0003161': { - 'name': 'cardiac conduction system development', - 'def': 'The process whose specific outcome is the progression of the cardiac conduction system over time, from its formation to the mature structure. The cardiac conduction system consists of specialized cardiomyocytes that regulate the frequency of heart beat. [GOC:mtg_heart]' - }, - 'GO:0003162': { - 'name': 'atrioventricular node development', - 'def': 'The process whose specific outcome is the progression of the atrioventricular (AV) node over time, from its formation to the mature structure. The AV node is part of the cardiac conduction system that controls the timing of ventricle contraction by receiving electrical signals from the sinoatrial (SA) node and relaying them to the His-Purkinje system. [GOC:mtg_heart]' - }, - 'GO:0003163': { - 'name': 'sinoatrial node development', - 'def': 'The process whose specific outcome is the progression of the sinoatrial (SA) node over time, from its formation to the mature structure. The SA node is part of the cardiac conduction system that controls the timing of heart muscle contraction. It relays electrical signals to the AV node. [GOC:mtg_heart]' - }, - 'GO:0003164': { - 'name': 'His-Purkinje system development', - 'def': 'The process whose specific outcome is the progression of the His-Purkinje system over time, from its formation to the mature structure. The His-Purkinje system receives signals from the AV node and is composed of the fibers that regulate cardiac muscle contraction in the ventricles. [GOC:mtg_heart]' - }, - 'GO:0003165': { - 'name': 'Purkinje myocyte development', - 'def': 'The process whose specific outcome is the progression of a Purkinje myocyte over time, from its formation to the mature structure. The Purkinje myocyte (also known as cardiac Purkinje fiber) is part of the cardiac conduction system that receives signals from the bundle of His and innervates the ventricular cardiac muscle. [GOC:mtg_cardiac_conduct_nov11, GOC:mtg_heart]' - }, - 'GO:0003166': { - 'name': 'bundle of His development', - 'def': 'The process whose specific outcome is the progression of the bundle of His over time, from its formation to the mature structure. The bundle of His is part of the His-Purkinje system that transmits signals from the AV node to the cardiac Purkinje fibers. [GOC:mtg_heart]' - }, - 'GO:0003167': { - 'name': 'atrioventricular bundle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a cell of the atrioventricular bundle. These cells are specialized cardiomyocytes that transmit signals from the AV node to the cardiac Purkinje fibers. [GOC:mtg_heart]' - }, - 'GO:0003168': { - 'name': 'Purkinje myocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a Purkinje myocyte (also known as cardiac Purkinje fiber cell). These cells are specialized cardiomyocytes that receive signals from the bundle of His and innervate the ventricular cardiac muscle. [GOC:mtg_cardiac_conduct_nov11, GOC:mtg_heart]' - }, - 'GO:0003169': { - 'name': 'coronary vein morphogenesis', - 'def': 'The process in which the anatomical structures of veins of the heart are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003170': { - 'name': 'heart valve development', - 'def': 'The progression of a heart valve over time, from its formation to the mature structure. A heart valve is a structure that restricts the flow of blood to different regions of the heart and forms from an endocardial cushion. [GOC:mtg_heart]' - }, - 'GO:0003171': { - 'name': 'atrioventricular valve development', - 'def': 'The progression of the atrioventricular valve over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003172': { - 'name': 'sinoatrial valve development', - 'def': 'The progression of the sinoatrial valve over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003173': { - 'name': 'ventriculo bulbo valve development', - 'def': 'The progression of the ventriculo bulbo valve over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003174': { - 'name': 'mitral valve development', - 'def': 'The progression of the mitral valve over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003175': { - 'name': 'tricuspid valve development', - 'def': 'The progression of the tricuspid valve over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003176': { - 'name': 'aortic valve development', - 'def': 'The progression of the aortic valve over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003177': { - 'name': 'pulmonary valve development', - 'def': 'The progression of the pulmonary valve over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003178': { - 'name': 'coronary sinus valve development', - 'def': 'The progression of the valve of the coronary sinus over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003179': { - 'name': 'heart valve morphogenesis', - 'def': 'The process in which the structure of a heart valve is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003180': { - 'name': 'aortic valve morphogenesis', - 'def': 'The process in which the structure of the aortic valve is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003181': { - 'name': 'atrioventricular valve morphogenesis', - 'def': 'The process in which the structure of the atrioventricular valve is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003182': { - 'name': 'coronary sinus valve morphogenesis', - 'def': 'The process in which the structure of the coronary sinus valve is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003183': { - 'name': 'mitral valve morphogenesis', - 'def': 'The process in which the structure of the mitral valve is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003184': { - 'name': 'pulmonary valve morphogenesis', - 'def': 'The process in which the structure of the pulmonary valve is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003185': { - 'name': 'sinoatrial valve morphogenesis', - 'def': 'The process in which the structure of the sinoatrial valve is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003186': { - 'name': 'tricuspid valve morphogenesis', - 'def': 'The process in which the structure of the tricuspid valve is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003187': { - 'name': 'ventriculo bulbo valve morphogenesis', - 'def': 'The process in which the structure of the ventriculo bulbo valve is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003188': { - 'name': 'heart valve formation', - 'def': 'The developmental process pertaining to the initial formation of a heart valve from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0003189': { - 'name': 'aortic valve formation', - 'def': 'The developmental process pertaining to the initial formation of the aortic valve from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0003190': { - 'name': 'atrioventricular valve formation', - 'def': 'The developmental process pertaining to the initial formation of the atrioventricular valve from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0003191': { - 'name': 'coronary sinus valve formation', - 'def': 'The developmental process pertaining to the initial formation of the coronary sinus valve from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0003192': { - 'name': 'mitral valve formation', - 'def': 'The developmental process pertaining to the initial formation of the mitral valve from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0003193': { - 'name': 'pulmonary valve formation', - 'def': 'The developmental process pertaining to the initial formation of the pulmonary valve from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0003194': { - 'name': 'sinoatrial valve formation', - 'def': 'The developmental process pertaining to the initial formation of the sinoatrial valve from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0003195': { - 'name': 'tricuspid valve formation', - 'def': 'The developmental process pertaining to the initial formation of the tricuspid valve from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0003196': { - 'name': 'ventriculo bulbo valve formation', - 'def': 'The developmental process pertaining to the initial formation of the ventriculo bulbo valve from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0003197': { - 'name': 'endocardial cushion development', - 'def': 'The progression of a cardiac cushion over time, from its initial formation to the mature structure. The endocardial cushion is a specialized region of mesenchymal cells that will give rise to the heart septa and valves. [GOC:mtg_heart]' - }, - 'GO:0003198': { - 'name': 'epithelial to mesenchymal transition involved in endocardial cushion formation', - 'def': 'A transition where a cardiac epithelial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell that will contribute to the formation of the endocardial cushion. [GOC:mtg_heart]' - }, - 'GO:0003199': { - 'name': 'endocardial cushion to mesenchymal transition involved in heart valve formation', - 'def': 'A transition where an endocardial cushion cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell that will contribute to the formation of a cardiac valve. [GOC:mtg_heart]' - }, - 'GO:0003200': { - 'name': 'endocardial cushion to mesenchymal transition involved in heart chamber septation', - 'def': 'A transition where an endocardial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell that will contribute to the formation of the heart septum. [GOC:mtg_heart]' - }, - 'GO:0003201': { - 'name': 'epithelial to mesenchymal transition involved in coronary vasculature morphogenesis', - 'def': 'A transition where a cardiac epithelial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell that will contribute to the shaping of the coronary vasculature. [GOC:mtg_heart]' - }, - 'GO:0003202': { - 'name': 'endocardial cushion to mesenchymal transition involved in cardiac skeleton development', - 'def': 'A transition where an endocardial cushion cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell that will give rise to the cardiac skeleton. [GOC:mtg_heart]' - }, - 'GO:0003203': { - 'name': 'endocardial cushion morphogenesis', - 'def': 'The process in which the anatomical structure of the endocardial cushion is generated and organized. The endocardial cushion is a specialized region of mesenchymal cells that will give rise to the heart septa and valves. [GOC:mtg_heart]' - }, - 'GO:0003204': { - 'name': 'cardiac skeleton development', - 'def': 'The progression of the cardiac skeleton over time, from its formation to the mature structure. The cardiac skeleton is a specialized extracellular matrix that separates the atria from the ventricles and provides physical support for the heart. [GOC:mtg_heart]' - }, - 'GO:0003205': { - 'name': 'cardiac chamber development', - 'def': 'The progression of a cardiac chamber over time, from its formation to the mature structure. A cardiac chamber is an enclosed cavity within the heart. [GOC:mtg_heart]' - }, - 'GO:0003206': { - 'name': 'cardiac chamber morphogenesis', - 'def': 'The process in which a cardiac chamber is generated and organized. A cardiac chamber is an enclosed cavity within the heart. [GOC:mtg_heart]' - }, - 'GO:0003207': { - 'name': 'cardiac chamber formation', - 'def': 'The developmental process pertaining to the initial formation of a cardiac chamber from unspecified parts. A cardiac chamber is an enclosed cavity within the heart. [GOC:mtg_heart]' - }, - 'GO:0003208': { - 'name': 'cardiac ventricle morphogenesis', - 'def': 'The process in which the cardiac ventricle is generated and organized. A cardiac ventricle receives blood from a cardiac atrium and pumps it out of the heart. [GOC:mtg_heart]' - }, - 'GO:0003209': { - 'name': 'cardiac atrium morphogenesis', - 'def': 'The process in which the cardiac atrium is generated and organized. A cardiac atrium receives blood from a vein and pumps it to a cardiac ventricle. [GOC:mtg_heart]' - }, - 'GO:0003210': { - 'name': 'cardiac atrium formation', - 'def': 'The developmental process pertaining to the initial formation of a cardiac atrium from unspecified parts. A cardiac atrium receives blood from a vein and pumps it to a cardiac ventricle. [GOC:mtg_heart]' - }, - 'GO:0003211': { - 'name': 'cardiac ventricle formation', - 'def': 'The developmental process pertaining to the initial formation of a cardiac ventricle from unspecified parts. A cardiac ventricle receives blood from a cardiac atrium and pumps it out of the heart. [GOC:mtg_heart]' - }, - 'GO:0003212': { - 'name': 'cardiac left atrium morphogenesis', - 'def': 'The process in which the left cardiac atrium is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003213': { - 'name': 'cardiac right atrium morphogenesis', - 'def': 'The process in which the right cardiac atrium is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003214': { - 'name': 'cardiac left ventricle morphogenesis', - 'def': 'The process in which the left cardiac ventricle is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003215': { - 'name': 'cardiac right ventricle morphogenesis', - 'def': 'The process in which the right cardiac ventricle is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003216': { - 'name': 'cardiac left atrium formation', - 'def': 'The developmental process pertaining to the initial formation of a left cardiac atrium from unspecified parts. [GOC:mtg_heart]' - }, - 'GO:0003217': { - 'name': 'cardiac right atrium formation', - 'def': 'The developmental process pertaining to the initial formation of a cardiac right atrium from unspecified parts. [GOC:mtg_heart]' - }, - 'GO:0003218': { - 'name': 'cardiac left ventricle formation', - 'def': 'The developmental process pertaining to the initial formation of a left cardiac ventricle from unspecified parts. [GOC:mtg_heart]' - }, - 'GO:0003219': { - 'name': 'cardiac right ventricle formation', - 'def': 'The developmental process pertaining to the initial formation of a right cardiac ventricle from unspecified parts. [GOC:mtg_heart]' - }, - 'GO:0003220': { - 'name': 'left ventricular cardiac muscle tissue morphogenesis', - 'def': 'The process in which the anatomical structures of left cardiac ventricle muscle are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003221': { - 'name': 'right ventricular cardiac muscle tissue morphogenesis', - 'def': 'The process in which the anatomical structures of the right cardiac ventricle muscle are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003222': { - 'name': 'ventricular trabecula myocardium morphogenesis', - 'def': 'The process in which the anatomical structures of the trabecular cardiac ventricle muscle are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003223': { - 'name': 'ventricular compact myocardium morphogenesis', - 'def': 'The process in which the anatomical structures of the compact cardiac ventricle muscle are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003224': { - 'name': 'left ventricular compact myocardium morphogenesis', - 'def': 'The process in which the anatomical structures of cardiac left ventricular compact myocardium are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003225': { - 'name': 'left ventricular trabecular myocardium morphogenesis', - 'def': 'The process in which the anatomical structures of cardiac left ventricular trabecular myocardium are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003226': { - 'name': 'right ventricular compact myocardium morphogenesis', - 'def': 'The process in which the anatomical structures of the right ventricular compact myocardium are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003227': { - 'name': 'right ventricular trabecular myocardium morphogenesis', - 'def': 'The process in which the anatomical structures of the right ventricular myocardium are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003228': { - 'name': 'atrial cardiac muscle tissue development', - 'def': 'The process whose specific outcome is the progression of cardiac muscle of the atrium over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003229': { - 'name': 'ventricular cardiac muscle tissue development', - 'def': 'The process whose specific outcome is the progression of ventricular cardiac muscle over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003230': { - 'name': 'cardiac atrium development', - 'def': 'The process whose specific outcome is the progression of a cardiac atrium over time, from its formation to the mature structure. A cardiac atrium receives blood from a vein and pumps it to a cardiac ventricle. [GOC:mtg_heart]' - }, - 'GO:0003231': { - 'name': 'cardiac ventricle development', - 'def': 'The process whose specific outcome is the progression of a cardiac ventricle over time, from its formation to the mature structure. A cardiac ventricle receives blood from a cardiac atrium and pumps it out of the heart. [GOC:mtg_heart]' - }, - 'GO:0003232': { - 'name': 'bulbus arteriosus development', - 'def': 'The process whose specific outcome is the progression of the bulbus arteriosus over time, from its formation to the mature structure. The bulbus arteriosus is an elastic heart chamber. [GOC:mtg_heart]' - }, - 'GO:0003233': { - 'name': 'bulbus arteriosus morphogenesis', - 'def': 'The process in which the bulbus arteriosus is generated and organized. The bulbus arteriosus is an elastic cardiac chamber. [GOC:mtg_heart]' - }, - 'GO:0003234': { - 'name': 'bulbus arteriosus formation', - 'def': 'The developmental process pertaining to the initial formation of the bulbus arteriosus from unspecified parts. The bulbus arteriosus is an elastic chamber of the heart. [GOC:mtg_heart]' - }, - 'GO:0003235': { - 'name': 'sinus venosus development', - 'def': 'The progression of the sinus venosus over time, from its formation to the mature structure. The sinus venosus is a heart chamber attached to the atrium on the venous side of the embryonic heart. [GOC:mtg_heart]' - }, - 'GO:0003236': { - 'name': 'sinus venosus morphogenesis', - 'def': 'The process in which the sinus venosus is generated and organized. The sinus venosus is a heart chamber attached to the atrium on the venous side of the embryonic heart. [GOC:mtg_heart]' - }, - 'GO:0003237': { - 'name': 'sinus venosus formation', - 'def': 'The developmental process pertaining to the initial formation of the sinus venosus from unspecified parts. The sinus venosus is a heart chamber attached to the atrium on the venous side of the embryonic heart. [GOC:mtg_heart]' - }, - 'GO:0003238': { - 'name': 'conus arteriosus development', - 'def': 'The progression of the conus arteriosus over time, from its formation to the mature structure. The conus arteriosus is a valved chamber with thick muscular walls stemming from the ventricle and connecting to the pulmonary trunk. [GOC:mtg_heart]' - }, - 'GO:0003239': { - 'name': 'conus arteriosus morphogenesis', - 'def': 'The process in which the conus arteriosus is generated and organized. The conus arteriosus is a valved chamber with thick muscular walls stemming from the ventricle and connecting to the pulmonary trunk. [GOC:mtg_heart]' - }, - 'GO:0003240': { - 'name': 'conus arteriosus formation', - 'def': 'The developmental process pertaining to the initial formation of the conus arteriosus from unspecified parts. The conus arteriosus is a valved chamber with thick muscular walls stemming from the ventricle and connecting to the pulmonary trunk. [GOC:mtg_heart]' - }, - 'GO:0003241': { - 'name': 'growth involved in heart morphogenesis', - 'def': 'Developmental growth that contributes to the shaping of the heart. [GOC:mtg_heart]' - }, - 'GO:0003242': { - 'name': 'cardiac chamber ballooning', - 'def': 'The morphogenic growth in which the chambers of the heart expand in size, contributing to their shaping. [GOC:mtg_heart]' - }, - 'GO:0003243': { - 'name': 'circumferential growth involved in left ventricle morphogenesis', - 'def': 'The morphogenetic growth in which the left ventricle grows expanding its external boundary. [GOC:mtg_heart, PMID:14709543]' - }, - 'GO:0003244': { - 'name': 'radial growth involved in right ventricle morphogenesis', - 'def': 'The morphogenic growth in which the right ventricle grows along a radial axis. [GOC:mtg_heart]' - }, - 'GO:0003245': { - 'name': 'cardiac muscle tissue growth involved in heart morphogenesis', - 'def': 'The developmental growth of cardiac muscle tissue that contributes to the shaping of the heart. [GOC:mtg_heart]' - }, - 'GO:0003246': { - 'name': 'embryonic cardiac muscle cell growth involved in heart morphogenesis', - 'def': 'The growth of a cardiac muscle cell during the embryonic period, that contributes to the shaping of the heart. [GOC:mtg_heart]' - }, - 'GO:0003247': { - 'name': 'post-embryonic cardiac muscle cell growth involved in heart morphogenesis', - 'def': 'The growth of a cardiac muscle cell during the postembryonic period that contributes to the shaping of the heart. [GOC:mtg_heart]' - }, - 'GO:0003248': { - 'name': 'heart capillary growth', - 'def': 'The increase in heart capillaries that accompanies physiological hypertrophy of cardiac muscle. [GOC:mtg_heart]' - }, - 'GO:0003249': { - 'name': 'cell proliferation involved in heart valve morphogenesis', - 'def': 'The multiplication or reproduction of cells that contributes to the shaping of a heart valve. [GOC:mtg_heart]' - }, - 'GO:0003250': { - 'name': 'regulation of cell proliferation involved in heart valve morphogenesis', - 'def': 'Any process that modulates the rate, frequency or extent of cell proliferation that contributes to the shaping of a heart valve. [GOC:mtg_heart]' - }, - 'GO:0003251': { - 'name': 'positive regulation of cell proliferation involved in heart valve morphogenesis', - 'def': 'Any process that increases the rate, frequency or extent of cell proliferation that contributes to the shaping of a heart valve. [GOC:mtg_heart]' - }, - 'GO:0003252': { - 'name': 'negative regulation of cell proliferation involved in heart valve morphogenesis', - 'def': 'Any process that decreases the rate, frequency or extent of cell proliferation that contributes to the shaping of a heart valve. [GOC:mtg_heart]' - }, - 'GO:0003253': { - 'name': 'cardiac neural crest cell migration involved in outflow tract morphogenesis', - 'def': 'The orderly movement of a neural crest cell from one site to another that will contribute to the morphogenesis of the outflow tract. [GOC:mtg_heart]' - }, - 'GO:0003254': { - 'name': 'regulation of membrane depolarization', - 'def': 'Any process that modulates the rate, frequency or extent of membrane depolarization. Membrane depolarization is the process in which membrane potential changes in the depolarizing direction from the resting potential, usually from negative to positive. [GOC:dph, GOC:tb]' - }, - 'GO:0003255': { - 'name': 'endocardial precursor cell differentiation', - 'def': 'The process in which a relatively unspecialized mesodermal cell acquires the specialized structural and/or functional features of an endocardial precursor cell. A endocardial precursor cell is a cell that has been committed to a endocardial cell fate, but will undergo further cell divisions rather than terminally differentiate. [GOC:mtg_heart]' - }, - 'GO:0003256': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in myocardial precursor cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the differentiation of a myocardial precursor cell. [GOC:mtg_heart]' - }, - 'GO:0003257': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in myocardial precursor cell differentiation', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the differentiation of a myocardial precursor cell. [GOC:mtg_heart]' - }, - 'GO:0003258': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in endocardial precursor cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the differentiation of an endocardial precursor cell. [GOC:mtg_heart]' - }, - 'GO:0003259': { - 'name': 'cardioblast anterior-lateral migration', - 'def': 'The orderly movement of a cardioblast toward the head and laterally to form the heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0003260': { - 'name': 'cardioblast migration', - 'def': 'The orderly movement of a cardiac progenitor cell to form the heart field. Cardiac progenitor cells are non-terminally differentiated, mesoderm-derived cells that are committed to differentiate into cells of the heart. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0003261': { - 'name': 'cardiac muscle progenitor cell migration to the midline involved in heart field formation', - 'def': 'The orderly movement of a myocardial progenitor cell toward the midline to form the heart field. Cardiac muscle progenitor cells are non-terminally differentiated, mesoderm-derived cells that are committed to differentiate into myocardial cells of the heart. [GOC:mtg_heart]' - }, - 'GO:0003262': { - 'name': 'endocardial progenitor cell migration to the midline involved in heart field formation', - 'def': 'The orderly movement of an endocardial progenitor cell toward the midline to form the heart field. Cardiac muscle progenitor cells are non-terminally differentiated, mesoderm-derived cells that are committed to differentiate into endocardial cells of the heart. [GOC:mtg_heart]' - }, - 'GO:0003263': { - 'name': 'cardioblast proliferation', - 'def': 'The multiplication or reproduction of cardioblasts, resulting in the expansion of the population in the heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0003264': { - 'name': 'regulation of cardioblast proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of cardioblast proliferation. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0003265': { - 'name': 'regulation of primary heart field cardioblast proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of cardioblast proliferation in the primary heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. In mammals the primary heart field gives rise to the left ventricle. [GOC:mtg_heart, GOC:rl]' - }, - 'GO:0003266': { - 'name': 'regulation of secondary heart field cardioblast proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of cardioblast proliferation in the second heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. The secondary heart field is the region of the heart that will form the majority of the mesodermal component of the right ventricle, the arterial pole (outflow tract) and the venous pole (inflow tract). [GOC:mtg_heart, GOC:rl, PMID:17276708]' - }, - 'GO:0003267': { - 'name': 'canonical Wnt signaling pathway involved in positive regulation of secondary heart field cardioblast proliferation', - 'def': 'A canonical Wnt signaling pathway that contributes to an increase in the frequency, or rate of cardioblast proliferation in the secondary heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0003268': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in regulation of secondary heart field cardioblast proliferation', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands contributing to the modulation of the frequency, rate or extent of cardioblast proliferation in the secondary heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0003269': { - 'name': 'BMP signaling pathway involved in regulation of secondary heart field cardioblast proliferation', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the modulation of the frequency, rate or extent of cardioblast proliferation in the secondary heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0003270': { - 'name': 'Notch signaling pathway involved in regulation of secondary heart field cardioblast proliferation', - 'def': 'The series of molecular signals initiated by binding of an extracellular ligand to a Notch receptor on the surface of the target cell contributing to the modulation of the frequency, rate or extent of cardioblast proliferation in the secondary heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0003271': { - 'name': 'smoothened signaling pathway involved in regulation of secondary heart field cardioblast proliferation', - 'def': 'The series of molecular signals generated as a consequence of activation of the transmembrane protein Smoothened contributing to the modulation of the frequency, rate or extent of cardioblast proliferation in the secondary heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0003272': { - 'name': 'endocardial cushion formation', - 'def': 'The developmental process pertaining to the initial formation of an endocardial cushion. The endocardial cushion is a specialized region of mesenchymal cells that will give rise to the heart septa and valves. [GOC:mtg_heart, PMID:15797462]' - }, - 'GO:0003273': { - 'name': 'cell migration involved in endocardial cushion formation', - 'def': 'The orderly movement of a cell from one site to another that will contribute to the formation of an endocardial cushion. The endocardial cushion is a specialized region of mesenchymal cells that will give rise to the heart septa and valves. [GOC:mtg_heart]' - }, - 'GO:0003274': { - 'name': 'endocardial cushion fusion', - 'def': 'The cell-cell adhesion process of mesenchymal cardiac cushion cells that contributes to the process of cushion shaping. [GOC:mtg_heart]' - }, - 'GO:0003275': { - 'name': 'apoptotic process involved in outflow tract morphogenesis', - 'def': 'Any apoptotic process that contributes to the shaping of the outflow tract. The outflow tract is the portion of the heart through which blood flows into the arteries. [GOC:mtg_apoptosis, GOC:mtg_heart]' - }, - 'GO:0003276': { - 'name': 'apoptotic process involved in heart valve morphogenesis', - 'def': 'Any apoptotic process that contributes to the shaping of a heart valve. [GOC:mtg_apoptosis, GOC:mtg_heart]' - }, - 'GO:0003277': { - 'name': 'apoptotic process involved in endocardial cushion morphogenesis', - 'def': 'Any apoptotic process that contributes to the shaping of an endocardial cushion. The endocardial cushion is a specialized region of mesenchymal cells that will give rise to the heart septa and valves. [GOC:mtg_apoptosis, GOC:mtg_heart]' - }, - 'GO:0003278': { - 'name': 'apoptotic process involved in heart morphogenesis', - 'def': 'Any apoptotic process that contributes to the shaping of the heart. [GOC:mtg_apoptosis, GOC:mtg_heart]' - }, - 'GO:0003279': { - 'name': 'cardiac septum development', - 'def': 'The progression of a cardiac septum over time, from its initial formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003281': { - 'name': 'ventricular septum development', - 'def': 'The progression of the ventricular septum over time from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003282': { - 'name': 'ventricular septum intermedium development', - 'def': 'The progression of the ventricular septum intermedium over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003283': { - 'name': 'atrial septum development', - 'def': 'The progression of the atrial septum over time, from its initial formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003284': { - 'name': 'septum primum development', - 'def': 'The progression of the septum primum over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003285': { - 'name': 'septum secundum development', - 'def': 'The progression of the septum secundum over time, from its initial formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003286': { - 'name': 'atrial septum intermedium development', - 'def': 'The progression of the atrial septum intermedium over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0003288': { - 'name': 'ventricular septum intermedium morphogenesis', - 'def': 'The developmental process in which a ventricular septum intermedium is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003289': { - 'name': 'atrial septum primum morphogenesis', - 'def': 'The process in which anatomical structure of an atrial septum primum is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003290': { - 'name': 'atrial septum secundum morphogenesis', - 'def': 'The process in which anatomical structure of an atrial septum secundum is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003291': { - 'name': 'atrial septum intermedium morphogenesis', - 'def': 'The process in which anatomical structure of an atrial septum intermedium is generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003292': { - 'name': 'cardiac septum cell differentiation', - 'def': 'The process in which an endocardial cushion cell becomes a cell of a cardiac septum. [GOC:mtg_heart]' - }, - 'GO:0003293': { - 'name': 'heart valve cell differentiation', - 'def': 'The process in which an endocardial cushion cell give rise to a cell that is part of a heart valve. [GOC:mtg_heart]' - }, - 'GO:0003294': { - 'name': 'atrial ventricular junction remodeling', - 'def': 'The reorganization or renovation of heart tissue that contributes to the maturation of the connection between an atrium and a ventricle. [GOC:mtg_heart]' - }, - 'GO:0003295': { - 'name': 'cell proliferation involved in atrial ventricular junction remodeling', - 'def': 'The multiplication or reproduction of cells that contributes to the reorganization of tissue resulting in the maturation of the atrial ventricular junction. [GOC:mtg_heart]' - }, - 'GO:0003296': { - 'name': 'apoptotic process involved in atrial ventricular junction remodeling', - 'def': 'Any apoptotic process that contributes to the reorganization of tissue resulting in the maturation of the atrial ventricular junction. [GOC:mtg_apoptosis, GOC:mtg_heart]' - }, - 'GO:0003297': { - 'name': 'heart wedging', - 'def': 'The morphogenetic process in which the aorta inserts between the atrioventricular valves, contributing to the shaping of the heart. [GOC:mtg_heart]' - }, - 'GO:0003298': { - 'name': 'physiological muscle hypertrophy', - 'def': 'The enlargement or overgrowth of all or part of a muscle organ or tissue due to an increase in the size of its muscle cells. Physiological hypertrophy is a normal process during development. [GOC:mtg_heart]' - }, - 'GO:0003299': { - 'name': 'muscle hypertrophy in response to stress', - 'def': 'The enlargement or overgrowth of all or part of a muscle organ or tissue due to an increase in the size of its muscle cells as a result of a disturbance in organismal or cellular homeostasis. [GOC:mtg_heart]' - }, - 'GO:0003300': { - 'name': 'cardiac muscle hypertrophy', - 'def': 'The enlargement or overgrowth of all or part of the heart muscle due to an increase in size of cardiac muscle cells without cell division. [GOC:mtg_heart]' - }, - 'GO:0003301': { - 'name': 'physiological cardiac muscle hypertrophy', - 'def': 'The enlargement or overgrowth of all or part of the heart muscle due to an increase in size of cardiac muscle cells without cell division. This process contributes to the developmental growth of the heart. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:mtg_heart]' - }, - 'GO:0003302': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in heart jogging', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a transforming growth factor beta receptor on the surface of a target cell, which contributes to the process of heart jogging. [GOC:mtg_heart, GOC:signaling]' - }, - 'GO:0003303': { - 'name': 'BMP signaling pathway involved in heart jogging', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the process of heart jogging. [GOC:mtg_heart]' - }, - 'GO:0003304': { - 'name': 'myocardial epithelial involution involved in heart jogging', - 'def': 'The morphogenetic process in which the myocardium bends along a linear axis and contributes to the process of heart jogging. [GOC:mtg_heart]' - }, - 'GO:0003305': { - 'name': 'cell migration involved in heart jogging', - 'def': 'The orderly movement of a cell of the myocardium from one site to another that will contribute to heart jogging. [GOC:mtg_heart]' - }, - 'GO:0003306': { - 'name': 'Wnt signaling pathway involved in heart development', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a receptor on the surface of the target cell, resulting a change in cell state that contributes to the progression of the heart over time. [GOC:mtg_heart]' - }, - 'GO:0003307': { - 'name': 'regulation of Wnt signaling pathway involved in heart development', - 'def': 'Any process that modulates the rate, frequency, or extent of the series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell, resulting a change in cell state that contributes to the progression of the heart over time. [GOC:mtg_heart]' - }, - 'GO:0003308': { - 'name': 'negative regulation of Wnt signaling pathway involved in heart development', - 'def': 'Any process that decreases the rate, frequency, or extent of the series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell, resulting a change in cell state that contributes to the progression of the heart over time. [GOC:mtg_heart]' - }, - 'GO:0003309': { - 'name': 'type B pancreatic cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features of a type B pancreatic cell. A type B pancreatic cell is a cell located towards center of the islets of Langerhans that secretes insulin. [CL:0000169, GOC:dph, PMID:11076772]' - }, - 'GO:0003310': { - 'name': 'pancreatic A cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and functional features of a pancreatic A cell. A pancreatic A cell is a cell in the pancreas that secretes glucagon. [GOC:dph, PMID:11076772]' - }, - 'GO:0003311': { - 'name': 'pancreatic D cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and functional features that characterize a pancreatic delta cell. A delta cell is a cell of the pancreas that produces somatostatin. [GOC:dph, PMID:11076772]' - }, - 'GO:0003312': { - 'name': 'pancreatic PP cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and functional features of a pancreatic polypeptide-producing cell. A pancreatic polypeptide-producing cell is a cell in the pancreas that produces pancreatic polypeptide. [GOC:dph, PMID:11076772]' - }, - 'GO:0003313': { - 'name': 'heart rudiment development', - 'def': 'The progression of the heart rudiment over time, from its initial formation to the mature structure. The heart rudiment is a cone-like structure that is formed when myocardial progenitor cells of the heart field fuse at the midline. The heart rudiment is the first structure of the heart tube. [GOC:mtg_heart]' - }, - 'GO:0003314': { - 'name': 'heart rudiment morphogenesis', - 'def': 'The process in which the anatomical structures of the heart rudiment are generated and organized. [GOC:mtg_heart]' - }, - 'GO:0003315': { - 'name': 'heart rudiment formation', - 'def': 'The developmental process pertaining to the initial formation of the heart rudiment. [GOC:mtg_heart]' - }, - 'GO:0003316': { - 'name': 'establishment of myocardial progenitor cell apical/basal polarity', - 'def': 'The specification and formation of the apicobasal polarity of an myocardial progenitor cell that contributes to the formation of the heart rudiment. [GOC:mtg_heart]' - }, - 'GO:0003317': { - 'name': 'cardioblast cell midline fusion', - 'def': 'The attachment of cardiac progenitor cells to one another that contributes to the formation of the heart rudiment. [GOC:mtg_heart]' - }, - 'GO:0003318': { - 'name': 'cell migration to the midline involved in heart development', - 'def': 'The orderly movement of a cell toward the midline that contributes to the progression of the heart over time. [GOC:mtg_heart]' - }, - 'GO:0003319': { - 'name': 'cardioblast migration to the midline involved in heart rudiment formation', - 'def': 'The orderly movement of a cardioblast toward the midline that contributes to the initial appearance of the heart rudiment. [GOC:mtg_heart]' - }, - 'GO:0003320': { - 'name': 'heart rudiment involution', - 'def': 'The inward folding of myocardial tissue derived from the right half of the heart rudiment that will form the future ventral part of the heart tube. [GOC:mtg_heart]' - }, - 'GO:0003321': { - 'name': 'positive regulation of blood pressure by epinephrine-norepinephrine', - 'def': 'Any process in which the force of blood traveling through the circulatory system is increased by the chemicals epinephrine and norepinephrine. [GOC:dph]' - }, - 'GO:0003322': { - 'name': 'pancreatic A cell development', - 'def': 'The process whose specific outcome is the progression of a pancreatic A cell over time, from its formation to the mature structure. A pancreatic A cell is a cell in the pancreas that secretes glucagon. [GOC:dph]' - }, - 'GO:0003323': { - 'name': 'type B pancreatic cell development', - 'def': 'The process whose specific outcome is the progression of a type B pancreatic cell over time, from its formation to the mature structure. A type B pancreatic cell is a cell located towards center of the islets of Langerhans that secretes insulin. [CL:0000169, GOC:dph]' - }, - 'GO:0003324': { - 'name': 'pancreatic D cell development', - 'def': 'The process whose specific outcome is the progression of a pancreatic delta cell over time, from its formation to the mature structure. A delta cell is a cell of the pancreas that produces somatostatin. [GOC:dph]' - }, - 'GO:0003325': { - 'name': 'pancreatic PP cell development', - 'def': 'The process whose specific outcome is the progression of a pancreatic PP cell over time, from its formation to the mature structure. A pancreatic polypeptide-producing cell is a cell in the pancreas that produces pancreatic polypeptide. [GOC:dph]' - }, - 'GO:0003326': { - 'name': 'pancreatic A cell fate commitment', - 'def': 'The commitment of a cell to a pancreatic A cell and its capacity to differentiate into a pancreatic A cell. A pancreatic A cell is a cell in the pancreas that secretes glucagon. [GOC:dph]' - }, - 'GO:0003327': { - 'name': 'type B pancreatic cell fate commitment', - 'def': 'The commitment of a cell to a type B pancreatic cell fate and its capacity to differentiate into a type B pancreatic cell. A type B pancreatic cell is a cell located towards center of the islets of Langerhans that secretes insulin. [CL:0000169, GOC:dph]' - }, - 'GO:0003328': { - 'name': 'pancreatic D cell fate commitment', - 'def': 'The commitment of a cell to a pancreatic D cell fate and its capacity to differentiate into a pancreatic D cell. A delta cell is a cell of the pancreas that produces somatostatin. [GOC:dph]' - }, - 'GO:0003329': { - 'name': 'pancreatic PP cell fate commitment', - 'def': 'The commitment of a cell to a pancreatic PP cell fate and its capacity to differentiate into a pancreatic PP cell. A pancreatic polypeptide-producing cell is a cell in the pancreas that produces pancreatic polypeptide. [GOC:dph]' - }, - 'GO:0003330': { - 'name': 'regulation of extracellular matrix constituent secretion', - 'def': 'Any process that modulates the rate, frequency, or extent of the controlled release of molecules that form the extracellular matrix, including carbohydrates and glycoproteins by a cell or a group of cells. [GOC:dph, GOC:tb]' - }, - 'GO:0003331': { - 'name': 'positive regulation of extracellular matrix constituent secretion', - 'def': 'Any process that increases the rate, frequency, or extent of the controlled release of molecules that form the extracellular matrix, including carbohydrates and glycoproteins by a cell or a group of cells. [GOC:dph, GOC:tb]' - }, - 'GO:0003332': { - 'name': 'negative regulation of extracellular matrix constituent secretion', - 'def': 'Any process that decreases the rate, frequency, or extent the controlled release of molecules that form the extracellular matrix, including carbohydrates and glycoproteins by a cell or a group of cells. [GOC:dph, GOC:tb]' - }, - 'GO:0003333': { - 'name': 'amino acid transmembrane transport', - 'def': 'The directed movement of amino acids, organic acids containing one or more amino substituents across a membrane by means of some agent such as a transporter or pore. [GOC:dph, GOC:tb]' - }, - 'GO:0003334': { - 'name': 'keratinocyte development', - 'def': 'The process whose specific outcome is the progression of a keratinocyte over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0003335': { - 'name': 'corneocyte development', - 'def': 'The process whose specific outcome is the progression of the corneocyte over time, from its formation to the mature structure. A corneocyte is the last stage of development of a keratinocyte where the keratinocyte flattens, loses its nucleus and eventually delaminates from the epidermis. [GOC:dph]' - }, - 'GO:0003336': { - 'name': 'corneocyte desquamation', - 'def': 'The delamination process that results in the shedding of a corneocyte from the surface of the epidermis. [GOC:dph]' - }, - 'GO:0003337': { - 'name': 'mesenchymal to epithelial transition involved in metanephros morphogenesis', - 'def': 'A transition where a mesenchymal cell establishes apical/basolateral polarity,forms intercellular adhesive junctions, synthesizes basement membrane components and becomes an epithelial cell that will contribute to the shaping of the metanephros. [GOC:dph, GOC:yaf]' - }, - 'GO:0003338': { - 'name': 'metanephros morphogenesis', - 'def': 'The process in which the anatomical structures of the metanephros are generated and organized. [GOC:dph, GOC:yaf]' - }, - 'GO:0003339': { - 'name': 'regulation of mesenchymal to epithelial transition involved in metanephros morphogenesis', - 'def': 'Any process that modulates the rate, frequency or extent of the transition where a mesenchymal cell establishes apical/basolateral polarity,forms intercellular adhesive junctions, synthesizes basement membrane components and becomes an epithelial cell that will contribute to the shaping of the metanephros. [GOC:dph]' - }, - 'GO:0003340': { - 'name': 'negative regulation of mesenchymal to epithelial transition involved in metanephros morphogenesis', - 'def': 'Any process that decreases the rate, frequency or extent of the transition where a mesenchymal cell establishes apical/basolateral polarity,forms intercellular adhesive junctions, synthesizes basement membrane components and becomes an epithelial cell that will contribute to the shaping of the metanephros. [GOC:dph, GOC:yaf]' - }, - 'GO:0003341': { - 'name': 'cilium movement', - 'def': 'The directed, self-propelled movement of a cilium. [GOC:dph, GOC:jl]' - }, - 'GO:0003342': { - 'name': 'proepicardium development', - 'def': 'The progression of the proepicardium from its formation to the mature structure. The proepicardium is an outpouching of the septum transversum. [GOC:dph, PMID:18722343]' - }, - 'GO:0003343': { - 'name': 'septum transversum development', - 'def': 'The progression of the septum transversum from its initial formation to the mature structure. The septum transversum is a portion of the trunk mesenchyme. [GOC:dph, PMID:18722343]' - }, - 'GO:0003344': { - 'name': 'pericardium morphogenesis', - 'def': 'The process in which the anatomical structure of the pericardium is generated and organized. [GOC:dph, PMID:18722343]' - }, - 'GO:0003345': { - 'name': 'proepicardium cell migration involved in pericardium morphogenesis', - 'def': 'The coordinated movement of a mesenchymal proepicardial cell to the surface of the developing heart. [GOC:dph, PMID:18722343]' - }, - 'GO:0003346': { - 'name': 'epicardium-derived cell migration to the myocardium', - 'def': 'The orderly movement of a cell that have undergone an epithelial to mesenchymal transition from the epicardium into the myocardium. [GOC:dph, PMID:18722343]' - }, - 'GO:0003347': { - 'name': 'epicardial cell to mesenchymal cell transition', - 'def': 'A transition where an epicardial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell. The epicardium is a part of the pericardium. [GOC:dph, PMID:18722343]' - }, - 'GO:0003348': { - 'name': 'cardiac endothelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a cardiac endothelial cell. [GOC:dph, PMID:18722343]' - }, - 'GO:0003349': { - 'name': 'epicardium-derived cardiac endothelial cell differentiation', - 'def': 'The process in which an epicardial cell acquires the specialized structural and/or functional features of a cardiac endothelial cell. [GOC:dph, PMID:18722343]' - }, - 'GO:0003350': { - 'name': 'pulmonary myocardium development', - 'def': 'The progression of the pulmonary myocardium over time, from its initial formation to the mature structure. The pulmonary myocardium is the myocardial tissue present in the pulmonary vein. [GOC:dph, PMID:17638577]' - }, - 'GO:0003351': { - 'name': 'epithelial cilium movement', - 'def': 'The directed, self-propelled movement of a cilium of an epithelial cell. This movement is usually coordinated between many epithelial cells, and serves to move fluid. [GOC:dph]' - }, - 'GO:0003352': { - 'name': 'regulation of cilium movement', - 'def': 'Any process that modulates the rate, frequency, or extent of cilium movement, the directed, self-propelled movement of a cilium. [GOC:dph]' - }, - 'GO:0003353': { - 'name': 'positive regulation of cilium movement', - 'def': 'Any process that increases the rate, frequency, or extent of cilium movement, the directed, self-propelled movement of a cilium. [GOC:dph]' - }, - 'GO:0003354': { - 'name': 'negative regulation of cilium movement', - 'def': 'Any process that decreases the rate, frequency, or extent of cilium movement, the directed, self-propelled movement of a cilium. [GOC:dph]' - }, - 'GO:0003355': { - 'name': 'cilium movement involved in otolith formation', - 'def': 'The directed, self-propelled movement of a cilium of an inner ear epithelial cell, resulting the aggregation of otolith seed particles. [GOC:dph]' - }, - 'GO:0003356': { - 'name': 'regulation of cilium beat frequency', - 'def': 'Any process that modulates the frequency of cilium movement, the directed, self-propelled movement of a cilium. [GOC:dph]' - }, - 'GO:0003357': { - 'name': 'noradrenergic neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an noradrenergic neuron, a neuron that secretes noradrenaline. [GOC:dph]' - }, - 'GO:0003358': { - 'name': 'noradrenergic neuron development', - 'def': 'The process whose specific outcome is the progression of a noradrenergic neuron over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dph]' - }, - 'GO:0003359': { - 'name': 'noradrenergic neuron fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a noradrenergic neuron. [GOC:dph]' - }, - 'GO:0003360': { - 'name': 'brainstem development', - 'def': 'The progression of the brainstem from its formation to the mature structure. The brainstem is the part of the brain that connects the brain with the spinal cord. [GOC:dph]' - }, - 'GO:0003361': { - 'name': 'noradrenergic neuron differentiation involved in brainstem development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an noradrenergic neuron that is part of the brainstem. [GOC:dph]' - }, - 'GO:0003362': { - 'name': 'noradrenergic neuron fate commitment involved in brainstem development', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a noradrenergic neuron that is part of the brainstem. [GOC:dph]' - }, - 'GO:0003363': { - 'name': 'lamellipodium assembly involved in ameboidal cell migration', - 'def': 'Formation of a lamellipodium, a thin sheetlike extension of the surface of a migrating cell that contributes to the directed self propelled movement of a cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003364': { - 'name': 'lamellipodium assembly involved in mesendodermal cell migration', - 'def': 'Formation of a lamellipodium, a thin sheetlike extension of the surface of a migrating cell that contributes to the directed self-propelled movement of a mesendodermal cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003365': { - 'name': 'establishment of cell polarity involved in ameboidal cell migration', - 'def': 'The specification and formation of anisotropic intracellular organization that contributes to the self-propelled directed movement of an ameboid cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003366': { - 'name': 'cell-matrix adhesion involved in ameboidal cell migration', - 'def': 'The binding of a cell to the extracellular matrix that contributes to the directed movement of an ameboid cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003367': { - 'name': 'cell-cell adhesion involved in ameboidal cell migration', - 'def': 'The attachment of one ameboid cell to another that contributes to the establishment of cell polarity that is part of the directed movement of one of the cells. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003368': { - 'name': 'cell-matrix adhesion involved in mesendodermal cell migration', - 'def': 'The binding of a cell to the extracellular matrix that contributes to the directed movement of a mesendodermal cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003369': { - 'name': 'establishment of cell polarity involved in mesendodermal cell migration', - 'def': 'The specification and formation of anisotropic intracellular organization that contributes to the self-propelled directed movement of a mesendodermal cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003370': { - 'name': 'cell-cell adhesion involved in mesendodermal cell migration', - 'def': 'The attachment of mesendodermal cells to each other that contributes to the establishment of cell polarity that is part of the directed movement of the cells of the mesendoderm. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003371': { - 'name': 'establishment or maintenance of cytoskeleton polarity involved in ameboidal cell migration', - 'def': 'Any cellular process that results in the specification, formation or maintenance of polarized cytoskeletal structures that contribute to the cell polarity of a migrating ameboid cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003372': { - 'name': 'establishment or maintenance of cytoskeleton polarity involved in mesendodermal cell migration', - 'def': 'Any cellular process that results in the specification, formation or maintenance of polarized cytoskeletal structures that contribute to the cell polarity of a migrating mesendodermal cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003373': { - 'name': 'dynamin family protein polymerization involved in membrane fission', - 'def': 'The process of creating dynamin family protein polymers, compounds composed of a large number of dynamin family protein monomers. Dynamin family protein polymers form around lipid tubes and contribute to membrane fission. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003374': { - 'name': 'dynamin family protein polymerization involved in mitochondrial fission', - 'def': 'The process of creating dynamin protein family polymers, compounds composed of a large number of dynamin family monomers around a lipid tube of a dividing mitochondrion. Dynamin polymers form around lipid tubes and contribute to membrane fission. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003375': { - 'name': 'regulation of dynamin family protein polymerization involved in membrane fission', - 'def': 'Any process that modulates the rate, frequency, or extent of dynamin family protein polymerization involved in mitochondrial fission. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003376': { - 'name': 'sphingosine-1-phosphate signaling pathway', - 'def': 'A series of molecular signals initiated by the sphingolipid sphingosine-1-phosphate (S1P) binding to a receptor on the surface of the cell, and which proceeds with the activated receptor transmitting the signal by promoting the exchange of GDP for GTP on the alpha-subunit of an associated heterotrimeric G-protein complex. The pathway ends with regulation of a downstream cellular process, e.g. transcription. [GOC:ascb_2009, GOC:signaling, PMID:22001186, Reactome:REACT_18416.2]' - }, - 'GO:0003377': { - 'name': 'regulation of apoptosis by sphingosine-1-phosphate signaling pathway', - 'def': 'A sphingosine-1-phosphate signaling pathway that modulates the rate, frequency, or extent of apoptosis. [GOC:ascb_2009, GOC:dph, GOC:signaling, GOC:tb]' - }, - 'GO:0003378': { - 'name': 'regulation of inflammatory response by sphingosine-1-phosphate signaling pathway', - 'def': 'A sphingosine-1-phosphate signaling pathway that modulates the rate, frequency, or extent of the inflammatory response. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003379': { - 'name': 'establishment of cell polarity involved in gastrulation cell migration', - 'def': 'The specification and formation of anisotropic intracellular organization that contributes to the self-propelled directed movement of an ameboid cell taking part in gastrulation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003380': { - 'name': 'establishment or maintenance of cytoskeleton polarity involved in gastrulation', - 'def': 'Any cellular process that results in the specification, formation or maintenance of polarized cytoskeletal structures that contribute to the cell polarity of a migrating ameboid cell taking part in gastrulation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003381': { - 'name': 'epithelial cell morphogenesis involved in gastrulation', - 'def': 'The change in form that occurs when an epithelial cell progresses from it initial formation to its mature state, contributing to the process of gastrulation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003382': { - 'name': 'epithelial cell morphogenesis', - 'def': 'The change in form that occurs when an epithelial cell progresses from its initial formation to its mature state. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003383': { - 'name': 'apical constriction', - 'def': 'The actin-mediated process that results in the contraction of the apical end of a polarized columnar epithelial cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003384': { - 'name': 'apical constriction involved in gastrulation', - 'def': 'The actin-mediated process that results in the contraction of the apical end of a polarized columnar epithelial cell, contributing to the process of gastrulation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003385': { - 'name': 'cell-cell signaling involved in amphid sensory organ development', - 'def': 'Any process that mediates the transfer of information from one cell to another and contributes to the progression of an amphid sensory organ over time, from its formation to the mature state. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003386': { - 'name': 'amphid sensory organ development', - 'def': 'The progression of the amphid sensory organ over time, from its formation to the mature structure. Amphid sensory organs are the sensory organs of nematodes. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003387': { - 'name': 'neuron differentiation involved in amphid sensory organ development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron that contributes to the progression of the amphid sensory gland. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003388': { - 'name': 'neuron development involved in amphid sensory organ development', - 'def': 'The process whose specific outcome is the progression of a neuron over time, that contributes to the development of the amphid sensory organ. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003389': { - 'name': 'retrograde extension', - 'def': 'The progression of a neuronal projection over time by the attachment of a part of the cell to an anchor and the subsequent migration of the cell body away from the anchor point. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003390': { - 'name': 'dendrite development by retrograde extension', - 'def': 'The progression of a dendrite over time by the attachment of a part of the neuron to an anchor and the subsequent migration of the cell body away from the anchor point. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003391': { - 'name': 'amphid sensory organ dendrite retrograde extension', - 'def': "The progression of an amphid sensory organ's neuronal dendrite over time by the attachment of a part of the cell to an anchor and the subsequent migration of the cell body away from the anchor point. [GOC:ascb_2009, GOC:dph, GOC:tb]" - }, - 'GO:0003392': { - 'name': 'cell adhesion involved in retrograde extension', - 'def': 'The attachment of a cell, either to another cell or to an underlying substrate such as the extracellular matrix that contributes to the process of retrograde extension. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003393': { - 'name': 'neuron migration involved in retrograde extension', - 'def': 'The directed, self-propelled movement of a neuron that contributes to the process of retrograde extension. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003394': { - 'name': 'cell adhesion involved in dendrite retrograde extension', - 'def': 'The attachment of a cell, either to another cell or to an underlying substrate such as the extracellular matrix that contributes to the process of retrograde extension of a dendrite. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003395': { - 'name': 'neuron migration involved in dendrite retrograde extension', - 'def': 'The directed, self-propelled movement of a neuron that contributes to the process of retrograde extension of a dendrite. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003396': { - 'name': 'cell adhesion involved in amphid sensory organ dendrite retrograde extension', - 'def': 'The directed, self-propelled movement of a neuron that contributes to the process of retrograde extension of a dendrite in a neuron of the amphid sensory organ. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003397': { - 'name': 'neuron migration involved in amphid sensory organ dendrite retrograde extension', - 'def': 'The directed, self-propelled movement of a neuron that contributes to the process of retrograde extension of a dendrite of a neuron in the amphid sensory organ. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003398': { - 'name': 'glial cell differentiation involved in amphid sensory organ development', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a glial cell of the amphid sensory organ. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003399': { - 'name': 'cytoneme morphogenesis', - 'def': 'The process in which the anatomical structures of a cytoneme are shaped. A cytoneme is a long, thin and polarized actin-based cytoplasmic extension that projects from a cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003400': { - 'name': 'regulation of COPII vesicle coating', - 'def': 'Any process that modulates the rate, frequency, or extent of the addition of COPII proteins and adaptor proteins to ER membranes during the formation of transport vesicles, forming a vesicle coat. [GOC:ascb_2009, GOC:dph, GOC:jp, GOC:tb]' - }, - 'GO:0003401': { - 'name': 'axis elongation', - 'def': 'The developmental growth that results in the elongation of a line that defines polarity or symmetry in an anatomical structure. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003402': { - 'name': 'planar cell polarity pathway involved in axis elongation', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal to modulate cytoskeletal elements and control cell polarity that contributes to axis elongation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003403': { - 'name': 'optic vesicle formation', - 'def': 'The developmental process pertaining to the initial formation of the optic vesicle from the lateral wall of the forebrain. This process begins with the specific processes that contribute to the appearance of the vesicle and ends when the vesicle has evaginated. The optic vesicle is the evagination of neurectoderm that precedes formation of the optic cup. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003404': { - 'name': 'optic vesicle morphogenesis', - 'def': 'The developmental process pertaining to the formation and shaping of the optic vesicle. This process begins with the specific processes that contribute to the appearance of the vesicle and ends when the vesicle has evaginated. The optic vesicle is the evagination of neurectoderm that precedes formation of the optic cup. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003405': { - 'name': 'optic vesicle elongation', - 'def': 'The developmental growth that results in the lengthening of the optic vesicle in the posterior direction. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003406': { - 'name': 'retinal pigment epithelium development', - 'def': 'The progression of the retinal pigment epithelium over time, from its initial formation to the mature structure. The retinal pigment epithelium is the melanin-containing layer of cells between the retina and the choroid that absorbs scattered and reflected light and removes waste products produced by the photoreceptor cells. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003407': { - 'name': 'neural retina development', - 'def': 'The progression of the neural retina over time from its initial formation to the mature structure. The neural retina is the part of the retina that contains neurons and photoreceptor cells. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003408': { - 'name': 'optic cup formation involved in camera-type eye development', - 'def': 'The developmental process pertaining to the initial formation of the optic cup, a two-walled vesicle formed from the optic vesicle. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003409': { - 'name': 'optic cup structural organization', - 'def': 'The process that contributes to creating the structural organization of the optic cup. This process pertains to the physical shaping of the rudimentary structure. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003410': { - 'name': 'anterior rotation of the optic cup', - 'def': 'A 90 degree-rotation of the optic cup resulting in its alignment with the anterior-posterior body axis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003411': { - 'name': 'cell motility involved in camera-type eye morphogenesis', - 'def': 'Any process involved in the controlled self-propelled movement of a cell that results in translocation of the cell from one place to another and contributes to the physical shaping or formation of the camera-type eye. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003412': { - 'name': 'establishment of epithelial cell apical/basal polarity involved in camera-type eye morphogenesis', - 'def': 'The specification and formation of the apicobasal polarity of an epithelial cell that contributes to the shaping of a camera-type eye. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003413': { - 'name': 'chondrocyte differentiation involved in endochondral bone morphogenesis', - 'def': 'The process in which a chondroblast acquires specialized structural and/or functional features of a chondrocyte that will contribute to the development of a bone. A chondrocyte is a polymorphic cell that forms cartilage. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003414': { - 'name': 'chondrocyte morphogenesis involved in endochondral bone morphogenesis', - 'def': 'The process in which the structures of a chondrocyte that will contribute to bone development are generated and organized. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003415': { - 'name': 'chondrocyte hypertrophy', - 'def': 'The growth of a chondrocyte, where growth contributes to the progression of the chondrocyte over time. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003416': { - 'name': 'endochondral bone growth', - 'def': 'The increase in size or mass of an endochondral bone that contributes to the shaping of the bone. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003417': { - 'name': 'growth plate cartilage development', - 'def': 'The process whose specific outcome is the progression of the cartilage that will provide a scaffold for mineralization of endochondral bones as they elongate or grow. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003418': { - 'name': 'growth plate cartilage chondrocyte differentiation', - 'def': 'The process in which a chondroblast acquires specialized structural and/or functional features of a chondrocyte that will contribute to the growth of a bone. A chondrocyte is a polymorphic cell that forms cartilage. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003419': { - 'name': 'growth plate cartilage chondrocyte proliferation', - 'def': 'The multiplication or reproduction of chondrocytes in a growing endochondral bone, resulting in the expansion of a cell population. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003420': { - 'name': 'regulation of growth plate cartilage chondrocyte proliferation', - 'def': 'Any process that modulates the rate, frequency, or extent of the multiplication or reproduction of chondrocytes in a growing endochondral bone, resulting in the expansion of a cell population. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003421': { - 'name': 'growth plate cartilage axis specification', - 'def': 'The establishment, maintenance and elaboration of the columnar cartilage along the axis of a long bone that contributes to bone growth. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003422': { - 'name': 'growth plate cartilage morphogenesis', - 'def': 'The process in which the anatomical structures of growth plate cartilage are generated and organized. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003423': { - 'name': 'growth plate cartilage chondrocyte division', - 'def': 'The process resulting in the oriented physical partitioning and separation of a chondrocytes in the growth plate. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003424': { - 'name': 'establishment of cell polarity involved in growth plate cartilage chondrocyte division', - 'def': 'The cellular process that results in the specification, formation or maintenance of anisotropic intracellular organization that results in the directional division of a growth plate cartilage chondrocyte. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003425': { - 'name': 'establishment of mitotic spindle orientation involved in growth plate cartilage chondrocyte division', - 'def': 'A cell cycle process that sets the alignment of mitotic spindle relative to other cellular structures and contributes to oriented chondrocyte division in the growth plate. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003426': { - 'name': 'cytoskeleton polarization involved in growth plate cartilage chondrocyte division', - 'def': 'A process that is carried out at the cellular level which results in the polarization of cytoskeletal structures in a growth plate cartilage chondrocyte. This process results in the oriented division of the cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003427': { - 'name': 'regulation of cytoskeleton polarization involved in growth plate cartilage chondrocyte division', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell that modulates the rate, frequency, or extent of the polarization of cytoskeletal structures in a growth plate cartilage chondrocyte. This process results in the oriented division of the cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003428': { - 'name': 'chondrocyte intercalation involved in growth plate cartilage morphogenesis', - 'def': 'The orderly movement of a chondrocyte from one site to another that contributes to the shaping of growth plate cartilage in an endochondral bone. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003429': { - 'name': 'growth plate cartilage chondrocyte morphogenesis', - 'def': 'The process in which the structures of a chondrocyte in the growth plate cartilage are generated and organized. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003430': { - 'name': 'growth plate cartilage chondrocyte growth', - 'def': 'The growth of a growth plate cartilage chondrocyte, where growth contributes to the progression of the chondrocyte over time from one condition to another. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003431': { - 'name': 'growth plate cartilage chondrocyte development', - 'def': 'The progression of a growth plate cartilage chondrocyte over time from after its fate commitment to the mature cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003432': { - 'name': 'cell growth involved in growth plate cartilage chondrocyte morphogenesis', - 'def': 'The growth of a growth plate cartilage chondrocyte, where growth contributes to the shaping of the chondrocyte over time. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003433': { - 'name': 'chondrocyte development involved in endochondral bone morphogenesis', - 'def': 'The progression of a chondrocyte over time from after its commitment to its mature state where the chondrocyte will contribute to the shaping of an endochondral bone. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003434': { - 'name': 'BMP signaling pathway involved in growth plate cartilage chondrocyte development', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the progression of a growth plate cartilage chondrocyte over time. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003435': { - 'name': 'smoothened signaling pathway involved in growth plate cartilage chondrocyte development', - 'def': 'The series of molecular signals generated as a consequence of activation of the transmembrane protein Smoothened that contributes to the progression of a growth plate cartilage chondrocyte over time. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003436': { - 'name': 'regulation of cell adhesion involved in growth plate cartilage morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of attachment of a cell to another cell or to the extracellular matrix and contributes to the shaping of the growth plate cartilage of an endochondral bone. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003437': { - 'name': 'regulation of cell communication involved in growth plate cartilage morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cell communication that contributes to the shaping of the growth plate cartilage. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0003673': { - 'name': 'obsolete Gene_Ontology', - 'def': 'OBSOLETE. A controlled vocabulary that can be applied to all organisms even as knowledge of gene and protein roles in cells is accumulating and changing. GO provides three structured networks of defined terms to describe gene product attributes. [GOC:go_curators]' - }, - 'GO:0003674': { - 'name': 'molecular_function', - 'def': 'Elemental activities, such as catalysis or binding, describing the actions of a gene product at the molecular level. A given gene product may exhibit one or more molecular functions. [GOC:go_curators]' - }, - 'GO:0003675': { - 'name': 'obsolete protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003676': { - 'name': 'nucleic acid binding', - 'def': 'Interacting selectively and non-covalently with any nucleic acid. [GOC:jl]' - }, - 'GO:0003677': { - 'name': 'DNA binding', - 'def': 'Any molecular function by which a gene product interacts selectively and non-covalently with DNA (deoxyribonucleic acid). [GOC:dph, GOC:jl, GOC:tb, GOC:vw]' - }, - 'GO:0003678': { - 'name': 'DNA helicase activity', - 'def': 'Catalysis of the reaction: NTP + H2O = NDP + phosphate, to drive the unwinding of a DNA helix. [GOC:jl, GOC:mah]' - }, - 'GO:0003680': { - 'name': 'AT DNA binding', - 'def': 'Interacting selectively and non-covalently with oligo(A) and oligo(T) tracts of DNA (AT DNA). [GOC:jl, PMID:2670564]' - }, - 'GO:0003681': { - 'name': 'bent DNA binding', - 'def': 'Interacting selectively and non-covalently with DNA in a bent conformation. [GOC:jl, PMID:12627977]' - }, - 'GO:0003682': { - 'name': 'chromatin binding', - 'def': 'Interacting selectively and non-covalently with chromatin, the network of fibers of DNA, protein, and sometimes RNA, that make up the chromosomes of the eukaryotic nucleus during interphase. [GOC:jl, ISBN:0198506732, PMID:20404130]' - }, - 'GO:0003683': { - 'name': 'obsolete lamin/chromatin binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003684': { - 'name': 'damaged DNA binding', - 'def': 'Interacting selectively and non-covalently with damaged DNA. [GOC:jl]' - }, - 'GO:0003685': { - 'name': 'obsolete DNA repair protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:elh]' - }, - 'GO:0003686': { - 'name': 'obsolete DNA repair enzyme', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:elh]' - }, - 'GO:0003687': { - 'name': 'obsolete DNA replication factor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0003688': { - 'name': 'DNA replication origin binding', - 'def': 'Interacting selectively and non-covalently with the DNA replication origin, a unique DNA sequence of a replicon at which DNA replication is initiated and proceeds bidirectionally or unidirectionally. [GOC:curators]' - }, - 'GO:0003689': { - 'name': 'DNA clamp loader activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to drive the opening of the ring structure of the PCNA complex, or any of the related sliding clamp complexes, and their closing around the DNA duplex. [GOC:mah, GOC:vw, PMID:16082778]' - }, - 'GO:0003690': { - 'name': 'double-stranded DNA binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA. [GOC:elh, GOC:vw]' - }, - 'GO:0003691': { - 'name': 'double-stranded telomeric DNA binding', - 'def': 'Interacting selectively and non-covalently with double-stranded telomere-associated DNA. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0003692': { - 'name': 'left-handed Z-DNA binding', - 'def': 'Interacting selectively and non-covalently with DNA in the Z form, i.e. a left-handed helix in which the phosphate backbone zigzags. [ISBN:0716720094]' - }, - 'GO:0003693': { - 'name': 'P-element binding', - 'def': 'Interacting selectively and non-covalently with any P-element, a class of Drosophila transposon responsible for hybrid dysgenesis. [GOC:jl, PMID:9440262]' - }, - 'GO:0003694': { - 'name': 'obsolete plasmid binding', - 'def': 'OBSOLETE. Interacting selectively with a plasmid, an extrachromosomal genetic element usually characterized as a covalently continuous double stranded DNA molecule found in bacteria and some other microorganisms. [ISBN:0198506732]' - }, - 'GO:0003695': { - 'name': 'random coil DNA binding', - 'def': 'Interacting selectively and non-covalently with DNA in a random coil configuration. [GOC:mah]' - }, - 'GO:0003696': { - 'name': 'satellite DNA binding', - 'def': 'Interacting selectively and non-covalently with satellite DNA, the many tandem repeats (identical or related) of a short basic repeating unit; many have a base composition or other property different from the genome average that allows them to be separated from the bulk (main band) genomic DNA. [GOC:jl, SO:0000005]' - }, - 'GO:0003697': { - 'name': 'single-stranded DNA binding', - 'def': 'Interacting selectively and non-covalently with single-stranded DNA. [GOC:elh, GOC:vw, PMID:22976174]' - }, - 'GO:0003700': { - 'name': 'transcription factor activity, sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription. The transcription factor may or may not also interact selectively with a protein or macromolecular complex. [GOC:curators, GOC:txnOH]' - }, - 'GO:0003701': { - 'name': 'obsolete RNA polymerase I transcription factor activity', - 'def': 'OBSOLETE. Functions to initiate or regulate RNA polymerase I transcription. [GOC:jl]' - }, - 'GO:0003702': { - 'name': 'obsolete RNA polymerase II transcription factor activity', - 'def': 'OBSOLETE. Functions to initiate or regulate RNA polymerase II transcription. [GOC:jl]' - }, - 'GO:0003704': { - 'name': 'obsolete specific RNA polymerase II transcription factor activity', - 'def': 'OBSOLETE. Functions to enable the transcription of specific, or specific sets, of genes by RNA polymerase II. [GOC:ma]' - }, - 'GO:0003705': { - 'name': 'transcription factor activity, RNA polymerase II distal enhancer sequence-specific binding', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in a distal enhancer region for RNA polymerase II (RNAP II) in order to modulate transcription by RNAP II. [GOC:jl, GOC:txnOH]' - }, - 'GO:0003706': { - 'name': 'obsolete ligand-regulated transcription factor activity', - 'def': 'OBSOLETE. Functions to enable the transcription of specific, or specific sets, of genes by RNA polymerase II in response to a ligand. [GOC:curators]' - }, - 'GO:0003707': { - 'name': 'steroid hormone receptor activity', - 'def': 'Combining with a steroid hormone and transmitting the signal within the cell to initiate a change in cell activity or function. [GOC:signaling, PMID:14708019]' - }, - 'GO:0003708': { - 'name': 'retinoic acid receptor activity', - 'def': 'Combining with retinoic acid and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. Retinoic acid is one of the forms of vitamin A. [GOC:signaling, PMID:1328967]' - }, - 'GO:0003709': { - 'name': 'obsolete RNA polymerase III transcription factor activity', - 'def': 'OBSOLETE. Functions to initiate or regulate RNA polymerase III transcription. [GOC:jl]' - }, - 'GO:0003711': { - 'name': 'obsolete transcription elongation regulator activity', - 'def': 'OBSOLETE. Any activity that modulates the rate of transcription elongation, the addition of ribonucleotides to an RNA molecule following transcription initiation. [GOC:mah]' - }, - 'GO:0003712': { - 'name': 'transcription cofactor activity', - 'def': 'Interacting selectively and non-covalently with a regulatory transcription factor and also with the basal transcription machinery in order to modulate transcription. Cofactors generally do not bind the template nucleic acid, but rather mediate protein-protein interactions between regulatory transcription factors and the basal transcription machinery. [GOC:txnOH, PMID:10213677, PMID:16858867]' - }, - 'GO:0003713': { - 'name': 'transcription coactivator activity', - 'def': 'Interacting selectively and non-covalently with a activating transcription factor and also with the basal transcription machinery in order to increase the frequency, rate or extent of transcription. Cofactors generally do not bind the template nucleic acid, but rather mediate protein-protein interactions between activating transcription factors and the basal transcription machinery. [GOC:txnOH, PMID:10213677, PMID:16858867]' - }, - 'GO:0003714': { - 'name': 'transcription corepressor activity', - 'def': 'Interacting selectively and non-covalently with a repressing transcription factor and also with the basal transcription machinery in order to stop, prevent, or reduce the frequency, rate or extent of transcription. Cofactors generally do not bind the template nucleic acid, but rather mediate protein-protein interactions between repressive transcription factors and the basal transcription machinery. [GOC:txnOH, PMID:10213677, PMID:16858867]' - }, - 'GO:0003715': { - 'name': 'obsolete transcription termination factor activity', - 'def': 'OBSOLETE. Any activity that brings about termination of transcription. [GOC:mah]' - }, - 'GO:0003716': { - 'name': 'obsolete RNA polymerase I transcription termination factor activity', - 'def': 'OBSOLETE. Any activity that brings about termination of transcription by RNA polymerase I. [GOC:mah]' - }, - 'GO:0003717': { - 'name': 'obsolete RNA polymerase II transcription termination factor activity', - 'def': 'OBSOLETE. Any activity that brings about termination of transcription by RNA polymerase II. [GOC:mah]' - }, - 'GO:0003718': { - 'name': 'obsolete RNA polymerase III transcription termination factor activity', - 'def': 'OBSOLETE. Any activity that brings about termination of transcription by RNA polymerase III. [GOC:mah]' - }, - 'GO:0003719': { - 'name': 'obsolete transcription factor binding, cytoplasmic sequestering', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0003720': { - 'name': 'telomerase activity', - 'def': "Catalysis of the reaction: deoxynucleoside triphosphate + DNA(n) = diphosphate + DNA(n+1). Catalyzes extension of the 3'- end of a DNA strand by one deoxynucleotide at a time using an internal RNA template that encodes the telomeric repeat sequence. [GOC:krc]" - }, - 'GO:0003721': { - 'name': 'telomerase RNA reverse transcriptase activity', - 'def': "Catalysis of the extension of the 3' end of a DNA strand by one deoxynucleotide at a time. Cannot initiate a chain de novo; uses the RNA subunit of the telomerase enzyme complex as its template. [EC:2.7.7.49, PMID:11812242]" - }, - 'GO:0003723': { - 'name': 'RNA binding', - 'def': 'Interacting selectively and non-covalently with an RNA molecule or a portion thereof. [GOC:jl, GOC:mah]' - }, - 'GO:0003724': { - 'name': 'RNA helicase activity', - 'def': 'Catalysis of the reaction: NTP + H2O = NDP + phosphate, to drive the unwinding of a RNA helix. [GOC:jl, GOC:mah]' - }, - 'GO:0003725': { - 'name': 'double-stranded RNA binding', - 'def': 'Interacting selectively and non-covalently with double-stranded RNA. [GOC:jl]' - }, - 'GO:0003726': { - 'name': 'double-stranded RNA adenosine deaminase activity', - 'def': 'Catalysis of the reaction: adenosine + H2O = inosine + NH3, in a double-stranded RNA molecule. [GOC:mah]' - }, - 'GO:0003727': { - 'name': 'single-stranded RNA binding', - 'def': 'Interacting selectively and non-covalently with single-stranded RNA. [GOC:jl]' - }, - 'GO:0003729': { - 'name': 'mRNA binding', - 'def': 'Interacting selectively and non-covalently with messenger RNA (mRNA), an intermediate molecule between DNA and protein. mRNA includes UTR and coding sequences, but does not contain introns. [GOC:kmv, GOC:pr, SO:0000234]' - }, - 'GO:0003730': { - 'name': "mRNA 3'-UTR binding", - 'def': "Interacting selectively and non-covalently with the 3' untranslated region of an mRNA molecule. [GOC:mah]" - }, - 'GO:0003731': { - 'name': 'obsolete mRNA cap binding', - 'def': "OBSOLETE. Interacting selectively with the 7-methylguanosine cap at the 5' end of a nascent messenger RNA transcript. [GOC:mah]" - }, - 'GO:0003732': { - 'name': 'obsolete snRNA cap binding', - 'def': "OBSOLETE. Interacting selectively with the cap structure at the 5' end of a small nuclear RNA molecule. [GOC:mah]" - }, - 'GO:0003733': { - 'name': 'obsolete ribonucleoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003734': { - 'name': 'obsolete small nuclear ribonucleoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003735': { - 'name': 'structural constituent of ribosome', - 'def': 'The action of a molecule that contributes to the structural integrity of the ribosome. [GOC:mah]' - }, - 'GO:0003743': { - 'name': 'translation initiation factor activity', - 'def': 'Functions in the initiation of ribosome-mediated translation of mRNA into a polypeptide. [ISBN:0198506732]' - }, - 'GO:0003746': { - 'name': 'translation elongation factor activity', - 'def': 'Functions in chain elongation during polypeptide synthesis at the ribosome. [ISBN:0198506732]' - }, - 'GO:0003747': { - 'name': 'translation release factor activity', - 'def': 'Involved in catalyzing the release of a nascent polypeptide chain from a ribosome. [ISBN:0198547684]' - }, - 'GO:0003750': { - 'name': 'obsolete cell cycle regulator', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:krc]' - }, - 'GO:0003754': { - 'name': 'obsolete chaperone activity', - 'def': 'OBSOLETE. Assists in the correct non-covalent assembly of polypeptide-containing structures in vivo, but is not a component of these assembled structures when they are performing their normal biological function. [ISBN:0198547684]' - }, - 'GO:0003755': { - 'name': 'peptidyl-prolyl cis-trans isomerase activity', - 'def': 'Catalysis of the reaction: peptidyl-proline (omega=180) = peptidyl-proline (omega=0). [EC:5.2.1.8]' - }, - 'GO:0003756': { - 'name': 'protein disulfide isomerase activity', - 'def': 'Catalysis of the rearrangement of both intrachain and interchain disulfide bonds in proteins. [EC:5.3.4.1, GOC:vw, http://en.wikipedia.org/wiki/Protein_disulfide-isomerase#Function]' - }, - 'GO:0003759': { - 'name': 'obsolete glycoprotein-specific chaperone activity', - 'def': 'OBSOLETE. Assists in the correct, non-covalent assembly of glycoproteins in vivo, but is not a component of the assembled structures when performing its normal biological function. Utilizes a lectin site as a means to associate with the unfolded glycoproteins. [GOC:jl, PMID:11337494]' - }, - 'GO:0003762': { - 'name': 'obsolete histone-specific chaperone activity', - 'def': 'OBSOLETE. Assists in chromatin assembly by chaperoning histones on to replicating DNA, but is not a component of the assembled nucleosome when performing its normal biological function. [GOC:jl, PMID:7600578, PMID:9325046]' - }, - 'GO:0003763': { - 'name': 'obsolete chaperonin ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O = ADP + phosphate. The hydrolysis of ATP involved in maintaining an unfolded polypeptide structure before folding or to entry into mitochondria and chloroplasts. [EC:3.6.4.9, ISBN:0198547684]' - }, - 'GO:0003767': { - 'name': 'obsolete co-chaperone activity', - 'def': 'OBSOLETE. Co-chaperones are proteins that bind to chaperones and this complex then folds misfolded proteins. Co-chaperones by themselves do not possess chaperone activity. [GOC:rb]' - }, - 'GO:0003772': { - 'name': 'obsolete co-chaperonin activity', - 'def': 'OBSOLETE. Co-chaperonins are proteins that bind to chaperones and this complex then folds misfolded proteins. Co-chaperonins by themselves do not possess chaperone activity. [GOC:rb]' - }, - 'GO:0003773': { - 'name': 'obsolete heat shock protein activity', - 'def': 'OBSOLETE. Any of a group of specific proteins that are synthesized by both prokaryotic and eukaryotic cells after they have been exposed to a temperature that is higher than normal. Other stresses, e.g. free radical damage, have a similar effect. Many members of the hsp family are not induced but are present in all cells. They are characterized by their role as molecular chaperones. [ISBN:0198547684]' - }, - 'GO:0003774': { - 'name': 'motor activity', - 'def': 'Catalysis of the generation of force resulting either in movement along a microfilament or microtubule, or in torque resulting in membrane scission, coupled to the hydrolysis of a nucleoside triphosphate. [GOC:mah, GOC:vw, ISBN:0815316194, PMID:11242086]' - }, - 'GO:0003775': { - 'name': 'obsolete axonemal motor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003776': { - 'name': 'obsolete muscle motor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003777': { - 'name': 'microtubule motor activity', - 'def': 'Catalysis of movement along a microtubule, coupled to the hydrolysis of a nucleoside triphosphate (usually ATP). [GOC:mah, ISBN:0815316194]' - }, - 'GO:0003778': { - 'name': 'obsolete dynactin motor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:hjd]' - }, - 'GO:0003779': { - 'name': 'actin binding', - 'def': 'Interacting selectively and non-covalently with monomeric or multimeric forms of actin, including actin filaments. [GOC:clt]' - }, - 'GO:0003780': { - 'name': 'obsolete actin cross-linking activity', - 'def': 'OBSOLETE. Interacting selectively with two actin filaments to anchor them together. [GOC:jid]' - }, - 'GO:0003781': { - 'name': 'obsolete actin bundling activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003782': { - 'name': 'obsolete F-actin capping activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003783': { - 'name': 'obsolete barbed-end actin capping activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003784': { - 'name': 'obsolete barbed-end actin capping/severing activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003785': { - 'name': 'actin monomer binding', - 'def': 'Interacting selectively and non-covalently with monomeric actin, also known as G-actin. [GOC:ai]' - }, - 'GO:0003786': { - 'name': 'actin lateral binding', - 'def': 'Interacting selectively and non-covalently with an actin filament along its length. [GOC:mah]' - }, - 'GO:0003787': { - 'name': 'obsolete actin depolymerizing activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003788': { - 'name': 'obsolete actin monomer sequestering activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0003789': { - 'name': 'obsolete actin filament severing activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003790': { - 'name': 'obsolete actin modulating activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003791': { - 'name': 'obsolete membrane associated actin binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003792': { - 'name': 'obsolete regulation of actin thin filament length activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003793': { - 'name': 'obsolete defense/immunity protein activity', - 'def': 'OBSOLETE. Any activity that plays a role in the defense/immune response of an organism against infection and disease. [GOC:go_curators]' - }, - 'GO:0003794': { - 'name': 'obsolete acute-phase response protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003795': { - 'name': 'obsolete antimicrobial peptide activity', - 'def': 'OBSOLETE. Inhibits the growth of, or directly kills, microbial cells. [GOC:go_curators]' - }, - 'GO:0003796': { - 'name': 'lysozyme activity', - 'def': 'Catalysis of the hydrolysis of the beta-(1->4) linkages between N-acetylmuramic acid and N-acetyl-D-glucosamine residues in a peptidoglycan. [EC:3.2.1.17, PMID:22748813]' - }, - 'GO:0003797': { - 'name': 'obsolete antibacterial peptide activity', - 'def': 'OBSOLETE. Inhibits the growth of, or directly kills, bacterial cells. [GOC:go_curators]' - }, - 'GO:0003798': { - 'name': 'obsolete male-specific antibacterial peptide activity', - 'def': 'OBSOLETE. Inhibits the growth of, or directly kills, bacterial cells, but which is only expressed in males. [GOC:go_curators]' - }, - 'GO:0003799': { - 'name': 'obsolete antifungal peptide activity', - 'def': 'OBSOLETE. Inhibits the growth of, or directly kills, fungal cells. [GOC:go_curators]' - }, - 'GO:0003800': { - 'name': 'obsolete antiviral response protein activity', - 'def': 'OBSOLETE. A protein involved in an antiviral response. [GOC:ai]' - }, - 'GO:0003801': { - 'name': 'obsolete blood coagulation factor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0003802': { - 'name': 'obsolete coagulation factor VIIa activity', - 'def': 'OBSOLETE. Catalysis of the selective cleavage of one Arg-Ile bond in factor X to form factor Xa, and on factor IX to form factor IXa beta. [EC:3.4.21.21, PMID:12496253]' - }, - 'GO:0003803': { - 'name': 'obsolete coagulation factor IXa activity', - 'def': 'OBSOLETE. Catalysis of the selective cleavage of the Arg-Ile bond in factor X to form factor Xa. [EC:3.4.21.22]' - }, - 'GO:0003804': { - 'name': 'obsolete coagulation factor Xa activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Arg-Thr and then Arg-Ile bonds in prothrombin to form thrombin, and on factor VII, which it converts to a two-chain form (factor VIIa). [EC:3.4.21.6, GOC:jl, PMID:7354023]' - }, - 'GO:0003805': { - 'name': 'obsolete coagulation factor XIa activity', - 'def': 'OBSOLETE. Catalysis of the selective cleavage of Arg-Ala and Arg-Val bonds in factor IX to form factor IXa. [EC:3.4.21.27]' - }, - 'GO:0003806': { - 'name': 'obsolete coagulation factor XIIa activity', - 'def': 'OBSOLETE. Catalysis of the selective cleavage of Arg-Ile bonds in factor VII to form factor VIIa and factor XI to form factor XIa. [EC:3.4.21.38]' - }, - 'GO:0003807': { - 'name': 'obsolete plasma kallikrein activity', - 'def': 'OBSOLETE. Catalysis of the selective cleavage of Arg-Xaa and Lys-Xaa bonds, including Lys-Arg and Arg-Ser bonds in (human) kininogen to release bradykinin. [EC:3.4.21.34]' - }, - 'GO:0003808': { - 'name': 'obsolete protein C (activated) activity', - 'def': 'OBSOLETE. Catalysis of the degradation of blood coagulation factors Va and VIIIa. [EC:3.4.21.69]' - }, - 'GO:0003809': { - 'name': 'obsolete thrombin activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Arg-Gly; activates fibrinogen to fibrin and releases fibrinopeptide A and B. [EC:3.4.21.5]' - }, - 'GO:0003810': { - 'name': 'protein-glutamine gamma-glutamyltransferase activity', - 'def': 'Catalysis of the reaction: protein glutamine + alkylamine = protein N5-alkylglutamine + NH3. This reaction is the formation of the N6-(L-isoglutamyl)-L-lysine isopeptide, resulting in cross-linking polypeptide chains; the gamma-carboxamide groups of peptidyl-glutamine residues act as acyl donors, and the 6-amino-groups of peptidyl-lysine residues act as acceptors, to give intra- and intermolecular N6-(5-glutamyl)lysine cross-links. [EC:2.3.2.13, RESID:AA0124]' - }, - 'GO:0003811': { - 'name': 'obsolete complement activity', - 'def': 'OBSOLETE. Any of a set of activities involved in the complement cascade. [GOC:jl]' - }, - 'GO:0003812': { - 'name': 'obsolete alternative-complement-pathway C3/C5 convertase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of Arg-Ser bond in complement component C3 alpha-chain to yield C3a and C3b, and Arg bond in complement component C5 alpha-chain to yield C5a and C5b. [EC:3.4.21.47]' - }, - 'GO:0003813': { - 'name': 'obsolete classical-complement-pathway C3/C5 convertase activity', - 'def': 'OBSOLETE. Catalysis of the selective cleavage of Arg-Ser bond in complement component C3 alpha-chain to form C3a and C3b, and Arg bond in complement component C5 alpha-chain to form C5a and C5b. [EC:3.4.21.43]' - }, - 'GO:0003815': { - 'name': 'obsolete complement component C1r activity', - 'def': 'OBSOLETE. Catalysis of the selective cleavage of Lys(or Arg)-Ile bond in complement subcomponent C1s to form the active form of C1s (EC:3.4.21.42). [EC:3.4.21.41]' - }, - 'GO:0003816': { - 'name': 'obsolete complement component C1s activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of component C4 to C4a and C4b (Arg-Ala bond), and component C2 to C2a and C2b (Lys-Lys or Arg-Lys bond). [EC:3.4.21.42]' - }, - 'GO:0003817': { - 'name': 'obsolete complement factor D activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of component factor B (Arg-Lys) when in complex with C3b or with cobra venom factor (CVF). [EC:3.4.21.46]' - }, - 'GO:0003818': { - 'name': 'obsolete complement factor I activity', - 'def': 'OBSOLETE. Catalysis of the inactivation of complement subcomponents C3b, iC3b and C4b by proteolytic cleavage. [EC:3.4.21.45]' - }, - 'GO:0003819': { - 'name': 'obsolete major histocompatibility complex antigen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003820': { - 'name': 'obsolete class I major histocompatibility complex antigen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003821': { - 'name': 'obsolete class II major histocompatibility complex antigen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003822': { - 'name': 'obsolete MHC-interacting protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003823': { - 'name': 'antigen binding', - 'def': 'Interacting selectively and non-covalently with an antigen, any substance which is capable of inducing a specific immune response and of reacting with the products of that response, the specific antibody or specifically sensitized T-lymphocytes, or both. Binding may counteract the biological activity of the antigen. [GOC:jl, ISBN:0198506732, ISBN:0721662544]' - }, - 'GO:0003824': { - 'name': 'catalytic activity', - 'def': 'Catalysis of a biochemical reaction at physiological temperatures. In biologically catalyzed reactions, the reactants are known as substrates, and the catalysts are naturally occurring macromolecular substances known as enzymes. Enzymes possess specific binding sites for substrates, and are usually composed wholly or largely of protein, but RNA that has catalytic activity (ribozyme) is often also regarded as enzymatic. [GOC:vw, ISBN:0198506732]' - }, - 'GO:0003825': { - 'name': 'alpha,alpha-trehalose-phosphate synthase (UDP-forming) activity', - 'def': 'Catalysis of the reaction: UDP-glucose + D-glucose-6-phosphate = UDP + alpha,alpha-trehalose-6-phosphate. [EC:2.4.1.15]' - }, - 'GO:0003826': { - 'name': 'alpha-ketoacid dehydrogenase activity', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction involving an alpha-ketoacid. [GOC:mah]' - }, - 'GO:0003827': { - 'name': 'alpha-1,3-mannosylglycoprotein 2-beta-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: 3-(alpha-D-mannosyl)-beta-D-mannosyl-R + UDP-N-acetyl-alpha-D-glucosamine = 3-(2-[N-acetyl-beta-D-glucosaminyl]-alpha-D-mannosyl)-beta-D-mannosyl-R + H(+) + UDP. [EC:2.4.1.101, RHEA:11459]' - }, - 'GO:0003828': { - 'name': 'alpha-N-acetylneuraminate alpha-2,8-sialyltransferase activity', - 'def': 'Catalysis of the reaction: CMP-N-acetylneuraminate + alpha-N-acetylneuraminyl-(2->3)-beta-D-galactosyl-R = CMP + alpha-N-acetylneuraminyl-(2->8)-alpha-N-acetylneuraminyl-(2->3)-beta-D-galactosyl-R. [EC:2.4.99.8]' - }, - 'GO:0003829': { - 'name': 'beta-1,3-galactosyl-O-glycosyl-glycoprotein beta-1,6-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + beta-D-galactosyl-(1->3)-N-acetyl-D-galactosaminyl-R = UDP + beta-D-galactosyl-(1->3)-[N-acetyl-beta-D-glucosaminyl-(1->6)]-N-acetyl-D-galactosaminyl-R. [EC:2.4.1.102]' - }, - 'GO:0003830': { - 'name': 'beta-1,4-mannosylglycoprotein 4-beta-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + beta-D-mannosyl-R = UDP + 4-(N-acetyl-beta-D-glucosaminyl)-beta-D-mannosyl-R. [EC:2.4.1.144]' - }, - 'GO:0003831': { - 'name': 'beta-N-acetylglucosaminylglycopeptide beta-1,4-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + N-acetyl-beta-D-glucosaminylglycopeptide = UDP + beta-D-galactosyl-(1->4)-N-acetyl-beta-D-glucosaminylglycopeptide. [EC:2.4.1.38]' - }, - 'GO:0003832': { - 'name': 'beta-alanyl-dopamine hydrolase activity', - 'def': 'Catalysis of the reaction: N-beta-alanyl dopamine + H2O = dopamine + beta-alanine. [GOC:bf, ISBN:0198506732, PMID:12957543]' - }, - 'GO:0003833': { - 'name': 'beta-alanyl-dopamine synthase activity', - 'def': 'Catalysis of the synthesis of beta-alanyl-dopamine from the precursor dopamine (3,4-dihydroxyphenylethylamine). [GOC:bf, ISBN:0198506732, PMID:12957543]' - }, - 'GO:0003834': { - 'name': "beta-carotene 15,15'-monooxygenase activity", - 'def': 'Catalysis of the reaction: beta-carotene + O(2) = 2 retinal. [EC:1.14.99.36, RHEA:10407]' - }, - 'GO:0003835': { - 'name': 'beta-galactoside alpha-2,6-sialyltransferase activity', - 'def': 'Catalysis of the reaction: CMP-N-acetylneuraminate + beta-D-galactosyl-(1->4)-acetyl-beta-D-glucosamine = CMP + alpha-N-acetylneuraminyl-(2->6)-beta-D-galactosyl-(1->4)-N-acetyl-beta-D-glucosamine. [EC:2.4.99.1]' - }, - 'GO:0003836': { - 'name': 'beta-galactoside (CMP) alpha-2,3-sialyltransferase activity', - 'def': 'Catalysis of the reaction: CMP-N-acetylneuraminate + beta-D-galactosyl-(1->3)-N-acetyl-alpha-D-galactosaminyl-R = CMP + alpha-N-acetylneuraminyl-(2->3)-beta-D-galactosyl-(1->3)-N-acetyl-alpha-D-galactosaminyl-R. [EC:2.4.99.4]' - }, - 'GO:0003837': { - 'name': 'beta-ureidopropionase activity', - 'def': 'Catalysis of the reaction: N-carbamoyl-beta-alanine + H2O = beta-alanine + CO2 + NH3. [EC:3.5.1.6]' - }, - 'GO:0003838': { - 'name': 'sterol 24-C-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 5-alpha-cholest-8,24-dien-3-beta-ol = S-adenosyl-L-homocysteine + 24-methylene-5-alpha-cholest-8-en-3-beta-ol. [EC:2.1.1.41]' - }, - 'GO:0003839': { - 'name': 'gamma-glutamylcyclotransferase activity', - 'def': 'Catalysis of the reaction: (5-L-glutamyl)-L-amino acid = 5-oxoproline + L-amino acid. [EC:2.3.2.4]' - }, - 'GO:0003840': { - 'name': 'gamma-glutamyltransferase activity', - 'def': 'Catalysis of the reaction: (5-L-glutamyl)-peptide + an amino acid = peptide + 5-L-glutamyl-amino acid. [EC:2.3.2.2]' - }, - 'GO:0003841': { - 'name': '1-acylglycerol-3-phosphate O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + 1-acyl-sn-glycerol-3-phosphate = CoA + 1,2-diacyl-sn-glycerol-3-phosphate. [EC:2.3.1.51, GOC:ab]' - }, - 'GO:0003842': { - 'name': '1-pyrroline-5-carboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 1-pyrroline-5-carboxylate + NAD+ + H2O = L-glutamate + NADH + H(+). [EC:1.5.1.12]' - }, - 'GO:0003843': { - 'name': '1,3-beta-D-glucan synthase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + [(1->3)-beta-D-glucosyl](n) = UDP + [(1->3)-beta-D-glucosyl](n+1). [EC:2.4.1.34]' - }, - 'GO:0003844': { - 'name': '1,4-alpha-glucan branching enzyme activity', - 'def': 'Catalysis of the transfer of a segment of a (1->4)-alpha-D-glucan chain to a primary hydroxyl group in a similar glucan chain. [EC:2.4.1.18]' - }, - 'GO:0003845': { - 'name': '11-beta-hydroxysteroid dehydrogenase [NAD(P)] activity', - 'def': 'Catalysis of the reaction: an 11-beta-hydroxysteroid + NAD(P)+ = an 11-oxosteroid + NAD(P)H + H(+). [EC:1.1.1.146, PMID:15761036]' - }, - 'GO:0003846': { - 'name': '2-acylglycerol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + 2-acylglycerol = CoA + diacylglycerol. [EC:2.3.1.22]' - }, - 'GO:0003847': { - 'name': '1-alkyl-2-acetylglycerophosphocholine esterase activity', - 'def': 'Catalysis of the reaction: 2-acetyl-1-alkyl-sn-glycero-3-phosphocholine + H2O = 1-alkyl-sn-glycero-3-phosphocholine + acetate. [EC:3.1.1.47]' - }, - 'GO:0003848': { - 'name': '2-amino-4-hydroxy-6-hydroxymethyldihydropteridine diphosphokinase activity', - 'def': 'Catalysis of the reaction: 2-amino-4-hydroxy-6-hydroxymethyl-7,8-dihydropteridine + ATP = (2-amino-4-hydroxy-7,8-dihydropteridin-6-yl)methyl diphosphate + AMP + 2 H(+). [EC:2.7.6.3, RHEA:11415]' - }, - 'GO:0003849': { - 'name': '3-deoxy-7-phosphoheptulonate synthase activity', - 'def': 'Catalysis of the reaction: D-erythrose 4-phosphate + H(2)O + phosphoenolpyruvate = 7-phospho-2-dehydro-3-deoxy-D-arabino-heptonate + phosphate. [EC:2.5.1.54, RHEA:14720]' - }, - 'GO:0003850': { - 'name': '2-deoxyglucose-6-phosphatase activity', - 'def': 'Catalysis of the reaction: 2-deoxy-D-glucose-6-phosphate + H2O = 2-deoxy-D-glucose + phosphate. [EC:3.1.3.68]' - }, - 'GO:0003851': { - 'name': '2-hydroxyacylsphingosine 1-beta-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + 2-(2-hydroxyacyl)sphingosine = UDP + 1-(beta-D-galactosyl)-2-(2-hydroxyacyl)sphingosine. [EC:2.4.1.45]' - }, - 'GO:0003852': { - 'name': '2-isopropylmalate synthase activity', - 'def': 'Catalysis of the reaction: 3-methyl-2-oxobutanoate + acetyl-CoA + H(2)O = (2S)-2-isopropylmalate + CoA + H(+). [EC:2.3.3.13, RHEA:21527]' - }, - 'GO:0003853': { - 'name': '2-methylacyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-methylbutanoyl-CoA + acceptor = 2-methylbut-2-enoyl-CoA + reduced acceptor. [EC:1.3.99.12]' - }, - 'GO:0003854': { - 'name': '3-beta-hydroxy-delta5-steroid dehydrogenase activity', - 'def': 'Catalysis of the reaction: a 3-beta-hydroxy-delta(5)-steroid + NAD+ = a 3-oxo-delta(5)-steroid + NADH + H(+). [EC:1.1.1.145]' - }, - 'GO:0003855': { - 'name': '3-dehydroquinate dehydratase activity', - 'def': 'Catalysis of the reaction: 3-dehydroquinate = 3-dehydroshikimate + H(2)O. [EC:4.2.1.10, RHEA:21099]' - }, - 'GO:0003856': { - 'name': '3-dehydroquinate synthase activity', - 'def': 'Catalysis of the reaction: 7-phospho-2-dehydro-3-deoxy-D-arabino-heptonate = 3-dehydroquinate + phosphate. [EC:4.2.3.4, RHEA:21971]' - }, - 'GO:0003857': { - 'name': '3-hydroxyacyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxyacyl-CoA + NAD+ = 3-oxoacyl-CoA + NADH + H(+). [EC:1.1.1.35]' - }, - 'GO:0003858': { - 'name': '3-hydroxybutyrate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxybutanoate + NAD(+) = acetoacetate + H(+) + NADH. [EC:1.1.1.30, RHEA:20524]' - }, - 'GO:0003859': { - 'name': '3-hydroxybutyryl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxybutanoyl-CoA = crotonoyl-CoA + H(2)O. [EC:4.2.1.55, RHEA:17852]' - }, - 'GO:0003860': { - 'name': '3-hydroxyisobutyryl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-2-methylpropanoyl-CoA + H2O = CoA + 3-hydroxy-2-methylpropanoate. [EC:3.1.2.4]' - }, - 'GO:0003861': { - 'name': '3-isopropylmalate dehydratase activity', - 'def': 'Catalysis of the reaction: 3-isopropylmalate = 2-isopropylmaleate + H2O. [EC:4.2.1.33]' - }, - 'GO:0003862': { - 'name': '3-isopropylmalate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-carboxy-2-hydroxy-4-methylpentanoate + NAD+ = 3-carboxy-4-methyl-2-oxopentanoate + NADH + H+. [EC:1.1.1.85]' - }, - 'GO:0003863': { - 'name': '3-methyl-2-oxobutanoate dehydrogenase (2-methylpropanoyl-transferring) activity', - 'def': 'Catalysis of the reaction: 3-methyl-2-oxobutanoate + lipoamide = S-(2-methylpropanoyl)dihydrolipoamide + CO2. [EC:1.2.4.4]' - }, - 'GO:0003864': { - 'name': '3-methyl-2-oxobutanoate hydroxymethyltransferase activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + 3-methyl-2-oxobutanoate = tetrahydrofolate + 2-dehydropantoate. [EC:2.1.2.11]' - }, - 'GO:0003865': { - 'name': '3-oxo-5-alpha-steroid 4-dehydrogenase activity', - 'def': 'Catalysis of the reaction: a 3-oxo-5-alpha-steroid + acceptor = a 3-oxo-delta(4)-steroid + reduced acceptor. [EC:1.3.99.5]' - }, - 'GO:0003866': { - 'name': '3-phosphoshikimate 1-carboxyvinyltransferase activity', - 'def': 'Catalysis of the reaction: 3-phosphoshikimate + phosphoenolpyruvate = 5-O-(1-carboxyvinyl)-3-phosphoshikimate + phosphate. [EC:2.5.1.19, RHEA:21259]' - }, - 'GO:0003867': { - 'name': '4-aminobutyrate transaminase activity', - 'def': 'Catalysis of the reaction: 4-aminobutanoate + amino group acceptor = succinate semialdehyde + amino acid. [EC:2.6.1.19, GOC:mah]' - }, - 'GO:0003868': { - 'name': '4-hydroxyphenylpyruvate dioxygenase activity', - 'def': 'Catalysis of the reaction: 4-hydroxyphenylpyruvate + O2 = homogentisate + CO2. [EC:1.13.11.27]' - }, - 'GO:0003870': { - 'name': '5-aminolevulinate synthase activity', - 'def': 'Catalysis of the reaction: glycine + H(+) + succinyl-CoA = 5-aminolevulinate + CO(2) + CoA. [EC:2.3.1.37, RHEA:12924]' - }, - 'GO:0003871': { - 'name': '5-methyltetrahydropteroyltriglutamate-homocysteine S-methyltransferase activity', - 'def': 'Catalysis of the reaction: 5-methyltetrahydropteroyltri-L-glutamate + L-homocysteine = L-methionine + tetrahydropteroyltri-L-glutamate. [EC:2.1.1.14, RHEA:21199]' - }, - 'GO:0003872': { - 'name': '6-phosphofructokinase activity', - 'def': 'Catalysis of the reaction: ATP + D-fructose-6-phosphate = ADP + D-fructose 1,6-bisphosphate. [EC:2.7.1.11]' - }, - 'GO:0003873': { - 'name': '6-phosphofructo-2-kinase activity', - 'def': 'Catalysis of the reaction: beta-D-fructose 6-phosphate + ATP = beta-D-fructose 2,6-bisphosphate + ADP + 2 H(+). [EC:2.7.1.105, RHEA:15656]' - }, - 'GO:0003874': { - 'name': '6-pyruvoyltetrahydropterin synthase activity', - 'def': "Catalysis of the reaction: 7,8-dihydroneopterin 3'-triphosphate = 6-pyruvoyl-5,6,7,8-tetrahydropterin + H(+) + triphosphate. [EC:4.2.3.12, RHEA:22051]" - }, - 'GO:0003875': { - 'name': 'ADP-ribosylarginine hydrolase activity', - 'def': 'Catalysis of the reaction: N2-(ADP-D-ribosyl)-L-arginine + H2O = L-arginine + ADP-ribose. [EC:3.2.2.19]' - }, - 'GO:0003876': { - 'name': 'AMP deaminase activity', - 'def': 'Catalysis of the reaction: AMP + H2O = IMP + NH3. [EC:3.5.4.6]' - }, - 'GO:0003877': { - 'name': 'ATP adenylyltransferase activity', - 'def': "Catalysis of the reaction: ADP + ATP = phosphate + P(1),P(4)-bis(5'-adenosyl)tetraphosphate. [EC:2.7.7.53]" - }, - 'GO:0003878': { - 'name': 'ATP citrate synthase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + ADP + H(+) + oxaloacetate + phosphate = ATP + citrate + CoA. [EC:2.3.3.8, RHEA:21163]' - }, - 'GO:0003879': { - 'name': 'ATP phosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: 1-(5-phospho-D-ribosyl)-ATP + diphosphate = ATP + 5-phospho-alpha-D-ribose 1-diphosphate. [EC:2.4.2.17]' - }, - 'GO:0003880': { - 'name': 'protein C-terminal carboxyl O-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to the oxygen atom of a carboxyl group at the C-terminal of a protein. [PMID:8428937]' - }, - 'GO:0003881': { - 'name': 'CDP-diacylglycerol-inositol 3-phosphatidyltransferase activity', - 'def': 'Catalysis of the reaction: myo-inositol + CDP-diacylglycerol = 1-phosphatidyl-1D-myo-inositol + CMP + H(+). [EC:2.7.8.11, RHEA:11583]' - }, - 'GO:0003882': { - 'name': 'CDP-diacylglycerol-serine O-phosphatidyltransferase activity', - 'def': 'Catalysis of the reaction: CDP-diacylglycerol + L-serine = CMP + O-sn-phosphatidyl-L-serine. [EC:2.7.8.8]' - }, - 'GO:0003883': { - 'name': 'CTP synthase activity', - 'def': 'Catalysis of the reaction: ATP + UTP + NH3 = ADP + phosphate + CTP. [EC:6.3.4.2]' - }, - 'GO:0003884': { - 'name': 'D-amino-acid oxidase activity', - 'def': 'Catalysis of the reaction: a D-amino acid + H2O + O2 = a 2-oxo acid + NH3 + hydrogen peroxide. [EC:1.4.3.3]' - }, - 'GO:0003885': { - 'name': 'D-arabinono-1,4-lactone oxidase activity', - 'def': 'Catalysis of the reaction: D-arabinono-1,4-lactone + O(2) = dehydro-D-arabinono-1,4-lactone + H(2)O(2) + H(+). [EC:1.1.3.37, RHEA:23759]' - }, - 'GO:0003886': { - 'name': 'DNA (cytosine-5-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + DNA containing cytosine = S-adenosyl-L-homocysteine + DNA containing 5-methylcytosine. [EC:2.1.1.37]' - }, - 'GO:0003887': { - 'name': 'DNA-directed DNA polymerase activity', - 'def': "Catalysis of the reaction: deoxynucleoside triphosphate + DNA(n) = diphosphate + DNA(n+1); the synthesis of DNA from deoxyribonucleotide triphosphates in the presence of a DNA template and a 3'hydroxyl group. [EC:2.7.7.7, GOC:vw, ISBN:0198547684]" - }, - 'GO:0003892': { - 'name': 'obsolete proliferating cell nuclear antigen', - 'def': 'OBSOLETE. A nuclear protein that associates as a trimer and then interacts with delta DNA polymerase and epsilon DNA polymerase, acting as an auxiliary factor for DNA replication and DNA repair. [ISBN:0123668387]' - }, - 'GO:0003896': { - 'name': 'DNA primase activity', - 'def': "Catalysis of the synthesis of a short RNA primer on a DNA template, providing a free 3'-OH that can be extended by DNA-directed DNA polymerases. [GOC:mah, GOC:mcc, ISBN:0716720094, PMID:26184436]" - }, - 'GO:0003899': { - 'name': "DNA-directed 5'-3' RNA polymerase activity", - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). Utilizes a DNA template, i.e. the catalysis of DNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. Can initiate a chain 'de novo'. [EC:2.7.7.6, GOC:pf]" - }, - 'GO:0003900': { - 'name': 'obsolete DNA-directed RNA polymerase I activity', - 'def': 'OBSOLETE. Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). [EC:2.7.7.6]' - }, - 'GO:0003901': { - 'name': 'obsolete DNA-directed RNA polymerase II activity', - 'def': 'OBSOLETE. Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). [EC:2.7.7.6]' - }, - 'GO:0003902': { - 'name': 'obsolete DNA-directed RNA polymerase III activity', - 'def': 'OBSOLETE. Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1). [EC:2.7.7.6]' - }, - 'GO:0003904': { - 'name': 'deoxyribodipyrimidine photo-lyase activity', - 'def': 'Catalysis of the reaction: cyclobutadipyrimidine (in DNA) = 2 pyrimidine residues (in DNA). This reaction represents the reactivation of irradiated DNA by light. [EC:4.1.99.3]' - }, - 'GO:0003905': { - 'name': 'alkylbase DNA N-glycosylase activity', - 'def': "Catalysis of the reaction: DNA with alkylated base + H2O = DNA with abasic site + alkylated base. This reaction is the hydrolysis of DNA by cleavage of the N-C1' glycosidic bond between the target damaged DNA base and the deoxyribose sugar to remove an alkylated base, leaving an apyrimidinic or apurinic site. [EC:3.2.2.21, GOC:elh, PMID:10872450, PMID:9224623]" - }, - 'GO:0003906': { - 'name': 'DNA-(apurinic or apyrimidinic site) lyase activity', - 'def': "Catalysis of the cleavage of the C-O-P bond 3' to the apurinic or apyrimidinic site in DNA by a beta-elimination reaction, leaving a 3'-terminal unsaturated sugar and a product with a terminal 5'-phosphate. [EC:4.2.99.18]" - }, - 'GO:0003908': { - 'name': 'methylated-DNA-[protein]-cysteine S-methyltransferase activity', - 'def': 'Catalysis of the reaction: DNA (containing 6-O-methylguanine) + (protein)-L-cysteine = DNA (without 6-O-methylguanine) + protein S-methyl-L-cysteine. [EC:2.1.1.63]' - }, - 'GO:0003909': { - 'name': 'DNA ligase activity', - 'def': "Catalysis of the formation of a phosphodiester bond between the 3'-hydroxyl group at the end of one DNA chain and the 5'-phosphate group at the end of another. This reaction requires an energy source such as ATP or NAD+. [ISBN:0716720094]" - }, - 'GO:0003910': { - 'name': 'DNA ligase (ATP) activity', - 'def': 'Catalysis of the reaction: ATP + deoxyribonucleotide(n) + deoxyribonucleotide(m) = AMP + diphosphate + deoxyribonucleotide(n+m). [EC:6.5.1.1]' - }, - 'GO:0003911': { - 'name': 'DNA ligase (NAD+) activity', - 'def': 'Catalysis of the reaction: NAD+ + deoxyribonucleotide(n) + deoxyribonucleotide(m) = AMP + nicotinamide nucleotide + deoxyribonucleotide(n+m). [EC:6.5.1.2]' - }, - 'GO:0003912': { - 'name': 'DNA nucleotidylexotransferase activity', - 'def': 'Catalysis of the reaction: deoxynucleoside triphosphate + DNA(n) = diphosphate + DNA(n+1). [EC:2.7.7.31]' - }, - 'GO:0003913': { - 'name': 'DNA photolyase activity', - 'def': 'Catalysis of the repair of a photoproduct resulting from ultraviolet irradiation of two adjacent pyrimidine residues in DNA. [GOC:mah, PMID:11124949]' - }, - 'GO:0003914': { - 'name': 'DNA (6-4) photolyase activity', - 'def': 'Catalysis of the reaction: pyrimidine-pyrimidone (6-4) photoproduct (in DNA) = 2 pyrimidine residues (in DNA). Catalyzes the reactivation of ultraviolet-irradiated DNA. [GOC:mah, PMID:11124949]' - }, - 'GO:0003916': { - 'name': 'DNA topoisomerase activity', - 'def': 'Catalysis of the transient cleavage and passage of individual DNA strands or double helices through one another, resulting a topological transformation in double-stranded DNA. [GOC:mah, PMID:8811192]' - }, - 'GO:0003917': { - 'name': 'DNA topoisomerase type I activity', - 'def': 'Catalysis of a DNA topological transformation by transiently cleaving one DNA strand at a time to allow passage of another strand; changes the linking number by +1 per catalytic cycle. [PMID:8811192]' - }, - 'GO:0003918': { - 'name': 'DNA topoisomerase type II (ATP-hydrolyzing) activity', - 'def': 'Catalysis of a DNA topological transformation by transiently cleaving a pair of complementary DNA strands to form a gate through which a second double-stranded DNA segment is passed, after which the severed strands in the first DNA segment are rejoined; product release is coupled to ATP binding and hydrolysis; changes the linking number in multiples of 2. [PMID:8811192]' - }, - 'GO:0003919': { - 'name': 'FMN adenylyltransferase activity', - 'def': 'Catalysis of the reaction: ATP + FMN = diphosphate + FAD. [EC:2.7.7.2, RHEA:17240]' - }, - 'GO:0003920': { - 'name': 'GMP reductase activity', - 'def': 'Catalysis of the reaction: IMP + NADP(+) + NH(4)(+) = GMP + 2 H(+) + NADPH. [EC:1.7.1.7, RHEA:17188]' - }, - 'GO:0003921': { - 'name': 'GMP synthase activity', - 'def': "Catalysis of the reaction: ATP + xanthosine 5'-phosphate + NH3 = AMP + diphosphate + GMP. [EC:6.3.4.1]" - }, - 'GO:0003922': { - 'name': 'GMP synthase (glutamine-hydrolyzing) activity', - 'def': "Catalysis of the reaction: ATP + xanthosine 5'-phosphate + L-glutamine + H2O = AMP + diphosphate + GMP + L-glutamate. [EC:6.3.5.2]" - }, - 'GO:0003923': { - 'name': 'GPI-anchor transamidase activity', - 'def': 'Catalysis of the formation of the linkage between a protein and a glycosylphosphatidylinositol anchor. The reaction probably occurs by subjecting a peptide bond to nucleophilic attack by the amino group of ethanolamine-GPI, transferring the protein from a signal peptide to the GPI anchor. [ISBN:0471331309]' - }, - 'GO:0003924': { - 'name': 'GTPase activity', - 'def': 'Catalysis of the reaction: GTP + H2O = GDP + phosphate. [ISBN:0198547684]' - }, - 'GO:0003925': { - 'name': 'obsolete small monomeric GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. Small monomeric enzymes with a molecular mass of 21 kDa that are distantly related to the alpha-subunit of heterotrimeric G-protein GTPase. They are involved in cell-growth regulation (RAS subfamily), membrane vesicle traffic and uncoating (RAB and ARF subfamilies), nuclear protein import (RAN subfamily) and organization of the cytoskeleton (Rho and Rac subfamilies). [EC:3.6.5.2, GOC:mah, ISBN:0198547684, MetaCyc:3.6.1.47-RXN]' - }, - 'GO:0003926': { - 'name': 'obsolete ARF small monomeric GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. [EC:3.6.1.47]' - }, - 'GO:0003927': { - 'name': 'obsolete heterotrimeric G-protein GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. GTP-hydrolyzing enzymes, where GTP and GDP alternate in binding. Includes stimulatory and inhibitory G-proteins such as Gs, Gi, Go and Golf, targeting adenylate cyclase and/or potassium ion and calcium ion channels; Gq stimulating phospholipase C; transducin activating cGMP phosphodiesterase; gustducin activating cAMP phosphodiesterase. [EC:3.6.5.1, ISBN:0198547684, MetaCyc:3.6.1.46-RXN]' - }, - 'GO:0003928': { - 'name': 'obsolete RAB small monomeric GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. [EC:3.6.1.47]' - }, - 'GO:0003929': { - 'name': 'obsolete RAN small monomeric GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. [EC:3.6.1.47]' - }, - 'GO:0003930': { - 'name': 'obsolete RAS small monomeric GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. [EC:3.6.1.47]' - }, - 'GO:0003931': { - 'name': 'obsolete Rho small monomeric GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. Any member of the Rho subfamily of the RAS superfamily of monomeric GTPases. Proteins in the Rho subfamily are involved in relaying signals from cell-surface receptors to the actin cytoskeleton. [EC:3.6.1.47, GOC:mah, ISBN:0198547684]' - }, - 'GO:0003932': { - 'name': 'obsolete SAR small monomeric GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. [EC:3.6.1.47]' - }, - 'GO:0003933': { - 'name': 'GTP cyclohydrolase activity', - 'def': 'Catalysis of the hydrolysis of the imidazole ring of GTP, releasing formate. Two C-N bonds are hydrolyzed and the pentase unit is isomerized. [EC:3.5.4.16, EC:3.5.4.25, EC:3.5.4.29, GOC:curators]' - }, - 'GO:0003934': { - 'name': 'GTP cyclohydrolase I activity', - 'def': "Catalysis of the reaction: GTP + H2O = formate + 7,8-dihydroneopterin 3'-triphosphate. [EC:3.5.4.16]" - }, - 'GO:0003935': { - 'name': 'GTP cyclohydrolase II activity', - 'def': 'Catalysis of the reaction: GTP + 3 H(2)O = 2,5-diamino-6-hydroxy-4-(5-phosphoribosylamino)-pyrimidine + diphosphate + formate + 3 H(+). [EC:3.5.4.25, RHEA:23707]' - }, - 'GO:0003936': { - 'name': 'obsolete hydrogen-transporting two-sector ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + H+(in) = ADP + phosphate + H+(out). [EC:3.6.3.14, TC:3.A.3.-.-]' - }, - 'GO:0003937': { - 'name': 'IMP cyclohydrolase activity', - 'def': 'Catalysis of the reaction: IMP + H2O = 5-formamido-1-(5-phosphoribosyl)imidazole-4-carboxamide. [EC:3.5.4.10]' - }, - 'GO:0003938': { - 'name': 'IMP dehydrogenase activity', - 'def': "Catalysis of the reaction: inosine 5'-phosphate + NAD+ + H2O = xanthosine 5'-phosphate + NADH + H+. [EC:1.1.1.205]" - }, - 'GO:0003939': { - 'name': 'L-iditol 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-iditol + NAD+ = L-sorbose + NADH + H+. [EC:1.1.1.14]' - }, - 'GO:0003940': { - 'name': 'L-iduronidase activity', - 'def': 'Catalysis of the hydrolysis of alpha-L-iduronosidic linkages in dermatan sulfate. [EC:3.2.1.76]' - }, - 'GO:0003941': { - 'name': 'L-serine ammonia-lyase activity', - 'def': 'Catalysis of the reaction: L-serine = pyruvate + NH3. [EC:4.3.1.17]' - }, - 'GO:0003942': { - 'name': 'N-acetyl-gamma-glutamyl-phosphate reductase activity', - 'def': 'Catalysis of the reaction: N-acetyl-L-glutamate 5-semialdehyde + NADP+ + phosphate = N-acetyl-5-glutamyl phosphate + NADPH + H+. [EC:1.2.1.38]' - }, - 'GO:0003943': { - 'name': 'N-acetylgalactosamine-4-sulfatase activity', - 'def': 'Catalysis of the hydrolysis of the 4-sulfate groups of the N-acetyl-D-galactosamine 4-sulfate units of chondroitin sulfate and dermatan sulfate. [EC:3.1.6.12]' - }, - 'GO:0003944': { - 'name': 'N-acetylglucosamine-1-phosphodiester alpha-N-acetylglucosaminidase activity', - 'def': 'Catalysis of the reaction: glycoprotein N-acetyl-D-glucosaminyl-phospho-D-mannose + H2O = N-acetyl-D-glucosamine + glycoprotein phospho-D-mannose. [EC:3.1.4.45]' - }, - 'GO:0003945': { - 'name': 'N-acetyllactosamine synthase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + N-acetyl-D-glucosamine = UDP + N-acetyllactosamine. [EC:2.4.1.90]' - }, - 'GO:0003947': { - 'name': '(N-acetylneuraminyl)-galactosylglucosylceramide N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-galactosamine + (N-acetylneuraminyl)-D-galactosyl-D-glucosylceramide = UDP + N-acetyl-D-galactosaminyl-(N-acetylneuraminyl)-D-galactosyl-D-glucosylceramide. [EC:2.4.1.92]' - }, - 'GO:0003948': { - 'name': 'N4-(beta-N-acetylglucosaminyl)-L-asparaginase activity', - 'def': 'Catalysis of the reaction: N(4)-(beta-N-acetyl-D-glucosaminyl)-L-asparagine + H(2)O = N-acetyl-beta-D-glucosaminylamine + L-aspartate + H(+). [EC:3.5.1.26, RHEA:11547]' - }, - 'GO:0003949': { - 'name': '1-(5-phosphoribosyl)-5-[(5-phosphoribosylamino)methylideneamino]imidazole-4-carboxamide isomerase activity', - 'def': 'Catalysis of the reaction: 1-(5-phosphoribosyl)-5-[(5-phosphoribosylamino)methylideneamino]imidazole-4-carboxamide = 5-[(5-phospho-1-deoxy-D-ribulos-1-ylimino)methylamino]-1-(5-phospho-D-ribosyl)imidazole-4-carboxamide. [EC:5.3.1.16, RHEA:15472]' - }, - 'GO:0003950': { - 'name': 'NAD+ ADP-ribosyltransferase activity', - 'def': 'Catalysis of the reaction: NAD+ + (ADP-D-ribosyl)(n)-acceptor = nicotinamide + (ADP-D-ribosyl)(n+1)-acceptor. [EC:2.4.2.30]' - }, - 'GO:0003951': { - 'name': 'NAD+ kinase activity', - 'def': 'Catalysis of the reaction: ATP + NAD(+) = ADP + 2 H(+) + NADP(+). [EC:2.7.1.23, RHEA:18632]' - }, - 'GO:0003952': { - 'name': 'NAD+ synthase (glutamine-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: ATP + deamido-NAD+ + L-glutamine + H2O = AMP + diphosphate + NAD+ + L-glutamate. [EC:6.3.5.1]' - }, - 'GO:0003953': { - 'name': 'NAD+ nucleosidase activity', - 'def': 'Catalysis of the reaction: NAD+ + H2O = nicotinamide + ADP-ribose. [GOC:dph, GOC:pad, GOC:PARL, GOC:pde, PMID:11866528, PMID:7805847]' - }, - 'GO:0003954': { - 'name': 'NADH dehydrogenase activity', - 'def': 'Catalysis of the reaction: NADH + H+ + acceptor = NAD+ + reduced acceptor. [EC:1.6.99.3]' - }, - 'GO:0003955': { - 'name': 'NAD(P)H dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: NAD(P)H + H+ + a quinone = NAD(P)+ + a hydroquinone. [EC:1.6.5.2]' - }, - 'GO:0003956': { - 'name': 'NAD(P)+-protein-arginine ADP-ribosyltransferase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + L-arginine = nicotinamide + N2-(ADP-D-ribosyl)-L-arginine. [EC:2.4.2.31]' - }, - 'GO:0003957': { - 'name': 'NAD(P)+ transhydrogenase (B-specific) activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + NAD+ = NADP+ + NADH + H+, driving the transfer of a solute or solutes from one side of a membrane to the other. In the course of the reaction (left to right) one H atom is transferred from inside the cell to outside. The reaction is B-specific (i.e. the pro-S hydrogen is transferred from the 4-position of reduced nicotinamide cofactor) with respect to both NAD+ and NADP+. [EC:1.6.1.1, http://pubs.acs.org/cgi-bin/abstract.cgi/jacsat/1991/113/i07/f-pdf/f_ja00007a002.pdf, MetaCyc:PYRNUTRANSHYDROGEN-RXN]' - }, - 'GO:0003958': { - 'name': 'NADPH-hemoprotein reductase activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + n oxidized hemoprotein = NADP+ + n reduced hemoprotein. [EC:1.6.2.4]' - }, - 'GO:0003959': { - 'name': 'NADPH dehydrogenase activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + acceptor = NADP+ + reduced acceptor. [EC:1.6.99.1]' - }, - 'GO:0003960': { - 'name': 'NADPH:quinone reductase activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + quinone = NADP+ + semiquinone. [EC:1.6.5.5]' - }, - 'GO:0003961': { - 'name': 'O-acetylhomoserine aminocarboxypropyltransferase activity', - 'def': 'Catalysis of the reaction: O-acetyl-L-homoserine + methanethiol = L-methionine + acetate. Also reacts with other thiols and H2S, producing homocysteine or thioethers. [EC:2.5.1.49]' - }, - 'GO:0003962': { - 'name': 'cystathionine gamma-synthase activity', - 'def': 'Catalysis of the reaction: O-succinyl-L-homoserine + L-cysteine = cystathionine + succinate. [EC:2.5.1.48]' - }, - 'GO:0003963': { - 'name': "RNA-3'-phosphate cyclase activity", - 'def': "Catalysis of the reaction: ATP + RNA 3'-terminal-phosphate = AMP + diphosphate + RNA terminal-2',3'-cyclic-phosphate. [EC:6.5.1.4]" - }, - 'GO:0003964': { - 'name': 'RNA-directed DNA polymerase activity', - 'def': "Catalysis of the reaction: deoxynucleoside triphosphate + DNA(n) = diphosphate + DNA(n+1). Catalyzes RNA-template-directed extension of the 3'- end of a DNA strand by one deoxynucleotide at a time. [EC:2.7.7.49]" - }, - 'GO:0003966': { - 'name': 'obsolete RNA-directed DNA polymerase, transposon encoded', - 'def': "OBSOLETE. Catalysis of RNA-template-directed extension of the 3'- end of a DNA strand by one deoxynucleotide at a time; cannot initiate a chain de novo. [EC:2.7.7.49]" - }, - 'GO:0003967': { - 'name': 'obsolete RNA-directed DNA polymerase, group II intron encoded', - 'def': "OBSOLETE. Catalysis of RNA-template-directed extension of the 3'- end of a DNA strand by one deoxynucleotide at a time; cannot initiate a chain de novo. [EC:2.7.7.49]" - }, - 'GO:0003968': { - 'name': "RNA-directed 5'-3' RNA polymerase activity", - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1); uses an RNA template, i.e. the catalysis of RNA-template-directed extension of the 3'-end of an RNA strand by one nucleotide at a time. [EC:2.7.7.48, GOC:mah, GOC:pf]" - }, - 'GO:0003969': { - 'name': 'obsolete RNA editase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0003972': { - 'name': 'RNA ligase (ATP) activity', - 'def': 'Catalysis of the reaction: ATP + ribonucleotide(n) + ribonucleotide(m) = AMP + diphosphate + ribonucleotide(n+m). [EC:6.5.1.3]' - }, - 'GO:0003973': { - 'name': '(S)-2-hydroxy-acid oxidase activity', - 'def': 'Catalysis of the reaction: (S)-2-hydroxy-acid + O2 = 2-oxo acid + hydrogen peroxide. [EC:1.1.3.15]' - }, - 'GO:0003974': { - 'name': 'UDP-N-acetylglucosamine 4-epimerase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine = UDP-N-acetyl-D-galactosamine. [EC:5.1.3.7]' - }, - 'GO:0003975': { - 'name': 'UDP-N-acetylglucosamine-dolichyl-phosphate N-acetylglucosaminephosphotransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + dolichyl phosphate = UMP + N-acetyl-D-glucosaminyl-diphosphodolichol. [EC:2.7.8.15]' - }, - 'GO:0003976': { - 'name': 'UDP-N-acetylglucosamine-lysosomal-enzyme N-acetylglucosaminephosphotransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + lysosomal-enzyme D-mannose = UMP + lysosomal-enzyme N-acetyl-D-glucosaminyl-phospho-D-mannose. [EC:2.7.8.17]' - }, - 'GO:0003977': { - 'name': 'UDP-N-acetylglucosamine diphosphorylase activity', - 'def': 'Catalysis of the reaction: N-acetyl-alpha-D-glucosamine 1-phosphate + UTP = diphosphate + UDP-N-acetyl-alpha-D-glucosamine. [EC:2.7.7.23, RHEA:13512]' - }, - 'GO:0003978': { - 'name': 'UDP-glucose 4-epimerase activity', - 'def': 'Catalysis of the reaction: UDP-glucose = UDP-galactose. [EC:5.1.3.2]' - }, - 'GO:0003979': { - 'name': 'UDP-glucose 6-dehydrogenase activity', - 'def': 'Catalysis of the reaction: H(2)O + 2 NAD(+) + UDP-alpha-D-glucose = 3 H(+) + 2 NADH + UDP-alpha-D-glucuronate. [EC:1.1.1.22, RHEA:23599]' - }, - 'GO:0003980': { - 'name': 'UDP-glucose:glycoprotein glucosyltransferase activity', - 'def': 'Catalysis of the addition of UDP-glucose on to asparagine-linked (N-linked) oligosaccharides of the form Man7-9GlcNAc2 on incorrectly folded glycoproteins. [GOC:al, PMID:10764828]' - }, - 'GO:0003983': { - 'name': 'UTP:glucose-1-phosphate uridylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 1-phosphate + UTP = diphosphate + UDP-D-glucose. [EC:2.7.7.9, RHEA:19892]' - }, - 'GO:0003984': { - 'name': 'acetolactate synthase activity', - 'def': 'Catalysis of the reaction: 2 pyruvate = 2-acetolactate + CO2. [EC:2.2.1.6]' - }, - 'GO:0003985': { - 'name': 'acetyl-CoA C-acetyltransferase activity', - 'def': 'Catalysis of the reaction: 2 acetyl-CoA = CoA + acetoacetyl-CoA. [EC:2.3.1.9]' - }, - 'GO:0003986': { - 'name': 'acetyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + H(2)O = acetate + CoA + H(+). [EC:3.1.2.1, RHEA:20292]' - }, - 'GO:0003987': { - 'name': 'acetate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + acetate + CoA = AMP + diphosphate + acetyl-CoA. [EC:6.2.1.1]' - }, - 'GO:0003988': { - 'name': 'acetyl-CoA C-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + acetyl-CoA = CoA + 3-oxoacyl-CoA. [EC:2.3.1.16]' - }, - 'GO:0003989': { - 'name': 'acetyl-CoA carboxylase activity', - 'def': 'Catalysis of the reaction: ATP + acetyl-CoA + HCO3- = ADP + phosphate + malonyl-CoA. [EC:6.4.1.2]' - }, - 'GO:0003990': { - 'name': 'acetylcholinesterase activity', - 'def': 'Catalysis of the reaction: acetylcholine + H2O = choline + acetate. [EC:3.1.1.7]' - }, - 'GO:0003991': { - 'name': 'acetylglutamate kinase activity', - 'def': 'Catalysis of the reaction: ATP + N-acetyl-L-glutamate = ADP + N-acetyl-L-glutamate-5-phosphate. [EC:2.7.2.8]' - }, - 'GO:0003992': { - 'name': 'N2-acetyl-L-ornithine:2-oxoglutarate 5-aminotransferase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + N(2)-acetyl-L-ornithine = N-acetyl-L-glutamate 5-semialdehyde + L-glutamate. [EC:2.6.1.11, RHEA:18052]' - }, - 'GO:0003993': { - 'name': 'acid phosphatase activity', - 'def': 'Catalysis of the reaction: an orthophosphoric monoester + H2O = an alcohol + phosphate, with an acid pH optimum. [EC:3.1.3.2]' - }, - 'GO:0003994': { - 'name': 'aconitate hydratase activity', - 'def': 'Catalysis of the reaction: citrate = isocitrate. The reaction occurs in two steps: (1) citrate = cis-aconitate + H2O, (2) cis-aconitate + H2O = isocitrate. This reaction is the interconversion of citrate and isocitrate via the labile, enzyme-bound intermediate cis-aconitate. Water is removed from one part of the citrate molecule and added back to a different atom to form isocitrate. [EC:4.2.1.3, GOC:pde, GOC:vw]' - }, - 'GO:0003995': { - 'name': 'acyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + acceptor = 2,3-dehydroacyl-CoA + reduced acceptor. [EC:1.3.99.3]' - }, - 'GO:0003996': { - 'name': 'acyl-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + a long-chain carboxylic acid + CoA = AMP + diphosphate + an acyl-CoA; long-chain fatty acids have chain lengths of C13 to C22. [CHEBI:15904, EC:6.2.1.3, GOC:mah]' - }, - 'GO:0003997': { - 'name': 'acyl-CoA oxidase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + O2 = trans-2,3-dehydroacyl-CoA + hydrogen peroxide. [EC:1.3.3.6]' - }, - 'GO:0003998': { - 'name': 'acylphosphatase activity', - 'def': 'Catalysis of the reaction: an acyl phosphate + H2O = a carboxylate + phosphate. [EC:3.6.1.7]' - }, - 'GO:0003999': { - 'name': 'adenine phosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: AMP + diphosphate = adenine + 5-phospho-alpha-D-ribose 1-diphosphate. [EC:2.4.2.7]' - }, - 'GO:0004000': { - 'name': 'adenosine deaminase activity', - 'def': 'Catalysis of the reaction: adenosine + H2O = inosine + NH3. [EC:3.5.4.4]' - }, - 'GO:0004001': { - 'name': 'adenosine kinase activity', - 'def': 'Catalysis of the reaction: ATP + adenosine = ADP + AMP. [EC:2.7.1.20, PMID:11223943]' - }, - 'GO:0004003': { - 'name': 'ATP-dependent DNA helicase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction drives the unwinding of the DNA helix. [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0004004': { - 'name': 'ATP-dependent RNA helicase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction drives the unwinding of an RNA helix. [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0004005': { - 'name': 'obsolete plasma membrane cation-transporting ATPase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0004007': { - 'name': 'obsolete heavy metal-exporting ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: heavy metal ion(in) + ATP + H2O = heavy metal ion(out) + ADP + phosphate. [GOC:ai]' - }, - 'GO:0004008': { - 'name': 'copper-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Cu2+(in) -> ADP + phosphate + Cu2+(out). [EC:3.6.3.4]' - }, - 'GO:0004009': { - 'name': 'obsolete ATP-binding cassette (ABC) transporter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0004012': { - 'name': 'phospholipid-translocating ATPase activity', - 'def': 'Catalysis of the movement of phospholipids from one membrane bilayer leaflet to the other, driven by the hydrolysis of ATP. [EC:3.6.3.1, PMID:15919184, PMID:9099684]' - }, - 'GO:0004013': { - 'name': 'adenosylhomocysteinase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-homocysteine + H2O = adenosine + L-homocysteine. [EC:3.3.1.1]' - }, - 'GO:0004014': { - 'name': 'adenosylmethionine decarboxylase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + H(+) = S-adenosylmethioninamine + CO(2). [EC:4.1.1.50, RHEA:15984]' - }, - 'GO:0004015': { - 'name': 'adenosylmethionine-8-amino-7-oxononanoate transaminase activity', - 'def': 'Catalysis of the reaction: 8-amino-7-oxononanoate + S-adenosyl-L-methionine(1+) = 7,8-diaminononanoate + S-adenosyl-4-methylthio-2-oxobutanoate. [EC:2.6.1.62, RHEA:16864]' - }, - 'GO:0004016': { - 'name': 'adenylate cyclase activity', - 'def': "Catalysis of the reaction: ATP = 3',5'-cyclic AMP + diphosphate. [EC:4.6.1.1]" - }, - 'GO:0004017': { - 'name': 'adenylate kinase activity', - 'def': 'Catalysis of the reaction: ATP + AMP = 2 ADP. [EC:2.7.4.3]' - }, - 'GO:0004018': { - 'name': 'N6-(1,2-dicarboxyethyl)AMP AMP-lyase (fumarate-forming) activity', - 'def': 'Catalysis of the reaction: N6-(1,2-dicarboxyethyl)AMP = fumarate + AMP. [EC:4.3.2.2]' - }, - 'GO:0004019': { - 'name': 'adenylosuccinate synthase activity', - 'def': 'Catalysis of the reaction: L-aspartate + GTP + IMP = N(6)-(1,2-dicarboxyethyl)-AMP + GDP + 3 H(+) + phosphate. [EC:6.3.4.4, RHEA:15756]' - }, - 'GO:0004020': { - 'name': 'adenylylsulfate kinase activity', - 'def': "Catalysis of the reaction: ATP + adenylylsulfate = ADP + 3'-phosphoadenosine 5'-phosphosulfate. [EC:2.7.1.25]" - }, - 'GO:0004021': { - 'name': 'L-alanine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-alanine = L-glutamate + pyruvate. [EC:2.6.1.2, RHEA:19456]' - }, - 'GO:0004022': { - 'name': 'alcohol dehydrogenase (NAD) activity', - 'def': 'Catalysis of the reaction: an alcohol + NAD+ = an aldehyde or ketone + NADH + H+. [EC:1.1.1.1]' - }, - 'GO:0004023': { - 'name': 'alcohol dehydrogenase activity, metal ion-independent', - 'def': 'Catalysis of the reaction: an alcohol + NAD+ = an aldehyde or ketone + NADH + H+; can proceed in the absence of a metal ion. [EC:1.1.1.1, GOC:mah]' - }, - 'GO:0004024': { - 'name': 'alcohol dehydrogenase activity, zinc-dependent', - 'def': 'Catalysis of the reaction: an alcohol + NAD+ = an aldehyde or ketone + NADH + H+, requiring the presence of zinc. [EC:1.1.1.1, GOC:mah]' - }, - 'GO:0004025': { - 'name': 'alcohol dehydrogenase activity, iron-dependent', - 'def': 'Catalysis of the reaction: an alcohol + NAD+ = an aldehyde or ketone + NADH + H+, requiring the presence of iron. [EC:1.1.1.1, GOC:mah]' - }, - 'GO:0004026': { - 'name': 'alcohol O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + an alcohol = CoA + an acetyl ester. [EC:2.3.1.84]' - }, - 'GO:0004027': { - 'name': 'alcohol sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + an alcohol = adenosine 3',5'-bisphosphate + an alkyl sulfate. [EC:2.8.2.2]" - }, - 'GO:0004028': { - 'name': '3-chloroallyl aldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-chloroallyl aldehyde + H2O = 2 H+ + 2 e- + 3-chloroacrylic acid. [UM-BBD_enzymeID:e0432]' - }, - 'GO:0004029': { - 'name': 'aldehyde dehydrogenase (NAD) activity', - 'def': 'Catalysis of the reaction: an aldehyde + NAD+ + H2O = an acid + NADH + H+. [EC:1.2.1.3]' - }, - 'GO:0004030': { - 'name': 'aldehyde dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: an aldehyde + NAD(P)+ + H2O = an acid + NAD(P)H + H+. [EC:1.2.1.5]' - }, - 'GO:0004031': { - 'name': 'aldehyde oxidase activity', - 'def': 'Catalysis of the reaction: an aldehyde + H2O + O2 = a carboxylic acid + hydrogen peroxide. [EC:1.2.3.1]' - }, - 'GO:0004032': { - 'name': 'alditol:NADP+ 1-oxidoreductase activity', - 'def': 'Catalysis of the reaction: an alditol + NADP+ = an aldose + NADPH + H+. [EC:1.1.1.21]' - }, - 'GO:0004033': { - 'name': 'aldo-keto reductase (NADP) activity', - 'def': 'Catalysis of the reaction: an alcohol + NADP+ = an aldehyde or a ketone + NADPH + H+. [GOC:ai]' - }, - 'GO:0004034': { - 'name': 'aldose 1-epimerase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose = beta-D-glucose. Also acts on L-arabinose, D-xylose, D-galactose, maltose and lactose. [EC:5.1.3.3]' - }, - 'GO:0004035': { - 'name': 'alkaline phosphatase activity', - 'def': 'Catalysis of the reaction: an orthophosphoric monoester + H2O = an alcohol + phosphate, with an alkaline pH optimum. [EC:3.1.3.1]' - }, - 'GO:0004037': { - 'name': 'allantoicase activity', - 'def': 'Catalysis of the reaction: allantoate + H(2)O = (S)-ureidoglycolate + urea. [EC:3.5.3.4, RHEA:11019]' - }, - 'GO:0004038': { - 'name': 'allantoinase activity', - 'def': 'Catalysis of the reaction: allantoin + H2O = allantoate. [EC:3.5.2.5]' - }, - 'GO:0004039': { - 'name': 'allophanate hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + 3 H(+) + urea-1-carboxylate = 2 CO(2) + 2 NH(4)(+). [EC:3.5.1.54, RHEA:19032]' - }, - 'GO:0004040': { - 'name': 'amidase activity', - 'def': 'Catalysis of the reaction: a monocarboxylic acid amide + H2O = a monocarboxylate + NH3. [EC:3.5.1.4]' - }, - 'GO:0004042': { - 'name': 'acetyl-CoA:L-glutamate N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-glutamate + acetyl-CoA = N-acetyl-L-glutamate + CoA + H(+). [EC:2.3.1.1, RHEA:24295]' - }, - 'GO:0004043': { - 'name': 'L-aminoadipate-semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-2-aminoadipate 6-semialdehyde + NADP+ + H2O = L-2-aminoadipate + NADPH + H+. [EC:1.2.1.31]' - }, - 'GO:0004044': { - 'name': 'amidophosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: 5-phospho-beta-D-ribosylamine + L-glutamate + diphosphate = 5-phospho-alpha-D-ribose 1-diphosphate + L-glutamine + H(2)O. [EC:2.4.2.14, RHEA:14908]' - }, - 'GO:0004045': { - 'name': 'aminoacyl-tRNA hydrolase activity', - 'def': 'Catalysis of the reaction: N-substituted aminoacyl-tRNA + H2O = N-substituted amino acid + tRNA. [EC:3.1.1.29]' - }, - 'GO:0004046': { - 'name': 'aminoacylase activity', - 'def': 'Catalysis of the reaction: an N-acyl-L-amino acid + H2O = a carboxylate + an L-amino acid. [EC:3.5.1.14]' - }, - 'GO:0004047': { - 'name': 'aminomethyltransferase activity', - 'def': 'Catalysis of the reaction: (6S)-tetrahydrofolate + S-aminomethyldihydrolipoylprotein = (6R)-5,10-methylenetetrahydrofolate + NH3 + dihydrolipoylprotein. [EC:2.1.2.10]' - }, - 'GO:0004048': { - 'name': 'anthranilate phosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: N-(5-phospho-beta-D-ribosyl)anthranilate + diphosphate = 5-phospho-alpha-D-ribose 1-diphosphate + anthranilate. [EC:2.4.2.18, RHEA:11771]' - }, - 'GO:0004049': { - 'name': 'anthranilate synthase activity', - 'def': 'Catalysis of the reaction: chorismate + L-glutamine = anthranilate + pyruvate + L-glutamate. [EC:4.1.3.27]' - }, - 'GO:0004050': { - 'name': 'obsolete apyrase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + 2 H2O = AMP + 2 phosphate. [EC:3.6.1.5, MetaCyc:APYRASE-RXN]' - }, - 'GO:0004051': { - 'name': 'arachidonate 5-lipoxygenase activity', - 'def': 'Catalysis of the reaction: arachidonate + O2 = (6E,8Z,11Z,14Z)-(5S)-5-hydroperoxycosa-6,8,11,14-tetraenoate. [EC:1.13.11.34]' - }, - 'GO:0004052': { - 'name': 'arachidonate 12-lipoxygenase activity', - 'def': 'Catalysis of the reaction: arachidonate + O(2) = (5Z,8Z,10E,12S,14Z)-12-hydroperoxyicosa-5,8,10,14-tetraenoate. [EC:1.13.11.31, RHEA:10431]' - }, - 'GO:0004053': { - 'name': 'arginase activity', - 'def': 'Catalysis of the reaction: L-arginine + H2O = L-ornithine + urea. [EC:3.5.3.1]' - }, - 'GO:0004054': { - 'name': 'arginine kinase activity', - 'def': 'Catalysis of the reaction: L-arginine + ATP = N(omega)-phospho-L-arginine + ADP + 2 H(+). [EC:2.7.3.3, RHEA:22943]' - }, - 'GO:0004055': { - 'name': 'argininosuccinate synthase activity', - 'def': 'Catalysis of the reaction: ATP + L-citrulline + L-aspartate = AMP + diphosphate + (N(omega)-L-arginino)succinate. [EC:6.3.4.5]' - }, - 'GO:0004056': { - 'name': 'argininosuccinate lyase activity', - 'def': 'Catalysis of the reaction: N-(L-arginino)succinate = fumarate + L-arginine. [EC:4.3.2.1]' - }, - 'GO:0004057': { - 'name': 'arginyltransferase activity', - 'def': 'Catalysis of the reaction: L-arginyl-tRNA + protein = tRNA + L-arginyl-protein. [EC:2.3.2.8]' - }, - 'GO:0004058': { - 'name': 'aromatic-L-amino-acid decarboxylase activity', - 'def': 'Catalysis of the reaction: L-amino acid + H+ = R-H + CO2. [EC:4.1.1.28]' - }, - 'GO:0004059': { - 'name': 'aralkylamine N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + an aralkylamine = CoA + an N-acetylaralkylamine. [EC:2.3.1.87]' - }, - 'GO:0004060': { - 'name': 'arylamine N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + an arylamine = CoA + an N-acetylarylamine. [EC:2.3.1.5]' - }, - 'GO:0004061': { - 'name': 'arylformamidase activity', - 'def': 'Catalysis of the reaction: N-formyl-L-kynurenine + H2O = formate + L-kynurenine. [EC:3.5.1.9]' - }, - 'GO:0004062': { - 'name': 'aryl sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + a phenol = adenosine 3',5'-bisphosphate + an aryl sulfate. [EC:2.8.2.1]" - }, - 'GO:0004063': { - 'name': 'aryldialkylphosphatase activity', - 'def': 'Catalysis of the reaction: aryl dialkyl phosphate + H2O = dialkyl phosphate + an aryl alcohol. [EC:3.1.8.1]' - }, - 'GO:0004064': { - 'name': 'arylesterase activity', - 'def': 'Catalysis of the reaction: a phenyl acetate + H2O = a phenol + acetate. [EC:3.1.1.2]' - }, - 'GO:0004065': { - 'name': 'arylsulfatase activity', - 'def': 'Catalysis of the reaction: a phenol sulfate + H2O = a phenol + sulfate. [EC:3.1.6.1]' - }, - 'GO:0004066': { - 'name': 'asparagine synthase (glutamine-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: ATP + L-aspartate + L-glutamine = AMP + diphosphate + L-asparagine + L-glutamate. [EC:6.3.5.4]' - }, - 'GO:0004067': { - 'name': 'asparaginase activity', - 'def': 'Catalysis of the reaction: L-asparagine + H2O = L-aspartate + NH3. [EC:3.5.1.1]' - }, - 'GO:0004068': { - 'name': 'aspartate 1-decarboxylase activity', - 'def': 'Catalysis of the reaction: L-aspartate = beta-alanine + CO2. [EC:4.1.1.11]' - }, - 'GO:0004069': { - 'name': 'L-aspartate:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-aspartate + 2-oxoglutarate = oxaloacetate + L-glutamate. [EC:2.6.1.1]' - }, - 'GO:0004070': { - 'name': 'aspartate carbamoyltransferase activity', - 'def': 'Catalysis of the reaction: L-aspartate + carbamoyl phosphate = N-carbamoyl-L-aspartate + H(+) + phosphate. [EC:2.1.3.2, RHEA:20016]' - }, - 'GO:0004071': { - 'name': 'aspartate-ammonia ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-aspartate + NH3 = AMP + diphosphate + L-asparagine. [EC:6.3.1.1]' - }, - 'GO:0004072': { - 'name': 'aspartate kinase activity', - 'def': 'Catalysis of the reaction: L-aspartate + ATP = 4-phospho-L-aspartate + ADP + H(+). [EC:2.7.2.4, RHEA:23779]' - }, - 'GO:0004073': { - 'name': 'aspartate-semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-aspartate 4-semialdehyde + NADP(+) + phosphate = 4-phospho-L-aspartate + H(+) + NADPH. [EC:1.2.1.11, RHEA:24287]' - }, - 'GO:0004074': { - 'name': 'biliverdin reductase activity', - 'def': 'Catalysis of the reaction: bilirubin + NAD(P)+ = biliverdin + NAD(P)H + H+. [EC:1.3.1.24]' - }, - 'GO:0004075': { - 'name': 'biotin carboxylase activity', - 'def': 'Catalysis of the reaction: ATP + biotin-carboxyl-carrier protein + CO2 = ADP + phosphate + carboxybiotin-carboxyl-carrier protein. [EC:6.3.4.14]' - }, - 'GO:0004076': { - 'name': 'biotin synthase activity', - 'def': "Catalysis of the reaction: 2 S-adenosyl-L-methionine + dethiobiotin + S(2-) = 2 5'-deoxyadenosine + 2 L-methionine + biotin + H(+). [EC:2.8.1.6, RHEA:22063]" - }, - 'GO:0004077': { - 'name': 'biotin-[acetyl-CoA-carboxylase] ligase activity', - 'def': 'Catalysis of the reaction: ATP + biotin + apo-(acetyl-CoA:carbon-dioxide ligase (ADP forming)) = AMP + diphosphate + (acetyl-CoA:carbon-dioxide ligase (ADP forming)). [EC:6.3.4.15]' - }, - 'GO:0004078': { - 'name': 'biotin-[methylcrotonoyl-CoA-carboxylase] ligase activity', - 'def': 'Catalysis of the reaction: ATP + biotin + apo-(3-methylcrotonoyl-CoA:carbon-dioxide ligase (ADP-forming)) = AMP + diphosphate + (3-methylcrotonoyl-CoA:carbon-dioxide ligase (ADP-forming)). [EC:6.3.4.11]' - }, - 'GO:0004079': { - 'name': 'biotin-[methylmalonyl-CoA-carboxytransferase] ligase activity', - 'def': 'Catalysis of the reaction: ATP + biotin + apo-(methylmalonyl-CoA:pyruvate carboxytransferase) = AMP + diphosphate + (methylmalonyl-CoA:pyruvate carboxytransferase). [EC:6.3.4.9]' - }, - 'GO:0004080': { - 'name': 'biotin-[propionyl-CoA-carboxylase (ATP-hydrolyzing)] ligase activity', - 'def': 'Catalysis of the reaction: ATP + biotin + apo-(propanoyl-CoA:carbon-dioxide ligase (ADP-forming)) = AMP + diphosphate + (propanoyl-CoA:carbon-dioxide ligase (ADP-forming)). [EC:6.3.4.10]' - }, - 'GO:0004081': { - 'name': "bis(5'-nucleosyl)-tetraphosphatase (asymmetrical) activity", - 'def': "Catalysis of the reaction: P(1),P(4)-bis(5'-nucleosyl)tetraphosphate + H2O = NTP + NMP. Acts on bis(5'-guanosyl)-, bis(5'-xanthosyl)-, bis(5'-adenosyl)- and bis(5'-uridyl)-tetraphosphate. [EC:3.6.1.17, PMID:4955726]" - }, - 'GO:0004082': { - 'name': 'bisphosphoglycerate mutase activity', - 'def': 'Catalysis of the reaction: 3-phospho-D-glyceroyl phosphate = 2,3-bisphospho-D-glycerate. [EC:5.4.2.4]' - }, - 'GO:0004083': { - 'name': 'bisphosphoglycerate 2-phosphatase activity', - 'def': 'Catalysis of the reaction: 2,3-bisphospho-D-glycerate + H(2)O = 3-phospho-D-glycerate + phosphate. [EC:3.1.3.13, RHEA:21907]' - }, - 'GO:0004084': { - 'name': 'branched-chain-amino-acid transaminase activity', - 'def': 'Catalysis of the reaction: a branched-chain amino acid + 2-oxoglutarate = L-glutamate + a 2-oxocarboxylate derived from the branched-chain amino acid. [EC:2.6.1.42, GOC:mah]' - }, - 'GO:0004085': { - 'name': 'butyryl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: butanoyl-CoA + electron-transfer flavoprotein = 2-butenoyl-CoA + reduced electron-transfer flavoprotein. [EC:1.3.8.1]' - }, - 'GO:0004086': { - 'name': 'obsolete carbamoyl-phosphate synthase activity', - 'def': 'OBSOLETE. Catalysis of a reaction that results in the formation of carbamoyl phosphate. [EC:6.3.4.16, EC:6.3.5.5, GOC:mah]' - }, - 'GO:0004087': { - 'name': 'carbamoyl-phosphate synthase (ammonia) activity', - 'def': 'Catalysis of the reaction: 2 ATP + CO(2) + H(2)O + NH(4)(+) = 2 ADP + carbamoyl phosphate + 5 H(+) + phosphate. [EC:6.3.4.16, RHEA:10627]' - }, - 'GO:0004088': { - 'name': 'carbamoyl-phosphate synthase (glutamine-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: 2 ATP + L-glutamine + CO2 + H2O = 2 ADP + phosphate + glutamate + carbamoyl phosphate. [EC:6.3.5.5]' - }, - 'GO:0004089': { - 'name': 'carbonate dehydratase activity', - 'def': 'Catalysis of the reaction: H2CO3 = CO2 + H2O. [EC:4.2.1.1]' - }, - 'GO:0004090': { - 'name': 'carbonyl reductase (NADPH) activity', - 'def': "Catalysis of the reaction: R-CHOH-R' + NADP+ = R-CO-R' + NADPH + H+. [EC:1.1.1.184]" - }, - 'GO:0004092': { - 'name': 'carnitine O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + carnitine = (R)-O-acetylcarnitine + CoA. [EC:2.3.1.7, RHEA:21139]' - }, - 'GO:0004095': { - 'name': 'carnitine O-palmitoyltransferase activity', - 'def': 'Catalysis of the reaction: palmitoyl-CoA + L-carnitine = CoA + L-palmitoylcarnitine. [EC:2.3.1.21]' - }, - 'GO:0004096': { - 'name': 'catalase activity', - 'def': 'Catalysis of the reaction: 2 hydrogen peroxide = O2 + 2 H2O. [EC:1.11.1.6]' - }, - 'GO:0004097': { - 'name': 'catechol oxidase activity', - 'def': 'Catalysis of the reaction: 2 catechol + O2 = 2 1,2-benzoquinone + 2 H2O. [EC:1.10.3.1]' - }, - 'GO:0004098': { - 'name': 'cerebroside-sulfatase activity', - 'def': 'Catalysis of the reaction: a cerebroside 3-sulfate + H2O = a cerebroside + sulfate. [EC:3.1.6.8]' - }, - 'GO:0004099': { - 'name': 'chitin deacetylase activity', - 'def': 'Catalysis of the reaction: chitin + H2O = chitosan + acetate. [EC:3.5.1.41]' - }, - 'GO:0004100': { - 'name': 'chitin synthase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + [->4)-N-acetyl-beta-D-glucosaminyl-(1-](n) = UDP + [->4)-N-acetyl-beta-D-glucosaminyl-(1-](n+1). [EC:2.4.1.16]' - }, - 'GO:0004102': { - 'name': 'choline O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + choline = acetylcholine + CoA. [EC:2.3.1.6, RHEA:18824]' - }, - 'GO:0004103': { - 'name': 'choline kinase activity', - 'def': 'Catalysis of the reaction: ATP + choline = ADP + choline phosphate + 2 H(+). [EC:2.7.1.32, RHEA:12840]' - }, - 'GO:0004104': { - 'name': 'cholinesterase activity', - 'def': 'Catalysis of the reaction: an acylcholine + H2O = choline + a carboxylic acid anion. [EC:3.1.1.8]' - }, - 'GO:0004105': { - 'name': 'choline-phosphate cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: CTP + choline phosphate = diphosphate + CDP-choline. [EC:2.7.7.15]' - }, - 'GO:0004106': { - 'name': 'chorismate mutase activity', - 'def': 'Catalysis of the reaction: chorismate = prephenate. [EC:5.4.99.5, RHEA:13900]' - }, - 'GO:0004107': { - 'name': 'chorismate synthase activity', - 'def': 'Catalysis of the reaction: 5-O-(1-carboxyvinyl)-3-phosphoshikimate = chorismate + phosphate. [EC:4.2.3.5, RHEA:21023]' - }, - 'GO:0004108': { - 'name': 'citrate (Si)-synthase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + H2O + oxaloacetate = citrate + CoA, where the acetyl group is added to the si-face of oxaloacetate; acetyl-CoA thus provides the two carbon atoms of the pro-S carboxymethyl group. [EC:2.3.3.1, ISBN:0121227073]' - }, - 'GO:0004109': { - 'name': 'coproporphyrinogen oxidase activity', - 'def': 'Catalysis of the reaction: coproporphyrinogen III + 2 H(+) + O(2) = 2 CO(2) + 2 H(2)O + protoporphyrinogen IX. [EC:1.3.3.3, RHEA:18260]' - }, - 'GO:0004110': { - 'name': 'corticosteroid side-chain-isomerase activity', - 'def': 'Catalysis of the reaction: 11-deoxycorticosterone = 20-hydroxy-3-oxopregn-4-en-21-al. [EC:5.3.1.21, RHEA:17864]' - }, - 'GO:0004111': { - 'name': 'creatine kinase activity', - 'def': 'Catalysis of the reaction: ATP + creatine = N-phosphocreatine + ADP + 2 H(+). [EC:2.7.3.2, RHEA:17160]' - }, - 'GO:0004112': { - 'name': 'cyclic-nucleotide phosphodiesterase activity', - 'def': 'Catalysis of the reaction: a nucleoside cyclic phosphate + H2O = a nucleoside phosphate. [GOC:mah]' - }, - 'GO:0004113': { - 'name': "2',3'-cyclic-nucleotide 3'-phosphodiesterase activity", - 'def': "Catalysis of the reaction: nucleoside 2',3'-cyclic phosphate + H2O = nucleoside 2'-phosphate. [EC:3.1.4.37]" - }, - 'GO:0004114': { - 'name': "3',5'-cyclic-nucleotide phosphodiesterase activity", - 'def': "Catalysis of the reaction: nucleoside 3',5'-cyclic phosphate + H2O = nucleoside 5'-phosphate. [EC:3.1.4.17]" - }, - 'GO:0004115': { - 'name': "3',5'-cyclic-AMP phosphodiesterase activity", - 'def': "Catalysis of the reaction: adenosine 3',5'-cyclic phosphate + H2O = adenosine 5'-phosphate. [GOC:ai]" - }, - 'GO:0004117': { - 'name': 'calmodulin-dependent cyclic-nucleotide phosphodiesterase activity', - 'def': "Catalysis of the reaction: nucleoside 3',5'-cyclic phosphate + H2O = nucleoside 5'-phosphate; catalytic activity is regulated by calmodulin. [GOC:mah]" - }, - 'GO:0004118': { - 'name': 'cGMP-stimulated cyclic-nucleotide phosphodiesterase activity', - 'def': "Catalysis of the reaction: nucleoside 3',5'-cyclic phosphate + H2O = nucleoside 5'-phosphate; catalytic activity is increased in the presence of cGMP. [GOC:mah]" - }, - 'GO:0004119': { - 'name': 'cGMP-inhibited cyclic-nucleotide phosphodiesterase activity', - 'def': "Catalysis of the reaction: nucleoside 3',5'-cyclic phosphate + H2O = nucleoside 5'-phosphate; catalytic activity is decreased in the presence of cGMP. [GOC:mah]" - }, - 'GO:0004120': { - 'name': 'photoreceptor cyclic-nucleotide phosphodiesterase activity', - 'def': 'Catalysis of the reaction: nucleoside cyclic phosphate + H2O = nucleoside phosphate. This reaction is the hydrolysis of bonds in a cyclic nucleotide. [EC:3.1.4.-]' - }, - 'GO:0004121': { - 'name': 'cystathionine beta-lyase activity', - 'def': 'Catalysis of the reaction: cystathionine + H2O = L-homocysteine + NH3 + pyruvate. [EC:4.4.1.8]' - }, - 'GO:0004122': { - 'name': 'cystathionine beta-synthase activity', - 'def': 'Catalysis of the reaction: L-serine + L-homocysteine = cystathionine + H2O. [EC:4.2.1.22]' - }, - 'GO:0004123': { - 'name': 'cystathionine gamma-lyase activity', - 'def': 'Catalysis of the reaction: L-cystathionine + H2O = 2-oxobutanoate + L-cysteine + NH4+. [RHEA:24918]' - }, - 'GO:0004124': { - 'name': 'cysteine synthase activity', - 'def': 'Catalysis of the reaction: O3-acetyl-L-serine + hydrogen sulfide = L-cysteine + acetate. [EC:4.2.99.8]' - }, - 'GO:0004125': { - 'name': 'L-seryl-tRNASec selenium transferase activity', - 'def': 'Catalysis of the reaction: L-seryl-tRNA(Sec) + selenophosphate = L-selenocysteinyl-tRNA(Sec) + H2O + phosphate. [EC:2.9.1.1]' - }, - 'GO:0004126': { - 'name': 'cytidine deaminase activity', - 'def': 'Catalysis of the reaction: cytidine + H2O = uridine + NH3. [EC:3.5.4.5]' - }, - 'GO:0004127': { - 'name': 'cytidylate kinase activity', - 'def': 'Catalysis of the reaction: ATP + (d)CMP = ADP + (d)CDP. [EC:2.7.4.14]' - }, - 'GO:0004128': { - 'name': 'cytochrome-b5 reductase activity, acting on NAD(P)H', - 'def': 'Catalysis of the reaction: NAD(P)H + H+ + 2 ferricytochrome b(5) = NAD(P)+ + 2 ferrocytochrome b(5). [EC:1.6.2.2, ISBN:0198547684]' - }, - 'GO:0004129': { - 'name': 'cytochrome-c oxidase activity', - 'def': 'Catalysis of the reaction: 4 ferrocytochrome c + O2 + 4 H+ = 4 ferricytochrome c + 2 H2O. [EC:1.9.3.1]' - }, - 'GO:0004130': { - 'name': 'cytochrome-c peroxidase activity', - 'def': 'Catalysis of the reaction: 2 ferrocytochrome c + hydrogen peroxide = 2 ferricytochrome c + 2 H2O. [EC:1.11.1.5]' - }, - 'GO:0004131': { - 'name': 'cytosine deaminase activity', - 'def': 'Catalysis of the reaction: cytosine + H2O = uracil + NH3. [EC:3.5.4.1]' - }, - 'GO:0004132': { - 'name': 'dCMP deaminase activity', - 'def': 'Catalysis of the reaction: dCMP + H2O = dUMP + NH3. [EC:3.5.4.12]' - }, - 'GO:0004133': { - 'name': 'glycogen debranching enzyme activity', - 'def': 'Catalysis of the cleavage of branch points in branched glycogen polymers. [ISBN:0198506732]' - }, - 'GO:0004134': { - 'name': '4-alpha-glucanotransferase activity', - 'def': 'Catalysis of the transfer of a segment of a (1->4)-alpha-D-glucan to a new 4-position in an acceptor, which may be glucose or (1->4)-alpha-D-glucan. [EC:2.4.1.25]' - }, - 'GO:0004135': { - 'name': 'amylo-alpha-1,6-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->6)-alpha-D-glucosidic branch linkages in glycogen phosphorylase limit dextrin. Limit dextrin is the highly branched core that remains after exhaustive treatment of glycogen with glycogen phosphorylase. It is formed because these enzymes cannot hydrolyze the (1->6) glycosidic linkages present. [EC:3.2.1.33, ISBN:0198506732]' - }, - 'GO:0004136': { - 'name': 'deoxyadenosine kinase activity', - 'def': "Catalysis of the reaction: 2'-deoxyadenosine + ATP = ADP + dAMP + 2 H(+). [EC:2.7.1.76, RHEA:23455]" - }, - 'GO:0004137': { - 'name': 'deoxycytidine kinase activity', - 'def': 'Catalysis of the reaction: NTP + deoxycytidine = NDP + CMP. [EC:2.7.1.74]' - }, - 'GO:0004138': { - 'name': 'deoxyguanosine kinase activity', - 'def': "Catalysis of the reaction: 2'-deoxyguanosine + ATP = ADP + dGMP + 2 H(+). [EC:2.7.1.113, RHEA:19204]" - }, - 'GO:0004139': { - 'name': 'deoxyribose-phosphate aldolase activity', - 'def': 'Catalysis of the reaction: 2-deoxy-D-ribose 5-phosphate = D-glyceraldehyde 3-phosphate + acetaldehyde. [EC:4.1.2.4, RHEA:12824]' - }, - 'GO:0004140': { - 'name': 'dephospho-CoA kinase activity', - 'def': "Catalysis of the reaction: 3'-dephospho-CoA + ATP = ADP + CoA + 2 H(+). [EC:2.7.1.24, RHEA:18248]" - }, - 'GO:0004141': { - 'name': 'dethiobiotin synthase activity', - 'def': 'Catalysis of the reaction: 7,8-diaminononanoate + ATP + CO(2) = ADP + dethiobiotin + 4 H(+) + phosphate. [EC:6.3.3.3, RHEA:15808]' - }, - 'GO:0004142': { - 'name': 'diacylglycerol cholinephosphotransferase activity', - 'def': 'Catalysis of the reaction: CDP-choline + 1,2-diacylglycerol = CMP + a phosphatidylcholine. [EC:2.7.8.2]' - }, - 'GO:0004143': { - 'name': 'diacylglycerol kinase activity', - 'def': 'Catalysis of the reaction: NTP + 1,2-diacylglycerol = NDP + 1,2-diacylglycerol-3-phosphate. [EC:2.7.1.107, GOC:elh]' - }, - 'GO:0004144': { - 'name': 'diacylglycerol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + 1,2-diacylglycerol = CoA + triacylglycerol. [EC:2.3.1.20]' - }, - 'GO:0004145': { - 'name': 'diamine N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + an alkane-alpha,omega-diamine = CoA + an N-acetyldiamine. [EC:2.3.1.57]' - }, - 'GO:0004146': { - 'name': 'dihydrofolate reductase activity', - 'def': 'Catalysis of the reaction: 5,6,7,8-tetrahydrofolate + NADP+ = 7,8-dihydrofolate + NADPH + H+. [EC:1.5.1.3]' - }, - 'GO:0004147': { - 'name': 'dihydrolipoamide branched chain acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + dihydrolipoamide = CoA + S-acyldihydrolipoamide, where the acyl group is a branched chain. [GOC:mah]' - }, - 'GO:0004148': { - 'name': 'dihydrolipoyl dehydrogenase activity', - 'def': 'Catalysis of the reaction: protein N6-(dihydrolipoyl)lysine + NAD+ = protein N6-(lipoyl)lysine + NADH + H+. [EC:1.8.1.4]' - }, - 'GO:0004149': { - 'name': 'dihydrolipoyllysine-residue succinyltransferase activity', - 'def': 'Catalysis of the reaction: succinyl-CoA + dihydrolipoamide = CoA + S-succinyldihydrolipoamide. [EC:2.3.1.61]' - }, - 'GO:0004150': { - 'name': 'dihydroneopterin aldolase activity', - 'def': 'Catalysis of the reaction: 2-amino-4-hydroxy-6-(D-erythro-1,2,3-trihydroxypropyl)-7,8-dihydropteridine = 2-amino-4-hydroxy-6-hydroxymethyl-7,8-dihydropteridine + glycolaldehyde. [EC:4.1.2.25]' - }, - 'GO:0004151': { - 'name': 'dihydroorotase activity', - 'def': 'Catalysis of the reaction: (S)-dihydroorotate + H(2)O = N-carbamoyl-L-aspartate + H(+). [EC:3.5.2.3, RHEA:24299]' - }, - 'GO:0004152': { - 'name': 'dihydroorotate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-dihydroorotate + A = AH(2) + orotate. [EC:1.3.5.2, RHEA:18076]' - }, - 'GO:0004153': { - 'name': 'dihydropterin deaminase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydropterin + H2O = 7,8-dihydrolumazine + NH3. [FB:FBrf0039640, GOC:jl, http://www.abbs.info/fulltxt/eng/35030306.htm, ISSN:05829879]' - }, - 'GO:0004154': { - 'name': 'dihydropterin oxidase activity', - 'def': 'Catalysis of the reaction: a 7,8-dihydropteridine + O2 = a pterin + hydrogen peroxide. [GOC:mah, PMID:1745247, PMID:6815189]' - }, - 'GO:0004155': { - 'name': '6,7-dihydropteridine reductase activity', - 'def': 'Catalysis of the reaction: NADP+ + 5,6,7,8-tetrahydropteridine = NADPH + H+ + 6,7-dihydropteridine. [EC:1.5.1.34]' - }, - 'GO:0004156': { - 'name': 'dihydropteroate synthase activity', - 'def': 'Catalysis of the reaction: 2-amino-4-hydroxy-6-hydroxymethyl-7,8-dihydropteridine diphosphate + 4-aminobenzoate = diphosphate + dihydropteroate. [EC:2.5.1.15]' - }, - 'GO:0004157': { - 'name': 'dihydropyrimidinase activity', - 'def': 'Catalysis of the reaction: 5,6-dihydrouracil + H2O = 3-ureidopropionate. [EC:3.5.2.2]' - }, - 'GO:0004158': { - 'name': 'dihydroorotate oxidase activity', - 'def': 'Catalysis of the reaction: (S)-dihydroorotate + O(2) = H(2)O(2) + orotate. [EC:1.3.3.1, RHEA:15444]' - }, - 'GO:0004159': { - 'name': 'dihydrouracil dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: 5,6-dihydrouracil + NAD+ = uracil + NADH + H+. [EC:1.3.1.1]' - }, - 'GO:0004160': { - 'name': 'dihydroxy-acid dehydratase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxy-3-methylbutanoate = 3-methyl-2-oxobutanoate + H2O. [EC:4.2.1.9]' - }, - 'GO:0004161': { - 'name': 'dimethylallyltranstransferase activity', - 'def': 'Catalysis of the reaction: dimethylallyl diphosphate + isopentenyl diphosphate = diphosphate + geranyl diphosphate. [EC:2.5.1.1]' - }, - 'GO:0004162': { - 'name': 'dimethylnitrosamine demethylase activity', - 'def': 'Catalysis of the removal of a methyl group from N-nitrosodimethylamine. [GOC:mah]' - }, - 'GO:0004163': { - 'name': 'diphosphomevalonate decarboxylase activity', - 'def': 'Catalysis of the reaction: (R)-5-diphosphomevalonate + ATP = ADP + CO(2) + H(+) + isopentenyl diphosphate + phosphate. [EC:4.1.1.33, RHEA:23735]' - }, - 'GO:0004164': { - 'name': 'diphthine synthase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 2-(3-carboxy-3-aminopropyl)-L-histidine = S-adenosyl-L-homocysteine + 2-(3-carboxy-3-(methylammonio)propyl)-L-histidine. [EC:2.1.1.98]' - }, - 'GO:0004165': { - 'name': 'dodecenoyl-CoA delta-isomerase activity', - 'def': 'Catalysis of the reaction: 3-cis-dodecenoyl-CoA = 2-trans-dodecenoyl-CoA. [EC:5.3.3.8]' - }, - 'GO:0004166': { - 'name': 'dolichyl-phosphate alpha-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + dolichyl phosphate = UDP + dolichyl N-acetyl-alpha-D-glucosaminyl phosphate. [EC:2.4.1.153]' - }, - 'GO:0004167': { - 'name': 'dopachrome isomerase activity', - 'def': 'Catalysis of the reaction: L-dopachrome = 5,6-dihydroxyindole-2-carboxylate. [EC:5.3.3.12, RHEA:13044]' - }, - 'GO:0004168': { - 'name': 'dolichol kinase activity', - 'def': 'Catalysis of the reaction: CTP + dolichol = CDP + dolichyl phosphate. [EC:2.7.1.108]' - }, - 'GO:0004169': { - 'name': 'dolichyl-phosphate-mannose-protein mannosyltransferase activity', - 'def': 'Catalysis of the reaction: dolichyl phosphate D-mannose + protein = dolichyl phosphate + O-D-mannosylprotein. [EC:2.4.1.109, GOC:pr]' - }, - 'GO:0004170': { - 'name': 'dUTP diphosphatase activity', - 'def': 'Catalysis of the reaction: dUTP + H2O = dUMP + diphosphate. [EC:3.6.1.23]' - }, - 'GO:0004171': { - 'name': 'obsolete deoxyhypusine synthase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: [eIF5A-precursor]-lysine + spermidine = [eIF5A-precursor]-deoxyhypusine + propane-1,3-diamine. [EC:2.5.1.46]' - }, - 'GO:0004172': { - 'name': 'obsolete ecdysteroid UDP-glucosyl/UDP-glucuronosyl transferase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0004173': { - 'name': 'ecdysone O-acyltransferase activity', - 'def': 'Catalysis of the reaction: Ecdysone + palmitoyl-CoA = CoA + ecdysone palmitate. [EC:2.3.1.139, RHEA:15220]' - }, - 'GO:0004174': { - 'name': 'electron-transferring-flavoprotein dehydrogenase activity', - 'def': 'Catalysis of the reaction: reduced ETF + ubiquinone = ETF + ubiquinol. [EC:1.5.5.1]' - }, - 'GO:0004175': { - 'name': 'endopeptidase activity', - 'def': 'Catalysis of the hydrolysis of internal, alpha-peptide bonds in a polypeptide chain. [http://merops.sanger.ac.uk/about/glossary.htm#ENDOPEPTIDASE]' - }, - 'GO:0004176': { - 'name': 'ATP-dependent peptidase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to drive the hydrolysis of peptide bonds. [GOC:mah]' - }, - 'GO:0004177': { - 'name': 'aminopeptidase activity', - 'def': 'Catalysis of the hydrolysis of N-terminal amino acid residues from in a polypeptide chain. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0004178': { - 'name': 'obsolete leucyl aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal amino acid, Xaa-Xbb-, in which Xaa is preferably Leu, but may be other amino acids including Pro although not Arg or Lys, and Xbb may be Pro. [EC:3.4.11.1]' - }, - 'GO:0004179': { - 'name': 'obsolete membrane alanyl aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal amino acid, Xaa-Xbb- from a peptide, amide or arylamide. Xaa is preferably Ala, but may be most amino acids including Pro (slow action). When a terminal hydrophobic residue is followed by a prolyl residue, the two may be released as an intact Xaa-Pro dipeptide. [EC:3.4.11.2]' - }, - 'GO:0004180': { - 'name': 'carboxypeptidase activity', - 'def': 'Catalysis of the hydrolysis of the terminal or penultimate peptide bond at the C-terminal end of a peptide or polypeptide. [ISBN:0198506732]' - }, - 'GO:0004181': { - 'name': 'metallocarboxypeptidase activity', - 'def': 'Catalysis of the hydrolysis of C-terminal amino acid residues from a polypeptide chain by a mechanism in which water acts as a nucleophile, one or two metal ions hold the water molecule in place, and charged amino acid side chains are ligands for the metal ions. [http://merops.sanger.ac.uk/about/glossary.htm#CARBOXYPEPTIDASE, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, ISBN:0198506732]' - }, - 'GO:0004182': { - 'name': 'obsolete carboxypeptidase A activity', - 'def': 'OBSOLETE. Catalysis of the reaction: peptidyl-L-amino acid + H2O = peptide + L-amino acid. Little or no action with -Asp, -Glu, -Arg, -Lys or -Pro. [EC:3.4.17.1]' - }, - 'GO:0004183': { - 'name': 'obsolete carboxypeptidase E activity', - 'def': 'OBSOLETE. Catalysis of the reaction: peptidyl-L-lysine (or peptidyl-L-arginine) + H2O = peptide + L-lysine (or L-arginine). Function is activated by Co2+ and inhibited by 1,10-phenanthroline and other chelating agents. [EC:3.4.17.10]' - }, - 'GO:0004184': { - 'name': 'obsolete lysine carboxypeptidase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: peptidyl-L-lysine (or peptidyl-L-arginine) + H2O = peptide + L-lysine (or L-arginine). Release of a C-terminal basic amino acid, preferentially lysine; inactivates bradykinin and anaphylatoxins in blood plasma. [EC:3.4.17.3]' - }, - 'GO:0004185': { - 'name': 'serine-type carboxypeptidase activity', - 'def': 'Catalysis of the hydrolysis of a peptide bond not more than three residues from the C-terminus of a polypeptide chain by a catalytic mechanism that involves a catalytic triad consisting of a serine nucleophile that is activated by a proton relay involving an acidic residue (e.g. aspartate or glutamate) and a basic residue (usually histidine). [http://merops.sanger.ac.uk/about/glossary.htm#CARBOXYPEPTIDASE, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, ISBN:0716720094]' - }, - 'GO:0004186': { - 'name': 'obsolete carboxypeptidase C activity', - 'def': 'OBSOLETE. Catalysis of the release of a C-terminal amino acid with a broad specificity. [EC:3.4.16.5]' - }, - 'GO:0004187': { - 'name': 'obsolete carboxypeptidase D activity', - 'def': 'OBSOLETE. Catalysis of the preferential release of a C-terminal arginine or lysine residue. Function is inhibited by diisopropyl fluorophosphate and sensitive to thiol-blocking reagents. [EC:3.4.16.6]' - }, - 'GO:0004188': { - 'name': 'obsolete serine-type Pro-X carboxypeptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of a Pro-Xaa bond by a serine-type peptidase mechanism to release a C-terminal amino acid. [EC:3.4.16.2]' - }, - 'GO:0004189': { - 'name': 'obsolete tubulinyl-Tyr carboxypeptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of the Glu-Tyr bond to release the C-terminal tyrosine residue from the native tyrosinated tubulin. Inactive on Z-Glu-Tyr. [EC:3.4.17.17]' - }, - 'GO:0004190': { - 'name': 'aspartic-type endopeptidase activity', - 'def': 'Catalysis of the hydrolysis of internal, alpha-peptide bonds in a polypeptide chain by a mechanism in which a water molecule bound by the side chains of aspartic residues at the active center acts as a nucleophile. [ISBN:0198506732]' - }, - 'GO:0004191': { - 'name': 'obsolete barrierpepsin activity', - 'def': 'OBSOLETE. Catalysis of the selected cleavage of the Leu6-Lys7 bond in the pheromone alpha-mating factor. [EC:3.4.23.35]' - }, - 'GO:0004192': { - 'name': 'obsolete cathepsin D activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds. Specificity similar to, but narrower than, that of pepsin A. Does not cleave the Gln4-His5 bond in the B chain of insulin. [EC:3.4.23.5]' - }, - 'GO:0004193': { - 'name': 'obsolete cathepsin E activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds. Similar to cathepsin D, but slightly broader specificity. [EC:3.4.23.34]' - }, - 'GO:0004194': { - 'name': 'obsolete pepsin A activity', - 'def': "OBSOLETE. Catalysis of the hydrolysis of peptide bonds. Preferential cleavage: hydrophobic, preferably aromatic, residues in P1 and P1' positions. Cleaves Phe1-Val2, Gln4-His5, Glu13-Ala14, Ala14-Leu15, Leu15-Tyr16, Tyr16-Leu17, Gly23-Phe24, Phe24-Phe25 and Phe25-Tyr26 bonds in the B chain of insulin. [EC:3.4.23.1]" - }, - 'GO:0004195': { - 'name': 'obsolete renin activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of Leu-Xaa bond in angiotensinogen to generate angiotensin I. [EC:3.4.23.15]' - }, - 'GO:0004196': { - 'name': 'obsolete saccharopepsin activity', - 'def': 'OBSOLETE. Catalysis of the degradation of gelatin; little activity on hemoglobin. Specificity on B chain of insulin more restricted than pepsin A; does not cleave Phe1-Val2, Gln4-His5 or Gly23-Phe24. [EC:3.4.23.25]' - }, - 'GO:0004197': { - 'name': 'cysteine-type endopeptidase activity', - 'def': 'Catalysis of the hydrolysis of internal, alpha-peptide bonds in a polypeptide chain by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, http://merops.sanger.ac.uk/about/glossary.htm#ENDOPEPTIDASE]' - }, - 'GO:0004198': { - 'name': 'calcium-dependent cysteine-type endopeptidase activity', - 'def': 'Catalysis of the hydrolysis of nonterminal peptide bonds in a polypeptide chain by a mechanism using a cysteine residue at the enzyme active center, and requiring the presence of calcium. [GOC:mah]' - }, - 'GO:0004200': { - 'name': 'obsolete signaling (initiator) caspase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004201': { - 'name': 'obsolete caspase-1 activity', - 'def': 'OBSOLETE. Catalysis of the release of interleukin 1-beta by specific cleavage of Asp116-Ala117 and Asp27-Gly28 bonds in precursor. Enzymes with this function can also hydrolyze the terminal bond in the small-molecule substrate, Ac-Tyr-Val-Ala-Asp-NHMec. [EC:3.4.22.36]' - }, - 'GO:0004202': { - 'name': 'obsolete caspase-2 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004203': { - 'name': 'obsolete caspase-4 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004204': { - 'name': 'obsolete caspase-5 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004205': { - 'name': 'obsolete caspase-8 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004206': { - 'name': 'obsolete caspase-10 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004207': { - 'name': 'obsolete effector caspase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004208': { - 'name': 'obsolete caspase-3 activity', - 'def': 'OBSOLETE. Catalysis of the cleavage at the terminal bond of the motif: Asp-Xaa-Xaa-Asp-Xaa. Enzymes with this function are members of the peptidase family C14 and they appear to function in the inactivation of proteins involved in cellular repair and homeostasis during the effector stage of apoptosis. [ISBN:0120793709]' - }, - 'GO:0004209': { - 'name': 'obsolete caspase-6 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004210': { - 'name': 'obsolete caspase-7 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004211': { - 'name': 'obsolete caspase-9 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004212': { - 'name': 'obsolete lysosomal cysteine-type endopeptidase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0004213': { - 'name': 'obsolete cathepsin B activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds with a broad specificity. Preferentially cleaves the terminal bond of -Arg-Arg-Xaa motifs in small molecule substrates (thus differing from cathepsin L). In addition to being an endopeptidase, shows peptidyl-dipeptidase activity, liberating C-terminal dipeptides. [EC:3.4.22.1]' - }, - 'GO:0004214': { - 'name': 'obsolete dipeptidyl-peptidase I activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal dipeptide, Xaa-Xbb from Xaa-Xbb-Xcc, except when Xaa is Arg or Lys, or Xbb or Xcc is Pro. [EC:3.4.14.1]' - }, - 'GO:0004215': { - 'name': 'obsolete cathepsin H activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds, acting as an aminopeptidase (notably, cleaving Arg-Xaa bonds) as well as an endopeptidase. [EC:3.4.22.16]' - }, - 'GO:0004216': { - 'name': 'obsolete cathepsin K activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds. Has a broad proteolytic activity. With small-molecule substrates and inhibitors, the major determinant of specificity is P2, which is preferably Leu, Met > Phe, and not Arg. [EC:3.4.22.38]' - }, - 'GO:0004217': { - 'name': 'obsolete cathepsin L activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds. Specificity close to that of papain. As compared to cathepsin B, cathepsin L exhibits higher activity towards protein substrates, but has little activity on Z-Arg-Arg-NHMec, and no peptidyl-dipeptidase activity. [EC:3.4.22.15]' - }, - 'GO:0004218': { - 'name': 'obsolete cathepsin S activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds. Similar to cathepsin L, but with much less activity on the terminal bond of Z-Phe-Arg-NHMec, and more activity on the terminal bond of Z-Val-Val-Arg-Xaa compounds. [EC:3.4.22.27]' - }, - 'GO:0004219': { - 'name': 'obsolete pyroglutamyl-peptidase I activity', - 'def': 'OBSOLETE. Catalysis of the reaction: pyroglutamyl-peptide + H2O = pyroglutamate + peptide. [EC:3.4.19.3]' - }, - 'GO:0004221': { - 'name': 'obsolete ubiquitin thiolesterase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ubiquitin C-terminal thioester + H2O = ubiquitin + a thiol. [EC:3.1.2.15, GOC:jh2]' - }, - 'GO:0004222': { - 'name': 'metalloendopeptidase activity', - 'def': 'Catalysis of the hydrolysis of internal, alpha-peptide bonds in a polypeptide chain by a mechanism in which water acts as a nucleophile, one or two metal ions hold the water molecule in place, and charged amino acid side chains are ligands for the metal ions. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, http://merops.sanger.ac.uk/about/glossary.htm#ENDOPEPTIDASE]' - }, - 'GO:0004226': { - 'name': 'obsolete Gly-X carboxypeptidase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: peptidyl-Gly-Xaa + H2O = peptidyl-Gly + Xaa. [EC:3.4.17.4]' - }, - 'GO:0004228': { - 'name': 'obsolete gelatinase A activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of gelatin type I and collagen types IV, V, VII, X. Cleaves the collagen-like sequence Pro-Gln-Gly-Ile-Ala-Gly-Gln at the Gly-Ile bond. [EC:3.4.24.24]' - }, - 'GO:0004229': { - 'name': 'obsolete gelatinase B activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of gelatin types I and V and collagen types IV and V. [EC:3.4.24.35]' - }, - 'GO:0004230': { - 'name': 'obsolete glutamyl aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of a N-terminal glutamate (and to a lesser extent aspartate) from a peptide. [EC:3.4.11.7]' - }, - 'GO:0004231': { - 'name': 'obsolete insulysin activity', - 'def': 'OBSOLETE. Catalysis of the degradation of insulin, glucagon and other polypeptides. No action on proteins. [EC:3.4.24.56]' - }, - 'GO:0004232': { - 'name': 'obsolete interstitial collagenase activity', - 'def': "OBSOLETE. Catalysis of the preferential cleavage of one bond in native collagen. Cleavage of the triple helix of collagen at about three-quarters of the length of the molecule from the N-terminus, at Gly775-Ile776 in the alpha-1(I) chain. Cleaves synthetic substrates and alpha-macroglobulins at bonds where P1' is a hydrophobic residue. [EC:3.4.24.7]" - }, - 'GO:0004234': { - 'name': 'obsolete macrophage elastase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of soluble and insoluble elastin. Specific cleavages are also produced at Ala14-Leu15 and Tyr16-Leu17 in the B chain of insulin. [EC:3.4.24.65]' - }, - 'GO:0004235': { - 'name': 'obsolete matrilysin activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of Ala14-Leu15 and Tyr16-Leu17 in B chain of insulin. No action on collagen types I, II, IV and V. Cleaves gelatin chain alpha-2(I) > alpha-1(I). [EC:3.4.24.23]' - }, - 'GO:0004237': { - 'name': 'obsolete membrane dipeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of dipeptides. [EC:3.4.13.19]' - }, - 'GO:0004238': { - 'name': 'obsolete meprin A activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of protein and peptide substrates preferentially on carboxyl side of hydrophobic residues. [EC:3.4.24.18]' - }, - 'GO:0004239': { - 'name': 'obsolete methionyl aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of N-terminal amino acids, preferentially methionine, from peptides and arylamides. [EC:3.4.11.18]' - }, - 'GO:0004240': { - 'name': 'obsolete mitochondrial processing peptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of N-terminal transit peptides from precursor proteins imported into the mitochondrion, typically with Arg in position P2. [EC:3.4.24.64]' - }, - 'GO:0004241': { - 'name': 'obsolete alpha-mitochondrial processing peptidase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0004242': { - 'name': 'obsolete beta-mitochondrial processing peptidase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0004243': { - 'name': 'obsolete mitochondrial intermediate peptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal octapeptide as second stage of processing of some proteins imported in the mitochondrion. [EC:3.4.24.59]' - }, - 'GO:0004244': { - 'name': 'obsolete mitochondrial inner membrane peptidase activity', - 'def': 'OBSOLETE. Catalysis of the maturation of mitochondrial precursor proteins delivered to the intermembrane space. [PMID:12191769]' - }, - 'GO:0004245': { - 'name': 'obsolete neprilysin activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage at the amino group of hydrophobic residues in insulin, casein, hemoglobin, and a number of other proteins and polypeptides. [EC:3.4.24.11]' - }, - 'GO:0004246': { - 'name': 'obsolete peptidyl-dipeptidase A activity', - 'def': 'OBSOLETE. Catalysis of the release of a C-terminal dipeptide, Xaa-Xbb from oligopeptide-Xaa-Xbb, when Xaa is not Pro, and Xbb is neither Asp nor Glu. Converts angiotensin I to angiotensin II. [EC:3.4.15.1]' - }, - 'GO:0004247': { - 'name': 'obsolete saccharolysin activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of Pro-Phe and Ala-Ala bonds. [EC:3.4.24.37]' - }, - 'GO:0004248': { - 'name': 'obsolete stromelysin 1 activity', - 'def': "OBSOLETE. Catalysis of the preferential cleavage where P1', P2' and P3' are hydrophobic residues. [EC:3.4.24.17]" - }, - 'GO:0004249': { - 'name': 'obsolete stromelysin 3 activity', - 'def': 'OBSOLETE. Was not defined before being made obsolete. [GOC:mah]' - }, - 'GO:0004250': { - 'name': 'obsolete aminopeptidase I activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal amino acid, preferably a neutral or hydrophobic one, from a polypeptide. Aminoacyl-arylamides are poor substrates. [EC:3.4.11.22]' - }, - 'GO:0004251': { - 'name': 'obsolete X-Pro dipeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of Xaa-Pro dipeptides; also acts on aminoacyl-hydroxyproline analogs. No action on Pro-Pro. [EC:3.4.13.9]' - }, - 'GO:0004252': { - 'name': 'serine-type endopeptidase activity', - 'def': 'Catalysis of the hydrolysis of internal, alpha-peptide bonds in a polypeptide chain by a catalytic mechanism that involves a catalytic triad consisting of a serine nucleophile that is activated by a proton relay involving an acidic residue (e.g. aspartate or glutamate) and a basic residue (usually histidine). [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, ISBN:0716720094]' - }, - 'GO:0004253': { - 'name': 'obsolete gamma-renin activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of the Leu-Leu bond in synthetic tetradecapeptide renin substrate, producing angiotensin I, but not active on natural angiotensinogen. Also hydrolyzes BZ-Arg-para-nitroanilide. [EC:3.4.21.54]' - }, - 'GO:0004254': { - 'name': 'obsolete acylaminoacyl-peptidase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: acylaminoacyl-peptide + H2O = acylamino acid + peptide. [EC:3.4.19.1]' - }, - 'GO:0004258': { - 'name': 'obsolete vacuolar carboxypeptidase Y', - 'def': 'OBSOLETE. Catalysis of the release of a C-terminal amino acid with a broad specificity. [EC:3.4.16.5]' - }, - 'GO:0004261': { - 'name': 'obsolete cathepsin G activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds. Specificity similar to chymotrypsin C. [EC:3.4.21.20]' - }, - 'GO:0004262': { - 'name': 'obsolete cerevisin activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of proteins with broad specificity, and of BZ-Arg-OET > Ac-Tyr-OET. Does not hydrolyze peptide amides. [EC:3.4.21.48]' - }, - 'GO:0004263': { - 'name': 'obsolete chymotrypsin activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Tyr-Xaa > Trp-Xaa > Phe-Xaa > Leu-Xaa. [EC:3.4.21.1, ISBN:0198506732]' - }, - 'GO:0004274': { - 'name': 'obsolete dipeptidyl-peptidase IV activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal dipeptide, by the hydrolysis of the Xbb-Xcc bond in Xaa-Xbb-Xcc, preferentially when Xbb is Pro, provided Xcc is neither Pro nor hydroxyproline. [EC:3.4.14.5]' - }, - 'GO:0004275': { - 'name': 'obsolete enteropeptidase activity', - 'def': 'OBSOLETE. Catalysis of the selective cleavage of Lys6-Ile7 bond in trypsinogen. [EC:3.4.21.9]' - }, - 'GO:0004276': { - 'name': 'obsolete furin activity', - 'def': 'OBSOLETE. Catalysis of the release of mature proteins from their proproteins by cleavage of the terminal bond of Arg-Xaa-Yaa-Arg-Z motifs where Xaa can be any amino acid and Yaa is Arg or Lys. Releases albumin, complement component C3 and von Willebrand factor from their respective precursors. [EC:3.4.21.75]' - }, - 'GO:0004277': { - 'name': 'obsolete granzyme A activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of proteins, including fibronectin, type IV collagen and nucleolin. Preferential cleavage: Arg-Xaa > Lys-Xaa > Phe-Xaa in small molecule substrates. [EC:3.4.21.78]' - }, - 'GO:0004278': { - 'name': 'obsolete granzyme B activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Asp-Xaa > Asn-Xaa > Met-Xaa, Ser-Xaa. [EC:3.4.21.79]' - }, - 'GO:0004281': { - 'name': 'obsolete pancreatic elastase II activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Leu-Xaa, Met-Xaa and Phe-Xaa. Hydrolyzes elastin. [EC:3.4.21.71]' - }, - 'GO:0004283': { - 'name': 'obsolete plasmin activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Lys-Xaa > Arg-Xaa; higher selectivity than trypsin. Converts fibrin into soluble products. [EC:3.4.21.7]' - }, - 'GO:0004284': { - 'name': 'obsolete acrosin activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Arg-Xaa > Lys-Xaa. [EC:3.4.21.10]' - }, - 'GO:0004285': { - 'name': 'obsolete proprotein convertase 1 activity', - 'def': 'OBSOLETE. Catalysis of the release of protein hormones, neuropeptides and renin from their precursors, generally by cleavage of -Lys-Arg-Xaa at the Arg-Xaa bond. [EC:3.4.21.93]' - }, - 'GO:0004286': { - 'name': 'obsolete proprotein convertase 2 activity', - 'def': 'OBSOLETE. Catalysis of the release of protein hormones and neuropeptides from their precursors, generally by cleavage of -Lys-Arg-Xaa at the Arg-Xaa bond. [EC:3.4.21.94]' - }, - 'GO:0004287': { - 'name': 'obsolete prolyl oligopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of Pro-Xaa > Ala-Xaa in oligopeptides. [EC:3.4.21.26]' - }, - 'GO:0004289': { - 'name': 'obsolete subtilase activity', - 'def': 'OBSOLETE. Was not defined before being made obsolete. [GOC:mah]' - }, - 'GO:0004290': { - 'name': 'obsolete kexin activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of the Arg-Xaa bond in Lys-Arg-Xaa and Arg-Arg-Xaa to process Yeast alpha-factor pheromone and killer toxin precursors. [EC:3.4.21.61]' - }, - 'GO:0004291': { - 'name': 'obsolete subtilisin activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of proteins with broad specificity for peptide bonds, and a preference for a large uncharged residue in P1. Hydrolyzes peptide amides. [EC:3.4.21.62]' - }, - 'GO:0004293': { - 'name': 'obsolete tissue kallikrein activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Arg-Xaa bonds in small molecule substrates. Highly selective action to release kallidin (lysyl-bradykinin) from kininogen involves hydrolysis of Met-Xaa or Leu-Xaa. The rat enzyme is unusual in liberating bradykinin directly from autologous kininogens by cleavage at two Arg-Xaa bonds. [EC:3.4.21.35]' - }, - 'GO:0004294': { - 'name': 'obsolete tripeptidyl-peptidase II activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal tripeptide from a polypeptide at neutral pH. [EC:3.4.14.10]' - }, - 'GO:0004295': { - 'name': 'obsolete trypsin activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Arg-Xaa, Lys-Xaa. [EC:3.4.21.4]' - }, - 'GO:0004298': { - 'name': 'threonine-type endopeptidase activity', - 'def': 'Catalysis of the hydrolysis of internal peptide bonds in a polypeptide chain by a mechanism in which the hydroxyl group of a threonine residue at the active center acts as a nucleophile. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, http://merops.sanger.ac.uk/about/glossary.htm#ENDOPEPTIDASE]' - }, - 'GO:0004299': { - 'name': 'obsolete proteasome endopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage at peptide bonds with very broad specificity. [EC:3.4.25.1]' - }, - 'GO:0004300': { - 'name': 'enoyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: (3S)-3-hydroxyacyl-CoA = trans-2-enoyl-CoA + H2O. [EC:4.2.1.17]' - }, - 'GO:0004301': { - 'name': 'epoxide hydrolase activity', - 'def': 'Catalysis of the reaction: an epoxide + H2O = a glycol. [EC:3.3.2.10]' - }, - 'GO:0004303': { - 'name': 'estradiol 17-beta-dehydrogenase activity', - 'def': 'Catalysis of the reaction: estradiol-17-beta + NADP+ = estrone + NADPH + H+. [EC:1.1.1.62]' - }, - 'GO:0004304': { - 'name': 'estrone sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + estrone = adenosine 3',5'-bisphosphate + estrone 3-sulfate. [EC:2.8.2.4]" - }, - 'GO:0004305': { - 'name': 'ethanolamine kinase activity', - 'def': 'Catalysis of the reaction: ATP + ethanolamine = ADP + 2 H(+) + phosphoethanolamine. [EC:2.7.1.82, RHEA:13072]' - }, - 'GO:0004306': { - 'name': 'ethanolamine-phosphate cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: CTP + ethanolamine phosphate = diphosphate + CDP-ethanolamine. [EC:2.7.7.14]' - }, - 'GO:0004307': { - 'name': 'ethanolaminephosphotransferase activity', - 'def': 'Catalysis of the reaction: CDP-ethanolamine + 1,2-diacylglycerol = CMP + a phosphatidylethanolamine. [EC:2.7.8.1]' - }, - 'GO:0004308': { - 'name': 'exo-alpha-sialidase activity', - 'def': 'Catalysis of the hydrolysis of alpha-(2->3)-, alpha-(2->6)-, alpha-(2->8)-glycosidic linkages of terminal sialic residues in oligosaccharides, glycoproteins, glycolipids, colominic acid and synthetic substrates. [EC:3.2.1.18]' - }, - 'GO:0004309': { - 'name': 'exopolyphosphatase activity', - 'def': 'Catalysis of the reaction: polyphosphate(n) + H2O = polyphosphate(n-1) + phosphate. [EC:3.6.1.11]' - }, - 'GO:0004310': { - 'name': 'farnesyl-diphosphate farnesyltransferase activity', - 'def': 'Catalysis of the reaction: 2 farnesyl diphosphate = diphosphate + presqualene diphosphate. [EC:2.5.1.21]' - }, - 'GO:0004311': { - 'name': 'farnesyltranstransferase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate + isopentenyl diphosphate = diphosphate + geranylgeranyl diphosphate. [EC:2.5.1.29, RHEA:17656]' - }, - 'GO:0004312': { - 'name': 'fatty acid synthase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + n malonyl-CoA + 2n NADPH + 2n H+ = long-chain fatty acid + n+1 CoA + n CO2 + 2n NADP+. [EC:2.3.1.85]' - }, - 'GO:0004313': { - 'name': '[acyl-carrier-protein] S-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + [acyl-carrier protein] = CoA + acetyl-[acyl-carrier protein]. [EC:2.3.1.38]' - }, - 'GO:0004314': { - 'name': '[acyl-carrier-protein] S-malonyltransferase activity', - 'def': 'Catalysis of the reaction: malonyl-CoA + [acyl-carrier protein] = CoA + malonyl-[acyl-carrier protein]. [EC:2.3.1.39]' - }, - 'GO:0004315': { - 'name': '3-oxoacyl-[acyl-carrier-protein] synthase activity', - 'def': 'Catalysis of the reaction: acyl-[acyl-carrier protein] + malonyl-[acyl-carrier protein] = 3-oxoacyl-[acyl-carrier protein] + CO2 + [acyl-carrier protein]. [EC:2.3.1.41]' - }, - 'GO:0004316': { - 'name': '3-oxoacyl-[acyl-carrier-protein] reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: (3R)-3-hydroxyacyl-[acyl-carrier protein] + NADP+ = 3-oxoacyl-[acyl-carrier protein] + NADPH + H+. [EC:1.1.1.100]' - }, - 'GO:0004317': { - 'name': '3-hydroxypalmitoyl-[acyl-carrier-protein] dehydratase activity', - 'def': 'Catalysis of the reaction: (3R)-3-hydroxypalmitoyl-[acyl-carrier protein] = 2-hexadecenoyl-[acyl-carrier protein] + H2O. [EC:4.2.1.61]' - }, - 'GO:0004318': { - 'name': 'enoyl-[acyl-carrier-protein] reductase (NADH) activity', - 'def': 'Catalysis of the reaction: acyl-[acyl-carrier protein] + NAD+ = trans-2,3-dehydroacyl-[acyl-carrier protein] + NADH + H+. [EC:1.3.1.9]' - }, - 'GO:0004319': { - 'name': 'enoyl-[acyl-carrier-protein] reductase (NADPH, B-specific) activity', - 'def': 'Catalysis of the reaction: acyl-[acyl-carrier protein] + NADP+ = trans-2,3-dehydroacyl-[acyl-carrier protein] + NADPH + H+. [EC:1.3.1.10]' - }, - 'GO:0004320': { - 'name': 'oleoyl-[acyl-carrier-protein] hydrolase activity', - 'def': 'Catalysis of the reaction: oleoyl-[acyl-carrier protein] + H2O = [acyl-carrier protein] + oleate. [EC:3.1.2.14]' - }, - 'GO:0004321': { - 'name': 'fatty-acyl-CoA synthase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + n malonyl-CoA + 2n NADH + 2n NADPH + 4n H+ = a long-chain acyl-CoA + n CoA + n CO2 + 2n NAD+ + 2n NADP+. [EC:2.3.1.86]' - }, - 'GO:0004322': { - 'name': 'ferroxidase activity', - 'def': 'Catalysis of the reaction: 4 Fe2+ + 4 H+ + O2 = 4 Fe3+ + 2 H2O. [EC:1.16.3.1]' - }, - 'GO:0004323': { - 'name': 'obsolete multicopper ferroxidase iron transport mediator activity', - 'def': 'OBSOLETE. Catalysis of the reaction: 4 Fe2+ + 4 H+ + O2 = 4 Fe3+ + 2 H2O. [EC:1.16.3.1]' - }, - 'GO:0004324': { - 'name': 'ferredoxin-NADP+ reductase activity', - 'def': 'Catalysis of the reaction: reduced ferredoxin + NADP+ = oxidized ferredoxin + NADPH + H+. [EC:1.18.1.2, GOC:kd]' - }, - 'GO:0004325': { - 'name': 'ferrochelatase activity', - 'def': 'Catalysis of the reaction: protoheme = Fe(2+) + protoporphyrin IX. [EC:4.99.1.1, RHEA:22587]' - }, - 'GO:0004326': { - 'name': 'tetrahydrofolylpolyglutamate synthase activity', - 'def': 'Catalysis of the reaction: ATP + tetrahydrofolyl-(Glu)(n) + L-glutamate = ADP + phosphate + tetrahydrofolyl-(Glu)(n+1). [EC:6.3.2.17]' - }, - 'GO:0004327': { - 'name': 'obsolete formaldehyde dehydrogenase (glutathione) activity', - 'def': 'OBSOLETE. Catalysis of the reaction: formaldehyde + glutathione + NAD+ = S-formylglutathione + NADH + H+. [EC:1.2.1.1]' - }, - 'GO:0004328': { - 'name': 'formamidase activity', - 'def': 'Catalysis of the reaction: formamide + H(2)O = formate + NH(4)(+). [EC:3.5.1.49, RHEA:21951]' - }, - 'GO:0004329': { - 'name': 'formate-tetrahydrofolate ligase activity', - 'def': 'Catalysis of the reaction: ATP + formate + tetrahydrofolate = ADP + phosphate + 10-formyltetrahydrofolate. [EC:6.3.4.3]' - }, - 'GO:0004331': { - 'name': 'fructose-2,6-bisphosphate 2-phosphatase activity', - 'def': 'Catalysis of the reaction: D-fructose 2,6-bisphosphate + H2O = D-fructose-6-phosphate + phosphate. [EC:3.1.3.46]' - }, - 'GO:0004332': { - 'name': 'fructose-bisphosphate aldolase activity', - 'def': 'Catalysis of the reaction: D-fructose 1,6-bisphosphate = glycerone phosphate + D-glyceraldehyde-3-phosphate. [EC:4.1.2.13]' - }, - 'GO:0004333': { - 'name': 'fumarate hydratase activity', - 'def': 'Catalysis of the reaction: (S)-malate = fumarate + H(2)O. [EC:4.2.1.2, RHEA:12463]' - }, - 'GO:0004334': { - 'name': 'fumarylacetoacetase activity', - 'def': 'Catalysis of the reaction: 4-fumarylacetoacetate + H(2)O = acetoacetate + fumarate + H(+). [EC:3.7.1.2, RHEA:10247]' - }, - 'GO:0004335': { - 'name': 'galactokinase activity', - 'def': 'Catalysis of the reaction: D-galactose + ATP = alpha-D-galactose 1-phosphate + ADP + 2 H(+). [EC:2.7.1.6, RHEA:13556]' - }, - 'GO:0004336': { - 'name': 'galactosylceramidase activity', - 'def': 'Catalysis of the reaction: D-galactosyl-N-acylsphingosine + H2O = D-galactose + N-acylsphingosine. [EC:3.2.1.46]' - }, - 'GO:0004337': { - 'name': 'geranyltranstransferase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate + isopentenyl diphosphate = 2-trans,6-trans-farnesyl diphosphate + diphosphate. [EC:2.5.1.10, RHEA:19364]' - }, - 'GO:0004338': { - 'name': 'glucan exo-1,3-beta-glucosidase activity', - 'def': 'Catalysis of the successive hydrolysis of beta-D-glucose units from the non-reducing ends of (1->3)-beta-D-glucans, releasing alpha-glucose. [EC:3.2.1.58]' - }, - 'GO:0004339': { - 'name': 'glucan 1,4-alpha-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal (1->4)-linked alpha-D-glucose residues successively from non-reducing ends of the chains with release of beta-D-glucose. [EC:3.2.1.3]' - }, - 'GO:0004340': { - 'name': 'glucokinase activity', - 'def': 'Catalysis of the reaction: ATP + D-glucose = ADP + D-glucose-6-phosphate. [EC:2.7.1.2]' - }, - 'GO:0004341': { - 'name': 'gluconolactonase activity', - 'def': 'Catalysis of the reaction: D-glucono-1,5-lactone + H2O = D-gluconate. [EC:3.1.1.17]' - }, - 'GO:0004342': { - 'name': 'glucosamine-6-phosphate deaminase activity', - 'def': 'Catalysis of the reaction: D-glucosamine 6-phosphate + H(2)O = beta-D-fructose 6-phosphate + NH(4)(+). [EC:3.5.99.6, RHEA:12175]' - }, - 'GO:0004343': { - 'name': 'glucosamine 6-phosphate N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: D-glucosamine 6-phosphate + acetyl-CoA = N-acetyl-D-glucosamine 6-phosphate + CoA + H(+). [EC:2.3.1.4, RHEA:10295]' - }, - 'GO:0004344': { - 'name': 'glucose dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-glucose + acceptor = D-glucono-1,5-lactone + reduced acceptor. [EC:1.1.99.10]' - }, - 'GO:0004345': { - 'name': 'glucose-6-phosphate dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-glucose 6-phosphate + NADP+ = D-glucono-1,5-lactone 6-phosphate + NADPH + H+. [EC:1.1.1.49]' - }, - 'GO:0004346': { - 'name': 'glucose-6-phosphatase activity', - 'def': 'Catalysis of the reaction: D-glucopyranose 6-phosphate + H2O = D-glucose + phosphate. D-glucopyranose is also known as D-glucose 6-phosphate. [EC:3.1.3.9, RHEA:16692]' - }, - 'GO:0004347': { - 'name': 'glucose-6-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-glucose 6-phosphate = D-fructose 6-phosphate. [EC:5.3.1.9]' - }, - 'GO:0004348': { - 'name': 'glucosylceramidase activity', - 'def': 'Catalysis of the reaction: D-glucosyl-N-acylsphingosine + H2O = D-glucose + N-acylsphingosine. [EC:3.2.1.45]' - }, - 'GO:0004349': { - 'name': 'glutamate 5-kinase activity', - 'def': 'Catalysis of the reaction: L-glutamate + ATP = L-glutamyl 5-phosphate + ADP + H(+). [EC:2.7.2.11, RHEA:14880]' - }, - 'GO:0004350': { - 'name': 'glutamate-5-semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-glutamate 5-semialdehyde + NADP(+) + phosphate = L-glutamyl 5-phosphate + H(+) + NADPH. [EC:1.2.1.41, RHEA:19544]' - }, - 'GO:0004351': { - 'name': 'glutamate decarboxylase activity', - 'def': 'Catalysis of the reaction: L-glutamate = 4-aminobutanoate + CO2. [EC:4.1.1.15]' - }, - 'GO:0004352': { - 'name': 'glutamate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: L-glutamate + H2O + NAD+ = 2-oxoglutarate + NH3 + NADH + H+. [EC:1.4.1.2]' - }, - 'GO:0004353': { - 'name': 'glutamate dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: L-glutamate + H2O + NAD(P)+ = 2-oxoglutarate + NH3 + NAD(P)H + H+. [EC:1.4.1.3]' - }, - 'GO:0004354': { - 'name': 'glutamate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: L-glutamate + H2O + NADP+ = 2-oxoglutarate + NH3 + NADPH + H+. [EC:1.4.1.4]' - }, - 'GO:0004355': { - 'name': 'glutamate synthase (NADPH) activity', - 'def': 'Catalysis of the reaction: 2 L-glutamate + NADP(+) = 2-oxoglutarate + L-glutamine + H(+) + NADPH. This is a two-step reaction: (a) L-glutamate + NH3 = L-glutamine + H2O, (b) L-glutamate + NADP+ + H2O = NH3 + 2-oxoglutarate + NADPH + H+. [EC:1.4.1.13, RHEA:15504]' - }, - 'GO:0004356': { - 'name': 'glutamate-ammonia ligase activity', - 'def': 'Catalysis of the reaction: L-glutamate + ATP + NH(4)(+) = L-glutamine + ADP + 2 H(+) + phosphate. [EC:6.3.1.2, RHEA:16172]' - }, - 'GO:0004357': { - 'name': 'glutamate-cysteine ligase activity', - 'def': 'Catalysis of the reaction: L-cysteine + L-glutamate + ATP = L-gamma-glutamyl-L-cysteine + ADP + 2 H(+) + phosphate. [EC:6.3.2.2, RHEA:13288]' - }, - 'GO:0004358': { - 'name': 'glutamate N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: N(2)-acetyl-L-ornithine + L-glutamate = N-acetyl-L-glutamate + L-ornithine. [EC:2.3.1.35, RHEA:15352]' - }, - 'GO:0004359': { - 'name': 'glutaminase activity', - 'def': 'Catalysis of the reaction: L-glutamine + H2O = L-glutamate + NH3. [EC:3.5.1.2]' - }, - 'GO:0004360': { - 'name': 'glutamine-fructose-6-phosphate transaminase (isomerizing) activity', - 'def': 'Catalysis of the reaction: beta-D-fructose 6-phosphate + L-glutamine = D-glucosamine 6-phosphate + L-glutamate. [EC:2.6.1.16, RHEA:13240]' - }, - 'GO:0004361': { - 'name': 'glutaryl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: glutaryl-CoA + acceptor = crotonoyl-CoA + CO2 + reduced acceptor. [EC:1.3.99.7]' - }, - 'GO:0004362': { - 'name': 'glutathione-disulfide reductase activity', - 'def': 'Catalysis of the reaction: 2 glutathione + NADP+ = glutathione disulfide + NADPH + H+. [EC:1.8.1.7, ISBN:0198506732]' - }, - 'GO:0004363': { - 'name': 'glutathione synthase activity', - 'def': 'Catalysis of the reaction: L-gamma-glutamyl-L-cysteine + ATP + glycine = ADP + glutathione + 2 H(+) + phosphate. [EC:6.3.2.3, RHEA:13560]' - }, - 'GO:0004364': { - 'name': 'glutathione transferase activity', - 'def': 'Catalysis of the reaction: R-X + glutathione = H-X + R-S-glutathione. R may be an aliphatic, aromatic or heterocyclic group; X may be a sulfate, nitrile or halide group. [EC:2.5.1.18]' - }, - 'GO:0004365': { - 'name': 'glyceraldehyde-3-phosphate dehydrogenase (NAD+) (phosphorylating) activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde 3-phosphate + phosphate + NAD+ = 3-phospho-D-glyceroyl phosphate + NADH + H+. [EC:1.2.1.12]' - }, - 'GO:0004366': { - 'name': 'glycerol-3-phosphate O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + sn-glycerol 3-phosphate = CoA + 1-acyl-sn-glycerol 3-phosphate. [EC:2.3.1.15]' - }, - 'GO:0004367': { - 'name': 'glycerol-3-phosphate dehydrogenase [NAD+] activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + NAD+ = glycerone phosphate + NADH + H+. [EC:1.1.1.8, EC:1.1.1.94]' - }, - 'GO:0004368': { - 'name': 'glycerol-3-phosphate dehydrogenase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + a quinone = glycerone phosphate + a quinol. [EC:1.1.5.3]' - }, - 'GO:0004369': { - 'name': 'glycerol-3-phosphate oxidase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + O(2) = glycerone phosphate + H(2)O(2). [EC:1.1.3.21, RHEA:18372]' - }, - 'GO:0004370': { - 'name': 'glycerol kinase activity', - 'def': 'Catalysis of the reaction: ATP + glycerol = sn-glycerol 3-phosphate + ADP + 2 H(+). [EC:2.7.1.30, RHEA:21647]' - }, - 'GO:0004371': { - 'name': 'glycerone kinase activity', - 'def': 'Catalysis of the reaction: ATP + glycerone = ADP + glycerone phosphate + 2 H(+). [EC:2.7.1.29, RHEA:15776]' - }, - 'GO:0004372': { - 'name': 'glycine hydroxymethyltransferase activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + glycine + H2O = tetrahydrofolate + L-serine. [EC:2.1.2.1]' - }, - 'GO:0004373': { - 'name': 'glycogen (starch) synthase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + (1,4)-alpha-D-glucosyl(n) = UDP + (1,4)-alpha-D-glucosyl(n+1). [EC:2.4.1.11]' - }, - 'GO:0004374': { - 'name': 'obsolete glycine cleavage system', - 'def': 'OBSOLETE. Catalysis of the reactions: glycine + lipoylprotein = S-aminomethyldihydrolipoylprotein + carbon dioxide (CO2), followed by S-aminomethyldihydrolipoylprotein + (6S)-tetrahydrofolate = dihydrolipoylprotein + (6R)-5,10-methylenetetrahydrofolate + ammonia. Made up of two components, aminomethyltransferase and glycine dehydrogenase (decarboxylating). [EC:1.4.4.2, EC:2.1.2.10]' - }, - 'GO:0004375': { - 'name': 'glycine dehydrogenase (decarboxylating) activity', - 'def': 'Catalysis of the reaction: glycine + lipoylprotein = S-aminomethyldihydrolipoylprotein + CO2. [EC:1.4.4.2]' - }, - 'GO:0004376': { - 'name': 'glycolipid mannosyltransferase activity', - 'def': 'Catalysis of the transfer of an alpha-D-mannosyl residue from GDP-mannose into lipid-linked oligosaccharide, forming an alpha-D-mannosyl-D-mannose linkage. [GOC:ai]' - }, - 'GO:0004377': { - 'name': 'GDP-Man:Man3GlcNAc2-PP-Dol alpha-1,2-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: an alpha-D-Man-(1->3)-[alpha-D-Man-(1->6)]-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + 2 GDP-alpha-D-mannose = an alpha-D-Man-(1->2)-alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-[alpha-D-Man-(1->6)]-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + 2 GDP + 2 H+. This reaction is the transfer of an alpha-D-mannosyl residue from GDP-mannose into lipid-linked oligosaccharide, forming an alpha-(1->2)-D-mannosyl-D-mannose linkage. [EC:2.4.1.131]' - }, - 'GO:0004378': { - 'name': 'GDP-Man:Man1GlcNAc2-PP-Dol alpha-1,3-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + GDP-alpha-D-mannose = alpha-D-Man-(1->3)-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + GDP + H+. This reaction is the transfer of an alpha-D-mannosyl residue from GDP-mannose into lipid-linked oligosaccharide, forming an alpha-(1->3)-D-mannosyl-D-mannose linkage. [EC:2.4.1.132]' - }, - 'GO:0004379': { - 'name': 'glycylpeptide N-tetradecanoyltransferase activity', - 'def': 'Catalysis of the reaction: tetradecanoyl-CoA + glycyl-peptide = CoA + N-tetradecanoylglycyl-peptide. [EC:2.3.1.97]' - }, - 'GO:0004380': { - 'name': 'glycoprotein-fucosylgalactoside alpha-N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-galactosamine + glycoprotein-alpha-L-fucosyl-(1,2)-D-galactose = UDP + glycoprotein-N-acetyl-alpha-D-galactosaminyl-(1,3)-(alpha-L-fucosyl-(1,2))-D-galactose. [EC:2.4.1.40]' - }, - 'GO:0004381': { - 'name': 'fucosylgalactoside 3-alpha-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + glycoprotein-alpha-L-fucosyl-(1,2)-D-galactose = UDP + glycoprotein-alpha-D-galactosyl-(1,3)-(alpha-L-fucosyl-(1,2))-D-galactose. [EC:2.4.1.37]' - }, - 'GO:0004382': { - 'name': 'guanosine-diphosphatase activity', - 'def': 'Catalysis of the reaction: GDP + H2O = GMP + phosphate. [EC:3.6.1.42, PMID:2989286]' - }, - 'GO:0004383': { - 'name': 'guanylate cyclase activity', - 'def': "Catalysis of the reaction: GTP = 3',5'-cyclic GMP + diphosphate. [EC:4.6.1.2]" - }, - 'GO:0004384': { - 'name': 'obsolete membrane-associated guanylate kinase', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + GMP = ADP + GDP, associated with the cell membrane. [EC:2.7.4.8]' - }, - 'GO:0004385': { - 'name': 'guanylate kinase activity', - 'def': 'Catalysis of the reaction: ATP + GMP = ADP + GDP. [EC:2.7.4.8]' - }, - 'GO:0004386': { - 'name': 'helicase activity', - 'def': 'Catalysis of the reaction: NTP + H2O = NDP + phosphate, to drive the unwinding of a DNA or RNA helix. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0004392': { - 'name': 'heme oxygenase (decyclizing) activity', - 'def': 'Catalysis of the reaction: heme + 3 donor-H2 + 3 O2 = biliverdin + Fe2+ + CO + 3 acceptor + 3 H2O. [EC:1.14.99.3]' - }, - 'GO:0004394': { - 'name': 'heparan sulfate 2-O-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + heparan sulfate = adenosine 3',5'-bisphosphate + heparan sulfate 2-O-sulfate; results in 2-O-sulfation of iduronic acid residues in heparan sulfate. [PMID:9153262]" - }, - 'GO:0004395': { - 'name': 'hexaprenyldihydroxybenzoate methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 3-hexaprenyl-4,5-dihydroxybenzoate = S-adenosyl-L-homocysteine + 3-hexaprenyl-4-hydroxy-5-methoxybenzoate. [EC:2.1.1.114]' - }, - 'GO:0004396': { - 'name': 'hexokinase activity', - 'def': 'Catalysis of the reaction: ATP + D-hexose = ADP + D-hexose 6-phosphate. [EC:2.7.1.1]' - }, - 'GO:0004397': { - 'name': 'histidine ammonia-lyase activity', - 'def': 'Catalysis of the reaction: L-histidine = urocanate + NH3. [EC:4.3.1.3]' - }, - 'GO:0004398': { - 'name': 'histidine decarboxylase activity', - 'def': 'Catalysis of the reaction: L-histidine = histamine + CO2. [EC:4.1.1.22]' - }, - 'GO:0004399': { - 'name': 'histidinol dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-histidinol + NAD+ = L-histidine + NADH + H+. [EC:1.1.1.23]' - }, - 'GO:0004400': { - 'name': 'histidinol-phosphate transaminase activity', - 'def': 'Catalysis of the reaction: L-histidinol-phosphate + 2-oxoglutarate = 3-(imidazol-4-yl)-2-oxopropyl phosphate + L-glutamate. [EC:2.6.1.9]' - }, - 'GO:0004401': { - 'name': 'histidinol-phosphatase activity', - 'def': 'Catalysis of the reaction: L-histidinol phosphate + H(2)O = L-histidinol + phosphate. [EC:3.1.3.15, RHEA:14468]' - }, - 'GO:0004402': { - 'name': 'histone acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone = CoA + acetyl-histone. [EC:2.3.1.48]' - }, - 'GO:0004407': { - 'name': 'histone deacetylase activity', - 'def': 'Catalysis of the reaction: histone N6-acetyl-L-lysine + H2O = histone L-lysine + acetate. This reaction represents the removal of an acetyl group from a histone, a class of proteins complexed to DNA in chromatin and chromosomes. [EC:3.5.1.98, PMID:9893272]' - }, - 'GO:0004408': { - 'name': 'holocytochrome-c synthase activity', - 'def': 'Catalysis of the reaction: holocytochrome c = apocytochrome c + heme. [EC:4.4.1.17]' - }, - 'GO:0004409': { - 'name': 'homoaconitate hydratase activity', - 'def': 'Catalysis of the reaction: (-)-homoisocitrate = cis-homoaconitate + H(2)O. [EC:4.2.1.36, RHEA:15488]' - }, - 'GO:0004410': { - 'name': 'homocitrate synthase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + acetyl-CoA + H(2)O = CoA + H(+) + homocitrate. [EC:2.3.3.14, RHEA:12932]' - }, - 'GO:0004411': { - 'name': 'homogentisate 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: homogentisate + O(2) = 4-maleylacetoacetate + H(+). [EC:1.13.11.5, RHEA:15452]' - }, - 'GO:0004412': { - 'name': 'homoserine dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-homoserine + NADP+ = L-aspartate-4-semialdehyde + NADPH + H+. [EC:1.1.1.3]' - }, - 'GO:0004413': { - 'name': 'homoserine kinase activity', - 'def': 'Catalysis of the reaction: L-homoserine + ATP = O-phospho-L-homoserine + ADP + 2 H(+). [EC:2.7.1.39, RHEA:13988]' - }, - 'GO:0004414': { - 'name': 'homoserine O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-homoserine + acetyl-CoA = O-acetyl-L-homoserine + CoA. [EC:2.3.1.31, RHEA:13704]' - }, - 'GO:0004415': { - 'name': 'hyalurononglucosaminidase activity', - 'def': 'Catalysis of the random hydrolysis of (1->4) linkages between N-acetyl-beta-D-glucosamine and D-glucuronate residues in hyaluronate. [EC:3.2.1.35]' - }, - 'GO:0004416': { - 'name': 'hydroxyacylglutathione hydrolase activity', - 'def': 'Catalysis of the reaction: (S)-(2-hydroxyacyl)glutathione + H2O = glutathione + a 2-hydroxy carboxylate. [EC:3.1.2.6]' - }, - 'GO:0004417': { - 'name': 'hydroxyethylthiazole kinase activity', - 'def': 'Catalysis of the reaction: 5-(2-hydroxyethyl)-4-methylthiazole + ATP = 4-methyl-5-(2-phosphoethyl)-thiazole + ADP + 2 H(+). [EC:2.7.1.50, RHEA:24215]' - }, - 'GO:0004418': { - 'name': 'hydroxymethylbilane synthase activity', - 'def': 'Catalysis of the reaction: H(2)O + 4 porphobilinogen = hydroxymethylbilane + 4 NH(4)(+). [EC:2.5.1.61, RHEA:13188]' - }, - 'GO:0004419': { - 'name': 'hydroxymethylglutaryl-CoA lyase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxy-3-methylglutaryl-CoA = acetoacetate + acetyl-CoA. [EC:4.1.3.4, RHEA:24407]' - }, - 'GO:0004420': { - 'name': 'hydroxymethylglutaryl-CoA reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: (R)-mevalonate + CoA + 2 NADP(+) = (S)-3-hydroxy-3-methylglutaryl-CoA + 2 H(+) + 2 NADPH. [EC:1.1.1.34, RHEA:15992]' - }, - 'GO:0004421': { - 'name': 'hydroxymethylglutaryl-CoA synthase activity', - 'def': 'Catalysis of the reaction: acetoacetyl-CoA + acetyl-CoA + H(2)O = (S)-3-hydroxy-3-methylglutaryl-CoA + CoA + H(+). [EC:2.3.3.10, RHEA:10191]' - }, - 'GO:0004422': { - 'name': 'hypoxanthine phosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: IMP + diphosphate = hypoxanthine + 5-phospho-alpha-D-ribose 1-diphosphate. [EC:2.4.2.8, GOC:curators]' - }, - 'GO:0004423': { - 'name': 'iduronate-2-sulfatase activity', - 'def': 'Catalysis of the hydrolysis of the 2-sulfate groups of the L-iduronate 2-sulfate units of dermatan sulfate, heparan sulfate and heparin. [EC:3.1.6.13]' - }, - 'GO:0004424': { - 'name': 'imidazoleglycerol-phosphate dehydratase activity', - 'def': 'Catalysis of the reaction: D-erythro-1-(imidazol-4-yl)glycerol 3-phosphate = 3-(imidazol-4-yl)-2-oxopropyl phosphate + H(2)O. [EC:4.2.1.19, RHEA:11043]' - }, - 'GO:0004425': { - 'name': 'indole-3-glycerol-phosphate synthase activity', - 'def': 'Catalysis of the reaction: 1-(2-carboxyphenylamino)-1-deoxy-D-ribulose 5-phosphate = 1-(indol-3-yl)glycerol 3-phosphate + CO2 + H2O. [EC:4.1.1.48]' - }, - 'GO:0004427': { - 'name': 'inorganic diphosphatase activity', - 'def': 'Catalysis of the reaction: diphosphate + H(2)O = H(+) + 2 phosphate. [EC:3.6.1.1, RHEA:24579]' - }, - 'GO:0004428': { - 'name': 'obsolete inositol or phosphatidylinositol kinase activity', - 'def': 'OBSOLETE. Catalysis of the phosphorylation of myo-inositol (1,2,3,5/4,6-cyclohexanehexol) or a phosphatidylinositol. [GOC:hb]' - }, - 'GO:0004430': { - 'name': '1-phosphatidylinositol 4-kinase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol + ATP = 1-phosphatidyl-1D-myo-inositol 4-phosphate + ADP + 2 H(+). [EC:2.7.1.67, RHEA:19880]' - }, - 'GO:0004432': { - 'name': 'obsolete 1-phosphatidylinositol-4-phosphate kinase, class IA', - 'def': 'OBSOLETE. A class I PI3K activated by tyrosine phosphorylation events. [PMID:11050418]' - }, - 'GO:0004433': { - 'name': 'obsolete 1-phosphatidylinositol-4-phosphate kinase, class IB', - 'def': 'OBSOLETE. A class I PI3K activated via heterotrimeric G-proteins. [PMID:11050418]' - }, - 'GO:0004435': { - 'name': 'phosphatidylinositol phospholipase C activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate + H(2)O = 1,2-diacylglycerol + 1D-myo-inositol 1,4,5-trisphosphate + H(+). [EC:3.1.4.11, RHEA:23915]' - }, - 'GO:0004436': { - 'name': 'phosphatidylinositol diacylglycerol-lyase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol = D-myo-inositol 1,2-cyclic phosphate + diacylglycerol. [EC:4.6.1.13]' - }, - 'GO:0004437': { - 'name': 'obsolete inositol or phosphatidylinositol phosphatase activity', - 'def': 'OBSOLETE. Catalysis of the removal of a phosphate group from phosphorylated myo-inositol (1,2,3,5/4,6-cyclohexanehexol) or a phosphatidylinositol. [GOC:hb]' - }, - 'GO:0004438': { - 'name': 'phosphatidylinositol-3-phosphatase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol 3-phosphate + H2O = 1-phosphatidyl-1D-myo-inositol + phosphate. [EC:3.1.3.64]' - }, - 'GO:0004439': { - 'name': 'phosphatidylinositol-4,5-bisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate + H(2)O = 1-phosphatidyl-1D-myo-inositol 4-phosphate + phosphate. [EC:3.1.3.36, RHEA:22767]' - }, - 'GO:0004441': { - 'name': 'inositol-1,4-bisphosphate 1-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,4-bisphosphate + H2O = 1D-myo-inositol 4-phosphate + phosphate. [EC:3.1.3.57, GOC:hb]' - }, - 'GO:0004442': { - 'name': 'obsolete inositol-1,4,-bisphosphate 3-phosphatase', - 'def': 'OBSOLETE. Catalysis of the reaction: D-myo-inositol 1,3-bisphosphate + H2O = D-myo-inositol 1-monophosphate + phosphate. [EC:3.1.3.65, GOC:go_curators]' - }, - 'GO:0004443': { - 'name': 'obsolete inositol-1,4,-bisphosphate 4-phosphatase', - 'def': 'OBSOLETE. Catalysis of the reaction: D-myo-inositol 3,4-bisphosphate + H2O = D-myo-inositol 3-monophosphate + phosphate. [EC:3.1.3.66, GOC:go_curators]' - }, - 'GO:0004444': { - 'name': 'obsolete inositol-1,4,5-trisphosphate 1-phosphatase', - 'def': 'OBSOLETE. The removal of a phosphate group from the carbon-1 position of D-myo-inositol 1,4,5-trisphosphate. [EC:3.1.3.61, GOC:hb]' - }, - 'GO:0004445': { - 'name': 'inositol-polyphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reactions: D-myo-inositol 1,4,5-trisphosphate + H2O = myo-inositol 1,4-bisphosphate + phosphate, and 1D-myo-inositol 1,3,4,5-tetrakisphosphate + H2O = 1D-myo-inositol 1,3,4-trisphosphate + phosphate. [EC:3.1.3.56]' - }, - 'GO:0004446': { - 'name': 'inositol-hexakisphosphate phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol hexakisphosphate + H2O = myo-inositol pentakisphosphate (mixed isomers) + phosphate. [EC:3.1.3.62]' - }, - 'GO:0004447': { - 'name': 'iodide peroxidase activity', - 'def': 'Catalysis of the reaction: iodide + hydrogen peroxide = iodine + 2 H2O. [EC:1.11.1.8]' - }, - 'GO:0004448': { - 'name': 'isocitrate dehydrogenase activity', - 'def': 'Catalysis of the reaction: isocitrate + acceptor = 2-oxoglutarate + CO2 + reduced acceptor. [EC:1.1.1.41, EC:1.1.1.42]' - }, - 'GO:0004449': { - 'name': 'isocitrate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: isocitrate + NAD+ = 2-oxoglutarate + CO2 + NADH + H+. [EC:1.1.1.41]' - }, - 'GO:0004450': { - 'name': 'isocitrate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: isocitrate + NADP+ = 2-oxoglutarate + CO2 + NADPH + H+. [EC:1.1.1.42]' - }, - 'GO:0004451': { - 'name': 'isocitrate lyase activity', - 'def': 'Catalysis of the reaction: isocitrate = glyoxylate + succinate. [EC:4.1.3.1, RHEA:13248]' - }, - 'GO:0004452': { - 'name': 'isopentenyl-diphosphate delta-isomerase activity', - 'def': 'Catalysis of the reaction: isopentenyl diphosphate = dimethylallyl diphosphate. [EC:5.3.3.2, RHEA:23287]' - }, - 'GO:0004453': { - 'name': 'juvenile-hormone esterase activity', - 'def': 'Catalysis of the reaction: methyl (2E,6E)-(10R,11S)-10,11-epoxy-3,7,11-trimethyltrideca-2,6-dienoate + H2O = (2E,6E)-(10R,11S)-10,11-epoxy-3,7,11-trimethyltrideca-2,6-dienoate + methanol. A carboxylesterase that hydrolyzes the ester linkage of juvenile hormone. [EC:3.1.1.59, EMBL:AF304352]' - }, - 'GO:0004454': { - 'name': 'ketohexokinase activity', - 'def': 'Catalysis of the reaction: ATP + D-fructose = ADP + D-fructose 1-phosphate. [EC:2.7.1.3]' - }, - 'GO:0004455': { - 'name': 'ketol-acid reductoisomerase activity', - 'def': 'Catalysis of the reaction: (R)-2,3-dihydroxy-3-methylbutanoate + NADP+ = (S)-2-hydroxy-2-methyl-3-oxobutanoate + NADPH + H+. [EC:1.1.1.86]' - }, - 'GO:0004456': { - 'name': 'phosphogluconate dehydratase activity', - 'def': 'Catalysis of the reaction: 6-phospho-D-gluconate = 2-dehydro-3-deoxy-6-phospho-D-gluconate + H(2)O. [EC:4.2.1.12, RHEA:17280]' - }, - 'GO:0004457': { - 'name': 'lactate dehydrogenase activity', - 'def': 'Catalysis of the reaction: lactate + NAD+ = H+ + NADH + pyruvate. [GOC:ai, GOC:bf]' - }, - 'GO:0004458': { - 'name': 'D-lactate dehydrogenase (cytochrome) activity', - 'def': 'Catalysis of the reaction: (R)-lactate + 2 ferricytochrome c = pyruvate + 2 ferrocytochrome c. [EC:1.1.2.4]' - }, - 'GO:0004459': { - 'name': 'L-lactate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-lactate + NAD+ = pyruvate + NADH + H+. [EC:1.1.1.27, RHEA:23447]' - }, - 'GO:0004460': { - 'name': 'L-lactate dehydrogenase (cytochrome) activity', - 'def': 'Catalysis of the reaction: (S)-lactate + 2 ferricytochrome c = pyruvate + 2 ferrocytochrome c. [EC:1.1.2.3]' - }, - 'GO:0004461': { - 'name': 'lactose synthase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + D-glucose = UDP + lactose. [EC:2.4.1.22]' - }, - 'GO:0004462': { - 'name': 'lactoylglutathione lyase activity', - 'def': 'Catalysis of the reaction: (R)-S-lactoylglutathione = glutathione + methylglyoxal. [EC:4.4.1.5, RHEA:19072]' - }, - 'GO:0004463': { - 'name': 'leukotriene-A4 hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + leukotriene A(4) = leukotriene B(4). [EC:3.3.2.6, RHEA:22327]' - }, - 'GO:0004464': { - 'name': 'leukotriene-C4 synthase activity', - 'def': 'Catalysis of the reaction: leukotriene C(4) = glutathione + leukotriene A(4). [EC:4.4.1.20, RHEA:17620]' - }, - 'GO:0004465': { - 'name': 'lipoprotein lipase activity', - 'def': 'Catalysis of the reaction: triacylglycerol + H2O = diacylglycerol + a carboxylate, where the triacylglycerol is part of a lipoprotein. [EC:3.1.1.34, GOC:bf]' - }, - 'GO:0004466': { - 'name': 'long-chain-acyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + ETF = 2,3-dehydroacyl-CoA + reduced ETF. [EC:1.3.99.13]' - }, - 'GO:0004467': { - 'name': 'long-chain fatty acid-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + a long-chain fatty acid + CoA = AMP + diphosphate + an acyl-CoA; a long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, EC:6.2.1.3]' - }, - 'GO:0004468': { - 'name': 'lysine N-acetyltransferase activity, acting on acetyl phosphate as donor', - 'def': 'Catalysis of the reaction: acetyl phosphate + L-lysine = phosphate + N6-acetyl-L-lysine. [EC:2.3.1.32]' - }, - 'GO:0004470': { - 'name': 'malic enzyme activity', - 'def': 'Catalysis of the oxidative decarboxylation of malate with the concomitant production of pyruvate. [ISBN:0198506732]' - }, - 'GO:0004471': { - 'name': 'malate dehydrogenase (decarboxylating) (NAD+) activity', - 'def': 'Catalysis of the reaction: (S)-malate + NAD+ = pyruvate + CO2 + NADH + H+. [EC:1.1.1.38, EC:1.1.1.39]' - }, - 'GO:0004473': { - 'name': 'malate dehydrogenase (decarboxylating) (NADP+) activity', - 'def': 'Catalysis of the reaction: (S)-malate + NADP+ = pyruvate + CO2 + NADPH + H+. [EC:1.1.1.40]' - }, - 'GO:0004474': { - 'name': 'malate synthase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + glyoxylate + H(2)O = (S)-malate + CoA + H(+). [EC:2.3.3.9, RHEA:18184]' - }, - 'GO:0004475': { - 'name': 'mannose-1-phosphate guanylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-mannose 1-phosphate + GTP = diphosphate + GDP-alpha-D-mannose. [EC:2.7.7.13, RHEA:15232]' - }, - 'GO:0004476': { - 'name': 'mannose-6-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-mannose 6-phosphate = D-fructose 6-phosphate. [EC:5.3.1.8]' - }, - 'GO:0004477': { - 'name': 'methenyltetrahydrofolate cyclohydrolase activity', - 'def': 'Catalysis of the reaction: 5,10-methenyltetrahydrofolate + H2O = 10-formyltetrahydrofolate. [EC:3.5.4.9]' - }, - 'GO:0004478': { - 'name': 'methionine adenosyltransferase activity', - 'def': 'Catalysis of the reaction: ATP + L-methionine + H2O = phosphate + diphosphate + S-adenosyl-L-methionine. [EC:2.5.1.6]' - }, - 'GO:0004479': { - 'name': 'methionyl-tRNA formyltransferase activity', - 'def': 'Catalysis of the reaction: 10-formyltetrahydrofolate + L-methionyl-tRNA + H2O = tetrahydrofolate + N-formylmethionyl-tRNA. [EC:2.1.2.9]' - }, - 'GO:0004481': { - 'name': 'methylene-fatty-acyl-phospholipid synthase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + phospholipid olefinic fatty acid = S-adenosyl-L-homocysteine + phospholipid methylene fatty acid. [EC:2.1.1.16]' - }, - 'GO:0004482': { - 'name': 'mRNA (guanine-N7-)-methyltransferase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + G(5')pppR-RNA = S-adenosyl-L-homocysteine + m7G(5')pppR-RNA. m7G(5')pppR-RNA is mRNA containing an N7-methylguanine cap; R may be guanosine or adenosine. [EC:2.1.1.56]" - }, - 'GO:0004483': { - 'name': "mRNA (nucleoside-2'-O-)-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + m7G(5')pppR-RNA = S-adenosyl-L-homocysteine + m7G(5')pppRm-RNA. R may be guanosine or adenosine. [EC:2.1.1.57]" - }, - 'GO:0004484': { - 'name': 'mRNA guanylyltransferase activity', - 'def': "Catalysis of the reaction: GTP + (5')pp-Pur-mRNA = diphosphate + G(5')ppp-Pur-mRNA; G(5')ppp-Pur-mRNA is mRNA containing a guanosine residue linked 5' through three phosphates to the 5' position of the terminal residue. [EC:2.7.7.50]" - }, - 'GO:0004485': { - 'name': 'methylcrotonoyl-CoA carboxylase activity', - 'def': 'Catalysis of the reaction: 3-methylbut-2-enoyl-CoA + ATP + bicarbonate = trans-3-methylglutaconyl-CoA + ADP + 2 H(+) + phosphate. [EC:6.4.1.4, RHEA:13592]' - }, - 'GO:0004486': { - 'name': 'methylenetetrahydrofolate dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + NAD(P)+ = 5,10-methenyltetrahydrofolate + NAD(P)H + H+. [EC:1.5.1.-, EC:1.5.1.15]' - }, - 'GO:0004487': { - 'name': 'methylenetetrahydrofolate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + NAD(+) = 5,10-methenyltetrahydrofolate + NADH. [EC:1.5.1.15, RHEA:22895]' - }, - 'GO:0004488': { - 'name': 'methylenetetrahydrofolate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + NADP(+) = 5,10-methenyltetrahydrofolate + NADPH. [EC:1.5.1.5, RHEA:22815]' - }, - 'GO:0004489': { - 'name': 'methylenetetrahydrofolate reductase (NAD(P)H) activity', - 'def': 'Catalysis of the reaction: 5-methyltetrahydrofolate + NAD(P)+ = 5,10-methylenetetrahydrofolate + NAD(P)H + H+. [EC:1.5.1.20]' - }, - 'GO:0004490': { - 'name': 'methylglutaconyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxy-3-methylglutaryl-CoA = trans-3-methylglutaconyl-CoA + H(2)O. [EC:4.2.1.18, RHEA:21539]' - }, - 'GO:0004491': { - 'name': 'methylmalonate-semialdehyde dehydrogenase (acylating) activity', - 'def': 'Catalysis of the reaction: 2-methyl-3-oxopropanoate + CoA + NAD+ = propanoyl-CoA + CO2 + NADH + H+. [EC:1.2.1.27]' - }, - 'GO:0004492': { - 'name': 'methylmalonyl-CoA decarboxylase activity', - 'def': 'Catalysis of the reaction: (S)-2-methyl-3-oxopropanoyl-CoA = propanoyl-CoA + CO2. [EC:4.1.1.41]' - }, - 'GO:0004493': { - 'name': 'methylmalonyl-CoA epimerase activity', - 'def': 'Catalysis of the reaction: (R)-methylmalonyl-CoA = (S)-methylmalonyl-CoA. [EC:5.1.99.1, RHEA:20556]' - }, - 'GO:0004494': { - 'name': 'methylmalonyl-CoA mutase activity', - 'def': 'Catalysis of the reaction: (R)-methylmalonyl-CoA = succinyl-CoA. [EC:5.4.99.2, RHEA:22891]' - }, - 'GO:0004495': { - 'name': 'mevaldate reductase activity', - 'def': 'Catalysis of the reaction: (R)-mevalonate + acceptor = mevaldate + reduced acceptor. [EC:1.1.1.32, EC:1.1.1.33]' - }, - 'GO:0004496': { - 'name': 'mevalonate kinase activity', - 'def': 'Catalysis of the reaction: (R)-mevalonate + ATP = (R)-5-phosphomevalonate + ADP + 2 H(+). [EC:2.7.1.36, RHEA:17068]' - }, - 'GO:0004497': { - 'name': 'monooxygenase activity', - 'def': 'Catalysis of the incorporation of one atom from molecular oxygen into a compound and the reduction of the other atom of oxygen to water. [http://www.onelook.com/, ISBN:0198506732]' - }, - 'GO:0004498': { - 'name': 'calcidiol 1-monooxygenase activity', - 'def': 'Catalysis of the reaction: calcidiol + H(+) + NADPH + O(2) = calcitriol + H(2)O + NADP(+). [EC:1.14.13.13, RHEA:20576]' - }, - 'GO:0004499': { - 'name': 'N,N-dimethylaniline monooxygenase activity', - 'def': 'Catalysis of the reaction: N,N-dimethylaniline + NADPH + H+ + O2 = N,N-dimethylaniline N-oxide + NADP+ + H2O. [EC:1.14.13.8]' - }, - 'GO:0004500': { - 'name': 'dopamine beta-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-ascorbate + dopamine + O(2) = (R)-noradrenaline + dehydroascorbate + H(2)O. [EC:1.14.17.1, RHEA:19120]' - }, - 'GO:0004501': { - 'name': 'ecdysone 20-monooxygenase activity', - 'def': 'Catalysis of the reaction: AH(2) + Ecdysone + O(2) = 20-hydroxyecdysone + A + H(2)O. [EC:1.14.99.22, RHEA:14024]' - }, - 'GO:0004502': { - 'name': 'kynurenine 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-kynurenine + H(+) + NADPH + O(2) = 3-hydroxy-L-kynurenine + H(2)O + NADP(+). [EC:1.14.13.9, RHEA:20548]' - }, - 'GO:0004503': { - 'name': 'monophenol monooxygenase activity', - 'def': 'Catalysis of the reaction: L-tyrosine + L-DOPA + O2 = L-DOPA + DOPAquinone + H2O. [EC:1.14.18.1, GOC:bf, GOC:sart, PMID:4965136]' - }, - 'GO:0004504': { - 'name': 'peptidylglycine monooxygenase activity', - 'def': 'Catalysis of the reaction: peptidyl-glycine + ascorbate + O2 = peptidyl(2-hydroxyglycine) + dehydroascorbate + H2O. [EC:1.14.17.3]' - }, - 'GO:0004505': { - 'name': 'phenylalanine 4-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-phenylalanine + tetrahydrobiopterin + O2 = L-tyrosine + 4-alpha-hydroxytetrahydrobiopterin. [EC:1.14.16.1]' - }, - 'GO:0004506': { - 'name': 'squalene monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + squalene = (S)-2,3-epoxysqualene + H(2)O + NADP(+). [RHEA:25285]' - }, - 'GO:0004507': { - 'name': 'steroid 11-beta-monooxygenase activity', - 'def': 'Catalysis of the reaction: a steroid + reduced adrenal ferredoxin + O2 = an 11-beta-hydroxysteroid + oxidized adrenal ferredoxin + H2O. [EC:1.14.15.4]' - }, - 'GO:0004508': { - 'name': 'steroid 17-alpha-monooxygenase activity', - 'def': 'Catalysis of the reaction: a steroid + AH2 + O2 = a 17a-hydroxysteroid + A + H2O. [EC:1.14.99.9]' - }, - 'GO:0004509': { - 'name': 'steroid 21-monooxygenase activity', - 'def': 'Catalysis of the reaction: a steroid + donor-H2 + O2 = a 21-hydroxysteroid + acceptor + H2O. [EC:1.14.99.10]' - }, - 'GO:0004510': { - 'name': 'tryptophan 5-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-tryptophan + tetrahydrobiopterin + O2 = 5-hydroxy-L-tryptophan + 4-alpha-hydroxytetrahydrobiopterin + H2O. [EC:1.14.16.4]' - }, - 'GO:0004511': { - 'name': 'tyrosine 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-tyrosine + tetrahydrobiopterin + O2 = 3,4-dihydroxy-L-phenylalanine + 4-alpha-hydroxytetrahydrobiopterin + H2O. [EC:1.14.16.2]' - }, - 'GO:0004512': { - 'name': 'inositol-3-phosphate synthase activity', - 'def': 'Catalysis of the reaction: D-glucose 6-phosphate = 1D-myo-inositol 3-phosphate. This reaction requires NAD, which dehydrogenates the CHOH group to CO at C-5 of the glucose 6-phosphate, making C-6 into an active methylene, able to condense with the aldehyde at C-1. Finally, the enzyme-bound NADH reconverts C-5 into the CHOH form. [EC:5.5.1.4, RHEA:10719]' - }, - 'GO:0004513': { - 'name': 'neolactotetraosylceramide alpha-2,3-sialyltransferase activity', - 'def': 'Catalysis of the reaction: CMP-N-acetylneuraminate + beta-D-galactosyl-1,4-N-acetyl-beta-D-glucosaminyl-1,3-beta-D-galactosyl-1,4-beta-D-glucosylceramide = CMP + alpha-N-acetylneuraminyl-2,3-beta-D-galactosyl-1,4-N-acetyl-beta-D-glucosaminyl-1,3-beta-D-galactosyl-1,4-D-glucosylceramide. [EC:2.4.99.10]' - }, - 'GO:0004514': { - 'name': 'nicotinate-nucleotide diphosphorylase (carboxylating) activity', - 'def': 'Catalysis of the reaction: CO(2) + diphosphate + nicotinate D-ribonucleotide = 5-phospho-alpha-D-ribose 1-diphosphate + 2 H(+) + quinolinate. [EC:2.4.2.19, RHEA:12736]' - }, - 'GO:0004515': { - 'name': 'nicotinate-nucleotide adenylyltransferase activity', - 'def': 'Catalysis of the reaction: ATP + nicotinate ribonucleotide = diphosphate + deamido-NAD+. [EC:2.7.7.18]' - }, - 'GO:0004516': { - 'name': 'nicotinate phosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: diphosphate + nicotinate D-ribonucleotide = 5-phospho-alpha-D-ribose 1-diphosphate + H(+) + nicotinate. [EC:2.4.2.11, RHEA:13396]' - }, - 'GO:0004517': { - 'name': 'nitric-oxide synthase activity', - 'def': 'Catalysis of the reaction: L-arginine + n NADPH + n H+ + m O2 = citrulline + nitric oxide + n NADP+. [EC:1.14.13.39]' - }, - 'GO:0004518': { - 'name': 'nuclease activity', - 'def': 'Catalysis of the hydrolysis of ester linkages within nucleic acids. [ISBN:0198547684]' - }, - 'GO:0004519': { - 'name': 'endonuclease activity', - 'def': 'Catalysis of the hydrolysis of ester linkages within nucleic acids by creating internal breaks. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0004520': { - 'name': 'endodeoxyribonuclease activity', - 'def': 'Catalysis of the hydrolysis of ester linkages within deoxyribonucleic acid by creating internal breaks. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0004521': { - 'name': 'endoribonuclease activity', - 'def': 'Catalysis of the hydrolysis of ester linkages within ribonucleic acid by creating internal breaks. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0004522': { - 'name': 'ribonuclease A activity', - 'def': "Catalysis of the endonucleolytic cleavage of RNA to 3'-phosphomononucleotides and 3'-phosphooligonucleotides ending in C-P or U-P with 2',3'-cyclic phosphate intermediates. [EC:3.1.27.5]" - }, - 'GO:0004523': { - 'name': 'RNA-DNA hybrid ribonuclease activity', - 'def': "Catalysis of the endonucleolytic cleavage of RNA in RNA-DNA hybrids to 5'-phosphomonoesters. [EC:3.1.26.4]" - }, - 'GO:0004525': { - 'name': 'ribonuclease III activity', - 'def': "Catalysis of the endonucleolytic cleavage of RNA with 5'-phosphomonoesters and 3'-OH termini; makes two staggered cuts in both strands of dsRNA, leaving a 3' overhang of 2 nt. [PMID:11157775, PMID:15242644]" - }, - 'GO:0004526': { - 'name': 'ribonuclease P activity', - 'def': "Catalysis of the endonucleolytic cleavage of RNA, removing 5' extra nucleotides from tRNA precursor. [EC:3.1.26.5]" - }, - 'GO:0004527': { - 'name': 'exonuclease activity', - 'def': "Catalysis of the hydrolysis of ester linkages within nucleic acids by removing nucleotide residues from the 3' or 5' end. [GOC:mah, ISBN:0198547684]" - }, - 'GO:0004528': { - 'name': 'phosphodiesterase I activity', - 'def': "Catalysis of the sequential hydrolytic removal of 5'-nucleotides from the 3'-hydroxy termini of 3'-hydroxy-terminated oligonucleotides. [EC:3.1.4.1]" - }, - 'GO:0004529': { - 'name': 'exodeoxyribonuclease activity', - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 5' or 3' terminus of a DNA molecule. [GOC:mah, ISBN:0198547684]" - }, - 'GO:0004530': { - 'name': 'deoxyribonuclease I activity', - 'def': "Catalysis of the endonucleolytic cleavage of DNA to 5'-phosphodinucleotide and 5'-phosphooligonucleotide end products. [EC:3.1.21.1]" - }, - 'GO:0004531': { - 'name': 'deoxyribonuclease II activity', - 'def': "Catalysis of the endonucleolytic cleavage of DNA to 3'-phosphodinucleotide and 3'-phosphooligonucleotide end products. [EC:3.1.22.1]" - }, - 'GO:0004532': { - 'name': 'exoribonuclease activity', - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 5' or 3' terminus of an RNA molecule. [GOC:mah, ISBN:0198547684]" - }, - 'GO:0004533': { - 'name': 'exoribonuclease H activity', - 'def': "Catalysis of the exonucleolytic cleavage of RNA to 5'-phosphomonoester oligonucleotides in both 5' to 3' and 3' to 5' directions. [EC:3.1.13.2, ISBN:0198547684]" - }, - 'GO:0004534': { - 'name': "5'-3' exoribonuclease activity", - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 5' terminus of an RNA molecule. [GOC:mah, ISBN:0198547684]" - }, - 'GO:0004535': { - 'name': 'poly(A)-specific ribonuclease activity', - 'def': "Catalysis of the exonucleolytic cleavage of poly(A) to 5'-AMP. [EC:3.1.13.4, ISBN:0198547684]" - }, - 'GO:0004536': { - 'name': 'deoxyribonuclease activity', - 'def': 'Catalysis of the hydrolysis of ester linkages within deoxyribonucleic acid. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0004540': { - 'name': 'ribonuclease activity', - 'def': 'Catalysis of the hydrolysis of phosphodiester bonds in chains of RNA. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0004549': { - 'name': 'tRNA-specific ribonuclease activity', - 'def': 'Catalysis of the hydrolysis of phosphodiester bonds in tRNA molecules. [GOC:mah]' - }, - 'GO:0004550': { - 'name': 'nucleoside diphosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + nucleoside diphosphate = ADP + nucleoside triphosphate. [EC:2.7.4.6]' - }, - 'GO:0004551': { - 'name': 'nucleotide diphosphatase activity', - 'def': 'Catalysis of the reaction: a dinucleotide + H2O = 2 mononucleotides. [EC:3.6.1.9]' - }, - 'GO:0004552': { - 'name': 'octanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 1-octanol + NAD(+) = 1-octanal + H(+) + NADH. [EC:1.1.1.73, RHEA:24623]' - }, - 'GO:0004553': { - 'name': 'hydrolase activity, hydrolyzing O-glycosyl compounds', - 'def': 'Catalysis of the hydrolysis of any O-glycosyl bond. [GOC:mah]' - }, - 'GO:0004555': { - 'name': 'alpha,alpha-trehalase activity', - 'def': 'Catalysis of the reaction: alpha,alpha-trehalose + H2O = 2 D-glucose. [EC:3.2.1.28]' - }, - 'GO:0004556': { - 'name': 'alpha-amylase activity', - 'def': 'Catalysis of the endohydrolysis of (1->4)-alpha-D-glucosidic linkages in polysaccharides containing three or more alpha-(1->4)-linked D-glucose units. [EC:3.2.1.1]' - }, - 'GO:0004557': { - 'name': 'alpha-galactosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing alpha-D-galactose residues in alpha-D-galactosides, including galactose oligosaccharides, galactomannans and galactohydrolase. [EC:3.2.1.22]' - }, - 'GO:0004558': { - 'name': 'alpha-1,4-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing alpha-(1->4)-linked alpha-D-glucose residues with release of alpha-D-glucose. [EC:3.2.1.20]' - }, - 'GO:0004559': { - 'name': 'alpha-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing alpha-D-mannose residues in alpha-D-mannosides. [EC:3.2.1.24]' - }, - 'GO:0004560': { - 'name': 'alpha-L-fucosidase activity', - 'def': 'Catalysis of the reaction: an alpha-L-fucoside + H2O = an alcohol + L-fucose. [EC:3.2.1.51]' - }, - 'GO:0004561': { - 'name': 'alpha-N-acetylglucosaminidase activity', - 'def': 'Catalysis of the hydrolysis of terminal non-reducing N-acetyl-D-glucosamine residues in N-acetyl-alpha-D-glucosaminides. [EC:3.2.1.50]' - }, - 'GO:0004563': { - 'name': 'beta-N-acetylhexosaminidase activity', - 'def': 'Catalysis of the hydrolysis of terminal non-reducing N-acetyl-D-hexosamine residues in N-acetyl-beta-D-hexosaminides. [EC:3.2.1.52]' - }, - 'GO:0004564': { - 'name': 'beta-fructofuranosidase activity', - 'def': 'Catalysis of the reaction: a fructofuranosylated fructofuranosyl acceptor + H2O = a non fructofuranosylated fructofuranosyl acceptor + a beta-D-fructofuranoside. [EC:3.2.1.26, MetaCyc:RXN-9985]' - }, - 'GO:0004565': { - 'name': 'beta-galactosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing beta-D-galactose residues in beta-D-galactosides. [EC:3.2.1.23]' - }, - 'GO:0004566': { - 'name': 'beta-glucuronidase activity', - 'def': 'Catalysis of the reaction: a beta-D-glucuronoside + H2O = an alcohol + D-glucuronate. [EC:3.2.1.31]' - }, - 'GO:0004567': { - 'name': 'beta-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing beta-D-mannose residues in beta-D-mannosides. [EC:3.2.1.25]' - }, - 'GO:0004568': { - 'name': 'chitinase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-beta linkages of N-acetyl-D-glucosamine (GlcNAc) polymers of chitin and chitodextrins. [EC:3.2.1.14, GOC:bf, GOC:kah, GOC:pde, PMID:11468293]' - }, - 'GO:0004569': { - 'name': 'glycoprotein endo-alpha-1,2-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of the terminal alpha-glucosyl-(1,3)-mannosyl unit from Glc-Man(9)-(GlcNAc)(2) oligosaccharide component of the glycoprotein produced in the Golgi membrane. [EC:3.2.1.130]' - }, - 'GO:0004571': { - 'name': 'mannosyl-oligosaccharide 1,2-alpha-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of the terminal (1->2)-linked alpha-D-mannose residues in an oligo-mannose oligosaccharide. [GOC:bf, PMID:25092655]' - }, - 'GO:0004572': { - 'name': 'mannosyl-oligosaccharide 1,3-1,6-alpha-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of the terminal (1->3)- and (1->6)-linked alpha-D-mannose residues in the mannosyl-oligosaccharide Man(5)(GlcNAc)(3). [EC:3.2.1.114]' - }, - 'GO:0004573': { - 'name': 'mannosyl-oligosaccharide glucosidase activity', - 'def': 'Catalysis of the exohydrolysis of the non-reducing terminal glucose residue in the mannosyl-oligosaccharide Glc(3)Man(9)GlcNAc(2). [EC:3.2.1.106]' - }, - 'GO:0004574': { - 'name': 'oligo-1,6-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->6)-alpha-D-glucosidic linkages in some oligosaccharides produced from starch and glycogen by alpha-amylase, and in isomaltose. Releases a free alpha-D-glucose. [EC:3.2.1.10]' - }, - 'GO:0004575': { - 'name': 'sucrose alpha-glucosidase activity', - 'def': 'Catalysis of the reaction: sucrose + H2O = alpha-D-glucose + beta-D-fructose. [EC:3.2.1.48, MetaCyc:RXN-1461]' - }, - 'GO:0004576': { - 'name': 'oligosaccharyl transferase activity', - 'def': 'Catalysis of the transfer of a oligosaccharyl group to an acceptor molecule, typically another carbohydrate or a lipid. [GOC:ai]' - }, - 'GO:0004577': { - 'name': 'N-acetylglucosaminyldiphosphodolichol N-acetylglucosaminyltransferase activity', - 'def': "Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + N-acetyl-D-glucosaminyl-diphosphodolichol = UDP + N,N''-diacetylchitobiosyldiphosphodolichol. [EC:2.4.1.141]" - }, - 'GO:0004578': { - 'name': 'chitobiosyldiphosphodolichol beta-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-mannose + chitobiosyldiphosphodolichol = GDP + beta-D-mannosylchitobiosyldiphosphodolichol. [EC:2.4.1.142]' - }, - 'GO:0004579': { - 'name': 'dolichyl-diphosphooligosaccharide-protein glycotransferase activity', - 'def': 'Catalysis of the reaction: dolichyl diphosphooligosaccharide + protein L-asparagine = dolichyl diphosphate + a glycoprotein with the oligosaccharide chain attached by glycosylamine linkage to protein L-asparagine. [EC:2.4.1.119]' - }, - 'GO:0004581': { - 'name': 'dolichyl-phosphate beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + dolichyl phosphate = UDP + dolichyl beta-D-glucosyl phosphate. [EC:2.4.1.117]' - }, - 'GO:0004582': { - 'name': 'dolichyl-phosphate beta-D-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-mannose + dolichyl phosphate = GDP + dolichyl D-mannosyl phosphate. [EC:2.4.1.83]' - }, - 'GO:0004583': { - 'name': 'dolichyl-phosphate-glucose-glycolipid alpha-glucosyltransferase activity', - 'def': 'Catalysis of the transfer of an alpha-D-glucosyl residue from dolichyl-phosphate D-glucose into a membrane lipid-linked oligosaccharide. [GOC:mah]' - }, - 'GO:0004584': { - 'name': 'dolichyl-phosphate-mannose-glycolipid alpha-mannosyltransferase activity', - 'def': 'Catalysis of the transfer of an alpha-D-mannosyl residue from dolichyl-phosphate D-mannose into membrane lipid-linked oligosaccharide. [EC:2.4.1.130]' - }, - 'GO:0004585': { - 'name': 'ornithine carbamoyltransferase activity', - 'def': 'Catalysis of the reaction: carbamoyl phosphate + L-ornithine = phosphate + L-citrulline. [EC:2.1.3.3]' - }, - 'GO:0004586': { - 'name': 'ornithine decarboxylase activity', - 'def': 'Catalysis of the reaction: L-ornithine + H(+) = CO(2) + putrescine. [EC:4.1.1.17, RHEA:22967]' - }, - 'GO:0004587': { - 'name': 'ornithine-oxo-acid transaminase activity', - 'def': 'Catalysis of the reaction: L-ornithine + a 2-oxo acid = L-glutamate 5-semialdehyde + an L-amino acid. [EC:2.6.1.13]' - }, - 'GO:0004588': { - 'name': 'orotate phosphoribosyltransferase activity', - 'def': "Catalysis of the reaction: orotidine 5'-phosphate + diphosphate = orotate + 5-phospho-alpha-D-ribose 1-diphosphate. [EC:2.4.2.10]" - }, - 'GO:0004589': { - 'name': 'orotate reductase (NADH) activity', - 'def': 'Catalysis of the reaction: (S)-dihydroorotate + NAD(+) = H(+) + NADH + orotate. [EC:1.3.1.14, RHEA:13516]' - }, - 'GO:0004590': { - 'name': "orotidine-5'-phosphate decarboxylase activity", - 'def': "Catalysis of the reaction: H(+) + orotidine 5'-phosphate = CO(2) + UMP. [EC:4.1.1.23, RHEA:11599]" - }, - 'GO:0004591': { - 'name': 'oxoglutarate dehydrogenase (succinyl-transferring) activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + lipoamide = S-succinyldihydrolipoamide + CO2. [EC:1.2.4.2]' - }, - 'GO:0004592': { - 'name': 'pantoate-beta-alanine ligase activity', - 'def': 'Catalysis of the reaction: ATP + (R)-pantoate + beta-alanine = AMP + diphosphate + (R)-pantothenate. [EC:6.3.2.1]' - }, - 'GO:0004593': { - 'name': 'pantothenase activity', - 'def': 'Catalysis of the reaction: (R)-pantothenate + H(2)O = (R)-pantoate + beta-alanine. [EC:3.5.1.22, RHEA:12451]' - }, - 'GO:0004594': { - 'name': 'pantothenate kinase activity', - 'def': "Catalysis of the reaction: ATP + pantothenate = ADP + D-4'-phosphopantothenate. [EC:2.7.1.33]" - }, - 'GO:0004595': { - 'name': 'pantetheine-phosphate adenylyltransferase activity', - 'def': "Catalysis of the reaction: ATP + pantetheine 4'-phosphate = 3'-dephospho-CoA + diphosphate. [EC:2.7.7.3, RHEA:19804]" - }, - 'GO:0004596': { - 'name': 'peptide alpha-N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + peptide = CoA + N-alpha-acetylpeptide. This reaction is the acetylation of the N-terminal amino acid residue of a peptide or protein. [EC:2.3.1.88, GOC:mah]' - }, - 'GO:0004597': { - 'name': 'peptide-aspartate beta-dioxygenase activity', - 'def': 'Catalysis of the reaction: peptide L-aspartate + 2-oxoglutarate + O2 = peptide 3-hydroxy-L-aspartate + succinate + CO2. [EC:1.14.11.16]' - }, - 'GO:0004598': { - 'name': 'peptidylamidoglycolate lyase activity', - 'def': 'Catalysis of the reaction: peptidylamidoglycolate = peptidyl amide + glyoxylate. [EC:4.3.2.5]' - }, - 'GO:0004600': { - 'name': 'obsolete cyclophilin', - 'def': 'OBSOLETE. A protein to which cyclosporin A (an immunosuppressant) binds. Possesses peptidyl-prolyl isomerase activity. [EC:5.2.1.8, ISBN:0198506732]' - }, - 'GO:0004601': { - 'name': 'peroxidase activity', - 'def': 'Catalysis of the reaction: donor + hydrogen peroxide = oxidized donor + 2 H2O. [EC:1.11.1.7]' - }, - 'GO:0004602': { - 'name': 'glutathione peroxidase activity', - 'def': 'Catalysis of the reaction: 2 glutathione + hydrogen peroxide = oxidized glutathione + 2 H2O. [EC:1.11.1.9]' - }, - 'GO:0004603': { - 'name': 'phenylethanolamine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + phenylethanolamine = S-adenosyl-L-homocysteine + N-methylphenylethanolamine. [EC:2.1.1.28]' - }, - 'GO:0004604': { - 'name': 'phosphoadenylyl-sulfate reductase (thioredoxin) activity', - 'def': "Catalysis of the reaction: adenosine 3',5'-diphosphate + H(+) + sulfite + thioredoxin disulfide = 3'-phospho-5'-adenylyl sulfate + thioredoxin. Thioredoxin disulfide is the oxidized form of thioredoxin; 3'-phosphoadenosine 5'-phosphosulfate is also known as PAPS. [EC:1.8.4.8, RHEA:11727]" - }, - 'GO:0004605': { - 'name': 'phosphatidate cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: CTP + phosphatidate = diphosphate + CDP-diacylglycerol. [EC:2.7.7.41]' - }, - 'GO:0004607': { - 'name': 'phosphatidylcholine-sterol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: phosphatidylcholine + a sterol = a sterol ester + 1-acylglycerophosphocholine. [EC:2.3.1.43]' - }, - 'GO:0004608': { - 'name': 'phosphatidylethanolamine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + phosphatidylethanolamine = S-adenosyl-L-homocysteine + H(+) + phosphatidyl-N-methylethanolamine. [EC:2.1.1.17, RHEA:11167]' - }, - 'GO:0004609': { - 'name': 'phosphatidylserine decarboxylase activity', - 'def': 'Catalysis of the reaction: H(+) + phosphatidyl-L-serine = CO(2) + phosphatidylethanolamine. [EC:4.1.1.65, RHEA:20831]' - }, - 'GO:0004610': { - 'name': 'phosphoacetylglucosamine mutase activity', - 'def': 'Catalysis of the reaction: N-acetyl-alpha-D-glucosamine 1-phosphate = N-acetyl-D-glucosamine 6-phosphate. [EC:5.4.2.3, RHEA:23807]' - }, - 'GO:0004611': { - 'name': 'phosphoenolpyruvate carboxykinase activity', - 'def': 'Catalysis of the reaction: source of phosphate + oxaloacetate = phosphoenolpyruvate + CO2 + other reaction products. [EC:4.1.1.-]' - }, - 'GO:0004612': { - 'name': 'phosphoenolpyruvate carboxykinase (ATP) activity', - 'def': 'Catalysis of the reaction: ATP + oxaloacetate = ADP + CO(2) + H(+) + phosphoenolpyruvate. [EC:4.1.1.49, RHEA:18620]' - }, - 'GO:0004613': { - 'name': 'phosphoenolpyruvate carboxykinase (GTP) activity', - 'def': 'Catalysis of the reaction: GTP + oxaloacetate = GDP + phosphoenolpyruvate + CO2. [EC:4.1.1.32]' - }, - 'GO:0004614': { - 'name': 'phosphoglucomutase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 1-phosphate = alpha-D-glucose 6-phosphate. [EC:5.4.2.2]' - }, - 'GO:0004615': { - 'name': 'phosphomannomutase activity', - 'def': 'Catalysis of the reaction: alpha-D-mannose 1-phosphate = D-mannose 6-phosphate. [EC:5.4.2.8, RHEA:11143]' - }, - 'GO:0004616': { - 'name': 'phosphogluconate dehydrogenase (decarboxylating) activity', - 'def': 'Catalysis of the reaction: 6-phospho-D-gluconate + NADP+ = D-ribulose 5-phosphate + CO2 + NADPH + H+. [EC:1.1.1.44]' - }, - 'GO:0004617': { - 'name': 'phosphoglycerate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-phosphoglycerate + NAD+ = 3-phosphohydroxypyruvate + NADH + H+. [EC:1.1.1.95]' - }, - 'GO:0004618': { - 'name': 'phosphoglycerate kinase activity', - 'def': 'Catalysis of the reaction: 3-phospho-D-glycerate + ATP = 3-phospho-D-glyceroyl phosphate + ADP + H(+). [EC:2.7.2.3, RHEA:14804]' - }, - 'GO:0004619': { - 'name': 'phosphoglycerate mutase activity', - 'def': 'Catalysis of the reaction: 2-phospho-D-glycerate = 3-phospho-D-glycerate. [EC:5.4.2.1]' - }, - 'GO:0004620': { - 'name': 'phospholipase activity', - 'def': 'Catalysis of the hydrolysis of a glycerophospholipid. [ISBN:0198506732]' - }, - 'GO:0004621': { - 'name': 'glycosylphosphatidylinositol phospholipase D activity', - 'def': 'Catalysis of the reaction: glycoprotein phosphatidylinositol + H2O = phosphatidate + glycoprotein inositol. [EC:3.1.4.50]' - }, - 'GO:0004622': { - 'name': 'lysophospholipase activity', - 'def': 'Catalysis of the reaction: 2-lysophosphatidylcholine + H2O = glycerophosphocholine + a carboxylate. [EC:3.1.1.5]' - }, - 'GO:0004623': { - 'name': 'phospholipase A2 activity', - 'def': 'Catalysis of the reaction: phosphatidylcholine + H2O = 1-acylglycerophosphocholine + a carboxylate. [EC:3.1.1.4]' - }, - 'GO:0004624': { - 'name': 'obsolete secreted phospholipase A2 activity', - 'def': 'OBSOLETE. Catalysis of the reaction: phosphatidylcholine + H2O = 1-acylglycerophosphocholine + a fatty acid anion. [EC:3.1.1.4]' - }, - 'GO:0004625': { - 'name': 'obsolete calcium-dependent secreted phospholipase A2 activity', - 'def': 'OBSOLETE. Catalysis of the reaction: phosphatidylcholine + H2O = 1-acylglycerophosphocholine + a fatty acid anion. [EC:3.1.1.4]' - }, - 'GO:0004626': { - 'name': 'obsolete cytosolic phospholipase A2 activity', - 'def': 'OBSOLETE. Catalysis of the reaction: phosphatidylcholine + H2O = 1-acylglycerophosphocholine + a fatty acid anion. [EC:3.1.1.4]' - }, - 'GO:0004627': { - 'name': 'obsolete calcium-dependent cytosolic phospholipase A2 activity', - 'def': 'OBSOLETE. Catalysis of the reaction: phosphatidylcholine + H2O = 1-acylglycerophosphocholine + a fatty acid anion. [EC:3.1.1.4]' - }, - 'GO:0004628': { - 'name': 'obsolete calcium-independent cytosolic phospholipase A2 activity', - 'def': 'OBSOLETE. Catalysis of the reaction: phosphatidylcholine + H2O = 1-acylglycerophosphocholine + a fatty acid anion. [EC:3.1.1.4]' - }, - 'GO:0004629': { - 'name': 'phospholipase C activity', - 'def': 'Catalysis of the reaction: a phospholipid + H2O = 1,2-diacylglycerol + a phosphatidate. [EC:3.1.4.3, EC:3.1.4.4, GOC:mah]' - }, - 'GO:0004630': { - 'name': 'phospholipase D activity', - 'def': 'Catalysis of the reaction: a phosphatidylcholine + H2O = choline + a phosphatidate. [EC:3.1.4.4]' - }, - 'GO:0004631': { - 'name': 'phosphomevalonate kinase activity', - 'def': 'Catalysis of the reaction: (R)-5-phosphomevalonate + ATP = (R)-5-diphosphomevalonate + ADP + H(+). [EC:2.7.4.2, RHEA:16344]' - }, - 'GO:0004632': { - 'name': 'phosphopantothenate--cysteine ligase activity', - 'def': "Catalysis of the reaction: CTP + (R)-4'-phosphopantothenate + L-cysteine = CMP + diphosphate + (R)-4'-phosphopantothenoyl-L-cysteine. Cysteine can be replaced by some of its derivatives. [EC:6.3.2.5]" - }, - 'GO:0004633': { - 'name': 'phosphopantothenoylcysteine decarboxylase activity', - 'def': "Catalysis of the reaction: N-[(R)-4-phosphonatopantothenoyl]-L-cysteinate + H(+) = CO(2) + pantetheine 4'-phosphate. [EC:4.1.1.36, RHEA:16796]" - }, - 'GO:0004634': { - 'name': 'phosphopyruvate hydratase activity', - 'def': 'Catalysis of the reaction: 2-phospho-D-glycerate = phosphoenolpyruvate + H2O. [EC:4.2.1.11, ISBN:0198506732]' - }, - 'GO:0004635': { - 'name': 'phosphoribosyl-AMP cyclohydrolase activity', - 'def': "Catalysis of the reaction: 1-(5-phosphonatoribosyl)-5'-AMP + H(2)O = 1-(5-phosphoribosyl)-5-[(5-phosphoribosylamino)methylideneamino]imidazole-4-carboxamide. [EC:3.5.4.19, RHEA:20052]" - }, - 'GO:0004636': { - 'name': 'phosphoribosyl-ATP diphosphatase activity', - 'def': "Catalysis of the reaction: 1-(5-phospho-D-ribosyl)-ATP + H(2)O = 1-(5-phosphonatoribosyl)-5'-AMP + diphosphate + H(+). [EC:3.6.1.31, RHEA:22831]" - }, - 'GO:0004637': { - 'name': 'phosphoribosylamine-glycine ligase activity', - 'def': 'Catalysis of the reaction: 5-phospho-D-ribosylamine + ATP + glycine = N(1)-(5-phospho-D-ribosyl)glycinamide + ADP + 2 H(+) + phosphate. [EC:6.3.4.13, RHEA:17456]' - }, - 'GO:0004638': { - 'name': 'phosphoribosylaminoimidazole carboxylase activity', - 'def': 'Catalysis of the reaction: 5-amino-1-(5-phospho-D-ribosyl)imidazole-4-carboxylate + 2 H(+) = 5-amino-1-(5-phospho-D-ribosyl)imidazole + CO(2). [EC:4.1.1.21, RHEA:10795]' - }, - 'GO:0004639': { - 'name': 'phosphoribosylaminoimidazolesuccinocarboxamide synthase activity', - 'def': 'Catalysis of the reaction: 5-amino-1-(5-phospho-D-ribosyl)imidazole-4-carboxylate + L-aspartate + ATP = (2S)-2-[5-amino-1-(5-phospho-beta-D-ribosyl)imidazole-4-carboxamido]succinate + ADP + 2 H(+) + phosphate. [EC:6.3.2.6, RHEA:22631]' - }, - 'GO:0004640': { - 'name': 'phosphoribosylanthranilate isomerase activity', - 'def': 'Catalysis of the reaction: N-(5-phospho-beta-D-ribosyl)anthranilate = 1-(2-carboxyphenylamino)-1-deoxy-D-ribulose 5-phosphate. [EC:5.3.1.24, RHEA:21543]' - }, - 'GO:0004641': { - 'name': 'phosphoribosylformylglycinamidine cyclo-ligase activity', - 'def': 'Catalysis of the reaction: 2-(formamido)-N(1)-(5-phospho-D-ribosyl)acetamidine + ATP = 5-amino-1-(5-phospho-D-ribosyl)imidazole + ADP + 2 H(+) + phosphate. [EC:6.3.3.1, RHEA:23035]' - }, - 'GO:0004642': { - 'name': 'phosphoribosylformylglycinamidine synthase activity', - 'def': 'Catalysis of the reaction: N(2)-formyl-N(1)-(5-phospho-D-ribosyl)glycinamide + L-glutamine + ATP + H(2)O = 2-(formamido)-N(1)-(5-phospho-D-ribosyl)acetamidine + L-glutamate + ADP + 2 H(+) + phosphate. [EC:6.3.5.3, RHEA:17132]' - }, - 'GO:0004643': { - 'name': 'phosphoribosylaminoimidazolecarboxamide formyltransferase activity', - 'def': "Catalysis of the reaction: 10-formyltetrahydrofolate + 5'-phosphoribosyl-5-amino-4-imidazolecarboxamide = tetrahydrofolate + 5'-phosphoribosyl-5-formamido-4-imidazolecarboxamide. [EC:2.1.2.3]" - }, - 'GO:0004644': { - 'name': 'phosphoribosylglycinamide formyltransferase activity', - 'def': 'Catalysis of the reaction: 10-formyltetrahydrofolate + N1-(5-phospho-D-ribosyl)glycinamide = tetrahydrofolate + N2-formyl-N1-(5-phospho-D-ribosyl)glycinamide. [EC:2.1.2.2]' - }, - 'GO:0004645': { - 'name': 'phosphorylase activity', - 'def': 'Catalysis of the reaction: 1,4-alpha-D-glucosyl(n) + phosphate = 1,4-alpha-D-glucosyl(n-1) + alpha-D-glucose 1-phosphate. The name should be qualified in each instance by adding the name of the natural substrate, e.g. maltodextrin phosphorylase, starch phosphorylase, glycogen phosphorylase. [EC:2.4.1.1]' - }, - 'GO:0004647': { - 'name': 'phosphoserine phosphatase activity', - 'def': 'Catalysis of the reaction: L(or D)-O-phosphoserine + H2O = L(or D)-serine + phosphate. [EC:3.1.3.3]' - }, - 'GO:0004648': { - 'name': 'O-phospho-L-serine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: O-phospho-L-serine + 2-oxoglutarate = 3-phosphonooxypyruvate + L-glutamate. [EC:2.6.1.52]' - }, - 'GO:0004649': { - 'name': 'poly(ADP-ribose) glycohydrolase activity', - 'def': "Catalysis of the hydrolysis of poly(ADP-ribose) at glycosidic (1''-2') linkage of ribose-ribose bond to produce free ADP-ribose. [EC:3.2.1.143]" - }, - 'GO:0004650': { - 'name': 'polygalacturonase activity', - 'def': 'Catalysis of the random hydrolysis of (1->4)-alpha-D-galactosiduronic linkages in pectate and other galacturonans. [EC:3.2.1.15]' - }, - 'GO:0004651': { - 'name': "polynucleotide 5'-phosphatase activity", - 'def': "Catalysis of the reaction: 5'-phosphopolynucleotide + H2O = polynucleotide + phosphate. [EC:3.1.3.33]" - }, - 'GO:0004652': { - 'name': 'polynucleotide adenylyltransferase activity', - 'def': "Catalysis of the template-independent extension of the 3'- end of an RNA or DNA strand by addition of one adenosine molecule at a time. Cannot initiate a chain 'de novo'. The primer, depending on the source of the enzyme, may be an RNA or DNA fragment, or oligo(A) bearing a 3'-OH terminal group. [EC:2.7.7.19]" - }, - 'GO:0004653': { - 'name': 'polypeptide N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-galactosamine + polypeptide = UDP + N-acetyl-D-galactosaminyl-polypeptide. This reaction is the modification of serine or threonine residues in polypeptide chains by the transfer of a N-acetylgalactose from UDP-N-acetylgalactose to the hydroxyl group of the amino acid; it is the first step in O-glycan biosynthesis. [EC:2.4.1.41, ISBN:0879695595]' - }, - 'GO:0004654': { - 'name': 'polyribonucleotide nucleotidyltransferase activity', - 'def': 'Catalysis of the reaction: RNA(n+1) + phosphate <=> RNA(n) + a nucleoside diphosphate. [EC:2.7.7.8]' - }, - 'GO:0004655': { - 'name': 'porphobilinogen synthase activity', - 'def': 'Catalysis of the reaction: 2 5-aminolevulinate = 2 H(2)O + H(+) + porphobilinogen. [EC:4.2.1.24, RHEA:24067]' - }, - 'GO:0004656': { - 'name': 'procollagen-proline 4-dioxygenase activity', - 'def': 'Catalysis of the reaction: procollagen L-proline + 2-oxoglutarate + O2 = procollagen trans-4-hydroxy-L-proline + succinate + CO2. [EC:1.14.11.2]' - }, - 'GO:0004657': { - 'name': 'proline dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-proline + acceptor = (S)-1-pyrroline-5-carboxylate + reduced acceptor. [EC:1.5.99.8]' - }, - 'GO:0004658': { - 'name': 'propionyl-CoA carboxylase activity', - 'def': 'Catalysis of the reaction: ATP + propanoyl-CoA + HCO3- = ADP + phosphate + (S)-methylmalonyl-CoA. [EC:6.4.1.3]' - }, - 'GO:0004659': { - 'name': 'prenyltransferase activity', - 'def': 'Catalysis of the transfer of a prenyl group from one compound (donor) to another (acceptor). [GOC:mah]' - }, - 'GO:0004660': { - 'name': 'protein farnesyltransferase activity', - 'def': 'Catalysis of the reaction: farnesyl diphosphate + protein-cysteine = S-farnesyl protein + diphosphate. [EC:2.5.1.58, PMID:8621375]' - }, - 'GO:0004661': { - 'name': 'protein geranylgeranyltransferase activity', - 'def': 'Catalysis of the covalent addition of a geranylgeranyl (20-carbon isoprenoid) group via thioether linkages to a cysteine residue at or near the C terminus of a protein. [PMID:8621375]' - }, - 'GO:0004662': { - 'name': 'CAAX-protein geranylgeranyltransferase activity', - 'def': 'Catalysis of the reaction: geranylgeranyl diphosphate + protein-cysteine = S-geranylgeranyl-protein + diphosphate. This reaction is the formation of a thioether linkage between the C-1 atom of the geranylgeranyl group and a cysteine residue fourth from the C-terminus of the protein. The protein substrates have the C-terminal sequence CA1A2X, where the terminal residue, X, is preferably leucine and A2 should not be aromatic. Known substrates include most g-subunits of heterotrimeric G proteins and Ras-related GTPases such as members of the Ras and Rac/Rho families. [EC:2.5.1.59, PMID:8621375]' - }, - 'GO:0004663': { - 'name': 'Rab geranylgeranyltransferase activity', - 'def': 'Catalysis of the reaction: 2 geranylgeranyl diphosphate + protein-cysteine = 2 S-geranylgeranyl-protein + 2 diphosphate. This reaction is the formation of two thioether linkages between the C-1 atom of the geranylgeranyl groups and two cysteine residues within the terminal sequence motifs XXCC, XCXC or CCXX. Known substrates include Ras-related GTPases of a single family and the Rab family. [EC:2.5.1.60, GOC:mah, PMID:8621375]' - }, - 'GO:0004664': { - 'name': 'prephenate dehydratase activity', - 'def': 'Catalysis of the reaction: prephenate = phenylpyruvate + H2O + CO2. [EC:4.2.1.51]' - }, - 'GO:0004665': { - 'name': 'prephenate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP(+) + prephenate = (4-hydroxyphenyl)pyruvate + CO(2) + NADPH. [EC:1.3.1.13, RHEA:21643]' - }, - 'GO:0004666': { - 'name': 'prostaglandin-endoperoxide synthase activity', - 'def': 'Catalysis of the reaction: arachidonate + donor-H2 + 2 O2 = prostaglandin H2 + acceptor + H2O. [EC:1.14.99.1]' - }, - 'GO:0004667': { - 'name': 'prostaglandin-D synthase activity', - 'def': 'Catalysis of the reaction: prostaglandin H(2) = prostaglandin D(2). [EC:5.3.99.2, RHEA:10603]' - }, - 'GO:0004668': { - 'name': 'protein-arginine deiminase activity', - 'def': 'Catalysis of the reaction: protein L-arginine + H2O = protein L-citrulline + NH3. [EC:3.5.3.15]' - }, - 'GO:0004671': { - 'name': 'protein C-terminal S-isoprenylcysteine carboxyl O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + protein C-terminal S-farnesyl-L-cysteine = S-adenosyl-L-homocysteine + protein C-terminal S-farnesyl-L-cysteine methyl ester. [EC:2.1.1.100]' - }, - 'GO:0004672': { - 'name': 'protein kinase activity', - 'def': 'Catalysis of the phosphorylation of an amino acid residue in a protein, usually according to the reaction: a protein + ATP = a phosphoprotein + ADP. [MetaCyc:PROTEIN-KINASE-RXN]' - }, - 'GO:0004673': { - 'name': 'protein histidine kinase activity', - 'def': 'Catalysis of the reaction: ATP + protein L-histidine = ADP + protein phospho-L-histidine. [EC:2.7.13.3, GOC:mah]' - }, - 'GO:0004674': { - 'name': 'protein serine/threonine kinase activity', - 'def': 'Catalysis of the reactions: ATP + protein serine = ADP + protein serine phosphate, and ATP + protein threonine = ADP + protein threonine phosphate. [GOC:bf]' - }, - 'GO:0004675': { - 'name': 'transmembrane receptor protein serine/threonine kinase activity', - 'def': 'Combining with a signal and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: ATP protein serine = ADP + protein serine phosphate, and ATP + protein threonine = ADP + protein threonine phosphate. [EC:2.7.11.30]' - }, - 'GO:0004676': { - 'name': '3-phosphoinositide-dependent protein kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires the presence of a phosphatidylinositol-3-phosphate. [GOC:mah]' - }, - 'GO:0004677': { - 'name': 'DNA-dependent protein kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires the presence of DNA. [GOC:mah]' - }, - 'GO:0004679': { - 'name': 'AMP-activated protein kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires the presence of AMP. [GOC:mah]' - }, - 'GO:0004680': { - 'name': 'obsolete casein kinase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004681': { - 'name': 'obsolete casein kinase I activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0004682': { - 'name': 'obsolete protein kinase CK2 activity', - 'def': 'OBSOLETE. Catalysis of the reaction: casein + ATP = phosphocasein + ADP. [EC:2.7.11.1]' - }, - 'GO:0004683': { - 'name': 'calmodulin-dependent protein kinase activity', - 'def': 'Catalysis of the reactions: ATP + a protein serine = ADP + protein serine phosphate; and ATP + a protein threonine = ADP + protein threonine phosphate. These reactions require the presence of calcium-bound calmodulin. [GOC:mah, PMID:11264466]' - }, - 'GO:0004686': { - 'name': 'elongation factor-2 kinase activity', - 'def': 'Catalysis of the reaction: ATP + [elongation factor 2] = ADP + [elongation factor 2] phosphate. [EC:2.7.11.20, MetaCyc:2.7.11.20-RXN]' - }, - 'GO:0004687': { - 'name': 'myosin light chain kinase activity', - 'def': 'Catalysis of the reaction: ATP + myosin-light-chain = ADP + myosin-light-chain phosphate. [EC:2.7.11.18]' - }, - 'GO:0004689': { - 'name': 'phosphorylase kinase activity', - 'def': 'Catalysis of the reaction: 4 ATP + 2 phosphorylase b = 4 ADP + phosphorylase a. [EC:2.7.11.19]' - }, - 'GO:0004690': { - 'name': 'cyclic nucleotide-dependent protein kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires the presence of a cyclic nucleotide. [GOC:mah]' - }, - 'GO:0004691': { - 'name': 'cAMP-dependent protein kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires the presence of cAMP. [EC:2.7.11.11]' - }, - 'GO:0004692': { - 'name': 'cGMP-dependent protein kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires the presence of cGMP. [GOC:mah]' - }, - 'GO:0004693': { - 'name': 'cyclin-dependent protein serine/threonine kinase activity', - 'def': 'Catalysis of the reactions: ATP + protein serine = ADP + protein serine phosphate, and ATP + protein threonine = ADP + protein threonine phosphate. This reaction requires the binding of a regulatory cyclin subunit and full activity requires stimulatory phosphorylation by a CDK-activating kinase (CAK). [GOC:pr, GOC:rn, PMID:7877684, PMID:9841670]' - }, - 'GO:0004694': { - 'name': 'eukaryotic translation initiation factor 2alpha kinase activity', - 'def': 'Catalysis of the reaction: ATP + [eukaryotic translation initiation factor 2 alpha subunit] = ADP + [eukaryotic translation initiation factor 2 alpha subunit] phosphate. [GOC:mah, InterPro:IPR015516]' - }, - 'GO:0004697': { - 'name': 'protein kinase C activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires diacylglycerol. [EC:2.7.11.13]' - }, - 'GO:0004698': { - 'name': 'calcium-dependent protein kinase C activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires diacylglycerol and calcium. [EC:2.7.11.13, GOC:mah]' - }, - 'GO:0004699': { - 'name': 'calcium-independent protein kinase C activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires diacylglycerol but not calcium. [EC:2.7.11.13, GOC:mah]' - }, - 'GO:0004702': { - 'name': 'signal transducer, downstream of receptor, with serine/threonine kinase activity', - 'def': 'Conveys a signal from an upstream receptor or intracellular signal transducer by catalysis of the reaction: ATP protein serine = ADP + protein serine phosphate, and ATP + protein threonine = ADP + protein threonine phosphate. [EC:2.7.11.13, GOC:bf, GOC:mah]' - }, - 'GO:0004703': { - 'name': 'G-protein coupled receptor kinase activity', - 'def': 'Catalysis of the reaction: ATP + G-protein coupled receptor = ADP + G-protein coupled receptor phosphate. [GOC:dph]' - }, - 'GO:0004704': { - 'name': 'NF-kappaB-inducing kinase activity', - 'def': 'Catalysis of the phosphorylation of the alpha or beta subunit of the inhibitor of kappaB kinase complex (IKK). [PMID:20685151]' - }, - 'GO:0004705': { - 'name': 'JUN kinase activity', - 'def': 'Catalysis of the reaction: JUN + ATP = JUN phosphate + ADP. This reaction is the phosphorylation and activation of members of the JUN family, a gene family that encodes nuclear transcription factors. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0004706': { - 'name': 'JUN kinase kinase kinase activity', - 'def': 'Catalysis of the reaction: JNKK + ATP = JNKK phosphate + ADP. This reaction is the phosphorylation and activation of JUN kinase kinases (JNKKs). [GOC:bf]' - }, - 'GO:0004707': { - 'name': 'MAP kinase activity', - 'def': 'Catalysis of the reaction: protein + ATP = protein phosphate + ADP. This reaction is the phosphorylation of proteins. Mitogen-activated protein kinase; a family of protein kinases that perform a crucial step in relaying signals from the plasma membrane to the nucleus. They are activated by a wide range of proliferation- or differentiation-inducing signals; activation is strong with agonists such as polypeptide growth factors and tumor-promoting phorbol esters, but weak (in most cell backgrounds) by stress stimuli. [GOC:ma, ISBN:0198547684]' - }, - 'GO:0004708': { - 'name': 'MAP kinase kinase activity', - 'def': 'Catalysis of the concomitant phosphorylation of threonine (T) and tyrosine (Y) residues in a Thr-Glu-Tyr (TEY) thiolester sequence in a MAP kinase (MAPK) substrate. [ISBN:0198547684]' - }, - 'GO:0004709': { - 'name': 'MAP kinase kinase kinase activity', - 'def': 'Catalysis of the phosphorylation and activation of a MAP kinase kinase; each MAP kinase kinase can be phosphorylated by any of several MAP kinase kinase kinases. [PMID:9561267]' - }, - 'GO:0004711': { - 'name': 'ribosomal protein S6 kinase activity', - 'def': 'Catalysis of the reaction: ribosomal protein S6 + ATP = ribosomal protein S6 phosphate + ATP. [GOC:mah, PMID:9822608]' - }, - 'GO:0004712': { - 'name': 'protein serine/threonine/tyrosine kinase activity', - 'def': 'Catalysis of the reactions: ATP + a protein serine = ADP + protein serine phosphate; ATP + a protein threonine = ADP + protein threonine phosphate; and ATP + a protein tyrosine = ADP + protein tyrosine phosphate. [GOC:mah]' - }, - 'GO:0004713': { - 'name': 'protein tyrosine kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein tyrosine = ADP + protein tyrosine phosphate. [EC:2.7.10]' - }, - 'GO:0004714': { - 'name': 'transmembrane receptor protein tyrosine kinase activity', - 'def': 'Combining with a signal and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: ATP + a protein-L-tyrosine = ADP + a protein-L-tyrosine phosphate. [EC:2.7.10.1, GOC:mah]' - }, - 'GO:0004715': { - 'name': 'non-membrane spanning protein tyrosine kinase activity', - 'def': 'Catalysis of the reaction: ATP + protein L-tyrosine = ADP + protein L-tyrosine phosphate by a non-membrane spanning protein. [EC:2.7.10.2]' - }, - 'GO:0004716': { - 'name': 'signal transducer, downstream of receptor, with protein tyrosine kinase activity', - 'def': 'Conveys a signal from an upstream receptor or intracellular signal transducer by catalysis of the reaction: ATP + a protein-L-tyrosine = ADP + a protein-L-tyrosine phosphate. [EC:2.7.10.2]' - }, - 'GO:0004717': { - 'name': 'obsolete focal adhesion kinase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jid]' - }, - 'GO:0004719': { - 'name': 'protein-L-isoaspartate (D-aspartate) O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + protein L-beta-aspartate = S-adenosyl-L-homocysteine + protein L-beta-aspartate methyl ester. [EC:2.1.1.77]' - }, - 'GO:0004720': { - 'name': 'protein-lysine 6-oxidase activity', - 'def': 'Catalysis of the reaction: peptidyl-L-lysyl-peptide + H2O + O2 = peptidyl-allysyl-peptide + NH3 + hydrogen peroxide. [EC:1.4.3.13]' - }, - 'GO:0004721': { - 'name': 'phosphoprotein phosphatase activity', - 'def': 'Catalysis of the reaction: a phosphoprotein + H2O = a protein + phosphate. Together with protein kinases, these enzymes control the state of phosphorylation of cell proteins and thereby provide an important mechanism for regulating cellular activity. [EC:3.1.3.16, ISBN:0198547684]' - }, - 'GO:0004722': { - 'name': 'protein serine/threonine phosphatase activity', - 'def': 'Catalysis of the reaction: protein serine phosphate + H2O = protein serine + phosphate, and protein threonine phosphate + H2O = protein threonine + phosphate. [GOC:bf]' - }, - 'GO:0004723': { - 'name': 'calcium-dependent protein serine/threonine phosphatase activity', - 'def': 'Catalysis of the reactions: protein serine phosphate + H2O = protein serine + phosphate; and protein threonine phosphate + H2O = protein threonine + phosphate. These reactions require the presence of calcium ions. [EC:3.1.3.16, GOC:mah]' - }, - 'GO:0004724': { - 'name': 'magnesium-dependent protein serine/threonine phosphatase activity', - 'def': 'Catalysis of the reactions: protein serine phosphate + H2O = protein serine + phosphate; and protein threonine phosphate + H2O = protein threonine + phosphate. These reactions require the presence of magnesium. [EC:3.1.3.16]' - }, - 'GO:0004725': { - 'name': 'protein tyrosine phosphatase activity', - 'def': 'Catalysis of the reaction: protein tyrosine phosphate + H2O = protein tyrosine + phosphate. [EC:3.1.3.48]' - }, - 'GO:0004726': { - 'name': 'non-membrane spanning protein tyrosine phosphatase activity', - 'def': 'Catalysis of the reaction: non-membrane spanning protein tyrosine phosphate + H2O = non-membrane spanning protein tyrosine + phosphate. [EC:3.1.3.48]' - }, - 'GO:0004727': { - 'name': 'prenylated protein tyrosine phosphatase activity', - 'def': 'Catalysis of the reaction: prenylated-protein tyrosine phosphate + H2O = prenylated-protein tyrosine + phosphate. [EC:3.1.3.48]' - }, - 'GO:0004728': { - 'name': 'signal transducer, downstream of receptor, with protein tyrosine phosphatase activity', - 'def': 'Conveys a signal from an upstream receptor or intracellular signal transducer by catalysis of the reaction: protein tyrosine phosphate + H2O = protein tyrosine + phosphate. [EC:3.1.3.48]' - }, - 'GO:0004729': { - 'name': 'oxygen-dependent protoporphyrinogen oxidase activity', - 'def': 'Catalysis of the reaction: 3 O(2) + protoporphyrinogen IX = 3 H(2)O(2) + protoporphyrin IX. [EC:1.3.3.4, RHEA:25579]' - }, - 'GO:0004730': { - 'name': 'pseudouridylate synthase activity', - 'def': "Catalysis of the reaction: D-ribose 5-phosphate + uracil = H(2)O + pseudouridine 5'-phosphate. [EC:4.2.1.70, RHEA:18340]" - }, - 'GO:0004731': { - 'name': 'purine-nucleoside phosphorylase activity', - 'def': 'Catalysis of the reaction: purine nucleoside + phosphate = purine + alpha-D-ribose 1-phosphate. [EC:2.4.2.1]' - }, - 'GO:0004732': { - 'name': 'pyridoxal oxidase activity', - 'def': 'Catalysis of the reaction: pyridoxal + H2O + O2 = 4-pyridoxate + hydrogen peroxide. [EC:1.2.3.8]' - }, - 'GO:0004733': { - 'name': 'pyridoxamine-phosphate oxidase activity', - 'def': "Catalysis of the reaction: pyridoxamine 5'-phosphate + H2O + O2 = pyridoxal 5'-phosphate + NH3 + hydrogen peroxide. [EC:1.4.3.5]" - }, - 'GO:0004734': { - 'name': 'pyrimidodiazepine synthase activity', - 'def': 'Catalysis of the reaction: a pyrimidodiazepine + oxidized glutathione = 6-pyruvoyltetrahydropterin + 2 glutathione. [EC:1.5.4.1]' - }, - 'GO:0004735': { - 'name': 'pyrroline-5-carboxylate reductase activity', - 'def': 'Catalysis of the reaction: L-proline + NADP+ = 1-pyrroline-5-carboxylate + NADPH + H+. [EC:1.5.1.2]' - }, - 'GO:0004736': { - 'name': 'pyruvate carboxylase activity', - 'def': 'Catalysis of the reaction: ATP + bicarbonate + pyruvate = ADP + 2 H(+) + oxaloacetate + phosphate. [EC:6.4.1.1, RHEA:20847]' - }, - 'GO:0004737': { - 'name': 'pyruvate decarboxylase activity', - 'def': 'Catalysis of the reaction: a 2-oxo acid = an aldehyde + CO2. [EC:4.1.1.1]' - }, - 'GO:0004738': { - 'name': 'pyruvate dehydrogenase activity', - 'def': 'Catalysis of the oxidative decarboxylation of pyruvate. [ISBN:0716020094]' - }, - 'GO:0004739': { - 'name': 'pyruvate dehydrogenase (acetyl-transferring) activity', - 'def': 'Catalysis of the reaction: pyruvate + lipoamide = S-acetyldihydrolipoamide + CO2. [EC:1.2.4.1]' - }, - 'GO:0004740': { - 'name': 'pyruvate dehydrogenase (acetyl-transferring) kinase activity', - 'def': 'Catalysis of the reaction: ATP + pyruvate dehydrogenase (acetyl-transferring) = ADP + pyruvate dehydrogenase (acetyl-transferring) phosphate. [EC:2.7.11.2]' - }, - 'GO:0004741': { - 'name': '[pyruvate dehydrogenase (lipoamide)] phosphatase activity', - 'def': 'Catalysis of the reaction: [pyruvate dehydrogenase (lipoamide)] phosphate + H2O = [pyruvate dehydrogenase (lipoamide)] + phosphate. [EC:3.1.3.43]' - }, - 'GO:0004742': { - 'name': 'dihydrolipoyllysine-residue acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + dihydrolipoamide = CoA + S-acetyldihydrolipoamide. [EC:2.3.1.12]' - }, - 'GO:0004743': { - 'name': 'pyruvate kinase activity', - 'def': 'Catalysis of the reaction: ATP + pyruvate = ADP + phosphoenolpyruvate. [EC:2.7.1.40]' - }, - 'GO:0004744': { - 'name': 'retinal isomerase activity', - 'def': 'Catalysis of the reaction: all-trans-retinal = 11-cis-retinal. [RHEA:24127]' - }, - 'GO:0004745': { - 'name': 'retinol dehydrogenase activity', - 'def': 'Catalysis of the reaction: retinol + NAD+ = retinal + NADH + H+. [EC:1.1.1.105]' - }, - 'GO:0004746': { - 'name': 'riboflavin synthase activity', - 'def': 'Catalysis of the reaction: 2 6,7-dimethyl-8-(1-D-ribityl)lumazine + H(+) = 5-amino-6-(D-ribitylamino)uracil + riboflavin. [EC:2.5.1.9, RHEA:20775]' - }, - 'GO:0004747': { - 'name': 'ribokinase activity', - 'def': 'Catalysis of the reaction: ATP + D-ribose = ADP + D-ribose 5-phosphate. [EC:2.7.1.15]' - }, - 'GO:0004748': { - 'name': 'ribonucleoside-diphosphate reductase activity, thioredoxin disulfide as acceptor', - 'def': "Catalysis of the reaction: 2'-deoxyribonucleoside diphosphate + thioredoxin disulfide + H2O = ribonucleoside diphosphate + thioredoxin. Thioredoxin disulfide is the oxidized form of thioredoxin. [EC:1.17.4.1]" - }, - 'GO:0004749': { - 'name': 'ribose phosphate diphosphokinase activity', - 'def': 'Catalysis of the reaction: D-ribose 5-phosphate + ATP = 5-phospho-alpha-D-ribose 1-diphosphate + AMP + 2 H(+). [EC:2.7.6.1, RHEA:15612]' - }, - 'GO:0004750': { - 'name': 'ribulose-phosphate 3-epimerase activity', - 'def': 'Catalysis of the reaction: D-ribulose 5-phosphate = D-xylulose 5-phosphate. [EC:5.1.3.1, RHEA:13680]' - }, - 'GO:0004751': { - 'name': 'ribose-5-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-ribose 5-phosphate = D-ribulose 5-phosphate. [EC:5.3.1.6, RHEA:14660]' - }, - 'GO:0004753': { - 'name': 'saccharopine dehydrogenase activity', - 'def': 'Catalysis of the cleavage of N6-(L-1,3-dicarboxypropyl)-L-lysine to release an amino acid (lysine or glutamate), with the concomitant reduction of an electron acceptor. [GOC:mah]' - }, - 'GO:0004754': { - 'name': 'saccharopine dehydrogenase (NAD+, L-lysine-forming) activity', - 'def': 'Catalysis of the reaction: L-saccharopine + H(2)O + NAD(+) = 2-oxoglutarate + L-lysine + H(+) + NADH. [EC:1.5.1.7, RHEA:12443]' - }, - 'GO:0004755': { - 'name': 'saccharopine dehydrogenase (NADP+, L-glutamate-forming) activity', - 'def': 'Catalysis of the reaction: L-saccharopine + H(2)O + NADP(+) = L-allysine + L-glutamate + H(+) + NADPH. [EC:1.5.1.10, RHEA:10023]' - }, - 'GO:0004756': { - 'name': 'selenide, water dikinase activity', - 'def': 'Catalysis of the reaction: ATP + H(2)O + hydrogen selenide = AMP + 3 H(+) + phosphate + selenophosphorate. [EC:2.7.9.3, RHEA:18740]' - }, - 'GO:0004757': { - 'name': 'sepiapterin reductase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydrobiopterin + NADP+ = sepiapterin + NADPH + H+. [EC:1.1.1.153]' - }, - 'GO:0004758': { - 'name': 'serine C-palmitoyltransferase activity', - 'def': 'Catalysis of the reaction: L-serine + H(+) + palmitoyl-CoA = 3-dehydrosphinganine + CO(2) + CoA. [EC:2.3.1.50, RHEA:14764]' - }, - 'GO:0004760': { - 'name': 'serine-pyruvate transaminase activity', - 'def': 'Catalysis of the reaction: L-serine + pyruvate = 3-hydroxypyruvate + L-alanine. [EC:2.6.1.51, RHEA:22855]' - }, - 'GO:0004764': { - 'name': 'shikimate 3-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: shikimate + NADP+ = 3-dehydroshikimate + NADPH + H+. [EC:1.1.1.25]' - }, - 'GO:0004765': { - 'name': 'shikimate kinase activity', - 'def': 'Catalysis of the reaction: ATP + shikimate = 3-phosphoshikimate + ADP + 2 H(+). [EC:2.7.1.71, RHEA:13124]' - }, - 'GO:0004766': { - 'name': 'spermidine synthase activity', - 'def': "Catalysis of the reaction: S-adenosylmethioninamine + putrescine = 5'-methylthioadenosine + spermidine. [EC:2.5.1.16]" - }, - 'GO:0004767': { - 'name': 'sphingomyelin phosphodiesterase activity', - 'def': 'Catalysis of the reaction: H(2)O + sphingomyelin = ceramide + choline phosphate + H(+). [EC:3.1.4.12, RHEA:19256]' - }, - 'GO:0004768': { - 'name': 'stearoyl-CoA 9-desaturase activity', - 'def': 'Catalysis of the reaction: stearoyl-CoA + 2 ferrocytochrome b5 + O2 + 2 H+ = oleoyl-CoA + 2 ferricytochrome b5 + H2O. [EC:1.14.19.1]' - }, - 'GO:0004769': { - 'name': 'steroid delta-isomerase activity', - 'def': 'Catalysis of the reaction: a 3-oxo-delta(5)-steroid = a 3-oxo-delta(4)-steroid. [EC:5.3.3.1]' - }, - 'GO:0004771': { - 'name': 'sterol esterase activity', - 'def': 'Catalysis of the reaction: a steryl ester + H2O = a sterol + a fatty acid. [EC:3.1.1.13]' - }, - 'GO:0004772': { - 'name': 'sterol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + a sterol = CoA + a sterol ester. [EC:2.3.1.26, GOC:mah]' - }, - 'GO:0004773': { - 'name': 'steryl-sulfatase activity', - 'def': 'Catalysis of the reaction: 3-beta-hydroxyandrost-5-en-17-one 3-sulfate + H2O = 3-beta-hydroxyandrost-5-en-17-one + sulfate. [EC:3.1.6.2]' - }, - 'GO:0004774': { - 'name': 'succinate-CoA ligase activity', - 'def': 'Catalysis of the reaction: succinate + CoA + nucleotide triphosphate = nucleotide diphosphate + phosphate + succinyl-CoA. [EC:6.2.1.-, GOC:ai]' - }, - 'GO:0004775': { - 'name': 'succinate-CoA ligase (ADP-forming) activity', - 'def': 'Catalysis of the reaction: ATP + succinate + CoA = ADP + succinyl-CoA + phosphate. [EC:6.2.1.5]' - }, - 'GO:0004776': { - 'name': 'succinate-CoA ligase (GDP-forming) activity', - 'def': 'Catalysis of the reaction: GTP + succinate + CoA = GDP + succinyl-CoA + phosphate. [EC:6.2.1.4]' - }, - 'GO:0004777': { - 'name': 'succinate-semialdehyde dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: succinate semialdehyde + NAD+ + H2O = succinate + NADH + H+. [EC:1.2.1.24]' - }, - 'GO:0004778': { - 'name': 'succinyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + succinyl-CoA = CoA + H(+) + succinate. [EC:3.1.2.3, RHEA:11519]' - }, - 'GO:0004779': { - 'name': 'sulfate adenylyltransferase activity', - 'def': 'Catalysis of the transfer of an adenylyl group from an adenosine nucleotide (ATP or ADP) to sulfate, forming adenylylsulfate. [GOC:mah, MetaCyc:SULFATE-ADENYLYLTRANS-RXN, MetaCyc:SULFATE-ADENYLYLTRANSFERASE-ADP-RXN]' - }, - 'GO:0004780': { - 'name': 'sulfate adenylyltransferase (ADP) activity', - 'def': "Catalysis of the reaction: ADP + H(+) + sulfate = 5'-adenylyl sulfate + phosphate. [EC:2.7.7.5, RHEA:16532]" - }, - 'GO:0004781': { - 'name': 'sulfate adenylyltransferase (ATP) activity', - 'def': 'Catalysis of the reaction: ATP + sulfate = diphosphate + adenylylsulfate. [EC:2.7.7.4]' - }, - 'GO:0004782': { - 'name': 'sulfinoalanine decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-sulfino-L-alanine = hypotaurine + CO2. [EC:4.1.1.29]' - }, - 'GO:0004783': { - 'name': 'sulfite reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: hydrogen sulfide + 3 NADP+ + 3 H2O = sulfite + 3 NADPH + 3 H+. [EC:1.8.1.2]' - }, - 'GO:0004784': { - 'name': 'superoxide dismutase activity', - 'def': 'Catalysis of the reaction: 2 superoxide + 2 H+ = O2 + hydrogen peroxide. [EC:1.15.1.1, GOC:vw, PMID:15064408]' - }, - 'GO:0004786': { - 'name': 'obsolete Mn, Fe superoxide dismutase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0004787': { - 'name': 'thiamine-pyrophosphatase activity', - 'def': 'Catalysis of the reaction: TDP + H2O = TMP + phosphate. [EC:3.6.1.-, GOC:ai]' - }, - 'GO:0004788': { - 'name': 'thiamine diphosphokinase activity', - 'def': 'Catalysis of the reaction: ATP + thiamine = AMP + thiamine diphosphate. [EC:2.7.6.2]' - }, - 'GO:0004789': { - 'name': 'thiamine-phosphate diphosphorylase activity', - 'def': 'Catalysis of the reaction: 4-amino-2-methyl-5-diphosphomethylpyrimidine + 4-methyl-5-(2-phosphoethyl)-thiazole + H(+) = diphosphate + thiamine phosphate. [EC:2.5.1.3, RHEA:22331]' - }, - 'GO:0004790': { - 'name': 'thioether S-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + dimethyl sulfide = S-adenosyl-L-homocysteine + trimethylsulfonium. [EC:2.1.1.96, RHEA:19616]' - }, - 'GO:0004791': { - 'name': 'thioredoxin-disulfide reductase activity', - 'def': 'Catalysis of the reaction: NADP(+) + thioredoxin = H(+) + NADPH + thioredoxin disulfide. [EC:1.8.1.9, RHEA:20348]' - }, - 'GO:0004792': { - 'name': 'thiosulfate sulfurtransferase activity', - 'def': 'Catalysis of the reaction: hydrogen cyanide + thiosulfate = H(+) + sulfite + thiocyanate. [EC:2.8.1.1, RHEA:16884]' - }, - 'GO:0004793': { - 'name': 'threonine aldolase activity', - 'def': 'Catalysis of the reaction: L-threonine = glycine + acetaldehyde. [EC:4.1.2.5]' - }, - 'GO:0004794': { - 'name': 'L-threonine ammonia-lyase activity', - 'def': 'Catalysis of the reaction: L-threonine = 2-oxobutanoate + NH3. [EC:4.3.1.19]' - }, - 'GO:0004795': { - 'name': 'threonine synthase activity', - 'def': 'Catalysis of the reaction: O-phospho-L-homoserine + H2O = L-threonine + phosphate. [EC:4.2.3.1]' - }, - 'GO:0004796': { - 'name': 'thromboxane-A synthase activity', - 'def': 'Catalysis of the reaction: prostaglandin H(2) = thromboxane A(2). [EC:5.3.99.5, RHEA:17140]' - }, - 'GO:0004797': { - 'name': 'thymidine kinase activity', - 'def': "Catalysis of the reaction: ATP + thymidine = ADP + thymidine 5'-phosphate. [EC:2.7.1.21]" - }, - 'GO:0004798': { - 'name': 'thymidylate kinase activity', - 'def': "Catalysis of the reaction: ATP + thymidine 5'-phosphate = ADP + thymidine 5'-diphosphate. [EC:2.7.4.9]" - }, - 'GO:0004799': { - 'name': 'thymidylate synthase activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + dUMP = 7,8-dihydrofolate + thymidylate. [EC:2.1.1.45, RHEA:12107]' - }, - 'GO:0004800': { - 'name': "thyroxine 5'-deiodinase activity", - 'def': "Catalysis of the reaction: 3,5,3'-L-triiodo-L-thyronine + iodide + acceptor + H+ = L-thyroxine + donor-H2. [EC:1.97.1.10]" - }, - 'GO:0004801': { - 'name': 'sedoheptulose-7-phosphate:D-glyceraldehyde-3-phosphate glyceronetransferase activity', - 'def': 'Catalysis of the reaction: sedoheptulose 7-phosphate + D-glyceraldehyde 3-phosphate = D-erythrose 4-phosphate + D-fructose 6-phosphate. [EC:2.2.1.2]' - }, - 'GO:0004802': { - 'name': 'transketolase activity', - 'def': 'Catalysis of the reversible transfer of a 2-carbon ketol group (CH2OH-CO-) from a ketose phosphate donor to an aldose phosphate acceptor. [EC:2.2.1.1, GOC:fmc]' - }, - 'GO:0004803': { - 'name': 'transposase activity', - 'def': 'Catalysis of the transposition of transposable elements or transposons. Transposases are involved in recombination required for transposition and are site-specific for the transposon/transposable element. [GOC:bm, ISBN:0198506732]' - }, - 'GO:0004805': { - 'name': 'trehalose-phosphatase activity', - 'def': 'Catalysis of the reaction: trehalose 6-phosphate + H2O = trehalose + phosphate. [EC:3.1.3.12]' - }, - 'GO:0004806': { - 'name': 'triglyceride lipase activity', - 'def': 'Catalysis of the reaction: triacylglycerol + H2O = diacylglycerol + a carboxylate. [EC:3.1.1.3]' - }, - 'GO:0004807': { - 'name': 'triose-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde 3-phosphate = glycerone phosphate. [EC:5.3.1.1, RHEA:18588]' - }, - 'GO:0004808': { - 'name': 'tRNA (5-methylaminomethyl-2-thiouridylate)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA containing 5-aminomethyl-2-thiouridine = S-adenosyl-L-homocysteine + tRNA containing 5-methylaminomethyl-2-thiouridylate. [EC:2.1.1.61, GOC:imk]' - }, - 'GO:0004809': { - 'name': 'tRNA (guanine-N2-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA containing guanine = S-adenosyl-L-homocysteine + tRNA containing N2-methylguanine. [EC:2.1.1.32]' - }, - 'GO:0004810': { - 'name': 'tRNA adenylyltransferase activity', - 'def': 'Catalysis of the reaction: ATP + tRNA(n) = diphosphate + tRNA(n+1). [EC:2.7.7.25]' - }, - 'GO:0004812': { - 'name': 'aminoacyl-tRNA ligase activity', - 'def': 'Catalysis of the formation of aminoacyl-tRNA from ATP, amino acid, and tRNA with the release of diphosphate and AMP. [ISBN:0198506732]' - }, - 'GO:0004813': { - 'name': 'alanine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-alanine + tRNA(Ala) = AMP + diphosphate + L-alanyl-tRNA(Ala). [EC:6.1.1.7]' - }, - 'GO:0004814': { - 'name': 'arginine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-arginine + tRNA(Arg) = AMP + diphosphate + L-arginyl-tRNA(Arg). [EC:6.1.1.19]' - }, - 'GO:0004815': { - 'name': 'aspartate-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-aspartate + tRNA(Asp) = AMP + diphosphate + L-aspartyl-tRNA(Asp). [EC:6.1.1.12]' - }, - 'GO:0004816': { - 'name': 'asparagine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: L-asparagine + ATP + tRNA(Asn) = AMP + Asn-tRNA(Asn) + diphosphate + 2 H(+). [EC:6.1.1.22, RHEA:11183]' - }, - 'GO:0004817': { - 'name': 'cysteine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-cysteine + tRNA(Cys) = AMP + diphosphate + L-cysteinyl-tRNA(Cys). [EC:6.1.1.16]' - }, - 'GO:0004818': { - 'name': 'glutamate-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-glutamate + tRNA(Glu) = AMP + diphosphate + L-glutamyl-tRNA(Glu). [EC:6.1.1.17]' - }, - 'GO:0004819': { - 'name': 'glutamine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-glutamine + tRNA(Gln) = AMP + diphosphate + L-glutaminyl-tRNA(Gln). [EC:6.1.1.18]' - }, - 'GO:0004820': { - 'name': 'glycine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + glycine + tRNA(Gly) = AMP + diphosphate + glycyl-tRNA(Gly). [EC:6.1.1.14]' - }, - 'GO:0004821': { - 'name': 'histidine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-histidine + tRNA(His) = AMP + diphosphate + L-histidyl-tRNA(His). [EC:6.1.1.21]' - }, - 'GO:0004822': { - 'name': 'isoleucine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: L-isoleucine + ATP + tRNA(Ile) = L-isoleucyl-tRNA(Ile) + AMP + diphosphate + 2 H(+). [EC:6.1.1.5, RHEA:11063]' - }, - 'GO:0004823': { - 'name': 'leucine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: L-leucine + ATP + tRNA(Leu) = AMP + diphosphate + 2 H(+) + Leu-tRNA(Leu). [EC:6.1.1.4, RHEA:11691]' - }, - 'GO:0004824': { - 'name': 'lysine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-lysine + tRNA(Lys) = AMP + diphosphate + L-lysyl-tRNA(Lys). [EC:6.1.1.6]' - }, - 'GO:0004825': { - 'name': 'methionine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-methionine + tRNA(Met) = AMP + diphosphate + L-methionyl-tRNA(Met). [EC:6.1.1.10]' - }, - 'GO:0004826': { - 'name': 'phenylalanine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-phenylalanine + tRNA(Phe) = AMP + diphosphate + L-phenylalanyl-tRNA(Phe). [EC:6.1.1.20]' - }, - 'GO:0004827': { - 'name': 'proline-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-proline + tRNA(Pro) = AMP + diphosphate + L-prolyl-tRNA(Pro). [EC:6.1.1.15]' - }, - 'GO:0004828': { - 'name': 'serine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-serine + tRNA(Ser) = AMP + diphosphate + L-seryl-tRNA(Ser). [EC:6.1.1.11]' - }, - 'GO:0004829': { - 'name': 'threonine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-threonine + tRNA(Thr) = AMP + diphosphate + L-threonyl-tRNA(Thr). [EC:6.1.1.3]' - }, - 'GO:0004830': { - 'name': 'tryptophan-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-tryptophan + tRNA(Trp) = AMP + diphosphate + L-tryptophanyl-tRNA(Trp). [EC:6.1.1.2]' - }, - 'GO:0004831': { - 'name': 'tyrosine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: L-tyrosine + ATP + tRNA(Tyr) = L-tyrosyl-tRNA(Tyr) + AMP + diphosphate + 2 H(+). [EC:6.1.1.1, RHEA:10223]' - }, - 'GO:0004832': { - 'name': 'valine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: L-valine + ATP + tRNA(Val) = L-valyl-tRNA(Val) + AMP + diphosphate + 2 H(+). [EC:6.1.1.9, RHEA:10707]' - }, - 'GO:0004833': { - 'name': 'tryptophan 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: L-tryptophan + O2 = N-formyl-L-kynurenine. [EC:1.13.11.11]' - }, - 'GO:0004834': { - 'name': 'tryptophan synthase activity', - 'def': 'Catalysis of the reaction: L-serine + (1S,2R)-1-C-(indol-3-yl)glycerol 3-phosphate = L-tryptophan + glyceraldehyde 3-phosphate + H2O. [RHEA:10535]' - }, - 'GO:0004835': { - 'name': 'tubulin-tyrosine ligase activity', - 'def': 'Catalysis of the reaction: ATP + detyrosinated alpha-tubulin + L-tyrosine = alpha-tubulin + ADP + phosphate. [EC:6.3.2.25]' - }, - 'GO:0004836': { - 'name': 'tyramine-beta hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of tyramine to form octopamine. [PMID:10745161]' - }, - 'GO:0004837': { - 'name': 'tyrosine decarboxylase activity', - 'def': 'Catalysis of the reaction: L-tyrosine = tyramine + CO2. [EC:4.1.1.25]' - }, - 'GO:0004838': { - 'name': 'L-tyrosine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-tyrosine + 2-oxoglutarate = 4-hydroxyphenylpyruvate + L-glutamate. [EC:2.6.1.5]' - }, - 'GO:0004839': { - 'name': 'ubiquitin activating enzyme activity', - 'def': 'Catalysis of the reaction: E1 + ubiquitin + ATP--> E1-ubiquitin + AMP + PPi, where the E1-ubiquitin linkage is a thioester bond between the C-terminal glycine of Ub and a sulfhydryl side group of an E1 cysteine residue. This is the first step in a cascade of reactions in which ubiquitin is ultimately added to a protein substrate. [GOC:BioGRID, http://www.bostonbiochem.com/E-301.html, PMID:10072378]' - }, - 'GO:0004842': { - 'name': 'ubiquitin-protein transferase activity', - 'def': '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]' - }, - 'GO:0004843': { - 'name': 'thiol-dependent ubiquitin-specific protease activity', - 'def': 'Catalysis of the thiol-dependent hydrolysis of a peptide bond formed by the C-terminal glycine of ubiquitin and another protein. [GOC:jh2, ISBN:0120793709]' - }, - 'GO:0004844': { - 'name': 'uracil DNA N-glycosylase activity', - 'def': "Catalysis of the cleavage of the N-C1' glycosidic bond between the damaged DNA base and the deoxyribose sugar, releasing a free base and leaving an apyrimidinic (AP) site. Enzymes with this activity recognize and remove uracil bases in DNA that result from the deamination of cytosine or the misincorporation of dUTP opposite an adenine. [GOC:elh, GOC:pr, PMID:9224623]" - }, - 'GO:0004845': { - 'name': 'uracil phosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: diphosphate + UMP = 5-phospho-alpha-D-ribose 1-diphosphate + uracil. [EC:2.4.2.9, RHEA:13020]' - }, - 'GO:0004846': { - 'name': 'urate oxidase activity', - 'def': 'Catalysis of the reaction: urate + O2 + H2O = 5-hydroxyisourate + hydrogen peroxide. [EC:1.7.3.3]' - }, - 'GO:0004847': { - 'name': 'urea carboxylase activity', - 'def': 'Catalysis of the reaction: ATP + bicarbonate + urea = ADP + 2 H(+) + phosphate + urea-1-carboxylate. [EC:6.3.4.6, RHEA:20899]' - }, - 'GO:0004848': { - 'name': 'ureidoglycolate hydrolase activity', - 'def': 'Catalysis of the reaction: (S)-ureidoglycolate + H(2)O + 2 H(+) = CO(2) + glyoxylate + 2 NH(4)(+). [EC:3.5.3.19, RHEA:19812]' - }, - 'GO:0004849': { - 'name': 'uridine kinase activity', - 'def': 'Catalysis of the reaction: ATP + uridine = ADP + UMP. [EC:2.7.1.48]' - }, - 'GO:0004850': { - 'name': 'uridine phosphorylase activity', - 'def': 'Catalysis of the reaction: uridine + phosphate = uracil + alpha-D-ribose 1-phosphate. [EC:2.4.2.3]' - }, - 'GO:0004851': { - 'name': 'uroporphyrin-III C-methyltransferase activity', - 'def': 'Catalysis of the reaction: 2 S-adenosyl-L-methionine + uroporphyrin III = 2 S-adenosyl-L-homocysteine + precorrin-2. [EC:2.1.1.107]' - }, - 'GO:0004852': { - 'name': 'uroporphyrinogen-III synthase activity', - 'def': 'Catalysis of the reaction: hydroxymethylbilane = H(2)O + uroporphyrinogen III. [EC:4.2.1.75, RHEA:18968]' - }, - 'GO:0004853': { - 'name': 'uroporphyrinogen decarboxylase activity', - 'def': 'Catalysis of the reaction: uroporphyrinogen-III = coproporphyrinogen + 4 CO2. [EC:4.1.1.37]' - }, - 'GO:0004854': { - 'name': 'xanthine dehydrogenase activity', - 'def': 'Catalysis of the reaction: xanthine + NAD+ + H2O = urate + NADH + H+. [EC:1.17.1.4]' - }, - 'GO:0004855': { - 'name': 'xanthine oxidase activity', - 'def': 'Catalysis of the reaction: xanthine + H2O + O2 = urate + hydrogen peroxide. [EC:1.17.3.2]' - }, - 'GO:0004856': { - 'name': 'xylulokinase activity', - 'def': 'Catalysis of the reaction: D-xylulose + ATP = D-xylulose 5-phosphate + ADP + 2 H(+). [EC:2.7.1.17, RHEA:10967]' - }, - 'GO:0004857': { - 'name': 'enzyme inhibitor activity', - 'def': 'Binds to and stops, prevents or reduces the activity of an enzyme. [GOC:ai, GOC:ebc]' - }, - 'GO:0004858': { - 'name': 'dUTP pyrophosphatase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of dUTP pyrophosphatase. [GOC:mah]' - }, - 'GO:0004859': { - 'name': 'phospholipase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a phospholipase, an enzyme that catalyzes of the hydrolysis of a phospholipid. [GOC:ai, GOC:rl]' - }, - 'GO:0004860': { - 'name': 'protein kinase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a protein kinase, an enzyme which phosphorylates a protein. [GOC:ai]' - }, - 'GO:0004861': { - 'name': 'cyclin-dependent protein serine/threonine kinase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a cyclin-dependent protein serine/threonine kinase. [GOC:mah, GOC:pr]' - }, - 'GO:0004862': { - 'name': 'cAMP-dependent protein kinase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a cAMP-dependent protein kinase. [GOC:mah]' - }, - 'GO:0004864': { - 'name': 'protein phosphatase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a protein phosphatase, an enzyme that hydrolyzes phosphate groups from phosphorylated proteins. [GOC:ai]' - }, - 'GO:0004865': { - 'name': 'protein serine/threonine phosphatase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a serine/threonine protein phosphatase, an enzyme that catalyzes the reaction: protein serine/threonine phosphate + H2O = protein serine/threonine + phosphate. [GOC:dph, GOC:tb]' - }, - 'GO:0004866': { - 'name': 'endopeptidase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of an endopeptidase, any enzyme that hydrolyzes nonterminal peptide bonds in polypeptides. [GOC:jl]' - }, - 'GO:0004867': { - 'name': 'serine-type endopeptidase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of serine-type endopeptidases, enzymes that catalyze the hydrolysis of nonterminal peptide bonds in a polypeptide chain; a serine residue (and a histidine residue) are at the active center of the enzyme. [GOC:ai]' - }, - 'GO:0004868': { - 'name': 'obsolete serpin', - 'def': 'OBSOLETE. A superfamily of proteins, many of which inhibit serine proteinases and exhibit a high degree of homology with classical serine proteinase inhibitors such as alpha1-antitrypsin or antithrombin. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0004869': { - 'name': 'cysteine-type endopeptidase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a cysteine-type endopeptidase, any enzyme that hydrolyzes peptide bonds in polypeptides by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile. [GOC:dph, GOC:tb]' - }, - 'GO:0004871': { - 'name': 'signal transducer activity', - 'def': 'Conveys a signal across a cell to trigger a change in cell function or state. A signal is a physical entity or change in state that is used to transfer information in order to trigger a response. [GOC:go_curators]' - }, - 'GO:0004872': { - 'name': 'receptor activity', - 'def': 'Combining with an extracellular or intracellular messenger to initiate a change in cell activity. [GOC:ceb, ISBN:0198506732]' - }, - 'GO:0004873': { - 'name': 'asialoglycoprotein receptor activity', - 'def': 'Receiving an asialoglycoprotein, and delivering the asialoglycoprotein into the cell via endocytosis. An asialoglycoprotein is a plasma glycoproteins from which the terminal sialic acid residue on their complex carbohydrate groups has been removed. The asialoglycoprotein receptor recognizes the terminal galactose and N-acetylgalactosamine units of the asialoglycoprotein, the receptor-ligand complex is internalized and transported to a sorting organelle where disassociation occurs before the receptor is recycled to the cell membrane. [GOC:bf, PMID:11278827, PMID:7624395, Wikipedia:Asialoglycoprotein]' - }, - 'GO:0004874': { - 'name': 'aryl hydrocarbon receptor activity', - 'def': 'Combining with an aryl hydrocarbon and transmitting the signal to initiate a change in cell activity. The aryl hydrocarbon receptor is a ligand-activated transcription factor which translocates to the nucleus to activate transcription upon ligand-binding. [GOC:ai, GOC:signaling, PMID:1325649, PMID:7493958]' - }, - 'GO:0004875': { - 'name': 'complement receptor activity', - 'def': 'Combining with any component or product of the complement cascade and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:ai, GOC:pg, GOC:signaling, ISBN:0781735149, PMID:11884446]' - }, - 'GO:0004876': { - 'name': 'complement component C3a receptor activity', - 'def': 'Combining with the C3a product of the complement cascade and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:mah, GOC:pg, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0004877': { - 'name': 'complement component C3b receptor activity', - 'def': 'Combining with the C3b product of the complement cascade and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0004878': { - 'name': 'complement component C5a receptor activity', - 'def': 'Combining with the C5a product of the complement cascade and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:mah, GOC:pg, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0004879': { - 'name': 'RNA polymerase II transcription factor activity, ligand-activated sequence-specific DNA binding', - 'def': 'Combining with a signal and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. [GOC:signaling, GOC:txnOH]' - }, - 'GO:0004880': { - 'name': 'juvenile hormone receptor activity', - 'def': 'Combining with juvenile hormone and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. [GOC:signaling, PMID:15475158]' - }, - 'GO:0004882': { - 'name': 'androgen receptor activity', - 'def': 'Combining with an androgen and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with an androgen response element in DNA in order to modulate transcription by RNA polymerase II. [GOC:signaling, PMID:19372015]' - }, - 'GO:0004883': { - 'name': 'glucocorticoid receptor activity', - 'def': 'Combining with a glucocorticoid and transmitting the signal within the cell trigger a change in cell activity or function. [GOC:signaling, PMID:17689856, PMID:20920967]' - }, - 'GO:0004884': { - 'name': 'ecdysteroid hormone receptor activity', - 'def': 'Combining with an ecdysteroid hormone and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. [GOC:signaling, PMID:1653701]' - }, - 'GO:0004886': { - 'name': '9-cis retinoic acid receptor activity', - 'def': 'Combining with 9-cis retinoic acid and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. [GOC:signaling, PMID:17132853]' - }, - 'GO:0004887': { - 'name': 'thyroid hormone receptor activity', - 'def': 'Combining with thyroid hormone and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. [GOC:signaling]' - }, - 'GO:0004888': { - 'name': 'transmembrane signaling receptor activity', - 'def': 'Combining with an extracellular or intracellular signal and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity or state as part of signal transduction. [GOC:go_curators, Wikipedia:Transmembrane_receptor]' - }, - 'GO:0004890': { - 'name': 'GABA-A receptor activity', - 'def': 'Combining with the amino acid gamma-aminobutyric acid (GABA, 4-aminobutyrate) to initiate a change in cell activity. GABA-A receptors function as chloride channels. [PMID:8974333]' - }, - 'GO:0004892': { - 'name': 'obsolete B cell receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0004894': { - 'name': 'obsolete T cell receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0004895': { - 'name': 'obsolete cell adhesion receptor activity', - 'def': 'OBSOLETE. Combining with cell adhesion molecules to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0004896': { - 'name': 'cytokine receptor activity', - 'def': 'Combining with a cytokine and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:mah]' - }, - 'GO:0004897': { - 'name': 'ciliary neurotrophic factor receptor activity', - 'def': 'Combining with ciliary neurotrophic factor (CNTF) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling]' - }, - 'GO:0004898': { - 'name': 'obsolete gp130', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0004900': { - 'name': 'erythropoietin receptor activity', - 'def': 'Combining with erythropoietin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:ai, GOC:signaling]' - }, - 'GO:0004901': { - 'name': 'granulocyte macrophage colony-stimulating factor receptor activity', - 'def': 'Combining with granulocyte macrophage colony-stimulating factor (GM-CSF) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling]' - }, - 'GO:0004902': { - 'name': 'granulocyte colony-stimulating factor receptor activity', - 'def': 'Combining with granulocyte colony-stimulating factor (G-CSF) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling]' - }, - 'GO:0004903': { - 'name': 'growth hormone receptor activity', - 'def': 'Combining with a growth hormone and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:ai, GOC:signaling]' - }, - 'GO:0004904': { - 'name': 'interferon receptor activity', - 'def': 'Combining with an interferon and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:ai, GOC:signaling, PMID:9607096]' - }, - 'GO:0004905': { - 'name': 'type I interferon receptor activity', - 'def': 'Combining with a type I interferon and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. Type I interferons include the interferon-alpha, beta, delta, epsilon, zeta, kappa, tau, and omega gene families. [GOC:add, GOC:signaling, ISBN:0126896631, PMID:15546383, PMID:16681834, PR:000025848]' - }, - 'GO:0004906': { - 'name': 'interferon-gamma receptor activity', - 'def': 'Combining with interferon-gamma (a type II interferon) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:ai, GOC:signaling, ISBN:0126896631, PMID:15546383]' - }, - 'GO:0004908': { - 'name': 'interleukin-1 receptor activity', - 'def': 'Combining with interleukin-1 to initiate a change in cell activity. Interleukin-1 is produced mainly by activated macrophages and is involved in the inflammatory response. [GOC:jl]' - }, - 'GO:0004909': { - 'name': 'interleukin-1, Type I, activating receptor activity', - 'def': 'Combining with interleukin-1 to initiate a change in cell activity via signaling pathways and mediated by adaptor proteins. [PMID:15062641, PMID:18613828]' - }, - 'GO:0004910': { - 'name': 'interleukin-1, Type II, blocking receptor activity', - 'def': 'Combining with interleukin-1 to initiate a change in cell activity by inhibiting the activity of type I interleukin receptors. [PMID:15062641, PMID:18613828]' - }, - 'GO:0004911': { - 'name': 'interleukin-2 receptor activity', - 'def': 'Combining with interleukin-2 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004912': { - 'name': 'interleukin-3 receptor activity', - 'def': 'Combining with interleukin-3 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004913': { - 'name': 'interleukin-4 receptor activity', - 'def': 'Combining with interleukin-4 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004914': { - 'name': 'interleukin-5 receptor activity', - 'def': 'Combining with interleukin-5 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004915': { - 'name': 'interleukin-6 receptor activity', - 'def': 'Combining with interleukin-6 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004917': { - 'name': 'interleukin-7 receptor activity', - 'def': 'Combining with interleukin-7 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004918': { - 'name': 'interleukin-8 receptor activity', - 'def': 'Combining with interleukin-8 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004919': { - 'name': 'interleukin-9 receptor activity', - 'def': 'Combining with interleukin-9 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004920': { - 'name': 'interleukin-10 receptor activity', - 'def': 'Combining with interleukin-10 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004921': { - 'name': 'interleukin-11 receptor activity', - 'def': 'Combining with interleukin-11 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0004923': { - 'name': 'leukemia inhibitory factor receptor activity', - 'def': 'Combining with leukemia inhibitory factor (LIF) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, GOC:mah, GOC:signaling]' - }, - 'GO:0004924': { - 'name': 'oncostatin-M receptor activity', - 'def': 'Combining with oncostatin-M and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling]' - }, - 'GO:0004925': { - 'name': 'prolactin receptor activity', - 'def': 'Combining with prolactin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling]' - }, - 'GO:0004927': { - 'name': 'obsolete sevenless receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0004928': { - 'name': 'obsolete frizzled receptor activity', - 'def': 'OBSOLETE. Combining with a member of the Wnt-family of signaling molecules to initiate a change in cell activity. [GOC:go_curators]' - }, - 'GO:0004929': { - 'name': 'obsolete frizzled-2 receptor activity', - 'def': 'OBSOLETE. Combining with to a member of the Wnt-family of signaling molecules to initiate a change in cell activity. [GOC:go_curators]' - }, - 'GO:0004930': { - 'name': 'G-protein coupled receptor activity', - 'def': 'Combining with an extracellular signal and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, http://www.iuphar-db.org, Wikipedia:GPCR]' - }, - 'GO:0004931': { - 'name': 'extracellular ATP-gated cation channel activity', - 'def': 'Enables the transmembrane transfer of a cation by a channel that opens when extracellular ATP has been bound by the channel complex or one of its constituent parts. [GOC:bf, GOC:mah, PMID:9755289]' - }, - 'GO:0004932': { - 'name': 'mating-type factor pheromone receptor activity', - 'def': 'Combining with a mating-type factor pheromone to initiate a change in cell activity. [GOC:dph, GOC:vw]' - }, - 'GO:0004933': { - 'name': 'mating-type a-factor pheromone receptor activity', - 'def': 'Combining with the mating-type a-factor pheromone to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0004934': { - 'name': 'mating-type alpha-factor pheromone receptor activity', - 'def': 'Combining with the mating-type alpha-factor pheromone to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0004935': { - 'name': 'adrenergic receptor activity', - 'def': 'Combining with epinephrine or norepinephrine and transmitting the signal across the membrane by activating the alpha-subunit of an associated heterotrimeric G-protein complex. [GOC:bf, GOC:mah, IUPHAR_GPCR:1274]' - }, - 'GO:0004936': { - 'name': 'alpha-adrenergic receptor activity', - 'def': 'Combining with epinephrine or norepinephrine to initiate a change in cell activity via activation of a G protein, with pharmacological characteristics of alpha-adrenergic receptors. [GOC:mah, IUPHAR_GPCR:1274]' - }, - 'GO:0004937': { - 'name': 'alpha1-adrenergic receptor activity', - 'def': 'Combining with epinephrine or norepinephrine to initiate a change in cell activity via activation of a G protein, with pharmacological characteristics of alpha1-adrenergic receptors; the activity involves transmitting the signal to the Gq alpha subunit of a heterotrimeric G protein. [GOC:cb, GOC:mah, IUPHAR_GPCR:1274]' - }, - 'GO:0004938': { - 'name': 'alpha2-adrenergic receptor activity', - 'def': 'Combining with epinephrine or norepinephrine to initiate a change in cell activity via activation of a G protein, with pharmacological characteristics of alpha2-adrenergic receptors; the activity involves transmitting the signal to the Gi alpha subunit of a heterotrimeric G protein. [GOC:cb, GOC:mah, IUPHAR_GPCR:1274]' - }, - 'GO:0004939': { - 'name': 'beta-adrenergic receptor activity', - 'def': 'Combining with epinephrine or norepinephrine to initiate a change in cell activity via activation of a G protein, with pharmacological characteristics of beta-adrenergic receptors; the activity involves transmitting the signal to the Gs alpha subunit of a heterotrimeric G protein. [GOC:cb, GOC:mah, IUPHAR_GPCR:1274]' - }, - 'GO:0004940': { - 'name': 'beta1-adrenergic receptor activity', - 'def': 'Combining with epinephrine or norepinephrine to initiate a change in cell activity via activation of a G protein, with pharmacological characteristics of beta1-adrenergic receptors. [GOC:mah, IUPHAR_GPCR:1274]' - }, - 'GO:0004941': { - 'name': 'beta2-adrenergic receptor activity', - 'def': 'Combining with epinephrine or norepinephrine to initiate a change in cell activity via activation of a G protein, with pharmacological characteristics of beta2-adrenergic receptors. [GOC:mah, IUPHAR_GPCR:1274]' - }, - 'GO:0004945': { - 'name': 'angiotensin type II receptor activity', - 'def': 'An angiotensin receptor activity that acts via Gi protein coupling and cGMP (NO) generation, and may also act via additional signaling mechanisms. [GOC:mah, PMID:10977869]' - }, - 'GO:0004946': { - 'name': 'bombesin receptor activity', - 'def': 'Combining with bombesin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0004947': { - 'name': 'bradykinin receptor activity', - 'def': 'Combining with bradykinin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0004948': { - 'name': 'calcitonin receptor activity', - 'def': 'Combining with calcitonin and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:mah, GOC:signaling, PMID:21649645]' - }, - 'GO:0004949': { - 'name': 'cannabinoid receptor activity', - 'def': 'Combining with a cannabinoid to initiate a change in cell activity. Cannabinoids are a class of diverse chemical compounds that include the endocannabinoids and the phytocannabinoids. [GOC:dph, IUPHAR_GPCR:1279, Wikipedia:Cannabinoid]' - }, - 'GO:0004950': { - 'name': 'chemokine receptor activity', - 'def': 'Combining with a chemokine, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. Chemokines are a family of small chemotactic cytokines; their name is derived from their ability to induce directed chemotaxis in nearby responsive cells. All chemokines possess a number of conserved cysteine residues involved in intramolecular disulfide bond formation. Some chemokines are considered pro-inflammatory and can be induced during an immune response to recruit cells of the immune system to a site of infection, while others are considered homeostatic and are involved in controlling the migration of cells during normal processes of tissue maintenance or development. Chemokines are found in all vertebrates, some viruses and some bacteria. [GOC:BHF, GOC:rl, GOC:signaling, http://en.wikipedia.org/wiki/Chemokine, IUPHAR_GPCR:1280, PMID:12183377, PMID:8662823]' - }, - 'GO:0004951': { - 'name': 'cholecystokinin receptor activity', - 'def': 'Combining with cholecystokinin and transmitting the signal across the membrane by activating an associated G-protein to initiate a change in cell activity. Cholecystokinin can act as a neuropeptide or as a gastrointestinal hormone. [GOC:signaling, PMID:9835394]' - }, - 'GO:0004952': { - 'name': 'dopamine neurotransmitter receptor activity', - 'def': 'Combining with the neurotransmitter dopamine to initiate a change in cell activity. [IUPHAR_GPCR:1282]' - }, - 'GO:0004953': { - 'name': 'icosanoid receptor activity', - 'def': 'Combining with an icosanoid to initiate a change in cell activity. [GOC:dph]' - }, - 'GO:0004954': { - 'name': 'prostanoid receptor activity', - 'def': 'Combining with a prostanoid, any compound based on or derived from the prostanoate structure, to initiate a change in cell activity. [ISBN:0198506732]' - }, - 'GO:0004955': { - 'name': 'prostaglandin receptor activity', - 'def': 'Combining with a prostaglandin (PG) to initiate a change in cell activity. [ISBN:0198506732]' - }, - 'GO:0004956': { - 'name': 'prostaglandin D receptor activity', - 'def': 'Combining with prostaglandin D (PGD(2)) to initiate a change in cell activity. [ISBN:0198506732]' - }, - 'GO:0004957': { - 'name': 'prostaglandin E receptor activity', - 'def': 'Combining with prostaglandin E (PGE(2)) to initiate a change in cell activity. [ISBN:0198506732]' - }, - 'GO:0004958': { - 'name': 'prostaglandin F receptor activity', - 'def': 'Combining with prostaglandin F (PGF (2-alpha)) to initiate a change in cell activity. [ISBN:0198506732]' - }, - 'GO:0004960': { - 'name': 'thromboxane receptor activity', - 'def': 'Combining with a thromboxane (TXA) to initiate a change in cell activity. [ISBN:0198506732]' - }, - 'GO:0004961': { - 'name': 'thromboxane A2 receptor activity', - 'def': 'Combining with thromboxane A2 (TXA(2)) and transmitting the signal across the membrane to activate an associated G-protein. [GOC:signaling, ISBN:0198506732]' - }, - 'GO:0004962': { - 'name': 'endothelin receptor activity', - 'def': 'Combining with endothelin and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:dph, GOC:signaling, IUPHAR_GPCR:1283, IUPHAR_RECEPTOR:2263, IUPHAR_RECEPTOR:2265]' - }, - 'GO:0004963': { - 'name': 'follicle-stimulating hormone receptor activity', - 'def': 'Combining with follicle-stimulating hormone to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0004964': { - 'name': 'luteinizing hormone receptor activity', - 'def': 'Combining with luteinizing hormone (also called lutropin) to initiate a change in cell activity. [ISBN:0198506732, PMID:18848524, PMID:1922095]' - }, - 'GO:0004965': { - 'name': 'G-protein coupled GABA receptor activity', - 'def': 'Combining with the amino acid gamma-aminobutyric acid (GABA, 4-aminobutyrate) and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:ai, GOC:bf, IUPHAR_RECEPTOR:1276, Wikipedia:GABAB_receptor]' - }, - 'GO:0004966': { - 'name': 'galanin receptor activity', - 'def': 'Combining with galanin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0004967': { - 'name': 'glucagon receptor activity', - 'def': 'Combining with glucagon and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:mah, GOC:signaling, PMID:22438981]' - }, - 'GO:0004968': { - 'name': 'gonadotropin-releasing hormone receptor activity', - 'def': 'Combining with gonadotropin-releasing hormone to initiate a change in cell activity. Gonadotropin-releasing hormone (GnRH) is a peptide hormone responsible for the release of follicle-stimulating hormone (FSH) and luteinizing hormone (LH) from the anterior pituitary. GnRH is synthesized and released by the hypothalamus. [GOC:mah]' - }, - 'GO:0004969': { - 'name': 'histamine receptor activity', - 'def': 'Combining with histamine to initiate a change in cell activity. Histamine is a physiologically active amine, found in plant and animal tissue and released from mast cells as part of an allergic reaction in humans. [GOC:ai]' - }, - 'GO:0004970': { - 'name': 'ionotropic glutamate receptor activity', - 'def': 'Catalysis of the transmembrane transfer of an ion by a channel that opens when glutamate has been bound by the channel complex or one of its constituent parts. [ISBN:0198506732]' - }, - 'GO:0004971': { - 'name': 'AMPA glutamate receptor activity', - 'def': 'An ionotropic glutamate receptor activity that exhibits fast gating by glutamate and acts by opening a cation channel permeable to sodium, potassium, and, in the absence of a GluR2 subunit, calcium. [GOC:mah, PMID:10049997, PMID:8804111]' - }, - 'GO:0004972': { - 'name': 'NMDA glutamate receptor activity', - 'def': 'An cation channel that opens in response to binding by extracellular glutmate, but only if glycine is also bound and the membrane is depolarized. Voltage gating is indirect, due to ejection of bound magnesium from the pore at permissive voltages. [GOC:mah, PMID:10049997]' - }, - 'GO:0004973': { - 'name': 'obsolete N-methyl-D-aspartate receptor-associated protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0004974': { - 'name': 'leukotriene receptor activity', - 'def': 'Combining with a leukotriene to initiate a change in cell activity. Leukotrienes are pharmacologically active substances with a set of three conjugated double bonds; some contain a peptide group based on cysteine. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0004977': { - 'name': 'melanocortin receptor activity', - 'def': 'Combining with melanocortin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0004978': { - 'name': 'corticotropin receptor activity', - 'def': 'Combining with corticotropin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0004979': { - 'name': 'beta-endorphin receptor activity', - 'def': 'Combining with beta-endorphin, and transmitting the signal across the membrane by activating an associated G-protein. Beta-endorphin is a peptide, 31 amino acids long, resulting from processing of the precursor proopiomelanocortin (POMC). [GOC:ai, GOC:bf, Wikipedia:Beta-endorphin]' - }, - 'GO:0004980': { - 'name': 'melanocyte-stimulating hormone receptor activity', - 'def': 'Combining with melanocyte-stimulating hormone to initiate a change in cell activity. [GOC:jl, PMID:7581459]' - }, - 'GO:0004982': { - 'name': 'N-formyl peptide receptor activity', - 'def': 'Combining with an N-formyl peptide to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0004983': { - 'name': 'neuropeptide Y receptor activity', - 'def': 'Combining with neuropeptide Y to initiate a change in cell activity. [PMID:9315606]' - }, - 'GO:0004984': { - 'name': 'olfactory receptor activity', - 'def': 'Combining with an odorant and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity in response to detection of smell. [GOC:bf, GOC:dph, GOC:sart, PMID:19135896, PMID:21041441]' - }, - 'GO:0004985': { - 'name': 'opioid receptor activity', - 'def': 'Combining with an opioid (any narcotic derived from or resembling opium), and transmitting the signal across the membrane by activating an associated G-protein. [CHEBI:60598, GOC:ai, GOC:bf, PMID:20494127]' - }, - 'GO:0004986': { - 'name': 'obsolete delta-opioid receptor activity', - 'def': 'OBSOLETE. Combining with an opioid to initiate a change in cell activity, with the pharmacological characteristics of delta-opioid receptors, including the activity of enkephalins as ligands. [IUPHAR_RECEPTOR:317, PMID:10471416]' - }, - 'GO:0004987': { - 'name': 'obsolete kappa-opioid receptor activity', - 'def': 'OBSOLETE. Combining with an opioid to initiate a change in cell activity, with the pharmacological characteristics of kappa-opioid receptors, including high affinity for dynorphins. [IUPHAR_RECEPTOR:318]' - }, - 'GO:0004988': { - 'name': 'obsolete mu-opioid receptor activity', - 'def': 'OBSOLETE. Combining with an opioid to initiate a change in cell activity, with the pharmacological characteristics of mu-opioid receptors, including high affinity for enkephalins and beta-endorphin but low affinity for dynorphins. [IUPHAR_RECEPTOR:319]' - }, - 'GO:0004989': { - 'name': 'octopamine receptor activity', - 'def': 'Combining with the biogenic amine octopamine to initiate a change in cell activity. Octopamine is found in both vertebrates and invertebrates and can have properties both of a hormone and a neurotransmitter and acts as an adrenergic agonist. [CHEBI:17134, GOC:ai]' - }, - 'GO:0004990': { - 'name': 'oxytocin receptor activity', - 'def': 'Combining with oxytocin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0004991': { - 'name': 'parathyroid hormone receptor activity', - 'def': 'Combining with parathyroid hormone to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0004992': { - 'name': 'platelet activating factor receptor activity', - 'def': 'Combining with platelet activating factor to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0004993': { - 'name': 'G-protein coupled serotonin receptor activity', - 'def': 'Combining with the biogenic amine serotonin and transmitting the signal across the membrane by activating an associated G-protein. Serotonin (5-hydroxytryptamine) is a neurotransmitter and hormone found in vertebrates and invertebrates. [CHEBI:28790, GOC:ai]' - }, - 'GO:0004994': { - 'name': 'somatostatin receptor activity', - 'def': 'Combining with somatostatin to initiate a change in cell activity. Somatostatin is a peptide hormone that regulates the endocrine system by signaling via G-protein coupled somatostatin receptors. Somatostatin has two active forms produced by proteolytic cleavage: a 14 amino acid peptide (SST-14) and a 28 amino acid peptide (SST-28). [GOC:ai, GOC:bf, Wikipedia:Somatostatin]' - }, - 'GO:0004995': { - 'name': 'tachykinin receptor activity', - 'def': 'Combining with a tachykinin neuropeptide and transmitting the signal across the membrane by activating an associated G-protein. [GOC:ai, GOC:bf, PMID:7639617, Wikipedia:Tachykinin]' - }, - 'GO:0004996': { - 'name': 'thyroid-stimulating hormone receptor activity', - 'def': 'Combining with thyroid-stimulating hormone to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0004997': { - 'name': 'thyrotropin-releasing hormone receptor activity', - 'def': 'Combining with thyrotropin-releasing hormone to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0004998': { - 'name': 'transferrin receptor activity', - 'def': 'Combining selectively with transferrin, and delivering transferrin into the cell via endocytosis. Transferrin is a major iron carrier protein in vertebrates. [GOC:bf, PMID:2678449, PMID:3011819]' - }, - 'GO:0004999': { - 'name': 'vasoactive intestinal polypeptide receptor activity', - 'def': 'Combining with vasoactive intestinal polypeptide to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0005000': { - 'name': 'vasopressin receptor activity', - 'def': 'Combining with vasopressin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0005001': { - 'name': 'transmembrane receptor protein tyrosine phosphatase activity', - 'def': 'Combining with a signal and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: protein tyrosine phosphate + H2O = protein tyrosine + phosphate. [EC:3.1.3.48]' - }, - 'GO:0005003': { - 'name': 'ephrin receptor activity', - 'def': 'Combining with an ephrin to initiate a change in cell activity. [GOC:mah, PMID:9530499]' - }, - 'GO:0005004': { - 'name': 'GPI-linked ephrin receptor activity', - 'def': 'Combining with a GPI-anchored ephrin to initiate a change in cell activity. [GOC:mah, PMID:9530499]' - }, - 'GO:0005005': { - 'name': 'transmembrane-ephrin receptor activity', - 'def': 'Combining with a transmembrane ephrin to initiate a change in cell activity. [GOC:mah, PMID:9530499]' - }, - 'GO:0005006': { - 'name': 'epidermal growth factor-activated receptor activity', - 'def': 'Combining with an epidermal growth factor and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:bf]' - }, - 'GO:0005007': { - 'name': 'fibroblast growth factor-activated receptor activity', - 'def': 'Combining with a fibroblast growth factor and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0005008': { - 'name': 'hepatocyte growth factor-activated receptor activity', - 'def': 'Combining with hepatocyte growth factor and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0005009': { - 'name': 'insulin-activated receptor activity', - 'def': 'Combining with insulin and transmitting the signal across the plasma membrane to initiate a change in cell activity. [ISBN:0198506732]' - }, - 'GO:0005010': { - 'name': 'insulin-like growth factor-activated receptor activity', - 'def': 'Combining with insulin-like growth factor and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0005011': { - 'name': 'macrophage colony-stimulating factor receptor activity', - 'def': 'Combining with macrophage colony-stimulating factor (M-CSF) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: ATP + a protein-L-tyrosine = ADP + a protein-L-tyrosine phosphate. [GOC:mah, GOC:signaling]' - }, - 'GO:0005012': { - 'name': 'obsolete Neu/ErbB-2 receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005013': { - 'name': 'obsolete neurotrophin TRK receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jid]' - }, - 'GO:0005014': { - 'name': 'obsolete neurotrophin TRKA receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jid]' - }, - 'GO:0005015': { - 'name': 'obsolete neurotrophin TRKB receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jid]' - }, - 'GO:0005016': { - 'name': 'obsolete neurotrophin TRKC receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jid]' - }, - 'GO:0005017': { - 'name': 'platelet-derived growth factor-activated receptor activity', - 'def': 'Combining with platelet-derived growth factor and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0005018': { - 'name': 'platelet-derived growth factor alpha-receptor activity', - 'def': 'Combining with platelet-derived growth factor isoform PDGF-AA, PDGF-BB or PDGF-AB to initiate a change in cell activity. [PMID:1657917]' - }, - 'GO:0005019': { - 'name': 'platelet-derived growth factor beta-receptor activity', - 'def': 'Combining with platelet-derived growth factor isoform PDGF-BB or PDGF-AB to initiate a change in cell activity. [PMID:1657917]' - }, - 'GO:0005020': { - 'name': 'stem cell factor receptor activity', - 'def': 'Combining with stem cell factor (SCF) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: ATP + a protein-L-tyrosine = ADP + a protein-L-tyrosine phosphate. Stem cell factor is a cytokine that stimulates mast cell growth and differentiation. [GOC:jl, GOC:signaling, PMID:10698217]' - }, - 'GO:0005021': { - 'name': 'vascular endothelial growth factor-activated receptor activity', - 'def': 'Combining with a vascular endothelial growth factor (VEGF) and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:mah, GOC:signaling]' - }, - 'GO:0005024': { - 'name': 'transforming growth factor beta-activated receptor activity', - 'def': 'Combining with a transforming growth factor beta (TGFbeta) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: ATP protein serine = ADP + protein serine phosphate, and ATP + protein threonine = ADP + protein threonine phosphate. [GOC:mah, GOC:signaling]' - }, - 'GO:0005025': { - 'name': 'transforming growth factor beta receptor activity, type I', - 'def': 'Combining with a complex of transforming growth factor beta and a type II TGF-beta receptor to initiate a change in cell activity; upon binding, acts as a downstream transducer of TGF-beta signals. [GOC:mah, Reactome:REACT_6945.1]' - }, - 'GO:0005026': { - 'name': 'transforming growth factor beta receptor activity, type II', - 'def': 'Combining with transforming growth factor beta to initiate a change in cell activity; upon ligand binding, binds to and catalyzes the phosphorylation of a type I TGF-beta receptor. [GOC:mah, Reactome:REACT_6872.1]' - }, - 'GO:0005027': { - 'name': 'obsolete NGF/TNF (6 C-domain) receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005028': { - 'name': 'obsolete CD40 receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005029': { - 'name': 'obsolete CD27 receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005030': { - 'name': 'neurotrophin receptor activity', - 'def': 'Combining with a neurotrophin, any of a family of growth factors that prevent apoptosis in neurons and promote nerve growth, and transmitting the signal to initiate a change in cell activity. [GOC:jl, GOC:signaling, http://www.mercksource.com/]' - }, - 'GO:0005031': { - 'name': 'tumor necrosis factor-activated receptor activity', - 'def': 'Combining with tumor necrosis factor, a proinflammatory cytokine produced by monocytes and macrophages, to initiate a change in cell function. [GOC:jl, http://lookwayup.com/]' - }, - 'GO:0005034': { - 'name': 'osmosensor activity', - 'def': 'Sensing extracellular osmolarity to initiate a change in cell activity, and spanning the membrane of the cell. [GOC:dph, GOC:tb]' - }, - 'GO:0005035': { - 'name': 'death receptor activity', - 'def': 'Combining with an extracellular messenger (called a death ligand), and transmitting the signal from one side of the plasma membrane to the other to initiate apoptotic or necrotic cell death. [GOC:bf, GOC:BHF, GOC:ecd, GOC:mtg_apoptosis, GOC:rl, PMID:10209153]' - }, - 'GO:0005037': { - 'name': 'obsolete death receptor adaptor protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005038': { - 'name': 'obsolete death receptor interacting protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005039': { - 'name': 'obsolete death receptor-associated factor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005040': { - 'name': 'decoy death receptor activity', - 'def': 'Combining with an extracellular messenger (death ligand) without transmission of the signal. Decoy death receptors compete with death receptors for ligand binding, and do not initiate apoptosis. [GOC:bf, GOC:ecd, PMID:10209153]' - }, - 'GO:0005041': { - 'name': 'low-density lipoprotein receptor activity', - 'def': 'Combining with a low-density lipoprotein particle and delivering the low-density lipoprotein into the cell via endocytosis. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0005042': { - 'name': 'netrin receptor activity', - 'def': 'Combining with a netrin signal and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:dph, GOC:signaling, PMID:15960985]' - }, - 'GO:0005043': { - 'name': 'netrin receptor activity involved in chemorepulsion', - 'def': 'Combining with a netrin signal and transmitting the signal from one side of the membrane to the other to contribute to the directed movement of a motile cell away from a higher concentration of netrin. [GOC:dph, GOC:signaling]' - }, - 'GO:0005044': { - 'name': 'scavenger receptor activity', - 'def': 'Combining with any modified low-density lipoprotein (LDL) or other polyanionic ligand and delivering the ligand into the cell via endocytosis. Ligands include acetylated and oxidized LDL, Gram-positive and Gram-negative bacteria, apoptotic cells, beta-amyloid fibrils, and advanced glycation end products (AGEs). [GOC:bf, PMID:11790542, PMID:12379907, PMID:12621157, PMID:20981357]' - }, - 'GO:0005045': { - 'name': 'obsolete endoplasmic reticulum receptor activity', - 'def': 'OBSOLETE. A receptor in the endoplasmic reticulum. [GOC:ai]' - }, - 'GO:0005046': { - 'name': 'KDEL sequence binding', - 'def': 'Interacting selectively and non-covalently with a KDEL sequence, the C terminus tetrapeptide sequence Lys-Asp-Glu-Leu found in proteins that are to be retained in the endoplasmic reticulum. [GOC:ai]' - }, - 'GO:0005047': { - 'name': 'signal recognition particle binding', - 'def': 'Interacting selectively and non-covalently with the signal recognition particle. [ISBN:0198506732]' - }, - 'GO:0005048': { - 'name': 'signal sequence binding', - 'def': 'Interacting selectively and non-covalently with a signal sequence, a specific peptide sequence found on protein precursors or mature proteins that dictates where the mature protein is localized. [GOC:ai]' - }, - 'GO:0005049': { - 'name': 'nuclear export signal receptor activity', - 'def': 'Combining with a nuclear export signal (NES) to mediate transport of the NES-containing protein through the nuclear pore to the cytoplasm. [GOC:bf, GOC:mah, GOC:vw, PMID:11743003, PMID:12486120]' - }, - 'GO:0005050': { - 'name': 'obsolete peroxisome receptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005052': { - 'name': 'peroxisome matrix targeting signal-1 binding', - 'def': 'Interacting selectively and non-covalently with a type 1 peroxisome targeting signal, a tripeptide with the consensus sequence (S/A/C)-(K/R/H)-L. [GOC:mah, PMID:11687502]' - }, - 'GO:0005053': { - 'name': 'peroxisome matrix targeting signal-2 binding', - 'def': 'Interacting selectively and non-covalently with a type 2 peroxisome targeting signal, a nonapeptide with a broad consensus sequence of (R/K)-(L/V/I)-(XXXXX)-(H/Q)-(L/A/F). [GOC:mah, PMID:11687502]' - }, - 'GO:0005054': { - 'name': 'obsolete peroxisome integral membrane receptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005055': { - 'name': 'laminin receptor activity', - 'def': 'Combining with a laminin, a glycoprotein that constitutes the majority of proteins in the basement membrane, to initiate a change in cell activity. [GOC:ai, PMID:2970671]' - }, - 'GO:0005056': { - 'name': 'tiggrin receptor activity', - 'def': 'Combining with the extracellular matrix ligand tiggrin, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling, PMID:9521906]' - }, - 'GO:0005057': { - 'name': 'signal transducer activity, downstream of receptor', - 'def': 'Conveys a signal from an upstream receptor or intracellular signal transducer, converting the signal into a form where it can ultimately trigger a change in the state or activity of a cell. [GOC:bf]' - }, - 'GO:0005061': { - 'name': 'obsolete aryl hydrocarbon receptor nuclear translocator activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005065': { - 'name': 'obsolete heterotrimeric G-protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005066': { - 'name': 'obsolete transmembrane receptor protein tyrosine kinase signaling protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005068': { - 'name': 'transmembrane receptor protein tyrosine kinase adaptor activity', - 'def': 'The binding activity of a molecule that brings together a transmembrane receptor protein tyrosine kinase and one or more other molecules, permitting them to function in a coordinated way. [GOC:mtg_MIT_16mar07, PMID:10502414, PMID:20565848]' - }, - 'GO:0005070': { - 'name': 'SH3/SH2 adaptor activity', - 'def': 'Interacting selectively and non-covalently and simultaneously with one or more signal transduction molecules, usually acting as a scaffold to bring these molecules into close proximity either using their own SH2/SH3 domains (e.g. Grb2) or those of their target molecules (e.g. SAM68). [GOC:mah, GOC:so]' - }, - 'GO:0005071': { - 'name': 'obsolete transmembrane receptor protein serine/threonine kinase signaling protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005072': { - 'name': 'transforming growth factor beta receptor, cytoplasmic mediator activity', - 'def': 'Activity of any of the molecules that transmit the signal from a TGF-beta receptor through the cytoplasm to the nucleus. [GOC:hjd]' - }, - 'GO:0005073': { - 'name': 'obsolete common-partner SMAD protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005074': { - 'name': 'obsolete inhibitory SMAD protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005075': { - 'name': 'obsolete pathway-specific SMAD protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005076': { - 'name': 'obsolete receptor signaling protein serine/threonine kinase signaling protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005077': { - 'name': 'obsolete MAP-kinase anchoring activity', - 'def': 'OBSOLETE. Binds to MAP kinase and anchors it to a particular subcellular location. [GOC:ai]' - }, - 'GO:0005078': { - 'name': 'MAP-kinase scaffold activity', - 'def': 'The binding activity of a molecule that functions as a physical support for the assembly of a multiprotein mitogen-activated protein kinase (MAPK) complex. Binds multiple kinases of the MAPKKK cascade, and also upstream signaling proteins, permitting those molecules to function in a coordinated way. Bringing together multiple enzymes and their substrates enables the signal to be transduced quickly and efficiently. [PMID:12511654, PMID:15213240, PMID:9405336]' - }, - 'GO:0005079': { - 'name': 'obsolete protein kinase A anchoring activity', - 'def': 'OBSOLETE. Binds to protein kinase A and anchors it to a particular subcellular location. [PMID:10354567]' - }, - 'GO:0005080': { - 'name': 'protein kinase C binding', - 'def': 'Interacting selectively and non-covalently with protein kinase C. [GOC:jl]' - }, - 'GO:0005081': { - 'name': 'obsolete receptor signaling protein serine/threonine phosphatase signaling protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005082': { - 'name': 'obsolete receptor signaling protein tyrosine phosphatase signaling protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005085': { - 'name': 'guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:kd, GOC:mah]' - }, - 'GO:0005086': { - 'name': 'ARF guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with the GTPase ARF. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:mah]' - }, - 'GO:0005087': { - 'name': 'Ran guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase of the Ran family. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:mah]' - }, - 'GO:0005088': { - 'name': 'Ras guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase of the Ras superfamily. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:mah]' - }, - 'GO:0005089': { - 'name': 'Rho guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase of the Rho family. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:mah]' - }, - 'GO:0005090': { - 'name': 'Sar guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase of the Sar family. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:mah]' - }, - 'GO:0005091': { - 'name': 'guanyl-nucleotide exchange factor adaptor activity', - 'def': 'The binding activity of a molecule that brings together a guanyl-nucleotide exchange factor and one or more other proteins, permitting them to function in a coordinated way. [GOC:mtg_MIT_16mar07, GOC:vw]' - }, - 'GO:0005092': { - 'name': 'GDP-dissociation inhibitor activity', - 'def': 'Prevents the dissociation of GDP from a GTPase, thereby preventing GTP from binding. [GOC:mah]' - }, - 'GO:0005093': { - 'name': 'Rab GDP-dissociation inhibitor activity', - 'def': 'Prevents the dissociation of GDP from the small GTPase Rab, thereby preventing GTP from binding. [GOC:mah]' - }, - 'GO:0005094': { - 'name': 'Rho GDP-dissociation inhibitor activity', - 'def': 'Prevents the dissociation of GDP from the small GTPase Rho, thereby preventing GTP from binding. [GOC:mah]' - }, - 'GO:0005095': { - 'name': 'GTPase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of any enzyme that catalyzes the hydrolysis of GTP to GDP and orthophosphate. [GOC:ai]' - }, - 'GO:0005096': { - 'name': 'GTPase activator activity', - 'def': 'Binds to and increases the activity of a GTPase, an enzyme that catalyzes the hydrolysis of GTP. [GOC:mah]' - }, - 'GO:0005102': { - 'name': 'receptor binding', - 'def': 'Interacting selectively and non-covalently with one or more specific sites on a receptor molecule, a macromolecule that undergoes combination with a hormone, neurotransmitter, drug or intracellular messenger to initiate a change in cell function. [GOC:bf, GOC:ceb, ISBN:0198506732]' - }, - 'GO:0005104': { - 'name': 'fibroblast growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the fibroblast growth factor receptor (FGFR). [GOC:ceb]' - }, - 'GO:0005105': { - 'name': 'type 1 fibroblast growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the type 1 fibroblast growth factor receptor (FGFR1). [GOC:ceb, GOC:fb_curators]' - }, - 'GO:0005106': { - 'name': 'obsolete ephrin', - 'def': 'OBSOLETE. A class of proteins that interact with the ephrin receptors. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0005107': { - 'name': 'obsolete GPI-linked ephrin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005108': { - 'name': 'obsolete transmembrane ephrin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005109': { - 'name': 'frizzled binding', - 'def': 'Interacting selectively and non-covalently with the frizzled (fz) receptor. [GOC:ceb, PR:000001315]' - }, - 'GO:0005110': { - 'name': 'frizzled-2 binding', - 'def': 'Interacting selectively and non-covalently with frizzled-2 (fz2). [GOC:ceb, PR:000007719]' - }, - 'GO:0005111': { - 'name': 'type 2 fibroblast growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the type 2 fibroblast growth factor receptor (FGFR2). [GOC:fb_curators]' - }, - 'GO:0005112': { - 'name': 'Notch binding', - 'def': 'Interacting selectively and non-covalently with the Notch (N) protein, a surface receptor. [GOC:ceb]' - }, - 'GO:0005113': { - 'name': 'patched binding', - 'def': 'Interacting selectively and non-covalently with the patched (ptc) protein, a receptor for hedgehog proteins. [GOC:ceb, PMID:11731473]' - }, - 'GO:0005114': { - 'name': 'type II transforming growth factor beta receptor binding', - 'def': 'Interacting selectively and non-covalently with a type II transforming growth factor beta receptor. [GOC:ceb, GOC:mah, PMID:11252892]' - }, - 'GO:0005115': { - 'name': 'receptor tyrosine kinase-like orphan receptor binding', - 'def': 'Interacting selectively and non-covalently with the receptor tyrosine kinase-like orphan receptor (Ror). [GOC:ceb, GOC:vw]' - }, - 'GO:0005117': { - 'name': 'wishful thinking binding', - 'def': 'Interacting selectively and non-covalently with wishful thinking (Wit), a type II bone morphogenic protein receptor. [GOC:ceb, PMID:11856529]' - }, - 'GO:0005118': { - 'name': 'sevenless binding', - 'def': 'Interacting selectively and non-covalently with the sevenless (sev) protein, a receptor tyrosine kinase. [GOC:ceb, PMID:3151175]' - }, - 'GO:0005119': { - 'name': 'smoothened binding', - 'def': 'Interacting selectively and non-covalently with the smoothened (smo) protein, which interacts with patched to transmit hedgehog signals. [GOC:ceb, PMID:11731473]' - }, - 'GO:0005121': { - 'name': 'Toll binding', - 'def': 'Interacting selectively and non-covalently with the Toll protein, a transmembrane receptor. [GOC:ceb]' - }, - 'GO:0005122': { - 'name': 'torso binding', - 'def': 'Interacting selectively and non-covalently with the torso (tor) protein, a receptor tyrosine kinase. [GOC:ceb, PMID:2927509]' - }, - 'GO:0005123': { - 'name': 'death receptor binding', - 'def': 'Interacting selectively and non-covalently with any member of the death receptor (DR) family. The DR family falls within the tumor necrosis factor receptor superfamily and is characterized by a cytoplasmic region of ~80 residues termed the death domain (DD). [GOC:ceb, GOC:rl, PMID:15654015]' - }, - 'GO:0005124': { - 'name': 'scavenger receptor binding', - 'def': 'Interacting selectively and non-covalently with scavenger receptors, a family of proteins that are expressed on myeloid cells and are involved in the uptake of effete cellular components and foreign particles. [GOC:ceb]' - }, - 'GO:0005125': { - 'name': 'cytokine activity', - 'def': 'Functions to control the survival, growth, differentiation and effector function of tissues and cells. [ISBN:0198599471]' - }, - 'GO:0005126': { - 'name': 'cytokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a cytokine receptor. [GOC:mah, GOC:vw]' - }, - 'GO:0005127': { - 'name': 'ciliary neurotrophic factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the ciliary neurotrophic factor receptor. [GOC:ai]' - }, - 'GO:0005128': { - 'name': 'erythropoietin receptor binding', - 'def': 'Interacting selectively and non-covalently with the erythropoietin receptor. [GOC:ai]' - }, - 'GO:0005129': { - 'name': 'granulocyte macrophage colony-stimulating factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the granulocyte macrophage colony-stimulating factor receptor. [GOC:ai]' - }, - 'GO:0005130': { - 'name': 'granulocyte colony-stimulating factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the granulocyte colony-stimulating factor receptor. [GOC:ai]' - }, - 'GO:0005131': { - 'name': 'growth hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with the growth hormone receptor. [GOC:ai]' - }, - 'GO:0005132': { - 'name': 'type I interferon receptor binding', - 'def': 'Interacting selectively and non-covalently with an interferon-type I receptor, a heterodimeric complex composed of an alpha subunit (IFNAR1) and a beta subunit (IFNAR2). [GOC:ai, GOC:signaling, PMID:17502368]' - }, - 'GO:0005133': { - 'name': 'interferon-gamma receptor binding', - 'def': 'Interacting selectively and non-covalently with the interferon-gamma receptor. [GOC:ai]' - }, - 'GO:0005134': { - 'name': 'interleukin-2 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-2 receptor. [GOC:ai]' - }, - 'GO:0005135': { - 'name': 'interleukin-3 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-3 receptor. [GOC:ai]' - }, - 'GO:0005136': { - 'name': 'interleukin-4 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-4 receptor. [GOC:ai]' - }, - 'GO:0005137': { - 'name': 'interleukin-5 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-5 receptor. [GOC:ai]' - }, - 'GO:0005138': { - 'name': 'interleukin-6 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-6 receptor. [GOC:ai]' - }, - 'GO:0005139': { - 'name': 'interleukin-7 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-7 receptor. [GOC:ai]' - }, - 'GO:0005140': { - 'name': 'interleukin-9 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-9 receptor. [GOC:ai]' - }, - 'GO:0005141': { - 'name': 'interleukin-10 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-10 receptor. [GOC:ai]' - }, - 'GO:0005142': { - 'name': 'interleukin-11 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-11 receptor. [GOC:ai]' - }, - 'GO:0005143': { - 'name': 'interleukin-12 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-12 receptor. [GOC:ai]' - }, - 'GO:0005144': { - 'name': 'interleukin-13 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-13 receptor. [GOC:ai]' - }, - 'GO:0005145': { - 'name': 'interleukin-14 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-14 receptor. [GOC:ai]' - }, - 'GO:0005146': { - 'name': 'leukemia inhibitory factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the leukemia inhibitory factor receptor. [GOC:ai]' - }, - 'GO:0005147': { - 'name': 'oncostatin-M receptor binding', - 'def': 'Interacting selectively and non-covalently with the oncostatin-M receptor. [GOC:ai]' - }, - 'GO:0005148': { - 'name': 'prolactin receptor binding', - 'def': 'Interacting selectively and non-covalently with the prolactin receptor. [GOC:ai]' - }, - 'GO:0005149': { - 'name': 'interleukin-1 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-1 receptor. [GOC:go_curators]' - }, - 'GO:0005150': { - 'name': 'interleukin-1, Type I receptor binding', - 'def': 'Interacting selectively and non-covalently with a Type I interleukin-1 receptor. [GOC:ai]' - }, - 'GO:0005151': { - 'name': 'interleukin-1, Type II receptor binding', - 'def': 'Interacting selectively and non-covalently with a Type II interleukin-1 receptor. [GOC:ai]' - }, - 'GO:0005152': { - 'name': 'interleukin-1 receptor antagonist activity', - 'def': 'Blocks the binding of interleukin-1 to the interleukin-1 receptor complex. [GOC:ebc]' - }, - 'GO:0005153': { - 'name': 'interleukin-8 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-8 receptor. [GOC:go_curators]' - }, - 'GO:0005154': { - 'name': 'epidermal growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the epidermal growth factor receptor. [GOC:ai]' - }, - 'GO:0005155': { - 'name': 'obsolete epidermal growth factor receptor activating ligand activity', - 'def': 'OBSOLETE. This term was not defined before being made obsolete. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0005156': { - 'name': 'obsolete epidermal growth factor receptor inhibiting ligand activity', - 'def': 'OBSOLETE. This term was not defined before being made obsolete. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0005157': { - 'name': 'macrophage colony-stimulating factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the macrophage colony-stimulating factor receptor. [GOC:ai]' - }, - 'GO:0005158': { - 'name': 'insulin receptor binding', - 'def': 'Interacting selectively and non-covalently with the insulin receptor. [GOC:ai]' - }, - 'GO:0005159': { - 'name': 'insulin-like growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the insulin-like growth factor receptor. [GOC:jl]' - }, - 'GO:0005160': { - 'name': 'transforming growth factor beta receptor binding', - 'def': 'Interacting selectively and non-covalently with the transforming growth factor beta receptor. [GOC:ai]' - }, - 'GO:0005161': { - 'name': 'platelet-derived growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the platelet-derived growth factor receptor. [GOC:ai]' - }, - 'GO:0005163': { - 'name': 'nerve growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the nerve growth factor receptor. [GOC:ai, PMID:15654015]' - }, - 'GO:0005164': { - 'name': 'tumor necrosis factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the tumor necrosis factor receptor. [GOC:ai]' - }, - 'GO:0005165': { - 'name': 'neurotrophin receptor binding', - 'def': 'Interacting selectively and non-covalently with a neurotrophin receptor. [GOC:ai]' - }, - 'GO:0005166': { - 'name': 'neurotrophin p75 receptor binding', - 'def': 'Interacting selectively and non-covalently with the neurotrophin p75 receptor. [GOC:ai]' - }, - 'GO:0005167': { - 'name': 'neurotrophin TRK receptor binding', - 'def': 'Interacting selectively and non-covalently with a neurotrophin TRK receptor. [GOC:ai]' - }, - 'GO:0005168': { - 'name': 'neurotrophin TRKA receptor binding', - 'def': 'Interacting selectively and non-covalently with the neurotrophin TRKA receptor. [GOC:ai]' - }, - 'GO:0005169': { - 'name': 'neurotrophin TRKB receptor binding', - 'def': 'Interacting selectively and non-covalently with the neurotrophin TRKB receptor. [GOC:ai]' - }, - 'GO:0005170': { - 'name': 'neurotrophin TRKC receptor binding', - 'def': 'Interacting selectively and non-covalently with the neurotrophin TRKC receptor. [GOC:ai]' - }, - 'GO:0005171': { - 'name': 'hepatocyte growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the hepatocyte growth factor receptor. [GOC:ai]' - }, - 'GO:0005172': { - 'name': 'vascular endothelial growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with any vascular endothelial growth factor receptor. [GOC:ai]' - }, - 'GO:0005173': { - 'name': 'stem cell factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the stem cell factor receptor (SCFR), a type III transmembrane kinase receptor. [GOC:jl, PMID:10698217]' - }, - 'GO:0005174': { - 'name': 'CD40 receptor binding', - 'def': 'Interacting selectively and non-covalently with CD40, a receptor found on the surface of all B-lymphocytes. [GOC:jl, ISBN:0120781859]' - }, - 'GO:0005175': { - 'name': 'CD27 receptor binding', - 'def': 'Interacting selectively and non-covalently with a CD27, a receptor found on the surface of T cells and some B cells and NK cells. [GOC:jl, ISBN:0120781859]' - }, - 'GO:0005176': { - 'name': 'ErbB-2 class receptor binding', - 'def': 'Interacting selectively and non-covalently with the protein-tyrosine kinase receptor Neu/ErbB-2/HER2. [GOC:jl]' - }, - 'GO:0005177': { - 'name': 'obsolete neuroligin', - 'def': 'OBSOLETE. A class of ligands for neurexins. [GOC:ai]' - }, - 'GO:0005178': { - 'name': 'integrin binding', - 'def': 'Interacting selectively and non-covalently with an integrin. [GOC:ceb]' - }, - 'GO:0005179': { - 'name': 'hormone activity', - 'def': 'The action characteristic of a hormone, any substance formed in very small amounts in one specialized organ or group of cells and carried (sometimes in the bloodstream) to another organ or group of cells in the same organism, upon which it has a specific regulatory action. The term was originally applied to agents with a stimulatory physiological action in vertebrate animals (as opposed to a chalone, which has a depressant action). Usage is now extended to regulatory compounds in lower animals and plants, and to synthetic substances having comparable effects; all bind receptors and trigger some biological process. [GOC:dph, GOC:mah, ISBN:0198506732]' - }, - 'GO:0005180': { - 'name': 'obsolete peptide hormone', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005181': { - 'name': 'obsolete glycopeptide hormone', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005182': { - 'name': 'obsolete lipopeptide hormone', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005183': { - 'name': 'gonadotropin hormone-releasing hormone activity', - 'def': 'The action characteristic of gonadotropin hormone-releasing hormone (GnRH), any of a family of decapeptide amide hormones that are released by the hypothalamus in response to neural and/or chemical stimuli. In at least mammals, upon receptor binding, GnRH causes the release of follicle-stimulating hormone (FSH) and luteinizing hormone (LH) by the anterior pituitary. [ISBN:0198506732, PMID:11026571, Wikipedia:Gonadotropin-releasing_hormone]' - }, - 'GO:0005184': { - 'name': 'neuropeptide hormone activity', - 'def': 'The action characteristic of a neuropeptide hormone, any peptide hormone that acts in the central nervous system. A neuropeptide is any of several types of molecules found in brain tissue, composed of short chains of amino acids; they include endorphins, enkephalins, vasopressin, and others. They are often localized in axon terminals at synapses and are classified as putative neurotransmitters, although some are also hormones. [GOC:mah]' - }, - 'GO:0005185': { - 'name': 'neurohypophyseal hormone activity', - 'def': 'The action characteristic of a neurohypophyseal hormone, any of a family of structurally and functionally related nonapeptides that are synthesized as part of a larger precursor molecule comprising a signal peptide, the nonapeptide hormone, and a neurophysin. [GOC:mah, PMID:19243634]' - }, - 'GO:0005186': { - 'name': 'pheromone activity', - 'def': 'The activity of binding to and activating specific cell surface receptors, thereby inducing behavioral, developmental, or physiological response(s) from a responding organism or cell. The substance may be released or retained on the cell surface. Pheromones may serve as a specific attractant, social communicator, or sexual stimulant. [GOC:sgd_curators, ISBN:0198506732]' - }, - 'GO:0005187': { - 'name': 'obsolete storage protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005188': { - 'name': 'obsolete larval serum protein (sensu Insecta)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005189': { - 'name': 'obsolete milk protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005190': { - 'name': 'obsolete seminal fluid protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005191': { - 'name': 'obsolete acidic epididymal glycoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005192': { - 'name': 'obsolete urinary protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005193': { - 'name': 'obsolete major urinary protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005194': { - 'name': 'obsolete cell adhesion molecule activity', - 'def': 'OBSOLETE. Mediates the adhesion of the cell to other cells or to the extracellular matrix. [ISBN:0198506732]' - }, - 'GO:0005198': { - 'name': 'structural molecule activity', - 'def': 'The action of a molecule that contributes to the structural integrity of a complex or its assembly within or outside a cell. [GOC:mah, GOC:vw]' - }, - 'GO:0005199': { - 'name': 'structural constituent of cell wall', - 'def': 'The action of a molecule that contributes to the structural integrity of a cell wall. [GOC:mah]' - }, - 'GO:0005200': { - 'name': 'structural constituent of cytoskeleton', - 'def': 'The action of a molecule that contributes to the structural integrity of a cytoskeletal structure. [GOC:mah]' - }, - 'GO:0005201': { - 'name': 'extracellular matrix structural constituent', - 'def': 'The action of a molecule that contributes to the structural integrity of the extracellular matrix. [GOC:mah]' - }, - 'GO:0005202': { - 'name': 'obsolete collagen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005203': { - 'name': 'obsolete proteoglycan', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005204': { - 'name': 'obsolete chondroitin sulfate proteoglycan', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005205': { - 'name': 'obsolete chondroitin sulfate/dermatan sulfate proteoglycan', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005206': { - 'name': 'obsolete heparin sulfate proteoglycan', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005207': { - 'name': 'obsolete extracellular matrix glycoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005208': { - 'name': 'obsolete amyloid protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005209': { - 'name': 'obsolete plasma protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005211': { - 'name': 'obsolete plasma glycoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005212': { - 'name': 'structural constituent of eye lens', - 'def': 'The action of a molecule that contributes to the structural integrity of the lens of an eye. [GOC:mah]' - }, - 'GO:0005213': { - 'name': 'structural constituent of chorion', - 'def': 'The action of a molecule that contributes to the structural integrity of a chorion. An example of this is found in Drosophila melanogaster. [GOC:mah, GOC:sensu]' - }, - 'GO:0005214': { - 'name': 'structural constituent of chitin-based cuticle', - 'def': 'The action of a molecule that contributes to the structural integrity of a chitin-based cuticle. An example of this is found in Drosophila melanogaster. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0005215': { - 'name': 'transporter activity', - 'def': 'Enables the directed movement of substances (such as macromolecules, small molecules, ions) into, out of or within a cell, or between cells. [GOC:ai, GOC:dgf]' - }, - 'GO:0005216': { - 'name': 'ion channel activity', - 'def': 'Enables the facilitated diffusion of an ion (by an energy-independent process) by passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. May be either selective (it enables passage of a specific ion only) or non-selective (it enables passage of two or more ions of same charge but different size). [GOC:cy, GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0005217': { - 'name': 'intracellular ligand-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when a specific intracellular ligand has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005219': { - 'name': 'ryanodine-sensitive calcium-release channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a channel that opens when a ryanodine class ligand has been bound by the channel complex or one of its constituent parts. [GOC:dph, GOC:tb]' - }, - 'GO:0005220': { - 'name': 'inositol 1,4,5-trisphosphate-sensitive calcium-release channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a channel that opens when inositol 1,4,5-trisphosphate (IP3) has been bound by the channel complex or one of its constituent parts. [GOC:mah, GOC:signaling, PMID:8660280, Wikipedia:Inositol_trisphosphate_receptor]' - }, - 'GO:0005221': { - 'name': 'intracellular cyclic nucleotide activated cation channel activity', - 'def': 'Enables the transmembrane transfer of a cation by a channel that opens when intracellular cyclic nucleotide has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport]' - }, - 'GO:0005222': { - 'name': 'intracellular cAMP activated cation channel activity', - 'def': 'Enables the transmembrane transfer of a cation by a channel that opens when intracellular cAMP has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport]' - }, - 'GO:0005223': { - 'name': 'intracellular cGMP activated cation channel activity', - 'def': 'Enables the transmembrane transfer of a cation by a channel that opens when intracellular cGMP has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport]' - }, - 'GO:0005225': { - 'name': 'volume-sensitive anion channel activity', - 'def': 'Enables the transmembrane transfer of an anion by a volume-sensitive channel. An anion is a negatively charged ion. A volume-sensitive channel is a channel that responds to changes in the volume of a cell. [GOC:dph, GOC:tb]' - }, - 'GO:0005227': { - 'name': 'calcium activated cation channel activity', - 'def': 'Enables the calcium concentration-regulatable energy-independent passage of cations across a lipid bilayer down a concentration gradient. [GOC:dph, GOC:mtg_transport]' - }, - 'GO:0005228': { - 'name': 'intracellular sodium activated potassium channel activity', - 'def': 'Enables the transmembrane transfer of potassium by a channel that opens in response to stimulus by a sodium ion or ions. Transport by a channel involves facilitated diffusion of a solute (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel, without evidence for a carrier-mediated mechanism. Sodium activated potassium channels have distinctive properties, including a large single channel conductance, subconductance states, and a block of single channel currents at positive potentials, similar to inward rectification. [GOC:mtg_transport, PMID:12628167]' - }, - 'GO:0005229': { - 'name': 'intracellular calcium activated chloride channel activity', - 'def': 'Enables the transmembrane transfer of chloride by a channel that opens in response to stimulus by a calcium ion or ions. Transport by a channel involves catalysis of facilitated diffusion of a solute (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel, without evidence for a carrier-mediated mechanism. [GOC:mtg_transport]' - }, - 'GO:0005230': { - 'name': 'extracellular ligand-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when a specific extracellular ligand has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005231': { - 'name': 'excitatory extracellular ligand-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when a specific extracellular ligand has been bound by the channel complex or one of its constituent parts, where channel opening contributes to an increase in membrane potential. [GOC:mah, ISBN:0323037070]' - }, - 'GO:0005234': { - 'name': 'extracellular-glutamate-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when extracellular glutamate has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005237': { - 'name': 'inhibitory extracellular ligand-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when a specific extracellular inhibitory ligand has been bound by the channel complex or one of its constituent parts. Inhibitory ligands, such as GABA or glycine, open chloride-selective channels. [GOC:mah, ISBN:0323037070]' - }, - 'GO:0005240': { - 'name': 'obsolete glycine receptor-associated protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005241': { - 'name': 'obsolete inward rectifier channel', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005242': { - 'name': 'inward rectifier potassium channel activity', - 'def': 'Enables the transmembrane transfer of a potassium ion by an inwardly-rectifying voltage-gated channel. An inwardly rectifying current-voltage relation is one where at any given driving force the inward flow of K+ ions exceeds the outward flow for the opposite driving force. The inward-rectification is due to a voltage-dependent block of the channel pore by a specific ligand or ligands, and as a result the macroscopic conductance depends on the difference between membrane voltage and the K+ equilibrium potential rather than on membrane voltage itself. [GOC:cb, GOC:mah, PMID:14977398]' - }, - 'GO:0005243': { - 'name': 'gap junction channel activity', - 'def': 'A wide pore channel activity that enables a direct cytoplasmic connection from one cell to an adjacent cell. The gap junction can pass large solutes as well as electrical signals between cells. Gap junctions consist of two gap junction hemi-channels, or connexons, one contributed by each membrane through which the gap junction passes. [GOC:dgh, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005244': { - 'name': 'voltage-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a voltage-gated channel. An ion is an atom or group of atoms carrying an electric charge by virtue of having gained or lost one or more electrons. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0005245': { - 'name': 'voltage-gated calcium channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a voltage-gated channel. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:mtg_transport, GOC:tb, ISBN:0815340729]' - }, - 'GO:0005246': { - 'name': 'calcium channel regulator activity', - 'def': 'Modulates the activity of a calcium channel. [GOC:mah]' - }, - 'GO:0005247': { - 'name': 'voltage-gated chloride channel activity', - 'def': 'Enables the transmembrane transfer of a chloride ion by a voltage-gated channel. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005248': { - 'name': 'voltage-gated sodium channel activity', - 'def': 'Enables the transmembrane transfer of a sodium ion by a voltage-gated channel. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005249': { - 'name': 'voltage-gated potassium channel activity', - 'def': 'Enables the transmembrane transfer of a potassium ion by a voltage-gated channel. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005250': { - 'name': 'A-type (transient outward) potassium channel activity', - 'def': 'Enables the transmembrane transfer of a potassium ion by an outwardly-rectifying voltage-gated channel that produces a transient outward current upon a step change in membrane potential. [GOC:mah, PMID:5575340]' - }, - 'GO:0005251': { - 'name': 'delayed rectifier potassium channel activity', - 'def': 'Enables the transmembrane transfer of a potassium ion by a delayed rectifying voltage-gated channel. A delayed rectifying current-voltage relation is one where channel activation kinetics are time-dependent, and inactivation is slow. [GOC:mah, PMID:11343411, PMID:2462513]' - }, - 'GO:0005252': { - 'name': 'open rectifier potassium channel activity', - 'def': 'Enables the transmembrane transfer of a potassium ion by an open rectifier voltage-gated channel. An open rectifier current-voltage relationship is one in which the direction of rectification depends on the external potassium ion concentration. [GOC:mah, PMID:8917578]' - }, - 'GO:0005253': { - 'name': 'anion channel activity', - 'def': 'Enables the energy-independent passage of anions across a lipid bilayer down a concentration gradient. [GOC:dph, GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0005254': { - 'name': 'chloride channel activity', - 'def': 'Enables the facilitated diffusion of a chloride (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0005260': { - 'name': 'intracellular ATPase-gated chloride channel activity', - 'def': 'Enables passage of a chloride ion through a transmembrane channel that opens when intracellular ATP is bound and hydrolysed. Passage is via passive diffusion once the channel is open. [EC:3.6.3.49, PMID:9922375]' - }, - 'GO:0005261': { - 'name': 'cation channel activity', - 'def': 'Enables the energy-independent passage of cations across a lipid bilayer down a concentration gradient. [GOC:def, GOC:dph, GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0005262': { - 'name': 'calcium channel activity', - 'def': 'Enables the facilitated diffusion of a calcium ion (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0005267': { - 'name': 'potassium channel activity', - 'def': 'Enables the facilitated diffusion of a potassium ion (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:BHF, GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0005272': { - 'name': 'sodium channel activity', - 'def': 'Enables the facilitated diffusion of a sodium ion (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:BHF, GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0005274': { - 'name': 'allantoin uptake transmembrane transporter activity', - 'def': 'Enables the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: allantoin(out) + H+(out) = allantoin(in) + H+(in) by secondary active transport. [GOC:mtg_transport, ISBN:0815340729, TC:2.A.39.3.1]' - }, - 'GO:0005275': { - 'name': 'amine transmembrane transporter activity', - 'def': 'Enables the transfer of amines, including polyamines, from one side of the membrane to the other. Amines are organic compounds that are weakly basic in character and contain an amino (-NH2) or substituted amino group. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0005276': { - 'name': 'vesicular hydrogen:amino acid antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a vesicle membrane to the other according to the reaction: H+(in) + amino acid(out) = H+(out) + amino acid(in). [GOC:mah, Reactome:428625]' - }, - 'GO:0005277': { - 'name': 'acetylcholine transmembrane transporter activity', - 'def': 'Enables the transfer of acetylcholine from one side of the membrane to the other. Acetylcholine is an acetic acid ester of the organic base choline and functions as a neurotransmitter, released at the synapses of parasympathetic nerves and at neuromuscular junctions. [GOC:ai]' - }, - 'GO:0005278': { - 'name': 'acetylcholine:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + acetylcholine(in) = H+(in) + acetylcholine(out). [TC:2.A.1.2.13]' - }, - 'GO:0005280': { - 'name': 'hydrogen:amino acid symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: amino acid(out) + H+(out) = amino acid(in) + H+(in). [GOC:ai]' - }, - 'GO:0005281': { - 'name': 'obsolete general amino acid permease activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005283': { - 'name': 'sodium:amino acid symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: amino acid(out) + Na+(out) = amino acid(in) + Na+(in). [GOC:ai]' - }, - 'GO:0005287': { - 'name': 'high-affinity basic amino acid transmembrane transporter activity', - 'def': 'Catalysis of the transfer of basic amino acids from one side of a membrane to the other. Acidic amino acids have a pH above 7. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mtg_transport]' - }, - 'GO:0005289': { - 'name': 'high-affinity arginine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of arginine from one side of a membrane to the other. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mtg_transport]' - }, - 'GO:0005290': { - 'name': 'L-histidine transmembrane transporter activity', - 'def': 'Enables the transfer of L-histidine from one side of a membrane to the other. L-histidine is 2-amino-3-(1H-imidazol-4-yl)propanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005291': { - 'name': 'high-affinity L-histidine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of L-histidine from one side of a membrane to the other. L-histidine is 2-amino-3-(1H-imidazol-4-yl)propanoic acid. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mtg_transport]' - }, - 'GO:0005292': { - 'name': 'high-affinity lysine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of lysine from one side of a membrane to the other. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mtg_transport]' - }, - 'GO:0005294': { - 'name': 'neutral L-amino acid secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a neutral L-amino acid from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0005295': { - 'name': 'neutral amino acid:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: neutral amino acid(out) + Na+(out) = neutral amino acid(in) + Na+(in). [TC:2.A.23.3.1]' - }, - 'GO:0005297': { - 'name': 'hydrogen:proline symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: proline(out) + H+(out) = proline(in) + H+(in). [GOC:ai]' - }, - 'GO:0005298': { - 'name': 'proline:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: proline(out) + Na+(out) = proline(in) + Na+(in). [TC:2.A.22.2.1]' - }, - 'GO:0005300': { - 'name': 'high-affinity tryptophan transmembrane transporter activity', - 'def': 'Catalysis of the high-affinity transfer of L-tryptophan from one side of a membrane to the other. Tryptophan is 2-amino-3-(1H-indol-3-yl)propanoic acid. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005301': { - 'name': 'obsolete valine/tyrosine/tryptophan permease activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005302': { - 'name': 'L-tyrosine transmembrane transporter activity', - 'def': 'Enables the transfer of L-tyrosine from one side of a membrane to the other. L-tyrosine is 2-amino-3-(4-hydroxyphenyl)propanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005304': { - 'name': 'L-valine transmembrane transporter activity', - 'def': 'Enables the transfer of L-valine from one side of a membrane to the other. L-valine is 2-amino-3-methylbutanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005307': { - 'name': 'choline:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: choline(out) + Na+(out) = choline(in) + Na+(in). [TC:2.A.22.3.5]' - }, - 'GO:0005308': { - 'name': 'creatine transmembrane transporter activity', - 'def': 'Enables the directed movement of creatine across a membrane. Creatine is a compound synthesized from the amino acids arginine, glycine, and methionine that occurs in muscle. [GOC:ai]' - }, - 'GO:0005309': { - 'name': 'creatine:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: creatine(out) + Na+(out) = creatine(in) + Na+(in). [TC:2.A.22.3.4]' - }, - 'GO:0005310': { - 'name': 'dicarboxylic acid transmembrane transporter activity', - 'def': 'Enables the transfer of dicarboxylic acids from one side of the membrane to the other. A dicarboxylic acid is an organic acid with two COOH groups. [GOC:ai]' - }, - 'GO:0005311': { - 'name': 'obsolete sodium:dicarboxylate/tricarboxylate symporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (dicarboxylate or tricarboxylate)(out) + Na+(out) = (dicarboxylate or tricarboxylate)(in) + Na+(in). [TC:2.A.47.1.5]' - }, - 'GO:0005313': { - 'name': 'L-glutamate transmembrane transporter activity', - 'def': 'Enables the transfer of L-glutamate from one side of a membrane to the other. L-glutamate is the anion of 2-aminopentanedioic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005314': { - 'name': 'high-affinity glutamate transmembrane transporter activity', - 'def': 'Enables the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glutamate(out) + H+(out) = glutamate(in) + H+(in). In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [TC:2.A.3.10.5]' - }, - 'GO:0005315': { - 'name': 'inorganic phosphate transmembrane transporter activity', - 'def': 'Enables the transfer of a inorganic phosphate from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0005316': { - 'name': 'high-affinity inorganic phosphate:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: HPO42-(out) + Na+(out) = HPO42-(in) + Na+(in). In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [TC:2.A.20.2.2]' - }, - 'GO:0005318': { - 'name': 'obsolete phosphate:hydrogen symporter', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005319': { - 'name': 'lipid transporter activity', - 'def': 'Enables the directed movement of lipids into, out of or within a cell, or between cells. [GOC:ai]' - }, - 'GO:0005320': { - 'name': 'obsolete apolipoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005321': { - 'name': 'obsolete high-density lipoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005322': { - 'name': 'obsolete low-density lipoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005323': { - 'name': 'obsolete very-low-density lipoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005324': { - 'name': 'long-chain fatty acid transporter activity', - 'def': 'Enables the directed movement of long-chain fatty acids into, out of or within a cell, or between cells. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, ISBN:0198506732]' - }, - 'GO:0005325': { - 'name': 'peroxisomal fatty-acyl-CoA transporter activity', - 'def': 'Catalysis of the reaction: ATP + H2O + fatty acyl CoA(cis) = ADP + phosphate + fatty acyl CoA(trans). The transport of fatty acyl CoA into and out of peroxisomes. [EC:3.6.3.47]' - }, - 'GO:0005326': { - 'name': 'neurotransmitter transporter activity', - 'def': 'Enables the directed movement of a neurotransmitter into, out of or within a cell, or between cells. Neurotransmitters are any chemical substance that is capable of transmitting (or inhibiting the transmission of) a nerve impulse from a neuron to another cell. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0005328': { - 'name': 'neurotransmitter:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: neurotransmitter(out) + Na+(out) = neurotransmitter(in) + Na+(in). [TC:2.A.22.-.-]' - }, - 'GO:0005329': { - 'name': 'dopamine transmembrane transporter activity', - 'def': 'Enables the transfer of dopamine from one side of the membrane to the other. Dopamine is a catecholamine neurotransmitter and a metabolic precursor of noradrenaline and adrenaline. [GOC:ai]' - }, - 'GO:0005330': { - 'name': 'dopamine:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: dopamine(out) + Na+(out) = dopamine(in) + Na+(in). [TC:2.A.22.1.3]' - }, - 'GO:0005332': { - 'name': 'gamma-aminobutyric acid:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: gamma-aminobutyric acid(out) + Na+(out) = gamma-aminobutyric acid(in) + Na+(in). [TC:2.A.22.3.2]' - }, - 'GO:0005333': { - 'name': 'norepinephrine transmembrane transporter activity', - 'def': 'Enables the transfer of norepinephrine from one side of the membrane to the other. Norepinephrine (3,4-dihydroxyphenyl-2-aminoethanol) is a hormone secreted by the adrenal medulla and a neurotransmitter in the sympathetic peripheral nervous system and in some tracts of the CNS. It is also the biosynthetic precursor of epinephrine. [ISBN:0198506732]' - }, - 'GO:0005334': { - 'name': 'norepinephrine:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: norepinephrine(out) + Na+(out) = norepinephrine(in) + Na+(in). [TC:2.A.22.1.2]' - }, - 'GO:0005335': { - 'name': 'serotonin:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: serotonin(out) + Na+(out) = serotonin(in) + Na+(in). [TC:2.A.22.1.1]' - }, - 'GO:0005337': { - 'name': 'nucleoside transmembrane transporter activity', - 'def': 'Enables the transfer of a nucleoside, a nucleobase linked to either beta-D-ribofuranose (ribonucleoside) or 2-deoxy-beta-D-ribofuranose, (a deoxyribonucleotide) from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0005338': { - 'name': 'nucleotide-sugar transmembrane transporter activity', - 'def': "Enables the transfer of a nucleotide-sugar from one side of the membrane to the other. A nucleotide-sugar is any nucleotide in which the distal phosphoric residue of a nucleoside 5'-diphosphate is in glycosidic linkage with a monosaccharide or monosaccharide derivative. [GOC:ai, GOC:mtg_transport, ISBN:0815340729, PMID:15034926]" - }, - 'GO:0005340': { - 'name': 'nucleotide-sulfate transmembrane transporter activity', - 'def': 'Enables the transfer of nucleotide-sulfate from one side of a membrane to the other. [GOC:mtg_transport]' - }, - 'GO:0005342': { - 'name': 'organic acid transmembrane transporter activity', - 'def': 'Enables the transfer of organic acids, any acidic compound containing carbon in covalent linkage, from one side of the membrane to the other. [ISBN:0198506732]' - }, - 'GO:0005343': { - 'name': 'organic acid:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: organic acid(out) + Na+(out) = organic acid(in) + Na+(in). [TC:2.A.28.1.1]' - }, - 'GO:0005344': { - 'name': 'oxygen transporter activity', - 'def': 'Enables the directed movement of oxygen into, out of or within a cell, or between cells. [GOC:ai]' - }, - 'GO:0005345': { - 'name': 'purine nucleobase transmembrane transporter activity', - 'def': 'Enables the transfer of purine nucleobases, one of the two classes of nitrogen-containing ring compounds found in DNA and RNA, from one side of a membrane to the other. [CHEBI:26386, ISBN:0198506732]' - }, - 'GO:0005346': { - 'name': 'purine ribonucleotide transmembrane transporter activity', - 'def': 'Enables the transfer of a purine ribonucleotide, any compound consisting of a purine ribonucleoside (a purine organic base attached to a ribose sugar) esterified with (ortho)phosphate, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0005347': { - 'name': 'ATP transmembrane transporter activity', - 'def': 'Enables the transfer of ATP, adenosine triphosphate, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0005350': { - 'name': 'pyrimidine nucleobase transmembrane transporter activity', - 'def': 'Enables the transfer of pyrimidine nucleobases, one of the two classes of nitrogen-containing ring compounds found in DNA and RNA, from one side of a membrane to the other. [CHEBI:26432, GOC:ai]' - }, - 'GO:0005351': { - 'name': 'sugar:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sugar(out) + H+(out) = sugar(in) + H+(in). [TC:2.A.1.1.-]' - }, - 'GO:0005352': { - 'name': 'alpha-glucoside:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: alpha-glucoside(out) + H+(out) = alpha-glucoside(in) + H+(in). Alpha-glucosides include trehalose, maltose, turanose, isomaltose, alpha-methylglucoside, maltotriose, palatinose, trehalose and melezitose. [TC:2.A.1.1.11]' - }, - 'GO:0005353': { - 'name': 'fructose transmembrane transporter activity', - 'def': 'Enables the transfer of fructose from one side of the membrane to the other. Fructose exists in a open chain form or as a ring compound. D-fructose is the sweetest of the sugars and is found free in a large number of fruits and honey. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005354': { - 'name': 'galactose transmembrane transporter activity', - 'def': 'Enables the transfer of galactose from one side of the membrane to the other. D-galactose is widely distributed in combined form in plants, animals and microorganisms as a constituent of oligo- and polysaccharides; it also occurs in galactolipids and as its glucoside in lactose and melibiose. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005355': { - 'name': 'glucose transmembrane transporter activity', - 'def': 'Enables the transfer of the hexose monosaccharide glucose from one side of the membrane to the other. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005356': { - 'name': 'hydrogen:glucose symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose + H+ = glucose + H+. Symporter activity enables the active transport of a solute across a membrane by a mechanism whereby two or more species are transported together in the same direction in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. [GOC:mtg_transport]' - }, - 'GO:0005357': { - 'name': 'constitutive hydrogen:glucose symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose + H+ = glucose + H+. This activity is constitutive and therefore always present, regardless of demand. Symporter activity enables the active transport of a solute across a membrane by a mechanism whereby two or more species are transported together in the same direction in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. [GOC:mtg_transport]' - }, - 'GO:0005358': { - 'name': 'high-affinity hydrogen:glucose symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose + H+ = glucose + H+. This activity is constitutive and therefore always present, regardless of demand. Symporter activity enables the active transport of a solute across a membrane by a mechanism whereby two or more species are transported together in the same direction in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mtg_transport]' - }, - 'GO:0005359': { - 'name': 'low-affinity hydrogen:glucose symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose + H+ = glucose + H+. In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. Symporter activity enables the active transport of a solute across a membrane by a mechanism whereby two or more species are transported together in the same direction in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. [GOC:mtg_transport]' - }, - 'GO:0005360': { - 'name': 'insulin-responsive hydrogen:glucose symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose + H+ = glucose + H+, in response to a stimulus by insulin. Symporter activity enables the active transport of a solute across a membrane by a mechanism whereby two or more species are transported together in the same direction in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. [GOC:mtg_transport]' - }, - 'GO:0005362': { - 'name': 'low-affinity glucose:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose(out) + Na+(out) = glucose(in) + Na+(in). In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [TC:2.A.21.3.-]' - }, - 'GO:0005363': { - 'name': 'maltose transmembrane transporter activity', - 'def': 'Enables the transfer of maltose from one side of the membrane to the other. Maltose is the disaccharide 4-O-alpha-D-glucopyranosyl-D-glucopyranose, an intermediate in the enzymatic breakdown of glycogen and starch. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0005364': { - 'name': 'maltose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: maltose(out) + H+(out) = maltose(in) + H+(in). [TC:2.A.1.1.10]' - }, - 'GO:0005365': { - 'name': 'myo-inositol transmembrane transporter activity', - 'def': 'Enables the transfer of myo-inositol from one side of the membrane to the other. Myo-inositol is 1,2,3,4,5/4,6-cyclohexanehexol, a growth factor for animals and microorganisms. [GOC:ai]' - }, - 'GO:0005366': { - 'name': 'myo-inositol:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: myo-inositol(out) + H+(out) = myo-inositol(in) + H+(in). [TC:2.A.1.1.8]' - }, - 'GO:0005367': { - 'name': 'myo-inositol:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: myo-inositol(out) + Na+(out) = myo-inositol(in) + Na+(in). [TC:2.A.21.4.-]' - }, - 'GO:0005368': { - 'name': 'taurine transmembrane transporter activity', - 'def': 'Enables the transfer of taurine from one side of the membrane to the other. Taurine (2-aminoethanesulfonic acid) is a sulphur-containing amino acid derivative which is important in the metabolism of fats. [GOC:ai]' - }, - 'GO:0005369': { - 'name': 'taurine:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: taurine(out) + Na+(out) = taurine(in) + Na+(in). [TC:2.A.22.3.3]' - }, - 'GO:0005371': { - 'name': 'tricarboxylate secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of tricarboxylate from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005372': { - 'name': 'water transmembrane transporter activity', - 'def': 'Enables the directed movement of water (H2O) from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0005373': { - 'name': 'obsolete heavy metal ion porter activity', - 'def': 'OBSOLETE. A transporter of heavy metal ions that utilizes a carrier-mediated process to catalyze uniport, symport or antiport between aqueous phases on either side of a lipid membrane. [GOC:ai]' - }, - 'GO:0005375': { - 'name': 'copper ion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of copper (Cu) ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0005376': { - 'name': 'obsolete plasma membrane copper transporter', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005377': { - 'name': 'obsolete intracellular copper ion transporter', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005381': { - 'name': 'iron ion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of iron (Fe) ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0005384': { - 'name': 'manganese ion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of manganese (Mn) ions from one side of a membrane to the other. [GOC:dgf]' - }, - 'GO:0005385': { - 'name': 'zinc ion transmembrane transporter activity', - 'def': 'Enables the transfer of zinc (Zn) ions from one side of a membrane to the other. [GOC:dgf]' - }, - 'GO:0005388': { - 'name': 'calcium-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Ca2+(cis) = ADP + phosphate + Ca2+(trans). [EC:3.6.3.8]' - }, - 'GO:0005391': { - 'name': 'sodium:potassium-exchanging ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Na+(in) + K+(out) = ADP + phosphate + Na+(out) + K+(in). [EC:3.6.3.9]' - }, - 'GO:0005395': { - 'name': 'eye pigment precursor transporter activity', - 'def': 'Catalysis of the reaction: ATP + H2O + eye pigment precursor(in) = ADP + phosphate + eye pigment precursor(out). [TC:3.A.1.204.1]' - }, - 'GO:0005396': { - 'name': 'obsolete transmembrane conductance regulator activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005400': { - 'name': 'obsolete peroxisomal membrane transporter', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005402': { - 'name': 'cation:sugar symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sugar(out) + cation(out) = sugar(in) + cation(in). [GOC:ai]' - }, - 'GO:0005412': { - 'name': 'glucose:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose(out) + Na+(out) = glucose(in) + Na+(in). [TC:2.A.21.3.-]' - }, - 'GO:0005415': { - 'name': 'nucleoside:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: nucleoside(out) + Na+(out) = nucleoside(in) + Na+(in). [GOC:ai]' - }, - 'GO:0005416': { - 'name': 'cation:amino acid symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: amino acid(out) + cation(out) = amino acid(in) + cation(in). [GOC:ai]' - }, - 'GO:0005427': { - 'name': 'proton-dependent oligopeptide secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a oligopeptide from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by proton movement. [GOC:mtg_transport, OMIM:600544]' - }, - 'GO:0005429': { - 'name': 'chromaffin granule amine transmembrane transporter activity', - 'def': 'Enables the transfer of amines across chromaffin granule membranes. [GOC:mah]' - }, - 'GO:0005430': { - 'name': 'synaptic vesicle amine transmembrane transporter activity', - 'def': 'Enables the transfer of amines across synaptic vesicle membranes. [GOC:ai]' - }, - 'GO:0005432': { - 'name': 'calcium:sodium antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Ca2+(in) + Na+(out) = Ca2+(out) + Na+(in). [GOC:curators, PMID:16371597]' - }, - 'GO:0005436': { - 'name': 'sodium:phosphate symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Na+(out) + phosphate(out) = Na+(in) + phosphate(in). [GOC:ai]' - }, - 'GO:0005451': { - 'name': 'monovalent cation:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: monovalent cation(out) + H+(in) = monovalent cation(in) + H+(out). [GOC:ai]' - }, - 'GO:0005452': { - 'name': 'inorganic anion exchanger activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: inorganic anion A(out) + inorganic anion B(in) = inorganic anion A(in) + inorganic anion B(out). [GOC:mah]' - }, - 'GO:0005456': { - 'name': 'CMP-N-acetylneuraminate transmembrane transporter activity', - 'def': 'Enables the transfer of a CMP-N-acetylneuraminate from one side of the membrane to the other. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005457': { - 'name': 'GDP-fucose transmembrane transporter activity', - 'def': 'Enables the transfer of a GDP-fucose from one side of the membrane to the other. GDP-fucose is a substance composed of fucose in glycosidic linkage with guanosine diphosphate. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005458': { - 'name': 'GDP-mannose transmembrane transporter activity', - 'def': 'Enables the transfer of a GDP-mannose from one side of the membrane to the other. GDP-mannose is a substance composed of mannose in glycosidic linkage with guanosine diphosphate. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005459': { - 'name': 'UDP-galactose transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a UDP-galactose from one side of the membrane to the other. UDP-galactose is a substance composed of galactose in glycosidic linkage with uridine diphosphate. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005460': { - 'name': 'UDP-glucose transmembrane transporter activity', - 'def': 'Enables the transfer of a UDP-glucose from one side of the membrane to the other. UDP-glucose is a substance composed of glucose in glycosidic linkage with uridine diphosphate. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005461': { - 'name': 'UDP-glucuronic acid transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a UDP-glucuronic acid from one side of the membrane to the other. UDP-glucuronic acid is a substance composed of glucuronic acid in glycosidic linkage with uridine diphosphate. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005462': { - 'name': 'UDP-N-acetylglucosamine transmembrane transporter activity', - 'def': 'Enables the transfer of a UDP-N-acetylglucosamine from one side of the membrane to the other. N-acetylglucosamine is a substance composed of N-acetylglucosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005463': { - 'name': 'UDP-N-acetylgalactosamine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a N-acetylgalactosamine from one side of the membrane to the other. N-acetylgalactosamine is a substance composed of N-acetylgalactosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0005464': { - 'name': 'UDP-xylose transmembrane transporter activity', - 'def': 'Enables the transfer of UDP-xylose from one side of the membrane to the other. UDP-xylose is a substance composed of xylose in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0005468': { - 'name': 'obsolete small-molecule carrier or transporter', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005469': { - 'name': 'succinate:fumarate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: succinate(out) + fumarate(in) = succinate(in) + fumarate(out). [TC:2.A.29.13.1]' - }, - 'GO:0005471': { - 'name': 'ATP:ADP antiporter activity', - 'def': 'Catalysis of the reaction: ATP(out) + ADP(in) = ATP(in) + ADP(out). [TC:2.A.29.1.1]' - }, - 'GO:0005472': { - 'name': 'FAD carrier activity', - 'def': 'Catalysis of the transfer of flavin adenine dinucleotide from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mah]' - }, - 'GO:0005476': { - 'name': 'carnitine:acyl carnitine antiporter activity', - 'def': 'Catalysis of the reaction: carnitine (mitochondrial) + acyl carnitine (cytoplasm) = carnitine (cytoplasm) + acyl carnitine (mitochondrial). [PMID:9032458]' - }, - 'GO:0005477': { - 'name': 'pyruvate secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of pyruvate from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0005479': { - 'name': 'obsolete vacuolar assembly', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005480': { - 'name': 'obsolete vesicle transport', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005481': { - 'name': 'obsolete vesicle fusion', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005482': { - 'name': 'obsolete vesicle targeting', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005483': { - 'name': 'soluble NSF attachment protein activity', - 'def': 'Interacting selectively and non-covalently with both N-ethylmaleimide-sensitive fusion protein (NSF) and a cis-SNARE complex (i.e. a SNARE complex in which all proteins are associated with the same membrane) and increasing the ATPase activity of NSF, thereby allowing ATP hydrolysis by NSF to disassemble the cis-SNARE complex. [GOC:mah, PMID:14570579, PMID:15556857]' - }, - 'GO:0005484': { - 'name': 'SNAP receptor activity', - 'def': 'Acting as a marker to identify a membrane and interacting selectively with one or more SNAREs on another membrane to mediate membrane fusion. [GOC:mah, PMID:14570579]' - }, - 'GO:0005487': { - 'name': 'nucleocytoplasmic transporter activity', - 'def': 'Enables the directed movement of substances between the nucleus and the cytoplasm of a cell. [GOC:ai]' - }, - 'GO:0005488': { - 'name': 'binding', - 'def': 'The selective, non-covalent, often stoichiometric, interaction of a molecule with one or more specific sites on another molecule. [GOC:ceb, GOC:mah, ISBN:0198506732]' - }, - 'GO:0005489': { - 'name': 'obsolete electron transporter activity', - 'def': 'OBSOLETE. Enables the directed movement of electrons into, out of, within or between cells. [GOC:ai]' - }, - 'GO:0005490': { - 'name': 'obsolete cytochrome P450', - 'def': 'OBSOLETE. A cytochrome b that has a sulfur atom ligated to the iron of the prosthetic group (heme-thiolate); enzymes:typically monooxygenases acting on lipophilic substrates. [ISBN:0198547684]' - }, - 'GO:0005496': { - 'name': 'steroid binding', - 'def': 'Interacting selectively and non-covalently with a steroid, any of a large group of substances that have in common a ring system based on 1,2-cyclopentanoperhydrophenanthrene. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0005497': { - 'name': 'androgen binding', - 'def': 'Interacting selectively and non-covalently with any androgen, male sex hormones. [CHEBI:50113, GOC:jl]' - }, - 'GO:0005499': { - 'name': 'vitamin D binding', - 'def': 'Interacting selectively and non-covalently with vitamin D, any of a group of related, fat-soluble compounds that are derived from delta-5,7 steroids and play a central role in calcium metabolism. Specific forms of vitamin D include calciferol (ergocalciferol; vitamin D2) and cholecalciferol (calciol; vitamin D3). [CHEBI:27300, GOC:mah, ISBN:0471331309]' - }, - 'GO:0005500': { - 'name': 'juvenile hormone binding', - 'def': 'Interacting selectively and non-covalently with juvenile hormone, the three sesquiterpenoid derivatives that function to maintain the larval state of insects at molting and that may be required for other processes, e.g. oogenesis. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0005501': { - 'name': 'retinoid binding', - 'def': 'Interacting selectively and non-covalently with retinoids, any member of a class of isoprenoids that contain or are derived from four prenyl groups linked head-to-tail. Retinoids include retinol and retinal and structurally similar natural derivatives or synthetic compounds, but need not have vitamin A activity. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0005502': { - 'name': '11-cis retinal binding', - 'def': 'Interacting selectively and non-covalently with 11-cis retinal, an isomer of retinal that plays an important role in the visual process in most vertebrates. 11-cis retinal combines with opsin in the rods (scotopsin) to form rhodopsin or visual purple. Retinal is one of the three compounds that makes up vitamin A. [CHEBI:16066]' - }, - 'GO:0005503': { - 'name': 'all-trans retinal binding', - 'def': 'Interacting selectively and non-covalently with all-trans retinal, a compound that plays an important role in the visual process in most vertebrates. All-trans retinal (trans r., visual yellow) results from the bleaching of rhodopsin by light, in which the 11-cis form is converted to the all-trans form. Retinal is one of the forms of vitamin A. [CHEBI:17898, GOC:curators]' - }, - 'GO:0005504': { - 'name': 'fatty acid binding', - 'def': 'Interacting selectively and non-covalently with fatty acids, aliphatic monocarboxylic acids liberated from naturally occurring fats and oils by hydrolysis. [ISBN:0198506732]' - }, - 'GO:0005505': { - 'name': 'obsolete heavy metal binding', - 'def': 'OBSOLETE. Interacting selectively with a heavy metal, a metal that can form a coordination bond with a protein, as opposed to an alkali or alkaline-earth metal that can only form an ionic bond; this definition includes the following biologically relevant heavy metals: Cd, Co, Cu, Fe, Hg, Mn, Mo, Ni, V, W, Zn. [GOC:kd, GOC:mah]' - }, - 'GO:0005506': { - 'name': 'iron ion binding', - 'def': 'Interacting selectively and non-covalently with iron (Fe) ions. [GOC:ai]' - }, - 'GO:0005507': { - 'name': 'copper ion binding', - 'def': 'Interacting selectively and non-covalently with copper (Cu) ions. [GOC:ai]' - }, - 'GO:0005508': { - 'name': 'obsolete copper/cadmium binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005509': { - 'name': 'calcium ion binding', - 'def': 'Interacting selectively and non-covalently with calcium ions (Ca2+). [GOC:ai]' - }, - 'GO:0005513': { - 'name': 'detection of calcium ion', - 'def': 'The series of events in which a calcium ion stimulus is received by a cell and converted into a molecular signal. [GOC:pg]' - }, - 'GO:0005514': { - 'name': 'obsolete calcium ion storage activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005515': { - 'name': 'protein binding', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex (a complex of two or more proteins that may include other nonprotein molecules). [GOC:go_curators]' - }, - 'GO:0005516': { - 'name': 'calmodulin binding', - 'def': 'Interacting selectively and non-covalently with calmodulin, a calcium-binding protein with many roles, both in the calcium-bound and calcium-free states. [GOC:krc]' - }, - 'GO:0005517': { - 'name': 'obsolete calmodulin inhibitor activity', - 'def': 'OBSOLETE. This term was not defined before being made obsolete. [GOC:tb]' - }, - 'GO:0005518': { - 'name': 'collagen binding', - 'def': 'Interacting selectively and non-covalently with collagen, a group of fibrous proteins of very high tensile strength that form the main component of connective tissue in animals. Collagen is highly enriched in glycine (some regions are 33% glycine) and proline, occurring predominantly as 3-hydroxyproline (about 20%). [GOC:ai, ISBN:0198506732]' - }, - 'GO:0005519': { - 'name': 'cytoskeletal regulatory protein binding', - 'def': 'Interacting selectively and non-covalently with any protein involved in modulating the reorganization of the cytoskeleton. [GOC:go_curators, PMID:15163540]' - }, - 'GO:0005520': { - 'name': 'insulin-like growth factor binding', - 'def': 'Interacting selectively and non-covalently with an insulin-like growth factor, any member of a group of polypeptides that are structurally homologous to insulin and share many of its biological activities, but are immunologically distinct from it. [ISBN:0198506732]' - }, - 'GO:0005521': { - 'name': 'lamin binding', - 'def': 'Interacting selectively and non-covalently with lamin; any of a group of intermediate-filament proteins that form the fibrous matrix on the inner surface of the nuclear envelope. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0005522': { - 'name': 'profilin binding', - 'def': 'Interacting selectively and non-covalently with profilin, an actin-binding protein that forms a complex with G-actin and prevents it from polymerizing to form F-actin. [ISBN:0721662544]' - }, - 'GO:0005523': { - 'name': 'tropomyosin binding', - 'def': 'Interacting selectively and non-covalently with tropomyosin, a protein associated with actin filaments both in cytoplasm and, in association with troponin, in the thin filament of striated muscle. [GOC:curators, ISBN:0815316194]' - }, - 'GO:0005524': { - 'name': 'ATP binding', - 'def': "Interacting selectively and non-covalently with ATP, adenosine 5'-triphosphate, a universally important coenzyme and enzyme regulator. [ISBN:0198506732]" - }, - 'GO:0005525': { - 'name': 'GTP binding', - 'def': 'Interacting selectively and non-covalently with GTP, guanosine triphosphate. [GOC:ai]' - }, - 'GO:0005527': { - 'name': 'macrolide binding', - 'def': 'Interacting selectively and non-covalently with a macrolide, any of a large group of structurally related antibiotics produced by Streptomyces species. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0005528': { - 'name': 'FK506 binding', - 'def': 'Interacting selectively and non-covalently with the 23-membered macrolide lactone FK506. [GOC:jl]' - }, - 'GO:0005530': { - 'name': 'obsolete lectin', - 'def': 'OBSOLETE. Lectins are proteins obtained particularly from the seeds of leguminous plants, but also from many other plant and animal sources, that have binding sites for specific mono or oligosaccharides in cell walls or membranes. They thereby change the physiology of the membrane to cause agglutination, mitosis, or other biochemical changes in the cell. [GOC:curators]' - }, - 'GO:0005531': { - 'name': 'obsolete galactose binding lectin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005532': { - 'name': 'obsolete mannose binding lectin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005533': { - 'name': 'obsolete N-acetylgalactosamine lectin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005534': { - 'name': 'galactose binding', - 'def': 'Interacting selectively and non-covalently with the aldohexose galactose (galacto-hexose), a common constituent of many oligo- and polysaccharides. [CHEBI:28260, GOC:jl, ISBN:0198506732]' - }, - 'GO:0005536': { - 'name': 'glucose binding', - 'def': 'Interacting selectively and non-covalently with the D- or L-enantiomer of glucose. [CHEBI:17234, GOC:jl]' - }, - 'GO:0005537': { - 'name': 'mannose binding', - 'def': 'Interacting selectively and non-covalently with mannose, a monosaccharide hexose, stereoisomeric with glucose, that occurs naturally only in polymerized forms called mannans. [CHEBI:37684, GOC:jl, ISBN:0192800981]' - }, - 'GO:0005539': { - 'name': 'glycosaminoglycan binding', - 'def': 'Interacting selectively and non-covalently with any glycan (polysaccharide) containing a substantial proportion of aminomonosaccharide residues. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0005540': { - 'name': 'hyaluronic acid binding', - 'def': 'Interacting selectively and non-covalently with hyaluronic acid, a polymer composed of repeating dimeric units of glucuronic acid and N-acetyl glucosamine. [CHEBI:16336, GOC:jl]' - }, - 'GO:0005541': { - 'name': 'obsolete acyl-CoA or acyl binding', - 'def': 'OBSOLETE. Interacting selectively with acyl-CoA or acyl, any derivative of coenzyme A in which the sulfhydryl group is in thiolester linkage with a fatty acyl group, or any group formally derived by removal of a hydroxyl group from the acid function of an organic acid. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0005542': { - 'name': 'folic acid binding', - 'def': 'Interacting selectively and non-covalently with folic acid, pteroylglutamic acid. Folic acid is widely distributed as a member of the vitamin B complex and is essential for the synthesis of purine and pyrimidines. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0005543': { - 'name': 'phospholipid binding', - 'def': 'Interacting selectively and non-covalently with phospholipids, a class of lipids containing phosphoric acid as a mono- or diester. [ISBN:0198506732]' - }, - 'GO:0005544': { - 'name': 'calcium-dependent phospholipid binding', - 'def': 'Interacting selectively and non-covalently with phospholipids, a class of lipids containing phosphoric acid as a mono- or diester, in the presence of calcium. [GOC:jl]' - }, - 'GO:0005545': { - 'name': '1-phosphatidylinositol binding', - 'def': 'Interacting selectively and non-covalently with phosphatidylinositol, any glycophospholipid with its sn-glycerol 3-phosphate residue is esterified to the 1-hydroxyl group of 1D-myo-inositol. [ISBN:0198506732]' - }, - 'GO:0005546': { - 'name': 'phosphatidylinositol-4,5-bisphosphate binding', - 'def': "Interacting selectively and non-covalently with phosphatidylinositol-4,5-bisphosphate, a derivative of phosphatidylinositol in which the inositol ring is phosphorylated at the 4' and 5' positions. [GOC:bf, GOC:jl]" - }, - 'GO:0005547': { - 'name': 'phosphatidylinositol-3,4,5-trisphosphate binding', - 'def': "Interacting selectively and non-covalently with phosphatidylinositol-3,4,5-trisphosphate, a derivative of phosphatidylinositol in which the inositol ring is phosphorylated at the 3', 4' and 5' positions. [GOC:bf, GOC:jl]" - }, - 'GO:0005548': { - 'name': 'phospholipid transporter activity', - 'def': 'Enables the directed movement of phospholipids into, out of or within a cell, or between cells. Phospholipids are a class of lipids containing phosphoric acid as a mono- or diester. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0005549': { - 'name': 'odorant binding', - 'def': 'Interacting selectively and non-covalently with an odorant, any substance capable of stimulating the sense of smell. [GOC:jl, ISBN:0721662544]' - }, - 'GO:0005550': { - 'name': 'pheromone binding', - 'def': 'Interacting selectively and non-covalently with a pheromone, a substance, or characteristic mixture of substances, that is secreted and released by an organism and detected by a second organism of the same or a closely related species, in which it causes a specific reaction, such as a definite behavioral reaction or a developmental process. [GOC:ai]' - }, - 'GO:0005551': { - 'name': 'obsolete ubiquitin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005552': { - 'name': 'obsolete polyubiquitin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005553': { - 'name': 'obsolete ubiquitin-ribosomal protein fusion protein', - 'def': 'OBSOLETE. A protein encoded by some ubiquitin genes which consists of a single copy of ubiquitin fused to a ribosomal protein. [ISBN:0198506732]' - }, - 'GO:0005555': { - 'name': 'obsolete blood group antigen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005557': { - 'name': 'obsolete lymphocyte antigen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005558': { - 'name': 'obsolete minor histocompatibility antigen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005559': { - 'name': 'obsolete ribozyme', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005561': { - 'name': 'obsolete nucleic acid', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005562': { - 'name': 'obsolete RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005563': { - 'name': 'obsolete transfer RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005564': { - 'name': 'obsolete cytosolic tRNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005565': { - 'name': 'obsolete mitochondrial tRNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005566': { - 'name': 'obsolete ribosomal RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005567': { - 'name': 'obsolete cytosolic ribosomal RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005568': { - 'name': 'obsolete mitochondrial rRNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005569': { - 'name': 'obsolete small nucleolar RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005570': { - 'name': 'obsolete small nuclear RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005571': { - 'name': 'obsolete untranslated RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005572': { - 'name': 'obsolete RNA polymerase II transcribed untranslated RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005573': { - 'name': 'obsolete telomerase RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:krc]' - }, - 'GO:0005574': { - 'name': 'obsolete DNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005575': { - 'name': 'cellular_component', - 'def': 'The part of a cell, extracellular environment or virus in which a gene product is located. A gene product may be located in one or more parts of a cell and its location may be as specific as a particular macromolecular complex, that is, a stable, persistent association of macromolecules that function together. [GOC:go_curators, NIF_Subcellular:sao-1337158144]' - }, - 'GO:0005576': { - 'name': 'extracellular region', - 'def': 'The space external to the outermost structure of a cell. For cells without external protective or external encapsulating structures this refers to space outside of the plasma membrane. This term covers the host cell environment outside an intracellular parasite. [GOC:go_curators]' - }, - 'GO:0005577': { - 'name': 'fibrinogen complex', - 'def': 'A highly soluble, elongated protein complex found in blood plasma and involved in clot formation. It is converted into fibrin monomer by the action of thrombin. In the mouse, fibrinogen is a hexamer, 46 nm long and 9 nm maximal diameter, containing two sets of nonidentical chains (alpha, beta, and gamma) linked together by disulfide bonds. [ISBN:0198547684]' - }, - 'GO:0005578': { - 'name': 'proteinaceous extracellular matrix', - 'def': 'A layer consisting mainly of proteins (especially collagen) and glycosaminoglycans (mostly as proteoglycans) that forms a sheet underlying or overlying cells such as endothelial and epithelial cells. The proteins are secreted by cells in the vicinity. An example of this component is found in Mus musculus. [GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0005579': { - 'name': 'membrane attack complex', - 'def': 'A protein complex produced by sequentially activated components of the complement cascade inserted into a target cell membrane and forming a pore leading to cell lysis via ion and water flow. [GOC:add, ISBN:0198547684, ISBN:068340007X, ISBN:0781735149]' - }, - 'GO:0005580': { - 'name': 'obsolete membrane attack complex protein alphaM chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005581': { - 'name': 'collagen trimer', - 'def': 'A protein complex consisting of three collagen chains assembled into a left-handed triple helix. These trimers typically assemble into higher order structures. [GOC:dos, GOC:mah, ISBN:0721639976, PMID:19693541, PMID:21421911]' - }, - 'GO:0005582': { - 'name': 'collagen type XV trimer', - 'def': 'A collagen homotrimer of alpha1(XV) chains; a chondroitin sulfate proteoglycan often found in specialized basement membranes where it bridges between fibrils. [PMID:11158616, PMID:11937714, PMID:21421911]' - }, - 'GO:0005583': { - 'name': 'fibrillar collagen trimer', - 'def': 'Any triple helical collagen trimer that forms fibrils. [GOC:mah, ISBN:0721639976, PMID:21421911]' - }, - 'GO:0005584': { - 'name': 'collagen type I trimer', - 'def': 'A collagen trimer containing alpha(I) chains. The most common form of type I collagen is a heterotrimer containing two alpha1(I) chains and one alpha2(I) chain; homotrimers containing three alpha1(I) chains are also found. Type I collagen triple helices associate to form banded fibrils. [GOC:mah, GOC:sl, ISBN:0721639976]' - }, - 'GO:0005585': { - 'name': 'collagen type II trimer', - 'def': 'A collagen homotrimer of alpha1(II) chains; type II collagen triple helices associate to form fibrils. [ISBN:0721639976]' - }, - 'GO:0005586': { - 'name': 'collagen type III trimer', - 'def': 'A collagen homotrimer of alpha1(III) chains; type III collagen triple helices associate to form fibrils. [ISBN:0721639976]' - }, - 'GO:0005587': { - 'name': 'collagen type IV trimer', - 'def': 'A collagen heterotrimer containing type IV alpha chains; [alpha1(IV)]2alpha2(IV) trimers are commonly observed, although more type IV alpha chains exist and may be present in type IV trimers; type IV collagen triple helices associate to form 3 dimensional nets within basement membranes. [ISBN:0721639976, PMID:19693541, PMID:21421911]' - }, - 'GO:0005588': { - 'name': 'collagen type V trimer', - 'def': 'A collagen heterotrimer containing type V alpha chains; [alpha1(V)]2alpha2(V) and alpha1(V)alpha2(V)alpha3(V) trimers have been observed; type V collagen triple helices associate to form fibrils. [ISBN:0721639976]' - }, - 'GO:0005589': { - 'name': 'collagen type VI trimer', - 'def': 'A collagen heterotrimer containing type VI alpha chains in alpha1(VI)alpha2(VI)alpha3(VI) trimers; type VI collagen triple helices associate to form beaded fibrils. [ISBN:0721639976, PMID:19693541, PMID:21421911]' - }, - 'GO:0005590': { - 'name': 'collagen type VII trimer', - 'def': 'A collagen homotrimer of alpha1(VII) chains; type VII collagen triple helices form antiparallel dimer, which in turn associate laterally to form anchoring fibrils that connect type IV collagen in the basal lamina to plaques in the underlying connective tissue. It binds laminin. [ISBN:0721639976] {comment=PMID:19693541}' - }, - 'GO:0005591': { - 'name': 'collagen type VIII trimer', - 'def': 'A collagen heterotrimer containing type VIII alpha chains; [alpha1(VIII)2]alpha2(VIII) and alpha1(VIII)[alpha2(VIII)]2 trimers have been observed; type VIII collagen triple helices associate to form regular hexagonal nets. [ISBN:0721639976, PMID:21421911]' - }, - 'GO:0005592': { - 'name': 'collagen type XI trimer', - 'def': 'A collagen heterotrimer containing type XI alpha chains in alpha1(XI)alpha2(XI)alpha3(XI) trimers; type XI collagen triple helices associate to form fibrils. [ISBN:0721639976]' - }, - 'GO:0005593': { - 'name': 'FACIT collagen trimer', - 'def': 'A collagen trimer that associates with collagen fibrils and consists of collagen monomers that contain two or more relatively short triple-helical domains connected by non-triple-helical sequences. [ISBN:0198599587, PMID:21421911]' - }, - 'GO:0005594': { - 'name': 'collagen type IX trimer', - 'def': 'A collagen heterotrimer containing type IX alpha chains in alpha1(IX)alpha2(IX)alpha3(IX) trimers; type IX collagen triple helices associate to form a structure that links glycosaminoglycans to type II collagen fibrils. [ISBN:0721639976]' - }, - 'GO:0005595': { - 'name': 'collagen type XII trimer', - 'def': 'A collagen homotrimer of alpha1(XII) chains; type XII collagen triple helices may link sheet-forming or fibrillar collagens to other structures. [ISBN:0721639976]' - }, - 'GO:0005596': { - 'name': 'collagen type XIV trimer', - 'def': 'A collagen homotrimer of alpha1(XIV) chains; type XIV collagen triple helices may link sheet-forming or fibrillar collagens to other structures. [ISBN:0721639976]' - }, - 'GO:0005597': { - 'name': 'collagen type XVI trimer', - 'def': 'A collagen trimer containing alpha(XVI) chains; type XVI trimers can associate with microfibrils. [GOC:mah, PMID:12782140]' - }, - 'GO:0005598': { - 'name': 'short-chain collagen trimer', - 'def': 'Any collagen trimer that does not form fibrils and that is relatively short compared to the collagen trimers that do form fibrils. [ISBN:0198599587]' - }, - 'GO:0005599': { - 'name': 'collagen type X trimer', - 'def': 'A collagen homotrimer of alpha1(X) chains; type X collagen triple helices form hexagonal networks (sheets). [ISBN:0721639976, PMID:21421911]' - }, - 'GO:0005600': { - 'name': 'collagen type XIII trimer', - 'def': 'A collagen homotrimer of alpha1(XIII) chains; type XIII collagen triple helices span the plasma membrane. [GOC:bm, GOC:dos, ISBN:0721639976]' - }, - 'GO:0005601': { - 'name': 'classical-complement-pathway C3/C5 convertase complex', - 'def': 'A heterodimeric protein complex that catalyzes the cleavage of complement components C3 and C5, and acts in the classical pathway of complement activation; consists of one monomer of C2a and one monomer of C4b; C2a is the catalytic subunit, but cannot catalyze cleavage alone. [BRENDA:3.4.21.43, GOC:mah, http://users.rcn.com/jkimball.ma.ultranet/BiologyPages/C/Complement.html]' - }, - 'GO:0005602': { - 'name': 'complement component C1 complex', - 'def': 'A protein complex composed of six subunits of C1q, each formed of the three homologous polypeptide chains C1QA, C1QB, and C1QB, and tetramer of two C1QR and two C1QS polypeptide chains. [GOC:add, ISBN:0781735149]' - }, - 'GO:0005603': { - 'name': 'obsolete complement component C2 complex', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005604': { - 'name': 'basement membrane', - 'def': 'A thin layer of dense material found in various animal tissues interposed between the cells and the adjacent connective tissue. It consists of the basal lamina plus an associated layer of reticulin fibers. [ISBN:0198547684]' - }, - 'GO:0005605': { - 'name': 'basal lamina', - 'def': 'A thin sheet of proteoglycans and glycoproteins, especially laminin, secreted by cells as an extracellular matrix. [ISBN:0198547684]' - }, - 'GO:0005606': { - 'name': 'laminin-1 complex', - 'def': 'A laminin complex composed of alpha1, beta1 and gamma1 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0005607': { - 'name': 'laminin-2 complex', - 'def': 'A laminin complex composed of alpha2, beta1 and gamma1 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0005608': { - 'name': 'laminin-3 complex', - 'def': 'A laminin complex composed of alpha1, beta2 and gamma1 polypeptide chains. [MEDLINE:95005761]' - }, - 'GO:0005609': { - 'name': 'laminin-4 complex', - 'def': 'A laminin complex composed of alpha2, beta2 and gamma1 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0005610': { - 'name': 'laminin-5 complex', - 'def': 'A laminin complex composed of alpha3, beta3 and gamma2 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0005611': { - 'name': 'laminin-6 complex', - 'def': 'A laminin complex composed of alpha3, beta1 and gamma1 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0005612': { - 'name': 'laminin-7 complex', - 'def': 'A laminin complex composed of alpha3, beta2 and gamma1 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0005613': { - 'name': 'obsolete laminin receptor protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005614': { - 'name': 'interstitial matrix', - 'def': 'A type of extracellular matrix found in interstitial connective tissue, characterized by the presence of fibronectins, proteoglycans, and types I, III, V, VI, VII and XII collagens. [PMID:8450001]' - }, - 'GO:0005615': { - 'name': 'extracellular space', - 'def': 'That part of a multicellular organism outside the cells proper, usually taken to be outside the plasma membranes, and occupied by fluid. [ISBN:0198547684]' - }, - 'GO:0005616': { - 'name': 'larval serum protein complex', - 'def': 'A multisubunit protein complex which, in Drosophila, is a heterohexamer of three subunits, alpha, beta and gamma. The complex is thought to store amino acids for synthesis of adult proteins. [GOC:jl, PMID:6781759]' - }, - 'GO:0005617': { - 'name': 'obsolete larval serum protein-1', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0005618': { - 'name': 'cell wall', - 'def': "The rigid or semi-rigid envelope lying outside the cell membrane of plant, fungal, most prokaryotic cells and some protozoan parasites, maintaining their shape and protecting them from osmotic lysis. In plants it is made of cellulose and, often, lignin; in fungi it is composed largely of polysaccharides; in bacteria it is composed of peptidoglycan; in protozoan parasites such as Giardia species, it's made of carbohydrates and proteins. [GOC:giardia, http://en.wikipedia.org/wiki/Microbial_cyst, ISBN:0198547684, PMID:15134259]" - }, - 'GO:0005619': { - 'name': 'ascospore wall', - 'def': 'The specialized cell wall of the ascospore (spore), which is the product of meiotic division. Examples of this component are found in Fungi. [GOC:vw, ISBN:0879693568]' - }, - 'GO:0005621': { - 'name': 'cellular bud scar', - 'def': 'Crater-like ring of chitinous scar tissue located on the surface of the mother cell. It is formed after the newly emerged daughter cell separates thereby marking the site of cytokinesis and septation. The number of bud scars that accumulate on the surface of a cell is a useful determinant of replicative age. [GOC:rn, PMID:14600225, PMID:2005820]' - }, - 'GO:0005622': { - 'name': 'intracellular', - 'def': 'The living contents of a cell; the matter contained within (but not including) the plasma membrane, usually taken to exclude large vacuoles and masses of secretory or ingested material. In eukaryotes it includes the nucleus and cytoplasm. [ISBN:0198506732]' - }, - 'GO:0005623': { - 'name': 'cell', - 'def': 'The basic structural and functional unit of all organisms. Includes the plasma membrane and any external encapsulating structures such as the cell wall and cell envelope. [GOC:go_curators]' - }, - 'GO:0005624': { - 'name': 'obsolete membrane fraction', - 'def': 'OBSOLETE: That fraction of cells, prepared by disruptive biochemical methods, that includes the plasma and other membranes. [GOC:ma]' - }, - 'GO:0005625': { - 'name': 'obsolete soluble fraction', - 'def': 'OBSOLETE: That fraction of cells, prepared by disruptive biochemical methods, that is soluble in water. [GOC:ma]' - }, - 'GO:0005626': { - 'name': 'obsolete insoluble fraction', - 'def': 'OBSOLETE: That fraction of cells, prepared by disruptive biochemical methods, that is not soluble in water. [GOC:ma]' - }, - 'GO:0005627': { - 'name': 'obsolete ascus', - 'def': 'OBSOLETE. A sac-like fruiting body (ascomycete Fungi); contains ascospores (typically eight in number). [ISBN:0198547684]' - }, - 'GO:0005628': { - 'name': 'prospore membrane', - 'def': 'The prospore membrane is a double-membraned structure that extends from the cytoplasmic face of the spindle pole bodies to encompass the spindle pole bodies and the four nuclear lobes that are formed during meiosis. It helps isolate the meiotic nuclei from the cytoplasm during spore formation and serves as a foundation for the formation of the spore walls. An example of this component is found in Schizosaccharomyces pombe. [ISBN:0879693649]' - }, - 'GO:0005630': { - 'name': 'dityrosine layer of spore wall', - 'def': 'The outermost layer of the spore wall, as described in Saccharomyces. [ISBN:0879693568]' - }, - 'GO:0005631': { - 'name': 'chitosan layer of spore wall', - 'def': 'The second outermost layer of the spore wall, as described in Saccharomyces. [ISBN:0879693568]' - }, - 'GO:0005632': { - 'name': 'inner layer of spore wall', - 'def': 'Either of the two innermost layers of the spore wall, as described in Saccharomyces. [ISBN:0879693568]' - }, - 'GO:0005633': { - 'name': 'ascus lipid particle', - 'def': 'Any particle of coalesced lipids in an ascus or ascospore. May include associated proteins. [GOC:mah, PMID:12702293]' - }, - 'GO:0005634': { - 'name': 'nucleus', - 'def': "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]" - }, - 'GO:0005635': { - 'name': 'nuclear envelope', - 'def': 'The double lipid bilayer enclosing the nucleus and separating its contents from the rest of the cytoplasm; includes the intermembrane space, a gap of width 20-40 nm (also called the perinuclear space). [ISBN:0198547684]' - }, - 'GO:0005637': { - 'name': 'nuclear inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of the nuclear envelope. [GOC:ma]' - }, - 'GO:0005638': { - 'name': 'lamin filament', - 'def': 'Any of a group of intermediate-filament proteins that form the fibrous matrix on the inner surface of the nuclear envelope. They are classified as lamins A, B and C. [ISBN:0198547684]' - }, - 'GO:0005639': { - 'name': 'integral component of nuclear inner membrane', - 'def': 'The component of the nuclear inner membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:go_curators]' - }, - 'GO:0005640': { - 'name': 'nuclear outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing, lipid bilayer of the nuclear envelope; continuous with the endoplasmic reticulum of the cell and sometimes studded with ribosomes. [ISBN:0198547684]' - }, - 'GO:0005641': { - 'name': 'nuclear envelope lumen', - 'def': 'The region between the two lipid bilayers of the nuclear envelope; 20-40 nm wide. [GOC:ai]' - }, - 'GO:0005642': { - 'name': 'annulate lamellae', - 'def': 'Stacks of endoplasmic reticulum (ER) membranes containing a high density of nuclear pores, thought to form from excess nuclear membrane components, that have been described in a number of different cells. Annulate lamellar membranes are continuous with and embedded within the ER. [PMID:12631728]' - }, - 'GO:0005643': { - 'name': 'nuclear pore', - 'def': 'Any of the numerous similar discrete openings in the nuclear envelope of a eukaryotic cell, where the inner and outer nuclear membranes are joined. [ISBN:0198547684]' - }, - 'GO:0005645': { - 'name': 'obsolete RAN-binding protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005646': { - 'name': 'obsolete importin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005647': { - 'name': 'obsolete importin, alpha-subunit', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005648': { - 'name': 'obsolete importin, beta-subunit', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005649': { - 'name': 'obsolete transportin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005650': { - 'name': 'obsolete importin, alpha-subunit transport factor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005651': { - 'name': 'obsolete exportin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005652': { - 'name': 'nuclear lamina', - 'def': 'The fibrous, electron-dense layer lying on the nucleoplasmic side of the inner membrane of a cell nucleus, composed of lamin filaments. The polypeptides of the lamina are thought to be concerned in the dissolution of the nuclear envelope and its re-formation during mitosis. The lamina is composed of lamin A and lamin C filaments cross-linked into an orthogonal lattice, which is attached via lamin B to the inner nuclear membrane through interactions with a lamin B receptor, an IFAP, in the membrane. [ISBN:0198506732, ISBN:0716731363]' - }, - 'GO:0005654': { - 'name': 'nucleoplasm', - 'def': 'That part of the nuclear content other than the chromosomes or the nucleolus. [GOC:ma, ISBN:0124325653]' - }, - 'GO:0005655': { - 'name': 'nucleolar ribonuclease P complex', - 'def': "A ribonuclease P complex located in the nucleolus of a eukaryotic cell, where it catalyzes the 5' endonucleolytic cleavage of precursor tRNAs to yield mature tRNAs. Eukaryotic nucleolar ribonuclease P complexes generally contain a single RNA molecule that is necessary but not sufficient for catalysis, and several protein molecules. [GOC:mah, PMID:12045094]" - }, - 'GO:0005656': { - 'name': 'nuclear pre-replicative complex', - 'def': "A protein-DNA complex assembled at eukaryotic DNA replication origins during late mitosis and G1, allowing the origin to become competent, or 'licensed', for replication. The complex normally includes the origin recognition complex (ORC), Cdc6, Cdt1 and the MiniChromosome Maintenance (Mcm2-7) proteins. [PMID:15222894]" - }, - 'GO:0005657': { - 'name': 'replication fork', - 'def': 'The Y-shaped region of a replicating DNA molecule, resulting from the separation of the DNA strands and in which the synthesis of new strands takes place. Also includes associated protein complexes. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0005658': { - 'name': 'alpha DNA polymerase:primase complex', - 'def': 'A complex of four polypeptides, comprising large and small DNA polymerase alpha subunits and two primase subunits, which catalyzes the synthesis of an RNA primer on the lagging strand of replicating DNA; the smaller of the two primase subunits alone can catalyze oligoribonucleotide synthesis. [GOC:mah, PMID:11395402]' - }, - 'GO:0005660': { - 'name': 'obsolete delta-DNA polymerase cofactor complex', - 'def': 'OBSOLETE. A complex of proteins that interacts with delta-DNA polymerase, promoting elongation. In humans it is a heteropentamer of subunits of 140/145, 40, 38, 37 and 36.5 kDa, which form a complex with the proliferating cell nuclear antigen (PCNA) in the presence of ATP. [GOC:jl]' - }, - 'GO:0005662': { - 'name': 'DNA replication factor A complex', - 'def': 'A conserved heterotrimeric complex that binds nonspecifically to single-stranded DNA and is required for multiple processes in eukaryotic DNA metabolism, including DNA replication, DNA repair, and recombination. In all eukaryotic organisms examined the complex is composed of subunits of approximately 70, 30, and 14 kDa. [PMID:9242902]' - }, - 'GO:0005663': { - 'name': 'DNA replication factor C complex', - 'def': 'A complex that loads the DNA polymerase processivity factor proliferating cell nuclear antigen (PCNA) onto DNA, thereby permitting processive DNA synthesis catalyzed by DNA polymerase. In eukaryotes the complex consists of five polypeptides. [PMID:14614842, PMID:14646196, PMID:16172520]' - }, - 'GO:0005664': { - 'name': 'nuclear origin of replication recognition complex', - 'def': 'A multisubunit complex that is located at the replication origins of a chromosome in the nucleus. [GOC:elh]' - }, - 'GO:0005665': { - 'name': 'DNA-directed RNA polymerase II, core complex', - 'def': 'RNA polymerase II, one of three nuclear DNA-directed RNA polymerases found in all eukaryotes, is a multisubunit complex; typically it produces mRNAs, snoRNAs, and some of the snRNAs. Two large subunits comprise the most conserved portion including the catalytic site and share similarity with other eukaryotic and bacterial multisubunit RNA polymerases. The largest subunit of RNA polymerase II contains an essential carboxyl-terminal domain (CTD) composed of a variable number of heptapeptide repeats (YSPTSPS). The remainder of the complex is composed of smaller subunits (generally ten or more), some of which are also found in RNA polymerases I and III. Although the core is competent to mediate ribonucleic acid synthesis, it requires additional factors to select the appropriate template. [GOC:krc, GOC:mtg_sensu]' - }, - 'GO:0005666': { - 'name': 'DNA-directed RNA polymerase III complex', - 'def': 'RNA polymerase III, one of three nuclear DNA-directed RNA polymerases found in all eukaryotes, is a multisubunit complex; typically it produces 5S rRNA, tRNAs and some of the small nuclear RNAs. Two large subunits comprise the most conserved portion including the catalytic site and share similarity with other eukaryotic and bacterial multisubunit RNA polymerases. The remainder of the complex is composed of smaller subunits (generally ten or more), some of which are also found in RNA polymerase I and others of which are also found in RNA polymerases I and II. Although the core is competent to mediate ribonucleic acid synthesis, it requires additional factors to select the appropriate template. [GOC:krc, GOC:mtg_sensu]' - }, - 'GO:0005667': { - 'name': 'transcription factor complex', - 'def': 'A protein complex that is capable of associating with DNA by direct binding, or via other DNA-binding proteins or complexes, and regulating transcription. [GOC:jl]' - }, - 'GO:0005668': { - 'name': 'RNA polymerase transcription factor SL1 complex', - 'def': 'A RNA polymerase I-specific transcription factor complex that contains the TATA-box-binding protein (TBP) and at least three TBP-associated factors including proteins known in mammals as TAFI110, TAFI63 and TAFI48. [PMID:15691654]' - }, - 'GO:0005669': { - 'name': 'transcription factor TFIID complex', - 'def': 'A complex composed of TATA binding protein (TBP) and TBP associated factors (TAFs); the total mass is typically about 800 kDa. Most of the TAFs are conserved across species. In TATA-containing promoters for RNA polymerase II (Pol II), TFIID is believed to recognize at least two distinct elements, the TATA element and a downstream promoter element. TFIID is also involved in recognition of TATA-less Pol II promoters. Binding of TFIID to DNA is necessary but not sufficient for transcription initiation from most RNA polymerase II promoters. [GOC:krc, GOC:mah, ISBN:0471953393, ISBN:0879695501]' - }, - 'GO:0005670': { - 'name': 'obsolete transcription-activating factor, 30kD', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005671': { - 'name': 'Ada2/Gcn5/Ada3 transcription activator complex', - 'def': 'A multiprotein complex that possesses histone acetyltransferase and is involved in regulation of transcription. Contains either GCN5 or PCAF in a mutually exclusive manner. The budding yeast complex includes Gcn5p, two proteins of the Ada family, and two TBP-associate proteins (TAFs); analogous complexes in other species have analogous compositions, and usually contain homologs of the yeast proteins. Both ATAC- or SAGA (see GO:0000124, SAGA complex) are involved in the acetylation of histone H3K9 and K14 residues. [PMID:10637607]' - }, - 'GO:0005672': { - 'name': 'transcription factor TFIIA complex', - 'def': 'A component of the transcription machinery of RNA Polymerase II. In humans, TFIIA is a heterotrimer composed of an alpha (P35), beta (P19) and gamma subunits (P12). [GOC:jl, PMID:17560669]' - }, - 'GO:0005673': { - 'name': 'transcription factor TFIIE complex', - 'def': 'A transcription factor which in humans consists of a complex of two alpha and two beta chains. Recruits TFIIH to the initiation complex and helps activate both RNA polymerase II and TFIIH. [GOC:jl, PMID:16547462]' - }, - 'GO:0005674': { - 'name': 'transcription factor TFIIF complex', - 'def': 'A general transcription initiation factor which in humans consists of a heterodimer of an alpha and a beta subunit. Helps recruit RNA polymerase II to the initiation complex and promotes translation elongation. [GOC:jl, PMID:7597077]' - }, - 'GO:0005675': { - 'name': 'holo TFIIH complex', - 'def': 'A complex that is capable of kinase activity directed towards the C-terminal Domain (CTD) of the largest subunit of RNA polymerase II and is essential for initiation at RNA polymerase II promoters in vitro. It is composed of the core TFIIH complex and the TFIIK complex. [GOC:ew, GOC:krc, PMID:14500720, PMID:22308316, PMID:22572993, PMID:7813015]' - }, - 'GO:0005677': { - 'name': 'chromatin silencing complex', - 'def': 'Any protein complex that mediates changes in chromatin structure that result in transcriptional silencing. [GOC:mah]' - }, - 'GO:0005678': { - 'name': 'obsolete chromatin assembly complex', - 'def': 'OBSOLETE: Any protein complex that acts in the formation of nucleosomes or higher order chromatin structure. [GOC:mah]' - }, - 'GO:0005680': { - 'name': 'anaphase-promoting complex', - 'def': 'A ubiquitin ligase complex that degrades mitotic cyclins and anaphase inhibitory protein, thereby triggering sister chromatid separation and exit from mitosis. Substrate recognition by APC occurs through degradation signals, the most common of which is termed the Dbox degradation motif, originally discovered in cyclin B. [GOC:jh, GOC:vw, PMID:10465783, PMID:10611969]' - }, - 'GO:0005681': { - 'name': 'spliceosomal complex', - 'def': 'Any of a series of ribonucleoprotein complexes that contain snRNA(s) and small nuclear ribonucleoproteins (snRNPs), and are formed sequentially during the spliceosomal splicing of one or more substrate RNAs, and which also contain the RNA substrate(s) from the initial target RNAs of splicing, the splicing intermediate RNA(s), to the final RNA products. During cis-splicing, the initial target RNA is a single, contiguous RNA transcript, whether mRNA, snoRNA, etc., and the released products are a spliced RNA and an excised intron, generally as a lariat structure. During trans-splicing, there are two initial substrate RNAs, the spliced leader RNA and a pre-mRNA. [GOC:editors, GOC:mah, ISBN:0198547684, PMID:19239890]' - }, - 'GO:0005682': { - 'name': 'U5 snRNP', - 'def': 'A ribonucleoprotein complex that contains small nuclear RNA U5. [GOC:krc, GOC:mah]' - }, - 'GO:0005683': { - 'name': 'U7 snRNP', - 'def': "A ribonucleoprotein complex that contains the U7 snRNA and is required for the 3'-end processing of replication-dependent histone pre-mRNAs. [PMID:12872004]" - }, - 'GO:0005684': { - 'name': 'U2-type spliceosomal complex', - 'def': "Any spliceosomal complex that forms during the splicing of a messenger RNA primary transcript to excise an intron that has canonical consensus sequences near the 5' and 3' ends. [GOC:krc, GOC:mah, PMID:11343900]" - }, - 'GO:0005685': { - 'name': 'U1 snRNP', - 'def': 'A ribonucleoprotein complex that contains small nuclear RNA U1. [GOC:krc, GOC:mah]' - }, - 'GO:0005686': { - 'name': 'U2 snRNP', - 'def': 'A ribonucleoprotein complex that contains small nuclear RNA U2. [GOC:krc, GOC:mah]' - }, - 'GO:0005687': { - 'name': 'U4 snRNP', - 'def': 'A ribonucleoprotein complex that contains small nuclear RNA U4. [GOC:krc, GOC:mah]' - }, - 'GO:0005688': { - 'name': 'U6 snRNP', - 'def': 'A ribonucleoprotein complex that contains small nuclear RNA U6. [GOC:krc, GOC:mah]' - }, - 'GO:0005689': { - 'name': 'U12-type spliceosomal complex', - 'def': 'Any spliceosomal complex that forms during the splicing of a messenger RNA primary transcript to excise an intron; the series of U12-type spliceosomal complexes is involved in the splicing of the majority of introns that contain atypical AT-AC terminal dinucleotides, as well as other non-canonical introns. The entire splice site signal, not just the terminal dinucleotides, is involved in determining which spliceosome utilizes the site. [GOC:krc, GOC:mah, PMID:11574683, PMID:11971955]' - }, - 'GO:0005690': { - 'name': 'U4atac snRNP', - 'def': 'A ribonucleoprotein complex that contains small nuclear RNA U4atac. [GOC:krc, GOC:mah]' - }, - 'GO:0005691': { - 'name': 'U6atac snRNP', - 'def': 'A ribonucleoprotein complex that contains small nuclear RNA U6atac. [GOC:krc, GOC:mah]' - }, - 'GO:0005692': { - 'name': 'U11 snRNP', - 'def': 'A ribonucleoprotein complex that contains small nuclear RNA U11. [GOC:krc, GOC:mah]' - }, - 'GO:0005693': { - 'name': 'U12 snRNP', - 'def': 'A ribonucleoprotein complex that contains small nuclear RNA U12. [GOC:krc, GOC:mah]' - }, - 'GO:0005694': { - 'name': 'chromosome', - 'def': 'A structure composed of a very long molecule of DNA and associated proteins (e.g. histones) that carries hereditary information. [ISBN:0198547684]' - }, - 'GO:0005695': { - 'name': 'obsolete chromatid', - 'def': 'OBSOLETE. One of the two daughter strands of a duplicated chromosome that become apparent between early prophase and metaphase in mitosis and between diplotene and second metaphase in meiosis. [ISBN:0198506732]' - }, - 'GO:0005696': { - 'name': 'obsolete telomere', - 'def': "OBSOLETE. A complex of DNA and protein that seals the end of a chromosome. The telomeric DNA consists of simple tandemly repeated sequences specific for each species. Typically one strand is G-rich and the other C-rich. The G-rich strand forms a 3'-terminal overhang, the length of which varies with species. The single strand overhang is bound by a variety of proteins, including telomere capping proteins that bind to the single-stranded DNA. [ISBN:0198506732, PMID:11352055]" - }, - 'GO:0005697': { - 'name': 'telomerase holoenzyme complex', - 'def': 'Telomerase is a ribonucleoprotein enzyme complex, with a minimal catalytic core composed of a catalytic reverse transcriptase subunit and an RNA subunit that provides the template for telomeric DNA addition. In vivo, the holoenzyme complex often contains additional subunits. [PMID:11884619]' - }, - 'GO:0005698': { - 'name': 'obsolete centromere', - 'def': 'OBSOLETE. The region of a eukaryotic chromosome that is attached to the spindle during nuclear division. It is defined genetically as the region of the chromosome that always segregates at the first division of meiosis; the region of the chromosome in which no crossing over occurs. At the start of M phase, each chromosome consists of two sister chromatids with a constriction at a point which forms the centromere. During late prophase two kinetochores assemble on each centromere, one kinetochore on each sister chromatid. [ISBN:0198506732]' - }, - 'GO:0005700': { - 'name': 'polytene chromosome', - 'def': 'A type of chromosome in a polyploid cell, formed when multiple copies of homologous chromosomes are aligned side by side to give a giant chromosome in which distinct chromosome bands are readily visible. [ISBN:0198506732]' - }, - 'GO:0005701': { - 'name': 'polytene chromosome chromocenter', - 'def': 'A region at which the centric regions of polytene chromosomes are joined together. [GOC:bf, ISBN:0120649012]' - }, - 'GO:0005702': { - 'name': 'polytene chromosome weak point', - 'def': 'A region of the polytene chromosome where the diameter is considerably decreased, probably resulting from local differences in chromosome organization. [GOC:bf, ISBN:0120649012]' - }, - 'GO:0005703': { - 'name': 'polytene chromosome puff', - 'def': 'A swelling at a site along the length of a polytene chromosome, thought to be the site of active transcription. [GOC:bf, ISBN:0120649012]' - }, - 'GO:0005704': { - 'name': 'polytene chromosome band', - 'def': 'A stretch of densely packed chromatin along the polytene chromosome, visible as a morphologically distinct band. [GOC:bf, PMID:11361342]' - }, - 'GO:0005705': { - 'name': 'polytene chromosome interband', - 'def': 'A stretch of less tightly packed chromatin along the polytene chromosome, found between bands. [GOC:bf, PMID:11361342]' - }, - 'GO:0005706': { - 'name': 'polytene chromosome ectopic fiber', - 'def': 'A thread-like connection joining two regions of ectopically paired polytene chromosomes. [GOC:bf, ISBN:0120649012]' - }, - 'GO:0005707': { - 'name': 'obsolete interphase chromosome', - 'def': 'OBSOLETE. A chromosome found in the cell during interphase of the cell cycle. Chromosomes are usually decondensed during interphase and each long DNA molecule in a chromosome is divided into a large number of discrete domains that are folded differently. [GOC:ai, ISBN:0815316194]' - }, - 'GO:0005708': { - 'name': 'obsolete mitotic chromosome', - 'def': 'OBSOLETE. A chromosome involved in the process of mitosis. [GOC:ai]' - }, - 'GO:0005709': { - 'name': 'obsolete prophase chromosome', - 'def': 'OBSOLETE. A chromosome found in the cell during prophase. [GOC:ai]' - }, - 'GO:0005710': { - 'name': 'obsolete metaphase chromosome', - 'def': 'OBSOLETE. A chromosome found in the cell during metaphase. Typically, sister chromatids are held together at their centromeres and chromosomes are covered with a large number of molecules, including ribonucleoproteins. [GOC:ai]' - }, - 'GO:0005711': { - 'name': 'obsolete meiotic chromosome', - 'def': 'OBSOLETE. A chromosome involved in the process of meiosis. [GOC:ai]' - }, - 'GO:0005712': { - 'name': 'chiasma', - 'def': 'A connection formed between chromatids, visible during meiosis, thought to be the point of the interchange involved in crossing-over. [ISBN:0198506732]' - }, - 'GO:0005713': { - 'name': 'recombination nodule', - 'def': 'An electron dense structure that is associated with meiotic chromosomes. [GOC:elh]' - }, - 'GO:0005714': { - 'name': 'early recombination nodule', - 'def': 'An electron dense structure that is associated with meiotic chromosomes in leptotene or zygotene during meiosis I. [GOC:elh]' - }, - 'GO:0005715': { - 'name': 'late recombination nodule', - 'def': 'An electron dense structure that is associated with meiotic chromosomes in pachytene during meiosis I. [GOC:elh]' - }, - 'GO:0005719': { - 'name': 'nuclear euchromatin', - 'def': 'The dispersed less dense form of chromatin in the interphase nucleus. It exists in at least two forms, a some being in the form of transcriptionally active chromatin which is the least condensed, while the rest is inactive euchromatin which is more condensed than active chromatin but less condensed than heterochromatin. [ISBN:0198506732]' - }, - 'GO:0005720': { - 'name': 'nuclear heterochromatin', - 'def': 'A condensed form of chromatin, occurring in the nucleus during interphase, that stains strongly with basophilic dyes. The DNA of heterochromatin is typically replicated at a later stage in the cell-division cycle than euchromatin. [ISBN:0198506732]' - }, - 'GO:0005721': { - 'name': 'pericentric heterochromatin', - 'def': "Heterochromatin that is located adjacent to the CENP-A rich centromere 'central core' and characterized by the modified histone H3K9me3. [PMID:12019236, PMID:20206496, PMID:22729156]" - }, - 'GO:0005722': { - 'name': 'beta-heterochromatin', - 'def': 'A diffusely banded region of heterochromatin located between euchromatin and alpha-heterochromatin in the polytene chromosome chromocenter; normally replicated during polytenization. [PMID:11404334, PMID:8878678]' - }, - 'GO:0005723': { - 'name': 'alpha-heterochromatin', - 'def': 'A small, compact region of heterochromatin located in the middle of the polytene chromosome chromocenter, which undergoes little or no replication during polytenization. [PMID:8878678]' - }, - 'GO:0005724': { - 'name': 'nuclear telomeric heterochromatin', - 'def': 'Heterochromatic regions of the chromosome found at the telomeres of a chromosome in the nucleus. [GOC:ai]' - }, - 'GO:0005725': { - 'name': 'intercalary heterochromatin', - 'def': 'Any of the regions of heterochromatin that form a reproducible set of dense bands scattered along the euchromatic arms in polytene chromosomes. [PMID:14579245]' - }, - 'GO:0005726': { - 'name': 'perichromatin fibrils', - 'def': 'Structures of variable diameter visible in the nucleoplasm by electron microscopy, mainly observed near the border of condensed chromatin. The fibrils are enriched in RNA, and are believed to be sites of pre-mRNA splicing and polyadenylylation representing the in situ form of nascent transcripts. [PMID:14731598]' - }, - 'GO:0005727': { - 'name': 'extrachromosomal circular DNA', - 'def': 'Circular DNA structures that are not part of a chromosome. [GOC:ai]' - }, - 'GO:0005728': { - 'name': 'extrachromosomal rDNA circle', - 'def': 'Circular DNA molecules encoding ribosomal RNA that are replicated independently of chromosomal replication. These molecules originate in the chromosome but are excised and circularized, often by intramolecular homologous recombination between direct tandem repeats. [GOC:mah, PMID:12044934]' - }, - 'GO:0005729': { - 'name': '2-micrometer circle DNA', - 'def': 'A plasmid commonly found in Saccharomyces, inherited in a non-Mendelian manner and often present in 100-400 copies. [PMID:12073320]' - }, - 'GO:0005730': { - 'name': 'nucleolus', - 'def': 'A small, dense body one or more of which are present in the nucleus of eukaryotic cells. It is rich in RNA and protein, is not bounded by a limiting membrane, and is not seen during mitosis. Its prime function is the transcription of the nucleolar DNA into 45S ribosomal-precursor RNA, the processing of this RNA into 5.8S, 18S, and 28S components of ribosomal RNA, and the association of these components with 5S RNA and proteins synthesized outside the nucleolus. This association results in the formation of ribonucleoprotein precursors; these pass into the cytoplasm and mature into the 40S and 60S subunits of the ribosome. [ISBN:0198506732]' - }, - 'GO:0005731': { - 'name': 'nucleolus organizer region', - 'def': 'A region of a chromosome where nucleoli form during interphase, and where genes encoding the largest rRNA precursor transcript are tandemly arrayed. [PMID:14504406]' - }, - 'GO:0005732': { - 'name': 'small nucleolar ribonucleoprotein complex', - 'def': "A ribonucleoprotein complex that contains an RNA molecule of the small nucleolar RNA (snoRNA) family and associated proteins. Most are involved in a step of processing of rRNA: cleavage, 2'-O-methylation, or pseudouridylation. The majority, though not all, fall into one of two classes, box C/D type or box H/ACA type. [GOC:krc, GOC:mah, ISBN:0879695897]" - }, - 'GO:0005733': { - 'name': 'obsolete small nucleolar RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005734': { - 'name': 'obsolete box C + D snoRNP protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005735': { - 'name': 'obsolete box H + ACA snoRNP protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005736': { - 'name': 'DNA-directed RNA polymerase I complex', - 'def': 'RNA polymerase I, one of three nuclear DNA-directed RNA polymerases found in all eukaryotes, is a multisubunit complex; typically it produces rRNAs. Two large subunits comprise the most conserved portion including the catalytic site and share similarity with other eukaryotic and bacterial multisubunit RNA polymerases. The remainder of the complex is composed of smaller subunits (generally ten or more), some of which are also found in RNA polymerase III and others of which are also found in RNA polymerases II and III. Although the core is competent to mediate ribonucleic acid synthesis, it requires additional factors to select the appropriate template. [GOC:krc, GOC:mtg_sensu]' - }, - 'GO:0005737': { - 'name': 'cytoplasm', - 'def': 'All of the contents of a cell excluding the plasma membrane and nucleus, but including other subcellular structures. [ISBN:0198547684]' - }, - 'GO:0005739': { - 'name': 'mitochondrion', - 'def': 'A semiautonomous, self replicating organelle that occurs in varying numbers, shapes, and sizes in the cytoplasm of virtually all eukaryotic cells. It is notably the site of tissue respiration. [GOC:giardia, ISBN:0198506732]' - }, - 'GO:0005740': { - 'name': 'mitochondrial envelope', - 'def': 'The double lipid bilayer enclosing the mitochondrion and separating its contents from the cell cytoplasm; includes the intermembrane space. [GOC:ai, GOC:pz]' - }, - 'GO:0005741': { - 'name': 'mitochondrial outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing, lipid bilayer of the mitochondrial envelope. [GOC:ai]' - }, - 'GO:0005742': { - 'name': 'mitochondrial outer membrane translocase complex', - 'def': 'A large complex of the mitochondrial outer membrane that mediates transport of proteins into all mitochondrial compartments. [PMID:12581629]' - }, - 'GO:0005743': { - 'name': 'mitochondrial inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of the mitochondrial envelope. It is highly folded to form cristae. [GOC:ai]' - }, - 'GO:0005744': { - 'name': 'mitochondrial inner membrane presequence translocase complex', - 'def': 'The protein transport machinery of the mitochondrial inner membrane that contains three essential Tim proteins: Tim17 and Tim23 are thought to build a preprotein translocation channel while Tim44 interacts transiently with the matrix heat-shock protein Hsp70 to form an ATP-driven import motor. [EC:3.6.3.51, PMID:8851659]' - }, - 'GO:0005745': { - 'name': 'm-AAA complex', - 'def': 'Protease complex of the mitochondrial inner membrane that is involved in mitochondrial protein turnover and in processing of proteins imported into mitochondria. [GOC:mcc, PMID:12417197, PMID:21147776]' - }, - 'GO:0005746': { - 'name': 'mitochondrial respiratory chain', - 'def': 'The protein complexes that form the mitochondrial electron transport system (the respiratory chain), associated with the inner mitochondrial membrane. The respiratory chain complexes transfer electrons from an electron donor to an electron acceptor and are associated with a proton pump to create a transmembrane electrochemical gradient. [GOC:curators, GOC:ecd, ISBN:0198547684]' - }, - 'GO:0005747': { - 'name': 'mitochondrial respiratory chain complex I', - 'def': 'A protein complex located in the mitochondrial inner membrane that forms part of the mitochondrial respiratory chain. It contains about 25 different polypeptide subunits, including NADH dehydrogenase (ubiquinone), flavin mononucleotide and several different iron-sulfur clusters containing non-heme iron. The iron undergoes oxidation-reduction between Fe(II) and Fe(III), and catalyzes proton translocation linked to the oxidation of NADH by ubiquinone. [GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0005749': { - 'name': 'mitochondrial respiratory chain complex II, succinate dehydrogenase complex (ubiquinone)', - 'def': 'A protein complex located in the mitochondrial inner membrane that forms part of the mitochondrial respiratory chain. Contains the four polypeptide subunits of succinate dehydrogenase, flavin-adenine dinucleotide and iron-sulfur. Catalyzes the oxidation of succinate by ubiquinone. Connects the TCA cycle with the respiratory chain. [GOC:mtg_sensu, GOC:vw, ISBN:0198547684]' - }, - 'GO:0005750': { - 'name': 'mitochondrial respiratory chain complex III', - 'def': 'A protein complex located in the mitochondrial inner membrane that forms part of the mitochondrial respiratory chain. Contains about 10 polypeptide subunits including four redox centers: cytochrome b/b6, cytochrome c1 and an 2Fe-2S cluster. Catalyzes the oxidation of ubiquinol by oxidized cytochrome c1. [GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0005751': { - 'name': 'mitochondrial respiratory chain complex IV', - 'def': 'A protein complex located in the mitochondrial inner membrane that forms part of the mitochondrial respiratory chain. Contains the 13 polypeptide subunits of cytochrome c oxidase, including cytochrome a and cytochrome a3. Catalyzes the oxidation of reduced cytochrome c by dioxygen (O2). [GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0005753': { - 'name': 'mitochondrial proton-transporting ATP synthase complex', - 'def': 'A proton-transporting ATP synthase complex found in the mitochondrial membrane. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0005754': { - 'name': 'mitochondrial proton-transporting ATP synthase, catalytic core', - 'def': 'The hexamer, comprising three alpha and three beta subunits, that possesses the catalytic activity of the mitochondrial hydrogen-transporting ATP synthase. [GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0005755': { - 'name': 'obsolete hydrogen-transporting ATP synthase, coupling factor CF(0)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005756': { - 'name': 'mitochondrial proton-transporting ATP synthase, central stalk', - 'def': 'One of two stalks that connect the catalytic core of the hydrogen-transporting ATP synthase to the mitochondrial membrane-associated F0 proteins; rotates within the catalytic core during catalysis. [GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0005757': { - 'name': 'mitochondrial permeability transition pore complex', - 'def': 'A protein complex that connects the inner and outer membranes of animal mitochondria and acts as a pore that can open transiently to allow free diffusion of solutes between the mitochondrial matrix and the cytosol. The pore complex is formed of the voltage-dependent anion channel (VDAC), the adenine nucleotide translocase (ANT) and cyclophilin-D (CyP-D). [PMID:10393078]' - }, - 'GO:0005758': { - 'name': 'mitochondrial intermembrane space', - 'def': 'The region between the inner and outer lipid bilayers of the mitochondrial envelope. [GOC:mah]' - }, - 'GO:0005759': { - 'name': 'mitochondrial matrix', - 'def': 'The gel-like material, with considerable fine structure, that lies in the matrix space, or lumen, of a mitochondrion. It contains the enzymes of the tricarboxylic acid cycle and, in some organisms, the enzymes concerned with fatty acid oxidation. [GOC:as, ISBN:0198506732]' - }, - 'GO:0005760': { - 'name': 'gamma DNA polymerase complex', - 'def': 'A DNA polymerase complex consisting of a large subunit, responsible for the catalytic activities, and a small accessory subunit. Functions in the replication and repair of mitochondrial DNA. [GOC:jl, PMID:12045093]' - }, - 'GO:0005761': { - 'name': 'mitochondrial ribosome', - 'def': 'A ribosome found in the mitochondrion of a eukaryotic cell; contains a characteristic set of proteins distinct from those of cytosolic ribosomes. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0005762': { - 'name': 'mitochondrial large ribosomal subunit', - 'def': 'The larger of the two subunits of a mitochondrial ribosome. Two sites on the ribosomal large subunit are involved in translation: the aminoacyl site (A site) and peptidyl site (P site). [GOC:mcc]' - }, - 'GO:0005763': { - 'name': 'mitochondrial small ribosomal subunit', - 'def': 'The smaller of the two subunits of a mitochondrial ribosome. [GOC:mcc]' - }, - 'GO:0005764': { - 'name': 'lysosome', - 'def': 'A small lytic vacuole that has cell cycle-independent morphology and is found in most animal cells and that contains a variety of hydrolases, most of which have their maximal activities in the pH range 5-6. The contained enzymes display latency if properly isolated. About 40 different lysosomal hydrolases are known and lysosomes have a great variety of morphologies and functions. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0005765': { - 'name': 'lysosomal membrane', - 'def': 'The lipid bilayer surrounding the lysosome and separating its contents from the cell cytoplasm. [GOC:ai]' - }, - 'GO:0005766': { - 'name': 'primary lysosome', - 'def': 'A lysosome before it has fused with a vesicle or vacuole. [GOC:jl, ISBN:0815316194]' - }, - 'GO:0005767': { - 'name': 'secondary lysosome', - 'def': 'Vacuole formed by the fusion of a lysosome with an organelle (autosome) or with a primary phagosome. [GOC:jl, ISBN:0815316194]' - }, - 'GO:0005768': { - 'name': 'endosome', - 'def': 'A vacuole to which materials ingested by endocytosis are delivered. [ISBN:0198506732, PMID:19696797]' - }, - 'GO:0005769': { - 'name': 'early endosome', - 'def': 'A membrane-bounded organelle that receives incoming material from primary endocytic vesicles that have been generated by clathrin-dependent and clathrin-independent endocytosis; vesicles fuse with the early endosome to deliver cargo for sorting into recycling or degradation pathways. [GOC:mah, NIF_Subcellular:nlx_subcell_20090701, PMID:19696797]' - }, - 'GO:0005770': { - 'name': 'late endosome', - 'def': 'A prelysosomal endocytic organelle differentiated from early endosomes by lower lumenal pH and different protein composition. Late endosomes are more spherical than early endosomes and are mostly juxtanuclear, being concentrated near the microtubule organizing center. [NIF_Subcellular:nlx_subcell_20090702, PMID:11964142, PMID:2557062]' - }, - 'GO:0005771': { - 'name': 'multivesicular body', - 'def': 'A type of endosome in which regions of the limiting endosomal membrane invaginate to form internal vesicles; membrane proteins that enter the internal vesicles are sequestered from the cytoplasm. [PMID:11566881, PMID:16533950]' - }, - 'GO:0005773': { - 'name': 'vacuole', - 'def': 'A closed structure, found only in eukaryotic cells, that is completely surrounded by unit membrane and contains liquid material. Cells contain one or several vacuoles, that may have different functions from each other. Vacuoles have a diverse array of functions. They can act as a storage organelle for nutrients or waste products, as a degradative compartment, as a cost-effective way of increasing cell size, and as a homeostatic regulator controlling both turgor pressure and pH of the cytosol. [GOC:mtg_sensu, ISBN:0198506732]' - }, - 'GO:0005774': { - 'name': 'vacuolar membrane', - 'def': 'The lipid bilayer surrounding the vacuole and separating its contents from the cytoplasm of the cell. [GOC:ai]' - }, - 'GO:0005775': { - 'name': 'vacuolar lumen', - 'def': 'The volume enclosed within the vacuolar membrane. [ISBN:0198506732]' - }, - 'GO:0005776': { - 'name': 'autophagosome', - 'def': 'A double-membrane-bounded compartment that engulfs endogenous cellular material as well as invading microorganisms to target them to the vacuole/lysosome for degradation as part of macroautophagy. [GOC:autophagy, ISBN:0198547684, PMID:11099404]' - }, - 'GO:0005777': { - 'name': 'peroxisome', - 'def': 'A small organelle enclosed by a single membrane, and found in most eukaryotic cells. Contains peroxidases and other enzymes involved in a variety of metabolic processes including free radical detoxification, lipid catabolism and biosynthesis, and hydrogen peroxide metabolism. [GOC:pm, PMID:9302272, UniProtKB-KW:KW-0576]' - }, - 'GO:0005778': { - 'name': 'peroxisomal membrane', - 'def': 'The lipid bilayer surrounding a peroxisome. [GOC:mah]' - }, - 'GO:0005779': { - 'name': 'integral component of peroxisomal membrane', - 'def': 'The component of the peroxisomal membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:mah]' - }, - 'GO:0005780': { - 'name': 'extrinsic component of intraperoxisomal membrane', - 'def': 'The component of the intraperoxisomal membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:jl, GOC:mah]' - }, - 'GO:0005781': { - 'name': 'obsolete peroxisome targeting signal receptor complex', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0005782': { - 'name': 'peroxisomal matrix', - 'def': 'The volume contained within the membranes of a peroxisome; in many cells the matrix contains a crystalloid core largely composed of urate oxidase. [GOC:curators, ISBN:0815316194]' - }, - 'GO:0005783': { - 'name': 'endoplasmic reticulum', - 'def': 'The irregular network of unit membranes, visible only by electron microscopy, that occurs in the cytoplasm of many eukaryotic cells. The membranes form a complex meshwork of tubular channels, which are often expanded into slitlike cavities called cisternae. The ER takes two forms, rough (or granular), with ribosomes adhering to the outer surface, and smooth (with no ribosomes attached). [ISBN:0198506732]' - }, - 'GO:0005784': { - 'name': 'Sec61 translocon complex', - 'def': 'A translocon complex that contains a core heterotrimer of conserved alpha, beta and gamma subunits, and may contain additional proteins (translocon-associated proteins or TRAPs); in budding yeast the core proteins are Sec61p, Sbh1p, and Sss1p. The Sec61 translocon complex functions in cotranslational and posttranslational translocation events. [GOC:mah, PMID:18166647]' - }, - 'GO:0005785': { - 'name': 'signal recognition particle receptor complex', - 'def': 'A transmembrane heterodimeric protein located in the membrane of the rough endoplasmic reticulum. Both subunits contain GTPase domains with which signal recognition particle interacts. In the presence of GTP and SRP receptor, SRP is released from the ribosome-nascent chain complex. [ISBN:0198506732]' - }, - 'GO:0005786': { - 'name': 'signal recognition particle, endoplasmic reticulum targeting', - 'def': 'A ribonucleoprotein particle of 325 kDa composed of a 7S (300 nucleotide) RNA molecule and a complex of six different polypeptides. This binds both to the N-terminal signal peptide for proteins destined for the endoplasmic reticulum as they emerge from the large ribosomal subunit and also to the ribosome. This binding arrests further translation thereby preventing the proteins from being released into the cytosol. The SRP-ribosome complex then diffuses to the endoplasmic reticulum where it is bound to the signal recognition particle receptor, which allows resumption of protein synthesis and facilitates the passage of the growing polypeptide chain through the translocon. Through a process involving GTP hydrolysis, the SRP-SRP receptor complex dissociates and SRP returns to the cytosol. Of the six polypeptides of SRP the 54 kDa subunit (SRP54) is the central player. It contains an N-terminal GTPase domain and a C-terminal domain that binds directly to the signal peptide and the SRP RNA. Examples of this component are found in Mus musculus, Saccharomyces cerevisiae and Arabidopsis thaliana. [GOC:mtg_sensu, ISBN:0198506732]' - }, - 'GO:0005787': { - 'name': 'signal peptidase complex', - 'def': 'A protein complex that is located in the endoplasmic reticulum membrane and cleaves the signal sequence from precursor proteins following their transport out of the cytoplasmic space. [GOC:sgd_curators, PMID:1846444, PMID:7615509]' - }, - 'GO:0005788': { - 'name': 'endoplasmic reticulum lumen', - 'def': 'The volume enclosed by the membranes of the endoplasmic reticulum. [ISBN:0198547684]' - }, - 'GO:0005789': { - 'name': 'endoplasmic reticulum membrane', - 'def': 'The lipid bilayer surrounding the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0005790': { - 'name': 'smooth endoplasmic reticulum', - 'def': 'The smooth endoplasmic reticulum (smooth ER or SER) has no ribosomes attached to it. The smooth ER is the recipient of the proteins synthesized in the rough ER. Those proteins to be exported are passed to the Golgi complex, the resident proteins are returned to the rough ER and the lysosomal proteins after phosphorylation of their mannose residues are passed to the lysosomes. Glycosylation of the glycoproteins also continues. The smooth ER is the site of synthesis of lipids, including the phospholipids. The membranes of the smooth ER also contain enzymes that catalyze a series of reactions to detoxify both lipid-soluble drugs and harmful products of metabolism. Large quantities of certain compounds such as phenobarbital cause an increase in the amount of the smooth ER. [ISBN:0198506732]' - }, - 'GO:0005791': { - 'name': 'rough endoplasmic reticulum', - 'def': 'The rough (or granular) endoplasmic reticulum (ER) has ribosomes adhering to the outer surface; the ribosomes are the site of translation of the mRNA for those proteins which are either to be retained within the cisternae (ER-resident proteins), the proteins of the lysosomes, or the proteins destined for export from the cell. Glycoproteins undergo their initial glycosylation within the cisternae. [ISBN:0198506732]' - }, - 'GO:0005792': { - 'name': 'obsolete microsome', - 'def': 'OBSOLETE: Any of the small, heterogeneous, artifactual, vesicular particles, 50-150 nm in diameter, that are formed when some eukaryotic cells are homogenized and that sediment on centrifugation at 100000 g. [ISBN:0198506732]' - }, - 'GO:0005793': { - 'name': 'endoplasmic reticulum-Golgi intermediate compartment', - 'def': 'A complex system of membrane-bounded compartments located between endoplasmic reticulum (ER) and the Golgi complex, with a distinctive membrane protein composition; involved in ER-to-Golgi and Golgi-to-ER transport. [GOC:pr, PMID:16723730]' - }, - 'GO:0005794': { - 'name': 'Golgi apparatus', - 'def': 'A compound membranous cytoplasmic organelle of eukaryotic cells, consisting of flattened, ribosome-free vesicles arranged in a more or less regular stack. The Golgi apparatus differs from the endoplasmic reticulum in often having slightly thicker membranes, appearing in sections as a characteristic shallow semicircle so that the convex side (cis or entry face) abuts the endoplasmic reticulum, secretory vesicles emerging from the concave side (trans or exit face). In vertebrate cells there is usually one such organelle, while in invertebrates and plants, where they are known usually as dictyosomes, there may be several scattered in the cytoplasm. The Golgi apparatus processes proteins produced on the ribosomes of the rough endoplasmic reticulum; such processing includes modification of the core oligosaccharides of glycoproteins, and the sorting and packaging of proteins for transport to a variety of cellular locations. Three different regions of the Golgi are now recognized both in terms of structure and function: cis, in the vicinity of the cis face, trans, in the vicinity of the trans face, and medial, lying between the cis and trans regions. [ISBN:0198506732]' - }, - 'GO:0005795': { - 'name': 'Golgi stack', - 'def': 'The set of thin, flattened membrane-bounded compartments, called cisternae, that form the central portion of the Golgi complex. The stack usually comprises cis, medial, and trans cisternae; the cis- and trans-Golgi networks are not considered part of the stack. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0005796': { - 'name': 'Golgi lumen', - 'def': 'The volume enclosed by the membranes of any cisterna or subcompartment of the Golgi apparatus, including the cis- and trans-Golgi networks. [GOC:mah]' - }, - 'GO:0005797': { - 'name': 'Golgi medial cisterna', - 'def': 'The middle Golgi cisterna (or cisternae). [ISBN:0815316194]' - }, - 'GO:0005798': { - 'name': 'Golgi-associated vesicle', - 'def': 'Any vesicle associated with the Golgi complex and involved in mediating transport within the Golgi or between the Golgi and other parts of the cell. [GOC:mah]' - }, - 'GO:0005799': { - 'name': 'obsolete coatomer', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005800': { - 'name': 'obsolete COPII vesicle', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005801': { - 'name': 'cis-Golgi network', - 'def': 'The network of interconnected tubular and cisternal structures located at the convex side of the Golgi apparatus, which abuts the endoplasmic reticulum. [ISBN:0198506732, ISBN:0815316194]' - }, - 'GO:0005802': { - 'name': 'trans-Golgi network', - 'def': 'The network of interconnected tubular and cisternal structures located within the Golgi apparatus on the side distal to the endoplasmic reticulum, from which secretory vesicles emerge. The trans-Golgi network is important in the later stages of protein secretion where it is thought to play a key role in the sorting and targeting of secreted proteins to the correct destination. [GOC:vw, ISBN:0815316194]' - }, - 'GO:0005803': { - 'name': 'obsolete secretory vesicle', - 'def': 'OBSOLETE. A small subcellular vesicle, or granule, surrounded by a single-layered membrane; formed from the Golgi apparatus and contains a highly concentrated protein destined for secretion. [ISBN:0198547684]' - }, - 'GO:0005804': { - 'name': 'obsolete secretory vesicle membrane', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005805': { - 'name': 'obsolete ER-Golgi transport vesicle', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005806': { - 'name': 'obsolete Golgi-ER transport vesicle', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005808': { - 'name': 'obsolete Golgi-plasma membrane transport vesicle', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005809': { - 'name': 'obsolete Golgi-vacuole transport vesicle', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005810': { - 'name': 'obsolete endocytotic transport vesicle', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005811': { - 'name': 'lipid particle', - 'def': 'An intracellular non-membrane-bounded organelle comprising a matrix of coalesced lipids surrounded by a phospholipid monolayer. May include associated proteins. [GOC:mah, GOC:tb]' - }, - 'GO:0005813': { - 'name': 'centrosome', - 'def': 'A structure comprised of a core structure (in most organisms, a pair of centrioles) and peripheral material from which a microtubule-based structure, such as a spindle apparatus, is organized. Centrosomes occur close to the nucleus during interphase in many eukaryotic cells, though in animal cells it changes continually during the cell-division cycle. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0005814': { - 'name': 'centriole', - 'def': 'A cellular organelle, found close to the nucleus in many eukaryotic cells, consisting of a small cylinder with microtubular walls, 300-500 nm long and 150-250 nm in diameter. It contains nine short, parallel, peripheral microtubular fibrils, each fibril consisting of one complete microtubule fused to two incomplete microtubules. Cells usually have two centrioles, lying at right angles to each other. At division, each pair of centrioles generates another pair and the twin pairs form the pole of the mitotic spindle. [ISBN:0198547684]' - }, - 'GO:0005815': { - 'name': 'microtubule organizing center', - 'def': 'An intracellular structure that can catalyze gamma-tubulin-dependent microtubule nucleation and that can anchor microtubules by interacting with their minus ends, plus ends or sides. [GOC:vw, http://en.wikipedia.org/wiki/Microtubule_organizing_center, ISBN:0815316194, PMID:17072892, PMID:17245416]' - }, - 'GO:0005816': { - 'name': 'spindle pole body', - 'def': 'The microtubule organizing center in fungi; functionally homologous to the animal cell centrosome. [ISBN:0879693568]' - }, - 'GO:0005817': { - 'name': 'obsolete centrosomal mitotic factor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:clt]' - }, - 'GO:0005818': { - 'name': 'aster', - 'def': 'An array of microtubules emanating from a spindle pole MTOC that do not connect to kinetochores. [GOC:clt]' - }, - 'GO:0005819': { - 'name': 'spindle', - 'def': 'The array of microtubules and associated molecules that forms between opposite poles of a eukaryotic cell during mitosis or meiosis and serves to move the duplicated chromosomes apart. [ISBN:0198547684]' - }, - 'GO:0005821': { - 'name': 'intermediate layer of spindle pole body', - 'def': 'Structure between the central and outer plaques of the spindle pole body. [PMID:9215630]' - }, - 'GO:0005822': { - 'name': 'inner plaque of spindle pole body', - 'def': 'One of three laminate structures that form the spindle pole body; the inner plaque is in the nucleus. [ISBN:0879693568]' - }, - 'GO:0005823': { - 'name': 'central plaque of spindle pole body', - 'def': 'One of three laminate structures that form the spindle pole body; the central plaque is embedded in the nuclear envelope. [ISBN:0879693568]' - }, - 'GO:0005824': { - 'name': 'outer plaque of spindle pole body', - 'def': 'One of three laminate structures that form the spindle pole body; the outer plaque is in the cytoplasm. [ISBN:0879693568]' - }, - 'GO:0005825': { - 'name': 'half bridge of spindle pole body', - 'def': 'Structure adjacent to the plaques of the spindle pole body. [ISBN:0879693568]' - }, - 'GO:0005826': { - 'name': 'actomyosin contractile ring', - 'def': 'A cytoskeletal structure composed of actin filaments and myosin that forms beneath the plasma membrane of many cells, including animal cells and yeast cells, in a plane perpendicular to the axis of the spindle, i.e. the cell division plane. Ring contraction is associated with centripetal growth of the membrane that divides the cytoplasm of the two daughter cells. In animal cells, the contractile ring is located inside the plasma membrane at the location of the cleavage furrow. In budding fungal cells, e.g. mitotic S. cerevisiae cells, the contractile ring forms beneath the plasma membrane at the mother-bud neck before mitosis. [GOC:expert_jrp, GOC:sgd_curators, ISBN:0805319409, ISBN:0815316194]' - }, - 'GO:0005827': { - 'name': 'polar microtubule', - 'def': 'Any of the spindle microtubules that come from each pole and overlap at the spindle midzone. This interdigitating structure consisting of antiparallel microtubules is responsible for pushing the poles of the spindle apart. [ISBN:0815316194]' - }, - 'GO:0005828': { - 'name': 'kinetochore microtubule', - 'def': 'Any of the spindle microtubules that attach to the kinetochores of chromosomes by their plus ends, and maneuver the chromosomes during mitotic or meiotic chromosome segregation. [ISBN:0815316194]' - }, - 'GO:0005829': { - 'name': 'cytosol', - 'def': 'The part of the cytoplasm that does not contain organelles but which does contain other particulate matter, such as protein complexes. [GOC:hjd, GOC:jl]' - }, - 'GO:0005831': { - 'name': 'steroid hormone aporeceptor complex', - 'def': 'A protein complex consisting of a steroid receptor associated with nonreceptor proteins, minimally a dimer of Hsp90 and a monomer of hsp56/FKBP59; forms in the absence of bound ligand. [PMID:7493981]' - }, - 'GO:0005832': { - 'name': 'chaperonin-containing T-complex', - 'def': 'A multisubunit ring-shaped complex that mediates protein folding in the cytosol without a cofactor. [GOC:sgd_curators, PMID:11580267]' - }, - 'GO:0005833': { - 'name': 'hemoglobin complex', - 'def': 'An iron-containing, oxygen carrying complex. In vertebrates it is made up of two pairs of associated globin polypeptide chains, each chain carrying a noncovalently bound heme prosthetic group. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0005834': { - 'name': 'heterotrimeric G-protein complex', - 'def': 'Any of a family of heterotrimeric GTP-binding and hydrolyzing proteins; they belong to a superfamily of GTPases that includes monomeric proteins such as EF-Tu and RAS. Heterotrimeric G-proteins consist of three subunits; the alpha subunit contains the guanine nucleotide binding site and possesses GTPase activity; the beta and gamma subunits are tightly associated and function as a beta-gamma heterodimer; extrinsic plasma membrane proteins (cytoplasmic face) that function as a complex to transduce signals from G-protein coupled receptors to an effector protein. [ISBN:0198547684]' - }, - 'GO:0005835': { - 'name': 'fatty acid synthase complex', - 'def': 'A multienzyme complex that catalyses the synthesis of fatty acids from acetyl CoA. [GOC:pde, GOC:sgd_curators, ISBN:0716746840]' - }, - 'GO:0005836': { - 'name': 'fatty-acyl-CoA synthase complex', - 'def': 'A protein complex that possesses fatty-acyl-CoA synthase activity. [BRENDA:2.3.1.86, GOC:mah]' - }, - 'GO:0005837': { - 'name': 'obsolete 26S proteasome', - 'def': 'OBSOLETE. A large multisubunit protease found in the cytosol that recognizes, unfolds, and digests protein substrates that have been marked for degradation by the attachment of a ubiquitin group. Individual subcomplexes of the complete 26S proteasome are involved in these different tasks: the ATP-dependent 19S caps are believed to unfold substrates and feed them to the actual protease, the 20S proteasome. [PMID:10410804]' - }, - 'GO:0005838': { - 'name': 'proteasome regulatory particle', - 'def': 'A multisubunit complex, which caps one or both ends of the proteasome core complex. This complex recognizes and unfolds ubiquitinated proteins, and translocates them to the proteasome core complex. [GOC:mtg_sensu, GOC:rb]' - }, - 'GO:0005839': { - 'name': 'proteasome core complex', - 'def': 'A multisubunit barrel shaped endoprotease complex, which is the core of the proteasome complex. [GOC:rb, PMID:10806206]' - }, - 'GO:0005840': { - 'name': 'ribosome', - 'def': 'An intracellular organelle, about 200 A in diameter, consisting of RNA and protein. It is the site of protein biosynthesis resulting from translation of messenger RNA (mRNA). It consists of two subunits, one large and one small, each containing only protein and RNA. Both the ribosome and its subunits are characterized by their sedimentation coefficients, expressed in Svedberg units (symbol: S). Hence, the prokaryotic ribosome (70S) comprises a large (50S) subunit and a small (30S) subunit, while the eukaryotic ribosome (80S) comprises a large (60S) subunit and a small (40S) subunit. Two sites on the ribosomal large subunit are involved in translation, namely the aminoacyl site (A site) and peptidyl site (P site). Ribosomes from prokaryotes, eukaryotes, mitochondria, and chloroplasts have characteristically distinct ribosomal proteins. [ISBN:0198506732]' - }, - 'GO:0005844': { - 'name': 'polysome', - 'def': 'A multiribosomal structure representing a linear array of ribosomes held together by messenger RNA. They represent the active complexes in cellular protein synthesis and are able to incorporate amino acids into polypeptides both in vivo and in vitro. [ISBN:0198506732, NIF_Subcellular:sao1038025871]' - }, - 'GO:0005845': { - 'name': 'mRNA cap binding complex', - 'def': 'Any protein complex that binds to an mRNA cap at any time in the lifetime of the mRNA. [GOC:jid]' - }, - 'GO:0005846': { - 'name': 'nuclear cap binding complex', - 'def': "A conserved heterodimeric protein complex that binds to the 5' terminal cap structure m7G(5')ppp(5')N of nascent eukaryotic RNA polymerase II transcripts such as pre-mRNA and U snRNA. The consists of proteins known as CBP20 and CBP80, binds to cap structures in the nucleus, and is involved in pre-mRNA splicing, 3'-end formation, and RNA nuclear export. [PMID:16043498]" - }, - 'GO:0005847': { - 'name': 'mRNA cleavage and polyadenylation specificity factor complex', - 'def': 'A multisubunit complex that binds to the canonical AAUAAA hexamer and to U-rich upstream sequence elements on the pre-mRNA, thereby stimulating the otherwise weakly active and nonspecific polymerase to elongate efficiently RNAs containing a poly(A) signal. [PMID:14749727]' - }, - 'GO:0005848': { - 'name': 'mRNA cleavage stimulating factor complex', - 'def': 'A protein complex required for mRNA cleavage but not for poly(A) addition. [GOC:mah, PMID:10357856]' - }, - 'GO:0005849': { - 'name': 'mRNA cleavage factor complex', - 'def': 'Any macromolecular complex involved in cleavage or polyadenylation of mRNA molecules. [GOC:mah, PMID:10357856]' - }, - 'GO:0005850': { - 'name': 'eukaryotic translation initiation factor 2 complex', - 'def': "Complex of three heterogeneous polypeptide chains, that form a ternary complex with initiator methionyl-tRNA and GTP. This ternary complex binds to free 40S subunit, which subsequently binds the 5' end of mRNA. [PMID:10216940]" - }, - 'GO:0005851': { - 'name': 'eukaryotic translation initiation factor 2B complex', - 'def': 'A multisubunit guanine nucleotide exchange factor which catalyzes the exchange of GDP bound to initiation factor eIF2 for GTP, generating active eIF2-GTP. In humans, it is composed of five subunits, alpha, beta, delta, gamma and epsilon. [PMID:9438375]' - }, - 'GO:0005852': { - 'name': 'eukaryotic translation initiation factor 3 complex', - 'def': 'A complex of several polypeptides that plays at least two important roles in protein synthesis: First, eIF3 binds to the 40S ribosome and facilitates loading of the Met-tRNA/eIF2.GTP ternary complex to form the 43S preinitiation complex. Subsequently, eIF3 apparently assists eIF4 in recruiting mRNAs to the 43S complex. The eIF3 complex contains five conserved core subunits, and may contain several additional proteins; the non-core subunits are thought to mediate association of the complex with specific sets of mRNAs. [PMID:15904532]' - }, - 'GO:0005853': { - 'name': 'eukaryotic translation elongation factor 1 complex', - 'def': 'A multisubunit nucleotide exchange complex that binds GTP and aminoacyl-tRNAs, and catalyzes their codon-dependent placement at the A-site of the ribosome. In humans, the complex is composed of four subunits, alpha, beta, delta and gamma. [GOC:jl, PMID:10216950]' - }, - 'GO:0005854': { - 'name': 'nascent polypeptide-associated complex', - 'def': 'A heterodimeric protein complex that can reversibly bind to ribosomes, and is located in direct proximity to newly synthesized polypeptide chains as they emerge from the ribosome. [PMID:12475173, PMID:7568149]' - }, - 'GO:0005856': { - 'name': 'cytoskeleton', - 'def': 'Any of the various filamentous elements that form the internal framework of cells, and typically remain after treatment of the cells with mild detergent to remove membrane constituents and soluble components of the cytoplasm. The term embraces intermediate filaments, microfilaments, microtubules, the microtrabecular lattice, and other structures characterized by a polymeric filamentous nature and long-range order within the cell. The various elements of the cytoskeleton not only serve in the maintenance of cellular shape but also have roles in other cellular functions, including cellular movement, cell division, endocytosis, and movement of organelles. [GOC:mah, ISBN:0198547684, PMID:16959967]' - }, - 'GO:0005858': { - 'name': 'axonemal dynein complex', - 'def': 'A dynein complex found in eukaryotic cilia and flagella; the motor domain heads interact with adjacent microtubules to generate a sliding force which is converted to a bending motion. [GOC:cilia, GOC:hla, GOC:krc, ISBN:0815316194]' - }, - 'GO:0005859': { - 'name': 'muscle myosin complex', - 'def': 'A filament of myosin found in a muscle cell of any type. [GOC:mah]' - }, - 'GO:0005861': { - 'name': 'troponin complex', - 'def': 'A complex of accessory proteins (typically troponin T, troponin I and troponin C) found associated with actin in muscle thin filaments; involved in calcium regulation of muscle contraction. [ISBN:0815316194]' - }, - 'GO:0005862': { - 'name': 'muscle thin filament tropomyosin', - 'def': 'A form of the tropomyosin dimer found associated with actin and the troponin complex in muscle thin filaments. [ISBN:0815316194]' - }, - 'GO:0005863': { - 'name': 'striated muscle myosin thick filament', - 'def': 'Bipolar filaments formed of polymers of a muscle-specific myosin II isoform, found in the middle of sarcomeres in myofibrils. [GOC:mtg_muscle, ISBN:0815316194]' - }, - 'GO:0005865': { - 'name': 'striated muscle thin filament', - 'def': 'Filaments formed of actin and associated proteins; attached to Z discs at either end of sarcomeres in myofibrils. [ISBN:0815316194]' - }, - 'GO:0005868': { - 'name': 'cytoplasmic dynein complex', - 'def': 'Any dynein complex with a homodimeric dynein heavy chain core that catalyzes movement along a microtubule. Cytoplasmic dynein complexes participate in many cytoplasmic transport activities in eukaryotes, such as mRNA localization, intermediate filament transport, nuclear envelope breakdown, apoptosis, transport of centrosomal proteins, mitotic spindle assembly, virus transport, kinetochore functions, and movement of signaling and spindle checkpoint proteins. Some complexes participate in intraflagellar transport. Subunits associated with the dynein heavy chain mediate association between dynein heavy chain and cargoes, and may include light chains and light intermediate chains. [GOC:cilia, GOC:hla, GOC:krc, GOC:mah, PMID:12600311]' - }, - 'GO:0005869': { - 'name': 'dynactin complex', - 'def': 'A 20S multiprotein assembly of total mass about 1.2 MDa that activates dynein-based activity in vivo. A large structural component of the complex is an actin-like 40 nm filament composed of actin-related protein, to which other components attach. [ISBN:0198506732]' - }, - 'GO:0005870': { - 'name': 'actin capping protein of dynactin complex', - 'def': 'A heterodimer consisting of alpha and beta subunits that binds to and caps the barbed ends of actin filaments, nucleates the polymerization of actin monomers but does not sever actin filaments, and which is a part of the dynactin complex. [GOC:jl, PMID:18221362, PMID:18544499]' - }, - 'GO:0005871': { - 'name': 'kinesin complex', - 'def': 'Any complex that includes a dimer of molecules from the kinesin superfamily, a group of related proteins that contain an extended region of predicted alpha-helical coiled coil in the main chain that likely produces dimerization. The native complexes of several kinesin family members have also been shown to contain additional peptides, often designated light chains as all of the noncatalytic subunits that are currently known are smaller than the chain that contains the motor unit. Kinesin complexes generally possess a force-generating enzymatic activity, or motor, which converts the free energy of the gamma phosphate bond of ATP into mechanical work. [GOC:mah, http://www.proweb.org/kinesin//KinesinMotility.html, http://www.proweb.org/kinesin//KinesinStructure.html]' - }, - 'GO:0005872': { - 'name': 'minus-end kinesin complex', - 'def': 'Any complex that includes a dimer of molecules from the kinesin superfamily and any associated proteins, and moves towards the minus end of a microtubule. [GOC:mah]' - }, - 'GO:0005873': { - 'name': 'plus-end kinesin complex', - 'def': 'Any complex that includes a dimer of molecules from the kinesin superfamily and any associated proteins, and moves towards the plus end of a microtubule. [GOC:mah]' - }, - 'GO:0005874': { - 'name': 'microtubule', - 'def': 'Any of the long, generally straight, hollow tubes of internal diameter 12-15 nm and external diameter 24 nm found in a wide variety of eukaryotic cells; each consists (usually) of 13 protofilaments of polymeric tubulin, staggered in such a manner that the tubulin monomers are arranged in a helical pattern on the microtubular surface, and with the alpha/beta axes of the tubulin subunits parallel to the long axis of the tubule; exist in equilibrium with pool of tubulin monomers and can be rapidly assembled or disassembled in response to physiological stimuli; concerned with force generation, e.g. in the spindle. [ISBN:0879693568]' - }, - 'GO:0005875': { - 'name': 'microtubule associated complex', - 'def': 'Any multimeric complex connected to a microtubule. [GOC:jl]' - }, - 'GO:0005876': { - 'name': 'spindle microtubule', - 'def': 'Any microtubule that is part of a mitotic or meiotic spindle; anchored at one spindle pole. [ISBN:0815316194]' - }, - 'GO:0005879': { - 'name': 'axonemal microtubule', - 'def': 'A microtubule in the axoneme of a eukaryotic cilium or flagellum; an axoneme contains nine modified doublet microtubules, which may or may not surround a pair of single microtubules. [GOC:cilia, ISBN:0815316194]' - }, - 'GO:0005880': { - 'name': 'nuclear microtubule', - 'def': 'Any microtubule in the nucleus of a cell. [GOC:mah]' - }, - 'GO:0005881': { - 'name': 'cytoplasmic microtubule', - 'def': 'Any microtubule in the cytoplasm of a cell. [GOC:mah]' - }, - 'GO:0005882': { - 'name': 'intermediate filament', - 'def': 'A cytoskeletal structure that forms a distinct elongated structure, characteristically 10 nm in diameter, that occurs in the cytoplasm of eukaryotic cells. Intermediate filaments form a fibrous system, composed of chemically heterogeneous subunits and involved in mechanically integrating the various components of the cytoplasmic space. Intermediate filaments may be divided into five chemically distinct classes: Type I, acidic keratins; Type II, basic keratins; Type III, including desmin, vimentin and others; Type IV, neurofilaments and related filaments; and Type V, lamins. [http://www.cytochemistry.net/Cell-biology/intermediate_filaments.htm, ISBN:0198506732]' - }, - 'GO:0005883': { - 'name': 'neurofilament', - 'def': 'A type of intermediate filament found in the core of neuronal axons. Neurofilaments are heteropolymers composed of three type IV polypeptides: NF-L, NF-M, and NF-H (for low, middle, and high molecular weight). Neurofilaments are responsible for the radial growth of an axon and determine axonal diameter. [ISBN:0198506732, ISBN:0716731363, ISBN:0815316194]' - }, - 'GO:0005884': { - 'name': 'actin filament', - 'def': 'A filamentous structure formed of a two-stranded helical polymer of the protein actin and associated proteins. Actin filaments are a major component of the contractile apparatus of skeletal muscle and the microfilaments of the cytoskeleton of eukaryotic cells. The filaments, comprising polymerized globular actin molecules, appear as flexible structures with a diameter of 5-9 nm. They are organized into a variety of linear bundles, two-dimensional networks, and three dimensional gels. In the cytoskeleton they are most highly concentrated in the cortex of the cell just beneath the plasma membrane. [GOC:mah, ISBN:0198506732, PMID:10666339]' - }, - 'GO:0005885': { - 'name': 'Arp2/3 protein complex', - 'def': 'A stable protein complex that contains two actin-related proteins, Arp2 and Arp3, and five novel proteins (ARPC1-5), and functions in the nucleation of branched actin filaments. [GOC:jl, GOC:vw, PMID:12479800]' - }, - 'GO:0005886': { - 'name': 'plasma membrane', - 'def': 'The membrane surrounding a cell that separates the cell from its external environment. It consists of a phospholipid bilayer and associated proteins. [ISBN:0716731363]' - }, - 'GO:0005887': { - 'name': 'integral component of plasma membrane', - 'def': 'The component of the plasma membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:go_curators]' - }, - 'GO:0005888': { - 'name': 'obsolete proteoglycan integral to plasma membrane', - 'def': 'OBSOLETE. Penetrating at least one phospholipid bilayer of a plasma membrane and consisting of proteoglycan. Also refers to the state of being buried in the bilayer with no exposure outside the bilayer. [GOC:go_curators]' - }, - 'GO:0005889': { - 'name': 'hydrogen:potassium-exchanging ATPase complex', - 'def': 'A protein complex that possesses hydrogen:potassium-exchanging ATPase activity; characterized in animal cells, where it maintains ionic gradients of K+ at the expense of ATP hydrolysis; The complex contains two obligatory subunits, the catalytic alpha subunit and a glycosylated beta subunit; two additional subunits, gamma and channel-inducing factor (CHIF), may also be present. [PMID:11756431]' - }, - 'GO:0005890': { - 'name': 'sodium:potassium-exchanging ATPase complex', - 'def': 'Sodium:potassium-exchanging ATPases are tetrameric proteins, consisting of two large alpha subunits and two smaller beta subunits. The alpha subunits bear the active site and penetrate the membrane, while the beta subunits carry oligosaccharide groups and face the cell exterior. [ISBN:0198506732]' - }, - 'GO:0005891': { - 'name': 'voltage-gated calcium channel complex', - 'def': 'A protein complex that forms a transmembrane channel through which calcium ions may pass in response to changes in membrane potential. [GOC:mah]' - }, - 'GO:0005892': { - 'name': 'acetylcholine-gated channel complex', - 'def': 'A homo- or hetero-pentameric protein complex that forms a transmembrane channel through which ions may pass in response to acetylcholine binding. [GOC:bf, GOC:mah, PMID:12381728, PMID:15579462]' - }, - 'GO:0005893': { - 'name': 'interleukin-2 receptor complex', - 'def': 'A protein complex that binds interleukin-2; comprises alpha, beta, and gamma subunits. [GOC:mah, PMID:3116143, PMID:8266078]' - }, - 'GO:0005894': { - 'name': 'interleukin-3 receptor complex', - 'def': 'A protein complex that binds interleukin-3; comprises an alpha and a beta subunit. The alpha chain is specific to the interleukin-3 receptor, whereas the beta chain is shared with the receptors for granulocyte-macrophage colony-stimulating factor and interleukin-5. [PMID:11839579]' - }, - 'GO:0005895': { - 'name': 'interleukin-5 receptor complex', - 'def': 'A protein complex that binds interleukin-3; comprises an alpha and a beta subunit. The alpha chain is specific to the interleukin-5 receptor, whereas the beta chain is shared with the receptors for granulocyte-macrophage colony-stimulating factor and interleukin-3. [GOC:mah, PMID:11312115, PMID:11839579]' - }, - 'GO:0005896': { - 'name': 'interleukin-6 receptor complex', - 'def': 'A hexameric protein complex consisting of two molecules each of interleukin-6, interleukin-6 receptor alpha chain, and gp-130. [PMID:8083235]' - }, - 'GO:0005897': { - 'name': 'interleukin-9 receptor complex', - 'def': 'A protein complex that binds interleukin-9; comprises an alpha and a beta subunit. The alpha chain is specific to the interleukin-9 receptor, whereas the beta chain is shared with the receptors for several other interleukins. [GOC:mah, PMID:10642536]' - }, - 'GO:0005898': { - 'name': 'interleukin-13 receptor complex', - 'def': 'A protein complex that binds interleukin-13; consists of two chains, interleukin-13 receptor alpha1 chain and interleukin-4 receptor alpha chain. [PMID:8552669, PMID:9013879]' - }, - 'GO:0005899': { - 'name': 'insulin receptor complex', - 'def': 'A disulfide-bonded, heterotetrameric receptor complex. The alpha chains are entirely extracellular, while each beta chain has one transmembrane domain. The ligand binds to the alpha subunit extracellular domain and the kinase is associated with the beta subunit intracellular domain. [ISBN:0198506732]' - }, - 'GO:0005900': { - 'name': 'oncostatin-M receptor complex', - 'def': 'A heterodimeric receptor for the cytokine oncostatin-M (OSM). In humans the receptor complex is made up of the gene products gp130 and OSMR-beta. [GOC:jl, PMID:8999038]' - }, - 'GO:0005901': { - 'name': 'caveola', - 'def': 'A membrane raft that forms small pit, depression, or invagination that communicates with the outside of a cell and extends inward, indenting the cytoplasm and the cell membrane. Examples include flask-shaped invaginations of the plasma membrane in adipocytes associated with caveolin proteins, and minute pits or incuppings of the cell membrane formed during pinocytosis. Caveolae may be pinched off to form free vesicles within the cytoplasm. [GOC:mah, ISBN:0721662544, PMID:16645198]' - }, - 'GO:0005902': { - 'name': 'microvillus', - 'def': 'Thin cylindrical membrane-covered projections on the surface of an animal cell containing a core bundle of actin filaments. Present in especially large numbers on the absorptive surface of intestinal cells. [ISBN:0813516194]' - }, - 'GO:0005903': { - 'name': 'brush border', - 'def': 'The dense covering of microvilli on the apical surface of a epithelial cells in tissues such as the intestine, kidney, and choroid plexus; the microvilli aid absorption by increasing the surface area of the cell. [GOC:sl, ISBN:0815316194]' - }, - 'GO:0005905': { - 'name': 'clathrin-coated pit', - 'def': 'A part of the endomembrane system in the form of an invagination of a membrane upon which a clathrin coat forms, and that can be converted by vesicle budding into a clathrin-coated vesicle. Coated pits form on the plasma membrane, where they are involved in receptor-mediated selective transport of many proteins and other macromolecules across the cell membrane, in the trans-Golgi network, and on some endosomes. [GOC:mah, ISBN:0198506732, NIF_Subcellular:sao1969557946, PMID:10559856, PMID:17284835]' - }, - 'GO:0005906': { - 'name': 'obsolete clathrin adaptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005907': { - 'name': 'obsolete HA1 clathrin adaptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005908': { - 'name': 'obsolete HA2 clathrin adaptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0005911': { - 'name': 'cell-cell junction', - 'def': 'A cell junction that forms a connection between two or more cells in a multicellular organism; excludes direct cytoplasmic junctions such as ring canals. [GOC:dgh, GOC:hb, GOC:mah]' - }, - 'GO:0005912': { - 'name': 'adherens junction', - 'def': 'A cell junction at which anchoring proteins (cadherins or integrins) extend through the plasma membrane and are attached to actin filaments. [GOC:mah, http://www.vivo.colostate.edu/hbooks/cmb/cells/pmemb/junctions_a.html, ISBN:0198506732]' - }, - 'GO:0005913': { - 'name': 'cell-cell adherens junction', - 'def': 'An adherens junction which connects a cell to another cell. [GOC:hb]' - }, - 'GO:0005914': { - 'name': 'spot adherens junction', - 'def': 'A small cell-cell adherens junction assembled during the cellularization stage of insect embyrogenesis; spot adherens junctions later fuse to form the zonula adherens. [PMID:11700298]' - }, - 'GO:0005915': { - 'name': 'zonula adherens', - 'def': 'A cell-cell adherens junction which forms a continuous belt near the apex of epithelial cells. [ISBN:0815316208]' - }, - 'GO:0005916': { - 'name': 'fascia adherens', - 'def': 'A cell-cell adherens junction that contains the transmembrane protein N-cadherin, which interacts with identical molecules from neighboring cells to form a tight mechanical intercellular link; forms a large portion of the intercalated disc, the structure at which myofibrils terminate in cardiomyocytes. [GOC:mtg_muscle, PMID:11732910]' - }, - 'GO:0005917': { - 'name': 'nephrocyte diaphragm', - 'def': 'A specialized cell-cell junction found between nephrocytes of the insect kidney, which is adapted for filtration of hemolymph. The insect nephrocyte is anatomically and functionally similar to the glomerular podocyte of vertebrates. [GOC:mtg_kidney_jan10, GOC:sart, PMID:18971929]' - }, - 'GO:0005918': { - 'name': 'septate junction', - 'def': 'A cell-cell junction that forms a continuous band around each cell in an epithelium; within the septate junction the membranes of adjacent cells maintain a constant distance of approximately 15 nm; found in invertebrates. [ISBN:0815332181, PMID:11700298]' - }, - 'GO:0005919': { - 'name': 'pleated septate junction', - 'def': 'A septate junction in which regular arrays of electron-dense septae span the intermembrane space. [PMID:11700298]' - }, - 'GO:0005920': { - 'name': 'smooth septate junction', - 'def': 'A septate junction that lacks the regular arrays of electron-dense septae found in pleated septate junctions. [PMID:11700298]' - }, - 'GO:0005921': { - 'name': 'gap junction', - 'def': 'A cell-cell junction composed of pannexins or innexins and connexins, two different families of channel-forming proteins. [GOC:mah, GOC:mtg_muscle, http://en.wikipedia.org/wiki/Gap_junction, http://www.vivo.colostate.edu/hbooks/cmb/cells/pmemb/junctions_g.html, ISBN:0815332181, PMID:22366062]' - }, - 'GO:0005922': { - 'name': 'connexin complex', - 'def': 'An assembly of six molecules of connexin, made in the Golgi apparatus and subsequently transported to the plasma membrane, where docking of two connexons on apposed plasma membranes across the extracellular space forms a gap junction. [PMID:11146276]' - }, - 'GO:0005923': { - 'name': 'bicellular tight junction', - 'def': 'An occluding cell-cell junction that is composed of a branching network of sealing strands that completely encircles the apical end of each cell in an epithelial sheet; the outer leaflets of the two interacting plasma membranes are seen to be tightly apposed where sealing strands are present. Each sealing strand is composed of a long row of transmembrane adhesion proteins embedded in each of the two interacting plasma membranes. [GOC:mah, ISBN:0815332181]' - }, - 'GO:0005924': { - 'name': 'cell-substrate adherens junction', - 'def': 'An adherens junction which connects a cell to the extracellular matrix. [GOC:hb]' - }, - 'GO:0005925': { - 'name': 'focal adhesion', - 'def': 'Small region on the surface of a cell that anchors the cell to the extracellular matrix and that forms a point of termination of actin filaments. [ISBN:0124325653, ISBN:0815316208]' - }, - 'GO:0005926': { - 'name': 'connecting hemi-adherens junction', - 'def': 'A cell-substrate adherens junction, also known as a hemiadherens junction (HAJ) that forms one of a pair of junctions in opposing cells that are separated by only 30-40nm, with a thin line of extracellular electron-dense material in between; found where muscles attach to epidermal cells directly (in insects). [http://flybase.bio.indiana.edu/allied-data/lk/interactive-fly/aignfam/junction.htm]' - }, - 'GO:0005927': { - 'name': 'muscle tendon junction', - 'def': 'A cell-substrate junction found at the terminal anchorage site of skeletal muscle cells to tendons. [GOC:mtg_muscle, PMID:12842007]' - }, - 'GO:0005928': { - 'name': 'apical hemi-adherens junction', - 'def': 'A cell-substrate adherens junction found in the apical region of a cell, such as those found in cuticle-secreting epithelia, which connect the apical membrane to the cuticle. [GOC:mah, PMID:11700298]' - }, - 'GO:0005929': { - 'name': 'cilium', - 'def': 'A specialized eukaryotic organelle that consists of a filiform extrusion of the cell surface and of some cytoplasmic parts. Each cilium is largely bounded by an extrusion of the cytoplasmic (plasma) membrane, and contains a regular longitudinal array of microtubules, anchored to a basal body. [GOC:cilia, GOC:curators, GOC:kmv, GOC:vw, ISBN:0198547684, PMID:16824949, PMID:17009929, PMID:20144998]' - }, - 'GO:0005930': { - 'name': 'axoneme', - 'def': 'The bundle of microtubules and associated proteins that forms the core of cilia (also called flagella) in eukaryotic cells and is responsible for their movements. [GOC:bf, GOC:cilia, ISBN:0198547684]' - }, - 'GO:0005931': { - 'name': 'axonemal nexin link', - 'def': 'A protein complex found in the axoneme of eukaryotic cilia and flagella. It forms interconnections between the microtubule outer doublets that surround the inner central pair of microtubules. [GOC:cilia, GOC:krc, ISBN:0198506732, PMID:21586547, PMID:21728999, PMID:22683354, PMID:9295136]' - }, - 'GO:0005933': { - 'name': 'cellular bud', - 'def': 'A protuberance from a cell of an organism that reproduces by budding, which will grow larger and become a separate daughter cell after nuclear division, cytokinesis, and cell wall formation (when appropriate). The daughter cell may completely separate from the mother cell, or the mother and daughter cells may remain associated. [GOC:sgd_curators]' - }, - 'GO:0005934': { - 'name': 'cellular bud tip', - 'def': 'The end of a cellular bud distal to the site of attachment to the mother cell. [GOC:mah]' - }, - 'GO:0005935': { - 'name': 'cellular bud neck', - 'def': 'The constriction between the mother cell and daughter cell (bud) in an organism that reproduces by budding. [GOC:mah]' - }, - 'GO:0005936': { - 'name': 'obsolete shmoo', - 'def': 'OBSOLETE. The characteristic projection formed in response to mating pheromone by cells of Saccharomyces and other fungi with similar life cycles. Named after the Al Capp cartoon character, whose shape it resembles. [GOC:mah, GOC:mcc]' - }, - 'GO:0005937': { - 'name': 'mating projection', - 'def': 'The projection formed by unicellular fungi in response to mating pheromone. [GOC:mcc]' - }, - 'GO:0005938': { - 'name': 'cell cortex', - 'def': 'The region of a cell that lies just beneath the plasma membrane and often, but not always, contains a network of actin filaments and associated proteins. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0005940': { - 'name': 'septin ring', - 'def': 'A tight ring-shaped structure that forms in the division plane at the site of cytokinesis; composed of members of the conserved family of filament-forming proteins called septins as well as septin-associated proteins. This type of septin structure is observed at the bud neck of budding fungal cells, at the site of cell division in animal cells, at the junction between the mother cell and a pseudohyphal projection, and also within hyphae of filamentous fungi at sites where a septum will form. [GOC:krc, GOC:mah, PMID:16009555, PMID:16151244]' - }, - 'GO:0005941': { - 'name': 'obsolete unlocalized protein complex', - 'def': 'OBSOLETE. Used as a holding place for cellular components whose precise localization is, as yet, unknown, or has not been determined by GO (the latter is the major reason for nodes to have this parent); this term should not be used for annotation of gene products. [GOC:ma]' - }, - 'GO:0005942': { - 'name': 'phosphatidylinositol 3-kinase complex', - 'def': 'A protein complex capable of phosphatidylinositol 3-kinase activity and containing subunits of any phosphatidylinositol 3-kinase (PI3K) enzyme. These complexes are divided in three classes (called I, II and III) that differ for their presence across taxonomic groups and for the type of their constituents. Catalytic subunits of phosphatidylinositol 3-kinase enzymes are present in all 3 classes; regulatory subunits of phosphatidylinositol 3-kinase enzymes are present in classes I and III; adaptor proteins have been observed in class II complexes and may be present in other classes too. [GOC:bf, PMID:24587488]' - }, - 'GO:0005943': { - 'name': 'phosphatidylinositol 3-kinase complex, class IA', - 'def': 'A class I phosphatidylinositol 3-kinase complex that possesses 1-phosphatidylinositol-4-phosphate 3-kinase activity; comprises a catalytic class IA phosphoinositide 3-kinase (PI3K) subunit and an associated SH2 domain-containing regulatory subunit that is a member of a family of related proteins often called p85 proteins. Through the interaction with the SH2-containing adaptor subunits, Class IA PI3K catalytic subunits are linked to tyrosine kinase signaling pathways. [PMID:9255069, PMID:9759495]' - }, - 'GO:0005944': { - 'name': 'phosphatidylinositol 3-kinase complex, class IB', - 'def': 'A class I phosphatidylinositol 3-kinase complex that possesses 1-phosphatidylinositol-4-phosphate 3-kinase activity; comprises a catalytic class IB phosphoinositide 3-kinase (PI3K) subunit and an associated regulatory subunit that is larger than, and unrelated to, the p85 proteins present in class IA complexes. Class IB PI3Ks are stimulated by G-proteins and do not interact with the SH2-domain containing adaptors that bind to Class IA PI3Ks. [PMID:9255069, PMID:9759495]' - }, - 'GO:0005945': { - 'name': '6-phosphofructokinase complex', - 'def': 'A protein complex that possesses 6-phosphofructokinase activity; homodimeric, homooctameric, and allosteric homotetrameric forms are known. [GOC:mah, GOC:vw, ISBN:0198506732]' - }, - 'GO:0005946': { - 'name': 'alpha,alpha-trehalose-phosphate synthase complex (UDP-forming)', - 'def': 'A protein complex that possesses alpha,alpha-trehalose-phosphate synthase (UDP-forming) and trehalose-phosphatase activities, and thus catalyzes two reactions in trehalose biosynthesis. In the complex identified in Saccharomyces, Tps1p has alpha,alpha-trehalose-phosphate synthase (UDP-forming) activity, Tps2p has trehalose 6-phosphate phosphatase activity; Tps3p is a regulatory subunit, and an additional subunit, Tsl1p, may be present. [PMID:9837904]' - }, - 'GO:0005947': { - 'name': 'mitochondrial alpha-ketoglutarate dehydrogenase complex', - 'def': 'Mitochondrial complex that possesses alpha-ketoglutarate dehydrogenase activity. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0005948': { - 'name': 'acetolactate synthase complex', - 'def': 'A dimeric (a large and a small chain) or tetrameric (two large and two small chains) enzyme complex. Catalyzes the formation of acetolactate from pyruvate. [BRENDA:2.2.1.6, GOC:jl, PMID:16458324, PMID:8756689]' - }, - 'GO:0005949': { - 'name': 'obsolete aminoadipate-semialdehyde dehydrogenase complex', - 'def': 'OBSOLETE. A heterodimeric enzyme composed of an alpha and beta subunit. Catalyzes the formation of L-2-aminoadipate from L-2-aminoadipate 6-semialdehyde. [EC:1.2.1.31]' - }, - 'GO:0005950': { - 'name': 'anthranilate synthase complex', - 'def': 'A heterotetrameric enzyme complex made up of two components I and two components II. Catalyzes the formation of anthranilate, pyruvate and L-glutamate from chorismate and L-glutamine. [EC:4.1.3.27, MetaCyc:ANTHRANSYN-CPLX, PMID:4886290]' - }, - 'GO:0005951': { - 'name': 'carbamoyl-phosphate synthase complex', - 'def': 'A protein complex that catalyzes the formation of carbamoyl phosphate; comprises a small subunit that binds and cleaves glutamine, and a large subunit that accepts the ammonia group cleaved from glutamine, binds all of the remaining substrates and effectors, and carries out all of the other catalytic events. [PMID:8626695]' - }, - 'GO:0005952': { - 'name': 'cAMP-dependent protein kinase complex', - 'def': 'An enzyme complex, composed of regulatory and catalytic subunits, that catalyzes protein phosphorylation. Inactive forms of the enzyme have two regulatory chains and two catalytic chains; activation by cAMP produces two active catalytic monomers and a regulatory dimer. [EC:2.7.11.11, ISBN:0198506732]' - }, - 'GO:0005953': { - 'name': 'CAAX-protein geranylgeranyltransferase complex', - 'def': 'A heterodimeric enzyme, composed of an alpha and a beta subunit. Participates in the post-translational C-terminal modification of several small GTPases, allowing their targeting to the membrane. [PMID:9781874]' - }, - 'GO:0005954': { - 'name': 'calcium- and calmodulin-dependent protein kinase complex', - 'def': 'An enzyme complex which in eukaryotes is composed of four different chains: alpha, beta, gamma, and delta. The different isoforms assemble into homo- or heteromultimeric holoenzymes composed of 8 to 12 subunits. Catalyzes the phosphorylation of proteins to O-phosphoproteins. [EC:2.7.11.17]' - }, - 'GO:0005955': { - 'name': 'calcineurin complex', - 'def': 'A heterodimeric calcium ion and calmodulin dependent protein phosphatase composed of catalytic and regulatory subunits; the regulatory subunit is very similar in sequence to calmodulin. [ISBN:019859951]' - }, - 'GO:0005956': { - 'name': 'protein kinase CK2 complex', - 'def': 'A protein complex that possesses protein serine/threonine kinase activity, and contains two catalytic alpha subunits and two regulatory beta subunits. Protein kinase CK2 complexes are found in nearly every subcellular compartment, and can phosphorylate many protein substrates in addition to casein. [GOC:mah, PMID:10994779]' - }, - 'GO:0005957': { - 'name': 'obsolete debranching enzyme', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005958': { - 'name': 'DNA-dependent protein kinase-DNA ligase 4 complex', - 'def': 'A large protein complex which is involved in the repair of DNA double-strand breaks and, in mammals, V(D)J recombination events. It consists of the DNA-dependent protein kinase catalytic subunit (DNA-PKcs), the DNA end-binding heterodimer Ku, the nuclear phosphoprotein XRCC4 or a homolog thereof, and DNA ligase IV. [GOC:jl, GOC:mah, PMID:10854421, PMID:12235392, PMID:17072889]' - }, - 'GO:0005960': { - 'name': 'glycine cleavage complex', - 'def': 'A protein complex that catalyzes the reversible oxidation of glycine. In E. coli, it has four components: dihydrolipoamide dehydrogenase, glycine dehydrogenase (decarboxylating), lipoyl-GcvH-protein and aminomethyltransferase, also known as L, P, H, and T. [GOC:mah, MetaCyc:GCVMULTI-CPLX]' - }, - 'GO:0005962': { - 'name': 'mitochondrial isocitrate dehydrogenase complex (NAD+)', - 'def': 'Mitochondrial complex that possesses isocitrate dehydrogenase (NAD+) activity. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0005963': { - 'name': 'magnesium-dependent protein serine/threonine phosphatase complex', - 'def': 'An enzyme complex that catalyzes the removal of serine- or threonine-bound phosphate groups from a wide range of phosphoproteins, including a number of enzymes that have been phosphorylated under the action of a kinase. [EC:3.1.3.16]' - }, - 'GO:0005964': { - 'name': 'phosphorylase kinase complex', - 'def': 'An enzyme complex that catalyzes the phosphorylation of phosphorylase b to form phosphorylase a. [EC:2.7.11.19]' - }, - 'GO:0005965': { - 'name': 'protein farnesyltransferase complex', - 'def': 'A protein complex that possesses protein farnesyltransferase activity. [GOC:mah]' - }, - 'GO:0005966': { - 'name': 'cyclic-nucleotide phosphodiesterase complex', - 'def': 'An enzyme complex that catalyzes the hydrolysis of bonds in a cyclic nucleotide. [EC:3.1.4.-]' - }, - 'GO:0005967': { - 'name': 'mitochondrial pyruvate dehydrogenase complex', - 'def': 'Complex that carries out the oxidative decarboxylation of pyruvate to form acetyl-CoA in eukaryotes; includes subunits possessing three catalytic activities: pyruvate dehydrogenase (E1), dihydrolipoamide S-acetyltransferase (E2), and dihydrolipoamide dehydrogenase (E3). The This Eukaryotic form usually contains more subunits than its bacterial counterpart; for example, one known complex contains 30 E1 dimers, 60 E2 monomers, and 6 E3 dimers as well as a few copies of pyruvate dehydrogenase kinase and pyruvate dehydrogenase phosphatase. [GOC:mtg_sensu, ISBN:0471331309, ISBN:0716720094]' - }, - 'GO:0005968': { - 'name': 'Rab-protein geranylgeranyltransferase complex', - 'def': 'A heterodimeric enzyme complex, which in mammals is composed of an alpha and a beta subunit, and which associates with an accessory protein Rep (Rab escort protein). Catalyzes of the transfer of a geranyl-geranyl group from geranylgeranyl pyrophosphate to a Rab protein. [GOC:jl, PMID:11886217]' - }, - 'GO:0005969': { - 'name': 'serine-pyruvate aminotransferase complex', - 'def': 'An enzyme complex that catalyzes the formation of hydroxypyruvate and alanine from serine and pyruvate. [EC:2.6.1.51]' - }, - 'GO:0005971': { - 'name': 'ribonucleoside-diphosphate reductase complex', - 'def': "An enzyme complex composed of 2-4 or more subunits, which usually contains nonheme iron and requires ATP for catalysis. Catalyzes the formation of 2'-deoxyribonucleoside diphosphate from ribonucleoside diphosphate, using either thioredoxin disulfide or glutaredoxin disulfide as an acceptor. [BRENDA:1.17.4.1]" - }, - 'GO:0005972': { - 'name': 'obsolete fibrinogen alpha chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005973': { - 'name': 'obsolete fibrinogen beta chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005974': { - 'name': 'obsolete fibrinogen gamma chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0005975': { - 'name': 'carbohydrate metabolic process', - 'def': 'The chemical reactions and pathways involving carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y. Includes the formation of carbohydrate derivatives by the addition of a carbohydrate residue to another molecule. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0005976': { - 'name': 'polysaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving a polysaccharide, a polymer of many (typically more than 10) monosaccharide residues linked glycosidically. [CHEBI:18154, ISBN:0198547684]' - }, - 'GO:0005977': { - 'name': 'glycogen metabolic process', - 'def': 'The chemical reactions and pathways involving glycogen, a polydisperse, highly branched glucan composed of chains of D-glucose residues in alpha-(1->4) glycosidic linkage, joined together by alpha-(1->6) glycosidic linkages. [ISBN:0198506732]' - }, - 'GO:0005978': { - 'name': 'glycogen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycogen, a polydisperse, highly branched glucan composed of chains of D-glucose residues. [ISBN:0198506732]' - }, - 'GO:0005979': { - 'name': 'regulation of glycogen biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glycogen. [GOC:go_curators]' - }, - 'GO:0005980': { - 'name': 'glycogen catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycogen, a polydisperse, highly branched glucan composed of chains of D-glucose residues. [ISBN:0198506732]' - }, - 'GO:0005981': { - 'name': 'regulation of glycogen catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of glycogen. [GOC:go_curators]' - }, - 'GO:0005982': { - 'name': 'starch metabolic process', - 'def': 'The chemical reactions and pathways involving starch, the most important reserve polysaccharide in plants. It is a glucan consisting of two components, amylose and amylopectin, which are both glucose homopolymers. Starch is synthesized as a temporary storage form of carbon and can be catabolized to produce sucrose. [ISBN:0198506732]' - }, - 'GO:0005983': { - 'name': 'starch catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of starch, the most important reserve polysaccharide in plants. [GOC:ai]' - }, - 'GO:0005984': { - 'name': 'disaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving any disaccharide, sugars composed of two monosaccharide units. [GOC:jl, ISBN:01928006X]' - }, - 'GO:0005985': { - 'name': 'sucrose metabolic process', - 'def': 'The chemical reactions and pathways involving sucrose, the disaccharide fructofuranosyl-glucopyranoside. [GOC:go_curators]' - }, - 'GO:0005986': { - 'name': 'sucrose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sucrose, the disaccharide fructofuranosyl-glucopyranoside. [GOC:go_curators]' - }, - 'GO:0005987': { - 'name': 'sucrose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sucrose, the disaccharide fructofuranosyl-glucopyranoside. [GOC:go_curators]' - }, - 'GO:0005988': { - 'name': 'lactose metabolic process', - 'def': 'The chemical reactions and pathways involving lactose, the disaccharide galactopyranosyl-glucose. [GOC:go_curators]' - }, - 'GO:0005989': { - 'name': 'lactose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lactose, the disaccharide galactopyranosyl-glucose. [GOC:go_curators]' - }, - 'GO:0005990': { - 'name': 'lactose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lactose, the disaccharide galactopyranosyl-glucose. [GOC:go_curators]' - }, - 'GO:0005991': { - 'name': 'trehalose metabolic process', - 'def': 'The chemical reactions and pathways involving trehalose, a disaccharide isomeric with sucrose and obtained from certain lichens and fungi. [GOC:jl, ISBN:0028623819]' - }, - 'GO:0005992': { - 'name': 'trehalose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of trehalose, a disaccharide isomeric with sucrose and obtained from certain lichens and fungi. [GOC:jl, ISBN:0028623819]' - }, - 'GO:0005993': { - 'name': 'trehalose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of trehalose, a disaccharide isomeric with sucrose and obtained from certain lichens and fungi. [GOC:jl, ISBN:0028623819]' - }, - 'GO:0005994': { - 'name': 'melibiose metabolic process', - 'def': 'The chemical reactions and pathways involving melibiose, the disaccharide 6-O-alpha-D-galactopyranosyl-D-glucose. [ISBN:0198547684]' - }, - 'GO:0005995': { - 'name': 'melibiose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of melibiose, the disaccharide 6-O-alpha-D-galactopyranosyl-D-glucose. [ISBN:0198547684]' - }, - 'GO:0005996': { - 'name': 'monosaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving monosaccharides, the simplest carbohydrates. They are polyhydric alcohols containing either an aldehyde or a keto group and between three to ten or more carbon atoms. They form the constitutional repeating units of oligo- and polysaccharides. [ISBN:0198506732]' - }, - 'GO:0005997': { - 'name': 'xylulose metabolic process', - 'def': 'The chemical reactions and pathways involving xylulose, the ketopentose threo-2-pentulose. [ISBN:0198547684]' - }, - 'GO:0005998': { - 'name': 'xylulose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of xylulose, the ketopentose threo-2-pentulose. [ISBN:0198547684]' - }, - 'GO:0005999': { - 'name': 'xylulose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of xylulose, the ketopentose threo-2-pentulose. [ISBN:0198547684]' - }, - 'GO:0006000': { - 'name': 'fructose metabolic process', - 'def': 'The chemical reactions and pathways involving fructose, the ketohexose arabino-2-hexulose. Fructose exists in a open chain form or as a ring compound. D-fructose is the sweetest of the sugars and is found free in a large number of fruits and honey. [ISBN:0198506732]' - }, - 'GO:0006001': { - 'name': 'fructose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fructose, the ketohexose arabino-2-hexulose. [GOC:ai]' - }, - 'GO:0006002': { - 'name': 'fructose 6-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving fructose 6-phosphate, also known as F6P. The D-enantiomer is an important intermediate in glycolysis, gluconeogenesis, and fructose metabolism. [ISBN:0198506732]' - }, - 'GO:0006003': { - 'name': 'fructose 2,6-bisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving fructose 2,6-bisphosphate. The D enantiomer is an important regulator of the glycolytic and gluconeogenic pathways. It inhibits fructose 1,6-bisphosphatase and activates phosphofructokinase. [ISBN:0198506732]' - }, - 'GO:0006004': { - 'name': 'fucose metabolic process', - 'def': 'The chemical reactions and pathways involving fucose, or 6-deoxygalactose, which has two enantiomers, D-fucose and L-fucose. [ISBN:0198506732]' - }, - 'GO:0006005': { - 'name': 'L-fucose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-fucose (6-deoxy-L-galactose). [GOC:jl]' - }, - 'GO:0006006': { - 'name': 'glucose metabolic process', - 'def': 'The chemical reactions and pathways involving glucose, the aldohexose gluco-hexose. D-glucose is dextrorotatory and is sometimes known as dextrose; it is an important source of energy for living organisms and is found free as well as combined in homo- and hetero-oligosaccharides and polysaccharides. [ISBN:0198506732]' - }, - 'GO:0006007': { - 'name': 'glucose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucose, the aldohexose gluco-hexose. [GOC:ai]' - }, - 'GO:0006009': { - 'name': 'glucose 1-phosphate phosphorylation', - 'def': 'The process of introducing a phosphate group into glucose 1-phosphate to produce glucose bisphosphate. [GOC:ai]' - }, - 'GO:0006011': { - 'name': 'UDP-glucose metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-glucose, uridinediphosphoglucose, a substance composed of glucose in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0006012': { - 'name': 'galactose metabolic process', - 'def': 'The chemical reactions and pathways involving galactose, the aldohexose galacto-hexose. D-galactose is widely distributed in combined form in plants, animals and microorganisms as a constituent of oligo- and polysaccharides; it also occurs in galactolipids and as its glucoside in lactose and melibiose. [ISBN:0198506732]' - }, - 'GO:0006013': { - 'name': 'mannose metabolic process', - 'def': 'The chemical reactions and pathways involving mannose, the aldohexose manno-hexose, the C-2 epimer of glucose. The D-(+)-form is widely distributed in mannans and hemicelluloses and is of major importance in the core oligosaccharide of N-linked oligosaccharides of glycoproteins. [ISBN:0198506732]' - }, - 'GO:0006014': { - 'name': 'D-ribose metabolic process', - 'def': 'The chemical reactions and pathways involving D-ribose (ribo-pentose). As beta-D-ribofuranose, D-ribose forms the glycose group of all ribonucleosides, ribonucleotides and ribonucleic acids, and also of ribose phosphates, various glycosides, some coenzymes and some forms of vitamin B12. [ISBN:0198506732]' - }, - 'GO:0006015': { - 'name': '5-phosphoribose 1-diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 5-phosphoribose 1-diphosphate, also known as 5-phosphoribosyl-1-pyrophosphate. [GOC:ai]' - }, - 'GO:0006016': { - 'name': '2-deoxyribose 1-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 2-deoxyribose 1-phosphate, the phosphorylated sugar 1-phospho-2-deoxyribose. [ISBN:0198506732]' - }, - 'GO:0006017': { - 'name': 'deoxyribose 1,5-bisphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of deoxyribose 1,5-bisphosphate, the diphosphorylated sugar 1,5-diphospho-2-deoxyribose. [GOC:ai]' - }, - 'GO:0006018': { - 'name': '2-deoxyribose 1-phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of deoxyribose 1-phosphate, the phosphorylated sugar 1-phospho-2-deoxyribose. [GOC:ai]' - }, - 'GO:0006019': { - 'name': 'deoxyribose 5-phosphate phosphorylation', - 'def': 'The process of introducing a phosphate group into deoxyribose 5-phosphate to produce deoxyribose bisphosphate. [GOC:ai]' - }, - 'GO:0006020': { - 'name': 'inositol metabolic process', - 'def': 'The chemical reactions and pathways involving inositol, 1,2,3,4,5,6-cyclohexanehexol, a growth factor for animals and microorganisms. [CHEBI:24848, ISBN:0198547684]' - }, - 'GO:0006021': { - 'name': 'inositol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of inositol, 1,2,3,4,5,6-cyclohexanehexol, a growth factor for animals and microorganisms. [CHEBI:24848, ISBN:0198547684]' - }, - 'GO:0006022': { - 'name': 'aminoglycan metabolic process', - 'def': 'The chemical reactions and pathways involving aminoglycans, any polymer containing amino groups that consists of more than about 10 monosaccharide residues joined to each other by glycosidic linkages. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006023': { - 'name': 'aminoglycan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aminoglycans, any polymer containing amino groups that consists of more than about 10 monosaccharide residues joined to each other by glycosidic linkages. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006024': { - 'name': 'glycosaminoglycan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycosaminoglycans, any of a group of polysaccharides that contain amino sugars. [ISBN:0192800981]' - }, - 'GO:0006025': { - 'name': 'galactosaminoglycan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of galactosaminoglycans, any of a group of polysaccharides that contain amino sugars derived from the galactose. [GOC:ai]' - }, - 'GO:0006026': { - 'name': 'aminoglycan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aminoglycans, any polymer containing amino groups that consists of more than about 10 monosaccharide residues joined to each other by glycosidic linkages. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006027': { - 'name': 'glycosaminoglycan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycosaminoglycans, any one of a group of polysaccharides that contain amino sugars. [ISBN:0192800981]' - }, - 'GO:0006028': { - 'name': 'galactosaminoglycan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactosaminoglycans, any of a group of polysaccharides that contain amino sugars derived from the galactose. [GOC:ai]' - }, - 'GO:0006029': { - 'name': 'proteoglycan metabolic process', - 'def': 'The chemical reactions and pathways involving proteoglycans, any glycoprotein in which the carbohydrate units are glycosaminoglycans. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0006030': { - 'name': 'chitin metabolic process', - 'def': 'The chemical reactions and pathways involving chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006031': { - 'name': 'chitin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006032': { - 'name': 'chitin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006033': { - 'name': 'chitin localization', - 'def': 'A process in which chitin is transported to, or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0006034': { - 'name': 'cuticle chitin metabolic process', - 'def': 'The chemical reactions and pathways involving cuticle chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues, found in cuticles. [GOC:ai]' - }, - 'GO:0006035': { - 'name': 'cuticle chitin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cuticle chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues, found in cuticles. [GOC:ai]' - }, - 'GO:0006036': { - 'name': 'cuticle chitin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cuticle chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues, found in cuticles. [GOC:ai]' - }, - 'GO:0006037': { - 'name': 'cell wall chitin metabolic process', - 'def': 'The chemical reactions and pathways involving cell wall chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues, found in the walls of cells. [GOC:ai]' - }, - 'GO:0006038': { - 'name': 'cell wall chitin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cell wall chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues, found in the walls of cells. [GOC:ai]' - }, - 'GO:0006039': { - 'name': 'cell wall chitin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cell wall chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues, found in the walls of cells. [GOC:ai]' - }, - 'GO:0006040': { - 'name': 'amino sugar metabolic process', - 'def': 'The chemical reactions and pathways involving any amino sugar, sugars containing an amino group in place of a hydroxyl group. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0006041': { - 'name': 'glucosamine metabolic process', - 'def': 'The chemical reactions and pathways involving glucosamine (2-amino-2-deoxyglucopyranose), an aminodeoxysugar that occurs in combined form in chitin. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006042': { - 'name': 'glucosamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucosamine (2-amino-2-deoxyglucopyranose), an aminodeoxysugar that occurs in combined form in chitin. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006043': { - 'name': 'glucosamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucosamine (2-amino-2-deoxyglucopyranose), an aminodeoxysugar that occurs in combined form in chitin. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006044': { - 'name': 'N-acetylglucosamine metabolic process', - 'def': 'The chemical reactions and pathways involving N-acetylglucosamine. The D isomer is a common structural unit of glycoproteins in plants, bacteria and animals; it is often the terminal sugar of an oligosaccharide group of a glycoprotein. [ISBN:0198506732]' - }, - 'GO:0006045': { - 'name': 'N-acetylglucosamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of N-acetylglucosamine. The D isomer is a common structural unit of glycoproteins in plants, bacteria and animals; it is often the terminal sugar of an oligosaccharide group of a glycoprotein. [ISBN:0198506732]' - }, - 'GO:0006046': { - 'name': 'N-acetylglucosamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of N-acetylglucosamine. The D isomer is a common structural unit of glycoproteins in plants, bacteria and animals; it is often the terminal sugar of an oligosaccharide group of a glycoprotein. [ISBN:0198506732]' - }, - 'GO:0006047': { - 'name': 'UDP-N-acetylglucosamine metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-N-acetylglucosamine, a substance composed of N-acetylglucosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0006048': { - 'name': 'UDP-N-acetylglucosamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-N-acetylglucosamine, a substance composed of N-acetylglucosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0006049': { - 'name': 'UDP-N-acetylglucosamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of UDP-N-acetylglucosamine, a substance composed of N-acetylglucosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0006050': { - 'name': 'mannosamine metabolic process', - 'def': 'The chemical reactions and pathways involving mannosomine, 2-amino-2-deoxymannose; the D-isomer is a constituent of neuraminic acids as well as mucolipids and mucoproteins. [CHEBI:mannosamine, GOC:curators]' - }, - 'GO:0006051': { - 'name': 'N-acetylmannosamine metabolic process', - 'def': 'The chemical reactions and pathways involving N-acetylmannosamine, the acetylated derivative of mannosamine, 2-amino-2-deoxymannose. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006052': { - 'name': 'N-acetylmannosamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of N-acetylmannosamine, the acetylated derivative of mannosamine, 2-amino-2-deoxymannose. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006053': { - 'name': 'N-acetylmannosamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of N-acetylmannosamine, the acetylated derivative of mannosamine, 2-amino-2-deoxymannose. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006054': { - 'name': 'N-acetylneuraminate metabolic process', - 'def': 'The chemical reactions and pathways involving N-acetylneuraminate, the anion of 5-(acetylamino)-3,5-dideoxy-D-glycero-D-galacto-non-3-ulosonic acid. [ISBN:0198506732]' - }, - 'GO:0006055': { - 'name': 'CMP-N-acetylneuraminate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of CMP-N-acetylneuraminate, a substance composed of 5-(acetylamino)-3,5-dideoxy-D-glycero-D-galacto-non-3-ulosonic acid in glycosidic linkage with cytidine monophosphate. [GOC:ai]' - }, - 'GO:0006056': { - 'name': 'mannoprotein metabolic process', - 'def': 'The chemical reactions and pathways involving mannoproteins, any protein that contains covalently bound mannose residues. [ISBN:0198506732]' - }, - 'GO:0006057': { - 'name': 'mannoprotein biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mannoproteins, any protein that contains covalently bound mannose residues. [ISBN:0198506732]' - }, - 'GO:0006058': { - 'name': 'mannoprotein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mannoproteins, any protein that contains covalently bound mannose residues. [ISBN:0198506732]' - }, - 'GO:0006059': { - 'name': 'hexitol metabolic process', - 'def': 'The chemical reactions and pathways involving hexitols, any alditol with a chain of six carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0006060': { - 'name': 'sorbitol metabolic process', - 'def': 'The chemical reactions and pathways involving sorbitol (D-glucitol), one of the ten stereoisomeric hexitols. It can be derived from glucose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0006061': { - 'name': 'sorbitol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sorbitol (D-glucitol), one of the ten stereoisomeric hexitols. It can be derived from glucose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0006062': { - 'name': 'sorbitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sorbitol (D-glucitol), one of the ten stereoisomeric hexitols. It can be derived from glucose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0006063': { - 'name': 'uronic acid metabolic process', - 'def': 'The chemical reactions and pathways involving uronic acid, any monocarboxylic acid formally derived by oxidizing to a carboxyl group the terminal hydroxymethylene group of either an aldose with four or more carbon atoms in the molecule, or of any glycoside derived from such an aldose. [ISBN:0198506732]' - }, - 'GO:0006064': { - 'name': 'glucuronate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucuronate, any salt or ester of glucuronic acid. [GOC:go_curators]' - }, - 'GO:0006065': { - 'name': 'UDP-glucuronate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-glucuronate, a substance composed of glucuronic acid in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0006066': { - 'name': 'alcohol metabolic process', - 'def': 'The chemical reactions and pathways involving alcohols, any of a class of compounds containing one or more hydroxyl groups attached to a saturated carbon atom. [CHEBI:30879, ISBN:0198506732]' - }, - 'GO:0006067': { - 'name': 'ethanol metabolic process', - 'def': 'The chemical reactions and pathways involving ethanol, CH3-CH2-OH, a colorless, water-miscible, flammable liquid produced by alcoholic fermentation. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006068': { - 'name': 'ethanol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ethanol, CH3-CH2-OH, a colorless, water-miscible, flammable liquid produced by alcoholic fermentation. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006069': { - 'name': 'ethanol oxidation', - 'def': 'An ethanol metabolic process in which ethanol is converted to acetyl-CoA via acetaldehyde and acetate. [GOC:mah, MetaCyc:PWY66-161, MetaCyc:PWY66-162, MetaCyc:PWY66-21]' - }, - 'GO:0006070': { - 'name': 'octanol metabolic process', - 'def': 'The chemical reactions and pathways involving octanol, the 8-carbon alcohol with the formula C8H17OH. [GOC:go_curators]' - }, - 'GO:0006071': { - 'name': 'glycerol metabolic process', - 'def': 'The chemical reactions and pathways involving glycerol, 1,2,3-propanetriol, a sweet, hygroscopic, viscous liquid, widely distributed in nature as a constituent of many lipids. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006072': { - 'name': 'glycerol-3-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving glycerol-3-phosphate, a phosphoric monoester of glycerol. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006073': { - 'name': 'cellular glucan metabolic process', - 'def': 'The chemical reactions and pathways involving glucans, polysaccharides consisting only of glucose residues, occurring at the level of an individual cell. [ISBN:0198547684]' - }, - 'GO:0006074': { - 'name': '(1->3)-beta-D-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D-glucosidic bonds. [ISBN:0198506732]' - }, - 'GO:0006075': { - 'name': '(1->3)-beta-D-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D-glucosidic bonds. [GOC:ai]' - }, - 'GO:0006076': { - 'name': '(1->3)-beta-D-glucan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (1->3)-beta-D-glucans. [GOC:ai]' - }, - 'GO:0006077': { - 'name': '(1->6)-beta-D-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving (1->6)-beta-D-glucans, compounds composed of glucose residues linked by (1->6)-beta-D-glucosidic bonds. [ISBN:0198506732]' - }, - 'GO:0006078': { - 'name': '(1->6)-beta-D-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (1->6)-beta-D-glucans. [GOC:ai]' - }, - 'GO:0006079': { - 'name': '(1->6)-beta-D-glucan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (1->6)-beta-D-glucans. [GOC:ai]' - }, - 'GO:0006080': { - 'name': 'substituted mannan metabolic process', - 'def': 'The chemical reactions and pathways involving a mannan backbone composed of D-mannose unites, substituted with D-glucose and/or D-galactose units. [GOC:tair_curators]' - }, - 'GO:0006081': { - 'name': 'cellular aldehyde metabolic process', - 'def': 'The chemical reactions and pathways involving aldehydes, any organic compound with the formula R-CH=O, as carried out by individual cells. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006082': { - 'name': 'organic acid metabolic process', - 'def': 'The chemical reactions and pathways involving organic acids, any acidic compound containing carbon in covalent linkage. [ISBN:0198506732]' - }, - 'GO:0006083': { - 'name': 'acetate metabolic process', - 'def': 'The chemical reactions and pathways involving acetate, the anion of acetic acid. [GOC:go_curators]' - }, - 'GO:0006084': { - 'name': 'acetyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving acetyl-CoA, a derivative of coenzyme A in which the sulfhydryl group is acetylated; it is a metabolite derived from several pathways (e.g. glycolysis, fatty acid oxidation, amino-acid catabolism) and is further metabolized by the tricarboxylic acid cycle. It is a key intermediate in lipid and terpenoid biosynthesis. [ISBN:0198547684]' - }, - 'GO:0006085': { - 'name': 'acetyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acetyl-CoA, a derivative of coenzyme A in which the sulfhydryl group is acetylated. [GOC:go_curators]' - }, - 'GO:0006086': { - 'name': 'acetyl-CoA biosynthetic process from pyruvate', - 'def': 'The chemical reactions and pathways resulting in the formation of acetyl-CoA from pyruvate. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0006088': { - 'name': 'obsolete acetate to acetyl-CoA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006089': { - 'name': 'lactate metabolic process', - 'def': 'The chemical reactions and pathways involving lactate, the anion of lactic acid. [ISBN:0198547684]' - }, - 'GO:0006090': { - 'name': 'pyruvate metabolic process', - 'def': 'The chemical reactions and pathways involving pyruvate, 2-oxopropanoate. [GOC:go_curators]' - }, - 'GO:0006091': { - 'name': 'generation of precursor metabolites and energy', - 'def': 'The chemical reactions and pathways resulting in the formation of precursor metabolites, substances from which energy is derived, and any process involved in the liberation of energy from these substances. [GOC:jl]' - }, - 'GO:0006094': { - 'name': 'gluconeogenesis', - 'def': 'The formation of glucose from noncarbohydrate precursors, such as pyruvate, amino acids and glycerol. [MetaCyc:GLUCONEO-PWY]' - }, - 'GO:0006096': { - 'name': 'glycolytic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a carbohydrate into pyruvate, with the concomitant production of a small amount of ATP and the reduction of NAD(P) to NAD(P)H. Glycolysis begins with the metabolism of a carbohydrate to generate products that can enter the pathway and ends with the production of pyruvate. Pyruvate may be converted to acetyl-coenzyme A, ethanol, lactate, or other small molecules. [GOC:bf, GOC:dph, ISBN:0201090910, ISBN:0716720094, ISBN:0879010479, Wikipedia:Glycolysis]' - }, - 'GO:0006097': { - 'name': 'glyoxylate cycle', - 'def': 'A modification of the TCA cycle occurring in some plants and microorganisms, in which isocitrate is cleaved to glyoxylate and succinate. Glyoxylate can then react with acetyl-CoA to form malate. [ISBN:0198506732]' - }, - 'GO:0006098': { - 'name': 'pentose-phosphate shunt', - 'def': 'The glucose-6-phosphate catabolic process in which, coupled to NADPH synthesis, glucose-6-P is oxidized with the formation of carbon dioxide (CO2) and ribulose 5-phosphate; ribulose 5-P then enters a series of reactions interconverting sugar phosphates. The pentose phosphate pathway is a major source of reducing equivalents for biosynthesis reactions and is also important for the conversion of hexoses to pentoses. [ISBN:0198506732, MetaCyc:PENTOSE-P-PWY]' - }, - 'GO:0006099': { - 'name': 'tricarboxylic acid cycle', - 'def': 'A nearly universal metabolic pathway in which the acetyl group of acetyl coenzyme A is effectively oxidized to two CO2 and four pairs of electrons are transferred to coenzymes. The acetyl group combines with oxaloacetate to form citrate, which undergoes successive transformations to isocitrate, 2-oxoglutarate, succinyl-CoA, succinate, fumarate, malate, and oxaloacetate again, thus completing the cycle. In eukaryotes the tricarboxylic acid is confined to the mitochondria. See also glyoxylate cycle. [ISBN:0198506732]' - }, - 'GO:0006100': { - 'name': 'obsolete tricarboxylic acid cycle intermediate metabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways involving intermediates of the tricarboxylic acid cycle. [GOC:ai]' - }, - 'GO:0006101': { - 'name': 'citrate metabolic process', - 'def': 'The chemical reactions and pathways involving citrate, 2-hydroxy-1,2,3-propanetricarboyxlate. Citrate is widely distributed in nature and is an important intermediate in the TCA cycle and the glyoxylate cycle. [ISBN:0198506732]' - }, - 'GO:0006102': { - 'name': 'isocitrate metabolic process', - 'def': 'The chemical reactions and pathways involving isocitrate, the anion of isocitric acid, 1-hydroxy-1,2,3-propanetricarboxylic acid. Isocitrate is an important intermediate in the TCA cycle and the glycoxylate cycle. [ISBN:0198506732]' - }, - 'GO:0006103': { - 'name': '2-oxoglutarate metabolic process', - 'def': 'The chemical reactions and pathways involving oxoglutarate, the dianion of 2-oxoglutaric acid. It is a key constituent of the TCA cycle and a key intermediate in amino-acid metabolism. [ISBN:0198506732]' - }, - 'GO:0006104': { - 'name': 'succinyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving succinyl-CoA, a compound composed of the monovalent acyl group 3-carboxypropanoyl, derived from succinic acid by loss of one OH group, linked to coenzyme A. [GOC:ai]' - }, - 'GO:0006105': { - 'name': 'succinate metabolic process', - 'def': 'The chemical reactions and pathways involving succinate, also known as butanedioate or ethane dicarboxylate, the dianion of succinic acid. Succinate is an important intermediate in metabolism and a component of the TCA cycle. [ISBN:0198506732]' - }, - 'GO:0006106': { - 'name': 'fumarate metabolic process', - 'def': 'The chemical reactions and pathways involving fumarate, the anion of trans-1,2-ethenedicarboxylic acid, the diastereoisomer of maleate. It is a key intermediate in metabolism and is formed in the TCA cycle from succinate and converted into malate. [ISBN:0198506732]' - }, - 'GO:0006107': { - 'name': 'oxaloacetate metabolic process', - 'def': 'The chemical reactions and pathways involving oxaloacetate, the anion of oxobutanedioic acid, an important intermediate in metabolism, especially as a component of the TCA cycle. [ISBN:0198506732]' - }, - 'GO:0006108': { - 'name': 'malate metabolic process', - 'def': 'The chemical reactions and pathways involving malate, the anion of hydroxybutanedioic acid, a chiral hydroxydicarboxylic acid. The (+) enantiomer is an important intermediate in metabolism as a component of both the TCA cycle and the glyoxylate cycle. [ISBN:0198506732]' - }, - 'GO:0006109': { - 'name': 'regulation of carbohydrate metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving carbohydrates. [GOC:go_curators]' - }, - 'GO:0006110': { - 'name': 'regulation of glycolytic process', - 'def': 'Any process that modulates the frequency, rate or extent of glycolysis. [GOC:go_curators]' - }, - 'GO:0006111': { - 'name': 'regulation of gluconeogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of gluconeogenesis, the formation of glucose from noncarbohydrate precursors, such as pyruvate, amino acids and glycerol. [GOC:go_curators]' - }, - 'GO:0006112': { - 'name': 'energy reserve metabolic process', - 'def': 'The chemical reactions and pathways by which a cell derives energy from stored compounds such as fats or glycogen. [GOC:mah]' - }, - 'GO:0006113': { - 'name': 'fermentation', - 'def': 'The anaerobic enzymatic conversion of organic compounds, especially carbohydrates, coupling the oxidation and reduction of NAD/H and the generation of adenosine triphosphate (ATP). [GOC:curators, ISBN:0201090910, ISBN:124925502, MetaCyc:Fermentation]' - }, - 'GO:0006114': { - 'name': 'glycerol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycerol, 1,2,3-propanetriol, a sweet, hygroscopic, viscous liquid, widely distributed in nature as a constituent of many lipids. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006115': { - 'name': 'ethanol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ethanol, CH3-CH2-OH, a colorless, water-miscible, flammable liquid produced by alcoholic fermentation. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006116': { - 'name': 'NADH oxidation', - 'def': 'A metabolic process that results in the oxidation of reduced nicotinamide adenine dinucleotide, NADH, to the oxidized form, NAD. [GOC:ai]' - }, - 'GO:0006117': { - 'name': 'acetaldehyde metabolic process', - 'def': 'The chemical reactions and pathways involving acetaldehyde, a colorless, flammable liquid intermediate in the metabolism of alcohol. [CHEBI:15343, GOC:go_curators]' - }, - 'GO:0006118': { - 'name': 'obsolete electron transport', - 'def': 'OBSOLETE. The transport of electrons from an electron donor to an electron acceptor. [GOC:curators]' - }, - 'GO:0006119': { - 'name': 'oxidative phosphorylation', - 'def': 'The phosphorylation of ADP to ATP that accompanies the oxidation of a metabolite through the operation of the respiratory chain. Oxidation of compounds establishes a proton gradient across the membrane, providing the energy for ATP synthesis. [ISBN:0198506732, ISBN:0471331309]' - }, - 'GO:0006120': { - 'name': 'mitochondrial electron transport, NADH to ubiquinone', - 'def': 'The transfer of electrons from NADH to ubiquinone that occurs during oxidative phosphorylation, mediated by the multisubunit enzyme known as complex I. [ISBN:0716731363]' - }, - 'GO:0006121': { - 'name': 'mitochondrial electron transport, succinate to ubiquinone', - 'def': 'The transfer of electrons from succinate to ubiquinone that occurs during oxidative phosphorylation, mediated by the multisubunit enzyme known as complex II. [ISBN:0716731363]' - }, - 'GO:0006122': { - 'name': 'mitochondrial electron transport, ubiquinol to cytochrome c', - 'def': 'The transfer of electrons from ubiquinol to cytochrome c that occurs during oxidative phosphorylation, mediated by the multisubunit enzyme known as complex III. [ISBN:0716731363]' - }, - 'GO:0006123': { - 'name': 'mitochondrial electron transport, cytochrome c to oxygen', - 'def': 'The transfer of electrons from cytochrome c to oxygen that occurs during oxidative phosphorylation, mediated by the multisubunit enzyme known as complex IV. [ISBN:0716731363]' - }, - 'GO:0006124': { - 'name': 'ferredoxin metabolic process', - 'def': 'The chemical reactions and pathways involving ferredoxin, any simple, nonenzymatic iron-sulfur protein that is characterized by having equal numbers of atoms of iron and labile sulfur. Iron and sulfur atoms are present in one or two clusters of two or four atoms of each. [ISBN:0198506732]' - }, - 'GO:0006125': { - 'name': 'obsolete thioredoxin pathway', - 'def': 'OBSOLETE. [GOC:mtg_electron_transport]' - }, - 'GO:0006126': { - 'name': 'obsolete other pathways of electron transport', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006127': { - 'name': 'glycerophosphate shuttle', - 'def': 'The process of transferring reducing equivalents from the cytosol into the mitochondria; NADH is used to synthesise glycerol 3-phosphate in the cytosol; this compound is then transported into the mitochondria where it is converted to dihydroxyacetone phosphate (DHAP) using FAD; DHAP then returns to the cytosol to complete the cycle. [GOC:jl, GOC:mtg_electron_transport, ISBN:071672009, PMID:16368075]' - }, - 'GO:0006128': { - 'name': 'obsolete oxidized glutathione reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006129': { - 'name': 'obsolete protein-disulfide reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006130': { - 'name': 'obsolete 6-phosphofructokinase reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006131': { - 'name': 'obsolete dihydrolipoamide reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006132': { - 'name': 'obsolete dihydrolipoylprotein reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006133': { - 'name': 'obsolete 5,10-methylenetetrahydrofolate oxidation', - 'def': 'OBSOLETE. [GOC:mtg_electron_transport]' - }, - 'GO:0006134': { - 'name': 'obsolete dihydrobiopterin reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006135': { - 'name': 'obsolete dihydropteridine reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006139': { - 'name': 'nucleobase-containing compound metabolic process', - 'def': 'Any cellular metabolic process involving nucleobases, nucleosides, nucleotides and nucleic acids. [GOC:ai]' - }, - 'GO:0006140': { - 'name': 'regulation of nucleotide metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving nucleotides. [GOC:go_curators]' - }, - 'GO:0006141': { - 'name': 'regulation of purine nucleobase metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving purines. [GOC:go_curators]' - }, - 'GO:0006142': { - 'name': 'regulation of pyrimidine nucleobase metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving pyrimidine nucleobases. [GOC:go_curators]' - }, - 'GO:0006143': { - 'name': 'obsolete purine metabolic process', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006144': { - 'name': 'purine nucleobase metabolic process', - 'def': 'The chemical reactions and pathways involving purine nucleobases, one of the two classes of nitrogen-containing ring compounds found in DNA and RNA, which include adenine and guanine. [CHEBI:26386, GOC:go_curators]' - }, - 'GO:0006145': { - 'name': 'purine nucleobase catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine nucleobases, one of the two classes of nitrogen-containing ring compounds found in DNA and RNA, which include adenine and guanine. [GOC:go_curators]' - }, - 'GO:0006146': { - 'name': 'adenine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of adenine, 6-aminopurine, one of the 5 main bases found in nucleic acids and a component of numerous important derivatives of its corresponding ribonucleoside, adenosine. [ISBN:0198506732]' - }, - 'GO:0006147': { - 'name': 'guanine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of guanine, 2-amino-6-hydroxypurine, a purine that is one of the five main bases found in nucleic acids and a component of a number of phosphorylated guanosine derivatives whose metabolic or regulatory functions are important. [GOC:go_curators]' - }, - 'GO:0006148': { - 'name': 'inosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of inosine, hypoxanthine riboside, a nucleoside found free but not in combination in nucleic acids except in the anticodons of some tRNAs. [GOC:go_curators]' - }, - 'GO:0006149': { - 'name': 'deoxyinosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of deoxyinosine, hypoxanthine deoxyriboside. [GOC:go_curators]' - }, - 'GO:0006150': { - 'name': 'hypoxanthine oxidation', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hypoxanthine to xanthine and thence to uric acid. [GOC:mah, PMID:3196295]' - }, - 'GO:0006151': { - 'name': 'xanthine oxidation', - 'def': 'The oxidation of xanthine, 2,6-dihydroxypurine, a purine formed in the metabolic breakdown of guanine but not present in nucleic acids. [GOC:jl]' - }, - 'GO:0006152': { - 'name': 'purine nucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine nucleoside, one of a family of organic molecules consisting of a purine base covalently bonded to a sugar ribose (a ribonucleoside) or deoxyribose (a deoxyribonucleoside). [GOC:go_curators]' - }, - 'GO:0006153': { - 'name': 'obsolete purine nucleosidase reaction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006154': { - 'name': 'adenosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of adenosine, adenine riboside, a ribonucleoside found widely distributed in cells of every type as the free nucleoside and in combination in nucleic acids and various nucleoside coenzymes. [GOC:go_curators]' - }, - 'GO:0006155': { - 'name': 'obsolete adenosine deaminase reaction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006157': { - 'name': 'deoxyadenosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of deoxyadenosine, 2-deoxyribosyladenine, one of the four major nucleosides of DNA. [GOC:go_curators]' - }, - 'GO:0006158': { - 'name': 'obsolete deoxyadenosine deaminase reaction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006161': { - 'name': 'deoxyguanosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of deoxyguanosine, a nucleoside consisting of the base guanine and the sugar deoxyribose. [CHEBI:17172, GOC:jl]' - }, - 'GO:0006162': { - 'name': 'obsolete purine/pyrimidine nucleoside diphosphate reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006163': { - 'name': 'purine nucleotide metabolic process', - 'def': "The chemical reactions and pathways involving a purine nucleotide, a compound consisting of nucleoside (a purine base linked to a deoxyribose or ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0006164': { - 'name': 'purine nucleotide biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a purine nucleotide, a compound consisting of nucleoside (a purine base linked to a deoxyribose or ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0006165': { - 'name': 'nucleoside diphosphate phosphorylation', - 'def': 'The process of introducing a phosphate group into a nucleoside diphosphate to produce a nucleoside triphosphate. [GOC:ai]' - }, - 'GO:0006166': { - 'name': 'purine ribonucleoside salvage', - 'def': 'Any process which produces a purine nucleoside from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0006167': { - 'name': 'AMP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of AMP, adenosine monophosphate. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006168': { - 'name': 'adenine salvage', - 'def': 'Any process that generates adenine, 6-aminopurine, from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0006169': { - 'name': 'adenosine salvage', - 'def': 'Any process that generates adenosine, adenine riboside, from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0006170': { - 'name': 'dAMP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dAMP, deoxyadenosine monophosphate (2'-deoxyadenosine 5'-phosphate). [ISBN:0198506732]" - }, - 'GO:0006171': { - 'name': 'cAMP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [ISBN:0198506732]" - }, - 'GO:0006172': { - 'name': 'ADP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of ADP, adenosine 5'-diphosphate. [GOC:ai]" - }, - 'GO:0006173': { - 'name': 'dADP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dADP, deoxyadenosine diphosphate (2'-deoxyadenosine 5'-diphosphate). [ISBN:0198506732]" - }, - 'GO:0006174': { - 'name': 'dADP phosphorylation', - 'def': 'The process of introducing a phosphate group into dADP, deoxyadenosine diphosphate, to produce dATP. [ISBN:0198506732]' - }, - 'GO:0006175': { - 'name': 'dATP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dATP, deoxyadenosine triphosphate (2'-deoxyadenosine 5'-triphosphate). [ISBN:0198506732]" - }, - 'GO:0006176': { - 'name': 'dATP biosynthetic process from ADP', - 'def': "The chemical reactions and pathways resulting in the formation of dATP, deoxyadenosine triphosphate (2'-deoxyadenosine 5'-triphosphate) from other compounds, including ADP, adenosine diphosphate. [ISBN:0198506732]" - }, - 'GO:0006177': { - 'name': 'GMP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of GMP, guanosine monophosphate. [ISBN:0198506732]' - }, - 'GO:0006178': { - 'name': 'guanine salvage', - 'def': 'Any process that generates guanine, 2-amino-6-hydroxypurine, from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0006179': { - 'name': 'guanosine salvage', - 'def': 'Any process that generates guanosine, guanine riboside, from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0006180': { - 'name': 'deoxyguanosine salvage', - 'def': 'Any process that generates deoxyguanosine from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0006181': { - 'name': 'dGMP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dGMP, deoxyguanosine monophosphate (2'-deoxyguanosine 5'-phosphate). [ISBN:0198506732]" - }, - 'GO:0006182': { - 'name': 'cGMP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of cyclic GMP, guanosine 3',5'-phosphate. [ISBN:0198506732]" - }, - 'GO:0006183': { - 'name': 'GTP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of GTP, guanosine triphosphate. [ISBN:0198506732]' - }, - 'GO:0006184': { - 'name': 'obsolete GTP catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of GTP, guanosine triphosphate. [ISBN:0198506732]' - }, - 'GO:0006185': { - 'name': 'dGDP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dGDP, deoxyguanosine diphosphate, (2'-deoxyguanosine 5'-diphosphate). [ISBN:0198506732]" - }, - 'GO:0006186': { - 'name': 'dGDP phosphorylation', - 'def': 'The process of introducing a phosphate group into dGDP, deoxyguanosine diphosphate, to produce dGTP. [ISBN:0198506732]' - }, - 'GO:0006187': { - 'name': 'dGTP biosynthetic process from dGDP', - 'def': "The chemical reactions and pathways resulting in the formation of dGTP, deoxyguanosine triphosphate (2'-deoxyguanosine 5'-triphosphate) from other compounds, including gGDP, deoxyguanosine diphosphate. [ISBN:0198506732]" - }, - 'GO:0006188': { - 'name': 'IMP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of IMP, inosine monophosphate. [ISBN:0198506732]' - }, - 'GO:0006189': { - 'name': "'de novo' IMP biosynthetic process", - 'def': 'The chemical reactions and pathways resulting in the formation of IMP, inosine monophosphate, by the stepwise assembly of a purine ring on ribose 5-phosphate. [GOC:mah, ISBN:0716720094]' - }, - 'GO:0006190': { - 'name': 'inosine salvage', - 'def': 'Any process that generates inosine, hypoxanthine riboside, from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0006191': { - 'name': 'deoxyinosine salvage', - 'def': 'Any process that generates deoxyinosine from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0006192': { - 'name': 'IDP phosphorylation', - 'def': "The process of introducing a phosphate group into IDP, inosine (5'-)diphosphate, to produce ITP. [GOC:ai]" - }, - 'GO:0006193': { - 'name': 'ITP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of ITP, inosine (5'-)triphosphate. [ISBN:0198506732]" - }, - 'GO:0006194': { - 'name': 'dIDP phosphorylation', - 'def': 'The process of introducing a phosphate group into dIDP, deoxyinosine diphosphate, to produce dITP. [ISBN:0198506732]' - }, - 'GO:0006195': { - 'name': 'purine nucleotide catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a purine nucleotide, a compound consisting of nucleoside (a purine base linked to a deoxyribose or ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0006196': { - 'name': 'AMP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of AMP, adenosine monophosphate. [ISBN:0198506732]' - }, - 'GO:0006197': { - 'name': 'obsolete adenylate deaminase reaction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006198': { - 'name': 'cAMP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [ISBN:0198506732]" - }, - 'GO:0006199': { - 'name': 'obsolete ADP reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006200': { - 'name': 'obsolete ATP catabolic process', - 'def': "OBSOLETE. The chemical reactions and pathways resulting in the breakdown of ATP, adenosine 5'-triphosphate, a universally important coenzyme and enzyme regulator. [GOC:ai]" - }, - 'GO:0006201': { - 'name': 'GMP catabolic process to IMP', - 'def': 'The chemical reactions and pathways resulting in the breakdown of guanosine monophosphate into other compounds, including inosine monophosphate. [ISBN:0198506732]' - }, - 'GO:0006202': { - 'name': 'GMP catabolic process to guanine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of guanosine monophosphate into other compounds, including guanine. [ISBN:0198506732]' - }, - 'GO:0006203': { - 'name': 'dGTP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dGTP, guanosine triphosphate. [ISBN:0198506732]' - }, - 'GO:0006204': { - 'name': 'IMP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of IMP, inosine monophosphate. [ISBN:0198506732]' - }, - 'GO:0006205': { - 'name': 'obsolete pyrimidine metabolic process', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006206': { - 'name': 'pyrimidine nucleobase metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine nucleobases, 1,3-diazine, organic nitrogenous bases. [CHEBI:26432, GOC:go_curators]' - }, - 'GO:0006207': { - 'name': "'de novo' pyrimidine nucleobase biosynthetic process", - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine nucleobases, 1,3-diazine, organic nitrogenous bases, beginning with the synthesis of a pyrimidine ring from simpler precursors. [GOC:mah, ISBN:0716720094]' - }, - 'GO:0006208': { - 'name': 'pyrimidine nucleobase catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine nucleobases, 1,3-diazine, organic nitrogenous bases. [CHEBI:26432, GOC:go_curators]' - }, - 'GO:0006209': { - 'name': 'cytosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cytosine, 4-amino-2-hydroxypyrimidine, a pyrimidine derivative that is one of the five main bases found in nucleic acids; it occurs widely in cytidine derivatives. [GOC:go_curators]' - }, - 'GO:0006210': { - 'name': 'thymine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of thymine, 5-methyluracil, one of the two major pyrimidine bases present (as thymidine) in DNA but not found in RNA other than (as ribothymidine) in transfer RNA, where it is a minor base. [GOC:go_curators]' - }, - 'GO:0006211': { - 'name': '5-methylcytosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 5-methylcytosine, a methylated base of DNA. [GOC:go_curators]' - }, - 'GO:0006212': { - 'name': 'uracil catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of uracil, 2,4-dioxopyrimidine, one of the pyrimidine bases occurring in RNA, but not in DNA. [GOC:go_curators]' - }, - 'GO:0006213': { - 'name': 'pyrimidine nucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving any pyrimidine nucleoside, one of a family of organic molecules consisting of a pyrimidine base covalently bonded to ribose (a ribonucleoside) or deoxyribose (a deoxyribonucleoside). [GOC:jl, ISBN:0140512713]' - }, - 'GO:0006214': { - 'name': 'thymidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of thymidine, deoxyribosylthymine thymine 2-deoxyriboside, a deoxynucleoside very widely distributed but occurring almost entirely as phosphoric esters in deoxynucleotides and deoxyribonucleic acid, DNA. [GOC:go_curators]' - }, - 'GO:0006216': { - 'name': 'cytidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cytidine, cytosine riboside, a widely distributed nucleoside. [GOC:ai]' - }, - 'GO:0006217': { - 'name': 'deoxycytidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of deoxycytidine, 2-deoxyribosylcytosine, one of the four major nucleosides of DNA. [GOC:go_curators]' - }, - 'GO:0006218': { - 'name': 'uridine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of uridine, uracil riboside, a ribonucleoside very widely distributed but occurring almost entirely as phosphoric esters in ribonucleotides and ribonucleic acids. [GOC:go_curators]' - }, - 'GO:0006219': { - 'name': 'deoxyuridine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of deoxyuridine, 2-deoxyribosyluracil, one of the four major nucleosides of DNA. [GOC:go_curators]' - }, - 'GO:0006220': { - 'name': 'pyrimidine nucleotide metabolic process', - 'def': "The chemical reactions and pathways involving a pyrimidine nucleotide, a compound consisting of nucleoside (a pyrimidine base linked to a deoxyribose or ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0006221': { - 'name': 'pyrimidine nucleotide biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a pyrimidine nucleotide, a compound consisting of nucleoside (a pyrimidine base linked to a deoxyribose or ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0006222': { - 'name': 'UMP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UMP, uridine monophosphate. [ISBN:0198506732]' - }, - 'GO:0006223': { - 'name': 'uracil salvage', - 'def': 'Any process that generates uracil, 2,4-dioxopyrimidine, from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0006224': { - 'name': 'obsolete uridine kinase reaction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006225': { - 'name': 'UDP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of UDP, uridine (5'-)diphosphate. [ISBN:0198506732]" - }, - 'GO:0006226': { - 'name': 'dUMP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dUMP, deoxyuridine monophosphate (2'-deoxyuridine 5'-phosphate). [ISBN:0198506732]" - }, - 'GO:0006227': { - 'name': 'dUDP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dUDP, deoxyuridine diphosphate (2'-deoxy-5'-uridylyl phosphate). [ISBN:0198506732]" - }, - 'GO:0006228': { - 'name': 'UTP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of UTP, uridine (5'-)triphosphate. [ISBN:0198506732]" - }, - 'GO:0006229': { - 'name': 'dUTP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dUTP, deoxyuridine (5'-)triphosphate. [ISBN:0198506732]" - }, - 'GO:0006230': { - 'name': 'TMP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of TMP, ribosylthymine monophosphate. [ISBN:0198506732]' - }, - 'GO:0006231': { - 'name': 'dTMP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dTMP, deoxyribosylthymine monophosphate (2'-deoxyribosylthymine 5'-phosphate). [ISBN:0198506732]" - }, - 'GO:0006232': { - 'name': 'TDP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of TDP, ribosylthymine diphosphate. [ISBN:0198506732]' - }, - 'GO:0006233': { - 'name': 'dTDP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dTDP, deoxyribosylthymine diphosphate (2'-deoxyribosylthymine5'-diphosphate). [ISBN:0198506732]" - }, - 'GO:0006234': { - 'name': 'TTP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of TTP, ribosylthymine triphosphate. [ISBN:0198506732]' - }, - 'GO:0006235': { - 'name': 'dTTP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dTTP, deoxyribosylthymine triphosphate. [ISBN:0198506732]' - }, - 'GO:0006236': { - 'name': 'cytidine salvage', - 'def': 'Any process that generates cytidine, cytosine riboside, from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0006237': { - 'name': 'deoxycytidine salvage', - 'def': 'Any process that generates deoxycytidine, 2-deoxyribosylcytosine, from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0006238': { - 'name': 'CMP salvage', - 'def': 'Any process that generates CMP, cytidine monophosphate, from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0006239': { - 'name': 'dCMP salvage', - 'def': 'Any process that generates dCMP, deoxycytidine monophosphate from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0006240': { - 'name': 'dCDP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of dCDP, deoxycytidine 5'-diphosphate. [ISBN:0198506732]" - }, - 'GO:0006241': { - 'name': 'CTP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of CTP, cytidine 5'-triphosphate. [ISBN:0198506732]" - }, - 'GO:0006242': { - 'name': 'dCTP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dCTP, deoxycytidine triphosphate. [ISBN:0198506732]' - }, - 'GO:0006244': { - 'name': 'pyrimidine nucleotide catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a pyrimidine nucleotide, a compound consisting of nucleoside (a pyrimidine base linked to a deoxyribose or ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0006245': { - 'name': 'TDP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of TDP, ribosylthymine diphosphate. [ISBN:0198506732]' - }, - 'GO:0006246': { - 'name': 'dTDP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dTDP, deoxyribosylthymine diphosphate. [ISBN:0198506732]' - }, - 'GO:0006247': { - 'name': 'obsolete TTP reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006248': { - 'name': 'CMP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of CMP, cytidine monophosphate. [ISBN:0198506732]' - }, - 'GO:0006249': { - 'name': 'dCMP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dCMP, deoxycytidine monophosphate. [ISBN:0198506732]' - }, - 'GO:0006250': { - 'name': 'obsolete CDP reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006251': { - 'name': 'dCDP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dCDP, deoxycytidine 5'-diphosphate. [ISBN:0198506732]" - }, - 'GO:0006252': { - 'name': 'obsolete CTP reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006253': { - 'name': 'dCTP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dCTP, deoxycytidine triphosphate. [ISBN:0198506732]' - }, - 'GO:0006254': { - 'name': 'CTP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of CTP, cytidine 5'-triphosphate. [ISBN:0198506732]" - }, - 'GO:0006255': { - 'name': 'obsolete UDP reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006256': { - 'name': 'UDP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of UDP, uridine (5'-)diphosphate. [ISBN:0198506732]" - }, - 'GO:0006257': { - 'name': 'dUDP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dUDP, deoxyuridine (5'-)diphosphate. [ISBN:0198506732]" - }, - 'GO:0006258': { - 'name': 'UDP-glucose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of UDP-glucose, uridinediphosphoglucose, a substance composed of glucose in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0006259': { - 'name': 'DNA metabolic process', - 'def': 'Any cellular metabolic process involving deoxyribonucleic acid. This is one of the two main types of nucleic acid, consisting of a long, unbranched macromolecule formed from one, or more commonly, two, strands of linked deoxyribonucleotides. [ISBN:0198506732]' - }, - 'GO:0006260': { - 'name': 'DNA replication', - 'def': 'The cellular metabolic process in which a cell duplicates one or more molecules of DNA. DNA replication begins when specific sequences, known as origins of replication, are recognized and bound by initiation proteins, and ends when the original DNA molecule has been completely duplicated and the copies topologically separated. The unit of replication usually corresponds to the genome of the cell, an organelle, or a virus. The template for replication can either be an existing DNA molecule or RNA. [GOC:mah]' - }, - 'GO:0006261': { - 'name': 'DNA-dependent DNA replication', - 'def': 'A DNA replication process that uses parental DNA as a template for the DNA-dependent DNA polymerases that synthesize the new strands. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0006264': { - 'name': 'mitochondrial DNA replication', - 'def': 'The process in which new strands of DNA are synthesized in the mitochondrion. [GOC:ai]' - }, - 'GO:0006265': { - 'name': 'DNA topological change', - 'def': 'The process in which a transformation is induced in the topological structure of a double-stranded DNA helix, resulting in a change in linking number. [ISBN:071673706X, ISBN:0935702490]' - }, - 'GO:0006266': { - 'name': 'DNA ligation', - 'def': 'The re-formation of a broken phosphodiester bond in the DNA backbone, carried out by DNA ligase. [ISBN:0815316194]' - }, - 'GO:0006267': { - 'name': 'pre-replicative complex assembly involved in nuclear cell cycle DNA replication', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the nuclear pre-replicative complex, a protein-DNA complex that forms at the eukaryotic DNA replication origin and is required for replication initiation. [GOC:mtg_cell_cycle]' - }, - 'GO:0006268': { - 'name': 'DNA unwinding involved in DNA replication', - 'def': "The process in which interchain hydrogen bonds between two strands of DNA are broken or 'melted', generating unpaired template strands for DNA replication. [ISBN:071673706X, ISBN:0815316194]" - }, - 'GO:0006269': { - 'name': 'DNA replication, synthesis of RNA primer', - 'def': 'The synthesis of a short RNA polymer, usually 4-15 nucleotides long, using one strand of unwound DNA as a template; the RNA then serves as a primer from which DNA polymerases extend synthesis. [PMID:11395402]' - }, - 'GO:0006270': { - 'name': 'DNA replication initiation', - 'def': 'The process in which DNA-dependent DNA replication is started; this involves the separation of a stretch of the DNA double helix, the recruitment of DNA polymerases and the initiation of polymerase action. [ISBN:071673706X, ISBN:0815316194]' - }, - 'GO:0006271': { - 'name': 'DNA strand elongation involved in DNA replication', - 'def': "The process in which a DNA strand is synthesized from template DNA during replication by the action of polymerases, which add nucleotides to the 3' end of the nascent DNA strand. [ISBN:071673706X, ISBN:0815316194]" - }, - 'GO:0006272': { - 'name': 'leading strand elongation', - 'def': "The synthesis of DNA from a template strand in the 5' to 3' direction; leading strand elongation is continuous as it proceeds in the same direction as the replication fork. [ISBN:071673706X, ISBN:0815316194]" - }, - 'GO:0006273': { - 'name': 'lagging strand elongation', - 'def': "The synthesis of DNA from a template strand in a net 3' to 5' direction. Lagging strand DNA elongation proceeds by discontinuous synthesis of short stretches of DNA, known as Okazaki fragments, from RNA primers; these fragments are then joined by DNA ligase. Although each segment of nascent DNA is synthesized in the 5' to 3' direction, the overall direction of lagging strand synthesis is 3' to 5', mirroring the progress of the replication fork. [ISBN:071673706X, ISBN:0815316194]" - }, - 'GO:0006274': { - 'name': 'DNA replication termination', - 'def': 'The process in which DNA replication at a replication fork ceases; occurs when the replication fork reaches a specific termination site or when two replication forks meet. [GOC:mah, PMID:10209736, PMID:12009298]' - }, - 'GO:0006275': { - 'name': 'regulation of DNA replication', - 'def': 'Any process that modulates the frequency, rate or extent of DNA replication. [GOC:go_curators]' - }, - 'GO:0006276': { - 'name': 'plasmid maintenance', - 'def': 'The maintenance of the integrity of extrachromosomal plasmid DNA; includes processes that ensure plasmids are retained in the daughter cells after cell division. [GOC:ai]' - }, - 'GO:0006277': { - 'name': 'DNA amplification', - 'def': 'The process in which the number of copies of a gene is increased in certain cells as extra copies of DNA are made in response to certain signals of cell development or of stress from the environment. [ISBN:0721601464]' - }, - 'GO:0006278': { - 'name': 'RNA-dependent DNA biosynthetic process', - 'def': 'A DNA biosynthetic process that uses RNA as a template for RNA-dependent DNA polymerases (e.g. reverse transcriptase) that synthesize the new strand. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0006279': { - 'name': 'premeiotic DNA replication', - 'def': 'The replication of DNA that precedes meiotic cell division. [GO_REF:0000060, GOC:ai, GOC:TermGenie]' - }, - 'GO:0006280': { - 'name': 'obsolete mutagenesis', - 'def': 'OBSOLETE. The process by which genetic material undergoes a detectable and heritable structural change. There are three categories of mutation: genome mutations, involving addition or subtraction of one or more whole chromosomes; chromosome mutations, which alter the structure of chromosomes; and gene mutations, where the structure of a gene is altered at the molecular level. [ISBN:0198506732]' - }, - 'GO:0006281': { - 'name': 'DNA repair', - 'def': 'The process of restoring DNA after damage. Genomes are subject to damage by chemical and physical agents in the environment (e.g. UV and ionizing radiations, chemical mutagens, fungal and bacterial toxins, etc.) and by free radicals or alkylating agents endogenously generated in metabolism. DNA is also damaged because of errors during its replication. A variety of different DNA repair pathways have been reported that include direct reversal, base excision repair, nucleotide excision repair, photoreactivation, bypass, double-strand break repair pathway, and mismatch repair pathway. [PMID:11563486]' - }, - 'GO:0006282': { - 'name': 'regulation of DNA repair', - 'def': 'Any process that modulates the frequency, rate or extent of DNA repair. [GOC:go_curators]' - }, - 'GO:0006283': { - 'name': 'transcription-coupled nucleotide-excision repair', - 'def': 'The nucleotide-excision repair process that carries out preferential repair of DNA lesions on the actively transcribed strand of the DNA duplex. In addition, the transcription-coupled nucleotide-excision repair pathway is required for the recognition and repair of a small subset of lesions that are not recognized by the global genome nucleotide excision repair pathway. [PMID:10197977, PMID:11900249]' - }, - 'GO:0006284': { - 'name': 'base-excision repair', - 'def': 'In base excision repair, an altered base is removed by a DNA glycosylase enzyme, followed by excision of the resulting sugar phosphate. The small gap left in the DNA helix is filled in by the sequential action of DNA polymerase and DNA ligase. [ISBN:0815316194]' - }, - 'GO:0006285': { - 'name': 'base-excision repair, AP site formation', - 'def': "The formation of an AP site, a deoxyribose sugar with a missing base, by DNA glycosylase which recognizes an altered base in DNA and catalyzes its hydrolytic removal. This sugar phosphate is the substrate recognized by the AP endonuclease, which cuts the DNA phosphodiester backbone at the 5' side of the altered site to leave a gap which is subsequently repaired. [ISBN:0815316194]" - }, - 'GO:0006286': { - 'name': 'base-excision repair, base-free sugar-phosphate removal', - 'def': 'Excision of the sugar phosphate residue at an AP site, i.e. a deoxyribose sugar with a missing base, by a phosphodiesterase enzyme. [ISBN:0815316194]' - }, - 'GO:0006287': { - 'name': 'base-excision repair, gap-filling', - 'def': "Repair of the damaged strand by the combined action of an apurinic endouclease that degrades a few bases on the damaged strand and a polymerase that synthesizes a 'patch' in the 5' to 3' direction, using the undamaged strand as a template. [ISBN:1550091131]" - }, - 'GO:0006288': { - 'name': 'base-excision repair, DNA ligation', - 'def': 'The ligation by DNA ligase of DNA strands. Ligation occurs after polymerase action to fill the gap left by the action of endonucleases during base-excision repair. [ISBN:1550091131]' - }, - 'GO:0006289': { - 'name': 'nucleotide-excision repair', - 'def': 'A DNA repair process in which a small region of the strand surrounding the damage is removed from the DNA helix as an oligonucleotide. The small gap left in the DNA helix is filled in by the sequential action of DNA polymerase and DNA ligase. Nucleotide excision repair recognizes a wide range of substrates, including damage caused by UV irradiation (pyrimidine dimers and 6-4 photoproducts) and chemicals (intrastrand cross-links and bulky adducts). [PMID:10197977]' - }, - 'GO:0006290': { - 'name': 'pyrimidine dimer repair', - 'def': 'The repair of UV-induced T-T, C-T and C-C dimers. [ISBN:0815316194]' - }, - 'GO:0006291': { - 'name': 'obsolete pyrimidine-dimer repair, DNA damage excision', - 'def': 'OBSOLETE. The excision of damaged DNA during pyrimidine-dimer repair. A large multienzyme complex scans the DNA for a distortion in the double helix rather than for a specific base change. Once a bulky lesion is found, the phosphodiester backbone of the abnormal strand is cleaved on both sides of the distortion, and the portion of the strand containing the lesion (an oligonucleotide) is peeled away from the DNA double helix by a DNA helicase enzyme. [ISBN:0815316194]' - }, - 'GO:0006292': { - 'name': 'obsolete pyrimidine-dimer repair, DNA damage recognition', - 'def': 'OBSOLETE. The location of pyrimidine dimers by a large multienzyme complex that scans the DNA for distortions in the double helix caused by pyrimidine dimers. [ISBN:0815316194]' - }, - 'GO:0006293': { - 'name': 'nucleotide-excision repair, preincision complex stabilization', - 'def': "The stabilization of the multiprotein complex involved in damage recognition, DNA helix unwinding, and endonucleolytic cleavage at the site of DNA damage as well as the unwound DNA. The stabilization of the protein-DNA complex ensures proper positioning of the preincision complex before the phosphodiester backbone of the damaged strand is cleaved 3' and 5' of the site of DNA damage. [GOC:elh, PMID:10197977]" - }, - 'GO:0006294': { - 'name': 'nucleotide-excision repair, preincision complex assembly', - 'def': "The aggregation, arrangement and bonding together of proteins on DNA to form the multiprotein complex involved in damage recognition, DNA helix unwinding, and endonucleolytic cleavage at the site of DNA damage. This assembly occurs before the phosphodiester backbone of the damaged strand is cleaved 3' and 5' of the site of DNA damage. [GOC:elh, PMID:10197977]" - }, - 'GO:0006295': { - 'name': "nucleotide-excision repair, DNA incision, 3'-to lesion", - 'def': "The endonucleolytic cleavage of the damaged strand of DNA 3' to the site of damage. The incision occurs at the junction of single-stranded DNA and double-stranded DNA that is formed when the DNA duplex is unwound. The incision precedes the incision formed 5' to the site of damage. [GOC:elh, PMID:10197977]" - }, - 'GO:0006296': { - 'name': "nucleotide-excision repair, DNA incision, 5'-to lesion", - 'def': "The endonucleolytic cleavage of the damaged strand of DNA 5' to the site of damage. The incision occurs at the junction of single-stranded DNA and double-stranded DNA that is formed when the DNA duplex is unwound. The incision follows the incision formed 3' to the site of damage. [GOC:elh, PMID:10197977]" - }, - 'GO:0006297': { - 'name': 'nucleotide-excision repair, DNA gap filling', - 'def': 'Repair of the gap in the DNA helix by DNA polymerase and DNA ligase after the portion of the strand containing the lesion has been removed by pyrimidine-dimer repair enzymes. [ISBN:0815316194]' - }, - 'GO:0006298': { - 'name': 'mismatch repair', - 'def': 'A system for the correction of errors in which an incorrect base, which cannot form hydrogen bonds with the corresponding base in the parent strand, is incorporated into the daughter strand. The mismatch repair system promotes genomic fidelity by repairing base-base mismatches, insertion-deletion loops and heterologies generated during DNA replication and recombination. [ISBN:0198506732, PMID:11687886]' - }, - 'GO:0006299': { - 'name': 'obsolete short patch mismatch repair system', - 'def': "OBSOLETE. The repair of mismatched DNA where the gap to be repaired is only one nucleotide. DNA polymerase is the preferred polymerase in short patch repair, performing gap filling DNA synthesis and removal of the 5'-deoxyribose phosphate of the abasic site. [PMID:10660619, PMID:10878254]" - }, - 'GO:0006301': { - 'name': 'postreplication repair', - 'def': 'The conversion of DNA-damage induced single-stranded gaps into large molecular weight DNA after replication. Includes pathways that remove replication-blocking lesions in conjunction with DNA replication. [GOC:elh]' - }, - 'GO:0006302': { - 'name': 'double-strand break repair', - 'def': 'The repair of double-strand breaks in DNA via homologous and nonhomologous mechanisms to reform a continuous DNA helix. [GOC:elh]' - }, - 'GO:0006303': { - 'name': 'double-strand break repair via nonhomologous end joining', - 'def': 'The repair of a double-strand break in DNA in which the two broken ends are rejoined with little or no sequence complementarity. Information at the DNA ends may be lost due to the modification of broken DNA ends. This term covers instances of separate pathways, called classical (or canonical) and alternative nonhomologous end joining (C-NHEJ and A-NHEJ). These in turn may further branch into sub-pathways, but evidence is still unclear. [GOC:rph, PMID:10827453, PMID:24837021]' - }, - 'GO:0006304': { - 'name': 'DNA modification', - 'def': 'The covalent alteration of one or more nucleotide sites in DNA, resulting in a change in its properties. [GOC:jl, GOC:ma]' - }, - 'GO:0006305': { - 'name': 'DNA alkylation', - 'def': 'The addition of alkyl groups to many positions on all four bases of DNA. Alkylating agents can also modify the bases of incoming nucleotides in the course of DNA synthesis. [ISBN:0716735970]' - }, - 'GO:0006306': { - 'name': 'DNA methylation', - 'def': 'The covalent transfer of a methyl group to either N-6 of adenine or C-5 or N-4 of cytosine. [GOC:ems, ISBN:0198506732]' - }, - 'GO:0006307': { - 'name': 'DNA dealkylation involved in DNA repair', - 'def': 'The repair of alkylation damage, e.g. the removal of the alkyl group at the O6-position of guanine by O6-alkylguanine-DNA alkyltransferase (AGT). [PMID:10946226]' - }, - 'GO:0006308': { - 'name': 'DNA catabolic process', - 'def': "The cellular DNA metabolic process resulting in the breakdown of DNA, deoxyribonucleic acid, one of the two main types of nucleic acid, consisting of a long unbranched macromolecule formed from one or two strands of linked deoxyribonucleotides, the 3'-phosphate group of each constituent deoxyribonucleotide being joined in 3',5'-phosphodiester linkage to the 5'-hydroxyl group of the deoxyribose moiety of the next one. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0006309': { - 'name': 'apoptotic DNA fragmentation', - 'def': 'The cleavage of DNA during apoptosis, which usually occurs in two stages: cleavage into fragments of about 50 kbp followed by cleavage between nucleosomes to yield 200 bp fragments. [GOC:dph, GOC:mah, GOC:mtg_apoptosis, GOC:tb, ISBN:0721639976, PMID:15723341, PMID:23379520]' - }, - 'GO:0006310': { - 'name': 'DNA recombination', - 'def': 'Any process in which a new genotype is formed by reassortment of genes resulting in gene combinations different from those that were present in the parents. In eukaryotes genetic recombination can occur by chromosome assortment, intrachromosomal recombination, or nonreciprocal interchromosomal recombination. Intrachromosomal recombination occurs by crossing over. In bacteria it may occur by genetic transformation, conjugation, transduction, or F-duction. [ISBN:0198506732]' - }, - 'GO:0006311': { - 'name': 'meiotic gene conversion', - 'def': 'The cell cycle process in which genetic information is transferred from one helix to another. It often occurs in association with general genetic recombination events, and is believed to be a straightforward consequence of the mechanisms of general recombination and DNA repair. For example, meiosis might yield three copies of the maternal version of an allele and only one copy of the paternal allele, indicating that one of the two copies of the paternal allele has been changed to a copy of the maternal allele. [ISBN:0815316194]' - }, - 'GO:0006312': { - 'name': 'mitotic recombination', - 'def': 'The exchange, reciprocal or nonreciprocal, of genetic material between one DNA molecule and a homologous region of DNA that occurs during mitotic cell cycles. [GOC:elh]' - }, - 'GO:0006313': { - 'name': 'transposition, DNA-mediated', - 'def': 'Any process involved in a type of transpositional recombination which occurs via a DNA intermediate. [GOC:jp, ISBN:0198506732, ISBN:1555812090]' - }, - 'GO:0006314': { - 'name': 'intron homing', - 'def': 'Lateral transfer of an intron to a homologous allele that lacks the intron, mediated by a site-specific endonuclease encoded within the mobile intron. [PMID:10487208]' - }, - 'GO:0006315': { - 'name': 'homing of group II introns', - 'def': 'Lateral transfer of a group II intron to a homologous allele that lacks the intron, mediated by a site-specific endonuclease encoded within the mobile intron; group II introns are self-splicing introns with a conserved secondary structure. [GOC:mcc, ISBN:0716743663, PMID:10487208]' - }, - 'GO:0006316': { - 'name': 'movement of group I intron', - 'def': 'Lateral transfer of a group I intron to a homologous allele that lacks the intron, mediated by a site-specific endonuclease encoded within the mobile intron; group I introns are self-splicing introns that use guanosine as a cofactor in the splicing reaction. [GOC:mcc, ISBN:0716743663, PMID:10487208]' - }, - 'GO:0006323': { - 'name': 'DNA packaging', - 'def': 'Any process in which DNA and associated proteins are formed into a compact, orderly structure. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0006324': { - 'name': 'obsolete S phase-specific histone modification', - 'def': 'OBSOLETE. The covalent alteration of one or more amino acid residues within a histone protein that takes place during, and results in a modification pattern characteristic of, S phase of the cell cycle. [GOC:mah, PMID:9990026]' - }, - 'GO:0006325': { - 'name': 'chromatin organization', - 'def': 'Any process that results in the specification, formation or maintenance of the physical structure of eukaryotic chromatin. [GOC:mah, GOC:vw, PMID:20404130]' - }, - 'GO:0006326': { - 'name': 'obsolete bent DNA binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006327': { - 'name': 'obsolete random coil binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006328': { - 'name': 'obsolete AT binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006329': { - 'name': 'obsolete satellite DNA binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006330': { - 'name': 'obsolete single-stranded DNA binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006333': { - 'name': 'chromatin assembly or disassembly', - 'def': 'The formation or destruction of chromatin structures. [GOC:mah]' - }, - 'GO:0006334': { - 'name': 'nucleosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a nucleosome, the beadlike structural units of eukaryotic chromatin composed of histones and DNA. [GOC:mah]' - }, - 'GO:0006335': { - 'name': 'DNA replication-dependent nucleosome assembly', - 'def': 'The formation of nucleosomes on newly replicated DNA, coupled to strand elongation. [GOC:mah]' - }, - 'GO:0006336': { - 'name': 'DNA replication-independent nucleosome assembly', - 'def': 'The formation of nucleosomes outside the context of DNA replication. [GOC:mah]' - }, - 'GO:0006337': { - 'name': 'nucleosome disassembly', - 'def': 'The controlled breakdown of nucleosomes, the beadlike structural units of eukaryotic chromatin composed of histones and DNA. [GOC:mah]' - }, - 'GO:0006338': { - 'name': 'chromatin remodeling', - 'def': 'Dynamic structural changes to eukaryotic chromatin occurring throughout the cell division cycle. These changes range from the local changes necessary for transcriptional regulation to global changes necessary for chromosome segregation. [GOC:jid, GOC:vw, PMID:12697820]' - }, - 'GO:0006339': { - 'name': 'obsolete positive regulation of transcription of homeotic gene (trithorax group)', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of transcription of homeotic genes of the trithorax group. [GOC:go_curators]' - }, - 'GO:0006340': { - 'name': 'obsolete negative regulation of transcription of homeotic gene (Polycomb group)', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of transcription of homeotic genes of the Polycomb group. [GOC:go_curators]' - }, - 'GO:0006341': { - 'name': 'obsolete chromatin insulator sequence binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0006342': { - 'name': 'chromatin silencing', - 'def': 'Repression of transcription by altering the structure of chromatin, e.g. by conversion of large regions of DNA into an inaccessible state often called heterochromatin. [GOC:mah, PMID:10219245]' - }, - 'GO:0006343': { - 'name': 'establishment of chromatin silencing', - 'def': 'The initial formation of a transcriptionally silent chromatin structure such as heterochromatin. [GOC:mah]' - }, - 'GO:0006344': { - 'name': 'maintenance of chromatin silencing', - 'def': 'The maintenance of chromatin in a transcriptionally silent state such as heterochromatin. [GOC:mah]' - }, - 'GO:0006346': { - 'name': 'methylation-dependent chromatin silencing', - 'def': 'Repression of transcription by methylation of DNA, leading to the formation of heterochromatin. [GOC:mah]' - }, - 'GO:0006348': { - 'name': 'chromatin silencing at telomere', - 'def': 'Repression of transcription of telomeric DNA by altering the structure of chromatin. [PMID:10219245]' - }, - 'GO:0006349': { - 'name': 'regulation of gene expression by genetic imprinting', - 'def': 'Heritable alterations in the activity of a gene that depend on whether it passed through the paternal or the maternal germline, but that are not encoded by DNA itself. [GOC:ems, ISBN:0198506732, PMID:11498578]' - }, - 'GO:0006351': { - 'name': 'transcription, DNA-templated', - 'def': 'The cellular synthesis of RNA on a template of DNA. [GOC:jl, GOC:txnOH]' - }, - 'GO:0006352': { - 'name': 'DNA-templated transcription, initiation', - 'def': 'Any process involved in the assembly of the RNA polymerase preinitiation complex (PIC) at the core promoter region of a DNA template, resulting in the subsequent synthesis of RNA from that promoter. The initiation phase includes PIC assembly and the formation of the first few bonds in the RNA chain, including abortive initiation, which occurs when the first few nucleotides are repeatedly synthesized and then released. The initiation phase ends just before and does not include promoter clearance, or release, which is the transition between the initiation and elongation phases of transcription. [GOC:jid, GOC:txnOH, PMID:18280161]' - }, - 'GO:0006353': { - 'name': 'DNA-templated transcription, termination', - 'def': 'The cellular process that completes DNA-templated transcription; the formation of phosphodiester bonds ceases, the RNA-DNA hybrid dissociates, and RNA polymerase releases the DNA. [GOC:txnOH, ISBN:0716720094, PMID:15020047, PMID:18280161]' - }, - 'GO:0006354': { - 'name': 'DNA-templated transcription, elongation', - 'def': 'The extension of an RNA molecule after transcription initiation and promoter clearance at a DNA-dependent RNA polymerase promoter by the addition of ribonucleotides catalyzed by an RNA polymerase. [GOC:mah, GOC:txnOH, PMID:15020047, PMID:18280161]' - }, - 'GO:0006355': { - 'name': 'regulation of transcription, DNA-templated', - 'def': 'Any process that modulates the frequency, rate or extent of cellular DNA-templated transcription. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0006356': { - 'name': 'regulation of transcription from RNA polymerase I promoter', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase I promoter. [GOC:go_curators]' - }, - 'GO:0006357': { - 'name': 'regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0006359': { - 'name': 'regulation of transcription from RNA polymerase III promoter', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA ploymerase III promoter. [GOC:go_curators]' - }, - 'GO:0006360': { - 'name': 'transcription from RNA polymerase I promoter', - 'def': 'The synthesis of RNA from a DNA template by RNA polymerase I (RNAP I), originating at an RNAP I promoter. [GOC:jl, GOC:txnOH]' - }, - 'GO:0006361': { - 'name': 'transcription initiation from RNA polymerase I promoter', - 'def': 'Any process involved in the assembly of the RNA polymerase I preinitiation complex (PIC) at an RNA polymerase I promoter region of a DNA template, resulting in the subsequent synthesis of RNA from that promoter. The initiation phase includes PIC assembly and the formation of the first few bonds in the RNA chain, including abortive initiation, which occurs when the first few nucleotides are repeatedly synthesized and then released. Promoter clearance, or release, is the transition between the initiation and elongation phases of transcription. [GOC:mah, GOC:txnOH]' - }, - 'GO:0006362': { - 'name': 'transcription elongation from RNA polymerase I promoter', - 'def': 'The extension of an RNA molecule after transcription initiation and promoter clearance at an RNA polymerase I specific promoter by the addition of ribonucleotides catalyzed by RNA polymerase I. [GOC:mah, GOC:txnOH]' - }, - 'GO:0006363': { - 'name': 'termination of RNA polymerase I transcription', - 'def': 'The process in which the synthesis of an RNA molecule by RNA polymerase I using a DNA template is completed. RNAP I termination requires binding of a terminator protein so specific sequences downstream of the transcription unit. [GOC:mah, GOC:txnOH, PMID:10684922]' - }, - 'GO:0006364': { - 'name': 'rRNA processing', - 'def': 'Any process involved in the conversion of a primary ribosomal RNA (rRNA) transcript into one or more mature rRNA molecules. [GOC:curators]' - }, - 'GO:0006366': { - 'name': 'transcription from RNA polymerase II promoter', - 'def': 'The synthesis of RNA from a DNA template by RNA polymerase II, originating at an RNA polymerase II promoter. Includes transcription of messenger RNA (mRNA) and certain small nuclear RNAs (snRNAs). [GOC:jl, GOC:txnOH, ISBN:0321000382]' - }, - 'GO:0006367': { - 'name': 'transcription initiation from RNA polymerase II promoter', - 'def': 'Any process involved in the assembly of the RNA polymerase II preinitiation complex (PIC) at an RNA polymerase II promoter region of a DNA template, resulting in the subsequent synthesis of RNA from that promoter. The initiation phase includes PIC assembly and the formation of the first few bonds in the RNA chain, including abortive initiation, which occurs when the first few nucleotides are repeatedly synthesized and then released. Promoter clearance, or release, is the transition between the initiation and elongation phases of transcription. [GOC:mah, GOC:txnOH]' - }, - 'GO:0006368': { - 'name': 'transcription elongation from RNA polymerase II promoter', - 'def': 'The extension of an RNA molecule after transcription initiation and promoter clearance at an RNA polymerase II promoter by the addition of ribonucleotides catalyzed by RNA polymerase II. [GOC:mah, GOC:txnOH]' - }, - 'GO:0006369': { - 'name': 'termination of RNA polymerase II transcription', - 'def': 'The process in which the synthesis of an RNA molecule by RNA polymerase II using a DNA template is completed. [GOC:mah, GOC:txnOH]' - }, - 'GO:0006370': { - 'name': '7-methylguanosine mRNA capping', - 'def': "Addition of the 7-methylguanosine cap to the 5' end of a nascent messenger RNA transcript. [GOC:mah, PMID:9266685]" - }, - 'GO:0006371': { - 'name': 'obsolete mRNA splicing', - 'def': 'OBSOLETE. The process in which excision of introns from the primary transcript of messenger RNA (mRNA) is followed by ligation of the two exon termini exposed by removal of each intron, so that mRNA consisting only of the joined exons is produced. [GOC:krc, ISBN:0198506732]' - }, - 'GO:0006372': { - 'name': "obsolete lariat formation, 5'-splice site cleavage", - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:krc]' - }, - 'GO:0006373': { - 'name': "obsolete 3'-splice site cleavage, exon ligation", - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:krc]' - }, - 'GO:0006376': { - 'name': 'mRNA splice site selection', - 'def': 'Selection of a splice site by components of the assembling spliceosome. [GOC:krc, ISBN:0879695897]' - }, - 'GO:0006377': { - 'name': 'obsolete MATa1 (A1) pre-mRNA splicing', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:krc]' - }, - 'GO:0006378': { - 'name': 'mRNA polyadenylation', - 'def': "The enzymatic addition of a sequence of 40-200 adenylyl residues at the 3' end of a eukaryotic mRNA primary transcript. [ISBN:0198506732]" - }, - 'GO:0006379': { - 'name': 'mRNA cleavage', - 'def': 'Any process in which a pre-mRNA or mRNA molecule is cleaved at specific sites or in a regulated manner. [GOC:mah]' - }, - 'GO:0006380': { - 'name': 'obsolete poly-A binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006382': { - 'name': 'adenosine to inosine editing', - 'def': 'The conversion of an adenosine residue to inosine in an RNA molecule by deamination. [PMID:11092837]' - }, - 'GO:0006383': { - 'name': 'transcription from RNA polymerase III promoter', - 'def': 'The synthesis of RNA from a DNA template by RNA polymerase III, originating at an RNAP III promoter. [GOC:jl, GOC:txnOH]' - }, - 'GO:0006384': { - 'name': 'transcription initiation from RNA polymerase III promoter', - 'def': 'Any process involved in the assembly of the RNA polymerase III preinitiation complex (PIC) at an RNA polymerase III promoter region of a DNA template, resulting in the subsequent synthesis of RNA from that promoter. The initiation phase includes PIC assembly and the formation of the first few bonds in the RNA chain, including abortive initiation, which occurs when the first few nucleotides are repeatedly synthesized and then released. Promoter clearance, or release, is the transition between the initiation and elongation phases of transcription. [GOC:mah, GOC:txnOH]' - }, - 'GO:0006385': { - 'name': 'transcription elongation from RNA polymerase III promoter', - 'def': 'The extension of an RNA molecule after transcription initiation and promoter clearance at an RNA polymerase III promoter by the addition of ribonucleotides catalyzed by RNA polymerase III. [GOC:mah, GOC:txnOH]' - }, - 'GO:0006386': { - 'name': 'termination of RNA polymerase III transcription', - 'def': 'The process in which transcription by RNA polymerase III is terminated; Pol III has an intrinsic ability to terminate transcription upon incorporation of 4 to 6 contiguous U residues. [GOC:mah, PMID:12944462]' - }, - 'GO:0006387': { - 'name': 'obsolete snRNA capping', - 'def': "OBSOLETE. The sequence of enzymatic reactions resulting in the addition of a cap to the 5' end of a nascent snRNA transcript. [GOC:mah]" - }, - 'GO:0006388': { - 'name': 'tRNA splicing, via endonucleolytic cleavage and ligation', - 'def': "Splicing of tRNA substrates via recognition of the folded RNA structure that brings the 5' and 3' splice sites into proximity and cleavage of the RNA at both the 3' and 5' splice sites by an endonucleolytic mechanism, followed by ligation of the exons. [GOC:krc, ISBN:0879695897, PMID:9582290]" - }, - 'GO:0006389': { - 'name': 'obsolete tRNA-Y splicing', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:krc]' - }, - 'GO:0006390': { - 'name': 'transcription from mitochondrial promoter', - 'def': 'The synthesis of RNA from a mitochondrial DNA template, usually by a specific mitochondrial RNA polymerase. [GOC:jl]' - }, - 'GO:0006391': { - 'name': 'transcription initiation from mitochondrial promoter', - 'def': 'A transcription initiation process that takes place at a promoter on the mitochondrial chromosome, and results in RNA synthesis by a mitochondrial RNA polymerase. [GOC:mah]' - }, - 'GO:0006392': { - 'name': 'transcription elongation from mitochondrial promoter', - 'def': 'The extension of an RNA molecule after transcription initiation and promoter clearance at mitochondrial promoter by the addition of ribonucleotides catalyzed by a mitchondrial RNA polymerase. [GOC:mah, GOC:txnOH]' - }, - 'GO:0006393': { - 'name': 'termination of mitochondrial transcription', - 'def': 'The process in which the synthesis of an RNA molecule using a mitochondrial DNA template is completed. [GOC:mah]' - }, - 'GO:0006396': { - 'name': 'RNA processing', - 'def': 'Any process involved in the conversion of one or more primary RNA transcripts into one or more mature RNA molecules. [GOC:mah]' - }, - 'GO:0006397': { - 'name': 'mRNA processing', - 'def': 'Any process involved in the conversion of a primary mRNA transcript into one or more mature mRNA(s) prior to translation into polypeptide. [GOC:mah]' - }, - 'GO:0006398': { - 'name': "mRNA 3'-end processing by stem-loop binding and cleavage", - 'def': "Any mRNA 3'-end processing that involves the binding to and cleavage of a stem-loop structure. For example, histone mRNAs contain a highly conserved stem-loop sequence at the 3' end of the mRNA with a 6 base pairs (bp) stem and a 4-nt loop. The mRNA is cleaved between these two elements, after the fourth or fifth nucleotide, which is typically an adenosine. [GOC:mah, GOC:tb, PMID:17998288]" - }, - 'GO:0006399': { - 'name': 'tRNA metabolic process', - 'def': 'The chemical reactions and pathways involving tRNA, transfer RNA, a class of relatively small RNA molecules responsible for mediating the insertion of amino acids into the sequence of nascent polypeptide chains during protein synthesis. Transfer RNA is characterized by the presence of many unusual minor bases, the function of which has not been completely established. [ISBN:0198506732]' - }, - 'GO:0006400': { - 'name': 'tRNA modification', - 'def': 'The covalent alteration of one or more nucleotides within a tRNA molecule to produce a tRNA molecule with a sequence that differs from that coded genetically. [GOC:curators]' - }, - 'GO:0006401': { - 'name': 'RNA catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of RNA, ribonucleic acid, one of the two main type of nucleic acid, consisting of a long, unbranched macromolecule formed from ribonucleotides joined in 3',5'-phosphodiester linkage. [ISBN:0198506732]" - }, - 'GO:0006402': { - 'name': 'mRNA catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of mRNA, messenger RNA, which is responsible for carrying the coded genetic 'message', transcribed from DNA, to sites of protein assembly at the ribosomes. [ISBN:0198506732]" - }, - 'GO:0006403': { - 'name': 'RNA localization', - 'def': 'A process in which RNA is transported to, or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0006404': { - 'name': 'RNA import into nucleus', - 'def': 'The import of RNA from the cytoplasm to the nucleus. [GOC:ma]' - }, - 'GO:0006405': { - 'name': 'RNA export from nucleus', - 'def': 'The directed movement of RNA from the nucleus to the cytoplasm. [GOC:ma]' - }, - 'GO:0006406': { - 'name': 'mRNA export from nucleus', - 'def': 'The directed movement of mRNA from the nucleus to the cytoplasm. [GOC:ma]' - }, - 'GO:0006407': { - 'name': 'rRNA export from nucleus', - 'def': 'The directed movement of rRNA from the nucleus to the cytoplasm; the rRNA is usually in the form of ribonucleoproteins. [GOC:ma, GOC:mah]' - }, - 'GO:0006408': { - 'name': 'snRNA export from nucleus', - 'def': 'The directed movement of snRNA from the nucleus to the cytoplasm. [GOC:ma]' - }, - 'GO:0006409': { - 'name': 'tRNA export from nucleus', - 'def': 'The directed movement of tRNA from the nucleus to the cytoplasm. [GOC:ma]' - }, - 'GO:0006410': { - 'name': 'obsolete transcription, RNA-dependent', - 'def': 'OBSOLETE: The cellular synthesis of DNA on a template of RNA. [GOC:jl]' - }, - 'GO:0006412': { - 'name': 'translation', - 'def': 'The cellular metabolic process in which a protein is formed, using the sequence of a mature mRNA molecule to specify the sequence of amino acids in a polypeptide chain. Translation is mediated by the ribosome, and begins with the formation of a ternary complex between aminoacylated initiator methionine tRNA, GTP, and initiation factor 2, which subsequently associates with the small subunit of the ribosome and an mRNA. Translation ends with the release of a polypeptide chain from the ribosome. [GOC:go_curators]' - }, - 'GO:0006413': { - 'name': 'translational initiation', - 'def': 'The process preceding formation of the peptide bond between the first two amino acids of a protein. This includes the formation of a complex of the ribosome, mRNA, and an initiation complex that contains the first aminoacyl-tRNA. [ISBN:019879276X]' - }, - 'GO:0006414': { - 'name': 'translational elongation', - 'def': 'The successive addition of amino acid residues to a nascent polypeptide chain during protein biosynthesis. [GOC:ems]' - }, - 'GO:0006415': { - 'name': 'translational termination', - 'def': 'The process resulting in the release of a polypeptide chain from the ribosome, usually in response to a termination codon (UAA, UAG, or UGA in the universal genetic code). [GOC:hjd, ISBN:019879276X]' - }, - 'GO:0006417': { - 'name': 'regulation of translation', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of proteins by the translation of mRNA. [GOC:isa_complete]' - }, - 'GO:0006418': { - 'name': 'tRNA aminoacylation for protein translation', - 'def': "The synthesis of aminoacyl tRNA by the formation of an ester bond between the 3'-hydroxyl group of the most 3' adenosine of the tRNA, to be used in ribosome-mediated polypeptide synthesis. [GOC:ma]" - }, - 'GO:0006419': { - 'name': 'alanyl-tRNA aminoacylation', - 'def': "The process of coupling alanine to alanyl-tRNA, catalyzed by alanyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006420': { - 'name': 'arginyl-tRNA aminoacylation', - 'def': "The process of coupling arginine to arginyl-tRNA, catalyzed by arginyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006421': { - 'name': 'asparaginyl-tRNA aminoacylation', - 'def': "The process of coupling asparagine to asparaginyl-tRNA, catalyzed by asparaginyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006422': { - 'name': 'aspartyl-tRNA aminoacylation', - 'def': "The process of coupling aspartate to aspartyl-tRNA, catalyzed by aspartyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, ISBN:0716730510]" - }, - 'GO:0006423': { - 'name': 'cysteinyl-tRNA aminoacylation', - 'def': "The process of coupling cysteine to cysteinyl-tRNA, catalyzed by cysteinyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006424': { - 'name': 'glutamyl-tRNA aminoacylation', - 'def': "The process of coupling glutamate to glutamyl-tRNA, catalyzed by glutamyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'- adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006425': { - 'name': 'glutaminyl-tRNA aminoacylation', - 'def': "The process of coupling glutamine to glutaminyl-tRNA, catalyzed by glutaminyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'- adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006426': { - 'name': 'glycyl-tRNA aminoacylation', - 'def': "The process of coupling glycine to glycyl-tRNA, catalyzed by glycyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006427': { - 'name': 'histidyl-tRNA aminoacylation', - 'def': "The process of coupling histidine to histidyl-tRNA, catalyzed by histidyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006428': { - 'name': 'isoleucyl-tRNA aminoacylation', - 'def': "The process of coupling isoleucine to isoleucyl-tRNA, catalyzed by isoleucyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006429': { - 'name': 'leucyl-tRNA aminoacylation', - 'def': "The process of coupling leucine to leucyl-tRNA, catalyzed by leucyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006430': { - 'name': 'lysyl-tRNA aminoacylation', - 'def': "The process of coupling lysine to lysyl-tRNA, catalyzed by lysyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006431': { - 'name': 'methionyl-tRNA aminoacylation', - 'def': "The process of coupling methionine to methionyl-tRNA, catalyzed by methionyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006432': { - 'name': 'phenylalanyl-tRNA aminoacylation', - 'def': "The process of coupling phenylalanine to phenylalanyl-tRNA, catalyzed by phenylalanyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006433': { - 'name': 'prolyl-tRNA aminoacylation', - 'def': "The process of coupling proline to prolyl-tRNA, catalyzed by prolyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, ISBN:0716730510]" - }, - 'GO:0006434': { - 'name': 'seryl-tRNA aminoacylation', - 'def': "The process of coupling serine to seryl-tRNA, catalyzed by seryl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006435': { - 'name': 'threonyl-tRNA aminoacylation', - 'def': "The process of coupling threonine to threonyl-tRNA, catalyzed by threonyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006436': { - 'name': 'tryptophanyl-tRNA aminoacylation', - 'def': "The process of coupling tryptophan to tryptophanyl-tRNA, catalyzed by tryptophanyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006437': { - 'name': 'tyrosyl-tRNA aminoacylation', - 'def': "The process of coupling tyrosine to tyrosyl-tRNA, catalyzed by tyrosyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006438': { - 'name': 'valyl-tRNA aminoacylation', - 'def': "The process of coupling valine to valyl-tRNA, catalyzed by valyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mcc, ISBN:0716730510]" - }, - 'GO:0006439': { - 'name': 'obsolete aminoacyl-tRNA hydrolase reaction', - 'def': 'OBSOLETE. Hydrolysis of the peptidyl-tRNA by aminoacyl-tRNA hydrolase upon termination of translation. Analogous to usual peptidyl transfer during elongation, except that the acceptor is H2O instead of an aminoacyl-tRNA. [ISBN:019879276X]' - }, - 'GO:0006441': { - 'name': 'obsolete binding to mRNA cap', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:hjd]' - }, - 'GO:0006446': { - 'name': 'regulation of translational initiation', - 'def': 'Any process that modulates the frequency, rate or extent of translational initiation. [GOC:go_curators]' - }, - 'GO:0006447': { - 'name': 'regulation of translational initiation by iron', - 'def': 'Any process that modulates the frequency, rate or extent of the translation of certain mRNAs involved in iron metabolism; regulated by the concentration of iron. [GOC:jl]' - }, - 'GO:0006448': { - 'name': 'regulation of translational elongation', - 'def': 'Any process that modulates the frequency, rate, extent or accuracy of translational elongation. [GOC:go_curators]' - }, - 'GO:0006449': { - 'name': 'regulation of translational termination', - 'def': 'Any process that modulates the frequency, rate or extent of translational termination. [GOC:go_curators]' - }, - 'GO:0006450': { - 'name': 'regulation of translational fidelity', - 'def': 'Any process that modulates the ability of the translational apparatus to interpret the genetic code. [GOC:dph, GOC:tb]' - }, - 'GO:0006451': { - 'name': 'translational readthrough', - 'def': 'The continuation of translation beyond a stop codon by the use of a special tRNA that recognizes the UAG and UGA codons as modified amino acids, rather than as termination codons. [GOC:jsg, PMID:11179232]' - }, - 'GO:0006452': { - 'name': 'translational frameshifting', - 'def': 'A mechanism whereby different proteins may result from a single mRNA molecule, due to a change in the parsing of three nucleotides per codon relative to an initiating AUG codon. [GOC:hjd, ISBN:0195094425]' - }, - 'GO:0006457': { - 'name': 'protein folding', - 'def': 'The process of assisting in the covalent and noncovalent assembly of single chain polypeptides or multisubunit complexes into the correct tertiary structure. [GOC:go_curators, GOC:rb]' - }, - 'GO:0006458': { - 'name': "'de novo' protein folding", - 'def': 'The process of assisting in the folding of a nascent peptide chain into its correct tertiary structure. [GOC:mb]' - }, - 'GO:0006459': { - 'name': 'obsolete binding unfolded ER proteins', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0006460': { - 'name': 'obsolete peptidyl-prolyl isomerase B reaction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006461': { - 'name': 'protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a protein complex. [GOC:ai]' - }, - 'GO:0006462': { - 'name': 'obsolete protein complex assembly, multichaperone pathway', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006463': { - 'name': 'steroid hormone receptor complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a steroid hormone receptor complex, an intracellular receptor that binds steroid hormones. The complex is often a dimer, and forms after the steroid has bound the receptor. [GOC:jl, Wikipedia:Steroid_hormone_receptor]' - }, - 'GO:0006464': { - 'name': 'cellular protein modification process', - 'def': 'The covalent alteration of one or more amino acids occurring in proteins, peptides and nascent polypeptides (co-translational, post-translational modifications) occurring at the level of an individual cell. Includes the modification of charged tRNAs that are destined to occur in a protein (pre-translation modification). [GOC:go_curators]' - }, - 'GO:0006465': { - 'name': 'signal peptide processing', - 'def': 'The proteolytic removal of a signal peptide from a protein during or after transport to a specific location in the cell. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0006466': { - 'name': 'obsolete protein disulfide-isomerase reaction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006468': { - 'name': 'protein phosphorylation', - 'def': 'The process of introducing a phosphate group on to a protein. [GOC:hb]' - }, - 'GO:0006469': { - 'name': 'negative regulation of protein kinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein kinase activity. [GOC:go_curators]' - }, - 'GO:0006470': { - 'name': 'protein dephosphorylation', - 'def': 'The process of removing one or more phosphoric residues from a protein. [GOC:hb]' - }, - 'GO:0006471': { - 'name': 'protein ADP-ribosylation', - 'def': 'The transfer, from NAD, of ADP-ribose to protein amino acids. [GOC:pr, RESID:AA0040, RESID:AA0168, RESID:AA0169, RESID:AA0231, RESID:AA0237, RESID:AA0295]' - }, - 'GO:0006473': { - 'name': 'protein acetylation', - 'def': 'The addition of an acetyl group to a protein amino acid. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:ai]' - }, - 'GO:0006474': { - 'name': 'N-terminal protein amino acid acetylation', - 'def': 'The acetylation of the N-terminal amino acid of proteins. [GOC:ai]' - }, - 'GO:0006475': { - 'name': 'internal protein amino acid acetylation', - 'def': 'The addition of an acetyl group to a non-terminal amino acid in a protein. [GOC:mah]' - }, - 'GO:0006476': { - 'name': 'protein deacetylation', - 'def': 'The removal of an acetyl group from a protein amino acid. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:ai]' - }, - 'GO:0006477': { - 'name': 'protein sulfation', - 'def': 'The addition of a sulfate group as an ester to a protein amino acid. [GOC:curators]' - }, - 'GO:0006478': { - 'name': 'peptidyl-tyrosine sulfation', - 'def': "The sulfation of peptidyl-tyrosine residues to form peptidyl-O4'-sulfo-L-tyrosine. [RESID:AA0172]" - }, - 'GO:0006479': { - 'name': 'protein methylation', - 'def': 'The addition of a methyl group to a protein amino acid. A methyl group is derived from methane by the removal of a hydrogen atom. [GOC:ai]' - }, - 'GO:0006480': { - 'name': 'N-terminal protein amino acid methylation', - 'def': 'The methylation of the N-terminal amino acid of a protein. [GOC:ai]' - }, - 'GO:0006481': { - 'name': 'C-terminal protein methylation', - 'def': 'The methylation of the C-terminal amino acid of a protein. [GOC:ai]' - }, - 'GO:0006482': { - 'name': 'protein demethylation', - 'def': 'The removal of a methyl group, from a protein amino acid. A methyl group is derived from methane by the removal of a hydrogen atom. [GOC:mah]' - }, - 'GO:0006483': { - 'name': 'obsolete peptidyl-aspartic acid/asparagine hydroxylation', - 'def': 'OBSOLETE. The hydroxylation of peptidyl-aspartic acid or asparagine. [GOC:ai]' - }, - 'GO:0006484': { - 'name': 'obsolete protein cysteine-thiol oxidation', - 'def': 'OBSOLETE. Oxidation of two cysteine sulfhydryl groups (thiols) in one protein by a disulfide bond in a second protein to form a disulfide bond in the first protein and two reduced sulfhydryls in the second. The oxidized cysteines linked by a disulfide bond is known as cystine. [http://micro.magnet.fsu.edu/aminoacids/pages/cystine.html, http://www.indstate.edu/thcme/mwking/pentose-phosphate-pathway.html, RESID:AA0025]' - }, - 'GO:0006486': { - 'name': 'protein glycosylation', - 'def': 'A protein modification process that results in the addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid, e.g. the addition of glycan chains to proteins. [GOC:curators, GOC:pr]' - }, - 'GO:0006487': { - 'name': 'protein N-linked glycosylation', - 'def': "A protein glycosylation process in which a carbohydrate or carbohydrate derivative unit is added to a protein via the N4 atom of peptidyl-asparagine, the omega-N of arginine, or the N1' atom peptidyl-tryptophan. [GOC:pr, RESID:AA0151, RESID:AA0156, RESID:AA0327]" - }, - 'GO:0006488': { - 'name': 'dolichol-linked oligosaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dolichol-linked oligosaccharide, usually by a stepwise addition of glycosyl chains to endoplasmic reticulum membrane-bound dolichol-P. [GOC:jl, ISBN:0471331309]' - }, - 'GO:0006489': { - 'name': 'dolichyl diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dolichyl diphosphate, a diphosphorylated dolichol derivative. [ISBN:0198506732]' - }, - 'GO:0006490': { - 'name': 'oligosaccharide-lipid intermediate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an oligosaccharide-lipid intermediate, such as a molecule of dolichol-P-man or dolicol-P-Glc used in N-linked glycosylation. [GOC:dph, GOC:hjd, GOC:isa_complete, GOC:pr, GOC:rb]' - }, - 'GO:0006491': { - 'name': 'N-glycan processing', - 'def': 'The conversion of N-linked glycan (N = nitrogen) structures from the initially transferred oligosaccharide to a mature form, by the actions of glycosidases and glycosyltransferases. The early processing steps are conserved and play roles in glycoprotein folding and trafficking. [ISBN:0879695595, PMID:12736198]' - }, - 'GO:0006493': { - 'name': 'protein O-linked glycosylation', - 'def': 'A protein glycosylation process in which a carbohydrate or carbohydrate derivative unit is added to a protein via the hydroxyl group of peptidyl-serine, peptidyl-threonine, peptidyl-hydroxylysine, or peptidyl-hydroxyproline, or via the phenol group of peptidyl-tyrosine, forming an O-glycan. [GOC:pr, ISBN:0879695595, RESID:AA0153, RESID:AA0154, RESID:AA0155, RESID:AA0157, RESID:AA0212]' - }, - 'GO:0006494': { - 'name': 'obsolete protein amino acid terminal glycosylation', - 'def': 'A protein amino acid glycosylation process in which a sugar unit is added to a free alpha-amino or alpha-carboxyl terminal of a peptide. [GOC:jsg]' - }, - 'GO:0006495': { - 'name': 'obsolete terminal O-glycosylation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators, GOC:jsg]' - }, - 'GO:0006496': { - 'name': 'obsolete protein amino acid terminal N-glycosylation', - 'def': 'The glycosylation of a nitrogen atom of a free alpha amino terminal of a peptide. [GOC:jsg]' - }, - 'GO:0006497': { - 'name': 'protein lipidation', - 'def': 'The covalent attachment of lipid groups to an amino acid in a protein. [GOC:jl]' - }, - 'GO:0006498': { - 'name': 'N-terminal protein lipidation', - 'def': 'The covalent attachment of a lipid group to the amino terminus of a protein. [GOC:jl]' - }, - 'GO:0006499': { - 'name': 'N-terminal protein myristoylation', - 'def': 'The covalent attachment of a myristoyl group to the N-terminal amino acid residue of a protein. [GOC:mah]' - }, - 'GO:0006500': { - 'name': 'N-terminal protein palmitoylation', - 'def': 'The covalent attachment of a palmitoyl group to the N-terminal amino acid residue of a protein. [GOC:mah]' - }, - 'GO:0006501': { - 'name': 'C-terminal protein lipidation', - 'def': 'The covalent attachment of a lipid group to the carboxy terminus of a protein. [GOC:jl]' - }, - 'GO:0006502': { - 'name': 'obsolete C-terminal protein prenylation', - 'def': 'OBSOLETE. The covalent or non-covalent attachment of a prenyl group to the carboxy terminus of a protein; geranyl, farnesyl, or geranylgeranyl groups may be added. [GOC:jl]' - }, - 'GO:0006503': { - 'name': 'obsolete C-terminal protein farnesylation', - 'def': 'OBSOLETE. The covalent or non-covalent attachment of a farnesyl group to the carboxy terminus of a protein. [GOC:jl]' - }, - 'GO:0006504': { - 'name': 'obsolete C-terminal protein geranylgeranylation', - 'def': 'OBSOLETE. The covalent or non-covalent attachment of a geranylgeranyl group to the carboxy terminus of a protein. [GOC:jl]' - }, - 'GO:0006505': { - 'name': 'GPI anchor metabolic process', - 'def': 'The chemical reactions and pathways involving glycosylphosphatidylinositol anchors, molecular mechanisms for attaching membrane proteins to the lipid bilayer of cell membranes. Structurally they consist of a molecule of phosphatidylinositol to which is linked, via the C-6 hydroxyl of the inositol, a carbohydrate chain. This chain is in turn linked to the protein through an ethanolamine phosphate group, the amino group of which is in amide linkage with the C-terminal carboxyl of the protein chain, the phosphate group being esterified to the C-6 hydroxyl of the terminal mannose of the core carbohydrate chain. [ISBN:0198506732]' - }, - 'GO:0006506': { - 'name': 'GPI anchor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a glycosylphosphatidylinositol (GPI) anchor that attaches some membrane proteins to the lipid bilayer of the cell membrane. The phosphatidylinositol group is linked via the C-6 hydroxyl residue of inositol to a carbohydrate chain which is itself linked to the protein via an ethanolamine phosphate group, its amino group forming an amide linkage with the C-terminal carboxyl of the protein. Some GPI anchors have variants on this canonical linkage. [GOC:go_curators, ISBN:0198547684]' - }, - 'GO:0006507': { - 'name': 'GPI anchor release', - 'def': 'The GPI anchor metabolic process that results in enzymatic cleavage of the anchor, releasing an anchored protein from the membrane. [GOC:mah, PMID:18811934]' - }, - 'GO:0006508': { - 'name': 'proteolysis', - 'def': 'The hydrolysis of proteins into smaller polypeptides and/or amino acids by cleavage of their peptide bonds. [GOC:bf, GOC:mah]' - }, - 'GO:0006509': { - 'name': 'membrane protein ectodomain proteolysis', - 'def': 'The proteolytic cleavage of transmembrane proteins and release of their ectodomain (extracellular domain). [GOC:jl, http://www.copewithcytokines.de/]' - }, - 'GO:0006510': { - 'name': 'obsolete ATP-dependent proteolysis', - 'def': 'OBSOLETE. The hydrolysis of a peptide bond or bonds within a protein using energy from the hydrolysis of ATP. [GOC:jl]' - }, - 'GO:0006511': { - 'name': 'ubiquitin-dependent protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by the covalent attachment of a ubiquitin group, or multiple ubiquitin groups, to the protein. [GOC:go_curators]' - }, - 'GO:0006512': { - 'name': 'obsolete ubiquitin cycle', - 'def': 'OBSOLETE. The cyclical process by which one or more ubiquitin groups are added to (ubiquitination) and removed from (deubiquitination) a protein. [PMID:11917093]' - }, - 'GO:0006513': { - 'name': 'protein monoubiquitination', - 'def': 'Addition of a single ubiquitin group to a protein. [GOC:ai]' - }, - 'GO:0006515': { - 'name': 'misfolded or incompletely synthesized protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of misfolded or attenuated proteins. [GOC:jl]' - }, - 'GO:0006516': { - 'name': 'glycoprotein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycoproteins, any protein that contains covalently bound glycose (i.e. monosaccharide) residues; the glycose occurs most commonly as oligosaccharide or fairly small polysaccharide but occasionally as monosaccharide. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006517': { - 'name': 'protein deglycosylation', - 'def': 'The removal of sugar residues from a glycosylated protein. [GOC:mah]' - }, - 'GO:0006518': { - 'name': 'peptide metabolic process', - 'def': 'The chemical reactions and pathways involving peptides, compounds of two or more amino acids where the alpha carboxyl group of one is bound to the alpha amino group of another. [CHEBI:16670, GOC:go_curators]' - }, - 'GO:0006520': { - 'name': 'cellular amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving amino acids, carboxylic acids containing one or more amino groups, as carried out by individual cells. [CHEBI:33709, GOC:curators, ISBN:0198506732]' - }, - 'GO:0006521': { - 'name': 'regulation of cellular amino acid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving amino acids. [GOC:go_curators]' - }, - 'GO:0006522': { - 'name': 'alanine metabolic process', - 'def': 'The chemical reactions and pathways involving alanine, 2-aminopropanoic acid. [GOC:go_curators]' - }, - 'GO:0006523': { - 'name': 'alanine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alanine, 2-aminopropanoic acid. [GOC:go_curators]' - }, - 'GO:0006524': { - 'name': 'alanine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alanine, 2-aminopropanoic acid. [GOC:go_curators]' - }, - 'GO:0006525': { - 'name': 'arginine metabolic process', - 'def': 'The chemical reactions and pathways involving arginine, 2-amino-5-(carbamimidamido)pentanoic acid. [CHEBI:29016, GOC:go_curators]' - }, - 'GO:0006526': { - 'name': 'arginine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of arginine, 2-amino-5-(carbamimidamido)pentanoic acid. [CHEBI:29016, ISBN:0198506732]' - }, - 'GO:0006527': { - 'name': 'arginine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arginine, 2-amino-5-(carbamimidamido)pentanoic acid. [CHEBI:29016, GOC:go_curators]' - }, - 'GO:0006528': { - 'name': 'asparagine metabolic process', - 'def': 'The chemical reactions and pathways involving asparagine, 2-amino-3-carbamoylpropanoic acid. [GOC:go_curators]' - }, - 'GO:0006529': { - 'name': 'asparagine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of asparagine, 2-amino-3-carbamoylpropanoic acid. [GOC:go_curators]' - }, - 'GO:0006530': { - 'name': 'asparagine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of asparagine, 2-amino-3-carbamoylpropanoic acid. [GOC:go_curators]' - }, - 'GO:0006531': { - 'name': 'aspartate metabolic process', - 'def': 'The chemical reactions and pathways involving aspartate, the anion derived from aspartic acid, 2-aminobutanedioic acid. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006532': { - 'name': 'aspartate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aspartate, the anion derived from aspartic acid, 2-aminobutanedioic acid. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006533': { - 'name': 'aspartate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aspartate, the anion derived from aspartic acid, 2-aminobutanedioic acid. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006534': { - 'name': 'cysteine metabolic process', - 'def': 'The chemical reactions and pathways involving cysteine, 2-amino-3-mercaptopropanoic acid. [GOC:go_curators]' - }, - 'GO:0006535': { - 'name': 'cysteine biosynthetic process from serine', - 'def': 'The chemical reactions and pathways resulting in the formation of cysteine from other compounds, including serine. [GOC:go_curators]' - }, - 'GO:0006536': { - 'name': 'glutamate metabolic process', - 'def': 'The chemical reactions and pathways involving glutamate, the anion of 2-aminopentanedioic acid. [GOC:go_curators]' - }, - 'GO:0006537': { - 'name': 'glutamate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glutamate, the anion of 2-aminopentanedioic acid. [GOC:go_curators]' - }, - 'GO:0006538': { - 'name': 'glutamate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate, the anion of 2-aminopentanedioic acid. [GOC:go_curators]' - }, - 'GO:0006539': { - 'name': 'glutamate catabolic process via 2-oxoglutarate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate, via the intermediate 2-oxoglutarate. [GOC:go_curators]' - }, - 'GO:0006540': { - 'name': 'glutamate decarboxylation to succinate', - 'def': 'The chemical reactions and pathways resulting in the formation of succinate from glutamate. Also known as GABA (gamma-aminobutyrate) shunt since it channels glutamate into the TCA cycle bypassing two steps of that cycle. There are three enzymes involved in the GABA shunt: glutamate decarboxylase (GAD), GABA aminotransferase (GABA-TA), and succinate semialdehyde dehydrogenase (SSADH). These three enzymes acting in concert to convert glutamate into succinate. The GABA shunt is predominantly associated with neurotransmission in the mammalian brain. It is also present in nonneuronal cells, in plants, in unicellular eukaryotes, and in prokaryotes. [PMID:12740438]' - }, - 'GO:0006541': { - 'name': 'glutamine metabolic process', - 'def': 'The chemical reactions and pathways involving glutamine, 2-amino-4-carbamoylbutanoic acid. [GOC:ai]' - }, - 'GO:0006542': { - 'name': 'glutamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glutamine, 2-amino-4-carbamoylbutanoic acid. [GOC:ai]' - }, - 'GO:0006543': { - 'name': 'glutamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamine, 2-amino-4-carbamoylbutanoic acid. [GOC:ai]' - }, - 'GO:0006544': { - 'name': 'glycine metabolic process', - 'def': 'The chemical reactions and pathways involving glycine, aminoethanoic acid. [GOC:go_curators]' - }, - 'GO:0006545': { - 'name': 'glycine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycine, aminoethanoic acid. [GOC:go_curators]' - }, - 'GO:0006546': { - 'name': 'glycine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycine, aminoethanoic acid. [GOC:go_curators]' - }, - 'GO:0006547': { - 'name': 'histidine metabolic process', - 'def': 'The chemical reactions and pathways involving histidine, 2-amino-3-(1H-imidazol-4-yl)propanoic acid. [GOC:go_curators]' - }, - 'GO:0006548': { - 'name': 'histidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of histidine, 2-amino-3-(1H-imidazol-4-yl)propanoic acid. [GOC:go_curators]' - }, - 'GO:0006549': { - 'name': 'isoleucine metabolic process', - 'def': 'The chemical reactions and pathways involving isoleucine, (2R*,3R*)-2-amino-3-methylpentanoic acid. [GOC:ai]' - }, - 'GO:0006550': { - 'name': 'isoleucine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of isoleucine, (2R*,3R*)-2-amino-3-methylpentanoic acid. [GOC:ai]' - }, - 'GO:0006551': { - 'name': 'leucine metabolic process', - 'def': 'The chemical reactions and pathways involving leucine, 2-amino-4-methylpentanoic acid. [GOC:ai]' - }, - 'GO:0006552': { - 'name': 'leucine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of leucine, 2-amino-4-methylpentanoic acid. [GOC:ai]' - }, - 'GO:0006553': { - 'name': 'lysine metabolic process', - 'def': 'The chemical reactions and pathways involving lysine, 2,6-diaminohexanoic acid. [GOC:go_curators]' - }, - 'GO:0006554': { - 'name': 'lysine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lysine, 2,6-diaminohexanoic acid. [GOC:go_curators]' - }, - 'GO:0006555': { - 'name': 'methionine metabolic process', - 'def': 'The chemical reactions and pathways involving methionine (2-amino-4-(methylthio)butanoic acid), a sulfur-containing, essential amino acid found in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006556': { - 'name': 'S-adenosylmethionine biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of S-adenosylmethionine, S-(5'-adenosyl)-L-methionine, an important intermediate in one-carbon metabolism. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0006557': { - 'name': 'S-adenosylmethioninamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of S-adenosylmethioninamine, (5-deoxy-5-adenosyl)(3-aminopropyl) methylsulfonium salt. [GOC:mah, MetaCyc:S-ADENOSYLMETHIONINAMINE]' - }, - 'GO:0006558': { - 'name': 'L-phenylalanine metabolic process', - 'def': 'The chemical reactions and pathways involving L-phenylalanine, the L-enantiomer of 2-amino-3-phenylpropanoic acid, i.e. (2S)-2-amino-3-phenylpropanoic acid. [CHEBI:17295, GOC:go_curators, GOC:jsg, GOC:mah]' - }, - 'GO:0006559': { - 'name': 'L-phenylalanine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenylalanine, 2-amino-3-phenylpropanoic acid. [GOC:go_curators]' - }, - 'GO:0006560': { - 'name': 'proline metabolic process', - 'def': 'The chemical reactions and pathways involving proline (pyrrolidine-2-carboxylic acid), a chiral, cyclic, nonessential alpha-amino acid found in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006561': { - 'name': 'proline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of proline (pyrrolidine-2-carboxylic acid), a chiral, cyclic, nonessential alpha-amino acid found in peptide linkage in proteins. [ISBN:0198506732]' - }, - 'GO:0006562': { - 'name': 'proline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of proline (pyrrolidine-2-carboxylic acid), a chiral, cyclic, nonessential alpha-amino acid found in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006563': { - 'name': 'L-serine metabolic process', - 'def': 'The chemical reactions and pathways involving L-serine, the L-enantiomer of serine, i.e. (2S)-2-amino-3-hydroxypropanoic acid. [CHEBI:17115, GOC:ai, GOC:jsg]' - }, - 'GO:0006564': { - 'name': 'L-serine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-serine, the L-enantiomer of serine, i.e. (2S)-2-amino-3-hydroxypropanoic acid. [CHEBI:17115, GOC:ai, GOC:jsg]' - }, - 'GO:0006565': { - 'name': 'L-serine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-serine, the L-enantiomer of serine, i.e. (2S)-2-amino-3-hydroxypropanoic acid. [CHEBI:17115, GOC:ai, GOC:jsg]' - }, - 'GO:0006566': { - 'name': 'threonine metabolic process', - 'def': 'The chemical reactions and pathways involving threonine (2-amino-3-hydroxybutyric acid), a polar, uncharged, essential amino acid found in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006567': { - 'name': 'threonine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of threonine (2-amino-3-hydroxybutyric acid), a polar, uncharged, essential amino acid found in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006568': { - 'name': 'tryptophan metabolic process', - 'def': 'The chemical reactions and pathways involving tryptophan, the chiral amino acid 2-amino-3-(1H-indol-3-yl)propanoic acid. [ISBN:0198547684]' - }, - 'GO:0006569': { - 'name': 'tryptophan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tryptophan, the chiral amino acid 2-amino-3-(1H-indol-3-yl)propanoic acid. [ISBN:0198547684]' - }, - 'GO:0006570': { - 'name': 'tyrosine metabolic process', - 'def': 'The chemical reactions and pathways involving tyrosine, an aromatic amino acid, 2-amino-3-(4-hydroxyphenyl)propanoic acid. [GOC:go_curators]' - }, - 'GO:0006571': { - 'name': 'tyrosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tyrosine, an aromatic amino acid, 2-amino-3-(4-hydroxyphenyl)propanoic acid. [GOC:sm]' - }, - 'GO:0006572': { - 'name': 'tyrosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tyrosine, an aromatic amino acid, 2-amino-3-(4-hydroxyphenyl)propanoic acid. [GOC:go_curators]' - }, - 'GO:0006573': { - 'name': 'valine metabolic process', - 'def': 'The chemical reactions and pathways involving valine, 2-amino-3-methylbutanoic acid. [GOC:ai]' - }, - 'GO:0006574': { - 'name': 'valine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of valine, 2-amino-3-methylbutanoic acid. [GOC:ai]' - }, - 'GO:0006575': { - 'name': 'cellular modified amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving compounds derived from amino acids, organic acids containing one or more amino substituents. [CHEBI:83821, GOC:ai]' - }, - 'GO:0006576': { - 'name': 'cellular biogenic amine metabolic process', - 'def': 'The chemical reactions and pathways occurring at the level of individual cells involving any of a group of naturally occurring, biologically active amines, such as norepinephrine, histamine, and serotonin, many of which act as neurotransmitters. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0006577': { - 'name': 'amino-acid betaine metabolic process', - 'def': 'The chemical reactions and pathways involving any betaine, the N-trimethyl derivative of an amino acid. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0006578': { - 'name': 'amino-acid betaine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any betaine, the N-trimethyl derivative of an amino acid. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0006579': { - 'name': 'amino-acid betaine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any betaine, the N-trimethyl derivative of an amino acid. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0006580': { - 'name': 'ethanolamine metabolic process', - 'def': 'The chemical reactions and pathways involving ethanolamine (2-aminoethanol), an important water-soluble base of phospholipid (phosphatidylethanolamine). [CHEBI:16000, GOC:jl, ISBN:01928006X]' - }, - 'GO:0006581': { - 'name': 'acetylcholine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acetylcholine, the acetic acid ester of the organic base choline. [GOC:jl, ISBN:0192800752]' - }, - 'GO:0006582': { - 'name': 'melanin metabolic process', - 'def': 'The chemical reactions and pathways involving melanins, pigments largely of animal origin. High molecular weight polymers of indole quinone, they are irregular polymeric structures and are divided into three groups: allomelanins in the plant kingdom and eumelanins and phaeomelanins in the animal kingdom. [GOC:go_curators]' - }, - 'GO:0006583': { - 'name': 'melanin biosynthetic process from tyrosine', - 'def': 'The chemical reactions and pathways resulting in the formation of melanin from other compounds, including tyrosine. [GOC:go_curators]' - }, - 'GO:0006584': { - 'name': 'catecholamine metabolic process', - 'def': 'The chemical reactions and pathways involving any of a group of physiologically important biogenic amines that possess a catechol (3,4-dihydroxyphenyl) nucleus and are derivatives of 3,4-dihydroxyphenylethylamine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006585': { - 'name': 'dopamine biosynthetic process from tyrosine', - 'def': 'The chemical reactions and pathways resulting in the formation of dopamine (3,4-dihydroxyphenylethylamine) from L-tyrosine, via the metabolic precursor 3,4-dihydroxy-L-phenylalanine (L-dopa). Dopamine is a catecholamine neurotransmitter and a metabolic precursor of norepinephrine and epinephrine. [GOC:bf, GOC:jl, ISBN:0198506732]' - }, - 'GO:0006586': { - 'name': 'indolalkylamine metabolic process', - 'def': 'The chemical reactions and pathways involving indolalkylamines, indole or indole derivatives containing a primary, secondary, or tertiary amine group. [CHEBI:38631, GOC:curators]' - }, - 'GO:0006587': { - 'name': 'serotonin biosynthetic process from tryptophan', - 'def': 'The chemical reactions and pathways resulting in the formation from tryptophan of serotonin (5-hydroxytryptamine), a monoamine neurotransmitter occurring in the peripheral and central nervous systems, also having hormonal properties. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006588': { - 'name': 'activation of tryptophan 5-monooxygenase activity', - 'def': 'The process in which the tryptophan 5-monooxygenase enzyme is changed so that it can carry out its enzymatic activity. [GOC:dph, GOC:tb]' - }, - 'GO:0006589': { - 'name': 'octopamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of octopamine, 1-(p-hydroxyphenyl)-2-aminoethanol. The D enantiomer is about one-tenth as active as norepinephrine and is found in the salivary glands of Octopus and Eledone species. [ISBN:0198506732]' - }, - 'GO:0006590': { - 'name': 'thyroid hormone generation', - 'def': 'The formation of either of the compounds secreted by the thyroid gland, mainly thyroxine and triiodothyronine. This is achieved by the iodination and joining of tyrosine molecules to form the precursor thyroglobin, proteolysis of this precursor gives rise to the thyroid hormones. [GOC:jl, ISBN:0716720094]' - }, - 'GO:0006591': { - 'name': 'ornithine metabolic process', - 'def': 'The chemical reactions and pathways involving ornithine, an amino acid only rarely found in proteins, but which is important in living organisms as an intermediate in the reactions of the urea cycle and in arginine biosynthesis. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0006592': { - 'name': 'ornithine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ornithine, an amino acid only rarely found in proteins, but which is important in living organisms as an intermediate in the reactions of the urea cycle and in arginine biosynthesis. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0006593': { - 'name': 'ornithine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ornithine, an amino acid only rarely found in proteins, but which is important in living organisms as an intermediate in the reactions of the urea cycle and in arginine biosynthesis. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0006595': { - 'name': 'polyamine metabolic process', - 'def': 'The chemical reactions and pathways involving polyamines, any organic compound containing two or more amino groups. [ISBN:0198506732]' - }, - 'GO:0006596': { - 'name': 'polyamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polyamines, any organic compound containing two or more amino groups. [ISBN:0198506732]' - }, - 'GO:0006597': { - 'name': 'spermine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of spermine, a polybasic amine found in human sperm, in ribosomes and in some viruses and involved in nucleic acid packaging. [CHEBI:15746, GOC:curators]' - }, - 'GO:0006598': { - 'name': 'polyamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of polyamines, any organic compound containing two or more amino groups. [ISBN:0198506732]' - }, - 'GO:0006599': { - 'name': 'phosphagen metabolic process', - 'def': 'The chemical reactions and pathways involving phosphagen, any of a group of guanidine phosphates that occur in muscle and can be used to regenerate ATP from ADP during muscular contraction. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006600': { - 'name': 'creatine metabolic process', - 'def': 'The chemical reactions and pathways involving creatine (N-(aminoiminomethyl)-N-methylglycine), a compound synthesized from the amino acids arginine, glycine, and methionine that occurs in muscle. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0006601': { - 'name': 'creatine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of creatine, N-[amino(imino)methyl]-N-methylglycine. Creatine is formed by a process beginning with amidino group transfer from L-arginine to glycine to form guanidinoacetate, followed by methyl group transfer from S-adenosyl-L-methionine to guanidinoacetate; it is then is phosphorylated to form a pool that stores high energy phosphate for the replenishment of ATP during periods of high, or fluctuating energy demand. In animals, most creatine is transported to and used in muscle. [CHEBI:16919, GOC:mah, MetaCyc:GLYCGREAT-PWY, MetaCyc:PWY-6158]' - }, - 'GO:0006602': { - 'name': 'creatinine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of creatinine, 2-amino-1,5-dihydro-1-methyl-4H-imidazol-4-one, an end product of creatine metabolism and a normal constituent of urine. [ISBN:0198506732]' - }, - 'GO:0006603': { - 'name': 'phosphocreatine metabolic process', - 'def': 'The chemical reactions and pathways involving phosphocreatine, a phosphagen of creatine present in high concentration in striated muscle which is synthesized and broken down by creatine phosphokinase to buffer ATP concentration. It acts as an immediate energy reserve for muscle. [CHEBI:17287, GOC:curators, PMID:16371597]' - }, - 'GO:0006604': { - 'name': 'phosphoarginine metabolic process', - 'def': 'The chemical reactions and pathways involving phosphoarginine, a phosphagen of L-arginine with phosphoric acid containing the phosphoamide bond. It is a source of energy in the contraction of muscle in invertebrates, corresponding to phosphocreatine in the muscles of vertebrates. [GOC:curators, PMID:16371597]' - }, - 'GO:0006605': { - 'name': 'protein targeting', - 'def': 'The process of targeting specific proteins to particular regions of the cell, typically membrane-bounded subcellular organelles. Usually requires an organelle specific protein sequence motif. [GOC:ma]' - }, - 'GO:0006606': { - 'name': 'protein import into nucleus', - 'def': 'The directed movement of a protein from the cytoplasm to the nucleus. [GOC:jl]' - }, - 'GO:0006607': { - 'name': 'NLS-bearing protein import into nucleus', - 'def': 'The directed movement of a protein bearing a nuclear localization signal (NLS) from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:ai]' - }, - 'GO:0006608': { - 'name': 'snRNP protein import into nucleus', - 'def': 'The directed movement of a small nuclear ribonucleoprotein from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:ai]' - }, - 'GO:0006609': { - 'name': 'mRNA-binding (hnRNP) protein import into nucleus', - 'def': 'The directed movement of a heterogeneous nuclear ribonucleoprotein from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:mah]' - }, - 'GO:0006610': { - 'name': 'ribosomal protein import into nucleus', - 'def': 'The directed movement of a ribosomal protein from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:ai]' - }, - 'GO:0006611': { - 'name': 'protein export from nucleus', - 'def': 'The directed movement of a protein from the nucleus into the cytoplasm. [GOC:jl]' - }, - 'GO:0006612': { - 'name': 'protein targeting to membrane', - 'def': 'The process of directing proteins towards a membrane, usually using signals contained within the protein. [GOC:curators]' - }, - 'GO:0006613': { - 'name': 'cotranslational protein targeting to membrane', - 'def': 'The targeting of proteins to a membrane that occurs during translation. The transport of most secretory proteins, particularly those with more than 100 amino acids, into the endoplasmic reticulum lumen occurs in this manner, as does the import of some proteins into mitochondria. [ISBN:0716731363, PMID:10512867, PMID:16896215]' - }, - 'GO:0006614': { - 'name': 'SRP-dependent cotranslational protein targeting to membrane', - 'def': 'The targeting of proteins to a membrane that occurs during translation and is dependent upon two key components, the signal-recognition particle (SRP) and the SRP receptor. SRP is a cytosolic particle that transiently binds to the endoplasmic reticulum (ER) signal sequence in a nascent protein, to the large ribosomal unit, and to the SRP receptor in the ER membrane. [ISBN:0716731363]' - }, - 'GO:0006615': { - 'name': 'SRP-dependent cotranslational protein targeting to membrane, docking', - 'def': 'The process in which an SRP-bound ribosome forms a complex with the SRP receptor in the ER membrane, allowing the ribosome to bind to the membrane, during cotranslational membrane targeting. [ISBN:0815316194]' - }, - 'GO:0006616': { - 'name': 'SRP-dependent cotranslational protein targeting to membrane, translocation', - 'def': 'The process during cotranslational membrane targeting wherein proteins move across a membrane. SRP and its receptor initiate the transfer of the nascent chain across the endoplasmic reticulum (ER) membrane; they then dissociate from the chain, which is transferred to a set of transmembrane proteins, collectively called the translocon. Once the nascent chain translocon complex is assembled, the elongating chain passes directly from the large ribosomal subunit into the centers of the translocon, a protein-lined channel within the membrane. The growing chain is never exposed to the cytosol and does not fold until it reaches the ER lumen. [ISBN:0716731363]' - }, - 'GO:0006617': { - 'name': 'SRP-dependent cotranslational protein targeting to membrane, signal sequence recognition', - 'def': 'The process in which SRP binds to the signal peptide in a nascent protein, causing protein elongation to pause, during cotranslational membrane targeting. [ISBN:0815316194]' - }, - 'GO:0006618': { - 'name': 'SRP-dependent cotranslational protein targeting to membrane, signal sequence processing', - 'def': 'The removal of the signal peptide from a nascent protein during cotranslational membrane targeting. [ISBN:0815316194]' - }, - 'GO:0006619': { - 'name': 'obsolete SRP-independent cotranslational protein-membrane targeting', - 'def': 'OBSOLETE. The targeting of proteins to a membrane that occurs during translation and is independent of SRP and signal recognition. [GOC:ai, PMID:11101515]' - }, - 'GO:0006620': { - 'name': 'posttranslational protein targeting to membrane', - 'def': 'The targeting of proteins to a membrane that occurs after their translation. Some secretory proteins exhibit posttranslational transport into the endoplasmic reticulum (ER) lumen: they are synthesized in their entirety on free cytosolic ribosomes and then released into the cytosol, where they are bound by chaperones which keep them in an unfolded state, and subsequently are translocated across the ER membrane. [ISBN:0716731363]' - }, - 'GO:0006621': { - 'name': 'protein retention in ER lumen', - 'def': 'The retention in the endoplasmic reticulum (ER) lumen of soluble resident proteins. Sorting receptors retrieve proteins with ER localization signals, such as KDEL and HDEL sequences or some transmembrane domains, that have escaped to the cis-Golgi network and return them to the ER. Abnormally folded proteins and unassembled subunits are also selectively retained in the ER. [ISBN:0716731363, PMID:12972550]' - }, - 'GO:0006622': { - 'name': 'protein targeting to lysosome', - 'def': 'The process of directing proteins towards the lysosome using signals contained within the protein. [GOC:curators]' - }, - 'GO:0006623': { - 'name': 'protein targeting to vacuole', - 'def': 'The process of directing proteins towards the vacuole, usually using signals contained within the protein. [GOC:curators]' - }, - 'GO:0006624': { - 'name': 'vacuolar protein processing', - 'def': 'Protein processing that takes place in the vacuole. Most protein processing in the vacuole represents proteolytic cleavage of precursors to form active enzymes. [GOC:mah]' - }, - 'GO:0006625': { - 'name': 'protein targeting to peroxisome', - 'def': 'The process of directing proteins towards the peroxisome, usually using signals contained within the protein. [GOC:ai]' - }, - 'GO:0006626': { - 'name': 'protein targeting to mitochondrion', - 'def': 'The process of directing proteins towards and into the mitochondrion, usually mediated by mitochondrial proteins that recognize signals contained within the imported protein. [GOC:mcc, ISBN:0716731363]' - }, - 'GO:0006627': { - 'name': 'protein processing involved in protein targeting to mitochondrion', - 'def': 'The cleavage of peptide bonds in proteins, usually near the N terminus, contributing to the process of import into the mitochondrion. Several different peptidases mediate cleavage of proteins destined for different mitochondrial compartments. [GOC:mcc, PMID:12191769]' - }, - 'GO:0006628': { - 'name': 'obsolete mitochondrial translocation', - 'def': 'OBSOLETE. The translocation of proteins across the mitochondrial membrane. In the presence of a translocating chain, the outer membrane import machinery (MOM complex) and the inner membrane import machinery (MIM complex) form translocation contact sites as a part of the membrane preprotein import machinery. [PMID:7600576]' - }, - 'GO:0006629': { - 'name': 'lipid metabolic process', - 'def': 'The chemical reactions and pathways involving lipids, compounds soluble in an organic solvent but not, or sparingly, in an aqueous solvent. Includes fatty acids; neutral fats, other fatty-acid esters, and soaps; long-chain (fatty) alcohols and waxes; sphingoids and other long-chain bases; glycolipids, phospholipids and sphingolipids; and carotenes, polyprenols, sterols, terpenes and other isoprenoids. [GOC:ma]' - }, - 'GO:0006630': { - 'name': 'obsolete lipid binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006631': { - 'name': 'fatty acid metabolic process', - 'def': 'The chemical reactions and pathways involving fatty acids, aliphatic monocarboxylic acids liberated from naturally occurring fats and oils by hydrolysis. [ISBN:0198547684]' - }, - 'GO:0006633': { - 'name': 'fatty acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a fatty acid, any of the aliphatic monocarboxylic acids that can be liberated by hydrolysis from naturally occurring fats and oils. Fatty acids are predominantly straight-chain acids of 4 to 24 carbon atoms, which may be saturated or unsaturated; branched fatty acids and hydroxy fatty acids also occur, and very long chain acids of over 30 carbons are found in waxes. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0006634': { - 'name': 'hexadecanal biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hexadecanal, the C16 straight chain aldehyde. [http://chemfinder.cambridgesoft.com/]' - }, - 'GO:0006635': { - 'name': 'fatty acid beta-oxidation', - 'def': 'A fatty acid oxidation process that results in the complete oxidation of a long-chain fatty acid. Fatty acid beta-oxidation begins with the addition of coenzyme A to a fatty acid, and occurs by successive cycles of reactions during each of which the fatty acid is shortened by a two-carbon fragment removed as acetyl coenzyme A; the cycle continues until only two or three carbons remain (as acetyl-CoA or propionyl-CoA respectively). [GOC:mah, ISBN:0198506732, MetaCyc:FAO-PWY]' - }, - 'GO:0006636': { - 'name': 'unsaturated fatty acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an unsaturated fatty acid, any fatty acid containing one or more double bonds between carbon atoms. [GOC:mah, MetaCyc:PWY-762, MetaCyc:PWY-782]' - }, - 'GO:0006637': { - 'name': 'acyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving acyl-CoA, any derivative of coenzyme A in which the sulfhydryl group is in thiolester linkage with an acyl group. [ISBN:0198506732]' - }, - 'GO:0006638': { - 'name': 'neutral lipid metabolic process', - 'def': 'The chemical reactions and pathways involving neutral lipids, lipids only soluble in solvents of very low polarity. [ISBN:0198547684]' - }, - 'GO:0006639': { - 'name': 'acylglycerol metabolic process', - 'def': 'The chemical reactions and pathways involving acylglycerol, any mono-, di- or triester of glycerol with (one or more) fatty acids. [ISBN:0198506732]' - }, - 'GO:0006640': { - 'name': 'monoacylglycerol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of monoacylglycerol, any ester of glycerol in which any one of its hydroxyl groups has been acylated with a fatty acid, the other being non-esterified. [ISBN:0198506732]' - }, - 'GO:0006641': { - 'name': 'triglyceride metabolic process', - 'def': 'The chemical reactions and pathways involving triglyceride, any triester of glycerol. The three fatty acid residues may all be the same or differ in any permutation. Triglycerides are important components of plant oils, animal fats and animal plasma lipoproteins. [ISBN:0198506732]' - }, - 'GO:0006642': { - 'name': 'triglyceride mobilization', - 'def': 'The release of triglycerides, any triester of glycerol, from storage within cells or tissues, making them available for metabolism. [GOC:mah, PMID:11943743, PMID:15713625]' - }, - 'GO:0006643': { - 'name': 'membrane lipid metabolic process', - 'def': 'The chemical reactions and pathways involving membrane lipids, any lipid found in or associated with a biological membrane. [GOC:ai]' - }, - 'GO:0006644': { - 'name': 'phospholipid metabolic process', - 'def': 'The chemical reactions and pathways involving phospholipids, any lipid containing phosphoric acid as a mono- or diester. [ISBN:0198506732]' - }, - 'GO:0006646': { - 'name': 'phosphatidylethanolamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphatidylethanolamine, any of a class of glycerophospholipids in which a phosphatidyl group is esterified to the hydroxyl group of ethanolamine. [ISBN:0198506732]' - }, - 'GO:0006647': { - 'name': 'phosphatidyl-N-monomethylethanolamine biosynthetic process', - 'def': 'The chemical reactions and pathways involving phosphatidyl-N-monomethylethanolamine (PMME), a derivative of phosphatidylethanolamine with a methylated amine group. [GOC:ai]' - }, - 'GO:0006648': { - 'name': 'dihydrosphingosine-1-P pathway', - 'def': 'A phosphatidylethanolamine biosynthetic process that proceeds via the enzymatic action of dihydrosphingosine phosphate lyase. [GOC:mah, PMID:15643073]' - }, - 'GO:0006649': { - 'name': 'phospholipid transfer to membrane', - 'def': 'The transfer of a phospholipid from its site of synthesis to the plasma membrane. [GOC:go_curators]' - }, - 'GO:0006650': { - 'name': 'glycerophospholipid metabolic process', - 'def': 'The chemical reactions and pathways involving glycerophospholipids, any derivative of glycerophosphate that contains at least one O-acyl, O-alkyl, or O-alkenyl group attached to the glycerol residue. [ISBN:0198506732]' - }, - 'GO:0006651': { - 'name': 'diacylglycerol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of diacylglycerol, a glyceride in which any two of the R groups (positions not specified) are acyl groups while the remaining R group can be either H or an alkyl group. [CHEBI:18035, GOC:curators]' - }, - 'GO:0006653': { - 'name': '1,2-diacyl-sn-glycero-3-phosphocholine metabolic process', - 'def': 'The chemical reactions and pathways involving any 1,2-diacyl-sn-glycero-3-phosphocholine, the compounds most commonly designated lecithin. [CHEBI:16110, ISBN:0198506732]' - }, - 'GO:0006654': { - 'name': 'phosphatidic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphatidic acid, any derivative of glycerol phosphate in which both the remaining hydroxyl groups of the glycerol moiety are esterified with fatty acids. [ISBN:0198506732]' - }, - 'GO:0006655': { - 'name': 'phosphatidylglycerol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphatidylglycerols, any of a class of phospholipids in which the phosphatidyl group is esterified to the hydroxyl group of glycerol. [ISBN:0198506732]' - }, - 'GO:0006656': { - 'name': 'phosphatidylcholine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphatidylcholines, any of a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of choline. [ISBN:0198506732]' - }, - 'GO:0006657': { - 'name': 'CDP-choline pathway', - 'def': 'The phosphatidylcholine biosynthetic process that begins with the phosphorylation of choline and ends with the combination of CDP-choline with diacylglycerol to form phosphatidylcholine. [ISBN:0471331309, MetaCyc:PWY3O-450]' - }, - 'GO:0006658': { - 'name': 'phosphatidylserine metabolic process', - 'def': 'The chemical reactions and pathways involving phosphatidylserines, any of a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of L-serine. They are important constituents of cell membranes. [ISBN:0198506732]' - }, - 'GO:0006659': { - 'name': 'phosphatidylserine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphatidylserines, any of a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of L-serine. [ISBN:0198506732]' - }, - 'GO:0006660': { - 'name': 'phosphatidylserine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphatidylserines, any of a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of L-serine. [ISBN:0198506732]' - }, - 'GO:0006661': { - 'name': 'phosphatidylinositol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphatidylinositol, any glycophospholipid in which the sn-glycerol 3-phosphate residue is esterified to the 1-hydroxyl group of 1D-myo-inositol. [CHEBI:28874, ISBN:0198506732]' - }, - 'GO:0006662': { - 'name': 'glycerol ether metabolic process', - 'def': 'The chemical reactions and pathways involving glycerol ethers, any anhydride formed between two organic hydroxy compounds, one of which is glycerol. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006663': { - 'name': 'platelet activating factor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of platelet activating factor, 1-O-alkyl-2-acetyl-sn-glycerol 3-phosphocholine, where alkyl = hexadecyl or octadecyl. Platelet activating factor is an inflammatory mediator released from a variety of cells in response to various stimuli. [ISBN:0198547684]' - }, - 'GO:0006664': { - 'name': 'glycolipid metabolic process', - 'def': 'The chemical reactions and pathways involving glycolipids, a class of 1,2-di-O-acylglycerols joined at oxygen 3 by a glycosidic linkage to a carbohydrate part (usually a mono-, di- or tri-saccharide). Some substances classified as bacterial glycolipids have the sugar group acylated by one or more fatty acids and the glycerol group may be absent. [CHEBI:33563, ISBN:0198547684]' - }, - 'GO:0006665': { - 'name': 'sphingolipid metabolic process', - 'def': 'The chemical reactions and pathways involving sphingolipids, any of a class of lipids containing the long-chain amine diol sphingosine or a closely related base (a sphingoid). [GOC:mah, ISBN:0198506732]' - }, - 'GO:0006666': { - 'name': '3-keto-sphinganine metabolic process', - 'def': 'The chemical reactions and pathways involving 3-keto-sphinganine, a derivative of sphinganine with a ketone group at C3. It is an intermediate in the synthesis of sphingosine. [GOC:ai]' - }, - 'GO:0006667': { - 'name': 'sphinganine metabolic process', - 'def': 'The chemical reactions and pathways involving sphinganine, D-erythro-2-amino-1,3-octadecanediol. [http://www.chem.qmul.ac.uk/iupac/lipid/lip1n2.html#p18]' - }, - 'GO:0006668': { - 'name': 'sphinganine-1-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving sphinganine-1-phosphate, the phosphorylated derivative of D-erythro-2-amino-1,3-octadecanediol. [GOC:ai]' - }, - 'GO:0006669': { - 'name': 'sphinganine-1-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sphinganine-1-phosphate, the phosphorylated derivative of D-erythro-2-amino-1,3-octadecanediol. [GOC:ai]' - }, - 'GO:0006670': { - 'name': 'sphingosine metabolic process', - 'def': 'The chemical reactions and pathways involving sphingosine (sphing-4-enine), trans-D-erytho-2-amino-octadec-4-ene-1,3-diol, a long chain amino diol sphingoid base that occurs in most sphingolipids in animal tissues. [GOC:ma, ISBN:0198506732]' - }, - 'GO:0006671': { - 'name': 'phytosphingosine metabolic process', - 'def': 'The chemical reactions and pathways involving phytosphingosine, (2S,3S,4R)-2-aminooctadecane-1,3,4-triol, a constituent of many plant sphingolipids. [CHEBI:46961, ISBN:0198506732]' - }, - 'GO:0006672': { - 'name': 'ceramide metabolic process', - 'def': 'The chemical reactions and pathways involving ceramides, any N-acylated sphingoid. [ISBN:0198547684]' - }, - 'GO:0006673': { - 'name': 'inositolphosphoceramide metabolic process', - 'def': 'The chemical reactions and pathways involving inositolphosphoceramides, any lipid with a phosphodiester bridge between an inositol residue and the ceramide group. [http://www.chem.qmul.ac.uk/iupac/misc/glylp.html]' - }, - 'GO:0006675': { - 'name': 'mannosyl-inositol phosphorylceramide metabolic process', - 'def': 'The chemical reactions and pathways involving mannosyl-inositol phosphorylceramide, any lipid with a phosphodiester bridge between an inositol residue and the ceramide group which contains a phosphoryl (-P(O)=) groups and a mannose derivative. [GOC:ai, MetaCyc:MIPC]' - }, - 'GO:0006676': { - 'name': 'mannosyl diphosphorylinositol ceramide metabolic process', - 'def': 'The chemical reactions and pathways involving mannosyl diphosphorylinositol ceramide, any lipid with a phosphodiester bridge between an inositol residue and the ceramide group which contains two phosphoryl (-P(O)=) groups and a mannose derivative. [GOC:ai]' - }, - 'GO:0006677': { - 'name': 'glycosylceramide metabolic process', - 'def': 'The chemical reactions and pathways involving glycosylceramides, any compound formed by the replacement of the glycosidic hydroxyl group of a cyclic form of a monosaccharide (or derivative) by a ceramide group. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006678': { - 'name': 'glucosylceramide metabolic process', - 'def': 'The chemical reactions and pathways involving glucosylceramides, any compound formed by the replacement of the glycosidic hydroxyl group of a cyclic form of glucose by a ceramide group. They are neutral glycolipids containing equimolar amounts of fatty acid, glucose, and sphingosine or a sphingosine derivative. [CHEBI:36500, GOC:curators, ISBN:0198506732]' - }, - 'GO:0006679': { - 'name': 'glucosylceramide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucosylceramides, any compound formed by the replacement of the glycosidic hydroxyl group of a cyclic form of glucose by a ceramide group. [GOC:ai]' - }, - 'GO:0006680': { - 'name': 'glucosylceramide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucosylceramides, any compound formed by the replacement of the glycosidic hydroxyl group of a cyclic form of glucose by a ceramide group. [GOC:ai]' - }, - 'GO:0006681': { - 'name': 'galactosylceramide metabolic process', - 'def': 'The chemical reactions and pathways involving galactosylceramides, any compound formed by the replacement of the glycosidic hydroxyl group of a cyclic form of galactose by a ceramide group. [GOC:ai]' - }, - 'GO:0006682': { - 'name': 'galactosylceramide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of galactosylceramides, any compound formed by the replacement of the glycosidic hydroxyl group of a cyclic form of galactose by a ceramide group. [GOC:ai]' - }, - 'GO:0006683': { - 'name': 'galactosylceramide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactosylceramides, any compound formed by the replacement of the glycosidic hydroxyl group of a cyclic form of galactose by a ceramide group. [GOC:ai]' - }, - 'GO:0006684': { - 'name': 'sphingomyelin metabolic process', - 'def': 'The chemical reactions and pathways involving sphingomyelin, N-acyl-4-sphingenyl-1-O-phosphorylcholine, any of a class of phospholipids in which the amino group of sphingosine is in amide linkage with one of several fatty acids, while the terminal hydroxyl group of sphingosine is esterified to phosphorylcholine. [ISBN:0198506732]' - }, - 'GO:0006685': { - 'name': 'sphingomyelin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sphingomyelin, N-acyl-4-sphingenyl-1-O-phosphorylcholine. [ISBN:0198506732]' - }, - 'GO:0006686': { - 'name': 'sphingomyelin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sphingomyelin, N-acyl-4-sphingenyl-1-O-phosphorylcholine. [ISBN:0198506732]' - }, - 'GO:0006687': { - 'name': 'glycosphingolipid metabolic process', - 'def': 'The chemical reactions and pathways involving glycosphingolipids, any compound with residues of sphingoid and at least one monosaccharide. [ISBN:0198547684]' - }, - 'GO:0006688': { - 'name': 'glycosphingolipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycosphingolipid, a compound with residues of sphingoid and at least one monosaccharide. [GOC:go_curators]' - }, - 'GO:0006689': { - 'name': 'ganglioside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ganglioside, a ceramide oligosaccharide carrying, in addition to other sugar residues, one or more sialic residues. [ISBN:0198547684]' - }, - 'GO:0006690': { - 'name': 'icosanoid metabolic process', - 'def': 'The chemical reactions and pathways involving icosanoids, any of a group of C20 polyunsaturated fatty acids. [GOC:ma]' - }, - 'GO:0006691': { - 'name': 'leukotriene metabolic process', - 'def': 'The chemical reactions and pathways involving leukotriene, a pharmacologically active substance derived from a polyunsaturated fatty acid, such as arachidonic acid. [GOC:ma]' - }, - 'GO:0006692': { - 'name': 'prostanoid metabolic process', - 'def': 'The chemical reactions and pathways involving prostanoids, any compound based on or derived from the prostanoate structure. [ISBN:0198506732]' - }, - 'GO:0006693': { - 'name': 'prostaglandin metabolic process', - 'def': 'The chemical reactions and pathways involving prostaglandins, any of a group of biologically active metabolites which contain a cyclopentane ring due to the formation of a bond between two carbons of a fatty acid. They have a wide range of biological activities. [ISBN:0198506732]' - }, - 'GO:0006694': { - 'name': 'steroid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of steroids, compounds with a 1,2,cyclopentanoperhydrophenanthrene nucleus; includes de novo formation and steroid interconversion by modification. [GOC:go_curators]' - }, - 'GO:0006695': { - 'name': 'cholesterol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:ai]' - }, - 'GO:0006696': { - 'name': 'ergosterol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ergosterol, (22E)-ergosta-5,7,22-trien-3-beta-ol, a sterol found in ergot, yeast and moulds. [ISBN:0198506732]' - }, - 'GO:0006697': { - 'name': 'ecdysone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ecdysone, (22R)-2-beta,3-beta,14,22,25-pentahydroxycholest-7-en-6-one, an ecdysteroid found in insects. [ISBN:0198506732]' - }, - 'GO:0006698': { - 'name': 'obsolete ecdysone modification', - 'def': 'OBSOLETE. The covalent or conformational alteration of ecdysone, resulting in a change in its properties. [GOC:jl]' - }, - 'GO:0006699': { - 'name': 'bile acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of bile acids, any of a group of steroid carboxylic acids occurring in bile. [GOC:go_curators]' - }, - 'GO:0006700': { - 'name': 'C21-steroid hormone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of C21-steroid hormones, steroid compounds containing 21 carbons which function as hormones. [GOC:ai]' - }, - 'GO:0006701': { - 'name': 'progesterone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of progesterone, a steroid hormone produced in the ovary which prepares and maintains the uterus for pregnancy. Also found in plants. [GOC:jl, http://www.cogsci.princeton.edu/]' - }, - 'GO:0006702': { - 'name': 'androgen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of androgens, C19 steroid hormones that can stimulate the development of male sexual characteristics. [ISBN:0198506732]' - }, - 'GO:0006703': { - 'name': 'estrogen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of estrogens, C18 steroid hormones that can stimulate the development of female sexual characteristics. Also found in plants. [ISBN:0198506732]' - }, - 'GO:0006704': { - 'name': 'glucocorticoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucocorticoids, hormonal C21 corticosteroids synthesized from cholesterol. [ISBN:0198506732]' - }, - 'GO:0006705': { - 'name': 'mineralocorticoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mineralocorticoids, hormonal C21 corticosteroids synthesized from cholesterol. [ISBN:0198506732]' - }, - 'GO:0006706': { - 'name': 'steroid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of steroids, compounds with a 1,2,cyclopentanoperhydrophenanthrene nucleus. [GOC:go_curators]' - }, - 'GO:0006707': { - 'name': 'cholesterol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:ai]' - }, - 'GO:0006708': { - 'name': 'ecdysone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ecdysone, (22R)-2-beta,3-beta,14,22,25-pentahydroxycholest-7-en-6-one, an ecdysteroid found in insects. [ISBN:0198506732]' - }, - 'GO:0006709': { - 'name': 'progesterone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of progesterone, a steroid hormone produced in the ovary which prepares and maintains the uterus for pregnancy. Also found in plants. [GOC:jl, http://www.cogsci.princeton.edu/]' - }, - 'GO:0006710': { - 'name': 'androgen catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of androgens, C19 steroid hormones that can stimulate the development of male sexual characteristics. [ISBN:0198506732]' - }, - 'GO:0006711': { - 'name': 'estrogen catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of estrogens, C18 steroid hormones that can stimulate the development of female sexual characteristics. Also found in plants. [ISBN:0198506732]' - }, - 'GO:0006712': { - 'name': 'mineralocorticoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mineralocorticoids, hormonal C21 corticosteroids synthesized from cholesterol. [ISBN:0198506732]' - }, - 'GO:0006713': { - 'name': 'glucocorticoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucocorticoids, hormonal C21 corticosteroids synthesized from cholesterol. [ISBN:0198506732]' - }, - 'GO:0006714': { - 'name': 'sesquiterpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving sesquiterpenoid compounds, terpenoids with three isoprene units. [ISBN:0198547684]' - }, - 'GO:0006715': { - 'name': 'farnesol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the sesquiterpenoid alcohol farnesol, 3,7,11-trimethyl-2,6,10,dodecatrien-1-ol. [ISBN:0198547684]' - }, - 'GO:0006716': { - 'name': 'juvenile hormone metabolic process', - 'def': 'The chemical reactions and pathways involving juvenile hormones, the three sesquiterpenoid derivatives that function to maintain the larval state of insects at molting and that may be required for other processes, e.g. oogenesis. [GOC:go_curators, ISBN:0198547684]' - }, - 'GO:0006717': { - 'name': 'obsolete juvenile hormone binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006718': { - 'name': 'juvenile hormone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of juvenile hormones, the three sesquiterpenoid derivatives that function to maintain the larval state of insects at molting and that may be required for other processes, e.g. oogenesis. [GOC:go_curators, ISBN:0198547684]' - }, - 'GO:0006719': { - 'name': 'juvenile hormone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of juvenile hormones, the three sesquiterpenoid derivatives that function to maintain the larval state of insects at molting and that may be required for other processes, e.g. oogenesis. [GOC:go_curators, ISBN:0198547684]' - }, - 'GO:0006720': { - 'name': 'isoprenoid metabolic process', - 'def': 'The chemical reactions and pathways involving isoprenoid compounds, isoprene (2-methylbuta-1,3-diene) or compounds containing or derived from linked isoprene (3-methyl-2-butenylene) residues. [ISBN:0198547684]' - }, - 'GO:0006721': { - 'name': 'terpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving terpenoids, any member of a class of compounds characterized by an isoprenoid chemical structure and including derivatives with various functional groups. [ISBN:0198506732]' - }, - 'GO:0006722': { - 'name': 'triterpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving triterpenoid compounds, terpenoids with six isoprene units. [ISBN:0198547684]' - }, - 'GO:0006723': { - 'name': 'cuticle hydrocarbon biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hydrocarbons that make up the cuticle, the outer layer of some animals and plants, which acts to prevent water loss. [GOC:ai]' - }, - 'GO:0006725': { - 'name': 'cellular aromatic compound metabolic process', - 'def': 'The chemical reactions and pathways involving aromatic compounds, any organic compound characterized by one or more planar rings, each of which contains conjugated double bonds and delocalized pi electrons, as carried out by individual cells. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0006726': { - 'name': 'eye pigment biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of eye pigments, any general or particular coloring matter in living organisms, found or utilized in the eye. [GOC:ai]' - }, - 'GO:0006727': { - 'name': 'ommochrome biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ommochromes, any of a large group of natural polycyclic pigments commonly found in the Arthropoda, particularly in the ommatidia of the compound eye. [ISBN:0198506732]' - }, - 'GO:0006728': { - 'name': 'pteridine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pteridine, pyrazino(2,3-dipyrimidine), the parent structure of pterins and the pteroyl group. [ISBN:0198506732]' - }, - 'GO:0006729': { - 'name': 'tetrahydrobiopterin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tetrahydrobiopterin, the reduced form of biopterin (2-amino-4-hydroxy-6-(1,2-dihydroxypropyl)-pteridine). It functions as a hydroxylation coenzyme, e.g. in the conversion of phenylalanine to tyrosine. [CHEBI:15372, GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006730': { - 'name': 'one-carbon metabolic process', - 'def': 'The chemical reactions and pathways involving the transfer of one-carbon units in various oxidation states. [GOC:hjd, GOC:mah, GOC:pde]' - }, - 'GO:0006731': { - 'name': 'obsolete coenzyme and prosthetic group metabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways involving coenzymes and prosthetic groups. [GOC:ai]' - }, - 'GO:0006732': { - 'name': 'coenzyme metabolic process', - 'def': 'The chemical reactions and pathways involving coenzymes, any of various nonprotein organic cofactors that are required, in addition to an enzyme and a substrate, for an enzymatic reaction to proceed. [ISBN:0198506732]' - }, - 'GO:0006733': { - 'name': 'oxidoreduction coenzyme metabolic process', - 'def': 'The chemical reactions and pathways involving coenzymes that are required, in addition to an enzyme and a substrate, for an oxidoreductase reaction to proceed. [GOC:mah]' - }, - 'GO:0006734': { - 'name': 'NADH metabolic process', - 'def': 'The chemical reactions and pathways involving reduced nicotinamide adenine dinucleotide (NADH), a coenzyme present in most living cells and derived from the B vitamin nicotinic acid. [GOC:jl, ISBN:0618254153]' - }, - 'GO:0006735': { - 'name': 'NADH regeneration', - 'def': 'A metabolic process that generates a pool of NADH by the reduction of NAD+. [GOC:mah]' - }, - 'GO:0006738': { - 'name': 'nicotinamide riboside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nicotinamide riboside, the product of the formation of a glycosidic bond between ribose and nicotinamide. [ISBN:0198506732]' - }, - 'GO:0006739': { - 'name': 'NADP metabolic process', - 'def': 'The chemical reactions and pathways involving nicotinamide-adenine dinucleotide phosphate, a coenzyme involved in many redox and biosynthetic reactions; metabolism may be of either the oxidized form, NADP, or the reduced form, NADPH. [GOC:mah]' - }, - 'GO:0006740': { - 'name': 'NADPH regeneration', - 'def': 'A metabolic process that generates a pool of NADPH by the reduction of NADP+. [GOC:mah]' - }, - 'GO:0006741': { - 'name': 'NADP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide-adenine dinucleotide phosphate, a coenzyme involved in many redox and biosynthetic reactions; biosynthesis may be of either the oxidized form, NADP, or the reduced form, NADPH. [GOC:mah]' - }, - 'GO:0006742': { - 'name': 'NADP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nicotinamide-adenine dinucleotide phosphate, a coenzyme involved in many redox and biosynthetic reactions; catabolism may be of either the oxidized form, NADP, or the reduced form, NADPH. [GOC:mah]' - }, - 'GO:0006743': { - 'name': 'ubiquinone metabolic process', - 'def': 'The chemical reactions and pathways involving ubiquinone, a lipid-soluble electron-transporting coenzyme. [GOC:mah]' - }, - 'GO:0006744': { - 'name': 'ubiquinone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ubiquinone, a lipid-soluble electron-transporting coenzyme. [GOC:mah]' - }, - 'GO:0006746': { - 'name': 'FADH2 metabolic process', - 'def': 'The chemical reactions and pathways involving the reduced form of flavin adenine dinucleotide. [CHEBI:17877, GOC:ai]' - }, - 'GO:0006747': { - 'name': 'FAD biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of FAD, the oxidized form of flavin-adenine dinucleotide. [CHEBI:16238, GOC:ai, ISBN:0198506732]' - }, - 'GO:0006748': { - 'name': 'lipoamide metabolic process', - 'def': 'The chemical reactions and pathways involving lipoamide, the functional form of lipoic acid in which the carboxyl group is attached to protein by an amide linkage to a lysine amino group. [CHEBI:17460, GOC:go_curators]' - }, - 'GO:0006749': { - 'name': 'glutathione metabolic process', - 'def': 'The chemical reactions and pathways involving glutathione, the tripeptide glutamylcysteinylglycine, which acts as a coenzyme for some enzymes and as an antioxidant in the protection of sulfhydryl groups in enzymes and other proteins; it has a specific role in the reduction of hydrogen peroxide (H2O2) and oxidized ascorbate, and it participates in the gamma-glutamyl cycle. [CHEBI:16856, ISBN:0198506732]' - }, - 'GO:0006750': { - 'name': 'glutathione biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glutathione, the tripeptide glutamylcysteinylglycine, which acts as a coenzyme for some enzymes and as an antioxidant in the protection of sulfhydryl groups in enzymes and other proteins. [CHEBI:16856, GOC:ai, GOC:al, GOC:pde, ISBN:0198506732]' - }, - 'GO:0006751': { - 'name': 'glutathione catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutathione, the tripeptide glutamylcysteinylglycine, which acts as a coenzyme for some enzymes and as an antioxidant in the protection of sulfhydryl groups in enzymes and other proteins. [CHEBI:16856, GOC:ai, ISBN:0198506732]' - }, - 'GO:0006753': { - 'name': 'nucleoside phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving any phosphorylated nucleoside. [GOC:mah]' - }, - 'GO:0006754': { - 'name': 'ATP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of ATP, adenosine 5'-triphosphate, a universally important coenzyme and enzyme regulator. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0006755': { - 'name': 'obsolete carbamoyl phosphate-ADP transphosphorylation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0006756': { - 'name': 'AMP phosphorylation', - 'def': 'The process of introducing a phosphate group into AMP, adenosine monophosphate, to produce ADP. Addition of two phosphate groups produces ATP. [GOC:ai]' - }, - 'GO:0006757': { - 'name': 'ATP generation from ADP', - 'def': 'The process of introducing a phosphate group into ADP, adenosine diphosphate, to produce ATP. [GOC:ai]' - }, - 'GO:0006760': { - 'name': 'folic acid-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a folic acid-containing compound, i.e. any of a group of heterocyclic compounds based on the pteroic acid skeleton conjugated with one or more L-glutamic acid or L-glutamate units. [CHEBI:37445, GOC:ai, GOC:mah]' - }, - 'GO:0006761': { - 'name': 'dihydrofolate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dihydrofolate, the dihydroxylated derivative of folate. [GOC:ai]' - }, - 'GO:0006762': { - 'name': 'obsolete dihydrofolate reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006766': { - 'name': 'vitamin metabolic process', - 'def': 'The chemical reactions and pathways involving vitamins. Vitamin is a general term for a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. Vitamins may be water-soluble or fat-soluble and usually serve as components of coenzyme systems. [GOC:ai]' - }, - 'GO:0006767': { - 'name': 'water-soluble vitamin metabolic process', - 'def': 'The chemical reactions and pathways involving any of a diverse group of vitamins that are soluble in water. [GOC:jl]' - }, - 'GO:0006768': { - 'name': 'biotin metabolic process', - 'def': 'The chemical reactions and pathways involving biotin, cis-tetrahydro-2-oxothieno(3,4-d)imidazoline-4-valeric acid; the (+) enantiomer is very widely distributed in cells and serves as a carrier in a number of enzymatic beta-carboxylation reactions. [ISBN:0198506732]' - }, - 'GO:0006769': { - 'name': 'nicotinamide metabolic process', - 'def': 'The chemical reactions and pathways involving nicotinamide, pyridine-3-carboxamide, the amide of nicotinic acid. It is a member of the B complex of vitamins and occurs widely in living organisms. [ISBN:0198506732]' - }, - 'GO:0006771': { - 'name': 'riboflavin metabolic process', - 'def': 'The chemical reactions and pathways involving riboflavin (vitamin B2), the precursor for the coenzymes flavin mononucleotide (FMN) and flavin adenine dinucleotide (FAD). [GOC:jl, http://www.indstate.edu/thcme/mwking/vitamins.html]' - }, - 'GO:0006772': { - 'name': 'thiamine metabolic process', - 'def': 'The chemical reactions and pathways involving thiamine (vitamin B1), a water soluble vitamin present in fresh vegetables and meats, especially liver. [CHEBI:18385, GOC:jl, ISBN:0198506732]' - }, - 'GO:0006774': { - 'name': 'obsolete vitamin B12 reduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006775': { - 'name': 'fat-soluble vitamin metabolic process', - 'def': 'The chemical reactions and pathways involving of any of a diverse group of vitamins that are soluble in organic solvents and relatively insoluble in water. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006776': { - 'name': 'vitamin A metabolic process', - 'def': 'The chemical reactions and pathways involving any of the vitamin A compounds, retinol, retinal (retinaldehyde) and retinoic acid, all of which are derivatives of beta-carotene. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0006777': { - 'name': 'Mo-molybdopterin cofactor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the Mo-molybdopterin cofactor, essential for the catalytic activity of some enzymes. The cofactor consists of a mononuclear molybdenum (Mo) ion coordinated by one or two molybdopterin ligands. [http://www.sunysb.edu/biochem/BIOCHEM/facultypages/schindelin/, ISSN:09498257, PMID:22370186, PMID:23201473]' - }, - 'GO:0006778': { - 'name': 'porphyrin-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving any member of a large group of derivatives or analogs of porphyrin. Porphyrins consists of a ring of four pyrrole nuclei linked each to the next at their alpha positions through a methine group. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006779': { - 'name': 'porphyrin-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any member of a large group of derivatives or analogs of porphyrin. Porphyrin consists of a ring of four pyrrole nuclei linked each to the next at their alpha positions through a methine group. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006780': { - 'name': 'uroporphyrinogen III biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of uroporphyrinogen III. [GOC:ai]' - }, - 'GO:0006781': { - 'name': 'succinyl-CoA pathway', - 'def': 'The chemical reactions that utilize succinyl-CoA in the synthesis of protoporphyrin IX. [GOC:isa_complete, ISBN:0879010479]' - }, - 'GO:0006782': { - 'name': 'protoporphyrinogen IX biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of protoporphyrinogen IX. [GOC:go_curators]' - }, - 'GO:0006783': { - 'name': 'heme biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of heme, any compound of iron complexed in a porphyrin (tetrapyrrole) ring, from less complex precursors. [GOC:jl]' - }, - 'GO:0006784': { - 'name': 'heme a biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of heme a, a derivative of heme found in cytochrome aa3. [CHEBI:24479, GOC:ai]' - }, - 'GO:0006785': { - 'name': 'heme b biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of heme b, a Fe(II) porphyrin complex readily isolated from the hemoglobin of beef blood, but also found in other proteins including other hemoglobins, myoglobins, cytochromes P-450, catalases, peroxidases as well as b type cytochromes. [GOC:yaf, http://www.chem.qmul.ac.uk/iupac/bioinorg/PR.html#25, UniPathway:UPA00252]' - }, - 'GO:0006786': { - 'name': 'heme c biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of heme c, a derivative of heme found in cytochromes c, b4, and f. [GOC:curators, PubChem_Compound:122208]' - }, - 'GO:0006787': { - 'name': 'porphyrin-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any member of a large group of derivatives or analogs of porphyrin. Porphyrin consists of a ring of four pyrrole nuclei linked each to the next at their alpha positions through a methine group. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0006788': { - 'name': 'heme oxidation', - 'def': 'The chemical reactions and pathways resulting in the loss of electrons from one or more atoms in heme. [GOC:mah]' - }, - 'GO:0006789': { - 'name': 'bilirubin conjugation', - 'def': 'The chemical reactions and pathways resulting in the formation of bilirubin monoglucuronide or bilirubin diglucuronide, water-soluble derivatives of bilirubin. [DOI:10.1016/0305-0491(80)90243-6]' - }, - 'GO:0006790': { - 'name': 'sulfur compound metabolic process', - 'def': 'The chemical reactions and pathways involving the nonmetallic element sulfur or compounds that contain sulfur, such as the amino acids methionine and cysteine or the tripeptide glutathione. [GOC:ai]' - }, - 'GO:0006791': { - 'name': 'sulfur utilization', - 'def': "A series of processes that forms an integrated mechanism by which a cell or an organism detects the depletion of primary sulfur sources and then activates genes to scavenge the last traces of the primary sulfur source and to transport and metabolize alternate sulfur sources. The utilization process begins when the cell or organism detects sulfur levels, includes the activation of genes whose products detect, transport or metabolize sulfur-containing compounds, and ends when the sulfur is incorporated into the cell or organism's metabolism. [GOC:mah, GOC:mlg]" - }, - 'GO:0006792': { - 'name': 'regulation of sulfur utilization', - 'def': 'Any process that modulates the frequency, rate or extent of sulfur utilization. [GOC:go_curators]' - }, - 'GO:0006793': { - 'name': 'phosphorus metabolic process', - 'def': 'The chemical reactions and pathways involving the nonmetallic element phosphorus or compounds that contain phosphorus, usually in the form of a phosphate group (PO4). [GOC:ai]' - }, - 'GO:0006794': { - 'name': 'phosphorus utilization', - 'def': "A series of processes that forms an integrated mechanism by which a cell or an organism detects the depletion of primary phosphorus source and then activates genes to scavenge the last traces of the primary phosphorus source and to transport and metabolize alternative phosphorus sources. The utilization process begins when the cell or organism detects phosphorus levels, includes the phosphorus-containing substances, and ends when phosphorus is incorporated into the cell or organism's metabolism. [GOC:mah, GOC:mlg]" - }, - 'GO:0006795': { - 'name': 'regulation of phosphorus utilization', - 'def': 'Any process that modulates the frequency, rate or extent of phosphorus utilization. [GOC:go_curators]' - }, - 'GO:0006796': { - 'name': 'phosphate-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving the phosphate group, the anion or salt of any phosphoric acid. [GOC:ai]' - }, - 'GO:0006797': { - 'name': 'polyphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a polyphosphate, the anion or salt of polyphosphoric acid. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006798': { - 'name': 'polyphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a polyphosphate, the anion or salt of polyphosphoric acid. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0006799': { - 'name': 'polyphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a polyphosphate, the anion or salt of polyphosphoric acid. [ISBN:0198506732]' - }, - 'GO:0006800': { - 'name': 'obsolete oxygen and reactive oxygen species metabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways involving dioxygen (O2), or any of the reactive oxygen species, e.g. superoxide anions (O2-), hydrogen peroxide (H2O2), and hydroxyl radicals (-OH). [GOC:jl, PMID:12115731]' - }, - 'GO:0006801': { - 'name': 'superoxide metabolic process', - 'def': 'The chemical reactions and pathways involving superoxide, the superoxide anion O2- (superoxide free radical), or any compound containing this species. [CHEBI:18421, GOC:jl]' - }, - 'GO:0006802': { - 'name': 'obsolete catalase reaction', - 'def': 'OBSOLETE. The processes involved in the induction or activation of catalase, an enzyme that catalyzes the conversion of H2O2 into H2O. [GOC:jl, PMID:11245904]' - }, - 'GO:0006803': { - 'name': 'obsolete glutathione conjugation reaction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006804': { - 'name': 'obsolete peroxidase reaction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006805': { - 'name': 'xenobiotic metabolic process', - 'def': 'The chemical reactions and pathways involving a xenobiotic compound, a compound foreign to living organisms. Used of chemical compounds, e.g. a xenobiotic chemical, such as a pesticide. [GOC:cab2]' - }, - 'GO:0006806': { - 'name': 'obsolete insecticide resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006807': { - 'name': 'nitrogen compound metabolic process', - 'def': 'The chemical reactions and pathways involving organic or inorganic compounds that contain nitrogen, including (but not limited to) nitrogen fixation, nitrification, denitrification, assimilatory/dissimilatory nitrate reduction and the interconversion of nitrogenous organic matter and ammonium. [CHEBI:51143, GOC:go_curators, GOC:jl, ISBN:0198506732]' - }, - 'GO:0006808': { - 'name': 'regulation of nitrogen utilization', - 'def': 'Any process that modulates the frequency, rate or extent of nitrogen utilization. [GOC:go_curators]' - }, - 'GO:0006809': { - 'name': 'nitric oxide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nitric oxide, nitrogen monoxide (NO), a colorless gas only slightly soluble in water. [GOC:ai]' - }, - 'GO:0006810': { - 'name': 'transport', - 'def': 'The directed movement of substances (such as macromolecules, small molecules, ions) or cellular components (such as complexes and organelles) into, out of or within a cell, or between cells, or within a multicellular organism by means of some agent such as a transporter, pore or motor protein. [GOC:dos, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0006811': { - 'name': 'ion transport', - 'def': 'The directed movement of charged atoms or small charged molecules into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006812': { - 'name': 'cation transport', - 'def': 'The directed movement of cations, atoms or small molecules with a net positive charge, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006813': { - 'name': 'potassium ion transport', - 'def': 'The directed movement of potassium ions (K+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006814': { - 'name': 'sodium ion transport', - 'def': 'The directed movement of sodium ions (Na+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006815': { - 'name': 'obsolete sodium/potassium transport', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006816': { - 'name': 'calcium ion transport', - 'def': 'The directed movement of calcium (Ca) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006817': { - 'name': 'phosphate ion transport', - 'def': 'The directed movement of phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0006818': { - 'name': 'hydrogen transport', - 'def': 'The directed movement of hydrogen (H2 or H+), into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0006820': { - 'name': 'anion transport', - 'def': 'The directed movement of anions, atoms or small molecules with a net negative charge, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006821': { - 'name': 'chloride transport', - 'def': 'The directed movement of chloride into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0006823': { - 'name': 'obsolete heavy metal ion transport', - 'def': 'OBSOLETE. The directed movement of heavy metal ions into, out of or within a cell, or between cells. Heavy metals are those that can form a coordination bond with a protein, as opposed to an alkali or alkaline-earth metal that can only form an ionic bond; this definition includes the following biologically relevant heavy metals: Cd, Co, Cu, Fe, Hg, Mn, Mo, Ni, V, W, Zn. [GOC:kd, GOC:mah]' - }, - 'GO:0006824': { - 'name': 'cobalt ion transport', - 'def': 'The directed movement of cobalt (Co) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006825': { - 'name': 'copper ion transport', - 'def': 'The directed movement of copper (Cu) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006826': { - 'name': 'iron ion transport', - 'def': 'The directed movement of iron (Fe) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006827': { - 'name': 'high-affinity iron ion transmembrane transport', - 'def': 'A process in which an iron ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0006828': { - 'name': 'manganese ion transport', - 'def': 'The directed movement of manganese (Mn) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006829': { - 'name': 'zinc II ion transport', - 'def': 'The directed movement of zinc (Zn II) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006830': { - 'name': 'high-affinity zinc II ion transport', - 'def': 'The directed, high-affinity movement of zinc (Zn II) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0006831': { - 'name': 'low-affinity zinc II ion transport', - 'def': 'The directed, low-affinity movement of zinc (Zn II) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. In low-affinity transport the transporter is able to bind the solute only if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0006832': { - 'name': 'obsolete small molecule transport', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006833': { - 'name': 'water transport', - 'def': 'The directed movement of water (H2O) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006835': { - 'name': 'dicarboxylic acid transport', - 'def': 'The directed movement of dicarboxylic acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0006836': { - 'name': 'neurotransmitter transport', - 'def': 'The directed movement of a neurotransmitter into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Neurotransmitters are any chemical substance that is capable of transmitting (or inhibiting the transmission of) a nerve impulse from a neuron to another cell. [GOC:ai]' - }, - 'GO:0006837': { - 'name': 'serotonin transport', - 'def': 'The directed movement of serotonin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Serotonin (5-hydroxytryptamine) is a monoamine neurotransmitter occurring in the peripheral and central nervous systems. [GOC:ai]' - }, - 'GO:0006838': { - 'name': 'obsolete allantoin/allantoate transport', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006839': { - 'name': 'mitochondrial transport', - 'def': 'Transport of substances into, out of or within a mitochondrion. [GOC:ai]' - }, - 'GO:0006840': { - 'name': 'obsolete mitochondrial alpha-ketoglutarate/malate transport', - 'def': 'OBSOLETE. The directed movement of alpha-ketoglutarate and malate into, out of or within a mitochondrion. [GOC:ai]' - }, - 'GO:0006842': { - 'name': 'tricarboxylic acid transport', - 'def': 'The directed movement of tricarboxylic acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0006843': { - 'name': 'mitochondrial citrate transport', - 'def': 'The directed movement of citrate, 2-hydroxy-1,2,3-propanetricarboyxlate, into, out of or within a mitochondrion. [GOC:ai]' - }, - 'GO:0006844': { - 'name': 'acyl carnitine transport', - 'def': 'The directed movement of acyl carnitine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Acyl carnitine is the condensation product of a carboxylic acid and carnitine and is the transport form for a fatty acid crossing the mitochondrial membrane. [GOC:ai]' - }, - 'GO:0006845': { - 'name': 'obsolete mitochondrial aspartate/glutamate transport', - 'def': 'OBSOLETE. The directed movement of aspartate and glutamate into, out of or within a mitochondrion. [GOC:ai]' - }, - 'GO:0006846': { - 'name': 'acetate transport', - 'def': 'The directed movement of acetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0006847': { - 'name': 'plasma membrane acetate transport', - 'def': 'The directed movement of acetate across a plasma membrane. [GOC:ai]' - }, - 'GO:0006848': { - 'name': 'pyruvate transport', - 'def': 'The directed movement of pyruvate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0006849': { - 'name': 'plasma membrane pyruvate transport', - 'def': 'The directed movement of pyruvate, 2-oxopropanoate, across a plasma membrane. [GOC:ai]' - }, - 'GO:0006850': { - 'name': 'mitochondrial pyruvate transport', - 'def': 'The directed movement of pyruvate, 2-oxopropanoate, into, out of or within a mitochondrion. [GOC:ai]' - }, - 'GO:0006851': { - 'name': 'mitochondrial calcium ion transport', - 'def': 'The directed movement of calcium ions (Ca2+) into, out of or within a mitochondrion. [GOC:ai]' - }, - 'GO:0006852': { - 'name': 'obsolete mitochondrial sodium/calcium ion exchange', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0006853': { - 'name': 'carnitine shuttle', - 'def': 'The transfer of acyl groups to and from acyl-CoA molecules to form O-acylcarnitine, which can exchange across the mitochondrial inner membrane with unacylated carnitine. [ISBN:0198547684]' - }, - 'GO:0006854': { - 'name': 'obsolete ATP/ADP exchange', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0006855': { - 'name': 'drug transmembrane transport', - 'def': 'The process in which a drug is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:ai, GOC:bf]' - }, - 'GO:0006856': { - 'name': 'eye pigment precursor transport', - 'def': 'The directed movement of eye pigment precursors, the inactive forms of visual pigments, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006857': { - 'name': 'oligopeptide transport', - 'def': 'The directed movement of oligopeptides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Oligopeptides are molecules that contain a small number (2 to 20) of amino-acid residues connected by peptide linkages. [ISBN:0198506732]' - }, - 'GO:0006858': { - 'name': 'extracellular transport', - 'def': 'The transport of substances that occurs outside cells. [GOC:go_curators]' - }, - 'GO:0006859': { - 'name': 'extracellular carbohydrate transport', - 'def': 'The directed extracellular movement of carbohydrates. [GOC:ai]' - }, - 'GO:0006860': { - 'name': 'extracellular amino acid transport', - 'def': 'The directed extracellular movement of amino acids. [GOC:ai]' - }, - 'GO:0006862': { - 'name': 'nucleotide transport', - 'def': 'The directed movement of a nucleotide, any compound consisting of a nucleoside that is esterified with (ortho)phosphate, into, out of or within a cell. [ISBN:0198506732]' - }, - 'GO:0006863': { - 'name': 'purine nucleobase transport', - 'def': 'The directed movement of purine bases, one of the two classes of nitrogen-containing ring compounds found in DNA and RNA, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:26386, ISBN:0198506732]' - }, - 'GO:0006864': { - 'name': 'pyrimidine nucleotide transport', - 'def': 'The directed movement of a pyrimidine nucleotide, any compound consisting of a pyrimidine nucleoside esterified with (ortho)phosphate, into, out of or within a cell. [GOC:ai]' - }, - 'GO:0006865': { - 'name': 'amino acid transport', - 'def': 'The directed movement of amino acids, organic acids containing one or more amino substituents, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006867': { - 'name': 'asparagine transport', - 'def': 'The directed movement of asparagine, alpha-aminosuccinamic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006868': { - 'name': 'glutamine transport', - 'def': 'The directed movement of glutamine, 2-amino-4-carbamoylbutanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0006869': { - 'name': 'lipid transport', - 'def': 'The directed movement of lipids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Lipids are compounds soluble in an organic solvent but not, or sparingly, in an aqueous solvent. [ISBN:0198506732]' - }, - 'GO:0006873': { - 'name': 'cellular ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of ions at the level of a cell. [GOC:mah]' - }, - 'GO:0006874': { - 'name': 'cellular calcium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of calcium ions at the level of a cell. [GOC:ceb, GOC:mah]' - }, - 'GO:0006875': { - 'name': 'cellular metal ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of metal ions at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0006876': { - 'name': 'cellular cadmium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of cadmium ions at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0006877': { - 'name': 'cellular cobalt ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of cobalt ions at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0006878': { - 'name': 'cellular copper ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of copper ions at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0006879': { - 'name': 'cellular iron ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of iron ions at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0006880': { - 'name': 'intracellular sequestering of iron ion', - 'def': 'The process of binding or confining iron ions in an intracellular area such that they are separated from other components of a biological system. [GOC:ai]' - }, - 'GO:0006881': { - 'name': 'extracellular sequestering of iron ion', - 'def': 'The process of binding or confining iron ions in an extracellular area such that they are separated from other components of a biological system. [GOC:ai, GOC:cjm]' - }, - 'GO:0006882': { - 'name': 'cellular zinc ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of zinc ions at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0006883': { - 'name': 'cellular sodium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of sodium ions at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0006884': { - 'name': 'cell volume homeostasis', - 'def': "Any process involved in maintaining the steady state of a cell's volume. The cell's volume refers to the three-dimensional space occupied by a cell. [GOC:dph, GOC:go_curators, GOC:tb]" - }, - 'GO:0006885': { - 'name': 'regulation of pH', - 'def': 'Any process involved in the maintenance of an internal equilibrium of hydrogen ions, thereby modulating the internal pH, within an organism or cell. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0006886': { - 'name': 'intracellular protein transport', - 'def': 'The directed movement of proteins in a cell, including the movement of proteins between specific compartments or structures within a cell, such as organelles of a eukaryotic cell. [GOC:mah]' - }, - 'GO:0006887': { - 'name': 'exocytosis', - 'def': 'A process of secretion by a cell that results in the release of intracellular molecules (e.g. hormones, matrix proteins) contained within a membrane-bounded vesicle by fusion of the vesicle with the plasma membrane of a cell. This process begins with steps that prepare vesicles for fusion with the membrane (tethering and docking) and ends when vesicle fusion is complete. This is the process in which most molecules are secreted from eukaryotic cells. [GOC:mah, ISBN:0716731363]' - }, - 'GO:0006888': { - 'name': 'ER to Golgi vesicle-mediated transport', - 'def': 'The directed movement of substances from the endoplasmic reticulum (ER) to the Golgi, mediated by COP II vesicles. Small COP II coated vesicles form from the ER and then fuse directly with the cis-Golgi. Larger structures are transported along microtubules to the cis-Golgi. [GOC:ascb_2009, GOC:dph, GOC:jp, GOC:tb, ISBN:0716731363]' - }, - 'GO:0006889': { - 'name': 'obsolete regulation of calcium in ER', - 'def': 'OBSOLETE. Any process that modulates the concentration of calcium in the endoplasmic reticulum. [GOC:go_curators]' - }, - 'GO:0006890': { - 'name': 'retrograde vesicle-mediated transport, Golgi to ER', - 'def': 'The directed movement of substances from the Golgi back to the endoplasmic reticulum, mediated by vesicles bearing specific protein coats such as COPI or COG. [ISBN:0716731363, PMID:16510524]' - }, - 'GO:0006891': { - 'name': 'intra-Golgi vesicle-mediated transport', - 'def': 'The directed movement of substances within the Golgi, mediated by small transport vesicles. These either fuse with the cis-Golgi or with each other to form the membrane stacks known as the cis-Golgi reticulum (network). [ISBN:0716731363]' - }, - 'GO:0006892': { - 'name': 'post-Golgi vesicle-mediated transport', - 'def': 'The directed movement of substances from the Golgi to other parts of the cell, including organelles and the plasma membrane, mediated by small transport vesicles. [GOC:ai, GOC:mah]' - }, - 'GO:0006893': { - 'name': 'Golgi to plasma membrane transport', - 'def': 'The directed movement of substances from the Golgi to the plasma membrane in transport vesicles that move from the trans-Golgi network to the plasma membrane, where they fuse and release their contents by exocytosis. [ISBN:0716731363]' - }, - 'GO:0006894': { - 'name': 'obsolete Golgi to secretory vesicle transport', - 'def': 'OBSOLETE. The directed movement of proteins from the Golgi to one of two types of secretory vesicle. Continuously secreted proteins are sorted into transport vesicles that fuse with the plasma membrane, releasing their contents by exocytosis. Specialized secretory cells have a second secretory pathway in which soluble proteins and other substances are initially stored in secretory vesicles for later release. [ISBN:0716731363]' - }, - 'GO:0006895': { - 'name': 'Golgi to endosome transport', - 'def': 'The directed movement of substances from the Golgi to early sorting endosomes. Clathrin vesicles transport substances from the trans-Golgi to endosomes. [GOC:jl, ISBN:0716731363, PMID:10873832]' - }, - 'GO:0006896': { - 'name': 'Golgi to vacuole transport', - 'def': 'The directed movement of substances from the Golgi to the vacuole. [GOC:ai]' - }, - 'GO:0006897': { - 'name': 'endocytosis', - 'def': 'A vesicle-mediated transport process in which cells take up external materials or membrane constituents by the invagination of a small region of the plasma membrane to form a new membrane-bounded vesicle. [GOC:mah, ISBN:0198506732, ISBN:0716731363]' - }, - 'GO:0006898': { - 'name': 'receptor-mediated endocytosis', - 'def': 'An endocytosis process in which cell surface receptors ensure specificity of transport. A specific receptor on the cell surface binds tightly to the extracellular macromolecule (the ligand) that it recognizes; the plasma-membrane region containing the receptor-ligand complex then undergoes endocytosis, forming a transport vesicle containing the receptor-ligand complex and excluding most other plasma-membrane proteins. Receptor-mediated endocytosis generally occurs via clathrin-coated pits and vesicles. [GOC:mah, ISBN:0716731363]' - }, - 'GO:0006900': { - 'name': 'membrane budding', - 'def': 'The evagination of a membrane, resulting in formation of a vesicle. [GOC:jid, GOC:tb]' - }, - 'GO:0006901': { - 'name': 'vesicle coating', - 'def': 'A protein coat is added to the vesicle to form the proper shape of the vesicle and to target the vesicle for transport to its destination. [GOC:jid]' - }, - 'GO:0006903': { - 'name': 'vesicle targeting', - 'def': 'The process in which vesicles are directed to specific destination membranes. Targeting involves coordinated interactions among cytoskeletal elements (microtubules or actin filaments), motor proteins, molecules at the vesicle membrane and target membrane surfaces, and vesicle cargo. [GOC:mah, PMID:17335816]' - }, - 'GO:0006904': { - 'name': 'vesicle docking involved in exocytosis', - 'def': 'The initial attachment of a vesicle membrane to a target membrane, mediated by proteins protruding from the membrane of the vesicle and the target membrane, that contributes to exocytosis. [GOC:jid]' - }, - 'GO:0006905': { - 'name': 'obsolete vesicle transport', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006906': { - 'name': 'vesicle fusion', - 'def': 'Fusion of the membrane of a transport vesicle with its target membrane. [GOC:jid]' - }, - 'GO:0006907': { - 'name': 'pinocytosis', - 'def': "An endocytosis process that results in the uptake of liquid material by cells from their external environment; literally 'cell drinking'. Liquid is enclosed in vesicles, called pinosomes, formed by invagination of the plasma membrane. [ISBN:0198506732]" - }, - 'GO:0006909': { - 'name': 'phagocytosis', - 'def': 'An endocytosis process that results in the engulfment of external particulate material by phagocytes. The particles are initially contained within phagocytic vacuoles (phagosomes), which then fuse with primary lysosomes to effect digestion of the particles. [ISBN:0198506732]' - }, - 'GO:0006910': { - 'name': 'phagocytosis, recognition', - 'def': 'The initial step in phagocytosis involving adhesion to bacteria, immune complexes and other particulate matter, or an apoptotic cell and based on recognition of factors such as bacterial cell wall components, opsonins like complement and antibody or protein receptors and lipids like phosphatidyl serine, and leading to intracellular signaling in the phagocytosing cell. [GOC:curators, ISBN:0781735149]' - }, - 'GO:0006911': { - 'name': 'phagocytosis, engulfment', - 'def': 'The internalization of bacteria, immune complexes and other particulate matter or of an apoptotic cell by phagocytosis, including the membrane and cytoskeletal processes required, which involves one of three mechanisms: zippering of pseudopods around a target via repeated receptor-ligand interactions, sinking of the target directly into plasma membrane of the phagocytosing cell, or induced uptake via an enhanced membrane ruffling of the phagocytosing cell similar to macropinocytosis. [GOC:curators, ISBN:0781735149]' - }, - 'GO:0006912': { - 'name': 'obsolete phagosome formation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:hjd]' - }, - 'GO:0006913': { - 'name': 'nucleocytoplasmic transport', - 'def': 'The directed movement of molecules between the nucleus and the cytoplasm. [GOC:go_curators]' - }, - 'GO:0006914': { - 'name': 'autophagy', - 'def': 'The process in which cells digest parts of their own cytoplasm; allows for both recycling of macromolecular constituents under conditions of cellular stress and remodeling the intracellular structure for cell differentiation. [GOC:autophagy, ISBN:0198547684, PMID:11099404, PMID:9412464]' - }, - 'GO:0006915': { - 'name': 'apoptotic process', - 'def': 'A programmed cell death process which begins when a cell receives an internal (e.g. DNA damage) or external signal (e.g. an extracellular death ligand), and proceeds through a series of biochemical events (signaling pathway phase) which trigger an execution phase. The execution phase is the last step of an apoptotic process, and is typically characterized by rounding-up of the cell, retraction of pseudopodes, reduction of cellular volume (pyknosis), chromatin condensation, nuclear fragmentation (karyorrhexis), plasma membrane blebbing and fragmentation of the cell into apoptotic bodies. When the execution phase is completed, the cell has died. [GOC:cjm, GOC:dhl, GOC:ecd, GOC:go_curators, GOC:mtg_apoptosis, GOC:tb, ISBN:0198506732, PMID:18846107, PMID:21494263]' - }, - 'GO:0006918': { - 'name': 'obsolete induction of apoptosis by p53', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006919': { - 'name': 'activation of cysteine-type endopeptidase activity involved in apoptotic process', - 'def': 'Any process that initiates the activity of the inactive enzyme cysteine-type endopeptidase in the context of an apoptotic process. [GOC:al, GOC:dph, GOC:jl, GOC:mtg_apoptosis, GOC:tb, PMID:14744432, PMID:18328827, Wikipedia:Caspase]' - }, - 'GO:0006920': { - 'name': 'obsolete commitment to apoptosis', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0006921': { - 'name': 'cellular component disassembly involved in execution phase of apoptosis', - 'def': 'The breakdown of structures such as organelles, proteins, or other macromolecular structures during apoptosis. [GOC:dph, GOC:mah, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0006922': { - 'name': 'obsolete cleavage of lamin involved in execution phase of apoptosis', - 'def': 'OBSOLETE. The proteolytic degradation of lamins during apoptosis, leading to the irreversible breakdown of the nuclear lamina. [GOC:mah, GOC:mtg_apoptosis, ISBN:0815332181]' - }, - 'GO:0006923': { - 'name': 'obsolete cleavage of cytoskeletal proteins involved in execution phase of apoptosis', - 'def': 'OBSOLETE. The proteolytic degradation of cytoskeletal proteins that contributes to apoptosis, leading to the collapse of cytoskeletal structures. [GOC:dph, GOC:mah, GOC:mtg_apoptosis, GOC:tb, ISBN:0815332181]' - }, - 'GO:0006924': { - 'name': 'activation-induced cell death of T cells', - 'def': 'A T cell apoptotic process that occurs towards the end of the expansion phase following the initial activation of mature T cells by antigen and is triggered by T cell receptor stimulation and signals transmitted via various surface-expressed members of the TNF receptor family such as Fas ligand, Fas, and TNF and the p55 and p75 TNF receptors. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196, PMID:12414721, PMID:12752672]' - }, - 'GO:0006925': { - 'name': 'inflammatory cell apoptotic process', - 'def': 'Any apoptotic process in an inflammatory cell, any cell participating in the inflammatory response to a foreign substance e.g. neutrophil, macrophage. [GOC:jl, GOC:mtg_apoptosis, http://www.mercksource.com/]' - }, - 'GO:0006926': { - 'name': 'obsolete virus-infected cell apoptotic process', - 'def': 'OBSOLETE. Any apoptotic process in a cell infected with a virus. [GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0006927': { - 'name': 'obsolete transformed cell apoptotic process', - 'def': 'OBSOLETE. Any apoptotic process in a transformed cell, a cell that has undergone changes manifested by escape from control mechanisms, increased growth potential, alterations in the cell surface, karyotypic abnormalities, morphological and biochemical deviations from the norm. [GOC:jl, GOC:mtg_apoptosis, MeSH:C04.697.152]' - }, - 'GO:0006928': { - 'name': 'movement of cell or subcellular component', - 'def': 'The directed, self-propelled movement of a cell or subcellular component without the involvement of an external agent such as a transporter or a pore. [GOC:dgh, GOC:dph, GOC:jl, GOC:mlg]' - }, - 'GO:0006929': { - 'name': 'substrate-dependent cell migration', - 'def': 'The orderly movement of a cell from one site to another along a substrate such as the extracellular matrix; the migrating cell forms a protrusion that attaches to the substrate. [ISBN:0815316194, PMID:11944043, PMID:14657486]' - }, - 'GO:0006930': { - 'name': 'substrate-dependent cell migration, cell extension', - 'def': 'The formation of a cell surface protrusion, such as a lamellipodium or filopodium, at the leading edge of a migrating cell. [ISBN:0815316194, PMID:11944043, PMID:14657486]' - }, - 'GO:0006931': { - 'name': 'substrate-dependent cell migration, cell attachment to substrate', - 'def': 'The formation of adhesions that stabilize protrusions at the leading edge of a migrating cell; involves integrin activation, clustering, and the recruitment of structural and signaling components to nascent adhesions. [ISBN:0815316194, PMID:11944043, PMID:14657486]' - }, - 'GO:0006932': { - 'name': 'substrate-dependent cell migration, cell contraction', - 'def': 'The translocation of the cell body forward during cell migration, mediated by tractional force on its substrate and tension in the cortical cytoskeleton. Adhesions transmit propulsive forces and serve as traction points over which the cell moves. [ISBN:0815316194, PMID:11944043, PMID:14657486]' - }, - 'GO:0006933': { - 'name': 'negative regulation of cell adhesion involved in substrate-bound cell migration', - 'def': 'The disassembly of adhesions at the front and rear of a migrating cell. At the leading edge, adhesion disassembly accompanies the formation of new protrusions; at the cell rear, it promotes tail retraction. [GOC:dph, GOC:tb, ISBN:0815316194, PMID:11944043, PMID:14657486]' - }, - 'GO:0006934': { - 'name': 'substrate-bound cell migration, adhesion receptor recycling', - 'def': 'The directed movement of accumulated adhesion components such as integrins from the rear of a migrating cell toward the cell front, where they are available to form new protrusions and adhesions. [PMID:11944043]' - }, - 'GO:0006935': { - 'name': 'chemotaxis', - 'def': 'The directed movement of a motile cell or organism, or the directed growth of a cell guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). [ISBN:0198506732]' - }, - 'GO:0006936': { - 'name': 'muscle contraction', - 'def': 'A process in which force is generated within muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. [GOC:ef, GOC:mtg_muscle, ISBN:0198506732]' - }, - 'GO:0006937': { - 'name': 'regulation of muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of muscle contraction. [GOC:go_curators]' - }, - 'GO:0006939': { - 'name': 'smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. Smooth muscle differs from striated muscle in the much higher actin/myosin ratio, the absence of conspicuous sarcomeres and the ability to contract to a much smaller fraction of its resting length. [GOC:ef, GOC:jl, GOC:mtg_muscle, ISBN:0198506732]' - }, - 'GO:0006940': { - 'name': 'regulation of smooth muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of smooth muscle contraction. [GOC:go_curators]' - }, - 'GO:0006941': { - 'name': 'striated muscle contraction', - 'def': 'A process in which force is generated within striated muscle tissue, resulting in the shortening of the muscle. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. Striated muscle is a type of muscle in which the repeating units (sarcomeres) of the contractile myofibrils are arranged in registry throughout the cell, resulting in transverse or oblique striations observable at the level of the light microscope. [GOC:jl, GOC:mtg_muscle, ISBN:0198506732]' - }, - 'GO:0006942': { - 'name': 'regulation of striated muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of striated muscle contraction. [GOC:go_curators]' - }, - 'GO:0006943': { - 'name': 'obsolete chemi-mechanical coupling', - 'def': 'OBSOLETE. The conversion of chemical energy into mechanical work (as in the contraction of a muscle). [GOC:jid, http://www.m-w.com]' - }, - 'GO:0006945': { - 'name': 'obsolete nuclear fusion during karyogamy', - 'def': 'OBSOLETE. The fusion of two haploid nuclei to form a single diploid nucleus, as seen in the yeast mating process. [PMID:9442101]' - }, - 'GO:0006948': { - 'name': 'induction by virus of host cell-cell fusion', - 'def': 'The process of syncytia-forming cell-cell fusion, caused by a virus. [ISBN:0781718325]' - }, - 'GO:0006949': { - 'name': 'syncytium formation', - 'def': 'The formation of a syncytium, a mass of cytoplasm containing several nuclei enclosed within a single plasma membrane. Syncytia are normally derived from single cells that fuse or fail to complete cell division. [ISBN:0198506732]' - }, - 'GO:0006950': { - 'name': 'response to stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in organismal or cellular homeostasis, usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:mah]' - }, - 'GO:0006952': { - 'name': 'defense response', - 'def': 'Reactions, triggered in response to the presence of a foreign body or the occurrence of an injury, which result in restriction of damage to the organism attacked or prevention/recovery from the infection caused by the attack. [GOC:go_curators]' - }, - 'GO:0006953': { - 'name': 'acute-phase response', - 'def': 'An acute inflammatory response that involves non-antibody proteins whose concentrations in the plasma increase in response to infection or injury of homeothermic animals. [ISBN:0198506732]' - }, - 'GO:0006954': { - 'name': 'inflammatory response', - 'def': 'The immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents. The process is characterized by local vasodilation, extravasation of plasma into intercellular spaces and accumulation of white blood cells and macrophages. [GO_REF:0000022, GOC:mtg_15nov05, ISBN:0198506732]' - }, - 'GO:0006955': { - 'name': 'immune response', - 'def': 'Any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05]' - }, - 'GO:0006956': { - 'name': 'complement activation', - 'def': 'Any process involved in the activation of any of the steps of the complement cascade, which allows for the direct killing of microbes, the disposal of immune complexes, and the regulation of other immune processes; the initial steps of complement activation involve one of three pathways, the classical pathway, the alternative pathway, and the lectin pathway, all of which lead to the terminal complement pathway. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0006957': { - 'name': 'complement activation, alternative pathway', - 'def': 'Any process involved in the activation of any of the steps of the alternative pathway of the complement cascade which allows for the direct killing of microbes and the regulation of other immune processes. [GOC:add, ISBN:0781735149]' - }, - 'GO:0006958': { - 'name': 'complement activation, classical pathway', - 'def': 'Any process involved in the activation of any of the steps of the classical pathway of the complement cascade which allows for the direct killing of microbes, the disposal of immune complexes, and the regulation of other immune processes. [GOC:add, ISBN:0781735149]' - }, - 'GO:0006959': { - 'name': 'humoral immune response', - 'def': 'An immune response mediated through a body fluid. [GOC:hb, ISBN:0198506732]' - }, - 'GO:0006962': { - 'name': 'male-specific antibacterial humoral response', - 'def': 'An immune response against bacteria, specific to males and mediated through a body fluid. [GOC:go_curators]' - }, - 'GO:0006963': { - 'name': 'positive regulation of antibacterial peptide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antibacterial peptide biosynthesis. [GOC:mah, PMID:10973475]' - }, - 'GO:0006964': { - 'name': 'positive regulation of biosynthetic process of antibacterial peptides active against Gram-negative bacteria', - 'def': 'Any process that activates or increases the frequency, rate, or extent of biosynthesis of antibacterial peptides active against Gram-negative bacteria. [GOC:mah, PMID:10973475]' - }, - 'GO:0006965': { - 'name': 'positive regulation of biosynthetic process of antibacterial peptides active against Gram-positive bacteria', - 'def': 'Any process that activates or increases the frequency, rate, or extent of biosynthesis of antibacterial peptides active against Gram-positive bacteria. [GOC:mah, PMID:10973475]' - }, - 'GO:0006967': { - 'name': 'positive regulation of antifungal peptide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of antifungal peptide biosynthesis. [GOC:mah]' - }, - 'GO:0006968': { - 'name': 'cellular defense response', - 'def': 'A defense response that is mediated by cells. [GOC:ebc]' - }, - 'GO:0006969': { - 'name': 'obsolete melanotic tumor response', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:add]' - }, - 'GO:0006970': { - 'name': 'response to osmotic stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:jl]' - }, - 'GO:0006971': { - 'name': 'hypotonic response', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, a hypotonic environment, i.e. an environment with a lower concentration of solutes than the organism or cell. [GOC:jl, PMID:12598593]' - }, - 'GO:0006972': { - 'name': 'hyperosmotic response', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, a hyperosmotic environment, i.e. an environment with a higher concentration of solutes than the organism or cell. [GOC:jl, PMID:12142009]' - }, - 'GO:0006973': { - 'name': 'intracellular accumulation of glycerol', - 'def': 'The accumulation of glycerol within a cell, for example by increased glycerol biosynthesis combined with decreased permeability of the cell membrane to glycerol, in response to the detection of a hyperosmotic environment. [GOC:jl, PMID:11752666]' - }, - 'GO:0006974': { - 'name': 'cellular response to DNA damage stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating damage to its DNA from environmental insults or errors during metabolism. [GOC:go_curators]' - }, - 'GO:0006975': { - 'name': 'DNA damage induced protein phosphorylation', - 'def': 'The widespread phosphorylation of various molecules, triggering many downstream processes, that occurs in response to the detection of DNA damage. [GOC:go_curators]' - }, - 'GO:0006977': { - 'name': 'DNA damage response, signal transduction by p53 class mediator resulting in cell cycle arrest', - 'def': 'A cascade of processes induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, in response to the detection of DNA damage and resulting in the stopping or reduction in rate of the cell cycle. [GOC:go_curators]' - }, - 'GO:0006978': { - 'name': 'DNA damage response, signal transduction by p53 class mediator resulting in transcription of p21 class mediator', - 'def': 'A cascade of processes induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, resulting in the induction of the transcription of p21 (also known as WAF1, CIP1 and SDI1) or any equivalent protein, in response to the detection of DNA damage. [PMID:10967424]' - }, - 'GO:0006979': { - 'name': 'response to oxidative stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, e.g. superoxide anions, hydrogen peroxide (H2O2), and hydroxyl radicals. [GOC:jl, PMID:12115731]' - }, - 'GO:0006981': { - 'name': 'activation of SoxR protein', - 'def': 'The conversion of the SoxR transcription factor to its active (oxidized) form. [GOC:jl, PMID:8816757]' - }, - 'GO:0006982': { - 'name': 'response to lipid hydroperoxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipid hydroperoxide stimulus. Lipid hydroperoxide is the highly reactive primary oxygenated products of polyunsaturated fatty acids. [GOC:jl, PMID:10944149]' - }, - 'GO:0006983': { - 'name': 'ER overload response', - 'def': 'The series of molecular signals generated by the accumulation of normal or misfolded proteins in the endoplasmic reticulum and leading to activation of transcription by NF-kappaB. [PMID:10390516]' - }, - 'GO:0006984': { - 'name': 'ER-nucleus signaling pathway', - 'def': 'Any series of molecular signals that conveys information from the endoplasmic reticulum to the nucleus, usually resulting in a change in transcriptional regulation. [GOC:mah]' - }, - 'GO:0006985': { - 'name': 'positive regulation of NF-kappaB transcription factor activity by ER overload response', - 'def': 'The conversion of inactive NF-kappaB to the active form, thereby allowing it to activate transcription of target genes, as a result of signaling from the endoplasmic reticulum. [GOC:dph, GOC:mah, GOC:tb, PMID:10390516]' - }, - 'GO:0006986': { - 'name': 'response to unfolded protein', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an unfolded protein stimulus. [GOC:jl]' - }, - 'GO:0006987': { - 'name': 'activation of signaling protein activity involved in unfolded protein response', - 'def': 'The conversion of a specific protein, possessing protein kinase and endoribonuclease activities, to an active form as a result of signaling via the unfolded protein response. [GOC:dph, GOC:mah, GOC:tb, PMID:12042763]' - }, - 'GO:0006988': { - 'name': 'obsolete unfolded protein response, cleavage of primary transcript encoding UFP-specific transcription factor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0006989': { - 'name': 'obsolete unfolded protein response, ligation of mRNA encoding UFP-specific transcription factor by RNA ligase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0006990': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in unfolded protein response', - 'def': 'The activation of genes whose promoters contain a specific sequence elements such as the unfolded protein response element (UPRE; consensus CAGCGTG) or the ER stress-response element (ERSE; CCAAN(N)9CCACG), as a result of signaling via the unfolded protein response. [GOC:dph, GOC:mah, GOC:tb, GOC:txnOH, PMID:12042763]' - }, - 'GO:0006991': { - 'name': 'response to sterol depletion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating deprivation of sterols. Sterols are a group of steroids characterized by the presence of one or more hydroxyl groups and a hydrocarbon side-chain in the molecule. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0006995': { - 'name': 'cellular response to nitrogen starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of nitrogen. [GOC:jl]' - }, - 'GO:0006996': { - 'name': 'organelle organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an organelle within a cell. An organelle is an organized structure of distinctive morphology and function. Includes the nucleus, mitochondria, plastids, vacuoles, vesicles, ribosomes and the cytoskeleton. Excludes the plasma membrane. [GOC:mah]' - }, - 'GO:0006997': { - 'name': 'nucleus organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nucleus. [GOC:dph, GOC:ems, GOC:jl, GOC:mah]' - }, - 'GO:0006998': { - 'name': 'nuclear envelope organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nuclear envelope. [GOC:dph, GOC:ems, GOC:jl, GOC:mah]' - }, - 'GO:0006999': { - 'name': 'nuclear pore organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nuclear pore. [GOC:dph, GOC:jid, GOC:jl, GOC:mah]' - }, - 'GO:0007000': { - 'name': 'nucleolus organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nucleolus. [GOC:dph, GOC:jid, GOC:jl, GOC:mah]' - }, - 'GO:0007002': { - 'name': 'obsolete centromere binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007003': { - 'name': 'obsolete telomere binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007004': { - 'name': 'telomere maintenance via telomerase', - 'def': 'The maintenance of proper telomeric length by the addition of telomeric repeats by telomerase. [GOC:elh]' - }, - 'GO:0007005': { - 'name': 'mitochondrion organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a mitochondrion; includes mitochondrial morphogenesis and distribution, and replication of the mitochondrial genome as well as synthesis of new mitochondrial components. [GOC:dph, GOC:jl, GOC:mah, GOC:sgd_curators, PMID:9786946]' - }, - 'GO:0007006': { - 'name': 'mitochondrial membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a mitochondrial membrane, either of the lipid bilayer surrounding a mitochondrion. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007007': { - 'name': 'inner mitochondrial membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the mitochondrial inner membrane. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007008': { - 'name': 'outer mitochondrial membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the mitochondrial outer membrane. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007009': { - 'name': 'plasma membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the plasma membrane. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007010': { - 'name': 'cytoskeleton organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007011': { - 'name': 'obsolete regulation of cytoskeleton', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of the organization, biogenesis or maintenance of the cytoskeleton. [GOC:go_curators]' - }, - 'GO:0007014': { - 'name': 'actin ubiquitination', - 'def': 'The modification of actin by addition of ubiquitin groups. [GOC:mah]' - }, - 'GO:0007015': { - 'name': 'actin filament organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising actin filaments. Includes processes that control the spatial distribution of actin filaments, such as organizing filaments into meshworks, bundles, or other structures, as by cross-linking. [GOC:mah]' - }, - 'GO:0007016': { - 'name': 'cytoskeletal anchoring at plasma membrane', - 'def': 'A cytoskeleton organization process that directly or indirectly links cytoskeletal filaments to the plasma membrane. [ISBN:0198599323]' - }, - 'GO:0007017': { - 'name': 'microtubule-based process', - 'def': 'Any cellular process that depends upon or alters the microtubule cytoskeleton, that part of the cytoskeleton comprising microtubules and their associated proteins. [GOC:mah]' - }, - 'GO:0007018': { - 'name': 'microtubule-based movement', - 'def': 'A microtubule-based process that results in the movement of organelles, other microtubules, or other cellular components. Examples include motor-driven movement along microtubules and movement driven by polymerization or depolymerization of microtubules. [GOC:cjm, ISBN:0815316194]' - }, - 'GO:0007019': { - 'name': 'microtubule depolymerization', - 'def': 'The removal of tubulin heterodimers from one or both ends of a microtubule. [ISBN:0815316194]' - }, - 'GO:0007020': { - 'name': 'microtubule nucleation', - 'def': "The process in which tubulin alpha-beta heterodimers begin aggregation to form an oligomeric tubulin structure (a microtubule seed). Microtubule nucleation is the initiating step in the formation of a microtubule in the absence of any existing microtubules ('de novo' microtubule formation). [GOC:go_curators, ISBN:0815316194, PMID:12517712]" - }, - 'GO:0007021': { - 'name': 'tubulin complex assembly', - 'def': 'The aggregation and bonding together of alpha- and beta-tubulin to form a tubulin heterodimer. [GOC:mah]' - }, - 'GO:0007023': { - 'name': 'post-chaperonin tubulin folding pathway', - 'def': 'Completion of folding of alpha- and beta-tubulin; takes place subsequent to chaperonin-mediated partial folding; mediated by a complex of folding cofactors. [PMID:10542094]' - }, - 'GO:0007026': { - 'name': 'negative regulation of microtubule depolymerization', - 'def': "Any process that stops, prevents, or reduces the frequency, rate or extent of microtubule depolymerization; prevention of depolymerization of a microtubule can result from binding by 'capping' at the plus end (e.g. by interaction with another cellular protein of structure) or by exposing microtubules to a stabilizing drug such as taxol. [GOC:mah, ISBN:0815316194]" - }, - 'GO:0007027': { - 'name': 'negative regulation of axonemal microtubule depolymerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the depolymerization of the specialized microtubules of the axoneme. [GOC:dph, GOC:mah]' - }, - 'GO:0007028': { - 'name': 'cytoplasm organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the cytoplasm. The cytoplasm is all of the contents of a cell excluding the plasma membrane and nucleus, but including other subcellular structures. [GOC:curators, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007029': { - 'name': 'endoplasmic reticulum organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the endoplasmic reticulum. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007030': { - 'name': 'Golgi organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the Golgi apparatus. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007031': { - 'name': 'peroxisome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a peroxisome. A peroxisome is a small, membrane-bounded organelle that uses dioxygen (O2) to oxidize organic molecules. [GOC:mah]' - }, - 'GO:0007032': { - 'name': 'endosome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of endosomes. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007033': { - 'name': 'vacuole organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a vacuole. [GOC:mah]' - }, - 'GO:0007034': { - 'name': 'vacuolar transport', - 'def': 'The directed movement of substances into, out of or within a vacuole. [GOC:ai]' - }, - 'GO:0007035': { - 'name': 'vacuolar acidification', - 'def': 'Any process that reduces the pH of the vacuole, measured by the concentration of the hydrogen ion. [GOC:jid]' - }, - 'GO:0007036': { - 'name': 'vacuolar calcium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of calcium ions in the vacuole or between a vacuole and its surroundings. [GOC:ai, GOC:mah]' - }, - 'GO:0007037': { - 'name': 'vacuolar phosphate transport', - 'def': 'The directed movement of phosphates into, out of or within a vacuole. [GOC:ai]' - }, - 'GO:0007038': { - 'name': 'endocytosed protein transport to vacuole', - 'def': 'The directed movement of proteins imported into a cell by endocytosis to the vacuole. [GOC:ai]' - }, - 'GO:0007039': { - 'name': 'protein catabolic process in the vacuole', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein in the vacuole, usually by the action of vacuolar proteases. [GOC:mah, GOC:vw]' - }, - 'GO:0007040': { - 'name': 'lysosome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a lysosome. A lysosome is a cytoplasmic, membrane-bounded organelle that is found in most animal cells and that contains a variety of hydrolases. [GOC:mah]' - }, - 'GO:0007041': { - 'name': 'lysosomal transport', - 'def': 'The directed movement of substances into, out of or within a lysosome. [GOC:ai]' - }, - 'GO:0007042': { - 'name': 'lysosomal lumen acidification', - 'def': 'Any process that reduces the pH of the lysosomal lumen, measured by the concentration of the hydrogen ion. [GOC:jid]' - }, - 'GO:0007043': { - 'name': 'cell-cell junction assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a junction between cells. [GOC:ai]' - }, - 'GO:0007044': { - 'name': 'cell-substrate junction assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a junction between a cell and its substrate. [GOC:mah]' - }, - 'GO:0007045': { - 'name': 'cell-substrate adherens junction assembly', - 'def': 'The aggregation, arrangement, and bonding together of a set of components to form a cell-substrate adherens junction. [GOC:mah]' - }, - 'GO:0007048': { - 'name': 'obsolete oncogenesis', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007049': { - 'name': 'cell cycle', - 'def': 'The progression of biochemical and morphological phases and events that occur in a cell during successive cell replication or nuclear replication events. Canonically, the cell cycle comprises the replication and segregation of genetic material followed by the division of the cell, but in endocycles or syncytial cells nuclear replication or nuclear division may not be followed by cell division. [GOC:go_curators, GOC:mtg_cell_cycle]' - }, - 'GO:0007050': { - 'name': 'cell cycle arrest', - 'def': 'A regulatory process that halts progression through the cell cycle during one of the normal phases (G1, S, G2, M). [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0007051': { - 'name': 'spindle organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the spindle, the array of microtubules and associated molecules that forms between opposite poles of a eukaryotic cell during DNA segregation and serves to move the duplicated chromosomes apart. [GOC:go_curators, GOC:mah]' - }, - 'GO:0007052': { - 'name': 'mitotic spindle organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the microtubule spindle during a mitotic cell cycle. [GOC:go_curators, GOC:mah]' - }, - 'GO:0007053': { - 'name': 'spindle assembly involved in male meiosis', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the spindle during a meiotic cell cycle in males. An example of this is found in Drosophila melanogaster. [GOC:mah]' - }, - 'GO:0007054': { - 'name': 'spindle assembly involved in male meiosis I', - 'def': 'The formation of the spindle during meiosis I of a meiotic cell cycle in males. An example of this is found in Drosophila melanogaster. [GOC:mah]' - }, - 'GO:0007055': { - 'name': 'spindle assembly involved in male meiosis II', - 'def': 'The formation of the spindle during meiosis II of a meiotic cell cycle in males. An example of this is found in Drosophila melanogaster. [GOC:mah]' - }, - 'GO:0007056': { - 'name': 'spindle assembly involved in female meiosis', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the spindle during a meiotic cell cycle in females. An example of this is found in Drosophila melanogaster. [GOC:mah]' - }, - 'GO:0007057': { - 'name': 'spindle assembly involved in female meiosis I', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the spindle during meiosis I of a meiotic cell cycle in females. An example of this is found in Drosophila melanogaster. [GOC:mah]' - }, - 'GO:0007058': { - 'name': 'spindle assembly involved in female meiosis II', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the spindle during meiosis II of a meiotic cell cycle in females. An example of this is found in Drosophila melanogaster. [GOC:mah]' - }, - 'GO:0007059': { - 'name': 'chromosome segregation', - 'def': 'The process in which genetic material, in the form of chromosomes, is organized into specific structures and then physically separated and apportioned to two or more sets. In eukaryotes, chromosome segregation begins with the condensation of chromosomes, includes chromosome separation, and ends when chromosomes have completed movement to the spindle poles. [GOC:jl, GOC:mah, GOC:mtg_cell_cycle, GOC:vw]' - }, - 'GO:0007060': { - 'name': 'male meiosis chromosome segregation', - 'def': 'The cell cycle process in which genetic material, in the form of chromosomes, is organized and then physically separated and apportioned to two or more sets during the meiotic cell cycle in a male. [GOC:ai]' - }, - 'GO:0007062': { - 'name': 'sister chromatid cohesion', - 'def': 'The cell cycle process in which the sister chromatids of a replicated chromosome become tethered to each other. [GOC:jh, GOC:mah, ISBN:0815316194]' - }, - 'GO:0007063': { - 'name': 'regulation of sister chromatid cohesion', - 'def': 'Any process that modulates the frequency, rate or extent of sister chromatid cohesion. [GOC:go_curators]' - }, - 'GO:0007064': { - 'name': 'mitotic sister chromatid cohesion', - 'def': 'The cell cycle process in which the sister chromatids of a replicated chromosome are joined along the entire length of the chromosome, from their formation in S phase through metaphase during a mitotic cell cycle. This cohesion cycle is critical for high fidelity chromosome transmission. [GOC:ai, GOC:rn, PMID:10827941, PMID:11389843, PMID:14623866]' - }, - 'GO:0007065': { - 'name': 'male meiosis sister chromatid cohesion', - 'def': 'The joining of the sister chromatids of a replicated chromosome along the entire length of the chromosome that occurs during meiosis in a male. [GOC:ai]' - }, - 'GO:0007066': { - 'name': 'female meiosis sister chromatid cohesion', - 'def': 'The joining of the sister chromatids of a replicated chromosome along the entire length of the chromosome that occurs during meiosis in a female. [GOC:ai]' - }, - 'GO:0007067': { - 'name': 'mitotic nuclear division', - 'def': 'A mitotic cell cycle process comprising the steps by which the nucleus of a eukaryotic cell divides; the process involves condensation of chromosomal DNA into a highly compacted form. Canonically, mitosis produces two daughter nuclei whose chromosome complement is identical to that of the mother cell. [GOC:dph, GOC:ma, GOC:mah, ISBN:0198547684]' - }, - 'GO:0007068': { - 'name': 'negative regulation of transcription during mitotic cell cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0007069': { - 'name': 'negative regulation of transcription from RNA polymerase I promoter during mitotic cell cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase I promoter that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0007070': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter during mitotic cell cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase II promoter that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0007071': { - 'name': 'negative regulation of transcription from RNA polymerase III promoter during mitotic cell cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase III promoter that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0007072': { - 'name': 'positive regulation of transcription involved in exit from mitosis', - 'def': 'Any process that increases the frequency, rate or extent of transcription as the cell leaves M phase. M phase is the part of the mitotic cell cycle during which mitosis and cytokinesis take place. [GOC:dph, GOC:isa_complete, GOC:tb]' - }, - 'GO:0007073': { - 'name': 'positive regulation of transcription involved in exit from mitosis, from RNA polymerase I promoter', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase I promoter as the cell leaves M phase. M phase is the part of the mitotic cell cycle during which mitosis and cytokinesis take place. [GOC:dph, GOC:tb]' - }, - 'GO:0007074': { - 'name': 'positive regulation of transcription involved in exit from mitosis, from RNA polymerase II promoter', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as the cell leaves M phase. M phase is the part of the mitotic cell cycle during which mitosis and cytokinesis take place. [GOC:dph, GOC:tb]' - }, - 'GO:0007075': { - 'name': 'positive regulation of transcription involved in exit from mitosis, from RNA polymerase III promoter', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase III promoter as the cell leaves M phase. M phase is the part of the mitotic cell cycle during which mitosis and cytokinesis take place. [GOC:dph, GOC:tb]' - }, - 'GO:0007076': { - 'name': 'mitotic chromosome condensation', - 'def': 'The cell cycle process in which chromatin structure is compacted prior to and during mitosis in eukaryotic cells. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0007077': { - 'name': 'mitotic nuclear envelope disassembly', - 'def': 'The cell cycle process in which the controlled breakdown of the nuclear envelope during mitotic cell division occurs. [GOC:bf]' - }, - 'GO:0007078': { - 'name': 'lamin depolymerization', - 'def': 'The cell cycle process in which lamin is depolymerized. [GOC:jid]' - }, - 'GO:0007079': { - 'name': 'mitotic chromosome movement towards spindle pole', - 'def': 'The cell cycle process in which the directed movement of chromosomes from the center of the spindle towards the spindle poles occurs. This mediates by the shortening of microtubules attached to the chromosomes, during mitosis. [GOC:ai]' - }, - 'GO:0007080': { - 'name': 'mitotic metaphase plate congression', - 'def': 'The cell cycle process in which chromosomes are aligned at the metaphase plate, a plane halfway between the poles of the mitotic spindle, during mitosis. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0007081': { - 'name': 'obsolete mitotic sister-chromatid adhesion release', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007083': { - 'name': 'mitotic chromosome decondensation', - 'def': 'The cell cycle process in which chromosome structure is altered from the condensed form taken on during mitosis to the relaxed disperse form held in resting cells. [GOC:ai]' - }, - 'GO:0007084': { - 'name': 'mitotic nuclear envelope reassembly', - 'def': 'The cell cycle process that results in reformation of the nuclear envelope during mitotic cell division. [GOC:ai]' - }, - 'GO:0007085': { - 'name': 'obsolete nuclear membrane vesicle binding to chromatin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007086': { - 'name': 'vesicle fusion with nuclear membrane involved in mitotic nuclear envelope reassembly', - 'def': 'The cell cycle process that results in the joining of the lipid bilayer membrane around a vesicle with the lipid bilayer membrane around the nucleus, and contributes to mitotic nuclear envelope reassembly. [GOC:jid, GOC:mah]' - }, - 'GO:0007087': { - 'name': 'mitotic nuclear pore complex reassembly', - 'def': 'The cell cycle process in which nuclear pore complexes reform during mitotic cell division. [GOC:ai]' - }, - 'GO:0007088': { - 'name': 'regulation of mitotic nuclear division', - 'def': 'Any process that modulates the frequency, rate or extent of mitosis. [GOC:go_curators]' - }, - 'GO:0007089': { - 'name': 'traversing start control point of mitotic cell cycle', - 'def': 'A cell cycle process by which a cell commits to entering S phase via a positive feedback mechanism between the regulation of transcription and G1 CDK activity. [GOC:mtg_cell_cycle]' - }, - 'GO:0007090': { - 'name': 'obsolete regulation of S phase of mitotic cell cycle', - 'def': 'OBSOLETE. A cell cycle process that modulates the frequency, rate or extent of the progression through the S phase of the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0007091': { - 'name': 'metaphase/anaphase transition of mitotic cell cycle', - 'def': 'The cell cycle process in which a cell progresses from metaphase to anaphase during mitosis, triggered by the activation of the anaphase promoting complex by Cdc20/Sleepy homolog which results in the degradation of Securin. [GOC:mtg_cell_cycle, PMID:10465783]' - }, - 'GO:0007093': { - 'name': 'mitotic cell cycle checkpoint', - 'def': 'A cell cycle checkpoint that ensures accurate chromosome replication and segregation by preventing progression through a mitotic cell cycle until conditions are suitable for the cell to proceed to the next stage. [GOC:mtg_cell_cycle]' - }, - 'GO:0007094': { - 'name': 'mitotic spindle assembly checkpoint', - 'def': 'A cell cycle checkpoint that delays the metaphase/anaphase transition of a mitotic nuclear division until the spindle is correctly assembled and chromosomes are attached to the spindle. [GOC:mtg_cell_cycle, PMID:12360190]' - }, - 'GO:0007095': { - 'name': 'mitotic G2 DNA damage checkpoint', - 'def': 'A mitotic cell cycle checkpoint that detects and negatively regulates progression through the G2/M transition of the cell cycle in response to DNA damage. [GOC:mtg_cell_cycle]' - }, - 'GO:0007096': { - 'name': 'regulation of exit from mitosis', - 'def': 'Any process involved in the progression from anaphase/telophase to G1 that is associated with a conversion from high to low mitotic CDK activity. [GOC:rn]' - }, - 'GO:0007097': { - 'name': 'nuclear migration', - 'def': 'The directed movement of the nucleus. [GOC:ai]' - }, - 'GO:0007098': { - 'name': 'centrosome cycle', - 'def': 'The cell cycle process in which centrosome duplication and separation takes place. The centrosome cycle can operate with a considerable degree of independence from other processes of the cell cycle. [ISBN:0815316194]' - }, - 'GO:0007099': { - 'name': 'centriole replication', - 'def': 'The cell cycle process in which a daughter centriole is formed perpendicular to an existing centriole. An immature centriole contains a ninefold radially symmetric array of single microtubules; mature centrioles consist of a radial array of nine microtubule triplets, doublets, or singlets depending upon the species and cell type. Duplicated centrioles also become the ciliary basal body in cells that form cilia during G0. [GOC:cilia, GOC:kmv, ISBN:0815316194, PMID:9889124]' - }, - 'GO:0007100': { - 'name': 'mitotic centrosome separation', - 'def': 'Separation of duplicated centrosome components at the beginning of mitosis. The centriole pair within each centrosome becomes part of a separate microtubule organizing center that nucleates a radial array of microtubules called an aster. The two asters move to opposite sides of the nucleus to form the two poles of the mitotic spindle. [ISBN:0815316194]' - }, - 'GO:0007101': { - 'name': 'male meiosis centrosome cycle', - 'def': 'Centrosome duplication and separation in the context of a meiotic cell cycle in a male organism. [GOC:mah]' - }, - 'GO:0007105': { - 'name': 'cytokinesis, site selection', - 'def': 'The process of marking the place where cytokinesis will occur. [GOC:mtg_cell_cycle]' - }, - 'GO:0007106': { - 'name': 'obsolete cytokinesis, protein recruitment', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007107': { - 'name': 'membrane addition at site of cytokinesis', - 'def': 'Any process involved in the net addition of membrane at the site of cytokinesis; includes vesicle recruitment and fusion, local lipid synthesis and insertion. [GOC:clt]' - }, - 'GO:0007108': { - 'name': 'obsolete cytokinesis, initiation of separation', - 'def': 'OBSOLETE. The process involved in starting cell separation. [GOC:clt, GOC:dph, GOC:tb]' - }, - 'GO:0007109': { - 'name': 'obsolete cytokinesis, completion of separation', - 'def': 'OBSOLETE. The process of finishing cell separation, which results in two physically separated cells. [GOC:clt, GOC:dph, GOC:tb]' - }, - 'GO:0007110': { - 'name': 'meiosis I cytokinesis', - 'def': 'A cell cycle process that results in the division of the cytoplasm of a cell after meiosis I, resulting in the separation of the original cell into two daughter cells. [GOC:mtg_cell_cycle]' - }, - 'GO:0007111': { - 'name': 'meiosis II cytokinesis', - 'def': 'A cell cycle process that results in the division of the cytoplasm of a cell after meiosis II, resulting in the separation of the original cell into two daughter cells. [GOC:mtg_cell_cycle]' - }, - 'GO:0007112': { - 'name': 'male meiosis cytokinesis', - 'def': 'A cell cycle process that occurs as part of the male meiotic cell cycle and results in the division of the cytoplasm of a cell to produce two daughter cells. [GOC:ai]' - }, - 'GO:0007113': { - 'name': 'endomitotic cell cycle', - 'def': 'A mitotic cell cycle in which chromosomes are replicated and sister chromatids separate, but spindle formation, nuclear membrane breakdown and nuclear division do not occur, resulting in an increased number of chromosomes in the cell. [GOC:curators, GOC:dos, GOC:expert_vm]' - }, - 'GO:0007114': { - 'name': 'cell budding', - 'def': 'A form of asexual reproduction, occurring in certain bacteria and fungi (e.g. yeasts) and some primitive animals in which an individual arises from a daughter cell formed by pinching off a part of the parent cell. The budlike outgrowths so formed may sometimes remain attached to the parent cell. [ISBN:0198506732]' - }, - 'GO:0007115': { - 'name': 'obsolete bud site selection/establishment of cell polarity (sensu Saccharomyces)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007116': { - 'name': 'regulation of cell budding', - 'def': 'Any process that modulates the frequency, rate or extent of the formation and growth of cell buds. [GOC:mah]' - }, - 'GO:0007117': { - 'name': 'budding cell bud growth', - 'def': 'The process in which the bud portion of a cell that reproduces by budding irreversibly increases in size over time by accretion and biosynthetic production of matter similar to that already present. [GOC:go_curators]' - }, - 'GO:0007118': { - 'name': 'budding cell apical bud growth', - 'def': 'Growth at the tip of a bud, in a cell that reproduces by budding. [GOC:go_curators]' - }, - 'GO:0007119': { - 'name': 'budding cell isotropic bud growth', - 'def': 'Unlocalized bud growth such that the entire surface of the bud expands evenly, in a cell that reproduces by budding. [GOC:go_curators]' - }, - 'GO:0007120': { - 'name': 'axial cellular bud site selection', - 'def': 'The process of defining the next site of bud emergence adjacent to the last site of bud emergence on a budding cell. [GOC:clt]' - }, - 'GO:0007121': { - 'name': 'bipolar cellular bud site selection', - 'def': 'The process of defining subsequent sites of bud emergence such that budding takes place at alternating poles of a budding cell. [GOC:clt]' - }, - 'GO:0007122': { - 'name': 'obsolete loss of asymmetric budding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0007123': { - 'name': 'obsolete bud scar accumulation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0007124': { - 'name': 'pseudohyphal growth', - 'def': 'A pattern of cell growth that occurs in conditions of nitrogen limitation and abundant fermentable carbon source. Cells become elongated, switch to a unipolar budding pattern, remain physically attached to each other, and invade the growth substrate. [GOC:krc, PMID:11104818]' - }, - 'GO:0007125': { - 'name': 'obsolete invasive growth', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mcc]' - }, - 'GO:0007126': { - 'name': 'meiotic nuclear division', - 'def': 'One of the two nuclear divisions that occur as part of the meiotic cell cycle. [GOC:dph, GOC:mah, PMID:9334324]' - }, - 'GO:0007127': { - 'name': 'meiosis I', - 'def': 'The first meiotic nuclear division in which homologous chromosomes are paired and segregated from each other, producing two haploid daughter nuclei. [GOC:dph, GOC:jl, GOC:mtg_cell_cycle, PMID:9334324]' - }, - 'GO:0007128': { - 'name': 'meiotic prophase I', - 'def': 'The cell cycle phase which is the first stage of meiosis I and during which chromosomes condense and the two daughter centrioles and their asters migrate toward the poles of the cell. [GOC:mtg_cell_cycle]' - }, - 'GO:0007129': { - 'name': 'synapsis', - 'def': 'The meiotic cell cycle process where side by side pairing and physical juxtaposition of homologous chromosomes is created during meiotic prophase. Synapsis begins when the chromosome arms begin to pair from the clustered telomeres and ends when synaptonemal complex or linear element assembly is complete. [GOC:mtg_cell_cycle, PMID:22582262, PMID:23117617]' - }, - 'GO:0007130': { - 'name': 'synaptonemal complex assembly', - 'def': 'The cell cycle process in which the synaptonemal complex is formed. This is a structure that holds paired chromosomes together during prophase I of meiosis and that promotes genetic recombination. [ISBN:0198506732]' - }, - 'GO:0007131': { - 'name': 'reciprocal meiotic recombination', - 'def': 'The cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. This results in the equal exchange of genetic material between non-sister chromatids in a pair of homologous chromosomes. These reciprocal recombinant products ensure the proper segregation of homologous chromosomes during meiosis I and create genetic diversity. [PMID:2087779]' - }, - 'GO:0007132': { - 'name': 'meiotic metaphase I', - 'def': 'The cell cycle phase, following prophase I, during which chromosomes become aligned on the equatorial plate of the cell as part of meiosis I. [GOC:mtg_cell_cycle]' - }, - 'GO:0007133': { - 'name': 'meiotic anaphase I', - 'def': 'The cell cycle phase during which chromosomes separate and migrate towards the poles of the spindle the as part of meiosis I. [GOC:mtg_cell_cycle]' - }, - 'GO:0007134': { - 'name': 'meiotic telophase I', - 'def': 'The cell cycle phase which follows anaphase I of meiosis and during which the chromosomes arrive at the poles of the cell and the division of the cytoplasm starts. [GOC:mtg_cell_cycle]' - }, - 'GO:0007135': { - 'name': 'meiosis II', - 'def': 'The second nuclear division of meiosis, in which the two chromatids in each chromosome are separated, resulting in four daughter nuclei from the two nuclei produced in meiosis II. [GOC:dph, GOC:mah, ISBN:0198547684]' - }, - 'GO:0007136': { - 'name': 'meiotic prophase II', - 'def': 'The cell cycle phase which is the first stage of meiosis II and during which chromosomes condense and the two daughter centrioles and their asters migrate toward the poles of the cell. [GOC:mtg_cell_cycle]' - }, - 'GO:0007137': { - 'name': 'meiotic metaphase II', - 'def': 'The cell cycle phase, following prophase II, during which chromosomes become aligned on the equatorial plate of the cell as part of meiosis II. [GOC:mtg_cell_cycle]' - }, - 'GO:0007138': { - 'name': 'meiotic anaphase II', - 'def': 'The cell cycle phase during which chromosomes separate and migrate towards the poles of the spindle the as part of meiosis II. [GOC:mtg_cell_cycle]' - }, - 'GO:0007139': { - 'name': 'meiotic telophase II', - 'def': 'The cell cycle phase which follows anaphase II of meiosis and during which the chromosomes arrive at the poles of the cell and the division of the cytoplasm starts. [GOC:mtg_cell_cycle]' - }, - 'GO:0007140': { - 'name': 'male meiosis', - 'def': 'A cell cycle process by which the cell nucleus divides as part of a meiotic cell cycle in the male germline. [GOC:dph, GOC:mah, GOC:vw]' - }, - 'GO:0007141': { - 'name': 'male meiosis I', - 'def': 'A cell cycle process comprising the steps by which a cell progresses through male meiosis I, the first meiotic division in the male germline. [GOC:dph, GOC:mah]' - }, - 'GO:0007142': { - 'name': 'male meiosis II', - 'def': 'A cell cycle process comprising the steps by which a cell progresses through male meiosis II, the second meiotic division in the male germline. [GOC:dph, GOC:mah]' - }, - 'GO:0007143': { - 'name': 'female meiotic division', - 'def': 'A cell cycle process by which the cell nucleus divides as part of a meiotic cell cycle in the female germline. [GOC:dph, GOC:ems, GOC:mah, GOC:vw]' - }, - 'GO:0007144': { - 'name': 'female meiosis I', - 'def': 'The cell cycle process in which the first meiotic division occurs in the female germline. [GOC:mah]' - }, - 'GO:0007146': { - 'name': 'meiotic recombination nodule assembly', - 'def': 'During meiosis, the aggregation, arrangement and bonding together of strand exchange proteins (recombinases) to form small, electron dense structures in association with meiotic chromosomes. [GOC:jl, PMID:9334324]' - }, - 'GO:0007147': { - 'name': 'female meiosis II', - 'def': 'The cell cycle process in which the second meiotic division occurs in the female germline. [GOC:mah]' - }, - 'GO:0007149': { - 'name': 'obsolete colony morphology', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mcc]' - }, - 'GO:0007150': { - 'name': 'obsolete growth pattern', - 'def': 'OBSOLETE. A process whereby cells develop a specific morphology under a specific set of circumstances. [GOC:jid]' - }, - 'GO:0007154': { - 'name': 'cell communication', - 'def': 'Any process that mediates interactions between a cell and its surroundings. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:mah]' - }, - 'GO:0007155': { - 'name': 'cell adhesion', - 'def': 'The attachment of a cell, either to another cell or to an underlying substrate such as the extracellular matrix, via cell adhesion molecules. [GOC:hb, GOC:pf]' - }, - 'GO:0007156': { - 'name': 'homophilic cell adhesion via plasma membrane adhesion molecules', - 'def': 'The attachment of a plasma membrane adhesion molecule in one cell to an identical molecule in an adjacent cell. [ISBN:0198506732]' - }, - 'GO:0007157': { - 'name': 'heterophilic cell-cell adhesion via plasma membrane cell adhesion molecules', - 'def': 'The attachment of an adhesion molecule in one cell to a nonidentical adhesion molecule in an adjacent cell. [ISBN:0198506732]' - }, - 'GO:0007158': { - 'name': 'neuron cell-cell adhesion', - 'def': 'The attachment of a neuron to another cell via adhesion molecules. [GOC:go_curators]' - }, - 'GO:0007159': { - 'name': 'leukocyte cell-cell adhesion', - 'def': 'The attachment of a leukocyte to another cell via adhesion molecules. [GOC:go_curators]' - }, - 'GO:0007160': { - 'name': 'cell-matrix adhesion', - 'def': 'The binding of a cell to the extracellular matrix via adhesion molecules. [GOC:hb]' - }, - 'GO:0007161': { - 'name': 'calcium-independent cell-matrix adhesion', - 'def': 'The binding of a cell to the extracellular matrix via adhesion molecules that do not require the presence of calcium for the interaction. [GOC:hb]' - }, - 'GO:0007162': { - 'name': 'negative regulation of cell adhesion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell adhesion. [GOC:go_curators]' - }, - 'GO:0007163': { - 'name': 'establishment or maintenance of cell polarity', - 'def': 'Any cellular process that results in the specification, formation or maintenance of anisotropic intracellular organization or cell growth patterns. [GOC:mah]' - }, - 'GO:0007164': { - 'name': 'establishment of tissue polarity', - 'def': 'Coordinated organization of groups of cells in a tissue, such that they all orient to similar coordinates. [GOC:jid]' - }, - 'GO:0007165': { - 'name': 'signal transduction', - 'def': 'The cellular process in which a signal is conveyed to trigger a change in the activity or state of a cell. Signal transduction begins with reception of a signal (e.g. a ligand binding to a receptor or receptor activation by a stimulus such as light), or for signal transduction in the absence of ligand, signal-withdrawal or the activity of a constitutively active receptor. Signal transduction ends with regulation of a downstream cellular process, e.g. regulation of transcription or regulation of a metabolic process. Signal transduction covers signaling from receptors located on the surface of the cell and signaling via molecules located within the cell. For signaling between cells, signal transduction is restricted to events at and within the receiving cell. [GOC:go_curators, GOC:mtg_signaling_feb11]' - }, - 'GO:0007166': { - 'name': 'cell surface receptor signaling pathway', - 'def': 'A series of molecular signals initiated by activation of a receptor on the surface of a cell. The pathway begins with binding of an extracellular ligand to a cell surface receptor, or for receptors that signal in the absence of a ligand, by ligand-withdrawal or the activity of a constitutively active receptor. The pathway ends with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:mah, GOC:pr, GOC:signaling]' - }, - 'GO:0007167': { - 'name': 'enzyme linked receptor protein signaling pathway', - 'def': 'Any series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of the target cell, where the receptor possesses catalytic activity or is closely associated with an enzyme such as a protein kinase, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling, ISBN:0185316194]' - }, - 'GO:0007168': { - 'name': 'receptor guanylyl cyclase signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of the target cell where the receptor possesses guanylyl cyclase activity, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling, PMID:16815030]' - }, - 'GO:0007169': { - 'name': 'transmembrane receptor protein tyrosine kinase signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of the target cell where the receptor possesses tyrosine kinase activity, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:ceb, GOC:signaling]' - }, - 'GO:0007170': { - 'name': 'obsolete transmembrane receptor protein tyrosine kinase ligand binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0007171': { - 'name': 'activation of transmembrane receptor protein tyrosine kinase activity', - 'def': 'Any process that initiates the activity of the inactive transmembrane receptor protein tyrosine kinase activity. [GOC:dph, GOC:tb]' - }, - 'GO:0007172': { - 'name': 'signal complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a complex capable of relaying a signal within a cell. [GOC:bf, GOC:signaling, PMID:9646862]' - }, - 'GO:0007173': { - 'name': 'epidermal growth factor receptor signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a ligand to the tyrosine kinase receptor EGFR (ERBB1) on the surface of a cell. The pathway ends with regulation of a downstream cellular process, e.g. transcription. [GOC:ceb, PR:000006933]' - }, - 'GO:0007174': { - 'name': 'epidermal growth factor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of epidermal growth factor (EGF), following internalization of the receptor-bound ligand into the signal-receiving cell. Full breakdown of epidermal growth factor results in a ligand that is unable to bind and activate its receptor. [GOC:bf, GOC:signaling, PMID:2985587]' - }, - 'GO:0007175': { - 'name': 'negative regulation of epidermal growth factor-activated receptor activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of EGF-activated receptor activity. [GOC:go_curators]' - }, - 'GO:0007176': { - 'name': 'regulation of epidermal growth factor-activated receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of EGF-activated receptor activity. [GOC:dph, GOC:go_curators]' - }, - 'GO:0007178': { - 'name': 'transmembrane receptor protein serine/threonine kinase signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of the target cell where the receptor possesses serine/threonine kinase activity, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling]' - }, - 'GO:0007179': { - 'name': 'transforming growth factor beta receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a transforming growth factor beta receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:mah, GOC:signaling]' - }, - 'GO:0007180': { - 'name': 'obsolete transforming growth factor beta ligand binding to type II receptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007181': { - 'name': 'transforming growth factor beta receptor complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a ligand-bound type II transforming growth factor beta (TGF-beta) receptor dimer with a type I TGF-beta receptor dimer, following ligand binding, to form a heterotetrameric TGF-beta receptor complex. [GOC:jl, Reactome:REACT_7425, Wikipedia:TGF_beta_signaling_pathway]' - }, - 'GO:0007182': { - 'name': 'common-partner SMAD protein phosphorylation', - 'def': 'The process of introducing a phosphate group on to a common-partner SMAD protein. A common partner SMAD protein binds to pathway-restricted SMAD proteins forming a complex that translocates to the nucleus. [GOC:dph, ISBN:3527303782]' - }, - 'GO:0007183': { - 'name': 'SMAD protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a protein complex that contains SMAD proteins. [GOC:isa_complete]' - }, - 'GO:0007184': { - 'name': 'SMAD protein import into nucleus', - 'def': 'The directed movement of a SMAD proteins from the cytoplasm into the nucleus. Pathway-restricted SMAD proteins and common-partner SMAD proteins are involved in the transforming growth factor beta receptor signaling pathways. [GOC:dph]' - }, - 'GO:0007185': { - 'name': 'transmembrane receptor protein tyrosine phosphatase signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of the target cell where the receptor possesses protein tyrosine phosphatase activity, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling]' - }, - 'GO:0007186': { - 'name': 'G-protein coupled receptor signaling pathway', - 'def': 'A series of molecular signals that proceeds with an activated receptor promoting the exchange of GDP for GTP on the alpha-subunit of an associated heterotrimeric G-protein complex. The GTP-bound activated alpha-G-protein then dissociates from the beta- and gamma-subunits to further transmit the signal within the cell. The pathway begins with receptor-ligand interaction, or for basal GPCR signaling the pathway begins with the receptor activating its G protein in the absence of an agonist, and ends with regulation of a downstream cellular process, e.g. transcription. The pathway can start from the plasma membrane, Golgi or nuclear membrane (PMID:24568158 and PMID:16902576). [GOC:bf, GOC:mah, PMID:16902576PMID\\:24568158, Wikipedia:G_protein-coupled_receptor]' - }, - 'GO:0007187': { - 'name': 'G-protein coupled receptor signaling pathway, coupled to cyclic nucleotide second messenger', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, where the pathway proceeds with activation or inhibition of a nucleotide cyclase activity and a subsequent change in the concentration of a cyclic nucleotide. [GOC:mah, GOC:signaling, ISBN:0815316194]' - }, - 'GO:0007188': { - 'name': 'adenylate cyclase-modulating G-protein coupled receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, where the pathway proceeds through activation or inhibition of adenylyl cyclase activity and a subsequent change in the concentration of cyclic AMP (cAMP). [GOC:mah, GOC:signaling, ISBN:0815316194]' - }, - 'GO:0007189': { - 'name': 'adenylate cyclase-activating G-protein coupled receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, where the pathway proceeds through activation of adenylyl cyclase activity and a subsequent increase in the concentration of cyclic AMP (cAMP). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb, ISBN:0815316194]' - }, - 'GO:0007190': { - 'name': 'activation of adenylate cyclase activity', - 'def': 'Any process that initiates the activity of the inactive enzyme adenylate cyclase. [GOC:ai]' - }, - 'GO:0007191': { - 'name': 'adenylate cyclase-activating dopamine receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a dopamine receptor binding to its physiological ligand, where the pathway proceeds with activation of adenylyl cyclase and a subsequent increase in the concentration of cyclic AMP (cAMP). [GOC:mah, GOC:signaling]' - }, - 'GO:0007192': { - 'name': 'adenylate cyclase-activating serotonin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a serotonin receptor binding to its physiological ligand, where the pathway proceeds with activation of adenylyl cyclase and a subsequent increase in the concentration of cyclic AMP (cAMP). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0007193': { - 'name': 'adenylate cyclase-inhibiting G-protein coupled receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, where the pathway proceeds through inhibition of adenylyl cyclase activity and a subsequent decrease in the concentration of cyclic AMP (cAMP). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb, ISBN:0815316194]' - }, - 'GO:0007194': { - 'name': 'negative regulation of adenylate cyclase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of adenylate cyclase activity. [GOC:go_curators]' - }, - 'GO:0007195': { - 'name': 'adenylate cyclase-inhibiting dopamine receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a dopamine receptor binding to its physiological ligand, where the pathway proceeds with inhibition of adenylyl cyclase and a subsequent decrease in the concentration of cyclic AMP (cAMP). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0007196': { - 'name': 'adenylate cyclase-inhibiting G-protein coupled glutamate receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled glutamate receptor binding to its physiological ligand, where the pathway proceeds with inhibition of adenylyl cyclase and a subsequent decrease in the concentration of cyclic AMP (cAMP). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0007197': { - 'name': 'adenylate cyclase-inhibiting G-protein coupled acetylcholine receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled acetylcholine receptor binding to its physiological ligand, where the pathway proceeds with inhibition of adenylyl cyclase and a subsequent decrease in the concentration of cyclic AMP (cAMP). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0007198': { - 'name': 'adenylate cyclase-inhibiting serotonin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a serotonin receptor binding to its physiological ligand, where the pathway proceeds with inhibition of adenylyl cyclase and a subsequent decrease in the concentration of cyclic AMP (cAMP). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0007199': { - 'name': 'G-protein coupled receptor signaling pathway coupled to cGMP nucleotide second messenger', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, followed by activation of guanylyl cyclase (GC) activity and a subsequent increase in the concentration of cyclic GMP (cGMP). [GOC:mah, GOC:signaling, ISBN:0815316194]' - }, - 'GO:0007200': { - 'name': 'phospholipase C-activating G-protein coupled receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, where the pathway proceeds with activation of phospholipase C (PLC) and a subsequent increase in the concentration of inositol trisphosphate (IP3) and diacylglycerol (DAG). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb, ISBN:0815316194]' - }, - 'GO:0007201': { - 'name': 'obsolete G-protein dissociation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0007202': { - 'name': 'activation of phospholipase C activity', - 'def': 'The initiation of the activity of the inactive enzyme phospolipase C as the result of a series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand. [GOC:dph, GOC:mah, GOC:tb, PMID:8280098]' - }, - 'GO:0007203': { - 'name': 'obsolete phosphatidylinositol-4,5-bisphosphate hydrolysis', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0007204': { - 'name': 'positive regulation of cytosolic calcium ion concentration', - 'def': 'Any process that increases the concentration of calcium ions in the cytosol. [GOC:ai]' - }, - 'GO:0007205': { - 'name': 'protein kinase C-activating G-protein coupled receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, where the pathway proceeds with activation of protein kinase C (PKC). PKC is activated by second messengers including diacylglycerol (DAG). [GOC:mah, GOC:signaling]' - }, - 'GO:0007206': { - 'name': 'phospholipase C-activating G-protein coupled glutamate receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled glutamate receptor binding to its physiological ligand, where the pathway proceeds with activation of phospholipase C (PLC) and a subsequent release of inositol trisphosphate (IP3) and diacylglycerol (DAG). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0007207': { - 'name': 'phospholipase C-activating G-protein coupled acetylcholine receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled acetylcholine receptor binding to its physiological ligand, where the pathway proceeds with activation of phospholipase C (PLC) and a subsequent release of inositol trisphosphate (IP3) and diacylglycerol (DAG). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0007208': { - 'name': 'phospholipase C-activating serotonin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a serotonin receptor binding to its physiological ligand, where the pathway proceeds with activation of phospholipase C (PLC) and a subsequent release of inositol trisphosphate (IP3) and diacylglycerol (DAG). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0007209': { - 'name': 'phospholipase C-activating tachykinin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a tachykinin receptor binding to its physiological ligand, where the pathway proceeds with activation of phospholipase C (PLC) and a subsequent release of inositol trisphosphate (IP3) and diacylglycerol (DAG). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0007210': { - 'name': 'serotonin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a serotonin receptor binding to one of its physiological ligands. [GOC:mah]' - }, - 'GO:0007211': { - 'name': 'octopamine or tyramine signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of octopamine or tyramine binding to a cell surface receptor. Octopamine and tyramine are decarboxylation products of tyrosine, and are the invertebrate counterparts of the vertebrate adrenergic transmitters. [GOC:mah, PMID:15355245]' - }, - 'GO:0007212': { - 'name': 'dopamine receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a dopamine receptor binding to one of its physiological ligands. [GOC:mah]' - }, - 'GO:0007213': { - 'name': 'G-protein coupled acetylcholine receptor signaling pathway', - 'def': 'Any series of molecular signals initiated by an acetylcholine receptor on the surface of the target cell binding to one of its physiological ligands, and proceeding with the activated receptor promoting the exchange of GDP for GTP on the alpha-subunit of an associated heterotrimeric G-protein complex. The GTP-bound activated alpha-G-protein then dissociates from the beta- and gamma-subunits to further transmit the signal within the cell. The pathway begins with receptor-ligand interaction and ends with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0007214': { - 'name': 'gamma-aminobutyric acid signaling pathway', - 'def': 'The series of molecular signals generated by the binding of gamma-aminobutyric acid (GABA, 4-aminobutyrate), an amino acid which acts as a neurotransmitter in some organisms, to a cell surface receptor. [GOC:mah]' - }, - 'GO:0007215': { - 'name': 'glutamate receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of glutamate to a glutamate receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling, PMID:9131252]' - }, - 'GO:0007216': { - 'name': 'G-protein coupled glutamate receptor signaling pathway', - 'def': 'A series of molecular signals initiated by glutamate binding to a glutamate receptor on the surface of the target cell, and proceeding with the activated receptor promoting the exchange of GDP for GTP on the alpha-subunit of an associated heterotrimeric G-protein complex. Ends with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling, PMID:9131252]' - }, - 'GO:0007217': { - 'name': 'tachykinin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a tachykinin, i.e. a short peptide with the terminal sequence (Phe-X-Gly-Leu-Met-NH2), binding to a cell surface receptor. [GOC:mah, PMID:14723970]' - }, - 'GO:0007218': { - 'name': 'neuropeptide signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a peptide neurotransmitter binding to a cell surface receptor. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0007219': { - 'name': 'Notch signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to the receptor Notch on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:go_curators, GOC:signaling]' - }, - 'GO:0007220': { - 'name': 'Notch receptor processing', - 'def': 'The series of successive proteolytic cleavages of the Notch protein, which result in an active form of the receptor. [PMID:12651094, PMID:14986688]' - }, - 'GO:0007221': { - 'name': 'positive regulation of transcription of Notch receptor target', - 'def': 'The activation of transcription of specific genes as a result of Notch signaling, mediated by the Notch intracellular domain. [PMID:12651094]' - }, - 'GO:0007223': { - 'name': 'Wnt signaling pathway, calcium modulating pathway', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors leads to an increase in intracellular calcium and activation of protein kinase C (PKC). [GOC:bf, GOC:dph, GOC:go_curators, PMID:11532397]' - }, - 'GO:0007224': { - 'name': 'smoothened signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of activation of the transmembrane protein Smoothened. [GOC:mah, PMID:15205520]' - }, - 'GO:0007225': { - 'name': 'patched ligand maturation', - 'def': 'The posttranslational modification of members of the Hedgehog family of signaling proteins in order for Hedgehog to exert its biological activity. These modifications include cleavage of its signal sequence, autocatalytic protein cleavage and the attachment of sterol groups. [PMID:15057936]' - }, - 'GO:0007227': { - 'name': 'signal transduction downstream of smoothened', - 'def': 'The series of molecular signals that are initiated by the transmembrane protein Smoothened. In the presence of a Hedgehog signaling molecule, the Patched protein no longer inhibits the activity of Smoothened, and Smoothened signals via the Hedgehog signaling complex to activate downstream components of the Hedgehog signaling pathway. [PMID:15057936]' - }, - 'GO:0007228': { - 'name': 'positive regulation of hh target transcription factor activity', - 'def': 'Any process that increases the activity of a transcription factor that activates transcription of Hedgehog-target genes in response to Smoothened signaling. In Drosophila, Cubitus interruptus (Ci) is the only identified transcription factor so far in the Hedgehog signaling pathway. In vertebrates, members of the Gli protein family are activated in this way. Activation of the Gli/Ci transcription factor is distinct from its stabilization, when proteolytic cleavage is inhibited. [GOC:dph, GOC:tb, PMID:11912487, PMID:15057936]' - }, - 'GO:0007229': { - 'name': 'integrin-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of extracellular ligand to an integrin on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling]' - }, - 'GO:0007230': { - 'name': 'obsolete calcium-o-sensing receptor pathway', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0007231': { - 'name': 'osmosensory signaling pathway', - 'def': 'The series of molecular signals initiated in response to osmotic change. [GOC:jl]' - }, - 'GO:0007232': { - 'name': 'osmosensory signaling pathway via Sho1 osmosensor', - 'def': 'A series of molecular signals generated in response to osmotic change, as mediated through a Sho1 osmosensor system. [GOC:jl]' - }, - 'GO:0007234': { - 'name': 'osmosensory signaling via phosphorelay pathway', - 'def': 'A series of molecular signals generated in response to osmotic change, as mediated through a phosphorelay system. [PMID:9843501]' - }, - 'GO:0007235': { - 'name': 'obsolete activation of Ypd1 protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007236': { - 'name': 'obsolete activation of Ssk1 protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007237': { - 'name': 'obsolete activation of Ssk2/Ssk22 proteins', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007238': { - 'name': 'obsolete activation of Pbs2', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007239': { - 'name': 'obsolete activation of Hog1', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007240': { - 'name': 'obsolete nuclear translocation of Hog1', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007241': { - 'name': 'obsolete inactivation of Hog1', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007244': { - 'name': 'obsolete MAPKKK cascade (mating sensu Saccharomyces)', - 'def': 'OBSOLETE. MAPKKK cascade involved in transduction of mating pheromone signal, as described in Saccharomyces. [PMID:9561267]' - }, - 'GO:0007245': { - 'name': 'obsolete activation of MAPKKK (mating sensu Saccharomyces)', - 'def': 'OBSOLETE. Upregulation of MAPKKK activity in the context of transduction of mating pheromone signal, as described for Saccharomyces. [PMID:9561267]' - }, - 'GO:0007246': { - 'name': 'obsolete activation of MAPKK (mating sensu Saccharomyces)', - 'def': 'OBSOLETE. Upregulation of a MAP kinase kinase in the context of transduction of mating pheromone signal, as described for Saccharomyces. [PMID:9561267]' - }, - 'GO:0007247': { - 'name': 'obsolete activation of MAPK (mating sensu Saccharomyces)', - 'def': 'OBSOLETE. Upregulation of MAP kinase activity in the context of transduction of mating pheromone signal, as described for Saccharomyces. [PMID:9561267]' - }, - 'GO:0007248': { - 'name': 'obsolete nuclear translocation of MAPK (mating sensu Saccharomyces)', - 'def': 'OBSOLETE. Movement of a MAP kinase to the nucleus in the context of transduction of mating pheromone signal, as described for Saccharomyces. [PMID:9561267]' - }, - 'GO:0007249': { - 'name': 'I-kappaB kinase/NF-kappaB signaling', - 'def': 'The process in which a signal is passed on to downstream components within the cell through the I-kappaB-kinase (IKK)-dependent activation of NF-kappaB. The cascade begins with activation of a trimeric IKK complex (consisting of catalytic kinase subunits IKKalpha and/or IKKbeta, and the regulatory scaffold protein NEMO) and ends with the regulation of transcription of target genes by NF-kappaB. In a resting state, NF-kappaB dimers are bound to I-kappaB proteins, sequestering NF-kappaB in the cytoplasm. Phosphorylation of I-kappaB targets I-kappaB for ubiquitination and proteasomal degradation, thus releasing the NF-kappaB dimers, which can translocate to the nucleus to bind DNA and regulate transcription. [GOC:bf, GOC:jl, PMID:12773372, Reactome:REACT_13696.1]' - }, - 'GO:0007250': { - 'name': 'activation of NF-kappaB-inducing kinase activity', - 'def': 'The stimulation of the activity of NF-kappaB-inducing kinase through phosphorylation at specific residues. [GOC:jl, PMID:12773372]' - }, - 'GO:0007251': { - 'name': 'obsolete activation of the inhibitor of kappa kinase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007252': { - 'name': 'I-kappaB phosphorylation', - 'def': 'The process of introducing a phosphate group into an inhibitor of kappa B (I-kappaB) protein. Phosphorylation of I-kappaB targets I-kappaB for ubiquitination and proteasomal degradation, thus releasing bound NF-kappaB dimers, which can translocate to the nucleus to bind DNA and regulate transcription. [GOC:bf, GOC:jl, PMID:21772278, PMID:7594468]' - }, - 'GO:0007253': { - 'name': 'cytoplasmic sequestering of NF-kappaB', - 'def': 'The selective interaction of the transcription factor NF-kappaB with specific molecules in the cytoplasm, thereby inhibiting its translocation into the nucleus. [GOC:jl]' - }, - 'GO:0007254': { - 'name': 'JNK cascade', - 'def': 'An intracellular protein kinase cascade containing at least a JNK (a MAPK), a JNKK (a MAPKK) and a JUN3K (a MAP3K). The cascade can also contain two additional tiers: the upstream MAP4K and the downstream MAP Kinase-activated kinase (MAPKAPK). The kinases in each tier phosphorylate and activate the kinases in the downstream tier to transmit a signal within a cell. [GOC:bf, GOC:signaling, PMID:11790549, PMID:20811974]' - }, - 'GO:0007256': { - 'name': 'activation of JNKK activity', - 'def': 'The initiation of the activity of the inactive enzyme JUN kinase kinase (JNKK) activity. JNKKs are involved in a signaling pathway that is primarily activated by cytokines and exposure to environmental stress. [GOC:bf, PMID:11790549]' - }, - 'GO:0007257': { - 'name': 'activation of JUN kinase activity', - 'def': 'The initiation of the activity of the inactive enzyme JUN kinase (JNK). [GOC:bf]' - }, - 'GO:0007258': { - 'name': 'JUN phosphorylation', - 'def': 'The process of introducing a phosphate group into a JUN protein. [GOC:jl]' - }, - 'GO:0007259': { - 'name': 'JAK-STAT cascade', - 'def': 'Any process in which STAT proteins (Signal Transducers and Activators of Transcription) and JAK (Janus Activated Kinase) proteins convey a signal to trigger a change in the activity or state of a cell. The JAK-STAT cascade begins with activation of STAT proteins by members of the JAK family of tyrosine kinases, proceeds through dimerization and subsequent nuclear translocation of STAT proteins, and ends with regulation of target gene expression by STAT proteins. [GOC:bf, GOC:jl, GOC:signaling, PMID:12039028]' - }, - 'GO:0007260': { - 'name': 'tyrosine phosphorylation of STAT protein', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a STAT (Signal Transducer and Activator of Transcription) protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0007261': { - 'name': 'obsolete JAK-induced STAT protein dimerization', - 'def': 'OBSOLETE. The formation of a dimer of two STAT proteins (Signal Transducers and Activators of Transcription) following their activation by members of the janus activated kinase (JAK) family of tyrosine kinases. [GOC:jl, PMID:12039028]' - }, - 'GO:0007262': { - 'name': 'STAT protein import into nucleus', - 'def': 'The directed movement of dimerized STAT (Signal Transducers and Activators of Transcription) proteins into the nucleus following activation by members of the janus activated kinase (JAK) family of tyrosine kinases. [GOC:jl, PMID:12039028]' - }, - 'GO:0007263': { - 'name': 'nitric oxide mediated signal transduction', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell via nitric oxide (NO). Includes synthesis of nitric oxide, receptors/sensors for nitric oxide (such as soluble guanylyl cyclase/sGC) and downstream effectors that further transmit the signal within the cell. Nitric oxide transmits its downstream effects through either cyclic GMP (cGMP)-dependent or independent mechanisms. [GOC:jl, PMID:21549190]' - }, - 'GO:0007264': { - 'name': 'small GTPase mediated signal transduction', - 'def': 'Any series of molecular signals in which a small monomeric GTPase relays one or more of the signals. [GOC:mah]' - }, - 'GO:0007265': { - 'name': 'Ras protein signal transduction', - 'def': 'A series of molecular signals within the cell that are mediated by a member of the Ras superfamily of proteins switching to a GTP-bound active state. [GOC:bf]' - }, - 'GO:0007266': { - 'name': 'Rho protein signal transduction', - 'def': 'A series of molecular signals within the cell that are mediated by a member of the Rho family of proteins switching to a GTP-bound active state. [GOC:bf]' - }, - 'GO:0007267': { - 'name': 'cell-cell signaling', - 'def': 'Any process that mediates the transfer of information from one cell to another. This process includes signal transduction in the receiving cell and, where applicable, release of a ligand and any processes that actively facilitate its transport and presentation to the receiving cell. Examples include signaling via soluble ligands, via cell adhesion molecules and via gap junctions. [GOC:dos, GOC:mah]' - }, - 'GO:0007268': { - 'name': 'chemical synaptic transmission', - 'def': 'The vesicular release of classical neurotransmitter molecules from a neuron, across a chemical synapse, the subsequent activation of neurotransmitter receptors of a target cell (neuron, muscle, or secretory cell) and the effects of this activation on the postsynaptic membrane potential and ionic composition of the postsynaptic cytosol. This process encompasses both spontaneous and evoked release of neurotransmitter and all parts of synaptic vesicle exocytosis. Evoked transmission starts with the arrival of an action potential at the presynapse. [GOC:jl, MeSH:D009435]' - }, - 'GO:0007269': { - 'name': 'neurotransmitter secretion', - 'def': 'The regulated release of neurotransmitter from the presynapse into the synaptic cleft via calcium regualated exocytosis during synaptic transmission. [CHEBI:25512, GOC:dph]' - }, - 'GO:0007270': { - 'name': 'neuron-neuron synaptic transmission', - 'def': 'The process of communication from a neuron to another neuron across a synapse. [GOC:add, GOC:jl, MeSH:D009435]' - }, - 'GO:0007271': { - 'name': 'synaptic transmission, cholinergic', - 'def': 'The process of communication from a neuron to a target (neuron, muscle, or secretory cell) across a synapse using the neurotransmitter acetylcholine. [GOC:kmv, GOC:pr, Wikipedia:Cholinergic]' - }, - 'GO:0007272': { - 'name': 'ensheathment of neurons', - 'def': 'The process in which glial cells envelop neuronal cell bodies and/or axons to form an insulating layer. This can take the form of myelinating or non-myelinating ensheathment. [GOC:dgh, GOC:dph, GOC:tb]' - }, - 'GO:0007273': { - 'name': 'obsolete regulation of synapse', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007274': { - 'name': 'neuromuscular synaptic transmission', - 'def': 'The process of communication from a neuron to a muscle, across a synapse. [GOC:jl, MeSH:D009435]' - }, - 'GO:0007275': { - 'name': 'multicellular organism development', - 'def': 'The biological process whose specific outcome is the progression of a multicellular organism over time from an initial condition (e.g. a zygote or a young adult) to a later condition (e.g. a multicellular animal or an aged adult). [GOC:dph, GOC:ems, GOC:isa_complete, GOC:tb]' - }, - 'GO:0007276': { - 'name': 'gamete generation', - 'def': 'The generation and maintenance of gametes in a multicellular organism. A gamete is a haploid reproductive cell. [GOC:ems, GOC:mtg_sensu]' - }, - 'GO:0007277': { - 'name': 'pole cell development', - 'def': 'The process whose specific outcome is the progression of the pole cell over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0007278': { - 'name': 'pole cell fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into a pole cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators]' - }, - 'GO:0007279': { - 'name': 'pole cell formation', - 'def': 'Formation of a small group of cells (pole cells) at the posterior pole of the insect blastula. They are the first cells to cellularize after the arrival of nuclei at the end of the syncytial blastula stage and are the precursors to the insect germ cells. [GOC:bf, PMID:9988212]' - }, - 'GO:0007280': { - 'name': 'pole cell migration', - 'def': 'The directed movement of a pole cell (germline progenitors in insects) from its site of production at the posterior pole of the embryo through to the site where the gonads will form. [GOC:bf, PMID:9988212]' - }, - 'GO:0007281': { - 'name': 'germ cell development', - 'def': 'The process whose specific outcome is the progression of an immature germ cell over time, from its formation to the mature structure (gamete). A germ cell is any reproductive cell in a multicellular organism. [GOC:go_curators]' - }, - 'GO:0007282': { - 'name': 'cystoblast division', - 'def': 'Any of the rounds of incomplete mitosis undergone by a cystoblast to form a cyst of interconnected cells. [PMID:21452446]' - }, - 'GO:0007283': { - 'name': 'spermatogenesis', - 'def': 'The process of formation of spermatozoa, including spermatocytogenesis and spermiogenesis. [GOC:jid, ISBN:9780878933846]' - }, - 'GO:0007284': { - 'name': 'spermatogonial cell division', - 'def': 'The mitotic divisions of the primary spermatogonial cell (a primordial male germ cell) to form secondary spermatogonia (primary spermatocytes). [GOC:bf, GOC:pr, ISBN:0879694238]' - }, - 'GO:0007285': { - 'name': 'primary spermatocyte growth', - 'def': 'The phase of growth and gene expression that male germ cells undergo as they enter the spermatocyte stage. The cells grow in volume and transcribe most of the gene products needed for the morphological events that follow meiosis. [GOC:jid, ISBN:0879694238]' - }, - 'GO:0007286': { - 'name': 'spermatid development', - 'def': 'The process whose specific outcome is the progression of a spermatid over time, from its formation to the mature structure. [GOC:dph, GOC:go_curators]' - }, - 'GO:0007287': { - 'name': 'Nebenkern assembly', - 'def': 'Fusion of mitochondria during insect spermatid differentiation to form two masses, which wrap around each other to form a densely packed sphere called the Nebenkern. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007288': { - 'name': 'sperm axoneme assembly', - 'def': 'The assembly and organization of the sperm flagellar axoneme, the bundle of microtubules and associated proteins that forms the core of the eukaryotic sperm flagellum, and is responsible for movement. [GOC:bf, GOC:cilia, ISBN:0198547684]' - }, - 'GO:0007289': { - 'name': 'spermatid nucleus differentiation', - 'def': 'The specialization of the spermatid nucleus during the development of a spermatid into a mature male gamete competent for fertilization. [GOC:bf, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0007290': { - 'name': 'spermatid nucleus elongation', - 'def': 'The change in shape of the spermatid nucleus from a spherical structure to an elongated organelle, during the latter part of spermatid differentiation. [GOC:bf, GOC:dph, GOC:jl, GOC:mah, ISBN:0879694238]' - }, - 'GO:0007291': { - 'name': 'sperm individualization', - 'def': 'The resolution of the male germline syncytium or cyst into individual gametes by packaging each spermatid into its own plasma membrane. [GOC:bf, PMID:9550716]' - }, - 'GO:0007292': { - 'name': 'female gamete generation', - 'def': 'Generation of the female gamete; specialised haploid cells produced by meiosis and along with a male gamete takes part in sexual reproduction. [GOC:dph, ISBN:0198506732]' - }, - 'GO:0007293': { - 'name': 'germarium-derived egg chamber formation', - 'def': 'Construction of a stage-1 egg chamber in the anterior part of the germarium, from the progeny of germ-line and somatic stem cells. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0007294': { - 'name': 'germarium-derived oocyte fate determination', - 'def': 'The cell fate determination process in which a germarium-derived cell becomes capable of differentiating autonomously into an oocyte cell regardless of its environment; upon determination, the cell fate cannot be reversed. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0007295': { - 'name': 'growth of a germarium-derived egg chamber', - 'def': 'Growth of the egg chamber between the time it leaves the germarium and the onset of vitellogenesis. During this time both nurse cells and the oocyte undergo developmental changes including nuclear organization and cytoplasmic growth. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0007296': { - 'name': 'vitellogenesis', - 'def': 'The production of yolk. Yolk is a mixture of materials used for embryonic nutrition. [GOC:dph, ISBN:0879694238]' - }, - 'GO:0007297': { - 'name': 'ovarian follicle cell migration', - 'def': 'The directed movement of an ovarian follicle cell that takes place during oogenesis. During egg chamber formation, follicle cells migrate to envelop the germ-line cysts and move in between cysts. At stage 10B, follicle cells migrate centripetally between the nurse cells and the oocyte, enclosing the anterior of the egg. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:10822261]' - }, - 'GO:0007298': { - 'name': 'border follicle cell migration', - 'def': 'The directed movement of a border cell through the nurse cells to reach the oocyte. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:10822261]' - }, - 'GO:0007299': { - 'name': 'ovarian follicle cell-cell adhesion', - 'def': 'The attachment of a somatic follicle cell to another somatic follicle cell or to its substratum, the germline cells. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu, PMID:12642496]' - }, - 'GO:0007300': { - 'name': 'ovarian nurse cell to oocyte transport', - 'def': 'Transfer of constituents synthesized in the ovarian nurse cells to the oocyte, through the ring canals, as the egg chamber is growing. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0007301': { - 'name': 'female germline ring canal formation', - 'def': 'Assembly of the intercellular bridges that connect the germ-line cells of a female cyst. [ISBN:0879694238]' - }, - 'GO:0007302': { - 'name': 'nurse cell nucleus anchoring', - 'def': 'Attachment of the nurse cell nucleus to the plasma membrane. [ISBN:0879694238]' - }, - 'GO:0007303': { - 'name': 'cytoplasmic transport, nurse cell to oocyte', - 'def': 'The directed movement of cytoplasmic constituents synthesized in the nurse cells to the oocyte. [ISBN:0879694238]' - }, - 'GO:0007304': { - 'name': 'chorion-containing eggshell formation', - 'def': 'The construction of a chorion-containing eggshell. An example of this is found in Drosophila melanogaster. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0007305': { - 'name': 'vitelline membrane formation involved in chorion-containing eggshell formation', - 'def': 'Construction of the vitelline membrane portion of a chorion-containing eggshell. An example of this is found in Drosophila melanogaster. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0007306': { - 'name': 'eggshell chorion assembly', - 'def': 'Construction of the chorion portion of the eggshell, which comprises the channels for gas exchange in an insect eggshell. [GOC:dph, GOC:mtg_sensu, GOC:tb, ISBN:0879694238]' - }, - 'GO:0007307': { - 'name': 'eggshell chorion gene amplification', - 'def': 'Amplification by up to 60-fold of the loci containing the chorion gene clusters. Amplification is necessary for the rapid synthesis of chorion proteins by the follicle cells, and occurs by repeated firing of one or more origins located within each gene cluster. [GOC:mtg_sensu, PMID:11157771]' - }, - 'GO:0007308': { - 'name': 'oocyte construction', - 'def': 'The synthesis, deposition, and organization of the materials in a cell of an ovary; where the cell can then undergo meiosis and form an ovum. An example of this is found in Drosophila melanogaster. [GOC:dph, GOC:ems, GOC:mtg_sensu, GOC:tb, ISBN:0198506732]' - }, - 'GO:0007309': { - 'name': 'oocyte axis specification', - 'def': 'The establishment, maintenance and elaboration of an axis in the oocyte. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0007310': { - 'name': 'oocyte dorsal/ventral axis specification', - 'def': 'The establishment, maintenance and elaboration of the dorsal/ventral axis of the oocyte. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0007311': { - 'name': 'maternal specification of dorsal/ventral axis, oocyte, germ-line encoded', - 'def': 'Polarization of the oocyte along the dorsal-ventral axis, by a gene product encoded by cells of the germ line. An example of this is found in Drosophila melanogaster. [GOC:dph, GOC:mtg_sensu, GOC:tb, ISBN:0879694238]' - }, - 'GO:0007312': { - 'name': 'oocyte nucleus migration involved in oocyte dorsal/ventral axis specification', - 'def': 'The directed movement of the oocyte nucleus within the cell as part of the establishment and maintenance of the dorsal/ventral axis of the oocyte. An example of this is found in Drosophila melanogaster. [GOC:dph, GOC:mah, GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0007313': { - 'name': 'maternal specification of dorsal/ventral axis, oocyte, soma encoded', - 'def': 'Polarization of the oocyte along the dorsal-ventral axis, by a gene product encoded by somatic cells. An example of this is found in Drosophila melanogaster. [GOC:dph, GOC:mtg_sensu, GOC:tb, ISBN:0879694238]' - }, - 'GO:0007314': { - 'name': 'oocyte anterior/posterior axis specification', - 'def': 'Polarization of the oocyte along its anterior-posterior axis. An example of this is found in Drosophila melanogaster. [GOC:dph, GOC:mtg_sensu, GOC:tb, ISBN:0879694238]' - }, - 'GO:0007315': { - 'name': 'pole plasm assembly', - 'def': 'Establishment of the specialized cytoplasm found at the poles of the egg. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu]' - }, - 'GO:0007316': { - 'name': 'pole plasm RNA localization', - 'def': 'Any process in which RNA is transported to, or maintained in, the oocyte pole plasm. An example of this is found in Drosophila melanogaster. [GOC:ai]' - }, - 'GO:0007317': { - 'name': 'regulation of pole plasm oskar mRNA localization', - 'def': 'Any process that modulates the frequency, rate or extent of the process in which oskar mRNA is transported to, or maintained in, the oocyte pole plasm. [GOC:hb]' - }, - 'GO:0007318': { - 'name': 'pole plasm protein localization', - 'def': 'Any process in which a protein is transported to, or maintained in, the oocyte pole plasm. An example of this is found in Drosophila melanogaster. [GOC:ai]' - }, - 'GO:0007319': { - 'name': 'negative regulation of oskar mRNA translation', - 'def': 'Any process that stops, prevents or reduces the rate that oskar mRNAs are effectively translated into protein. [GOC:ems]' - }, - 'GO:0007320': { - 'name': 'insemination', - 'def': 'The introduction of semen or sperm into the genital tract of a female. [ISBN:0582227089]' - }, - 'GO:0007321': { - 'name': 'sperm displacement', - 'def': 'The physical displacement of sperm stored from previous mating encounters. [PMID:10440373]' - }, - 'GO:0007323': { - 'name': 'peptide pheromone maturation', - 'def': 'The generation of a mature, active peptide pheromone via processes unique to its processing and modification. An example of this process is found in Saccharomyces cerevisiae. [GOC:elh]' - }, - 'GO:0007329': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter by pheromones', - 'def': 'Any process involving pheromones that activates or increases the rate of transcription from an RNA polymerase II promoter. [GOC:go_curators]' - }, - 'GO:0007336': { - 'name': 'obsolete bilateral process', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007337': { - 'name': 'obsolete unilateral process', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007338': { - 'name': 'single fertilization', - 'def': 'The union of male and female gametes to form a zygote. [GOC:ems, GOC:mtg_sensu]' - }, - 'GO:0007339': { - 'name': 'binding of sperm to zona pellucida', - 'def': 'The process in which the sperm binds to the zona pellucida glycoprotein layer of the egg. The process begins with the attachment of the sperm plasma membrane to the zona pellucida and includes attachment of the acrosome inner membrane to the zona pellucida after the acrosomal reaction takes place. [GOC:dph, ISBN:0878932437]' - }, - 'GO:0007340': { - 'name': 'acrosome reaction', - 'def': "The discharge, by sperm, of a single, anterior secretory granule following the sperm's attachment to the zona pellucida surrounding the oocyte. The process begins with the fusion of the outer acrosomal membrane with the sperm plasma membrane and ends with the exocytosis of the acrosomal contents into the egg. [GOC:dph, PMID:3886029]" - }, - 'GO:0007341': { - 'name': 'penetration of zona pellucida', - 'def': 'The infiltration by sperm of the zona pellucida to reach the oocyte. The process involves digestive enzymes from a modified lysosome called the acrosome, situated at the head of the sperm. [GOC:jl, http://arbl.cvmbs.colostate.edu/hbooks/pathphys/reprod/fert/fert.html]' - }, - 'GO:0007342': { - 'name': 'fusion of sperm to egg plasma membrane', - 'def': 'The binding and fusion of a sperm, having penetrated the zona pellucida, with the plasma membrane of the oocyte. Binding occurs at the posterior (post-acrosomal) region of the sperm head. [GOC:jl, http://arbl.cvmbs.colostate.edu/hbooks/pathphys/reprod/fert/fert.html]' - }, - 'GO:0007343': { - 'name': 'egg activation', - 'def': 'The process in which the egg becomes metabolically active, initiates protein and DNA synthesis and undergoes structural changes to its cortex and/or cytoplasm. [GOC:bf, PMID:9630751]' - }, - 'GO:0007344': { - 'name': 'pronuclear fusion', - 'def': 'The merging of two pronuclei in a fertilized egg to fuse and produce a single zygotic genome. [GOC:ems, ISBN:087969307X]' - }, - 'GO:0007345': { - 'name': 'obsolete embryogenesis and morphogenesis', - 'def': 'OBSOLETE. Formation and development of an embryo and its organized structures. [GOC:ems, ISBN:0070524300, ISBN:0140512888]' - }, - 'GO:0007346': { - 'name': 'regulation of mitotic cell cycle', - 'def': 'Any process that modulates the rate or extent of progress through the mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0007347': { - 'name': 'regulation of preblastoderm mitotic cell cycle', - 'def': 'A cell cycle process that modulates the rate or extent of the progression through the preblastoderm mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0007348': { - 'name': 'regulation of syncytial blastoderm mitotic cell cycle', - 'def': 'A cell cycle process that modulates the rate or extent of the progression through the syncytial blastoderm mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0007349': { - 'name': 'cellularization', - 'def': 'The separation of a multi-nucleate cell or syncytium into individual cells. An example of this is found in Drosophila melanogaster embryo development. [GOC:go_curators, GOC:mtg_sensu, ISBN:0716731363]' - }, - 'GO:0007350': { - 'name': 'blastoderm segmentation', - 'def': 'The hierarchical steps resulting in the progressive subdivision of the anterior/posterior axis of the embryo. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007351': { - 'name': 'tripartite regional subdivision', - 'def': 'Subdivision of the embryo along the anterior/posterior axis into anterior, posterior and terminal regions. [GOC:dph, GOC:isa_complete, http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007352': { - 'name': 'zygotic specification of dorsal/ventral axis', - 'def': 'The specification of the dorsal/ventral axis of the embryo, through the products of genes expressed in the zygote. [GOC:bf]' - }, - 'GO:0007353': { - 'name': 'obsolete ventral/lateral system', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007354': { - 'name': 'zygotic determination of anterior/posterior axis, embryo', - 'def': 'The specification of the anterior/posterior axis of the embryo by products of genes expressed in the zygote; exemplified in insects by the gap genes, pair rule genes and segment polarity gene cascade. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007355': { - 'name': 'anterior region determination', - 'def': 'Specification of the anterior (head and thoracic segments) of the embryo by the gap genes; exemplified in insects by the actions of hunchback gene product. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007356': { - 'name': 'thorax and anterior abdomen determination', - 'def': 'Specification of the central (trunk) regions of the embryo by the gap genes; exemplified in insects by the actions of the Kruppel gene product. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007357': { - 'name': 'positive regulation of central gap gene transcription', - 'def': 'The activation of genes encoding transcription factors in the central region of an insect embryo by a combination of maternal regulatory signals and interactions among themselves; exemplified by the activation of expression of the Drosophila Kruppel gene by the hunchback and bicoid gene products. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007358': { - 'name': 'establishment of central gap gene boundaries', - 'def': 'Specification of the borders of central gap gene expression mediated largely by the effects of other gap genes; in insects this is exemplified by knirps repression of Kruppel. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007359': { - 'name': 'posterior abdomen determination', - 'def': 'The regionalization process in which the posterior (abdominal) regions of the embryo are specified by the gap genes. [GOC:dph, GOC:isa_complete, http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007360': { - 'name': 'positive regulation of posterior gap gene transcription', - 'def': 'The activation of genes encoding transcription factors in the posterior region of an insect embryo by a combination of maternal regulatory signals and interactions among themselves; exemplified by the activation of expression of the Drosophila knirps gene. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007361': { - 'name': 'establishment of posterior gap gene boundaries', - 'def': 'Specification of the borders of posterior gap gene expression mediated largely by the effects of other gap genes; in insects this is exemplified by hunchback and tailless repression of knirps. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007362': { - 'name': 'terminal region determination', - 'def': 'Specification of the terminal regions (the two non-segmented ends) of the embryo by the gap genes; exemplified in insects by the actions of huckebein and tailless gene products. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007363': { - 'name': 'positive regulation of terminal gap gene transcription', - 'def': 'The activation of genes encoding transcription factors at the anterior and posterior ends of an insect embryo by a combination of maternal regulatory signals and interactions among themselves; exemplified by the activation of expression of the Drosophila tailless and huckebein genes. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007364': { - 'name': 'establishment of terminal gap gene boundary', - 'def': 'Specification of the borders of terminal gap gene expression mediated largely by the effects of other gap genes. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007365': { - 'name': 'periodic partitioning', - 'def': 'The regionalization process that divides the spatial regions of an embryo into serially repeated regions. [GOC:dph, GOC:isa_complete, GOC:ma]' - }, - 'GO:0007366': { - 'name': 'periodic partitioning by pair rule gene', - 'def': 'Allocation of cells to parasegments in the embryo, through the action of overlapping series of pair rule gene activities. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0632030488, ISBN:0879694238]' - }, - 'GO:0007367': { - 'name': 'segment polarity determination', - 'def': 'Division of the 14 parasegments of the embryo into anterior and posterior compartments; exemplified by the actions of the segment polarity gene products. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0632030488, ISBN:0879694238]' - }, - 'GO:0007368': { - 'name': 'determination of left/right symmetry', - 'def': "The establishment of an organism's body plan or part of an organism with respect to the left and right halves. The pattern can either be symmetric, such that the halves are mirror images, or asymmetric where the pattern deviates from this symmetry. [GOC:dph, GOC:jid]" - }, - 'GO:0007369': { - 'name': 'gastrulation', - 'def': 'A complex and coordinated series of cellular movements that occurs at the end of cleavage during embryonic development of most animals. The details of gastrulation vary from species to species, but usually result in the formation of the three primary germ layers, ectoderm, mesoderm and endoderm. [GOC:curators, ISBN:9780878933846]' - }, - 'GO:0007370': { - 'name': 'ventral furrow formation', - 'def': 'Formation of a ventral indentation (furrow) from the blastoderm epithelium, which is internalized to form a tube in the interior of the embryo, marking the start of gastrulation. [ISBN:08795694238]' - }, - 'GO:0007371': { - 'name': 'ventral midline determination', - 'def': 'The regionalization process in which the area where the ventral midline will form is specified. [GOC:bf, GOC:isa_complete, GOC:vk]' - }, - 'GO:0007374': { - 'name': 'posterior midgut invagination', - 'def': 'Formation of a cup-shaped invagination at the posterior end of the embryo, bringing the posterior midgut and hindgut primordia into the interior. [ISBN:08795694238]' - }, - 'GO:0007375': { - 'name': 'anterior midgut invagination', - 'def': 'Internalization of the anterior midgut into the interior of the embryo. [ISBN:08795694238]' - }, - 'GO:0007376': { - 'name': 'cephalic furrow formation', - 'def': 'Formation of a partial necklace of inturning tissue on the lateral sides of the embryo, along the dorsal-ventral axis. This furrow demarcates head from thorax in the developing protostome. [ISBN:08795694238]' - }, - 'GO:0007377': { - 'name': 'germ-band extension', - 'def': 'Elongation of the germ band on the ventral side of the embryo, accompanied by a halving in width. The elongation process pushes the posterior midgut invagination closed and compresses the amnioserosa further. [ISBN:08795694238]' - }, - 'GO:0007378': { - 'name': 'amnioserosa formation', - 'def': 'Formation of the amnioserosa, an epithelium that occupies a hole in the embryonic dorsal epidermis. This occurs by the transformation of a narrow strip of cells at the dorsal midline of the blastoderm from columnar to squamous cells, accompanied by a lateral shift. [ISBN:08795694238]' - }, - 'GO:0007379': { - 'name': 'segment specification', - 'def': 'The process in which segments assume individual identities; exemplified in insects by the actions of the products of the homeotic genes. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007380': { - 'name': 'specification of segmental identity, head', - 'def': 'The specification of the characteristic structures of the head segments following establishment of segment boundaries. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [ISBN:0878932437]' - }, - 'GO:0007381': { - 'name': 'specification of segmental identity, labial segment', - 'def': 'The specification of the characteristic structures of the labial segment following establishment of segment boundaries. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [ISBN:0878932437]' - }, - 'GO:0007382': { - 'name': 'specification of segmental identity, maxillary segment', - 'def': 'The specification of the characteristic structures of the maxillary segment following establishment of segment boundaries. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [ISBN:0878932437]' - }, - 'GO:0007383': { - 'name': 'specification of segmental identity, antennal segment', - 'def': 'The specification of the characteristic structures of the antennal segment following establishment of segment boundaries. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [ISBN:0878932437]' - }, - 'GO:0007384': { - 'name': 'specification of segmental identity, thorax', - 'def': 'The specification of the characteristic structures of the thoracic segments following establishment of segment boundaries. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [ISBN:0878932437]' - }, - 'GO:0007385': { - 'name': 'specification of segmental identity, abdomen', - 'def': 'The specification of the characteristic structures of the abdominal segments following establishment of segment boundaries. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [ISBN:0878932437]' - }, - 'GO:0007386': { - 'name': 'compartment pattern specification', - 'def': 'The regionalization process in which embryonic segments are divided into compartments that will result in differences in cell differentiation. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007387': { - 'name': 'anterior compartment pattern formation', - 'def': 'The process giving rise to specification of cell identity in the anterior compartments of the segmented embryo. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007388': { - 'name': 'posterior compartment specification', - 'def': 'The process involved in the specification of cell identity in the posterior compartments of the segmented embryo. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0007389': { - 'name': 'pattern specification process', - 'def': 'Any developmental process that results in the creation of defined areas or spaces within an organism to which cells respond and eventually are instructed to differentiate. [GOC:go_curators, GOC:isa_complete, ISBN:0521436125]' - }, - 'GO:0007390': { - 'name': 'germ-band shortening', - 'def': 'The spreading of the amnioserosa from its compressed state to cover the whole of the dorsal surface. Initiating in the thorax and spreading posteriorly, it is accompanied by the transition from a parasegmental to segmental division of the embryo. [GOC:bf, PMID:12147138]' - }, - 'GO:0007391': { - 'name': 'dorsal closure', - 'def': 'The process during Drosophila embryogenesis whereby the ectodermal cells of the lateral epithelium stretch in a coordinated fashion to internalize the amnioserosa cells and close the embryo dorsally. [PMID:9224720]' - }, - 'GO:0007392': { - 'name': 'initiation of dorsal closure', - 'def': 'Events that occur at the start of dorsal closure. [GOC:bf]' - }, - 'GO:0007393': { - 'name': 'dorsal closure, leading edge cell fate determination', - 'def': 'The cell fate determination process in which a cell within the dorsal ectoderm becomes capable of differentiating autonomously into a leading edge cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:bf, GOC:go_curators, PMID:12147138]' - }, - 'GO:0007394': { - 'name': 'dorsal closure, elongation of leading edge cells', - 'def': 'The change in shape of cells at the dorsal-most (leading) edge of the epidermis from being polygonal to being elongated in the dorsal/ventral axis. [PMID:12147138]' - }, - 'GO:0007395': { - 'name': 'dorsal closure, spreading of leading edge cells', - 'def': 'Dorsally-directed movement of a cell at the leading edge of the epithelium over the amnioserosa. [GOC:bf, PMID:12147138]' - }, - 'GO:0007396': { - 'name': 'suture of dorsal opening', - 'def': 'Closure of the dorsal hole. Filopodia extending from each leading edge interdigitate at the dorsal midline and appear to prime the formation of adherens junctions between the two rows of leading edge cells. Newly formed septate junctions are also used to seal the dorsal hole. [GOC:bf, PMID:12147138]' - }, - 'GO:0007397': { - 'name': 'obsolete histogenesis and organogenesis', - 'def': 'OBSOLETE. The generation of organized tissues or of whole organs. [GOC:ems]' - }, - 'GO:0007398': { - 'name': 'ectoderm development', - 'def': 'The process whose specific outcome is the progression of the ectoderm over time, from its formation to the mature structure. In animal embryos, the ectoderm is the outer germ layer of the embryo, formed during gastrulation. [GOC:dph, GOC:tb]' - }, - 'GO:0007399': { - 'name': 'nervous system development', - 'def': 'The process whose specific outcome is the progression of nervous tissue over time, from its formation to its mature state. [GOC:dgh]' - }, - 'GO:0007400': { - 'name': 'neuroblast fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into a neuroblast cell regardless of its environment; upon determination, the cell fate cannot be reversed. An example of this process is found in Mus musculus. [GOC:go_curators]' - }, - 'GO:0007401': { - 'name': 'obsolete pan-neural process', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0007402': { - 'name': 'ganglion mother cell fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into a ganglion mother cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators]' - }, - 'GO:0007403': { - 'name': 'glial cell fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into a glial cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0007405': { - 'name': 'neuroblast proliferation', - 'def': 'The expansion of a neuroblast population by cell division. A neuroblast is any cell that will divide and give rise to a neuron. [GOC:ai, GOC:mtg_sensu, GOC:sart]' - }, - 'GO:0007406': { - 'name': 'negative regulation of neuroblast proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the proliferation of neuroblasts. [GOC:ai]' - }, - 'GO:0007407': { - 'name': 'neuroblast activation', - 'def': 'A change in the morphology or behavior of a neuroblast resulting from exposure to an activating factor such as a cellular or soluble ligand. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0007409': { - 'name': 'axonogenesis', - 'def': 'De novo generation of a long process of a neuron, that carries efferent (outgoing) action potentials from the cell body towards target cells. Refers to the morphogenesis or creation of shape or form of the developing axon. [GOC:dph, GOC:jid, GOC:pg, GOC:pr, ISBN:0198506732]' - }, - 'GO:0007411': { - 'name': 'axon guidance', - 'def': 'The chemotaxis process that directs the migration of an axon growth cone to a specific target site in response to a combination of attractive and repulsive cues. [ISBN:0878932437]' - }, - 'GO:0007412': { - 'name': 'axon target recognition', - 'def': 'The process in which an axon recognizes and binds to a set of cells with which it may form stable connections. [ISBN:0878932437]' - }, - 'GO:0007413': { - 'name': 'axonal fasciculation', - 'def': 'The collection of axons into a bundle of rods, known as a fascicle. [GOC:dgh]' - }, - 'GO:0007414': { - 'name': 'axonal defasciculation', - 'def': 'Separation of axons away from a bundle of axons known as a fascicle. [GOC:dgh, ISBN:039751820X]' - }, - 'GO:0007415': { - 'name': 'defasciculation of motor neuron axon', - 'def': 'Separation of a motor axon away from a bundle of axons known as a fascicle. [GOC:dgh]' - }, - 'GO:0007416': { - 'name': 'synapse assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a synapse. This process ends when the synapse is mature (functional). [GOC:mah]' - }, - 'GO:0007417': { - 'name': 'central nervous system development', - 'def': 'The process whose specific outcome is the progression of the central nervous system over time, from its formation to the mature structure. The central nervous system is the core nervous system that serves an integrating and coordinating function. In vertebrates it consists of the brain and spinal cord. In those invertebrates with a central nervous system it typically consists of a brain, cerebral ganglia and a nerve cord. [GOC:bf, GOC:jid, ISBN:0582227089]' - }, - 'GO:0007418': { - 'name': 'ventral midline development', - 'def': 'The process whose specific outcome is the progression of the ventral midline over time, from its formation to the mature structure. In protostomes (such as insects, snails and worms) as well as deuterostomes (vertebrates), the midline is an embryonic region that functions in patterning of the adjacent nervous tissue. The ventral midline in insects is a cell population extending along the ventral surface of the embryo and is the region from which cells detach to form the ventrally located nerve cords. In vertebrates, the midline is originally located dorsally. During development, it folds inwards and becomes the ventral part of the dorsally located neural tube and is then called the ventral midline, or floor plate. [GOC:bf, GOC:go_curators, PMID:12075342]' - }, - 'GO:0007419': { - 'name': 'ventral cord development', - 'def': 'The process whose specific outcome is the progression of the ventral cord over time, from its formation to the mature structure. The ventral cord is one of the distinguishing traits of the central nervous system of all arthropods (such as insects, crustaceans and arachnids) as well as many other invertebrates, such as the annelid worms. [GOC:bf, GOC:go_curators, http://users.rcn.com/jkimball.ma.ultranet/BiologyPages/S/Spemann.html]' - }, - 'GO:0007420': { - 'name': 'brain development', - 'def': 'The process whose specific outcome is the progression of the brain over time, from its formation to the mature structure. Brain development begins with patterning events in the neural tube and ends with the mature structure that is the center of thought and emotion. The brain is responsible for the coordination and control of bodily activities and the interpretation of information from the senses (sight, hearing, smell, etc.). [GOC:dph, GOC:jid, GOC:tb, UBERON:0000955]' - }, - 'GO:0007421': { - 'name': 'stomatogastric nervous system development', - 'def': 'The process whose specific outcome is the progression of the stomatogastric nervous system over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0007422': { - 'name': 'peripheral nervous system development', - 'def': 'The process whose specific outcome is the progression of the peripheral nervous system over time, from its formation to the mature structure. The peripheral nervous system is one of the two major divisions of the nervous system. Nerves in the PNS connect the central nervous system (CNS) with sensory organs, other organs, muscles, blood vessels and glands. [GOC:go_curators, UBERON:0000010]' - }, - 'GO:0007423': { - 'name': 'sensory organ development', - 'def': 'The process whose specific outcome is the progression of sensory organs over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0007424': { - 'name': 'open tracheal system development', - 'def': 'The process whose specific outcome is the progression of an open tracheal system over time, from its formation to the mature structure. An open tracheal system is a respiratory system, a branched network of epithelial tubes that supplies oxygen to target tissues via spiracles. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:8625828]' - }, - 'GO:0007425': { - 'name': 'epithelial cell fate determination, open tracheal system', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into an epithelial cell within an open tracheal system regardless of its environment; upon determination, the cell fate cannot be reversed. Tracheal cells are set aside as 10 clusters of approximately 80 cells on each side of the embryo (termed tracheal placodes). An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11063940]' - }, - 'GO:0007426': { - 'name': 'tracheal outgrowth, open tracheal system', - 'def': 'The projection of branches of an open tracheal system towards their target tissues. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0007427': { - 'name': 'epithelial cell migration, open tracheal system', - 'def': 'The orderly movement of epithelial cells during development of an open tracheal system. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0007428': { - 'name': 'primary branching, open tracheal system', - 'def': 'Formation of primary branches in the open tracheal system. These form from small groups of cells that migrate out at specific positions, organizing into tubes as they migrate. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, http://cmgm.stanford.edu/krasnow/research.html]' - }, - 'GO:0007429': { - 'name': 'secondary branching, open tracheal system', - 'def': 'Sprouting of secondary branches in an open tracheal system. These form from the tips of primary branches and are formed by individual cells that roll up into unicellular tubes. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, http://cmgm.stanford.edu/krasnow/research.html]' - }, - 'GO:0007430': { - 'name': 'terminal branching, open tracheal system', - 'def': 'Formation of terminal branches in the open tracheal system. These are long cytoplasmic extensions that form fine tubules that transport oxygen directly to the tissues. An example of the process is found in Drosophila melanogaster. [GOC:mtg_sensu, http://cmgm.stanford.edu/krasnow/research.html]' - }, - 'GO:0007431': { - 'name': 'salivary gland development', - 'def': 'The process whose specific outcome is the progression of the salivary gland over time, from its formation to the mature structure. Salivary glands include any of the saliva-secreting exocrine glands of the oral cavity. [GOC:jid, UBERON:0001044]' - }, - 'GO:0007432': { - 'name': 'salivary gland boundary specification', - 'def': 'Determination of where the salivary gland forms, the total number of salivary gland cells and how many cells are allocated to each of the specialised cell types within the salivary gland. [PMID:11598957]' - }, - 'GO:0007433': { - 'name': 'larval salivary gland boundary specification', - 'def': 'Determination in a larval organism of where the salivary gland forms, the total number of salivary gland cells and how many cells are allocated to each of the specialised cell types within the salivary gland. [GOC:tb, PMID:11598957]' - }, - 'GO:0007434': { - 'name': 'adult salivary gland boundary specification', - 'def': 'Determination in an adult organism of where the salivary gland forms, the total number of salivary gland cells and how many cells are allocated to each of the specialised cell types within the salivary gland. [GOC:tb, PMID:11598957]' - }, - 'GO:0007435': { - 'name': 'salivary gland morphogenesis', - 'def': 'The process in which the anatomical structures of the salivary gland are generated and organized. [GOC:jid]' - }, - 'GO:0007436': { - 'name': 'larval salivary gland morphogenesis', - 'def': 'The process, occurring in the larva, by which the anatomical structures of the salivary gland are generated and organized. [GOC:jid]' - }, - 'GO:0007437': { - 'name': 'adult salivary gland morphogenesis', - 'def': 'The process in which the anatomical structures of the adult salivary gland are generated and organized. [GOC:go_curators]' - }, - 'GO:0007438': { - 'name': 'oenocyte development', - 'def': 'The process whose specific outcome is the progression of the oenocyte over time, from its formation to the mature structure. The oenocytes are large secretory cells found in clusters underlying the epidermis of larval abdominal segments. [GOC:bf, PMID:11171397]' - }, - 'GO:0007439': { - 'name': 'ectodermal digestive tract development', - 'def': 'The process whose specific outcome is the progression of the ectodermal digestive tract over time, from its formation to the mature structure. The ectodermal digestive tract includes those portions that are derived from ectoderm. [GOC:curators]' - }, - 'GO:0007440': { - 'name': 'foregut morphogenesis', - 'def': 'The process in which the anatomical structures of the foregut are generated and organized. [GOC:jid]' - }, - 'GO:0007441': { - 'name': 'anterior midgut (ectodermal) morphogenesis', - 'def': 'The process in which the anatomical structures of the anterior midgut (ectodermal) are generated and organized. [GOC:go_curators]' - }, - 'GO:0007442': { - 'name': 'hindgut morphogenesis', - 'def': 'The process in which the anatomical structures of the hindgut are generated and organized. [GOC:jid]' - }, - 'GO:0007443': { - 'name': 'Malpighian tubule morphogenesis', - 'def': 'The process in which the anatomical structures of the Malpighian tubule are generated and organized. This process takes place entirely during the embryonic phase. A Malpighian tubule is a fine, thin-walled excretory tubule in insects which leads into the posterior part of the gut. [GOC:bf, ISBN:0582227089]' - }, - 'GO:0007444': { - 'name': 'imaginal disc development', - 'def': 'The process whose specific outcome is the progression of the imaginal disc over time, from its formation to the metamorphosis to form adult structures. Imaginal discs are epithelial infoldings in the larvae of holometabolous insects that develop into adult structures (legs, antennae, wings, etc.). [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007445': { - 'name': 'determination of imaginal disc primordium', - 'def': 'Allocation of embryonic cells to the imaginal disc founder populations, groups of cells that are committed to contribute to the formation of an imaginal disc compartment. [ISBN:0879694238]' - }, - 'GO:0007446': { - 'name': 'imaginal disc growth', - 'def': 'The increase in mass of imaginal discs by cell proliferation prior to metamorphosis. Imaginal discs are epithelial infoldings in the larvae of holometabolous insects that develop into adult structures (legs, antennae, wings, etc.) during metamorphosis from larval to adult form. [GOC:bf, GOC:jid, PMID:10679387]' - }, - 'GO:0007447': { - 'name': 'imaginal disc pattern formation', - 'def': 'The regionalization process that results in defined areas of the imaginal disc that will undergo specific cell differentaiton. Imaginal discs are epithelial infoldings in the larvae of holometabolous insects that develop into adult appendages (legs, antennae, wings, etc.) during metamorphosis from larval to adult form. [GOC:dph, GOC:isa_complete, GOC:jid]' - }, - 'GO:0007448': { - 'name': 'anterior/posterior pattern specification, imaginal disc', - 'def': 'The establishment, maintenance and elaboration of the anterior/posterior axis of the imaginal disc. Imaginal discs are epithelial infoldings in the larvae of holometabolous insects that rapidly develop into adult appendages during metamorphosis from larval to adult form. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007449': { - 'name': 'proximal/distal pattern formation, imaginal disc', - 'def': 'The establishment, maintenance and elaboration of the proximal/distal axis of the imaginal disc. Imaginal disks are masses of hypodermic cells, carried by the larvae of some insects after leaving the egg, from which masses the wings and legs of the adult are subsequently formed. [GOC:jid, ISBN:0879694238]' - }, - 'GO:0007450': { - 'name': 'dorsal/ventral pattern formation, imaginal disc', - 'def': 'The establishment, maintenance and elaboration of the dorsal/ventral axis of the imaginal disc. Imaginal disks are masses of hypodermic cells, carried by the larvae of some insects after leaving the egg, from which masses the wings and legs of the adult are subsequently formed. [GOC:jid, ISBN:0879694238]' - }, - 'GO:0007451': { - 'name': 'dorsal/ventral lineage restriction, imaginal disc', - 'def': 'Formation and/or maintenance of a lineage boundary between dorsal and ventral compartments that cells cannot cross, thus separating the populations of cells in each compartment. [GOC:bf, PMID:10625531, PMID:9374402]' - }, - 'GO:0007453': { - 'name': 'clypeo-labral disc morphogenesis', - 'def': 'The process in which the anatomical structures derived from the clypeo-labral disc are generated and organized. This includes the transformation of a clypeo-labal imaginal disc from a monolayered epithelium in the larvae of holometabolous insects into recognizable adult structures including the labrum, anterior and posterior cibarial plates, fish trap bristles, epistomal sclerite and clypeus. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007454': { - 'name': 'labial disc morphogenesis', - 'def': 'The process in which the anatomical structures derived from the labial disc are generated and organized. This includes the transformation of a labial imaginal disc from a monolayered epithelium in the larvae of holometabolous insects into recognizable adult structures including parts of the proboscis. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007455': { - 'name': 'eye-antennal disc morphogenesis', - 'def': 'The process in which the anatomical structures derived from the eye-antennal disc are generated and organized. This includes the transformation of an eye-antennal imaginal disc from a monolayered epithelium in the larvae of holometabolous insects into recognizable adult structures including the eye, antenna, head capsule and maxillary palps. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007458': { - 'name': 'progression of morphogenetic furrow involved in compound eye morphogenesis', - 'def': 'The morphogenetic furrow is a dorsoventral indentation which sweeps anteriorly across the eye disc. Ommatidia begin to form along the furrow, resulting in a graded series of ommatidial development across the anterior/posterior axis of the disc. [PMID:3076112, PMID:3937883]' - }, - 'GO:0007460': { - 'name': 'R8 cell fate commitment', - 'def': 'The process in which the R8 photoreceptor commits to its cell fate. The R8 receptor contributes the central part of the rhabdomere in the basal parts of the ommatidium. [PMID:3076112, PMID:3937883]' - }, - 'GO:0007462': { - 'name': 'R1/R6 cell fate commitment', - 'def': 'The process in which the R1/R6 photoreceptors commit to their cell fate. R1 and R6 are paired photoreceptors which contribute the outer rhabdomeres. [PMID:3076112, PMID:3937883]' - }, - 'GO:0007463': { - 'name': 'R2/R5 cell fate commitment', - 'def': 'The process in which the R2/R5 photoreceptors commit to their cell fate. R2 and R5 are paired photoreceptors which contribute the outer rhabdomeres. [PMID:3076112, PMID:3937883]' - }, - 'GO:0007464': { - 'name': 'R3/R4 cell fate commitment', - 'def': 'The process in which the R3/R4 photoreceptors commit to their cell fate. R3 and R4 are paired photoreceptors which contribute the outer rhabdomeres. [PMID:3076112, PMID:3937883]' - }, - 'GO:0007465': { - 'name': 'R7 cell fate commitment', - 'def': 'The process in which the R7 photoreceptor commits to its cell fate. The R7 receptor contributes the central part of the rhabdomere in the apical parts of the ommatidium. [PMID:3076112, PMID:3937883]' - }, - 'GO:0007468': { - 'name': 'regulation of rhodopsin gene expression', - 'def': 'Any process that modulates the frequency, rate or extent of rhodopsin gene expression. This includes transcriptional, translational, or posttranslational regulation. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0007469': { - 'name': 'antennal development', - 'def': 'The process whose specific outcome is the progression of the antenna over time, from its formation to the mature structure. The antenna are the sensory structures on the head that are capable of detecting various environmental stimuli. [http://fly.ebi.ac.uk/.bin/cvreport2?id=FBcv0004526]' - }, - 'GO:0007470': { - 'name': 'prothoracic disc morphogenesis', - 'def': 'The process in which the anatomical structures derived from the prothoracic disc are generated and organized. This includes the transformation of a prothoracic imaginal disc from a monolayered epithelium in the larvae of holometabolous insects into the recognizable adult humerous and anterior spiracle. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007471': { - 'name': 'obsolete prothoracic morphogenesis', - 'def': 'OBSOLETE. The process by which the anatomical structures of the first or anterior segment of the insect thorax are generated and organized. [GOC:jid]' - }, - 'GO:0007472': { - 'name': 'wing disc morphogenesis', - 'def': 'The process in which the anatomical structures derived from the wing disc are generated and organized. This includes the transformation of a wing imaginal disc from a monolayered epithelium in the larvae of holometabolous insects into recognizable adult structures including the wing hinge, wing blade and pleura. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007473': { - 'name': 'wing disc proximal/distal pattern formation', - 'def': 'The establishment, maintenance and elaboration of the proximal/distal axis of the wing disc, a precursor to the adult wing. [GOC:bf]' - }, - 'GO:0007474': { - 'name': 'imaginal disc-derived wing vein specification', - 'def': 'The regionalization process in which the area of a imaginal disc-derived wing that will form a wing vein is specified. [GOC:dph, GOC:isa_complete, GOC:mtg_sensu]' - }, - 'GO:0007475': { - 'name': 'apposition of dorsal and ventral imaginal disc-derived wing surfaces', - 'def': 'The coming together of the dorsal and ventral surfaces of the imaginal disc-derived wing during the conversion of a folded single layered wing disc to a flat bilayered wing. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0007476': { - 'name': 'imaginal disc-derived wing morphogenesis', - 'def': 'The process in which the anatomical structures of the imaginal disc-derived wing are generated and organized. The wing is an appendage modified for flying. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0007477': { - 'name': 'notum development', - 'def': 'The process whose specific outcome is the progression of the dorsal part of the body over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0007478': { - 'name': 'leg disc morphogenesis', - 'def': 'The process in which the anatomical structures derived from the leg disc are generated and organized. This includes the transformation of a leg imaginal disc from a monolayered epithelium in the larvae of holometabolous insects into recognizable adult structures including the leg, coxa and ventral thoracic pleura. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007479': { - 'name': 'leg disc proximal/distal pattern formation', - 'def': 'The establishment, maintenance and elaboration of the proximal/distal axis of the leg imaginal disc, a precursor to the adult leg. [GOC:bf]' - }, - 'GO:0007480': { - 'name': 'imaginal disc-derived leg morphogenesis', - 'def': 'The process in which the anatomical structures of a leg derived from an imaginal disc are generated and organized. A leg is a limb on which an animal walks and stands. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0007481': { - 'name': 'haltere disc morphogenesis', - 'def': 'The process in which the anatomical structures derived from the haltere disc are generated and organized. This includes the transformation of a haltere imaginal disc from a monolayered epithelium in the larvae of holometabolous insects into the recognizable adult capitellum, pedicel, haltere sclerite, metathoracic spiracle and metanotum. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007482': { - 'name': 'haltere development', - 'def': "The process whose specific outcome is the progression of the haltere over time, from its formation to the mature structure. The haltere is the club-shaped 'balancers' found on each side of the metathorax among the true flies (Diptera). They are the much-modified hind wings. [GOC:jid, http://www.earthlife.net]" - }, - 'GO:0007483': { - 'name': 'genital disc morphogenesis', - 'def': 'The process in which the anatomical structures derived from the genital disc are generated and organized. This includes the transformation of a genital imaginal disc from a monolayered epithelium in the larvae of holometabolous insects into the recognizable adult genital structures, the anal plates and the hind gut. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007484': { - 'name': 'imaginal disc-derived genitalia development', - 'def': 'The process whose specific outcome is the progression of the genitalia over time, from formation as part of the genital disc to the mature structure. An example of this is found in Drosophila melanogaster. [GOC:ai, GOC:sensu]' - }, - 'GO:0007485': { - 'name': 'imaginal disc-derived male genitalia development', - 'def': 'The process whose specific outcome is the progression of the male genitalia over time, from formation as part of the genital disc to the mature structure. An example of this is found in Drosophila melanogaster. [GOC:ai, GOC:sensu]' - }, - 'GO:0007486': { - 'name': 'imaginal disc-derived female genitalia development', - 'def': 'The process whose specific outcome is the progression of the female genitalia over time, from formation as part of the genital disc to the mature structure. An example of this is found in Drosophila melanogaster. [GOC:ai, GOC:sensu]' - }, - 'GO:0007487': { - 'name': 'analia development', - 'def': 'The process whose specific outcome is the progression of the analia over time, from its formation to the mature structure. The analia is the posterior-most vertral appendage that develops from the genital disc. An example of this process is analia development in Drosophila melanogaster. [GOC:ai, GOC:mtg_sensu]' - }, - 'GO:0007488': { - 'name': 'histoblast morphogenesis', - 'def': 'The process in which the anatomical structures derived from the histoblast disc are generated and organized. This includes the transformation of histoblast cells into adult structures during pupal metamorphosis. Histoblast cells are cells founded in the embryo that are the progenitors to the adult abdomen. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007489': { - 'name': 'maintenance of imaginal histoblast diploidy', - 'def': 'The negative regulation of the differentiation of polytenized larval hypodermal cells from abdominal histoblasts. The abdominal histoblasts remain a small cluster of diploid cells among the polytenized larval hypodermal cells. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007490': { - 'name': 'tergite morphogenesis', - 'def': 'The process in which the anatomical structures of the tergite are generated and organized. The tergite is the primary plate or sclerite forming the dorsal surface of any insect body segment. [GOC:jid, http://www.earthlife.net]' - }, - 'GO:0007491': { - 'name': 'sternite morphogenesis', - 'def': 'The process in which the anatomical structures of the sternite are generated and organized. The sternite is the plate or sclerite on the underside of a body segment. [GOC:jid, http://www.earthlife.net]' - }, - 'GO:0007492': { - 'name': 'endoderm development', - 'def': 'The process whose specific outcome is the progression of the endoderm over time, from its formation to the mature structure. The endoderm is the innermost germ layer that develops into the gastrointestinal tract, the lungs and associated tissues. [GOC:dph, GOC:tb]' - }, - 'GO:0007493': { - 'name': 'endodermal cell fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into an endoderm cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators, ISBN:0878932437]' - }, - 'GO:0007494': { - 'name': 'midgut development', - 'def': 'The process whose specific outcome is the progression of the midgut over time, from its formation to the mature structure. The midgut is the middle part of the alimentary canal from the stomach, or entrance of the bile duct, to, or including, the large intestine. [GOC:jid, UBERON:0001045]' - }, - 'GO:0007495': { - 'name': 'visceral mesoderm-endoderm interaction involved in midgut development', - 'def': 'The process of cell-cell signaling between visceral mesoderm cells and endoderm cells that is involved in the differentiation of cells in the midgut. [GOC:dph, GOC:isa_complete]' - }, - 'GO:0007496': { - 'name': 'anterior midgut development', - 'def': 'The process whose specific outcome is the progression of the anterior midgut over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0007497': { - 'name': 'posterior midgut development', - 'def': 'The process whose specific outcome is the progression of the posterior midgut over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0007498': { - 'name': 'mesoderm development', - 'def': 'The process whose specific outcome is the progression of the mesoderm over time, from its formation to the mature structure. The mesoderm is the middle germ layer that develops into muscle, bone, cartilage, blood and connective tissue. [GOC:dph, GOC:tb]' - }, - 'GO:0007499': { - 'name': 'ectoderm and mesoderm interaction', - 'def': 'A cell-cell signaling process occurring between the two gastrulation-generated layers of the ectoderm and the mesoderm. [GOC:isa_complete]' - }, - 'GO:0007500': { - 'name': 'mesodermal cell fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into a mesoderm cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators, ISBN:0878932437]' - }, - 'GO:0007501': { - 'name': 'mesodermal cell fate specification', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into a mesoderm cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:go_curators]' - }, - 'GO:0007502': { - 'name': 'digestive tract mesoderm development', - 'def': 'The process whose specific outcome is the progression of the digestive tract mesoderm over time, from its formation to the mature structure. The digestive tract mesoderm is portion of the middle layer of the three primary germ layers of the embryo which will go on to form part of the digestive tract of the organism. [GOC:ai]' - }, - 'GO:0007503': { - 'name': 'fat body development', - 'def': 'The process whose specific outcome is the progression of the fat body over time, from its formation to the mature structure. A fat body is an insect gland dorsal to the insect gut, with a function analogous to that of the vertebrate liver. It is a storage organ for fats, glycogen and protein and is a major site of intermediary metabolism. [ISBN:0582227089]' - }, - 'GO:0007504': { - 'name': 'larval fat body development', - 'def': 'The process whose specific outcome is the progression of the larval fat body over time, from its formation to the mature structure. The larval fat body consists of a bilaterally symmetrical monolayer of cells lying between the gut and the muscles of the body wall. As in other tissues of the larva, the cells of the fat body complete their divisions in the embryo and increase in size and ploidy during larval life. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007505': { - 'name': 'adult fat body development', - 'def': 'The process whose specific outcome is the progression of the adult fat body over time, from its formation to the mature structure. Larval fat body cells that remain at eclosion degenerate in the first 2 to 4 days of adult life, leaving behind the smaller cells of the adult fat body. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0007506': { - 'name': 'gonadal mesoderm development', - 'def': 'The process whose specific outcome is the progression of the gonadal mesoderm over time, from its formation to the mature structure. The gonadal mesoderm is the middle layer of the three primary germ layers of the embryo which will go on to form the gonads of the organism. [GOC:ai]' - }, - 'GO:0007507': { - 'name': 'heart development', - 'def': 'The process whose specific outcome is the progression of the heart over time, from its formation to the mature structure. The heart is a hollow, muscular organ, which, by contracting rhythmically, keeps up the circulation of the blood. [GOC:jid, UBERON:0000948]' - }, - 'GO:0007508': { - 'name': 'larval heart development', - 'def': 'The process whose specific outcome is the progression of the larval heart over time, from its formation to the mature structure. In Drosophila the larval heart (dorsal vessel) is a continuous tube of mesodormal cells that runs beneath the dorsal midline of the epidermis, divided into an anterior aorta and a posterior heart proper. [GOC:bf, ISBN:08779694238]' - }, - 'GO:0007509': { - 'name': 'mesoderm migration involved in gastrulation', - 'def': 'The migration of mesodermal cells during gastrulation to help establish the multilayered body plan of the organism. [GOC:isa_complete, GOC:sat]' - }, - 'GO:0007510': { - 'name': 'cardioblast cell fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into a cardioblast cell regardless of its environment; upon determination, the cell fate cannot be reversed. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:go_curators]' - }, - 'GO:0007512': { - 'name': 'adult heart development', - 'def': 'The process whose specific outcome is the progression of the adult heart over time, from its formation to the mature structure. [GOC:bf]' - }, - 'GO:0007515': { - 'name': 'obsolete lymph gland development', - 'def': 'OBSOLETE. The process whose specific outcome is the progression of the lymph gland over time, from its formation to the mature structure. The lymph gland is a small bean-shaped organ made up of a loose meshwork of reticular tissue in which are enmeshed large numbers of lymphocytes, macrophages and accessory cells. Lymph glands are located along the lymphatic system. [GOC:jid]' - }, - 'GO:0007516': { - 'name': 'hemocyte development', - 'def': 'The process whose specific outcome is the progression of the hemocyte over time, from its formation to the mature structure. Hemocytes are blood cells associated with a hemocoel (the cavity containing most of the major organs of the arthropod body) which are involved in defense and clotting of hemolymph, but not involved in transport of oxygen. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0007517': { - 'name': 'muscle organ development', - 'def': 'The process whose specific outcome is the progression of the muscle over time, from its formation to the mature structure. The muscle is an organ consisting of a tissue made up of various elongated cells that are specialized to contract and thus to produce movement and mechanical work. [GOC:jid, ISBN:0198506732]' - }, - 'GO:0007518': { - 'name': 'myoblast fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into a myoblast regardless of its environment; upon determination, the cell fate cannot be reversed. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:go_curators]' - }, - 'GO:0007519': { - 'name': 'skeletal muscle tissue development', - 'def': 'The developmental sequence of events leading to the formation of adult skeletal muscle tissue. The main events are: the fusion of myoblasts to form myotubes that increase in size by further fusion to them of myoblasts, the formation of myofibrils within their cytoplasm and the establishment of functional neuromuscular junctions with motor neurons. At this stage they can be regarded as mature muscle fibers. [GOC:mtg_muscle]' - }, - 'GO:0007520': { - 'name': 'myoblast fusion', - 'def': 'A process in which non-proliferating myoblasts fuse to existing fibers or to myotubes to form new fibers. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:mtg_muscle]' - }, - 'GO:0007521': { - 'name': 'muscle cell fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into a muscle cell regardless of its environment; upon determination, the cell fate cannot be reversed. [CL:0000187, GOC:go_curators]' - }, - 'GO:0007522': { - 'name': 'visceral muscle development', - 'def': 'The process whose specific outcome is the progression of the visceral muscle over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0007523': { - 'name': 'larval visceral muscle development', - 'def': 'The process whose specific outcome is the progression of the larval visceral muscle over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0007524': { - 'name': 'adult visceral muscle development', - 'def': 'The process whose specific outcome is the progression of the adult visceral muscle over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0007525': { - 'name': 'somatic muscle development', - 'def': 'The process whose specific outcome is the progression of the somatic muscle over time, from its formation to the mature structure. Somatic muscles are striated muscle structures that connect to the exoskeleton or cuticle. [GOC:jid, GOC:mtg_muscle]' - }, - 'GO:0007526': { - 'name': 'larval somatic muscle development', - 'def': 'The process whose specific outcome is the progression of the larval somatic muscle over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0007527': { - 'name': 'adult somatic muscle development', - 'def': 'The process whose specific outcome is the progression of the adult somatic muscle over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0007528': { - 'name': 'neuromuscular junction development', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a neuromuscular junction. [GOC:mtg_OBO2OWL_2013]' - }, - 'GO:0007529': { - 'name': 'establishment of synaptic specificity at neuromuscular junction', - 'def': 'The biological process in which a synapse between a motor neuron and a muscle is initially formed. [GOC:isa_complete]' - }, - 'GO:0007530': { - 'name': 'sex determination', - 'def': 'Any process that establishes and transmits the specification of sexual status of an individual organism. [ISBN:0198506732]' - }, - 'GO:0007531': { - 'name': 'mating type determination', - 'def': 'Any process that establishes and transmits the specification of mating type upon an individual. Mating types are the equivalent in microorganisms of the sexes in higher organisms. [http://www.biology-text.com/]' - }, - 'GO:0007532': { - 'name': 'regulation of mating-type specific transcription, DNA-templated', - 'def': 'Any mating-type specific process that modulates the frequency, rate or extent of cellular DNA-templated transcription. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0007533': { - 'name': 'mating type switching', - 'def': 'The conversion of a single-cell organism from one mating type to another by the precise replacement of a DNA sequence at the expressed mating type locus with a copy of a sequence from a donor locus. [PMID:9928492]' - }, - 'GO:0007534': { - 'name': 'gene conversion at mating-type locus', - 'def': 'The conversion of the mating-type locus from one allele to another resulting from the recombinational repair of a site-specific double-strand break at the mating-type locus with information from a silent donor sequence. There is no reciprocal exchange of information because the mating-type locus copies information from the donor sequence and the donor sequence remains unchanged. [GOC:elh, PMID:9928492]' - }, - 'GO:0007535': { - 'name': 'donor selection', - 'def': 'The process that determines which donor locus a cell uses, in preference to another, in mating type switching. [GOC:mah, PMID:9928492]' - }, - 'GO:0007536': { - 'name': 'activation of recombination (HML)', - 'def': 'The activation of recombination at a mating type locus, such that it is used in preference to the other donor locus for mating type switching; exemplified by the HML locus and surrounding sequences on Chromosome III in Saccharomyces cerevisiae. [GOC:mah, PMID:9928492]' - }, - 'GO:0007537': { - 'name': 'inactivation of recombination (HML)', - 'def': 'The inactivation of recombination at sequences around a mating type donor locus, with the consequence that the other donor is the only one available for mating type switching; exemplified by the HML locus and surrounding sequences on Chromosome III in Saccharomyces cerevisiae. [GOC:mah, PMID:9928492]' - }, - 'GO:0007538': { - 'name': 'primary sex determination', - 'def': 'The sex determination process that results in the initial specification of sexual status of an individual organism. [GOC:mah]' - }, - 'GO:0007539': { - 'name': 'primary sex determination, soma', - 'def': 'The transmission of information about sexual status from the initial, general, determination to signals specific to the soma. [GOC:ems]' - }, - 'GO:0007540': { - 'name': 'sex determination, establishment of X:A ratio', - 'def': 'The developmental process in which an organism senses the number of X chromosomes and autosomes in its genomic complement and responds to it. [GOC:isa_complete, GOC:mr, https://en.wikipedia.org/wiki/XY_sex-determination_system, PMID:20622855]' - }, - 'GO:0007541': { - 'name': 'sex determination, primary response to X:A ratio', - 'def': 'The developmental process in which an organism interprets its X to autosomal chromosomal complement. [GOC:isa_complete]' - }, - 'GO:0007542': { - 'name': 'primary sex determination, germ-line', - 'def': 'The transmission of information about sexual status, from the initial general determination, to signals specific to the germ-line. [GOC:ems]' - }, - 'GO:0007543': { - 'name': 'sex determination, somatic-gonadal interaction', - 'def': 'The process that mediates the interactions between somatic cells and gonadal cells that ultimately results in the specification of sexual status of the organism. [GOC:isa_complete]' - }, - 'GO:0007545': { - 'name': 'processes downstream of sex determination signal', - 'def': 'The sex determination processes that take place after the initial transmission of the sexual phenotype to specific information pathways. [GOC:mah]' - }, - 'GO:0007546': { - 'name': 'somatic processes downstream of sex determination signal', - 'def': 'The events determining the somatic sexual phenotype after the initial transmission of that phenotype to soma-specific information pathways. [GOC:ems]' - }, - 'GO:0007547': { - 'name': 'germ-line processes downstream of sex determination signal', - 'def': 'The events determining the germ-line sexual phenotype after the initial transmission of that phenotype to germ-line-specific information pathways. [GOC:ems]' - }, - 'GO:0007548': { - 'name': 'sex differentiation', - 'def': 'The establishment of the sex of an organism by physical differentiation. [GOC:ai]' - }, - 'GO:0007549': { - 'name': 'dosage compensation', - 'def': 'Compensating for the two-fold variation in X:autosome chromosome ratios between sexes by a global activation or inactivation of all, or most of, genes on one or both of the X chromosomes. [GOC:ems, ISBN:0140512888, PMID:11498577]' - }, - 'GO:0007550': { - 'name': 'obsolete establishment of dosage compensation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:isa_complete]' - }, - 'GO:0007551': { - 'name': 'obsolete maintenance of dosage compensation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:isa_complete]' - }, - 'GO:0007552': { - 'name': 'metamorphosis', - 'def': "A biological process in which an animal physically develops after birth or hatching, involving a conspicuous and relatively abrupt change in the animal's form or structure. Examples include the change from tadpole to frog, and the change from larva to adult. An example of this is found in Drosophila melanogaster. [GOC:sensu, ISBN:0198506732, ISBN:0721662544]" - }, - 'GO:0007553': { - 'name': 'regulation of ecdysteroid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving ecdysteroids, a group of polyhydroxylated ketosteroids which initiate post-embryonic development, including the metamorphosis of immature forms and the development of the reproductive system and the maturation of oocytes in adult females. [ISBN:0198506732]' - }, - 'GO:0007554': { - 'name': 'regulation of ecdysteroid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of ecdysteroids. [GOC:go_curators]' - }, - 'GO:0007555': { - 'name': 'regulation of ecdysteroid secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of ecdysteroid from a cell. [GOC:go_curators]' - }, - 'GO:0007556': { - 'name': 'regulation of juvenile hormone metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving juvenile hormone. [GOC:go_curators]' - }, - 'GO:0007557': { - 'name': 'regulation of juvenile hormone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of juvenile hormone. [GOC:go_curators]' - }, - 'GO:0007558': { - 'name': 'regulation of juvenile hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of juvenile hormone secretion. [GOC:go_curators]' - }, - 'GO:0007559': { - 'name': 'obsolete histolysis', - 'def': 'OBSOLETE. The breakdown of tissues; usually, if not always, accompanied by cell death, followed by the complete dissolution of dead tissue. [GOC:dph, GOC:ma]' - }, - 'GO:0007560': { - 'name': 'imaginal disc morphogenesis', - 'def': 'The process in which the anatomical structures derived from an imaginal disc are generated and organized. The imaginal discs are epithelial infoldings in the larvae of holometabolous insects that develop into adult appendages (legs, antennae, wings, etc.) during metamorphosis from larval to adult form. [GOC:jid]' - }, - 'GO:0007561': { - 'name': 'imaginal disc eversion', - 'def': 'The eversion (turning inside out) of imaginal discs from their peripodial sacs, resulting in movement of the epithelium to the outside of the larval epidermis. [PMID:11494317]' - }, - 'GO:0007562': { - 'name': 'eclosion', - 'def': 'The emergence of an adult insect from a pupa case. [GOC:dgh, GOC:dos, GOC:mah, ISBN:0198600461]' - }, - 'GO:0007563': { - 'name': 'regulation of eclosion', - 'def': 'Any process that modulates the frequency, rate or extent of the emergence of an insect from a pupa-case or of a larva from an egg. [GOC:go_curators, ISBN:0198600461]' - }, - 'GO:0007564': { - 'name': 'regulation of chitin-based cuticle tanning', - 'def': 'Any process that modulates the frequency, rate or extent of chitin-based cuticular tanning. [GOC:go_curators, GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0007565': { - 'name': 'female pregnancy', - 'def': 'The set of physiological processes that allow an embryo or foetus to develop within the body of a female animal. It covers the time from fertilization of a female ovum by a male spermatozoon until birth. [ISBN:0192800825]' - }, - 'GO:0007566': { - 'name': 'embryo implantation', - 'def': 'Attachment of the blastocyst to the uterine lining. [GOC:isa_complete, http://www.medterms.com]' - }, - 'GO:0007567': { - 'name': 'parturition', - 'def': 'The reproductive process in which the parent is separated from its offspring either by giving birth to live young or by laying eggs. [ISBN:0198506732]' - }, - 'GO:0007568': { - 'name': 'aging', - 'def': 'A developmental process that is a deterioration and loss of function over time. Aging includes loss of functions such as resistance to disease, homeostasis, and fertility, as well as wear and tear. Aging includes cellular senescence, but is more inclusive. May precede death and may succeed developmental maturation (GO:0021700). [GOC:PO_curators]' - }, - 'GO:0007569': { - 'name': 'cell aging', - 'def': 'An aging process that has as participant a cell after a cell has stopped dividing. Cell aging may occur when a cell has temporarily stopped dividing through cell cycle arrest (GO:0007050) or when a cell has permanently stopped dividing, in which case it is undergoing cellular senescence (GO:0090398). May precede cell death (GO:0008219) and succeed cell maturation (GO:0048469). [GOC:PO_curators]' - }, - 'GO:0007570': { - 'name': 'obsolete age dependent accumulation of genetic damage', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007571': { - 'name': 'age-dependent general metabolic decline', - 'def': 'A developmental process that arises as the cell progresses toward the end of its lifespan and cause changes cellular metabolism, resulting in a decline in cell function; for example, one aspect of general metabolic decline is a decrease in the efficiency of protein synthesis. [GOC:jh, GOC:mah, PMID:9891807]' - }, - 'GO:0007572': { - 'name': 'obsolete age dependent decreased translational activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007573': { - 'name': 'obsolete age dependent increased protein content', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007574': { - 'name': 'obsolete cell aging (sensu Saccharomyces)', - 'def': 'OBSOLETE. Process associated with continued cell division (budding) by the mother cell. Age is often measured by counting the number of bud scars on the cell. [GOC:sgd_curators]' - }, - 'GO:0007575': { - 'name': 'obsolete nucleolar size increase', - 'def': 'OBSOLETE. The process of nucleolar expansion. [GOC:ai]' - }, - 'GO:0007576': { - 'name': 'nucleolar fragmentation', - 'def': 'The cell aging process that results in the nucleolus breaking down into fragments. [GOC:mah, PMID:9271578]' - }, - 'GO:0007577': { - 'name': 'obsolete autophagic death (sensu Saccharomyces)', - 'def': 'OBSOLETE. This process is a type of programmed cell death pathway similar to apoptosis and necrosis observed in multicellular organisms. It is characterized by cellular enlargement (necrosis) and presence of many autophagic bodies along with degradation of cellular components (nucleus, Golgi, ER), protein, DNA and RNA. [GOC:sgd_curators]' - }, - 'GO:0007578': { - 'name': 'obsolete aging dependent sterility (sensu Saccharomyces)', - 'def': "OBSOLETE. A haploid's inability to mate due to the loss of silencing at the mating-type loci, resulting in expression of both of the normally silent mating-type cassettes. [GOC:sgd_curators]" - }, - 'GO:0007579': { - 'name': 'obsolete senescence factor accumulation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jh]' - }, - 'GO:0007580': { - 'name': 'extrachromosomal circular DNA accumulation involved in cell aging', - 'def': 'Increase in abundance, as cells age, of circular DNA molecules that originate in the chromosome but are excised and circularized, often by intramolecular homologous recombination between direct tandem repeats, and replicated independently of chromosomal replication. [GOC:jh, PMID:9891807]' - }, - 'GO:0007581': { - 'name': 'obsolete age-dependent yeast cell size increase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:sgd_curators]' - }, - 'GO:0007583': { - 'name': 'obsolete killer activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0007584': { - 'name': 'response to nutrient', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nutrient stimulus. [GOC:go_curators]' - }, - 'GO:0007585': { - 'name': 'respiratory gaseous exchange', - 'def': "The process of gaseous exchange between an organism and its environment. In plants, microorganisms, and many small animals, air or water makes direct contact with the organism's cells or tissue fluids, and the processes of diffusion supply the organism with dioxygen (O2) and remove carbon dioxide (CO2). In larger animals the efficiency of gaseous exchange is improved by specialized respiratory organs, such as lungs and gills, which are ventilated by breathing mechanisms. [ISBN:0198506732]" - }, - 'GO:0007586': { - 'name': 'digestion', - 'def': 'The whole of the physical, chemical, and biochemical processes carried out by multicellular organisms to break down ingested nutrients into components that may be easily absorbed and directed into metabolism. [GOC:isa_complete, ISBN:0198506732]' - }, - 'GO:0007588': { - 'name': 'excretion', - 'def': 'The elimination by an organism of the waste products that arise as a result of metabolic activity. These products include water, carbon dioxide (CO2), and nitrogenous compounds. [ISBN:0192801023]' - }, - 'GO:0007589': { - 'name': 'body fluid secretion', - 'def': 'The controlled release of a fluid by a cell or tissue in an animal. [GOC:ai, GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0007590': { - 'name': 'obsolete fat body metabolic process (sensu Insecta)', - 'def': 'OBSOLETE. The chemical reactions and pathways involving the fat body. A fat body is a fat-containing cellular structure which serves as an energy reserve. As in, but not restricted to, the true insects (Insecta, ncbi_taxonomy_id:50557). [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0007591': { - 'name': 'molting cycle, chitin-based cuticle', - 'def': 'The periodic shedding of part or all of a chitin-based cuticle, which is then replaced by a new cuticle. An example of this is found in Drosophila melanogaster. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0007592': { - 'name': 'obsolete protein-based cuticle development', - 'def': 'OBSOLETE. Synthesis and deposition of a protein-based noncellular, hardened, or membranous secretion from an epithelial sheet. An example of this is found in Caenorhabditis elegans. [GOC:ems, GOC:mtg_sensu]' - }, - 'GO:0007593': { - 'name': 'chitin-based cuticle sclerotization', - 'def': 'The process of hardening of a chitin-based cuticle. [GOC:dos, GOC:mtg_sensu]' - }, - 'GO:0007594': { - 'name': 'puparial adhesion', - 'def': "The adhesion of the puparia of Diptera to their substrate; normally effected by a 'glue' secreted by the larval salivary gland and expectorated at the time of pupariation. [GOC:ma]" - }, - 'GO:0007595': { - 'name': 'lactation', - 'def': 'The regulated release of milk from the mammary glands and the period of time that a mother lactates to feed her young. [ISBN:0198506732]' - }, - 'GO:0007596': { - 'name': 'blood coagulation', - 'def': 'The sequential process in which the multiple coagulation factors of the blood interact, ultimately resulting in the formation of an insoluble fibrin clot; it may be divided into three stages: stage 1, the formation of intrinsic and extrinsic prothrombin converting principle; stage 2, the formation of thrombin; stage 3, the formation of stable fibrin polymers. [http://www.graylab.ac.uk/omd/, ISBN:0198506732]' - }, - 'GO:0007597': { - 'name': 'blood coagulation, intrinsic pathway', - 'def': 'A protein activation cascade that contributes to blood coagulation and consists of the interactions among high molecular weight kininogen, prekallikrein, and factor XII that lead to the activation of clotting factor X. [GOC:add, GOC:mah, GOC:pde]' - }, - 'GO:0007598': { - 'name': 'blood coagulation, extrinsic pathway', - 'def': 'A protein activation cascade that contributes to blood coagulation and consists of the self-limited process linking exposure and activation of tissue factor to the activation of clotting factor X. [GOC:add, GOC:mah, GOC:pde]' - }, - 'GO:0007599': { - 'name': 'hemostasis', - 'def': 'The stopping of bleeding (loss of body fluid) or the arrest of the circulation to an organ or part. [ISBN:0198506732]' - }, - 'GO:0007600': { - 'name': 'sensory perception', - 'def': 'The series of events required for an organism to receive a sensory stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai, GOC:dph]' - }, - 'GO:0007601': { - 'name': 'visual perception', - 'def': 'The series of events required for an organism to receive a visual stimulus, convert it to a molecular signal, and recognize and characterize the signal. Visual stimuli are detected in the form of photons and are processed to form an image. [GOC:ai]' - }, - 'GO:0007602': { - 'name': 'phototransduction', - 'def': 'The sequence of reactions within a cell required to convert absorbed photons into a molecular signal. [GOC:go_curators]' - }, - 'GO:0007603': { - 'name': 'phototransduction, visible light', - 'def': 'The sequence of reactions within a cell required to convert absorbed photons from visible light into a molecular signal. A visible light stimulus is electromagnetic radiation that can be perceived visually by an organism; for organisms lacking a visual system, this can be defined as light with a wavelength within the range 380 to 780 nm. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0007604': { - 'name': 'phototransduction, UV', - 'def': 'The sequence of reactions within a cell required to convert absorbed photons from UV light into a molecular signal; ultraviolet radiation is electromagnetic radiation with a wavelength in the range of 10 to 400 nanometers. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0007605': { - 'name': 'sensory perception of sound', - 'def': 'The series of events required for an organism to receive an auditory stimulus, convert it to a molecular signal, and recognize and characterize the signal. Sonic stimuli are detected in the form of vibrations and are processed to form a sound. [GOC:ai]' - }, - 'GO:0007606': { - 'name': 'sensory perception of chemical stimulus', - 'def': 'The series of events required for an organism to receive a sensory chemical stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai]' - }, - 'GO:0007607': { - 'name': 'obsolete taste perception', - 'def': 'OBSOLETE. The series of events required for the chemical composition of a soluble stimulus to be received and converted to a molecular signal. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0007608': { - 'name': 'sensory perception of smell', - 'def': "The series of events required for an organism to receive an olfactory stimulus, convert it to a molecular signal, and recognize and characterize the signal. Olfaction involves the detection of chemical composition of an organism's ambient medium by chemoreceptors. This is a neurological process. [GOC:ai, http://www.onelook.com/]" - }, - 'GO:0007610': { - 'name': 'behavior', - 'def': 'The internally coordinated responses (actions or inactions) of whole living organisms (individuals or groups) to internal or external stimuli. [GOC:ems, GOC:jl, ISBN:0395448956, PMID:20160973]' - }, - 'GO:0007611': { - 'name': 'learning or memory', - 'def': 'The acquisition and processing of information and/or the storage and retrieval of this information over time. [GOC:jid, PMID:8938125]' - }, - 'GO:0007612': { - 'name': 'learning', - 'def': 'Any process in an organism in which a relatively long-lasting adaptive behavioral change occurs as the result of experience. [ISBN:0582227089, ISBN:0721662544]' - }, - 'GO:0007613': { - 'name': 'memory', - 'def': 'The activities involved in the mental information processing system that receives (registers), modifies, stores, and retrieves informational stimuli. The main stages involved in the formation and retrieval of memory are encoding (processing of received information by acquisition), storage (building a permanent record of received information as a result of consolidation) and retrieval (calling back the stored information and use it in a suitable way to execute a given task). [GOC:curators, http://www.onelook.com/, ISBN:0582227089]' - }, - 'GO:0007614': { - 'name': 'short-term memory', - 'def': 'The memory process that deals with the storage, retrieval and modification of information received a short time (up to about 30 minutes) ago. This type of memory is typically dependent on direct, transient effects of second messenger activation. [http://hebb.mit.edu/courses/9.03/lecture4.html, ISBN:0582227089]' - }, - 'GO:0007615': { - 'name': 'anesthesia-resistant memory', - 'def': 'The memory process that results in the formation of consolidated memory resistant to disruption of the patterned activity of the brain, without requiring protein synthesis. [PMID:15143285, PMID:17088531]' - }, - 'GO:0007616': { - 'name': 'long-term memory', - 'def': 'The memory process that deals with the storage, retrieval and modification of information a long time (typically weeks, months or years) after receiving that information. This type of memory is typically dependent on gene transcription regulated by second messenger activation. [http://hebb.mit.edu/courses/9.03/lecture4.html, ISBN:0582227089]' - }, - 'GO:0007617': { - 'name': 'mating behavior', - 'def': 'The behavioral interactions between organisms for the purpose of mating, or sexual reproduction resulting in the formation of zygotes. [GOC:ai, GOC:dph]' - }, - 'GO:0007618': { - 'name': 'mating', - 'def': 'The pairwise union of individuals for the purpose of sexual reproduction, ultimately resulting in the formation of zygotes. [GOC:jl, ISBN:0387520546]' - }, - 'GO:0007619': { - 'name': 'courtship behavior', - 'def': 'The behavioral interactions between organisms for the purpose of attracting sexual partners. [GOC:ai, GOC:dph]' - }, - 'GO:0007620': { - 'name': 'copulation', - 'def': 'The act of sexual union between male and female, involving the transfer of sperm. [ISBN:0721662544]' - }, - 'GO:0007621': { - 'name': 'negative regulation of female receptivity', - 'def': 'Any process that stops, prevents or reduces the receptiveness of a female to male advances. [GOC:bf, PMID:11092827]' - }, - 'GO:0007622': { - 'name': 'rhythmic behavior', - 'def': 'The specific behavior of an organism that recur with measured regularity. [GOC:jl, GOC:pr]' - }, - 'GO:0007623': { - 'name': 'circadian rhythm', - 'def': 'Any biological process in an organism that recurs with a regularity of approximately 24 hours. [GOC:bf, GOC:go_curators]' - }, - 'GO:0007624': { - 'name': 'ultradian rhythm', - 'def': 'The specific actions or reactions of an organism that recur with a regularity more frequent than every 24 hours. [GOC:jl, PMID:19708721]' - }, - 'GO:0007625': { - 'name': 'grooming behavior', - 'def': 'The specific behavior of an organism relating to grooming, cleaning and brushing to remove dirt and parasites. [GOC:jl, GOC:pr]' - }, - 'GO:0007626': { - 'name': 'locomotory behavior', - 'def': "The specific movement from place to place of an organism in response to external or internal stimuli. Locomotion of a whole organism in a manner dependent upon some combination of that organism's internal state and external conditions. [GOC:dph]" - }, - 'GO:0007627': { - 'name': 'obsolete larval behavior (sensu Insecta)', - 'def': 'OBSOLETE. Behavior in a larval form of an organism, an immature organism that must undergo metamorphosis to assume adult characteristics, as seen in insects. [GOC:ai, GOC:jid]' - }, - 'GO:0007628': { - 'name': 'adult walking behavior', - 'def': 'The behavior of an adult relating to the progression of that organism along the ground by the process of lifting and setting down each leg. [GOC:jid, GOC:pr, ISBN:0198606907]' - }, - 'GO:0007629': { - 'name': 'flight behavior', - 'def': 'The response to external or internal stimuli that results in the locomotory process of flight. Flight is the self-propelled movement of an organism through the air. [GOC:jid, ISBN:0198606907]' - }, - 'GO:0007630': { - 'name': 'jump response', - 'def': 'The sudden, usually upward, movement off the ground or other surface through sudden muscular effort in the legs, following exposure to an external stimulus. [GOC:jid, ISBN:0198606907]' - }, - 'GO:0007631': { - 'name': 'feeding behavior', - 'def': 'Behavior associated with the intake of food. [GOC:mah]' - }, - 'GO:0007632': { - 'name': 'visual behavior', - 'def': 'The behavior of an organism in response to a visual stimulus. [GOC:jid, GOC:pr]' - }, - 'GO:0007633': { - 'name': 'pattern orientation', - 'def': 'The actions or reactions of an individual in response to the orientation of a visual pattern. This is exemplified by some classes of insects which are able to detect and learn the orientation of a set of stripes and subsequently behaviorally discriminate between horizontal, vertical or 45 degree stripes. [GOC:jid, PMID:9933535]' - }, - 'GO:0007634': { - 'name': 'optokinetic behavior', - 'def': 'The behavior of an organism pertaining to movement of the eyes and of objects in the visual field, as in nystagmus. [GOC:jid, GOC:pr, http://www.mercksource.com]' - }, - 'GO:0007635': { - 'name': 'chemosensory behavior', - 'def': 'Behavior that is dependent upon the sensation of chemicals. [GOC:go_curators]' - }, - 'GO:0007636': { - 'name': 'chemosensory jump behavior', - 'def': 'The sudden, usually upward, movement off the ground or other surface through sudden muscular effort in the legs, following exposure to a chemical substance. [GOC:jid]' - }, - 'GO:0007637': { - 'name': 'proboscis extension reflex', - 'def': 'The extension, through direct muscle actions, of the proboscis (the trunk-like extension of the mouthparts on the adult external head) in response to a sugar stimulus. [FB:FBrf0044924, GOC:jid]' - }, - 'GO:0007638': { - 'name': 'mechanosensory behavior', - 'def': 'Behavior that is dependent upon the sensation of a mechanical stimulus. [GOC:go_curators]' - }, - 'GO:0007639': { - 'name': 'homeostasis of number of meristem cells', - 'def': 'Any biological process involved in the maintenance of the steady-state number of cells within a population of cells in the meristem. [GOC:isa_complete]' - }, - 'GO:0008001': { - 'name': 'obsolete fibrinogen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008002': { - 'name': 'lamina lucida', - 'def': 'The electron-lucent layer of the basal lamina adjacent to the basal plasma membrane of the cells that rest on the lamina. [ISBN:0815316194]' - }, - 'GO:0008003': { - 'name': 'lamina densa', - 'def': 'The electron-dense layer of the basal lamina; lies just below the lamina lucida. [ISBN:0815316194]' - }, - 'GO:0008004': { - 'name': 'lamina reticularis', - 'def': 'A layer of the basal lamina that contains collagen fibrils and connects the basal lamina to the underlying connective tissue. [ISBN:0815316194]' - }, - 'GO:0008008': { - 'name': 'obsolete membrane attack complex protein beta2 chain', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0008009': { - 'name': 'chemokine activity', - 'def': 'The function of a family of small chemotactic cytokines; their name is derived from their ability to induce directed chemotaxis in nearby responsive cells. All chemokines possess a number of conserved cysteine residues involved in intramolecular disulfide bond formation. Some chemokines are considered pro-inflammatory and can be induced during an immune response to recruit cells of the immune system to a site of infection, while others are considered homeostatic and are involved in controlling the migration of cells during normal processes of tissue maintenance or development. Chemokines are found in all vertebrates, some viruses and some bacteria. [GOC:BHF, GOC:rl, http://en.wikipedia.org/wiki/Chemokine, http://www.copewithcytokines.de/cope.cgi?key=Cytokines, PMID:12183377]' - }, - 'GO:0008010': { - 'name': 'structural constituent of chitin-based larval cuticle', - 'def': 'The action of a molecule that contributes to the structural integrity of the chitin-based cuticle of a larva. An example of this is found in Drosophila melanogaster. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0008011': { - 'name': 'structural constituent of pupal chitin-based cuticle', - 'def': 'The action of a molecule that contributes to the structural integrity of the chitin-based cuticle of a pupa. An example of this is found in Drosophila melanogaster. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0008012': { - 'name': 'structural constituent of adult chitin-based cuticle', - 'def': 'The action of a molecule that contributes to the structural integrity of the chitin-based cuticle of an adult organism. An example of this is found in Drosophila melanogaster. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0008013': { - 'name': 'beta-catenin binding', - 'def': 'Interacting selectively and non-covalently with the beta subunit of the catenin complex. [GOC:bf]' - }, - 'GO:0008014': { - 'name': 'obsolete calcium-dependent cell adhesion molecule activity', - 'def': 'OBSOLETE. A calcium-dependent cell adhesion protein (type I membrane protein) that interacts in a homophilic manner in cell-cell interactions. [ISBN:0198506732]' - }, - 'GO:0008015': { - 'name': 'blood circulation', - 'def': 'The flow of blood through the body of an animal, enabling the transport of nutrients to the tissues and the removal of waste products. [GOC:mtg_heart, ISBN:0192800825]' - }, - 'GO:0008016': { - 'name': 'regulation of heart contraction', - 'def': 'Any process that modulates the frequency, rate or extent of heart contraction. Heart contraction is the process in which the heart decreases in volume in a characteristic way to propel blood through the body. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0008017': { - 'name': 'microtubule binding', - 'def': 'Interacting selectively and non-covalently with microtubules, filaments composed of tubulin monomers. [GOC:krc]' - }, - 'GO:0008018': { - 'name': 'obsolete structural protein of chorion (sensu Drosophila)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008019': { - 'name': 'obsolete macrophage receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008020': { - 'name': 'G-protein coupled photoreceptor activity', - 'def': 'Combining with incidental electromagnetic radiation, particularly visible light, and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:dph, ISBN:0198506732]' - }, - 'GO:0008021': { - 'name': 'synaptic vesicle', - 'def': "A secretory organelle, typically 50 nm in diameter, of presynaptic nerve terminals; accumulates in high concentrations of neurotransmitters and secretes these into the synaptic cleft by fusion with the 'active zone' of the presynaptic plasma membrane. [PMID:10099709, PMID:12563290]" - }, - 'GO:0008022': { - 'name': 'protein C-terminus binding', - 'def': 'Interacting selectively and non-covalently with a protein C-terminus, the end of any peptide chain at which the 1-carboxy function of a constituent amino acid is not attached in peptide linkage to another amino-acid residue. [ISBN:0198506732]' - }, - 'GO:0008023': { - 'name': 'transcription elongation factor complex', - 'def': 'Any protein complex that interacts with RNA polymerase II to increase (positive transcription elongation factor) or reduce (negative transcription elongation factor) the rate of transcription elongation. [GOC:jl]' - }, - 'GO:0008024': { - 'name': 'cyclin/CDK positive transcription elongation factor complex', - 'def': 'A transcription elongation factor complex that facilitates the transition from abortive to productive elongation by phosphorylating the CTD domain of the large subunit of DNA-directed RNA polymerase II, holoenzyme. Contains a cyclin and a cyclin-dependent protein kinase catalytic subunit. [GOC:bhm, GOC:vw, PMID:10766736, PMID:16721054, PMID:17079683, PMID:19328067, PMID:7759473]' - }, - 'GO:0008025': { - 'name': 'obsolete diazepam binding inhibitor activity', - 'def': 'OBSOLETE. The diazepam binding inhibitor is a 10kDa 86-residue polypeptide that acts as an endogenous ligand for a mitochondrial receptor (formerly regarded as a peripheral benzodiazepine binding site) in steroidogenic cells and regulates stimulation of steroidogenesis by tropic hormones. It also binds to the GABA-A receptor and modulates glucose-dependent insulin secretion and synthesis of acyl-CoA esters. [ISBN:0198506732, PMID:11883709]' - }, - 'GO:0008026': { - 'name': 'ATP-dependent helicase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to drive the unwinding of a DNA or RNA helix. [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0008028': { - 'name': 'monocarboxylic acid transmembrane transporter activity', - 'def': 'Enables the transfer of monocarboxylic acids from one side of the membrane to the other. A monocarboxylic acid is an organic acid with one COOH group. [GOC:ai]' - }, - 'GO:0008029': { - 'name': 'pentraxin receptor activity', - 'def': 'Combining with a pentraxin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0008030': { - 'name': 'neuronal pentraxin receptor activity', - 'def': 'Combining with a neuronal pentraxin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling, PMID:18840757]' - }, - 'GO:0008031': { - 'name': 'eclosion hormone activity', - 'def': 'The action characteristic of eclosion hormone, a peptide hormone that, upon receptor binding, triggers the death of certain muscles and neurons during insect metamorphosis. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0008033': { - 'name': 'tRNA processing', - 'def': 'The process in which a pre-tRNA molecule is converted to a mature tRNA, ready for addition of an aminoacyl group. [GOC:jl, PMID:12533506]' - }, - 'GO:0008034': { - 'name': 'obsolete lipoprotein binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with any conjugated, water-soluble protein in which the nonprotein group consists of a lipid or lipids. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0008035': { - 'name': 'high-density lipoprotein particle binding', - 'def': 'Interacting selectively and non-covalently with high-density lipoprotein particle, a lipoprotein particle with a high density (typically 1.063-1.21 g/ml) and a diameter of 5-10 nm that contains APOAs and may contain APOCs and APOE. [GOC:mah]' - }, - 'GO:0008036': { - 'name': 'diuretic hormone receptor activity', - 'def': 'Combining with a diuretic hormone and transmitting the signal to initiate a change in cell activity. [GOC:ai, GOC:signaling]' - }, - 'GO:0008037': { - 'name': 'cell recognition', - 'def': 'The process in which a cell in an organism interprets its surroundings. [GOC:go_curators]' - }, - 'GO:0008038': { - 'name': 'neuron recognition', - 'def': 'The process in which a neuronal cell in a multicellular organism interprets its surroundings. [GOC:go_curators]' - }, - 'GO:0008039': { - 'name': 'synaptic target recognition', - 'def': 'The process in which a neuronal cell in a multicellular organism interprets signals produced by potential target cells, with which it may form synapses. [GOC:mah, ISBN:0878932437]' - }, - 'GO:0008041': { - 'name': 'obsolete storage protein of fat body (sensu Insecta)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008042': { - 'name': 'obsolete iron-sulfur electron transfer carrier', - 'def': 'OBSOLETE. An iron-sulfur protein that serves as an electron acceptor and electron donor in an electron transport system. [GOC:kd]' - }, - 'GO:0008043': { - 'name': 'intracellular ferritin complex', - 'def': 'A ferritin complex located in the cell. Intracellular ferritin complexes contain 24 subunits, in a mixture of L (light) chains and H (heavy) chains. [GOC:jl, GOC:mah, PMID:19154717]' - }, - 'GO:0008044': { - 'name': 'obsolete adult behavior (sensu Insecta)', - 'def': 'OBSOLETE. Behavior in a fully developed and mature organism, as seen in insects. [GOC:bf, GOC:jid]' - }, - 'GO:0008045': { - 'name': 'motor neuron axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a motor neuron is directed to a specific target site in response to a combination of attractive and repulsive cues. [CL:0000100, GOC:pr, ISBN:0878932437]' - }, - 'GO:0008046': { - 'name': 'axon guidance receptor activity', - 'def': 'Combining with an extracellular messenger and transmitting the signal from one side of the membrane to the other to results in a change in cellular activity involved in axon guidance. [GOC:dph, GOC:signaling, GOC:tb, PMID:15107857, PMID:15339666]' - }, - 'GO:0008047': { - 'name': 'enzyme activator activity', - 'def': 'Binds to and increases the activity of an enzyme. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0008048': { - 'name': 'calcium sensitive guanylate cyclase activator activity', - 'def': 'Binds to and increases the activity of guanylate cyclase in response to a change in calcium ion concentration. [GOC:mah]' - }, - 'GO:0008049': { - 'name': 'male courtship behavior', - 'def': 'The behavior of a male, for the purpose of attracting a sexual partner. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, GOC:pr]' - }, - 'GO:0008050': { - 'name': 'female courtship behavior', - 'def': 'The behavior of a female, for the purpose of attracting a sexual partner. [GOC:bf, GOC:pr]' - }, - 'GO:0008051': { - 'name': 'obsolete farnesyl-diphosphate farnesyl transferase complex', - 'def': 'OBSOLETE. A complex that possesses farnesyl-diphosphate farnesyl transferase activity. [GOC:mah]' - }, - 'GO:0008052': { - 'name': 'sensory organ boundary specification', - 'def': 'The process in which boundaries between a sensory organ and the surrounding tissue are established and maintained. [GO_REF:0000021, GOC:mtg_15jun06]' - }, - 'GO:0008053': { - 'name': 'mitochondrial fusion', - 'def': 'Merging of two or more mitochondria within a cell to form a single compartment. [PMID:11038192]' - }, - 'GO:0008055': { - 'name': 'ocellus pigment biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ocellus pigments, any general or particular coloring matter in living organisms, found or utilized in the ocellus, a minute simple eye found in many invertebrates. [GOC:ai, PMID:15176085, PMID:18421706]' - }, - 'GO:0008056': { - 'name': 'ocellus development', - 'def': 'The process whose specific outcome is the progression of the ocellus over time, from its formation to the mature structure. The ocellus is a simple visual organ of insects. [http://fly.ebi.ac.uk/.bin/cvreport2?id=FBcv0004540]' - }, - 'GO:0008057': { - 'name': 'eye pigment granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of intracellular pigment storage granules in the eye. [PMID:9303295]' - }, - 'GO:0008058': { - 'name': 'ocellus pigment granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of intracellular pigment storage granules in the ocellus. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm]' - }, - 'GO:0008061': { - 'name': 'chitin binding', - 'def': 'Interacting selectively and non-covalently with chitin, a linear polysaccharide consisting of beta-(1->4)-linked N-acetyl-D-glucosamine residues. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0008062': { - 'name': 'eclosion rhythm', - 'def': 'The timing of the emergence of the adult fly from its pupal case, which usually occurs at dawn. [PMID:11715043]' - }, - 'GO:0008063': { - 'name': 'Toll signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to the receptor Toll on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:go_curators, PMID:11135568, PMID:19126860]' - }, - 'GO:0008064': { - 'name': 'regulation of actin polymerization or depolymerization', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly or disassembly of actin filaments by the addition or removal of actin monomers from a filament. [GOC:mah]' - }, - 'GO:0008065': { - 'name': 'establishment of blood-nerve barrier', - 'def': 'The establishment of the barrier between the perineurium of peripheral nerves and the vascular endothelium of endoneurial capillaries. The perineurium acts as a diffusion barrier, but ion permeability at the blood-nerve barrier is still higher than at the blood-brain barrier. [GOC:dgh]' - }, - 'GO:0008066': { - 'name': 'glutamate receptor activity', - 'def': 'Combining with glutamate and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:ai, GOC:signaling]' - }, - 'GO:0008067': { - 'name': 'obsolete metabotropic glutamate, GABA-B-like receptor activity', - 'def': 'OBSOLETE. A G-protein coupled receptor that is structurally/functionally related to the metabotropic glutamate receptor. [GOC:dph, GOC:mah, GOC:tb, IUPHAR_GPCR:1285]' - }, - 'GO:0008068': { - 'name': 'extracellular-glutamate-gated chloride channel activity', - 'def': 'Enables the transmembrane transfer of a chloride ion by a channel that opens when extracellular glutamate has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0008069': { - 'name': 'dorsal/ventral axis specification, ovarian follicular epithelium', - 'def': 'Polarization of the ovarian follicle cells along the dorsal/ventral axis. An example of this process is found in Drosophila melanogaster. [GOC:bf, GOC:dph, GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0008070': { - 'name': 'maternal determination of dorsal/ventral axis, ovarian follicular epithelium, germ-line encoded', - 'def': 'Polarization of the ovarian follicle cells along the dorsal-ventral axis by a gene product encoded by cells of the germ line. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0008071': { - 'name': 'maternal determination of dorsal/ventral axis, ovarian follicular epithelium, soma encoded', - 'def': 'Polarization of the ovarian follicle cells along the dorsal-ventral axis by a gene product encoded by somatic cells. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0008073': { - 'name': 'ornithine decarboxylase inhibitor activity', - 'def': 'The stopping, prevention or reduction of the activity of the enzyme ornithine decarboxylase. [GOC:jl]' - }, - 'GO:0008074': { - 'name': 'guanylate cyclase complex, soluble', - 'def': 'Complex that possesses guanylate cyclase activity and is not bound to a membrane. [GOC:mah]' - }, - 'GO:0008075': { - 'name': 'obsolete receptor guanylate cyclase activity', - 'def': "OBSOLETE. Catalysis of the reaction: GTP = 3',5'-cyclic GMP + diphosphate. [EC:4.6.1.2]" - }, - 'GO:0008076': { - 'name': 'voltage-gated potassium channel complex', - 'def': 'A protein complex that forms a transmembrane channel through which potassium ions may cross a cell membrane in response to changes in membrane potential. [GOC:mah]' - }, - 'GO:0008077': { - 'name': 'obsolete Hsp70/Hsp90 organizing protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:rb]' - }, - 'GO:0008078': { - 'name': 'mesodermal cell migration', - 'def': 'The orderly movement of mesodermal cells from one site to another. [GOC:ascb_2009, GOC:dph, GOC:mah, GOC:sat, GOC:tb, PMID:25119047]' - }, - 'GO:0008079': { - 'name': 'translation termination factor activity', - 'def': 'Functions in the termination of translation. [GOC:ma]' - }, - 'GO:0008080': { - 'name': 'N-acetyltransferase activity', - 'def': 'Catalysis of the transfer of an acetyl group to a nitrogen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0008081': { - 'name': 'phosphoric diester hydrolase activity', - 'def': 'Catalysis of the hydrolysis of a phosphodiester to give a phosphomonoester and a free hydroxyl group. [EC:3.1.4, GOC:curators]' - }, - 'GO:0008083': { - 'name': 'growth factor activity', - 'def': 'The function that stimulates a cell to grow or proliferate. Most growth factors have other actions besides the induction of cell growth or proliferation. [ISBN:0815316194]' - }, - 'GO:0008084': { - 'name': 'imaginal disc growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with an imaginal disc growth factor receptor. [GOC:mah]' - }, - 'GO:0008085': { - 'name': 'obsolete phototransduction, visible light, light adaptation', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008086': { - 'name': 'light-activated voltage-gated calcium channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a voltage-gated channel that is activated in response to light. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:mtg_transport]' - }, - 'GO:0008087': { - 'name': 'light-activated voltage-gated calcium channel complex', - 'def': 'A protein complex that forms a transmembrane channel through which calcium ions may cross a cell membrane in response to changes in membrane potential generated in response to a light stimulus. [GOC:mah, PMID:9223679]' - }, - 'GO:0008088': { - 'name': 'axo-dendritic transport', - 'def': 'The directed movement of organelles or molecules along microtubules in neuron projections. [ISBN:0815316194]' - }, - 'GO:0008089': { - 'name': 'anterograde axonal transport', - 'def': 'The directed movement of organelles or molecules along microtubules from the cell body toward the cell periphery in nerve cell axons. [ISBN:0815316194]' - }, - 'GO:0008090': { - 'name': 'retrograde axonal transport', - 'def': 'The directed movement of organelles or molecules along microtubules from the cell periphery toward the cell body in nerve cell axons. [ISBN:0815316194]' - }, - 'GO:0008091': { - 'name': 'spectrin', - 'def': 'Membrane associated dimeric protein (240 and 220 kDa) of erythrocytes. Forms a complex with ankyrin, actin and probably other components of the membrane cytoskeleton, so that there is a mesh of proteins underlying the plasma membrane, potentially restricting the lateral mobility of integral proteins. [GOC:curators, ISBN:0815316194]' - }, - 'GO:0008092': { - 'name': 'cytoskeletal protein binding', - 'def': 'Interacting selectively and non-covalently with any protein component of any cytoskeleton (actin, microtubule, or intermediate filament cytoskeleton). [GOC:mah]' - }, - 'GO:0008093': { - 'name': 'cytoskeletal adaptor activity', - 'def': 'The binding activity of a molecule that brings together a cytoskeletal protein and one or more other molecules, permitting them to function in a coordinated way. [GOC:mtg_MIT_16mar07]' - }, - 'GO:0008094': { - 'name': 'DNA-dependent ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction requires the presence of single- or double-stranded DNA, and it drives another reaction. [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0008096': { - 'name': 'juvenile hormone epoxide hydrolase activity', - 'def': 'Catalysis of the hydrolysis of the epoxide in a juvenile hormone to the corresponding diol. [GOC:mah, PMID:8396141]' - }, - 'GO:0008097': { - 'name': '5S rRNA binding', - 'def': 'Interacting selectively and non-covalently with 5S ribosomal RNA, the smallest RNA constituent of a ribosome. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0008098': { - 'name': '5S rRNA primary transcript binding', - 'def': 'Interacting selectively and non-covalently with the unprocessed 5S ribosomal RNA transcript. [GOC:jl]' - }, - 'GO:0008100': { - 'name': 'obsolete lipophorin', - 'def': 'OBSOLETE. Any member of the major class of lipid-transporting proteins found in the hemolymph of insects. [ISBN:0198506732]' - }, - 'GO:0008101': { - 'name': 'decapentaplegic signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of decapentaplegic (dpp) to a receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:sart, PMID:17428827]' - }, - 'GO:0008103': { - 'name': 'oocyte microtubule cytoskeleton polarization', - 'def': 'Establishment and maintenance of a specific axis of polarity of the oocyte microtubule network. The axis is set so that the minus and plus ends of the microtubules of the mid stage oocyte are positioned along the anterior cortex and at the posterior pole, respectively. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11807042]' - }, - 'GO:0008104': { - 'name': 'protein localization', - 'def': 'Any process in which a protein is transported to, or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0008105': { - 'name': 'asymmetric protein localization', - 'def': 'Any process in which a protein is transported to, or maintained in, a specific location such that it is distributed asymmetrically. [GOC:ma]' - }, - 'GO:0008106': { - 'name': 'alcohol dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: an alcohol + NADP+ = an aldehyde + NADPH + H+. [EC:1.1.1.2]' - }, - 'GO:0008107': { - 'name': 'galactoside 2-alpha-L-fucosyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-L-fucose + beta-D-galactosyl-R = GDP + alpha-L-fucosyl-(1,2)-beta-D-galactosyl-R. [EC:2.4.1.69]' - }, - 'GO:0008108': { - 'name': 'UDP-glucose:hexose-1-phosphate uridylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-galactose 1-phosphate + UDP-D-glucose = alpha-D-glucose 1-phosphate + UDP-D-galactose. [EC:2.7.7.12, RHEA:13992]' - }, - 'GO:0008109': { - 'name': 'N-acetyllactosaminide beta-1,6-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + beta-D-galactosyl-1,4-N-acetyl-D-glucosaminyl-R = UDP + N-acetyl-beta-D-glucosaminyl-1,6-beta-D-galactosyl-1,4-N-acetyl-D-glucosaminyl-R. [EC:2.4.1.150]' - }, - 'GO:0008110': { - 'name': 'L-histidine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-histidine = 3-(imidazol-5-yl)pyruvate + L-glutamate. [EC:2.6.1.38, RHEA:16568]' - }, - 'GO:0008111': { - 'name': 'alpha-methylacyl-CoA racemase activity', - 'def': 'Catalysis of the reaction: (2S)-2-methylacyl-CoA = (2R)-2-methylacyl-CoA. [EC:5.1.99.4]' - }, - 'GO:0008112': { - 'name': 'nicotinamide N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + nicotinamide = 1-methylnicotinamide + S-adenosyl-L-homocysteine. [EC:2.1.1.1, RHEA:23887]' - }, - 'GO:0008113': { - 'name': 'peptide-methionine (S)-S-oxide reductase activity', - 'def': 'Catalysis of the reactions: peptide-L-methionine + thioredoxin disulfide + H2O = peptide-L-methionine (S)-S-oxide + thioredoxin, and L-methionine + thioredoxin disulfide + H2O = L-methionine (S)-S-oxide + thioredoxin. Can act on oxidized methionine in peptide linkage with specificity for the S enantiomer. Thioredoxin disulfide is the oxidized form of thioredoxin. [EC:1.8.4.11, GOC:mah, GOC:vw, PMID:11169920]' - }, - 'GO:0008114': { - 'name': 'phosphogluconate 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: 6-phospho-D-gluconate + NADP+ = 6-phospho-2-dehydro-D-gluconate + NADPH. [EC:1.1.1.43]' - }, - 'GO:0008115': { - 'name': 'sarcosine oxidase activity', - 'def': 'Catalysis of the reaction: H(2)O + O(2) + sarcosine = formaldehyde + glycine + H(2)O(2). [EC:1.5.3.1, RHEA:13316]' - }, - 'GO:0008116': { - 'name': 'prostaglandin-I synthase activity', - 'def': 'Catalysis of the reaction: prostaglandin H(2) = prostaglandin I(2). [EC:5.3.99.4, RHEA:23583]' - }, - 'GO:0008117': { - 'name': 'sphinganine-1-phosphate aldolase activity', - 'def': 'Catalysis of the reaction: sphinganine 1-phosphate = phosphoethanolamine + palmitaldehyde. [EC:4.1.2.27]' - }, - 'GO:0008118': { - 'name': 'N-acetyllactosaminide alpha-2,3-sialyltransferase activity', - 'def': 'Catalysis of the reaction: CMP-N-acetylneuraminate + beta-D-galactosyl-1,4-N-acetyl-D-glucosaminyl-glycoprotein = CMP + alpha-N-acetylneuraminyl-2,3-beta-D-galactosyl-1,4-N-acetyl-D-glucosaminyl-glycoprotein. [EC:2.4.99.6]' - }, - 'GO:0008119': { - 'name': 'thiopurine S-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + a thiopurine = S-adenosyl-L-homocysteine + a thiopurine S-methylether. [EC:2.1.1.67]' - }, - 'GO:0008120': { - 'name': 'ceramide glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + N-acylsphingosine = UDP + D-glucosyl-N-acylsphingosine. [EC:2.4.1.80]' - }, - 'GO:0008121': { - 'name': 'ubiquinol-cytochrome-c reductase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: CoQH2 + 2 ferricytochrome c = CoQ + 2 ferrocytochrome c + 2 H+. [EC:1.10.2.2, ISBN:0198547684]' - }, - 'GO:0008123': { - 'name': 'cholesterol 7-alpha-monooxygenase activity', - 'def': 'Catalysis of the reaction: cholesterol + NADPH + H+ + O2 = 7-alpha-hydroxycholesterol + NADP+ + H2O. [EC:1.14.13.17]' - }, - 'GO:0008124': { - 'name': '4-alpha-hydroxytetrahydrobiopterin dehydratase activity', - 'def': 'Catalysis of the reaction: (6R)-6-(L-erythro-1,2-dihydroxypropyl)-5,6,7,8-tetrahydro-4a-hydroxypterin = (6R)-6-(L-erythro-1,2-dihydroxypropyl)-7,8-dihydro-6H-pterin + H(2)O. [EC:4.2.1.96, RHEA:11923]' - }, - 'GO:0008125': { - 'name': 'obsolete pancreatic elastase I activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of proteins, including elastin. Preferential cleavage: Ala-Xaa. [EC:3.4.21.36]' - }, - 'GO:0008126': { - 'name': 'acetylesterase activity', - 'def': 'Catalysis of the reaction: an acetic ester + H2O = an alcohol + acetate. [EC:3.1.1.6]' - }, - 'GO:0008127': { - 'name': 'quercetin 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + O(2) + quercetin = 2-(3,4-dihydroxybenzoyloxy)-4,6-dihydroxybenzoate + CO. [EC:1.13.11.24, RHEA:15384]' - }, - 'GO:0008129': { - 'name': 'obsolete actinidain activity', - 'def': "OBSOLETE. Catalysis of the hydrolysis of proteins with broad specificity for peptide bonds, with preference for a residue bearing a large hydrophobic side chain at the P2 position. Does not accept Val at P1'. [EC:3.4.22.14]" - }, - 'GO:0008130': { - 'name': 'obsolete neutrophil collagenase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of interstitial collagens in the triple helical domain. Unlike EC:3.4.24.7, this enzyme cleaves type III collagen more slowly than type I. [EC:3.4.24.34]' - }, - 'GO:0008131': { - 'name': 'primary amine oxidase activity', - 'def': 'Catalysis of the reaction: a primary amine + H2O + O2 = an aldehyde + NH3 + hydrogen peroxide. [EC:1.4.3.21, EC:1.4.3.22, EC:1.4.3.4, MetaCyc:RXN-9597]' - }, - 'GO:0008132': { - 'name': 'obsolete pancreatic elastase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of proteins, including elastin. [EC:3.4.21.36, EC:3.4.21.71]' - }, - 'GO:0008133': { - 'name': 'obsolete collagenase activity', - 'def': 'OBSOLETE. Was not defined before being made obsolete. [GOC:mah]' - }, - 'GO:0008134': { - 'name': 'transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a transcription factor, any protein required to initiate or regulate transcription. [ISBN:0198506732]' - }, - 'GO:0008135': { - 'name': 'translation factor activity, RNA binding', - 'def': 'Functions during translation by interacting selectively and non-covalently with RNA during polypeptide synthesis at the ribosome. [GOC:ai, GOC:vw]' - }, - 'GO:0008137': { - 'name': 'NADH dehydrogenase (ubiquinone) activity', - 'def': 'Catalysis of the reaction: NADH + H+ + ubiquinone = NAD+ + ubiquinol. [EC:1.6.5.3]' - }, - 'GO:0008138': { - 'name': 'protein tyrosine/serine/threonine phosphatase activity', - 'def': 'Catalysis of the reactions: protein serine + H2O = protein serine + phosphate; protein threonine phosphate + H2O = protein threonine + phosphate; and protein tyrosine phosphate + H2O = protein tyrosine + phosphate. [GOC:mah]' - }, - 'GO:0008139': { - 'name': 'nuclear localization sequence binding', - 'def': 'Interacting selectively and non-covalently with a nuclear localization sequence, a specific peptide sequence that acts as a signal to localize the protein within the nucleus. [GOC:ai]' - }, - 'GO:0008140': { - 'name': 'cAMP response element binding protein binding', - 'def': 'Interacting selectively and non-covalently with a cAMP response element binding protein (a CREB protein). [GOC:mah]' - }, - 'GO:0008141': { - 'name': 'obsolete puparial glue (sensu Diptera)', - 'def': 'OBSOLETE. A glue which attaches the pupae to the substrate during metamorphosis, as in, but not restricted to, the true flies (Diptera, ncbi_taxonomy_id:7147). [PMID:825230]' - }, - 'GO:0008142': { - 'name': 'oxysterol binding', - 'def': 'Interacting selectively and non-covalently with oxysterol, an oxidized form of cholesterol. [http://www.onelook.com/]' - }, - 'GO:0008143': { - 'name': 'poly(A) binding', - 'def': "Interacting selectively and non-covalently with a sequence of adenylyl residues in an RNA molecule, such as the poly(A) tail, a sequence of adenylyl residues at the 3' end of eukaryotic mRNA. [GOC:jl]" - }, - 'GO:0008144': { - 'name': 'drug binding', - 'def': 'Interacting selectively and non-covalently with a drug, any naturally occurring or synthetic substance, other than a nutrient, that, when administered or applied to an organism, affects the structure or functioning of the organism; in particular, any such substance used in the diagnosis, prevention, or treatment of disease. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0008145': { - 'name': 'phenylalkylamine binding', - 'def': 'Interacting selectively and non-covalently with phenylalkylamine or any of its derivatives. [GOC:jl]' - }, - 'GO:0008146': { - 'name': 'sulfotransferase activity', - 'def': "Catalysis of the transfer of a sulfate group from 3'-phosphoadenosine 5'-phosphosulfate to the hydroxyl group of an acceptor, producing the sulfated derivative and 3'-phosphoadenosine 5'-phosphate. [EC:2.8.2, GOC:curators]" - }, - 'GO:0008147': { - 'name': 'structural constituent of bone', - 'def': 'The action of a molecule that contributes to the structural integrity of bone. [GOC:mah]' - }, - 'GO:0008148': { - 'name': 'obsolete negative transcription elongation factor activity', - 'def': 'OBSOLETE. Any activity that decreases the rate of transcription elongation, the addition of ribonucleotides to an RNA molecule following transcription initiation. [GOC:mah]' - }, - 'GO:0008149': { - 'name': 'obsolete para-aminobenzoic acid (PABA) synthase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai, MetaCyc:PABASYN-CPLX]' - }, - 'GO:0008150': { - 'name': 'biological_process', - 'def': 'Any process specifically pertinent to the functioning of integrated living units: cells, tissues, organs, and organisms. A process is a collection of molecular events with a defined beginning and end. [GOC:go_curators, GOC:isa_complete]' - }, - 'GO:0008152': { - 'name': 'metabolic process', - 'def': 'The chemical reactions and pathways, including anabolism and catabolism, by which living organisms transform chemical substances. Metabolic processes typically transform small molecules, but also include macromolecular processes such as DNA repair and replication, and protein synthesis and degradation. [GOC:go_curators, ISBN:0198547684]' - }, - 'GO:0008153': { - 'name': 'para-aminobenzoic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of para-aminobenzoic acid, an intermediate in the synthesis of folic acid, a compound which some organisms, e.g. prokaryotes, eukaryotic microbes, and plants, can synthesize de novo. Others, notably mammals, cannot. In yeast, it is present as a factor in the B complex of vitamins. [ISBN:0198506732, PMID:11377864, PMID:11960743]' - }, - 'GO:0008154': { - 'name': 'actin polymerization or depolymerization', - 'def': 'Assembly or disassembly of actin filaments by the addition or removal of actin monomers from a filament. [GOC:mah]' - }, - 'GO:0008155': { - 'name': 'obsolete larval behavior (sensu Drosophila)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008156': { - 'name': 'negative regulation of DNA replication', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA replication. [GOC:go_curators]' - }, - 'GO:0008157': { - 'name': 'protein phosphatase 1 binding', - 'def': 'Interacting selectively and non-covalently with the enzyme protein phosphatase 1. [GOC:jl]' - }, - 'GO:0008158': { - 'name': 'hedgehog receptor activity', - 'def': 'Combining with a member of the hedgehog protein family and transmitting the signal across the membrane to initiate a change in cell activity. [GOC:bf, GOC:go_curators, PMID:9278137]' - }, - 'GO:0008159': { - 'name': 'obsolete positive transcription elongation factor activity', - 'def': 'OBSOLETE. Any activity that increases the rate of transcription elongation, the addition of ribonucleotides to an RNA molecule following transcription initiation. [GOC:mah]' - }, - 'GO:0008160': { - 'name': 'protein tyrosine phosphatase activator activity', - 'def': 'Increases the activity of a phosphatase, an enzyme which catalyzes of the removal of a phosphate group from a tyrosyl phenolic group of a protein. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0008161': { - 'name': 'obsolete carbamate resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008162': { - 'name': 'obsolete cyclodiene resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008163': { - 'name': 'obsolete DDT resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008164': { - 'name': 'obsolete organophosphorus resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008165': { - 'name': 'obsolete pyrethroid resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008166': { - 'name': 'obsolete viral replication', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008167': { - 'name': 'obsolete sigma virus replication', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008168': { - 'name': 'methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to an acceptor molecule. [ISBN:0198506732]' - }, - 'GO:0008169': { - 'name': 'C-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to the carbon atom of an acceptor molecule. [GOC:ai]' - }, - 'GO:0008170': { - 'name': 'N-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to the nitrogen atom of an acceptor molecule. [GOC:ai]' - }, - 'GO:0008171': { - 'name': 'O-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to the oxygen atom of an acceptor molecule. [GOC:ai]' - }, - 'GO:0008172': { - 'name': 'S-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to the sulfur atom of an acceptor molecule. [GOC:ai]' - }, - 'GO:0008173': { - 'name': 'RNA methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from a donor to a nucleoside residue in an RNA molecule. [GOC:mah]' - }, - 'GO:0008174': { - 'name': 'mRNA methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to a nucleoside residue in an mRNA molecule. [GOC:mah]' - }, - 'GO:0008175': { - 'name': 'tRNA methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from a donor to a nucleoside residue in a tRNA molecule. [GOC:mah]' - }, - 'GO:0008176': { - 'name': 'tRNA (guanine-N7-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing N7-methylguanine. [EC:2.1.1.33]' - }, - 'GO:0008177': { - 'name': 'succinate dehydrogenase (ubiquinone) activity', - 'def': 'Catalysis of the reaction: succinate + ubiquinone = fumarate + ubiquinol. [EC:1.3.5.1, RHEA:13716]' - }, - 'GO:0008179': { - 'name': 'adenylate cyclase binding', - 'def': 'Interacting selectively and non-covalently with the enzyme adenylate cyclase. [GOC:jl]' - }, - 'GO:0008180': { - 'name': 'COP9 signalosome', - 'def': 'A protein complex that catalyzes the deneddylation of proteins, including the cullin component of SCF ubiquitin E3 ligase; deneddylation increases the activity of cullin family ubiquitin ligases. The signalosome is involved in many regulatory process, including some which control development, in many species; also regulates photomorphogenesis in plants; in many species its subunits are highly similar to those of the proteasome. [PMID:11019806, PMID:12186635, PMID:14570571]' - }, - 'GO:0008181': { - 'name': 'obsolete tumor suppressor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008184': { - 'name': 'glycogen phosphorylase activity', - 'def': 'Catalysis of the reaction: glycogen + phosphate = maltodextrin + alpha-D-glucose 1-phosphate. [EC:2.4.1.1, MetaCyc:GLYCOPHOSPHORYL-RXN]' - }, - 'GO:0008186': { - 'name': 'RNA-dependent ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction requires the presence of RNA, and it drives another reaction. [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0008187': { - 'name': 'poly-pyrimidine tract binding', - 'def': 'Interacting selectively and non-covalently with any stretch of pyrimidines (cytosine or uracil) in an RNA molecule. [GOC:jl]' - }, - 'GO:0008188': { - 'name': 'neuropeptide receptor activity', - 'def': 'Combining with a neuropeptide to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0008189': { - 'name': 'obsolete apoptosis inhibitor activity', - 'def': 'OBSOLETE. The function held by products which directly block any step in the process of apoptosis. [GOC:hb]' - }, - 'GO:0008190': { - 'name': 'eukaryotic initiation factor 4E binding', - 'def': 'Interacting selectively and non-covalently with eukaryotic initiation factor 4E, a polypeptide factor involved in the initiation of ribosome-mediated translation. [ISBN:0198506732]' - }, - 'GO:0008191': { - 'name': 'metalloendopeptidase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of metalloendopeptidases, enzymes that catalyze the hydrolysis of nonterminal peptide bonds in a polypeptide chain and contain a chelated metal ion at their active sites which is essential to their catalytic activity. [GOC:ai]' - }, - 'GO:0008192': { - 'name': 'RNA guanylyltransferase activity', - 'def': "Catalysis of the posttranscriptional addition of a guanyl residue to the 5' end of an RNA molecule. [GOC:mah]" - }, - 'GO:0008193': { - 'name': 'tRNA guanylyltransferase activity', - 'def': "Catalysis of the posttranscriptional addition of a guanyl residue to the 5' end of a tRNA molecule; observed for His tRNAs. [PMID:1660461]" - }, - 'GO:0008194': { - 'name': 'UDP-glycosyltransferase activity', - 'def': 'Catalysis of the transfer of a glycosyl group from a UDP-sugar to a small hydrophobic molecule. [InterPro:IPR004224, PMID:11846783]' - }, - 'GO:0008195': { - 'name': 'phosphatidate phosphatase activity', - 'def': 'Catalysis of the reaction: a 1,2-diacylglycerol 3-phosphate + H2O = a 1,2-diacyl-sn-glycerol + phosphate. [EC:3.1.3.4, GOC:pr]' - }, - 'GO:0008196': { - 'name': 'vitellogenin receptor activity', - 'def': 'Receiving vitellogenin, and delivering vitellogenin into the cell via endocytosis. [GOC:bf, PMID:12429745]' - }, - 'GO:0008197': { - 'name': 'obsolete yolk protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008198': { - 'name': 'ferrous iron binding', - 'def': 'Interacting selectively and non-covalently with ferrous iron, Fe(II). [GOC:ai]' - }, - 'GO:0008199': { - 'name': 'ferric iron binding', - 'def': 'Interacting selectively and non-covalently with ferric iron, Fe(III). [GOC:ai]' - }, - 'GO:0008200': { - 'name': 'ion channel inhibitor activity', - 'def': 'Stops, prevents, or reduces the activity of an ion channel. [GOC:mah]' - }, - 'GO:0008201': { - 'name': 'heparin binding', - 'def': 'Interacting selectively and non-covalently with heparin, any member of a group of glycosaminoglycans found mainly as an intracellular component of mast cells and which consist predominantly of alternating alpha-(1->4)-linked D-galactose and N-acetyl-D-glucosamine-6-sulfate residues. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0008202': { - 'name': 'steroid metabolic process', - 'def': 'The chemical reactions and pathways involving steroids, compounds with a 1,2,cyclopentanoperhydrophenanthrene nucleus. [ISBN:0198547684]' - }, - 'GO:0008203': { - 'name': 'cholesterol metabolic process', - 'def': 'The chemical reactions and pathways involving cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. It is a component of the plasma membrane lipid bilayer and of plasma lipoproteins and can be found in all animal tissues. [ISBN:0198506732]' - }, - 'GO:0008204': { - 'name': 'ergosterol metabolic process', - 'def': 'The chemical reactions and pathways involving ergosterol, (22E)-ergosta-5,7,22-trien-3-beta-ol, a sterol found in ergot, yeast and moulds. It is the most important of the D provitamins and is converted to vitamin D2 on irradiation with UV light. [ISBN:0198506732]' - }, - 'GO:0008205': { - 'name': 'ecdysone metabolic process', - 'def': 'The chemical reactions and pathways involving ecdysone, (22R)-2-beta,3-beta,14,22,25-pentahydroxycholest-7-en-6-one, an ecdysteroid found in insects. It is the inactive prohormone of the moulting hormone ecdysterone and may have intrinsic hormonal activity at other stages of insect development. [ISBN:0198506732]' - }, - 'GO:0008206': { - 'name': 'bile acid metabolic process', - 'def': 'The chemical reactions and pathways involving bile acids, any of a group of steroid carboxylic acids occurring in bile, where they are present as the sodium salts of their amides with glycine or taurine. [GOC:go_curators]' - }, - 'GO:0008207': { - 'name': 'C21-steroid hormone metabolic process', - 'def': 'The chemical reactions and pathways involving C21-steroid hormones, steroid compounds containing 21 carbons which function as hormones. [GOC:ai]' - }, - 'GO:0008208': { - 'name': 'C21-steroid hormone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of C21-steroid hormones, steroid compounds containing 21 carbons which function as hormones. [GOC:ai]' - }, - 'GO:0008209': { - 'name': 'androgen metabolic process', - 'def': 'The chemical reactions and pathways involving androgens, C19 steroid hormones that can stimulate the development of male sexual characteristics. [ISBN:0198506732]' - }, - 'GO:0008210': { - 'name': 'estrogen metabolic process', - 'def': 'The chemical reactions and pathways involving estrogens, C18 steroid hormones that can stimulate the development of female sexual characteristics. Also found in plants. [ISBN:0198506732]' - }, - 'GO:0008211': { - 'name': 'glucocorticoid metabolic process', - 'def': 'The chemical reactions and pathways involving glucocorticoids, hormonal C21 corticosteroids synthesized from cholesterol. Glucocorticoids act primarily on carbohydrate and protein metabolism, and have anti-inflammatory effects. [ISBN:0198506732]' - }, - 'GO:0008212': { - 'name': 'mineralocorticoid metabolic process', - 'def': 'The chemical reactions and pathways involving mineralocorticoids, hormonal C21 corticosteroids synthesized from cholesterol. Mineralocorticoids act primarily on water and electrolyte balance. [ISBN:0198506732]' - }, - 'GO:0008213': { - 'name': 'protein alkylation', - 'def': 'The addition of an alkyl group to a protein amino acid. An alkyl group is any group derived from an alkane by removal of one hydrogen atom. [GOC:ma]' - }, - 'GO:0008214': { - 'name': 'protein dealkylation', - 'def': 'The removal of an alkyl group from a protein amino acid. An alkyl group is any group derived from an alkane by removal of one hydrogen atom. [GOC:ai]' - }, - 'GO:0008215': { - 'name': 'spermine metabolic process', - 'def': 'The chemical reactions and pathways involving spermine, a polybasic amine found in human sperm, in ribosomes and in some viruses, which is involved in nucleic acid packaging. Synthesis is regulated by ornithine decarboxylase which plays a key role in control of DNA replication. [CHEBI:15746, GOC:curators]' - }, - 'GO:0008216': { - 'name': 'spermidine metabolic process', - 'def': 'The chemical reactions and pathways involving spermidine, N-(3-aminopropyl)-1,4-diaminobutane. [GOC:ai]' - }, - 'GO:0008217': { - 'name': 'regulation of blood pressure', - 'def': 'Any process that modulates the force with which blood travels through the circulatory system. The process is controlled by a balance of processes that increase pressure and decrease pressure. [GOC:dph, GOC:mtg_cardio, ISBN:0721643949]' - }, - 'GO:0008218': { - 'name': 'bioluminescence', - 'def': 'The production of light by certain enzyme-catalyzed reactions in cells. [ISBN:0198506732]' - }, - 'GO:0008219': { - 'name': 'cell death', - 'def': 'Any biological process that results in permanent cessation of all vital functions of a cell. A cell should be considered dead when any one of the following molecular or morphological criteria is met: (1) the cell has lost the integrity of its plasma membrane; (2) the cell, including its nucleus, has undergone complete fragmentation into discrete bodies (frequently referred to as apoptotic bodies). The cell corpse (or its fragments) may be engulfed by an adjacent cell in vivo, but engulfment of whole cells should not be considered a strict criteria to define cell death as, under some circumstances, live engulfed cells can be released from phagosomes (see PMID:18045538). [GOC:mah, GOC:mtg_apoptosis, PMID:25236395]' - }, - 'GO:0008220': { - 'name': 'obsolete necrosis', - 'def': 'OBSOLETE. The processes that cause necrosis, the death of tissues, in another organism. [GOC:ma]' - }, - 'GO:0008222': { - 'name': 'obsolete tumor antigen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008224': { - 'name': 'obsolete Gram-positive antibacterial peptide activity', - 'def': 'OBSOLETE. Inhibits the growth of, or directly kills, Gram-positive bacterial cells. [GOC:go_curators]' - }, - 'GO:0008225': { - 'name': 'obsolete Gram-negative antibacterial peptide activity', - 'def': 'OBSOLETE. Inhibits the growth of, or directly kills, Gram-negative bacterial cells. [GOC:go_curators]' - }, - 'GO:0008226': { - 'name': 'tyramine receptor activity', - 'def': 'Combining with the biogenic amine tyramine to initiate a change in cell activity. Tyramine is a sympathomimetic amine derived from tyrosine with an action resembling that of epinephrine. [http://www.onelook.com/]' - }, - 'GO:0008227': { - 'name': 'G-protein coupled amine receptor activity', - 'def': 'Combining with an extracellular amine and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:dph]' - }, - 'GO:0008228': { - 'name': 'opsonization', - 'def': 'The process in which a microorganism (or other particulate material) is rendered more susceptible to phagocytosis by coating with an opsonin, a blood serum protein such as a complement component or antibody. [GOC:add, GOC:mah, ISBN:0198506732, ISBN:068340007X, ISBN:0781735149]' - }, - 'GO:0008229': { - 'name': 'obsolete opsonin activity', - 'def': 'OBSOLETE. Binds to microorganisms or other particulate material (for example, foreign erythrocytes) to increase the susceptibility of the latter to phagocytosis. [ISBN:0198506732]' - }, - 'GO:0008230': { - 'name': 'ecdysone receptor holocomplex', - 'def': 'A heterodimeric complex containing the products of the insect genes Ecdysone receptor (EcR) and ultraspiracle (usp). Binding of ecdysone promotes association between the two subunits, and the receptor complex then initiates molting and metamorphosis by binding DNA and regulating the transcription of target genes. [GOC:bf, PMID:14592980]' - }, - 'GO:0008231': { - 'name': 'repressor ecdysone receptor complex', - 'def': 'A protein complex consisting of a heterodimer of Ecdysone receptor (EcR) and ultraspiracle (usp) plus an associated corepressor such as SMRTER, which represses transcription of target genes. [PMID:10488333]' - }, - 'GO:0008232': { - 'name': 'activator ecdysone receptor complex', - 'def': 'A protein complex consisting of a heterodimer of Ecdysone receptor (EcR) and ultraspiracle (usp) bound to the ligand ecdysone, which activates transcription of target genes. [PMID:10488333]' - }, - 'GO:0008233': { - 'name': 'peptidase activity', - 'def': 'Catalysis of the hydrolysis of a peptide bond. A peptide bond is a covalent bond formed when the carbon atom from the carboxyl group of one amino acid shares electrons with the nitrogen atom from the amino group of a second amino acid. [GOC:jl, ISBN:0815332181]' - }, - 'GO:0008234': { - 'name': 'cysteine-type peptidase activity', - 'def': 'Catalysis of the hydrolysis of peptide bonds in a polypeptide chain by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE]' - }, - 'GO:0008235': { - 'name': 'metalloexopeptidase activity', - 'def': 'Catalysis of the hydrolysis of a peptide bond not more than three residues from the N- or C-terminus of a polypeptide chain by a mechanism in which water acts as a nucleophile, one or two metal ions hold the water molecule in place, and charged amino acid side chains are ligands for the metal ions. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, http://merops.sanger.ac.uk/about/glossary.htm#EXOPEPTIDASE]' - }, - 'GO:0008236': { - 'name': 'serine-type peptidase activity', - 'def': 'Catalysis of the hydrolysis of peptide bonds in a polypeptide chain by a catalytic mechanism that involves a catalytic triad consisting of a serine nucleophile that is activated by a proton relay involving an acidic residue (e.g. aspartate or glutamate) and a basic residue (usually histidine). [http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, ISBN:0716720094]' - }, - 'GO:0008237': { - 'name': 'metallopeptidase activity', - 'def': 'Catalysis of the hydrolysis of peptide bonds by a mechanism in which water acts as a nucleophile, one or two metal ions hold the water molecule in place, and charged amino acid side chains are ligands for the metal ions. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE]' - }, - 'GO:0008238': { - 'name': 'exopeptidase activity', - 'def': 'Catalysis of the hydrolysis of a peptide bond not more than three residues from the N- or C-terminus of a polypeptide chain, in a reaction that requires a free N-terminal amino group, C-terminal carboxyl group or both. [http://merops.sanger.ac.uk/about/glossary.htm#EXOPEPTIDASE]' - }, - 'GO:0008239': { - 'name': 'dipeptidyl-peptidase activity', - 'def': 'Catalysis of the hydrolysis of N-terminal dipeptides from a polypeptide chain. [GOC:mb]' - }, - 'GO:0008240': { - 'name': 'tripeptidyl-peptidase activity', - 'def': 'Catalysis of the release of an N-terminal tripeptide from a polypeptide. [GOC:mah]' - }, - 'GO:0008241': { - 'name': 'peptidyl-dipeptidase activity', - 'def': 'Catalysis of the release of C-terminal dipeptides from a polypeptide chain. [GOC:mb]' - }, - 'GO:0008242': { - 'name': 'omega peptidase activity', - 'def': 'Catalysis of the removal of terminal peptide residues that are substituted, cyclized or linked by isopeptide bonds (peptide linkages other than those of alpha-carboxyl to alpha-amino groups). [EC:3.4.19.-]' - }, - 'GO:0008243': { - 'name': 'obsolete plasminogen activator activity', - 'def': 'OBSOLETE. Catalysis of the specific cleavage of an Arg-Val bond in plasminogen to form plasmin. [EC:3.4.21.68, EC:3.4.21.73]' - }, - 'GO:0008245': { - 'name': 'obsolete lysosomal membrane hydrogen-transporting ATPase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008246': { - 'name': 'obsolete electron transfer flavoprotein', - 'def': 'OBSOLETE. Works in conjunction with acyl-CoA dehydrogenase to catalyze the oxidation of CoA and reduce ubiquinone. Part of the mitochondrial electron transport system. [ISBN:0198506732]' - }, - 'GO:0008247': { - 'name': '1-alkyl-2-acetylglycerophosphocholine esterase complex', - 'def': 'An enzyme complex composed of two catalytic alpha subunits, which form a catalytic dimer, and a non-catalytic, regulatory beta subunit; the catalytic dimer may be an alpha1/alpha1 or alpha2/alpha2 homodimer, or an alpha1/alpha2 heterodimer. Modulates the action of platelet-activating factor (PAF). [GOC:jl, PMID:10542206]' - }, - 'GO:0008248': { - 'name': 'obsolete pre-mRNA splicing factor activity', - 'def': 'OBSOLETE. An activity involved in the removal of an intron from a pre-mRNA. [GOC:jl]' - }, - 'GO:0008250': { - 'name': 'oligosaccharyltransferase complex', - 'def': 'A protein complex that is found in the endoplasmic reticulum membrane of eukaryotes and transfers lipid-linked oligosaccharide precursor to asparagine residues on nascent proteins. In yeast, the complex includes at least nine different subunits, whereas in mammalian cells at least three different forms of the complex have been detected. [ISBN:0879695595, PMID:15835887]' - }, - 'GO:0008251': { - 'name': 'tRNA-specific adenosine deaminase activity', - 'def': 'Catalysis of the reaction: adenosine + H2O = inosine + NH3, in a tRNA molecule. [GOC:mah, IMG:00700]' - }, - 'GO:0008252': { - 'name': 'nucleotidase activity', - 'def': 'Catalysis of the reaction: a nucleotide + H2O = a nucleoside + phosphate. [EC:3.1.3.31]' - }, - 'GO:0008253': { - 'name': "5'-nucleotidase activity", - 'def': "Catalysis of the reaction: a 5'-ribonucleotide + H2O = a ribonucleoside + phosphate. [EC:3.1.3.5]" - }, - 'GO:0008254': { - 'name': "3'-nucleotidase activity", - 'def': "Catalysis of the reaction: a 3'-ribonucleotide + H2O = a ribonucleoside + phosphate. [EC:3.1.3.6]" - }, - 'GO:0008255': { - 'name': 'ecdysis-triggering hormone activity', - 'def': 'The action characteristic of ecdysis-triggering hormone, a peptide hormone that, upon receptor binding, initiates pre-ecdysis and ecdysis (i.e. cuticle shedding) through direct action on the central nervous system. [GOC:mah, PMID:9020043]' - }, - 'GO:0008256': { - 'name': 'protein histidine pros-kinase activity', - 'def': 'Catalysis of the reaction: ATP + protein L-histidine = ADP + protein N(pi)-phospho-L-histidine. [EC:2.7.13.1]' - }, - 'GO:0008257': { - 'name': 'protein histidine tele-kinase activity', - 'def': 'Catalysis of the reaction: ATP + protein L-histidine = ADP + protein N(tau)-phospho-L-histidine. [EC:2.7.13.2]' - }, - 'GO:0008258': { - 'name': 'head involution', - 'def': 'Movement of the anterior ectoderm to the interior of the embryo. [ISBN:08795694238]' - }, - 'GO:0008259': { - 'name': 'obsolete transforming growth factor beta ligand binding to type I receptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008260': { - 'name': '3-oxoacid CoA-transferase activity', - 'def': 'Catalysis of the reaction: succinyl-CoA + a 3-oxo acid = succinate + a 3-oxo-acyl-CoA. [EC:2.8.3.5]' - }, - 'GO:0008261': { - 'name': 'allatostatin receptor activity', - 'def': 'Combining with allatostatin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0008263': { - 'name': 'pyrimidine-specific mismatch base pair DNA N-glycosylase activity', - 'def': "Catalysis of the removal of mismatched pyrimidine bases in DNA. Enzymes with this activity recognize and remove pyrimidines present in mismatches by cleaving the N-C1' glycosidic bond between the target damaged DNA base and the deoxyribose sugar. The reaction releases a free base and leaves an apyrimidinic (AP) site. [GOC:elh, PMID:9224623]" - }, - 'GO:0008265': { - 'name': 'Mo-molybdopterin cofactor sulfurase activity', - 'def': 'Catalysis of the sulfurylation of the desulfo form of molybdenum cofactor (MoCo), a cofactor required for the activity of some enzymes, such as aldehyde oxidase. [GOC:mah, PMID:11549764]' - }, - 'GO:0008266': { - 'name': 'poly(U) RNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of uracil residues in an RNA molecule. [GOC:mah]' - }, - 'GO:0008267': { - 'name': 'poly-glutamine tract binding', - 'def': 'Interacting selectively and non-covalently with a polyglutamine tract, i.e. a series of consecutive glutamine residues, in a protein. [GOC:mah]' - }, - 'GO:0008268': { - 'name': 'obsolete receptor signaling protein tyrosine kinase signaling protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008269': { - 'name': 'JAK pathway signal transduction adaptor activity', - 'def': 'The binding activity of a molecule that brings together two molecules of the JAK signal transduction pathway, permitting them to function in a coordinated way. [GOC:mtg_MIT_16mar07]' - }, - 'GO:0008270': { - 'name': 'zinc ion binding', - 'def': 'Interacting selectively and non-covalently with zinc (Zn) ions. [GOC:ai]' - }, - 'GO:0008271': { - 'name': 'secondary active sulfate transmembrane transporter activity', - 'def': 'Catalysis of the secondary active transfer of sulfate from one side of the membrane to the other. Secondary active transport is catalysis of the transfer of a solute from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0008272': { - 'name': 'sulfate transport', - 'def': 'The directed movement of sulfate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0008273': { - 'name': 'calcium, potassium:sodium antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Ca2+(in) + K+(in) + Na+(out) = Ca2+(out) + K+(out) + Na+(in). [TC:2.A.19.4.1]' - }, - 'GO:0008274': { - 'name': 'gamma-tubulin ring complex', - 'def': 'A multiprotein complex composed of gamma-tubulin and other non-tubulin proteins that forms a flexible open ring structure thought to be the unit of nucleation at the minus end of a microtubule. [GOC:clt, PMID:12134075]' - }, - 'GO:0008275': { - 'name': 'gamma-tubulin small complex', - 'def': 'A complex usually comprising two gamma-tubulin molecules and two conserved non-tubulin proteins. Some gamma-tubulin small complexes are thought to be the repeating unit making up the core of the gamma-tubulin ring complex. [PMID:11297925, PMID:12134075]' - }, - 'GO:0008276': { - 'name': 'protein methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group (CH3-) to a protein. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0008277': { - 'name': 'regulation of G-protein coupled receptor protein signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of G-protein coupled receptor protein signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0008278': { - 'name': 'cohesin complex', - 'def': 'A protein complex that is required for sister chromatid cohesion in eukaryotes. The cohesin complex forms a molecular ring complex, and is composed of structural maintenance of chromosomes (SMC) and kleisin proteins. For example, in yeast, the complex is composed of the SMC proteins Smc1p and Smc3p, and the kleisin protein Scc1p. In vertebrates, the complex is composed of the SMC1 (SMC1A or SMC1B) and SMC3 heterodimer attached via their hinge domains to a kleisin (RAD21, REC8 or RAD21L) which links them, and one STAG protein (STAG1, STAG2 or STAG3). [GOC:jl, GOC:sp, GOC:vw, PMID:9887095]' - }, - 'GO:0008281': { - 'name': 'sulfonylurea receptor activity', - 'def': 'Combining with sulfonylurea, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:ai, GOC:signaling]' - }, - 'GO:0008282': { - 'name': 'ATP-sensitive potassium channel complex', - 'def': 'A protein complex that comprises four pore-forming (Kir6.x) and four regulatory sulphonylurea receptor (SURx) subunits and forms a transmembrane channel through which ions may pass. The opening and closing of the channel is regulated by ATP: binding of ATP to the Kir6.x subunit inhibits channel activity, whereas binding of Mg2+-complexed ATP or ADP to the SURx subunit stimulates channel activity. [GOC:bhm, PMID:16308567, PMID:16956886]' - }, - 'GO:0008283': { - 'name': 'cell proliferation', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a cell population. [GOC:mah, GOC:mb]' - }, - 'GO:0008284': { - 'name': 'positive regulation of cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of cell proliferation. [GOC:go_curators]' - }, - 'GO:0008285': { - 'name': 'negative regulation of cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of cell proliferation. [GOC:go_curators]' - }, - 'GO:0008286': { - 'name': 'insulin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of the insulin receptor binding to insulin. [GOC:ceb]' - }, - 'GO:0008287': { - 'name': 'protein serine/threonine phosphatase complex', - 'def': 'A complex, normally consisting of a catalytic and a regulatory subunit, which catalyzes the removal of a phosphate group from a serine or threonine residue of a protein. [GOC:bf]' - }, - 'GO:0008288': { - 'name': 'boss receptor activity', - 'def': 'Combining with a protein bride of sevenless (boss) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: ATP + a protein-L-tyrosine = ADP + a protein-L-tyrosine phosphate. [GOC:jl, GOC:signaling]' - }, - 'GO:0008289': { - 'name': 'lipid binding', - 'def': 'Interacting selectively and non-covalently with a lipid. [GOC:ai]' - }, - 'GO:0008290': { - 'name': 'F-actin capping protein complex', - 'def': 'A heterodimer consisting of alpha and beta subunits that binds to and caps the barbed ends of actin filaments, thereby regulating the polymerization of actin monomers but not severing actin filaments. [GOC:go_curators, ISBN:0198599560]' - }, - 'GO:0008291': { - 'name': 'acetylcholine metabolic process', - 'def': 'The chemical reactions and pathways involving acetylcholine, the acetic acid ester of the organic base choline. Acetylcholine is a major neurotransmitter and neuromodulator both in the central and peripheral nervous systems. It also acts as a paracrine signal in various non-neural tissues. [GOC:jl, GOC:nln, ISBN:0192800752]' - }, - 'GO:0008292': { - 'name': 'acetylcholine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acetylcholine, the acetic acid ester of the organic base choline. [GOC:jl, ISBN:0192800752]' - }, - 'GO:0008293': { - 'name': 'torso signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to torso (a receptor tyrosine kinase) on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:go_curators, PMID:8343949]' - }, - 'GO:0008294': { - 'name': 'calcium- and calmodulin-responsive adenylate cyclase activity', - 'def': "Catalysis of the reaction: ATP = 3',5'-cyclic AMP + diphosphate, stimulated by calcium-bound calmodulin. [EC:4.6.1.1, GOC:mah]" - }, - 'GO:0008295': { - 'name': 'spermidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of spermidine, N-(3-aminopropyl)-1,4-diaminobutane. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0008296': { - 'name': "3'-5'-exodeoxyribonuclease activity", - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 3' terminus of a DNA molecule. [GOC:mah]" - }, - 'GO:0008297': { - 'name': 'single-stranded DNA exodeoxyribonuclease activity', - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 5' or 3' terminus of a single-stranded DNA molecule. [GOC:mah]" - }, - 'GO:0008298': { - 'name': 'intracellular mRNA localization', - 'def': 'Any process in which mRNA is transported to, or maintained in, a specific location within the cell. [GOC:ai]' - }, - 'GO:0008299': { - 'name': 'isoprenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any isoprenoid compound, isoprene (2-methylbuta-1,3-diene) or compounds containing or derived from linked isoprene (3-methyl-2-butenylene) residues. [ISBN:0198506732]' - }, - 'GO:0008300': { - 'name': 'isoprenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any isoprenoid compound, isoprene (2-methylbuta-1,3-diene) or compounds containing or derived from linked isoprene (3-methyl-2-butenylene) residues. [ISBN:0198506732]' - }, - 'GO:0008301': { - 'name': 'DNA binding, bending', - 'def': 'The activity of binding selectively and non-covalently to and distorting the original structure of DNA, typically a straight helix, into a bend, or increasing the bend if the original structure was intrinsically bent due to its sequence. [GOC:krc, GOC:vw, PMID:10710711, PMID:19037758]' - }, - 'GO:0008302': { - 'name': 'female germline ring canal formation, actin assembly', - 'def': 'Recruitment and organization of actin filaments in female germline ring canals. [ISBN:0879694238]' - }, - 'GO:0008303': { - 'name': 'caspase complex', - 'def': 'A protein complex that is located in the cytosol and contains one or more cysteine-type endopeptidases (also called caspases), which give the complex a peptidase activity with specificity for the hydrolysis of aspartyl bonds. These complexes may be involved e.g. in apoptotic or inflammation processes. [GOC:cna, GOC:mtg_apoptosis]' - }, - 'GO:0008304': { - 'name': 'obsolete eukaryotic translation initiation factor 4 complex', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0008305': { - 'name': 'integrin complex', - 'def': 'A protein complex that is composed of one alpha subunit and one beta subunit, both of which are members of the integrin superfamily of cell adhesion receptors; the complex spans the plasma membrane and binds to extracellular matrix ligands, cell-surface ligands, and soluble ligands. [PMID:17543136]' - }, - 'GO:0008306': { - 'name': 'associative learning', - 'def': 'Learning by associating a stimulus (the cause) with a particular outcome (the effect). [ISBN:0582227089]' - }, - 'GO:0008307': { - 'name': 'structural constituent of muscle', - 'def': 'The action of a molecule that contributes to the structural integrity of a muscle fiber. [GOC:mah]' - }, - 'GO:0008308': { - 'name': 'voltage-gated anion channel activity', - 'def': 'Enables the transmembrane transfer of an anion by a voltage-gated channel. An anion is a negatively charged ion. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:mtg_transport, GOC:vw, ISBN:0815340729]' - }, - 'GO:0008309': { - 'name': 'double-stranded DNA exodeoxyribonuclease activity', - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 5' or 3' terminus of a double-stranded DNA molecule. [GOC:mah]" - }, - 'GO:0008310': { - 'name': "single-stranded DNA 3'-5' exodeoxyribonuclease activity", - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 3' terminus of a single-stranded DNA molecule. [GOC:mah, PMID:22562358]" - }, - 'GO:0008311': { - 'name': "double-stranded DNA 3'-5' exodeoxyribonuclease activity", - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 3' terminus of a double-stranded DNA molecule. [GOC:mah, PMID:22562358]" - }, - 'GO:0008312': { - 'name': '7S RNA binding', - 'def': 'Interacting selectively and non-covalently with 7S RNA, the RNA component of the signal recognition particle (SRP). [GOC:jl, PMID:6181418]' - }, - 'GO:0008313': { - 'name': 'gurken-activated receptor activity', - 'def': 'Combining with the ligand Gurken to initiate a change in cell activity. [GOC:bf]' - }, - 'GO:0008314': { - 'name': 'gurken signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an epidermal growth factor receptor binding to the ligand Gurken. [GOC:bf, PMID:23972992]' - }, - 'GO:0008315': { - 'name': 'meiotic G2/MI transition', - 'def': 'The cell cycle process in which a cell progresses from meiotic prophase to metaphase I. [PMID:15088480]' - }, - 'GO:0008316': { - 'name': 'structural constituent of vitelline membrane', - 'def': 'The action of a molecule that contributes to the structural integrity of the vitelline membrane of an egg. An example of this is found in Drosophila melanogaster. [GOC:mah, GOC:sensu]' - }, - 'GO:0008317': { - 'name': 'gurken receptor binding', - 'def': 'Interacting selectively and non-covalently with the gurken growth factor receptor. [GOC:ai]' - }, - 'GO:0008318': { - 'name': 'protein prenyltransferase activity', - 'def': 'Catalysis of the covalent addition of an isoprenoid group such as a farnesyl or geranylgeranyl group via thioether linkages to a cysteine residue in a protein. [GOC:mah]' - }, - 'GO:0008319': { - 'name': 'obsolete prenyl protein specific endopeptidase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008320': { - 'name': 'protein transmembrane transporter activity', - 'def': 'Enables the transfer of a protein from one side of a membrane to the other. [GOC:jl]' - }, - 'GO:0008321': { - 'name': 'Ral guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase of the Ral family. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:mah]' - }, - 'GO:0008322': { - 'name': 'obsolete Pro-X carboxypeptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of a Pro-Xaa bond to release a C-terminal amino acid. [GOC:mah]' - }, - 'GO:0008324': { - 'name': 'cation transmembrane transporter activity', - 'def': 'Enables the transfer of cation from one side of the membrane to the other. [GOC:dgf, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0008327': { - 'name': 'methyl-CpG binding', - 'def': 'Interacting selectively and non-covalently with a methylated cytosine/guanine dinucleotide. [GOC:jl, PMID:11746232]' - }, - 'GO:0008328': { - 'name': 'ionotropic glutamate receptor complex', - 'def': 'A multimeric assembly of four or five subunits which form a structure with an extracellular N-terminus and a large loop that together form the ligand binding domain. The C-terminus is intracellular. The ionotropic glutamate receptor complex itself acts as a ligand-gated ion channel; on binding glutamate, charged ions pass through a channel in the center of the receptor complex. [http://www.bris.ac.uk/Depts/Synaptic/info/glutamate.html]' - }, - 'GO:0008329': { - 'name': 'signaling pattern recognition receptor activity', - 'def': 'Combining with a pathogen-associated molecular pattern (PAMP), a structure conserved among microbial species, or damage-associated molecular pattern (DAMP), an endogenous molecule released from damaged cells), and transmitting a signal to initiate a change in cell activity. [GOC:ar, PMID:12507420, PMID:12925128, PMID:14523544, Wikipedia:Pattern_recognition_receptor]' - }, - 'GO:0008330': { - 'name': 'protein tyrosine/threonine phosphatase activity', - 'def': 'Catalysis of the reactions: protein threonine phosphate + H2O = protein threonine + phosphate; and protein tyrosine phosphate + H2O = protein tyrosine + phosphate. [GOC:mah]' - }, - 'GO:0008331': { - 'name': 'high voltage-gated calcium channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a high voltage-gated channel. A high voltage-gated channel is a channel whose open state is dependent on high voltage across the membrane in which it is embedded. [GOC:mtg_transport, ISBN:0815340729, PMID:16382099]' - }, - 'GO:0008332': { - 'name': 'low voltage-gated calcium channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a low voltage-gated channel. A low voltage-gated channel is a channel whose open state is dependent on low voltage across the membrane in which it is embedded. [GOC:mtg_transport, ISBN:0815340729, PMID:16382099]' - }, - 'GO:0008333': { - 'name': 'endosome to lysosome transport', - 'def': 'The directed movement of substances from endosomes to lysosomes. [GOC:ai, ISBN:0716731363]' - }, - 'GO:0008334': { - 'name': 'histone mRNA metabolic process', - 'def': 'The chemical reactions and pathways involving an mRNA encoding a histone. [GOC:krc, GOC:mah, PMID:17855393]' - }, - 'GO:0008335': { - 'name': 'female germline ring canal stabilization', - 'def': 'Maintenance of the structural integrity of the ring canals connecting the female germline cyst. [GOC:curators]' - }, - 'GO:0008336': { - 'name': 'gamma-butyrobetaine dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + 4-(trimethylammonio)butanoate + O(2) = carnitine + CO(2) + succinate. [EC:1.14.11.1, RHEA:24031]' - }, - 'GO:0008337': { - 'name': 'obsolete selectin', - 'def': 'OBSOLETE. A class of cell adhesion molecules that bind to carbohydrate via a lectin-like domain; integral membrane glycoproteins. [ISBN:0124325653]' - }, - 'GO:0008340': { - 'name': 'determination of adult lifespan', - 'def': 'The control of viability and duration in the adult phase of the life-cycle. [GOC:ems]' - }, - 'GO:0008341': { - 'name': 'obsolete response to cocaine (sensu Insecta)', - 'def': 'OBSOLETE. A change in state or activity of a mature individual as the result of a cocaine stimulus. As in, but not restricted to, the true insects (Insecta, ncbi_taxonomy_id:50557). [GOC:go_curators, GOC:jid]' - }, - 'GO:0008342': { - 'name': 'obsolete larval feeding behavior (sensu Insecta)', - 'def': 'OBSOLETE. Feeding behavior in an insect larva. [GOC:jid, GOC:mah]' - }, - 'GO:0008343': { - 'name': 'adult feeding behavior', - 'def': 'Feeding behavior in a fully developed and mature organism. [GOC:mah]' - }, - 'GO:0008344': { - 'name': 'adult locomotory behavior', - 'def': 'Locomotory behavior in a fully developed and mature organism. [GOC:ai]' - }, - 'GO:0008345': { - 'name': 'larval locomotory behavior', - 'def': 'Locomotory behavior in a larval (immature) organism. [GOC:ai]' - }, - 'GO:0008346': { - 'name': 'larval walking behavior', - 'def': 'The behavior of a larval organism relating to the progression of that organism along the ground by the process of lifting and setting down each leg. [GOC:go_curators, GOC:pr]' - }, - 'GO:0008347': { - 'name': 'glial cell migration', - 'def': 'The orderly movement of a glial cell, non-neuronal cells that provide support and nutrition, maintain homeostasis, form myelin, and participate in signal transmission in the nervous system. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0008348': { - 'name': 'negative regulation of antimicrobial humoral response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of an antimicrobial humoral response. [GOC:go_curators]' - }, - 'GO:0008349': { - 'name': 'MAP kinase kinase kinase kinase activity', - 'def': 'Catalysis of the phosphorylation of serine and threonine residues in a mitogen-activated protein kinase kinase kinase (MAPKKK), resulting in activation of MAPKKK. MAPKKK signaling pathways relay, amplify and integrate signals from the plasma membrane to the nucleus in response to a diverse range of extracellular stimuli. [GOC:bf, PMID:11790549]' - }, - 'GO:0008350': { - 'name': 'obsolete kinetochore motor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008351': { - 'name': 'obsolete microtubule severing activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008352': { - 'name': 'katanin complex', - 'def': 'A complex possessing an activity that couples ATP hydrolysis to the severing of microtubules; usually a heterodimer comprising a catalytic subunit (often 60kDa) and a regulatory subunit (often 80 kDa). [PMID:10910766]' - }, - 'GO:0008353': { - 'name': 'RNA polymerase II carboxy-terminal domain kinase activity', - 'def': 'Catalysis of the reaction: ATP + (DNA-directed RNA polymerase II) = ADP + phospho-(DNA-directed RNA polymerase II); phosphorylation occurs on residues in the carboxy-terminal domain (CTD) repeats. [EC:2.7.11.23, GOC:mah]' - }, - 'GO:0008354': { - 'name': 'germ cell migration', - 'def': 'The orderly movement of a cell specialized to produce haploid gametes through the embryo from its site of production to the place where the gonads will form. [GOC:bf, GOC:jl]' - }, - 'GO:0008355': { - 'name': 'olfactory learning', - 'def': 'Any process in an organism in which a relatively long-lasting adaptive behavioral change occurs in response to (repeated) exposure to an olfactory cue. [ISBN:0582227089]' - }, - 'GO:0008356': { - 'name': 'asymmetric cell division', - 'def': 'The asymmetric division of cells to produce two daughter cells with different developmental potentials. It is of fundamental significance for the generation of cell diversity. [PMID:11672519]' - }, - 'GO:0008358': { - 'name': 'maternal determination of anterior/posterior axis, embryo', - 'def': 'The specification of the anterior/posterior axis of the embryo by gradients of maternally-transcribed gene products; exemplified in insects by the morphogens, bicoid and nanos. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0008359': { - 'name': 'regulation of bicoid mRNA localization', - 'def': 'Any process that modulates the frequency, rate or extent of the process in which bicoid mRNA is transported to, or maintained in, a specific location. [GOC:hb]' - }, - 'GO:0008360': { - 'name': 'regulation of cell shape', - 'def': 'Any process that modulates the surface configuration of a cell. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0008361': { - 'name': 'regulation of cell size', - 'def': 'Any process that modulates the size of a cell. [GOC:go_curators]' - }, - 'GO:0008362': { - 'name': 'chitin-based embryonic cuticle biosynthetic process', - 'def': 'Synthesis, including the chemical reactions and pathways resulting in the formation of chitin and other components, and deposition of a chitin-based embryonic cuticle by the underlying epidermal epithelium. This tough, waterproof cuticle layer is essential to provide structural integrity of the larval body. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu, PMID:12019232]' - }, - 'GO:0008363': { - 'name': 'larval chitin-based cuticle development', - 'def': 'Synthesis and deposition of a chitin-based larval cuticle. The insect larval cuticle is a secretion from epidermal cells that is shed at each molt. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0008364': { - 'name': 'pupal chitin-based cuticle development', - 'def': 'Synthesis and deposition of a chitin-based pupal cuticle. At the end of the prepupal period the insect is covered by the pupal cuticle which continues to be elaborated into the pupal period. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0008365': { - 'name': 'adult chitin-based cuticle development', - 'def': 'Synthesis and deposition of the chitin-based cuticle of adults following the apolysis of the pupal cuticle. The adult insect cuticle contains cuticullin, a protein epicuticle and a lamellate procuticle. An example of this process is adult chitin-based cuticle development in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0008366': { - 'name': 'axon ensheathment', - 'def': 'Any process in which the axon of a neuron is insulated, and that insulation maintained, thereby preventing dispersion of the electrical signal. [GOC:jl, ISBN:0878932437]' - }, - 'GO:0008369': { - 'name': 'obsolete molecular function', - 'def': 'OBSOLETE. These are terms that have been removed from the active function ontology. [GOC:go_curators]' - }, - 'GO:0008370': { - 'name': 'obsolete cellular component', - 'def': 'OBSOLETE. These are terms that have been removed from the active component ontology. [GOC:go_curators]' - }, - 'GO:0008371': { - 'name': 'obsolete biological process', - 'def': 'OBSOLETE. These are terms that have been removed from the active process ontology. [GOC:go_curators]' - }, - 'GO:0008373': { - 'name': 'sialyltransferase activity', - 'def': 'Catalysis of the transfer of sialic acid to an acceptor molecule, typically the terminal portions of the sialylated glycolipids (gangliosides) or to the N- or O-linked sugar chains of glycoproteins. [EC:2.4.99, GOC:cjm, Wikipedia:Sialyltransferase]' - }, - 'GO:0008374': { - 'name': 'O-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group to an oxygen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0008375': { - 'name': 'acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the transfer of an N-acetylglucosaminyl residue from UDP-N-acetyl-glucosamine to a sugar. [ISBN:0198506732]' - }, - 'GO:0008376': { - 'name': 'acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the transfer of an N-acetylgalactosaminyl residue from UDP-N-acetyl-galactosamine to an oligosaccharide. [ISBN:0198506732]' - }, - 'GO:0008377': { - 'name': 'light-induced release of internally sequestered calcium ion', - 'def': 'The process in which the detection of light triggers the release of internally sequestered calcium ions. [GOC:ai]' - }, - 'GO:0008378': { - 'name': 'galactosyltransferase activity', - 'def': 'Catalysis of the transfer of a galactosyl group to an acceptor molecule, typically another carbohydrate or a lipid. [ISBN:0198506732]' - }, - 'GO:0008379': { - 'name': 'thioredoxin peroxidase activity', - 'def': 'Catalysis of the reaction: thioredoxin + hydrogen peroxide = thioredoxin disulfide + H2O. [MetaCyc:RXN0-267]' - }, - 'GO:0008380': { - 'name': 'RNA splicing', - 'def': 'The process of removing sections of the primary RNA transcript to remove sequences not present in the mature form of the RNA and joining the remaining sections to form the mature form of the RNA. [GOC:krc, GOC:mah]' - }, - 'GO:0008381': { - 'name': 'mechanically-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens in response to a mechanical stress. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0008384': { - 'name': 'IkappaB kinase activity', - 'def': 'Catalysis of the reaction: ATP + IkappaB protein = ADP + IkappaB phosphoprotein. [EC:2.7.11.10]' - }, - 'GO:0008385': { - 'name': 'IkappaB kinase complex', - 'def': 'A trimeric protein complex that phosphorylates inhibitory-kappaB (I-kappaB) proteins. The complex is composed of two kinase subunits (alpha and beta) and a regulatory gamma subunit (also called NEMO). In a resting state, NF-kappaB dimers are bound to inhibitory IKB proteins, sequestering NF-kappaB in the cytoplasm. Phosphorylation of I-kappaB targets I-kappaB for ubiquitination and proteasomal degradation, thus releasing the NF-kappaB dimers, which can translocate to the nucleus to bind DNA and regulate transcription. [GOC:bf, GOC:ma, PMID:12055104, PMID:20300203]' - }, - 'GO:0008386': { - 'name': 'cholesterol monooxygenase (side-chain-cleaving) activity', - 'def': 'Catalysis of the reaction: cholesterol + reduced adrenal ferredoxin + O2 = pregnenolone + 4-methylpentanal + oxidized adrenal ferredoxin + H2O. [EC:1.14.15.6]' - }, - 'GO:0008387': { - 'name': 'steroid 7-alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: a steroid + donor-H2 + O2 = 7-alpha-hydroxysteroid + H2O. [GOC:mah]' - }, - 'GO:0008388': { - 'name': 'testosterone 15-alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: testosterone + donor-H2 + O2 = 15-alpha-hydroxytestosterone + H2O. [GOC:ai]' - }, - 'GO:0008389': { - 'name': 'coumarin 7-hydroxylase activity', - 'def': 'Catalysis of the reaction: coumarin + O2 + NADPH + H+ = hydroxycoumarin + H2O + NADP+. [Reactome:163103]' - }, - 'GO:0008390': { - 'name': 'testosterone 16-alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: testosterone + donor-H2 + O2 = 16-alpha-hydroxytestosterone + H2O. [GOC:ai]' - }, - 'GO:0008391': { - 'name': 'arachidonic acid monooxygenase activity', - 'def': 'Catalysis of the incorporation of one atom from molecular oxygen into arachidonic acid and the reduction of the other atom of oxygen to water. [GOC:mah]' - }, - 'GO:0008392': { - 'name': 'arachidonic acid epoxygenase activity', - 'def': 'Catalysis of an NADPH- and oxygen-dependent reaction that converts arachidonic acid to a cis-epoxyeicosatrienoic acid. [http://lipidlibrary.aocs.org/Lipids/eic_hete/index.htm, PMID:10681399]' - }, - 'GO:0008395': { - 'name': 'steroid hydroxylase activity', - 'def': 'Catalysis of the formation of a hydroxyl group on a steroid by incorporation of oxygen from O2. [ISBN:0721662544]' - }, - 'GO:0008396': { - 'name': 'oxysterol 7-alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: an oxysterol + NADPH + O2 = 7-alpha-hydroxylated oxysterol + NADP+ + H2O. [PMID:10882791]' - }, - 'GO:0008397': { - 'name': 'sterol 12-alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: a steroid + donor-H2 + O2 = 12-alpha-hydroxysteroid + H2O. [GOC:mah]' - }, - 'GO:0008398': { - 'name': 'sterol 14-demethylase activity', - 'def': 'Catalysis of the reaction: obtusifoliol + 3 O2 + 3 NADPH + 3 H+ = 4-alpha-methyl-5-alpha-ergosta-8,14,24(28)-trien-3-beta-ol + formate + 3 NADP+ + 3 H2O. [EC:1.14.13.70]' - }, - 'GO:0008399': { - 'name': 'naphthalene hydroxylase activity', - 'def': 'Catalysis of the conversion of naphthalene to naphthalene 1,2-oxide. [PMID:1742282, PMID:1981702]' - }, - 'GO:0008401': { - 'name': 'retinoic acid 4-hydroxylase activity', - 'def': 'Catalysis of the conversion of retinoic acid to 4-hydroxy-retinoic acid. [PMID:19519282]' - }, - 'GO:0008403': { - 'name': '25-hydroxycholecalciferol-24-hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of C-24 of 25-hydroxycholecalciferol (25-hydroxyvitamin D3) to form 24(R),25-dihydroxycholecalciferol. [ISBN:0471331309]' - }, - 'GO:0008404': { - 'name': 'arachidonic acid 14,15-epoxygenase activity', - 'def': 'Catalysis of an NADPH- and oxygen-dependent reaction that converts arachidonic acid to cis-14,15-epoxyeicosatrienoic acid. [http://lipidlibrary.aocs.org/Lipids/eic_hete/index.htm, PMID:10681399]' - }, - 'GO:0008405': { - 'name': 'arachidonic acid 11,12-epoxygenase activity', - 'def': 'Catalysis of an NADPH- and oxygen-dependent reaction that converts arachidonic acid to cis-11,12-epoxyeicosatrienoic acid. [http://lipidlibrary.aocs.org/Lipids/eic_hete/index.htm, PMID:10681399]' - }, - 'GO:0008406': { - 'name': 'gonad development', - 'def': 'The process whose specific outcome is the progression of the gonad over time, from its formation to the mature structure. The gonad is an animal organ that produces gametes; in some species it also produces hormones. [GOC:ems, ISBN:0198506732]' - }, - 'GO:0008407': { - 'name': 'chaeta morphogenesis', - 'def': 'The process in which the anatomical structures of the chaeta are generated and organized. A chaeta is a sensory multicellular cuticular outgrowth of a specifically differentiated cell. [FBbt:00005177, GOC:bf, GOC:cjm, GOC:dos, GOC:go_curators]' - }, - 'GO:0008408': { - 'name': "3'-5' exonuclease activity", - 'def': "Catalysis of the hydrolysis of ester linkages within nucleic acids by removing nucleotide residues from the 3' end. [GOC:ai]" - }, - 'GO:0008409': { - 'name': "5'-3' exonuclease activity", - 'def': "Catalysis of the hydrolysis of ester linkages within nucleic acids by removing nucleotide residues from the 5' end. [GOC:ai]" - }, - 'GO:0008410': { - 'name': 'CoA-transferase activity', - 'def': 'Catalysis of the transfer of a coenzyme A (CoA) group from one compound (donor) to another (acceptor). [GOC:jl]' - }, - 'GO:0008411': { - 'name': '4-hydroxybutyrate CoA-transferase activity', - 'def': 'Catalysis of the transfer of a coenzyme A (CoA) group to 4-hydroxybutyrate. [GOC:jl]' - }, - 'GO:0008412': { - 'name': '4-hydroxybenzoate octaprenyltransferase activity', - 'def': 'Catalysis of the reaction: farnesylfarnesylgeranyl diphosphate + p-hydroxybenzoate = 3-octaprenyl-4-hydroxybenzoate + diphosphate. [MetaCyc:4OHBENZOATE-OCTAPRENYLTRANSFER-RXN]' - }, - 'GO:0008413': { - 'name': '8-oxo-7,8-dihydroguanosine triphosphate pyrophosphatase activity', - 'def': 'Catalysis of the reaction: 8-oxo-7,8-dihydroguanosine triphosphate = 8-oxo-7,8-dihydroguanosine phosphate + diphosphate. 8-oxo-7,8-dihydroguanosine triphosphate (8-oxo-GTP) is the oxidised form of the free guanine nucleotide and can act as a potent mutagenic substrate for transcription. [PMID:15878881]' - }, - 'GO:0008414': { - 'name': 'CDP-alcohol phosphotransferase activity', - 'def': 'Catalysis of the transfer of a CDP-alcohol group from one compound to another. [GOC:jl]' - }, - 'GO:0008417': { - 'name': 'fucosyltransferase activity', - 'def': 'Catalysis of the transfer of a fucosyl group to an acceptor molecule, typically another carbohydrate or a lipid. [GOC:ai]' - }, - 'GO:0008418': { - 'name': 'protein-N-terminal asparagine amidohydrolase activity', - 'def': 'Catalysis of the reaction: protein-L-asparagine + H2O = protein-L-aspartate + NH3. This reaction is the deamidation of an N-terminal asparagine residue in a peptide or protein. [PMID:8910481]' - }, - 'GO:0008419': { - 'name': 'RNA lariat debranching enzyme activity', - 'def': "Catalysis of the hydrolysis of branched RNA structures that contain vicinal 2'-5'- and 3'-5'-phosphodiester bonds at a branch point nucleotide. [PMID:7519612]" - }, - 'GO:0008420': { - 'name': 'CTD phosphatase activity', - 'def': 'Catalysis of the reaction: phospho-(DNA-directed RNA polymerase) + H2O = (DNA-directed RNA polymerase) + phosphate. [EC:3.1.3.16]' - }, - 'GO:0008421': { - 'name': 'long-chain fatty-acyl-glutamate deacylase activity', - 'def': 'Catalysis of the reaction: N-long-chain-fatty-acyl-L-glutamate + H2O = a fatty acid anion + L-glutamate. [EC:3.5.1.55]' - }, - 'GO:0008422': { - 'name': 'beta-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing beta-D-glucose residues with release of beta-D-glucose. [EC:3.2.1.21]' - }, - 'GO:0008423': { - 'name': 'obsolete bleomycin hydrolase activity', - 'def': 'OBSOLETE. Catalysis of the inactivation of bleomycin B2 (a cytotoxic glycometallopeptide) by hydrolysis of a peptide bond of beta-aminoalanine, but also shows general aminopeptidase activity. The specificity varies somewhat with source, but amino acid arylamides of Met, Leu and Ala are preferred. [EC:3.4.22.40]' - }, - 'GO:0008424': { - 'name': 'glycoprotein 6-alpha-L-fucosyltransferase activity', - 'def': 'Catalysis of the reaction: N(4)-{N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->3)-[N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->6)]-beta-D-mannosyl-(1->4)-N-acetyl-beta-D-glucosaminyl-(1->4)-N-acetyl-beta-D-glucosaminyl}-L-asparagine + GDP-L-fucose = N(4)-{N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->3)-[N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->6)]-beta-D-mannosyl-(1->4)-N-acetyl-beta-D-glucosaminyl-(1->4)-[alpha-L-fucosyl-(1->6)]-N-acetyl-beta-D-glucosaminyl}asparagine + GDP + H(+). [EC:2.4.1.68, RHEA:12988]' - }, - 'GO:0008425': { - 'name': '2-polyprenyl-6-methoxy-1,4-benzoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-polyprenyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-methionine = 2-polyprenyl-3-methyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-homocysteine. [GOC:kd, PMID:9083048]' - }, - 'GO:0008426': { - 'name': 'protein kinase C inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of protein kinase C, an enzyme which phosphorylates a protein. [GOC:ai]' - }, - 'GO:0008427': { - 'name': 'calcium-dependent protein kinase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a calcium-dependent protein kinase. [GOC:mah]' - }, - 'GO:0008428': { - 'name': 'ribonuclease inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a ribonuclease, any enzyme that catalyzes the hydrolysis of phosphodiester bonds in chains of RNA. [GOC:ai]' - }, - 'GO:0008429': { - 'name': 'phosphatidylethanolamine binding', - 'def': 'Interacting selectively and non-covalently with phosphatidylethanolamine, any of a class of glycerophospholipids in which a phosphatidyl group is esterified to the hydroxyl group of ethanolamine. [ISBN:0198506732]' - }, - 'GO:0008430': { - 'name': 'selenium binding', - 'def': 'Interacting selectively and non-covalently with selenium (Se). [GOC:ai]' - }, - 'GO:0008431': { - 'name': 'vitamin E binding', - 'def': 'Interacting selectively and non-covalently with vitamin E, tocopherol, which includes a series of eight structurally similar compounds. Alpha-tocopherol is the most active form in humans and is a powerful biological antioxidant. [CHEBI:33234, GOC:curators, ISBN:0721662544]' - }, - 'GO:0008432': { - 'name': 'JUN kinase binding', - 'def': 'Interacting selectively and non-covalently with JUN kinase, an enzyme that catalyzes the phosphorylation and activation of members of the JUN family. [GOC:jl]' - }, - 'GO:0008434': { - 'name': 'calcitriol receptor activity', - 'def': 'Combining with calcitriol, the hormonally active form of vitamin D3, and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. [CHEBI:17823, GOC:bf, GOC:signaling, PMID:16549446, PMID:17082781, Wikipedia:Calcitriol_receptor]' - }, - 'GO:0008435': { - 'name': 'obsolete anticoagulant activity', - 'def': 'OBSOLETE. Functions to retard or prevent coagulation. Often used in the context of blood or milk coagulation. [ISBN:0198506732]' - }, - 'GO:0008436': { - 'name': 'obsolete heterogeneous nuclear ribonucleoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008437': { - 'name': 'thyrotropin-releasing hormone activity', - 'def': 'The action characteristic of thyrotropin-releasing hormone (TRH), a hormone released by the mammalian hypothalamus into the hypophyseal-portal circulation in response to neural and/or chemical stimuli. Upon receptor binding, TRH increases the secretion of thyroid-stimulating hormone by the anterior pituitary. [ISBN:0198506732]' - }, - 'GO:0008438': { - 'name': 'obsolete 1-phosphatidylinositol-5-phosphate kinase', - 'def': 'OBSOLETE. Catalysis of the reaction: diphosphate + a purine nucleoside = phosphate + a purine mononucleotide. [EC:2.7.1.143]' - }, - 'GO:0008439': { - 'name': 'obsolete monophenol monooxygenase activator activity', - 'def': 'OBSOLETE. Increases the activity of the enzyme monophenol monooxygenase. [GOC:ai]' - }, - 'GO:0008440': { - 'name': 'inositol-1,4,5-trisphosphate 3-kinase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,4,5-trisphosphate + ATP = 1D-myo-inositol 1,3,4,5-tetrakisphosphate + ADP + 2 H(+). [EC:2.7.1.127, RHEA:11023]' - }, - 'GO:0008441': { - 'name': "3'(2'),5'-bisphosphate nucleotidase activity", - 'def': "Catalysis of the reaction: adenosine 3',5'-bisphosphate + H2O = adenosine 5'-phosphate + phosphate. [EC:3.1.3.7]" - }, - 'GO:0008442': { - 'name': '3-hydroxyisobutyrate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-2-methylpropanoate + NAD+ = 2-methyl-3-oxopropanoate + NADH + H+. [EC:1.1.1.31]' - }, - 'GO:0008443': { - 'name': 'phosphofructokinase activity', - 'def': 'Catalysis of the transfer of a phosphate group, usually from ATP, to a fructose substrate molecule. [GOC:jl]' - }, - 'GO:0008444': { - 'name': 'CDP-diacylglycerol-glycerol-3-phosphate 3-phosphatidyltransferase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + CDP-diacylglycerol = 3-(3-sn-phosphatidyl)-sn-glycerol 1-phosphate + CMP + H(+). [EC:2.7.8.5, RHEA:12596]' - }, - 'GO:0008445': { - 'name': 'D-aspartate oxidase activity', - 'def': 'Catalysis of the reaction: D-aspartate + H2O + O2 = oxaloacetate + NH3 + hydrogen peroxide. [EC:1.4.3.1]' - }, - 'GO:0008446': { - 'name': 'GDP-mannose 4,6-dehydratase activity', - 'def': 'Catalysis of the reaction: GDP-alpha-D-mannose = GDP-4-dehydro-6-deoxy-alpha-D-mannose + H(2)O. [EC:4.2.1.47, RHEA:23823]' - }, - 'GO:0008447': { - 'name': 'L-ascorbate oxidase activity', - 'def': 'Catalysis of the reaction: 2 L-ascorbate + O2 = 2 dehydroascorbate + 2 H2O. [EC:1.10.3.3]' - }, - 'GO:0008448': { - 'name': 'N-acetylglucosamine-6-phosphate deacetylase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-glucosamine 6-phosphate + H2O = D-glucosamine 6-phosphate + acetate. [EC:3.5.1.25]' - }, - 'GO:0008449': { - 'name': 'N-acetylglucosamine-6-sulfatase activity', - 'def': 'Catalysis of the hydrolysis of the 6-sulfate group of the N-acetyl-D-glucosamine 6-sulfate units of heparan sulfate and keratan sulfate. [EC:3.1.6.14]' - }, - 'GO:0008450': { - 'name': 'obsolete O-sialoglycoprotein endopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of O-sialoglycoproteins; cleaves the -Arg31-Asp32- bond in glycophorin A. Does not cleave unglycosylated proteins, desialylated glycoproteins or glycoproteins that are only N-glycosylated. [EC:3.4.24.57]' - }, - 'GO:0008451': { - 'name': 'obsolete X-Pro aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of any N-terminal amino acid, including proline, that is linked with proline, even from a dipeptide or tripeptide. [EC:3.4.11.9]' - }, - 'GO:0008452': { - 'name': 'RNA ligase activity', - 'def': "Catalysis of the formation of a phosphodiester bond between a hydroxyl group at the end of one RNA chain and the 5'-phosphate group at the end of another. [GOC:mah]" - }, - 'GO:0008453': { - 'name': 'alanine-glyoxylate transaminase activity', - 'def': 'Catalysis of the reaction: L-alanine + glyoxylate = pyruvate + glycine. [EC:2.6.1.44]' - }, - 'GO:0008454': { - 'name': 'alpha-1,3-mannosylglycoprotein 4-beta-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + (N-acetyl-beta-D-glucosaminyl-1,2)-alpha-D-mannosyl-1,3-(beta-N-acetyl-D-glucosaminyl-1,2-alpha-D-mannosyl-1,6)-beta-D-mannosyl-R = UDP + N-acetyl-beta-D-glucosaminyl-1,4-(N-acetyl-D-glucosaminyl-1,2)-alpha-D-mannosyl-1,3-(beta-N-acetyl-D-glucosaminyl-1,2-alpha-D-mannosyl-1,6)-beta-D-mannosyl-R. [EC:2.4.1.145]' - }, - 'GO:0008455': { - 'name': 'alpha-1,6-mannosylglycoprotein 2-beta-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + alpha-D-mannosyl-1,6-(N-acetyl-beta-D-glucosaminyl-1,2-alpha-D-mannosyl-1,3)-beta-D-mannosyl-R = UDP + N-acetyl-beta-D-glucosaminyl-1,2-alpha-D-mannosyl-1,6-(N-acetyl-beta-D-glucosaminyl-1,2-alpha-D-mannosyl-1,3)-beta-D-mannosyl-R. [EC:2.4.1.143]' - }, - 'GO:0008456': { - 'name': 'alpha-N-acetylgalactosaminidase activity', - 'def': 'Catalysis of the hydrolysis of terminal non-reducing N-acetyl-D-galactosamine residues in N-acetyl-alpha-D-galactosaminides. [EC:3.2.1.49]' - }, - 'GO:0008457': { - 'name': 'beta-galactosyl-N-acetylglucosaminylgalactosylglucosyl-ceramide beta-1,3-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + beta-D-galactosyl-1,4-N-acetyl-beta-D-glucosaminyl-1,3-beta-D-galactosyl-1,4-beta-D-glucosylceramide = UDP + N-acetyl-D-glucosaminyl-1,3-beta-D-galactosyl-1,4-N-acetyl-beta-D-glucosaminyl-1,3-beta-D-galactosyl-1,4-beta-D-glucosylceramide. [EC:2.4.1.163]' - }, - 'GO:0008458': { - 'name': 'carnitine O-octanoyltransferase activity', - 'def': 'Catalysis of the reaction: (R)-carnitine + octanoyl-CoA = (S)-octanoylcarnitine + CoA. [EC:2.3.1.137, RHEA:17180]' - }, - 'GO:0008459': { - 'name': 'chondroitin 6-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + chondroitin = adenosine 3',5'-bisphosphate + chondroitin 6'-sulfate. [EC:2.8.2.17]" - }, - 'GO:0008460': { - 'name': 'dTDP-glucose 4,6-dehydratase activity', - 'def': 'Catalysis of the reaction: dTDP-glucose = dTDP-4-dehydro-6-deoxy-alpha-D-glucose + H(2)O. [EC:4.2.1.46, RHEA:17224]' - }, - 'GO:0008462': { - 'name': 'obsolete endopeptidase Clp activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of proteins to small peptides in the presence of ATP and magnesium. Alpha-casein is the usual test substrate. In the absence of ATP, only oligopeptides shorter than five residues are cleaved, for example, succinyl-Leu-Tyr-NHMec which is cleaved at the Tyr-NHMec bond, and Leu-Tyr-Leu-Tyr-Trp which is cleaved at the second Leu-Typ bond (cleavage of the Tyr-Leu and Tyr-Trp bonds also occurs). [EC:3.4.21.92]' - }, - 'GO:0008463': { - 'name': 'formylmethionine deformylase activity', - 'def': 'Catalysis of the reaction: N-formyl-L-methionine + H(2)O = L-methionine + formate. [EC:3.5.1.31, RHEA:17784]' - }, - 'GO:0008464': { - 'name': 'obsolete gamma-glutamyl hydrolase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of a gamma-glutamyl bond to release an unsubstituted C-terminal amino acid. [EC:3.4.19.9]' - }, - 'GO:0008465': { - 'name': 'glycerate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-glycerate + NAD+ = hydroxypyruvate + NADH + H+. [EC:1.1.1.29]' - }, - 'GO:0008466': { - 'name': 'glycogenin glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + glycogenin = UDP + glucosylglycogenin. [EC:2.4.1.186]' - }, - 'GO:0008467': { - 'name': '[heparan sulfate]-glucosamine 3-sulfotransferase 1 activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenylyl sulfate + [heparan sulfate]-glucosamine = adenosine 3',5'-bisphosphate + [heparan sulfate]-glucosamine 3-sulfate. The [heparan sulfate]-glucosamine 3-sulfate has a substrate consensus sequence of Glc(N2S>NAc)+/-6S GlcA GlcN2S*+/-6S GlcA>IdoA+/-2S Glc(N2S/NAc)+/-6S. [EC:2.8.2.23]" - }, - 'GO:0008469': { - 'name': 'histone-arginine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (histone)-arginine = S-adenosyl-L-homocysteine + (histone)-N-methyl-arginine. [PMID:8002954]' - }, - 'GO:0008470': { - 'name': 'isovaleryl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-methylbutanoyl-CoA + ETF = 3-methylbut-2-enoyl-CoA + reduced ETF. [EC:1.3.99.10]' - }, - 'GO:0008471': { - 'name': 'obsolete laccase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: 4 benzenediol + O2 = 4 benzosemiquinone + 2 H2O. [EC:1.10.3.2]' - }, - 'GO:0008472': { - 'name': 'obsolete metallocarboxypeptidase D activity', - 'def': 'OBSOLETE. Catalysis of the reaction: peptidyl-L-lysine (or peptidyl-L-arginine) + H2O = peptide + L-lysine (or L-arginine). Function is activated by Co2+; inhibited by guanidinoethylmercaptosuccinic acid. [EC:3.4.17.22]' - }, - 'GO:0008473': { - 'name': 'ornithine cyclodeaminase activity', - 'def': 'Catalysis of the reaction: L-ornithine = L-proline + NH(4)(+). [EC:4.3.1.12, RHEA:24371]' - }, - 'GO:0008474': { - 'name': 'palmitoyl-(protein) hydrolase activity', - 'def': 'Catalysis of the reaction: palmitoyl-protein + H2O = palmitate + protein. [EC:3.1.2.22]' - }, - 'GO:0008475': { - 'name': 'procollagen-lysine 5-dioxygenase activity', - 'def': 'Catalysis of the reaction: procollagen L-lysine + 2-oxoglutarate + O2 = procollagen 5-hydroxy-L-lysine + succinate + CO2. [EC:1.14.11.4]' - }, - 'GO:0008476': { - 'name': 'protein-tyrosine sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + protein tyrosine = adenosine 3',5'-bisphosphate + protein tyrosine-O-sulfate. [EC:2.8.2.20]" - }, - 'GO:0008477': { - 'name': 'purine nucleosidase activity', - 'def': 'Catalysis of the reaction: a N-D-ribosylpurine + H2O = a purine + D-ribose. [EC:3.2.2.1]' - }, - 'GO:0008478': { - 'name': 'pyridoxal kinase activity', - 'def': "Catalysis of the reaction: ATP + pyridoxal = ADP + pyridoxal 5'-phosphate. [EC:2.7.1.35]" - }, - 'GO:0008479': { - 'name': 'queuine tRNA-ribosyltransferase activity', - 'def': 'Catalysis of the reaction: tRNA guanine + queuine = tRNA queuine + guanine. [EC:2.4.2.29]' - }, - 'GO:0008480': { - 'name': 'sarcosine dehydrogenase activity', - 'def': 'Catalysis of the reaction: sarcosine + H2O + electron-transfer flavoprotein = glycine + formaldehyde + reduced electron-transfer flavoprotein. [EC:1.5.8.3, RHEA:19796]' - }, - 'GO:0008481': { - 'name': 'sphinganine kinase activity', - 'def': 'Catalysis of the reaction: ATP + sphinganine = ADP + sphinganine 1-phosphate. [EC:2.7.1.91]' - }, - 'GO:0008482': { - 'name': 'sulfite oxidase activity', - 'def': 'Catalysis of the reaction: H(2)O + O(2) + sulfite = H(2)O(2) + H(+) + sulfate. [EC:1.8.3.1, RHEA:24603]' - }, - 'GO:0008483': { - 'name': 'transaminase activity', - 'def': 'Catalysis of the transfer of an amino group to an acceptor, usually a 2-oxo acid. [ISBN:0198506732]' - }, - 'GO:0008484': { - 'name': 'sulfuric ester hydrolase activity', - 'def': "Catalysis of the reaction: RSO-R' + H2O = RSOOH + R'H. This reaction is the hydrolysis of any sulfuric ester bond, any ester formed from sulfuric acid, O=SO(OH)2. [GOC:ai]" - }, - 'GO:0008486': { - 'name': 'diphosphoinositol-polyphosphate diphosphatase activity', - 'def': 'Catalysis of the reaction: diphospho-myo-inositol polyphosphate + H2O = myo-inositol polyphosphate + phosphate. [EC:3.6.1.52]' - }, - 'GO:0008487': { - 'name': 'obsolete prenyl-dependent CAAX protease activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008488': { - 'name': 'gamma-glutamyl carboxylase activity', - 'def': 'Catalysis of the reaction: peptidyl-glutamate + reduced vitamin K + CO2 + O2 = peptidyl-gamma-carboxyglutamate + vitamin K epoxide. [PMID:18374194]' - }, - 'GO:0008489': { - 'name': 'UDP-galactose:glucosylceramide beta-1,4-galactosyltransferase activity', - 'def': "Catalysis of the reaction: UDP-D-galactose + a glucosylceramide = a lactosylceramide + uridine-5'-diphosphate. The glucosylceramide has sphinganine as the long chain base. [MetaCyc:RXN-10764, PMID:9593693]" - }, - 'GO:0008490': { - 'name': 'arsenite secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of arsenite from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:jl]' - }, - 'GO:0008492': { - 'name': 'obsolete cAMP generating peptide activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008493': { - 'name': 'tetracycline transporter activity', - 'def': 'Enables the directed movement of tetracycline into, out of or within a cell, or between cells. Tetracycline is a broad spectrum antibiotic that blocks binding of aminoacyl tRNA to the ribosomes of both Gram-positive and Gram-negative organisms (and those of organelles). [CHEBI:27902, GOC:curators]' - }, - 'GO:0008494': { - 'name': 'translation activator activity', - 'def': 'Any of a group of soluble proteins functioning in the activation of ribosome-mediated translation of mRNA into a polypeptide. [GOC:ai]' - }, - 'GO:0008495': { - 'name': 'protoheme IX farnesyltransferase activity', - 'def': 'Catalysis of the reaction: protoheme IX + (2E,6E)-farnesyl diphosphate + H2O = heme o + diphosphate. [MetaCyc:HEMEOSYN-RXN]' - }, - 'GO:0008496': { - 'name': 'mannan endo-1,6-alpha-mannosidase activity', - 'def': 'Catalysis of the random hydrolysis of (1->6)-alpha-D-mannosidic linkages in unbranched (1->6)-mannans. [EC:3.2.1.101]' - }, - 'GO:0008498': { - 'name': 'obsolete phospholipid scrambling', - 'def': 'OBSOLETE. The trans-bilayer migration of phospholipids accelerated by a phospholipid scramblase upon binding calcium ions. [OMIM:604170]' - }, - 'GO:0008499': { - 'name': 'UDP-galactose:beta-N-acetylglucosamine beta-1,3-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + N-acetylglucosamine = galactose-beta-1,3-N-acetylglucosamine + UDP. [PMID:10212226]' - }, - 'GO:0008500': { - 'name': 'obsolete glycine-, glutamate-, thienylcyclohexylpiperidine binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008502': { - 'name': 'melatonin receptor activity', - 'def': 'Combining with melatonin, N-acetyl-5-methoxytryptamine, to initiate a change in cell activity. Melatonin is a neuroendocrine substance that stimulates the aggregation of melanosomes in melanophores, thus lightening the skin. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0008503': { - 'name': 'benzodiazepine receptor activity', - 'def': 'Combining with benzodiazepines, a class of drugs with hypnotic, anxiolytic, anticonvulsive, amnestic and myorelaxant properties, to initiate a change in cell activity. [GOC:jl]' - }, - 'GO:0008504': { - 'name': 'monoamine transmembrane transporter activity', - 'def': 'Enables the transfer of monoamines, organic compounds that contain one amino group that is connected to an aromatic ring by an ethylene group (-CH2-CH2-), from one side of the membrane to the other. [CHEBI:25375, GOC:mah]' - }, - 'GO:0008506': { - 'name': 'sucrose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sucrose(out) + H+(out) = sucrose(in) + H+(in). [TC:2.A.1.5.3]' - }, - 'GO:0008507': { - 'name': 'sodium:iodide symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: iodide(out) + Na+(out) = iodide(in) + Na+(in). [TC:2.A.21.5.1]' - }, - 'GO:0008508': { - 'name': 'bile acid:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: bile acid(out) + Na+(out) = bile acid(in) + Na+(in). [TC:2.A.28.-.-]' - }, - 'GO:0008509': { - 'name': 'anion transmembrane transporter activity', - 'def': 'Enables the transfer of a negatively charged ion from one side of a membrane to the other. [GOC:dgf, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0008510': { - 'name': 'sodium:bicarbonate symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Na+(out) + HCO3-(out) = Na+(in) + HCO3-(in). [TC:2.A.31.2.1]' - }, - 'GO:0008511': { - 'name': 'sodium:potassium:chloride symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Na+(out) + K+(out) + Cl-(out) = Na+(in) + K+(in) + Cl-(in). [TC:2.A.30.1.1]' - }, - 'GO:0008512': { - 'name': 'sulfate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sulfate(out) + H+(out) = sulfate(in) + H+(in). [TC:2.A.53.-.-]' - }, - 'GO:0008513': { - 'name': 'secondary active organic cation transmembrane transporter activity', - 'def': "Catalysis of the transfer of organic cations from one side of the membrane to the other, up the solute's concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction. [GOC:curators]" - }, - 'GO:0008514': { - 'name': 'organic anion transmembrane transporter activity', - 'def': 'Enables the transfer of organic anions from one side of a membrane to the other. Organic anions are atoms or small molecules with a negative charge which contain carbon in covalent linkage. [GOC:ai]' - }, - 'GO:0008515': { - 'name': 'sucrose transmembrane transporter activity', - 'def': 'Enables the transfer of sucrose from one side of the membrane to the other. Sucrose is the disaccharide O-beta-D-fructofuranosyl-(2->1)-alpha-D-glucopyranoside, a sweet-tasting, non-reducing sugar isolated industrially from sugar beet or sugar cane. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0008516': { - 'name': 'hexose uniporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: hexose(out) = hexose(in). [TC:2.A.1.1.5]' - }, - 'GO:0008517': { - 'name': 'folic acid transporter activity', - 'def': 'Enables the directed movement of folic acid (pteroylglutamic acid) into, out of or within a cell, or between cells. Folic acid is widely distributed as a member of the vitamin B complex and is essential for the synthesis of purine and pyrimidines. [GOC:ai]' - }, - 'GO:0008518': { - 'name': 'reduced folate carrier activity', - 'def': 'Catalysis of the transfer of reduced folate from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0008519': { - 'name': 'ammonium transmembrane transporter activity', - 'def': 'Enables the transfer of ammonium from one side of a membrane to the other. Ammonium is the cation NH4+ which is formed from N2 by root-nodule bacteria in leguminous plants and is an excretory product in ammonotelic animals. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0008520': { - 'name': 'L-ascorbate:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ascorbate(out) + Na+(out) = ascorbate(in) + Na+(in). [TC:2.A.40.6.1]' - }, - 'GO:0008521': { - 'name': 'acetyl-CoA transporter activity', - 'def': 'Enables the directed movement of acetyl-CoA into, out of or within a cell, or between cells. Acetyl-CoA is a derivative of coenzyme A in which the sulfhydryl group is acetylated; it is a metabolite derived from several pathways (e.g. glycolysis, fatty acid oxidation, amino-acid catabolism) and is further metabolized by the tricarboxylic acid cycle. It is a key intermediate in lipid and terpenoid biosynthesis. [GOC:ai]' - }, - 'GO:0008523': { - 'name': 'sodium-dependent multivitamin transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: multivitamin(out) + Na+(out) = multivitamin(in) + Na+(in). Multivitamins include pantothenate, biotin and lipoate. [TC:2.A.21.5.2]' - }, - 'GO:0008524': { - 'name': 'glucose 6-phosphate:phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose 6-phosphate(out) + phosphate(in) = glucose 6-phosphate(in) + phosphate(out). [TC:2.A.1.-.-]' - }, - 'GO:0008525': { - 'name': 'phosphatidylcholine transporter activity', - 'def': 'Enables the directed movement of phosphatidylcholine into, out of or within a cell, or between cells. Phosphatidylcholine refers to a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of choline. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0008526': { - 'name': 'phosphatidylinositol transporter activity', - 'def': 'Enables the directed movement of phosphatidylinositol into, out of or within a cell, or between cells. Phosphatidylinositol refers to any glycophospholipids with its sn-glycerol 3-phosphate residue is esterified to the 1-hydroxyl group of 1D-myo-inositol. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0008527': { - 'name': 'taste receptor activity', - 'def': 'Combining with soluble compounds to initiate a change in cell activity. These receptors are responsible for the sense of taste. [GOC:dph]' - }, - 'GO:0008528': { - 'name': 'G-protein coupled peptide receptor activity', - 'def': 'Combining with a peptide and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:dph, GOC:tb]' - }, - 'GO:0008529': { - 'name': 'obsolete endogenous peptide receptor activity', - 'def': 'OBSOLETE. Combining with an intracellular peptide to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0008530': { - 'name': 'obsolete exogenous peptide receptor activity', - 'def': 'OBSOLETE. Combining with an extracellular peptide to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0008531': { - 'name': 'riboflavin kinase activity', - 'def': 'Catalysis of the reaction: ATP + riboflavin = ADP + FMN + 2 H(+). [EC:2.7.1.26, RHEA:14360]' - }, - 'GO:0008532': { - 'name': 'N-acetyllactosaminide beta-1,3-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + beta-D-galactosyl-1,4-N-acetyl-D-glucosaminyl-R = UDP + N-acetyl-beta-D-glucosaminyl-1,3-beta-D-galactosyl-1,4-N-acetyl-D-glucosaminyl-R. [EC:2.4.1.149]' - }, - 'GO:0008533': { - 'name': 'obsolete astacin activity', - 'def': "OBSOLETE. Catalysis of the hydrolysis of peptide bonds in substrates containing five or more amino acids, preferentially with Ala in P1', and Pro in P2'. [EC:3.4.24.21]" - }, - 'GO:0008534': { - 'name': 'oxidized purine nucleobase lesion DNA N-glycosylase activity', - 'def': "Catalysis of the removal of oxidized purine bases by cleaving the N-C1' glycosidic bond between the oxidized purine and the deoxyribose sugar. The reaction involves the formation of a covalent enzyme-substrate intermediate. Release of the enzyme and free base by a beta-elimination or a beta, gamma-elimination mechanism results in the cleavage of the DNA backbone 3' of the apurinic (AP) site. [GOC:elh, PMID:11554296]" - }, - 'GO:0008535': { - 'name': 'respiratory chain complex IV assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form respiratory chain complex IV (also known as cytochrome c oxidase), the terminal member of the respiratory chain of the mitochondrion and some aerobic bacteria. Cytochrome c oxidases are multi-subunit enzymes containing from 13 subunits in the mammalian mitochondrial form to 3-4 subunits in the bacterial forms. [GOC:jl, http://www.med.wright.edu/bmb/lp/lplab.htm]' - }, - 'GO:0008536': { - 'name': 'Ran GTPase binding', - 'def': 'Interacting selectively and non-covalently with Ran, a conserved Ras-like GTP-binding protein, implicated in nucleocytoplasmic transport, cell cycle progression, spindle assembly, nuclear organization and nuclear envelope (NE) assembly. [GOC:rn, PMID:12787777, PMID:14726649]' - }, - 'GO:0008537': { - 'name': 'proteasome activator complex', - 'def': 'A multisubunit complex that activates the hydrolysis of small nonubiquitinated peptides by binding to the proteasome core complex. [GOC:rb]' - }, - 'GO:0008538': { - 'name': 'obsolete proteasome activator activity', - 'def': 'OBSOLETE. Catalysis of the activation of the proteasome, a large multisubunit complex which performs regulated ubiquitin-dependent cytosolic and nuclear proteolysis. [GOC:rn, PMID:10428771]' - }, - 'GO:0008539': { - 'name': 'obsolete proteasome inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of the proteasome complex. The proteasome complex performs regulated ubiquitin-dependent cytosolic and nuclear proteolysis. [GOC:mah]' - }, - 'GO:0008540': { - 'name': 'proteasome regulatory particle, base subcomplex', - 'def': 'The subcomplex of the proteasome regulatory particle that directly associates with the proteasome core complex. [GOC:mtg_sensu, GOC:rb]' - }, - 'GO:0008541': { - 'name': 'proteasome regulatory particle, lid subcomplex', - 'def': 'The subcomplex of the proteasome regulatory particle that forms the peripheral lid, which is added on top of the base subcomplex. [GOC:rb]' - }, - 'GO:0008542': { - 'name': 'visual learning', - 'def': 'Any process in an organism in which a change in behavior of an individual occurs in response to repeated exposure to a visual cue. [GOC:jid, ISBN:0582227089]' - }, - 'GO:0008543': { - 'name': 'fibroblast growth factor receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands. [GOC:ceb]' - }, - 'GO:0008544': { - 'name': 'epidermis development', - 'def': 'The process whose specific outcome is the progression of the epidermis over time, from its formation to the mature structure. The epidermis is the outer epithelial layer of an animal, it may be a single layer that produces an extracellular material (e.g. the cuticle of arthropods) or a complex stratified squamous epithelium, as in the case of many vertebrate species. [GOC:go_curators, UBERON:0001003]' - }, - 'GO:0008545': { - 'name': 'JUN kinase kinase activity', - 'def': 'Catalysis of the phosphorylation of tyrosine and threonine residues in a c-Jun NH2-terminal kinase (JNK), a member of a subgroup of mitogen-activated protein kinases (MAPKs), which signal in response to cytokines and exposure to environmental stress. JUN kinase kinase (JNKK) is a dual-specificity protein kinase kinase and requires activation by a serine/threonine kinase JUN kinase kinase kinase. [GOC:bf, PMID:11057897, PMID:11790549]' - }, - 'GO:0008546': { - 'name': 'obsolete microtubule/chromatin interaction', - 'def': 'OBSOLETE. Physical interaction between microtubules and chromatin via DNA binding proteins. [PMID:10322137]' - }, - 'GO:0008547': { - 'name': 'obsolete protein-synthesizing GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. A GTPase involved in protein synthesis. In the initiation factor complex, it is IF-2b (98 kDa) that binds GTP and subsequently hydrolyzes it in prokaryotes. In eukaryotes, it is eIF-2 (150 kDa) that binds GTP. In the elongation phase, the GTP-hydrolyzing proteins are the EF-Tu polypeptide of the prokaryotic transfer factor (43 kDa), the eukaryotic elongation factor EF-1a (53 kDa), the prokaryotic EF-G (77 kDa), the eukaryotic EF-2 (70-110 kDa) and the signal recognition particle that play a role in endoplasmic reticulum protein synthesis (325 kDa). EF-Tu and EF1a catalyze binding of aminoacyl-tRNA to the ribosomal A-site, while EF-G and EF-2 catalyze the translocation of peptidyl-tRNA from the A-site to the P-site. GTPase activity is also involved in polypeptide release from the ribosome with the aid of the pRFs and eRFs. [EC:3.6.5.3, MetaCyc:3.6.1.48-RXN]' - }, - 'GO:0008548': { - 'name': 'obsolete signal-recognition-particle GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. Activity is associated with the signal-recognition particle, a protein and RNA-containing structure involved in endoplasmic reticulum-associated protein synthesis. [EC:3.6.5.4, MetaCyc:3.6.1.49-RXN]' - }, - 'GO:0008549': { - 'name': 'obsolete dynamin GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. An enzyme that is involved in endocytosis and is instrumental in pinching off membrane vesicles. [EC:3.6.5.5, MetaCyc:3.6.1.50-RXN]' - }, - 'GO:0008550': { - 'name': 'obsolete tubulin GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. An intrinsic activity of alpha-tubulin involved in tubulin folding, division plane formation in prokaryotic cells and others. [EC:3.6.5.6, MetaCyc:3.6.1.51-RXN]' - }, - 'GO:0008551': { - 'name': 'cadmium-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Cd2+(in) -> ADP + phosphate + Cd2+(out). [EC:3.6.3.3]' - }, - 'GO:0008552': { - 'name': 'obsolete zinc, cadmium, cobalt, nickel, lead-efflux ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: Me2+(in) + ATP = Me2+(out) + ADP + phosphate, where Me is Zn2+, Cd2+, Co2+, Ni2+ or Pb2+. [TC:3.A.3.6.2]' - }, - 'GO:0008553': { - 'name': 'hydrogen-exporting ATPase activity, phosphorylative mechanism', - 'def': 'Catalysis of the transfer of protons from one side of a membrane to the other according to the reaction: ATP + H2O + H+(in) -> ADP + phosphate + H+(out). These transporters use a phosphorylative mechanism, which have a phosphorylated intermediate state during the ion transport cycle. [EC:3.6.3.6]' - }, - 'GO:0008554': { - 'name': 'sodium-exporting ATPase activity, phosphorylative mechanism', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Na+(in) -> ADP + phosphate + Na+(out); by a phosphorylative mechanism. [EC:3.6.3.7]' - }, - 'GO:0008555': { - 'name': 'chloride-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Cl-(out) = ADP + phosphate + Cl-(in). [EC:3.6.3.11]' - }, - 'GO:0008556': { - 'name': 'potassium-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + K+(out) = ADP + phosphate + K+(in). [EC:3.6.3.12]' - }, - 'GO:0008558': { - 'name': 'guanine-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + guanine(out) = ADP + phosphate + guanine(in). [EC:3.6.3.37]' - }, - 'GO:0008559': { - 'name': 'xenobiotic-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + xenobiotic(in) = ADP + phosphate + xenobiotic(out). [EC:3.6.3.44]' - }, - 'GO:0008563': { - 'name': 'obsolete alpha-factor sex pheromone exporter', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + alpha-factor(in) = ADP + phosphate + alpha-factor(out). The export of the alpha-factor sex pheromone by an ABC-type (ATP-binding cassette-type) ATPase, characterized by the presence of two similar ATP-binding domains, that does not undergo phosphorylation during the transport process. [EC:3.6.3.48]' - }, - 'GO:0008564': { - 'name': 'protein-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + protein+(in) -> ADP + phosphate + protein+(out); drives the concomitant secretion of proteins. [EC:3.6.3.50]' - }, - 'GO:0008565': { - 'name': 'protein transporter activity', - 'def': 'Enables the directed movement of proteins into, out of or within a cell, or between cells. [ISBN:0198506732]' - }, - 'GO:0008566': { - 'name': 'mitochondrial protein-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O = ADP + phosphate; drives the transport of proteins into the mitochondrion via the mitochondrial inner membrane translocase complex. [EC:3.6.3.51]' - }, - 'GO:0008567': { - 'name': 'obsolete dynein ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O = ADP + phosphate. The hydrolysis of ATP by dynein that provides the energy for the movement of organelles (endosomes, lysosomes, mitochondria) along microtubules to the centrosome. [EC:3.6.4.2]' - }, - 'GO:0008568': { - 'name': 'microtubule-severing ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate. Catalysis of the severing of a microtubule at a specific spot along its length, coupled to the hydrolysis of ATP. [EC:3.6.4.3, PMID:10910766]' - }, - 'GO:0008569': { - 'name': 'ATP-dependent microtubule motor activity, minus-end-directed', - 'def': 'Catalysis of movement along a microtubule toward the minus end, coupled to the hydrolysis of ATP. [EC:3.6.4.5, GOC:mah, GOC:vw]' - }, - 'GO:0008570': { - 'name': 'obsolete myosin ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O = ADP + phosphate. The hydrolysis of ATP by myosin that provides the energy for actomyosin contraction. [EC:3.6.4.1]' - }, - 'GO:0008571': { - 'name': 'obsolete non-chaperonin molecular chaperone ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O = ADP + phosphate. This is a highly diverse group of enzymes that perform many functions that are similar to those of chaperonins. They comprise a number of heat-shock-cognate proteins. They are also active in clathrin uncoating and in the oligomerization of actin. [EC:3.6.4.10]' - }, - 'GO:0008572': { - 'name': 'obsolete nucleoplasmin ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O = ADP + phosphate. The hydrolysis of ATP required for the ATP-dependent assembly of nucleosome cores, in decondensation of sperm chromatin and in other histone-involving processes. [EC:3.6.4.11]' - }, - 'GO:0008573': { - 'name': 'obsolete peroxisome-assembly ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O = ADP + phosphate. ATP hydrolysis to import and assemble peroxisome components into the organelle. [EC:3.6.4.7]' - }, - 'GO:0008574': { - 'name': 'ATP-dependent microtubule motor activity, plus-end-directed', - 'def': 'Catalysis of movement along a microtubule toward the plus end, coupled to the hydrolysis of ATP. [EC:3.6.4.4, GOC:vw]' - }, - 'GO:0008575': { - 'name': 'obsolete proteasome ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O = ADP + phosphate. The hydrolysis of ATP for channel gating and polypeptide unfolding before proteolysis in the proteasome. Six ATPase subunits are present in the regulatory particle (RP) of 26S proteasome. [EC:3.6.4.8]' - }, - 'GO:0008576': { - 'name': 'obsolete vesicle-fusing ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O = ADP + phosphate. The hydrolysis of ATP by an AAA-ATPase, involved in the heterotypic fusion of membrane vesicles with target membranes and the homotypic fusion of various membrane compartments. [EC:3.6.4.6]' - }, - 'GO:0008579': { - 'name': 'JUN kinase phosphatase activity', - 'def': 'Catalysis of the reaction: JUN kinase serine/threonine/tyrosine phosphate + H2O = JUN kinase serine/threonine/tyrosine + phosphate. [GOC:mah]' - }, - 'GO:0008580': { - 'name': 'obsolete cytoskeletal regulator activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008581': { - 'name': 'obsolete ubiquitin-specific protease 5 activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of the Gly76-Lys48 isopeptide bond of polyubiquitin. [ISBN:0120793709, MEROPS:c19p001]' - }, - 'GO:0008582': { - 'name': 'regulation of synaptic growth at neuromuscular junction', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic growth at neuromuscular junctions. [GOC:go_curators]' - }, - 'GO:0008583': { - 'name': 'mystery cell differentiation', - 'def': 'The process in which an undifferentiated cell acquires the features of a mystery cell. The mystery cells are a precluster of cells that emerge from the compound eye morphogenetic furrow, normally positioned between R3 and R4. They then disappear into the surrounding pool of undifferentiated cells and have no known fate in the mature ommatidium. An example of this process is found in Drosophila melanogaster. [ISBN:0632030488, PMID:1295747]' - }, - 'GO:0008584': { - 'name': 'male gonad development', - 'def': 'The process whose specific outcome is the progression of the male gonad over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0008585': { - 'name': 'female gonad development', - 'def': 'The process whose specific outcome is the progression of the female gonad over time, from its formation to the mature structure. [GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0008586': { - 'name': 'imaginal disc-derived wing vein morphogenesis', - 'def': 'The process in which anatomical structures of the veins on an imaginal disc-derived wing are generated and organized. [GOC:mtg_sensu]' - }, - 'GO:0008587': { - 'name': 'imaginal disc-derived wing margin morphogenesis', - 'def': 'The process in which the anatomical structures of the imaginal disc-derived wing margin are generated and organized. The wing margin is a strip of cells in the third instar disc at the boundary between the presumptive dorsal and ventral surfaces of the wing blade. [GOC:bf, GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0008588': { - 'name': 'release of cytoplasmic sequestered NF-kappaB', - 'def': 'The release of NF-kappaB from specific molecules in the cytoplasm to which it was bound, thereby allowing its translocation into the nucleus. [GOC:jl]' - }, - 'GO:0008589': { - 'name': 'regulation of smoothened signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of smoothened signaling. [GOC:go_curators]' - }, - 'GO:0008591': { - 'name': 'regulation of Wnt signaling pathway, calcium modulating pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors leads to an increase in intracellular calcium and activation of protein kinase C (PKC). [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0008592': { - 'name': 'regulation of Toll signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the Tl signaling pathway. [GOC:go_curators]' - }, - 'GO:0008593': { - 'name': 'regulation of Notch signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the Notch signaling pathway. [GOC:go_curators]' - }, - 'GO:0008594': { - 'name': 'photoreceptor cell morphogenesis', - 'def': 'The process in which the structures of a photoreceptor cell are generated and organized. This process occurs while the initially relatively unspecialized cell is acquiring the specialized features of a photoreceptor cell, a sensory cell that reacts to the presence of light. An example of this is found in Drosophila melanogaster. [GOC:jid, GOC:mah]' - }, - 'GO:0008595': { - 'name': 'anterior/posterior axis specification, embryo', - 'def': 'The specification of the anterior/posterior axis of the embryo by the products of genes expressed maternally and genes expressed in the zygote. [http://fly.ebi.ac.uk/allied-data/lk/interactive-fly/aimain/1aahome.htm, ISBN:0879694238]' - }, - 'GO:0008597': { - 'name': 'calcium-dependent protein serine/threonine phosphatase regulator activity', - 'def': 'Modulation of the activity of the enzyme calcium-dependent protein serine/threonine phosphatase. [EC:3.1.3.16, GOC:ai]' - }, - 'GO:0008603': { - 'name': 'cAMP-dependent protein kinase regulator activity', - 'def': 'Modulation of the activity of the enzyme cAMP-dependent protein kinase. [GOC:ai]' - }, - 'GO:0008605': { - 'name': 'obsolete protein kinase CK2 regulator activity', - 'def': 'OBSOLETE. Modulation of the activity of the enzyme protein kinase CK2. [GOC:ai]' - }, - 'GO:0008607': { - 'name': 'phosphorylase kinase regulator activity', - 'def': 'Modulation of the activity of the enzyme phosphorylase kinase. [EC:2.7.11.19]' - }, - 'GO:0008608': { - 'name': 'attachment of spindle microtubules to kinetochore', - 'def': 'The process in which spindle microtubules become physically associated with the proteins making up the kinetochore complex. [GOC:vw, PMID:10322137]' - }, - 'GO:0008609': { - 'name': 'alkylglycerone-phosphate synthase activity', - 'def': 'Catalysis of the reaction: 1-acyl-glycerone 3-phosphate + a long-chain alcohol = 1-alkyl-glycerone 3-phosphate + a long-chain acid anion. [EC:2.5.1.26]' - }, - 'GO:0008610': { - 'name': 'lipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lipids, compounds soluble in an organic solvent but not, or sparingly, in an aqueous solvent. [GOC:go_curators]' - }, - 'GO:0008611': { - 'name': 'ether lipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ether lipids, lipids that contain (normally) one lipid alcohol in ether linkage to one of the carbon atoms (normally C-1) of glycerol. [GOC:ma, ISBN:0198547684, PMID:15337120]' - }, - 'GO:0008612': { - 'name': 'peptidyl-lysine modification to peptidyl-hypusine', - 'def': 'The modification of peptidyl-lysine to form hypusine, peptidyl-N6-(4-amino-2-hydroxybutyl)-L-lysine. [GOC:ma, ISBN:0198547684, RESID:AA0116]' - }, - 'GO:0008613': { - 'name': 'diuretic hormone activity', - 'def': 'The action characteristic of a diuretic hormone, any peptide hormone that, upon receptor binding, regulates water balance and fluid secretion. [GOC:mah, InterPro:IPR003621, PMID:8618894]' - }, - 'GO:0008614': { - 'name': 'pyridoxine metabolic process', - 'def': 'The chemical reactions and pathways involving pyridoxine, 2-methyl-3-hydroxy-4,5-bis(hydroxymethyl)pyridine, one of the vitamin B6 compounds. Pyridoxal, pyridoxamine and pyridoxine are collectively known as vitamin B6, and are efficiently converted to the biologically active form of vitamin B6, pyridoxal phosphate. [CHEBI:16709, GOC:curators]' - }, - 'GO:0008615': { - 'name': 'pyridoxine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyridoxine, 2-methyl-3-hydroxy-4,5-bis(hydroxymethyl)pyridine, one of the vitamin B6 compounds. [GOC:ai]' - }, - 'GO:0008616': { - 'name': 'queuosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of queuosines, any of a series of nucleosides found in tRNA and having an additional pentenyl ring added via an NH group to the methyl group of 7-methylguanosine. The pentenyl ring may carry other substituents. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0008617': { - 'name': 'guanosine metabolic process', - 'def': 'The chemical reactions and pathways involving guanine, guanine riboside, a nucleoside with a wide species distribution. [ISBN:0198506732]' - }, - 'GO:0008618': { - 'name': '7-methylguanosine metabolic process', - 'def': "The chemical reactions and pathways involving 7-methylguanosine, a modified nucleoside that forms a cap at the 5'-terminus of eukaryotic mRNA. [ISBN:0198506732]" - }, - 'GO:0008619': { - 'name': 'obsolete RHEB small monomeric GTPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. [EC:3.6.1.47, PMID:12893813]' - }, - 'GO:0008622': { - 'name': 'epsilon DNA polymerase complex', - 'def': 'A heterotetrameric DNA polymerase complex that catalyzes processive DNA synthesis in the absence of PCNA, but is further stimulated in the presence of PCNA. The complex contains a large catalytic subunit and three small subunits, and is best characterized in Saccharomyces, in which the subunits are named Pol2p, Dpb2p, Dpb3p, and Dpb4p. Some evidence suggests that DNA polymerase epsilon is the leading strand polymerase; it is also involved in nucleotide-excision repair and mismatch repair. [PMID:15814431, PMID:9745046]' - }, - 'GO:0008623': { - 'name': 'CHRAC', - 'def': 'An ISWI complex that contains an ATPase subunit of the ISWI family (SNF2H in mammals, Isw2 in S. cerevisiae), an ACF1 homolog, and additional small histone fold subunits (generally two of these, but Xenopus has only one and some additional non-conserved subunits). CHRAC plays roles in the regulation of RNA polymerase II transcription and in DNA replication and repair. [GOC:bf, GOC:krc, PMID:15284901, PMID:16568949, PMID:21810179, PMID:9252192]' - }, - 'GO:0008625': { - 'name': 'extrinsic apoptotic signaling pathway via death domain receptors', - 'def': 'A series of molecular signals in which a signal is conveyed from the cell surface to trigger the apoptotic death of a cell. The pathway starts with a ligand binding to a death domain receptor on the cell surface, and ends when the execution phase of apoptosis is triggered. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0008626': { - 'name': 'granzyme-mediated apoptotic signaling pathway', - 'def': 'A series of molecular signals induced by granzymes which triggers the apoptotic death of a cell. The pathway starts with reception of a granzyme signal, and ends when the execution phase of apoptosis is triggered. Granzymes are serine proteases that are secreted by cytotoxic T cells and natural killer cells to induce apoptosis in target cells. [GOC:mtg_apoptosis, PMID:17158907]' - }, - 'GO:0008627': { - 'name': 'intrinsic apoptotic signaling pathway in response to osmotic stress', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced in response to changes in intracellular ion homeostasis, and ends when the execution phase of apoptosis is triggered. [GOC:mtg_apoptosis, PMID:11454444, PMID:16483738]' - }, - 'GO:0008628': { - 'name': 'hormone-mediated apoptotic signaling pathway', - 'def': 'A series of molecular signals mediated by the detection of a hormone, and which triggers the apoptotic signaling pathway in a cell. The pathway starts with reception of a hormone signal, and ends when the execution phase of apoptosis is triggered. [GOC:bf, GOC:mtg_apoptosis]' - }, - 'GO:0008630': { - 'name': 'intrinsic apoptotic signaling pathway in response to DNA damage', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced by the detection of DNA damage, and ends when the execution phase of apoptosis is triggered. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0008631': { - 'name': 'intrinsic apoptotic signaling pathway in response to oxidative stress', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced in response to oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, and ends when the execution phase of apoptosis is triggered. [GOC:ai, GOC:mtg_apoptosis]' - }, - 'GO:0008633': { - 'name': 'obsolete activation of pro-apoptotic gene products', - 'def': 'OBSOLETE. The conversion of proteins that induce or sustain apoptosis to an active form. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0008634': { - 'name': 'obsolete negative regulation of survival gene product expression', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of survival gene product expression; survival gene products are those that antagonize the apoptotic program. Regulation can be at the transcriptional, translational, or posttranslational level. [GOC:dph, GOC:go_curators, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0008635': { - 'name': 'activation of cysteine-type endopeptidase activity involved in apoptotic process by cytochrome c', - 'def': 'Any process that initiates the activity of the inactive enzyme cysteine-type endopeptidase in the context of an apoptotic process and is mediated by cytochrome c. [GOC:dph, GOC:jl, GOC:mtg_apoptosis, GOC:tb, PMID:14744432, Wikipedia:Caspase]' - }, - 'GO:0008636': { - 'name': 'obsolete activation of caspase activity by protein phosphorylation', - 'def': 'OBSOLETE. Upregulation of the activity of a caspase, any of a group of cysteine proteases involved in apoptosis, by the addition of a phosphate group. [GOC:dph, GOC:jl, GOC:tb, PMID:14744432, Wikipedia:Caspase]' - }, - 'GO:0008637': { - 'name': 'apoptotic mitochondrial changes', - 'def': 'The morphological and physiological alterations undergone by mitochondria during apoptosis. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0008638': { - 'name': 'obsolete protein tagging activity', - 'def': 'OBSOLETE. Covalent addition of a specific tagging molecule to a protein, targeting the tagged protein for some fate e.g. degradation. [GOC:jl]' - }, - 'GO:0008641': { - 'name': 'small protein activating enzyme activity', - 'def': 'Catalysis of the activation of small proteins, such as ubiquitin or ubiquitin-like proteins, through the formation of an ATP-dependent high-energy thiolester bond. [GOC:jl, GOC:mah]' - }, - 'GO:0008643': { - 'name': 'carbohydrate transport', - 'def': 'The directed movement of carbohydrate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Carbohydrates are any of a group of organic compounds based of the general formula Cx(H2O)y. [GOC:ai]' - }, - 'GO:0008645': { - 'name': 'hexose transport', - 'def': 'The directed movement of hexose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Hexoses are any aldoses with a chain of six carbon atoms in the molecule. [GOC:ai]' - }, - 'GO:0008646': { - 'name': 'high-affinity hexose transport', - 'def': 'The directed, high-affinity movement of a hexose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0008647': { - 'name': 'low-affinity hexose transport', - 'def': 'The directed, low-affinity movement of a hexose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. In low-affinity transport the transporter is able to bind the solute only if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0008648': { - 'name': 'obsolete tachykinin', - 'def': 'OBSOLETE. A family of hormones that stimulate secretion of saliva and cause smooth muscle contraction and vasodilation. [ISBN:0198506732, ISBN:0721662544]' - }, - 'GO:0008649': { - 'name': 'rRNA methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to a nucleoside residue in an rRNA molecule. [GOC:mah]' - }, - 'GO:0008650': { - 'name': "rRNA (uridine-2'-O-)-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing 2'-O-methyluridine. [GOC:mah]" - }, - 'GO:0008651': { - 'name': 'obsolete actin polymerizing activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008652': { - 'name': 'cellular amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of amino acids, organic acids containing one or more amino substituents. [ISBN:0198506732]' - }, - 'GO:0008653': { - 'name': 'lipopolysaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving lipopolysaccharides, any of a group of related, structurally complex components of the outer membrane of Gram-negative bacteria. Lipopolysaccharides consist three covalently linked regions, lipid A, core oligosaccharide, and an O side chain. Lipid A is responsible for the toxicity of the lipopolysaccharide. [ISBN:0198506732]' - }, - 'GO:0008654': { - 'name': 'phospholipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phospholipids, any lipid containing phosphoric acid as a mono- or diester. [ISBN:0198506732]' - }, - 'GO:0008655': { - 'name': 'pyrimidine-containing compound salvage', - 'def': 'Any process that generates a pyrimidine-containing compound, any nucleobase, nucleoside, nucleotide or nucleic acid that contains a pyrimidine base, from derivatives of them without de novo synthesis. [CHEBI:39447, GOC:jl]' - }, - 'GO:0008656': { - 'name': 'cysteine-type endopeptidase activator activity involved in apoptotic process', - 'def': 'Increases the rate of proteolysis catalyzed by a cysteine-type endopeptidase involved in the apoptotic process. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0008657': { - 'name': 'DNA topoisomerase (ATP-hydrolyzing) inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of ATP-hydrolyzing DNA topoisomerase. ATP-hydrolyzing DNA topoisomerase catalyzes the DNA topological transformation by transiently cleaving a pair of complementary DNA strands to form a gate through which a second double-stranded DNA segment is passed, after which the severed strands in the first DNA segment are rejoined; product release is coupled to ATP binding and hydrolysis; changes the linking number in multiples of 2. [GOC:mah]' - }, - 'GO:0008658': { - 'name': 'penicillin binding', - 'def': 'Interacting selectively and non-covalently with penicillin, any antibiotic that contains the condensed beta-lactamthiazolidine ring system. [GOC:ai]' - }, - 'GO:0008659': { - 'name': '(3R)-hydroxymyristoyl-[acyl-carrier-protein] dehydratase activity', - 'def': 'Catalysis of the reaction: (3R)-3-hydroxytetradecanoyl-[acyl-carrier protein] = tetradecenoyl-[acyl-carrier protein] + H2O. [EC:4.2.1.-, GOC:ai]' - }, - 'GO:0008660': { - 'name': '1-aminocyclopropane-1-carboxylate deaminase activity', - 'def': 'Catalysis of the reaction: 1-aminocyclopropane-1-carboxylate + H(2)O = 2-oxobutanate + NH(4)(+). [EC:3.5.99.7, RHEA:16936]' - }, - 'GO:0008661': { - 'name': '1-deoxy-D-xylulose-5-phosphate synthase activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde 3-phosphate + H(+) + pyruvate = 1-deoxy-D-xylulose 5-phosphate + CO(2). [EC:2.2.1.7, RHEA:12608]' - }, - 'GO:0008662': { - 'name': '1-phosphofructokinase activity', - 'def': 'Catalysis of the reaction: ATP + D-fructose 1-phosphate = ADP + D-fructose 1,6-bisphosphate. [EC:2.7.1.56]' - }, - 'GO:0008663': { - 'name': "2',3'-cyclic-nucleotide 2'-phosphodiesterase activity", - 'def': "Catalysis of the reaction: nucleoside 2',3'-cyclic phosphate + H2O = nucleoside 3'-phosphate. [EC:3.1.4.16]" - }, - 'GO:0008664': { - 'name': "2'-5'-RNA ligase activity", - 'def': "Catalysis of the formation of a phosphodiester bond between the 2'-hydroxyl group at the end of one DNA chain and the 5'-phosphate group at the end of another. [GOC:mah, PMID:8940112]" - }, - 'GO:0008665': { - 'name': "2'-phosphotransferase activity", - 'def': "Catalysis of the transfer of a phosphate group from one compound to the 2' position of another. [GOC:jl, GOC:mah]" - }, - 'GO:0008666': { - 'name': '2,3,4,5-tetrahydropyridine-2,6-dicarboxylate N-succinyltransferase activity', - 'def': 'Catalysis of the reaction: (S)-2,3,4,5-tetrahydrodipicolinate + H(2)O + succinyl-CoA = L-2-succinylamino-6-oxopimelate + CoA. [EC:2.3.1.117, RHEA:17328]' - }, - 'GO:0008667': { - 'name': '2,3-dihydro-2,3-dihydroxybenzoate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (2S,3S)-2,3-dihydroxy-2,3-dihydrobenzoate + NAD(+) = 2,3-dihydroxybenzoate + H(+) + NADH. [EC:1.3.1.28, RHEA:23827]' - }, - 'GO:0008668': { - 'name': '(2,3-dihydroxybenzoyl)adenylate synthase activity', - 'def': "Catalysis of the reaction: 2,3-dihydroxybenzoate + ATP = 2,3-dihydroxybenzoyl 5'-adenylate + diphosphate. [EC:2.7.7.58, RHEA:20232]" - }, - 'GO:0008670': { - 'name': '2,4-dienoyl-CoA reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: trans-2,3-didehydroacyl-CoA + NADP+ = trans,trans-2,3,4,5-tetradehydroacyl-CoA + NADPH + H+. [EC:1.3.1.34]' - }, - 'GO:0008671': { - 'name': '2-dehydro-3-deoxygalactonokinase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-3-deoxy-D-galactonate + ATP = 6-phospho-2-dehydro-3-deoxy-D-galactonate + ADP + 2 H(+). [EC:2.7.1.58, RHEA:16528]' - }, - 'GO:0008672': { - 'name': '2-dehydro-3-deoxyglucarate aldolase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-3-deoxy-D-glucarate = pyruvate + tartronate semialdehyde. [EC:4.1.2.20]' - }, - 'GO:0008673': { - 'name': '2-dehydro-3-deoxygluconokinase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-3-deoxy-D-gluconate + ATP = 2-dehydro-3-deoxy-6-phospho-D-gluconate + ADP + 2 H(+). [EC:2.7.1.45, RHEA:14800]' - }, - 'GO:0008674': { - 'name': '2-dehydro-3-deoxy-6-phosphogalactonate aldolase activity', - 'def': 'Catalysis of the reaction: 6-phospho-2-dehydro-3-deoxy-D-galactonate = D-glyceraldehyde 3-phosphate + pyruvate. [EC:4.1.2.21, RHEA:24467]' - }, - 'GO:0008675': { - 'name': '2-dehydro-3-deoxy-phosphogluconate aldolase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-3-deoxy-D-gluconate 6-phosphate = pyruvate + D-glyceraldehyde 3-phosphate. [EC:4.1.2.14]' - }, - 'GO:0008676': { - 'name': '3-deoxy-8-phosphooctulonate synthase activity', - 'def': 'Catalysis of the reaction: D-arabinose 5-phosphate + H(2)O + phosphoenolpyruvate = 8-phospho-3-deoxy-D-manno-oct-2-ulosonate + 2 H(+) + phosphate. [EC:2.5.1.55, RHEA:14056]' - }, - 'GO:0008677': { - 'name': '2-dehydropantoate 2-reductase activity', - 'def': 'Catalysis of the reaction: (R)-pantoate + NADP(+) = 2-dehydropantoate + H(+) + NADPH. [EC:1.1.1.169, RHEA:16236]' - }, - 'GO:0008678': { - 'name': '2-deoxy-D-gluconate 3-dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-deoxy-D-gluconate + NAD+ = 3-dehydro-2-deoxy-D-gluconate + NADH + H+. [EC:1.1.1.125]' - }, - 'GO:0008679': { - 'name': '2-hydroxy-3-oxopropionate reductase activity', - 'def': 'Catalysis of the reaction: (R)-glycerate + NADP+ = 2-hydroxy-3-oxopropanoate + NADPH + H+. [EC:1.1.1.60]' - }, - 'GO:0008681': { - 'name': '2-octaprenyl-6-methoxyphenol hydroxylase activity', - 'def': 'Catalysis of the reaction: 2-octaprenyl-6-methoxyphenol + O2 + 4 H+ = 2-octaprenyl-6-methoxy-1,4-benzoquinol + H2O. [MetaCyc:2-OCTAPRENYL-6-METHOXYPHENOL-HYDROX-RXN]' - }, - 'GO:0008682': { - 'name': '2-octoprenyl-3-methyl-6-methoxy-1,4-benzoquinone hydroxylase activity', - 'def': 'Catalysis of the reaction: 2-octoprenyl-3-methyl-6-methoxy-1,4-benzoquinone + O2 = 2-octoprenyl-3-methyl-5-hydroxy-6-methoxy-1,4-benzoquinone. [MetaCyc:OCTAPRENYL-METHYL-METHOXY-BENZOQ-OH-RXN]' - }, - 'GO:0008683': { - 'name': '2-oxoglutarate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + H(+) = CO(2) + succinate semialdehyde. [EC:4.1.1.71, RHEA:10527]' - }, - 'GO:0008684': { - 'name': '2-oxopent-4-enoate hydratase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-2-oxopentanoate = 2-oxopent-4-enoate + H2O. [EC:4.2.1.80]' - }, - 'GO:0008685': { - 'name': '2-C-methyl-D-erythritol 2,4-cyclodiphosphate synthase activity', - 'def': 'Catalysis of the reaction: 4-CDP-2-C-methyl-D-erythritol 2-phosphate = 2-C-methyl-D-erythritol 2,4-cyclic diphosphate + CMP. [EC:4.6.1.12, RHEA:23867]' - }, - 'GO:0008686': { - 'name': '3,4-dihydroxy-2-butanone-4-phosphate synthase activity', - 'def': 'Catalysis of the reaction: D-ribulose 5-phosphate = (2S)-2-hydroxy-3-oxobutyl phosphate + formate + H(+). [EC:4.1.99.12, RHEA:18460]' - }, - 'GO:0008687': { - 'name': '3,4-dihydroxyphenylacetate 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxyphenylacetate + O(2) = 5-formyl-2-hydroxyhepta-2,4-dienedioate + H(+). [EC:1.13.11.15, RHEA:15636]' - }, - 'GO:0008688': { - 'name': '3-(3-hydroxyphenyl)propionate hydroxylase activity', - 'def': 'Catalysis of the reaction: 3-(3-hydroxyphenyl)propionate + NADH + oxygen + H+ = 3-(2,3-dihydroxyphenyl)propionate + NAD+ + H2O. [MetaCyc:MHPHYDROXY-RXN]' - }, - 'GO:0008689': { - 'name': '3-demethylubiquinone-9 3-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 3-demethylubiquinone-9 = S-adenosyl-L-homocysteine + ubiquinone-9. [GOC:dph]' - }, - 'GO:0008690': { - 'name': '3-deoxy-manno-octulosonate cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: CTP + 3-deoxy-D-manno-octulosonate = diphosphate + CMP-3-deoxy-D-manno-octulosonate. [EC:2.7.7.38]' - }, - 'GO:0008691': { - 'name': '3-hydroxybutyryl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxybutanoyl-CoA + NADP+ = 3-acetoacetyl-CoA + NADPH + H+. [EC:1.1.1.157]' - }, - 'GO:0008692': { - 'name': '3-hydroxybutyryl-CoA epimerase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxybutanoyl-CoA = (R)-3-hydroxybutanoyl-CoA. [EC:5.1.2.3]' - }, - 'GO:0008693': { - 'name': '3-hydroxydecanoyl-[acyl-carrier-protein] dehydratase activity', - 'def': 'Catalysis of the reaction: (3R)-3-hydroxydecanoyl-[acyl-carrier protein] = 2,3-decenoyl-[acyl-carrier protein] or 3,4-decenoyl-[acyl-carrier protein] + H2O. [EC:4.2.1.60]' - }, - 'GO:0008694': { - 'name': '3-octaprenyl-4-hydroxybenzoate carboxy-lyase activity', - 'def': 'Catalysis of the reaction: 3-octaprenyl-4-hydroxy benzoate = 2-octaprenylphenol + CO2. [MetaCyc:3-OCTAPRENYL-4-OHBENZOATE-DECARBOX-RXN]' - }, - 'GO:0008695': { - 'name': '3-phenylpropionate dioxygenase activity', - 'def': 'Catalysis of the reaction: 3-phenylpropionate + NADH + H+ + O2 = NAD+ + cis-3-(3-carboxyethyl)-3,5-cyclohexadiene-1,2-diol. [UM-BBD_enzymeID:e0307]' - }, - 'GO:0008696': { - 'name': '4-amino-4-deoxychorismate lyase activity', - 'def': 'Catalysis of the reaction: 4-amino-4-deoxychorismate = 4-aminobenzoate + H(+) + pyruvate. [EC:4.1.3.38, RHEA:16204]' - }, - 'GO:0008697': { - 'name': '4-deoxy-L-threo-5-hexosulose-uronate ketol-isomerase activity', - 'def': 'Catalysis of the reaction: 5-dehydro-4-deoxy-D-glucuronate = 3-deoxy-D-glycero-2,5-hexodiulosonate. [EC:5.3.1.17, RHEA:23899]' - }, - 'GO:0008700': { - 'name': '4-hydroxy-2-oxoglutarate aldolase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-2-oxoglutarate = pyruvate + glyoxylate. [EC:4.1.3.16]' - }, - 'GO:0008701': { - 'name': '4-hydroxy-2-oxovalerate aldolase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-2-oxopentanoate = acetaldehyde + pyruvate. [EC:4.1.3.39, RHEA:22627]' - }, - 'GO:0008703': { - 'name': '5-amino-6-(5-phosphoribosylamino)uracil reductase activity', - 'def': 'Catalysis of the reaction: 5-amino-6-(5-phosphoribitylamino)uracil + NADP(+) = 5-amino-6-(5-phosphoribosylamino)uracil + H(+) + NADPH. [EC:1.1.1.193, RHEA:17848]' - }, - 'GO:0008704': { - 'name': '5-carboxymethyl-2-hydroxymuconate delta-isomerase activity', - 'def': 'Catalysis of the reaction: 5-carboxymethyl-2-hydroxymuconate = 5-carboxy-2-oxohept-3-enedioate. [EC:5.3.3.10]' - }, - 'GO:0008705': { - 'name': 'methionine synthase activity', - 'def': 'Catalysis of the reaction: (6S)-5-methyl-5,6,7,8-tetrahydrofolate + L-homocysteine = (6S)-5,6,7,8-tetrahydrofolate + L-methionine. [EC:2.1.1.13, RHEA:11175]' - }, - 'GO:0008706': { - 'name': '6-phospho-beta-glucosidase activity', - 'def': 'Catalysis of the reaction: 6-phospho-beta-D-glucoside-(1,4)-D-glucose + H2O = D-glucose 6-phosphate + glucose. [EC:3.2.1.86]' - }, - 'GO:0008707': { - 'name': '4-phytase activity', - 'def': 'Catalysis of the reaction: myo-inositol hexakisphosphate + H2O = 1-myo-inositol 1,2,3,4,5-pentakisphosphate + phosphate. [EC:3.1.3.26]' - }, - 'GO:0008709': { - 'name': 'cholate 7-alpha-dehydrogenase activity', - 'def': 'Catalysis of the reaction: cholate + NAD(+) = 3alpha,12alpha-dihydroxy-7-oxo-5beta-cholanate + H(+) + NADH. [EC:1.1.1.159, RHEA:19412]' - }, - 'GO:0008710': { - 'name': '8-amino-7-oxononanoate synthase activity', - 'def': 'Catalysis of the reaction: L-alanine + H(+) + pimelyl-CoA = 8-amino-7-oxononanoate + CO(2) + CoA. [EC:2.3.1.47, RHEA:20715]' - }, - 'GO:0008711': { - 'name': 'obsolete ADP-L-glycero-D-manno-heptose synthase activity', - 'def': 'OBSOLETE. [GOC:curators]' - }, - 'GO:0008712': { - 'name': 'ADP-glyceromanno-heptose 6-epimerase activity', - 'def': 'Catalysis of the reaction: ADP-D-glycero-D-manno-heptose = ADP-L-glycero-D-manno-heptose. [EC:5.1.3.20, RHEA:17580]' - }, - 'GO:0008713': { - 'name': 'ADP-heptose-lipopolysaccharide heptosyltransferase activity', - 'def': 'Catalysis of the reaction: heptosyl-KDO2-lipid A + ADP-L-glycero-beta-D-manno-heptose = heptosyl2-KDO2-lipid A + ADP + H+. [MetaCyc:RXN0-5061]' - }, - 'GO:0008714': { - 'name': 'AMP nucleosidase activity', - 'def': 'Catalysis of the reaction: AMP + H(2)O = D-ribose 5-phosphate + adenine. [EC:3.2.2.4, RHEA:20132]' - }, - 'GO:0008715': { - 'name': 'CDP-diacylglycerol diphosphatase activity', - 'def': 'Catalysis of the reaction: CDP-diacylglycerol + H(2)O = a phosphatidate + CMP + 2 H(+). [EC:3.6.1.26, RHEA:15224]' - }, - 'GO:0008716': { - 'name': 'D-alanine-D-alanine ligase activity', - 'def': 'Catalysis of the reaction: 2 D-alanine + ATP = D-alanyl-D-alanine + ADP + 2 H(+) + phosphate. [EC:6.3.2.4, RHEA:11227]' - }, - 'GO:0008717': { - 'name': 'obsolete D-alanyl-D-alanine endopeptidase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008718': { - 'name': 'D-amino-acid dehydrogenase activity', - 'def': 'Catalysis of the reaction: a D-amino acid + H2O + acceptor = a 2-oxo acid + NH3 + reduced acceptor. [EC:1.4.99.1]' - }, - 'GO:0008719': { - 'name': "dihydroneopterin triphosphate 2'-epimerase activity", - 'def': 'Catalysis of the reaction: dihydroneopterin triphosphate = dihydromonapterin-triphosphate. [MetaCyc:H2NTPEPIM-RXN]' - }, - 'GO:0008720': { - 'name': 'D-lactate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-lactate + NAD(+) = H(+) + NADH + pyruvate. [EC:1.1.1.28, RHEA:16372]' - }, - 'GO:0008721': { - 'name': 'D-serine ammonia-lyase activity', - 'def': 'Catalysis of the reaction: D-serine = pyruvate + NH3. [EC:4.3.1.18]' - }, - 'GO:0008724': { - 'name': 'obsolete DNA topoisomerase IV activity', - 'def': 'OBSOLETE. Catalysis of the ATP-independent breakage of DNA, followed by passage and rejoining. It also catalyzes the relaxation of supercoiled DNA, and the decatenation and unknotting of DNA in vivo. [EC:5.99.1.-, PMID:11274059]' - }, - 'GO:0008725': { - 'name': 'DNA-3-methyladenine glycosylase activity', - 'def': "Catalysis of the reaction: DNA containing 3-methyladenine + H2O = DNA with abasic site + 3-methyladenine. This reaction is the hydrolysis of DNA by cleavage of the N-C1' glycosidic bond between the damaged DNA 3-methyladenine and the deoxyribose sugar to remove the 3-methyladenine, leaving an abasic site. [EC:3.2.2.20, GOC:elh, PMID:10872450, PMID:9224623]" - }, - 'GO:0008726': { - 'name': 'alkanesulfonate monooxygenase activity', - 'def': 'Catalysis of the reaction: an alkanesulfonate + O2 + FMNH2 = an aldehyde + sulfite + H2O + FMN. [MetaCyc:RXN0-280]' - }, - 'GO:0008727': { - 'name': 'GDP-mannose mannosyl hydrolase activity', - 'def': 'Catalysis of the reaction: GDP-alpha-D-mannose + H2O = GDP + D-mannose + H+. [MetaCyc:GDPMANMANHYDRO-RXN]' - }, - 'GO:0008728': { - 'name': 'GTP diphosphokinase activity', - 'def': "Catalysis of the reaction: ATP + GTP = AMP + guanosine 3'-diphosphate 5'-triphosphate. [EC:2.7.6.5]" - }, - 'GO:0008730': { - 'name': 'L(+)-tartrate dehydratase activity', - 'def': 'Catalysis of the reaction: L-tartrate = H(2)O + oxaloacetate. [EC:4.2.1.32, RHEA:15416]' - }, - 'GO:0008732': { - 'name': 'L-allo-threonine aldolase activity', - 'def': 'Catalysis of the reaction: L-allo-threonine = glycine + acetaldehyde. [MetaCyc:LTAA-RXN, PMID:9228760]' - }, - 'GO:0008733': { - 'name': 'L-arabinose isomerase activity', - 'def': 'Catalysis of the reaction: L-arabinose = L-ribulose. [EC:5.3.1.4, RHEA:14824]' - }, - 'GO:0008734': { - 'name': 'L-aspartate oxidase activity', - 'def': 'Catalysis of the reaction: L-aspartate + O2 = iminosuccinate + hydrogen peroxide. [EC:1.4.3.16]' - }, - 'GO:0008735': { - 'name': 'carnitine dehydratase activity', - 'def': 'Catalysis of the reaction: (R)-carnitine = crotono-betaine + H(2)O. [EC:4.2.1.89, RHEA:14580]' - }, - 'GO:0008736': { - 'name': 'L-fucose isomerase activity', - 'def': 'Catalysis of the reaction: L-fucose = L-fuculose. [EC:5.3.1.25]' - }, - 'GO:0008737': { - 'name': 'L-fuculokinase activity', - 'def': 'Catalysis of the reaction: L-fuculose + ATP = L-fuculose 1-phosphate + ADP + 2 H(+). [EC:2.7.1.51, RHEA:12379]' - }, - 'GO:0008738': { - 'name': 'L-fuculose-phosphate aldolase activity', - 'def': 'Catalysis of the reaction: L-fuculose 1-phosphate = (S)-lactaldehyde + glycerone phosphate. [EC:4.1.2.17, RHEA:12936]' - }, - 'GO:0008740': { - 'name': 'L-rhamnose isomerase activity', - 'def': 'Catalysis of the reaction: L-rhamnose = L-rhamnulose. [EC:5.3.1.14, RHEA:23163]' - }, - 'GO:0008741': { - 'name': 'ribulokinase activity', - 'def': 'Catalysis of the reaction: ATP + L(or D)-ribulose = ADP + L(or D)-ribulose 5-phosphate. [EC:2.7.1.16]' - }, - 'GO:0008742': { - 'name': 'L-ribulose-phosphate 4-epimerase activity', - 'def': 'Catalysis of the reaction: L-ribulose 5-phosphate = D-xylulose 5-phosphate. [EC:5.1.3.4, RHEA:22371]' - }, - 'GO:0008743': { - 'name': 'L-threonine 3-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-threonine + NAD(+) = aminoacetone + CO(2) + NADH. [EC:1.1.1.103, RHEA:25657]' - }, - 'GO:0008744': { - 'name': 'L-xylulokinase activity', - 'def': 'Catalysis of the reaction: ATP + L-xylulose = ADP + L-xylulose 5-phosphate. [EC:2.7.1.53]' - }, - 'GO:0008745': { - 'name': 'N-acetylmuramoyl-L-alanine amidase activity', - 'def': 'Catalysis of the hydrolysis of the link between N-acetylmuramoyl residues and L-amino acid residues in certain bacterial cell-wall glycopeptides. [EC:3.5.1.28, PMID:22748813]' - }, - 'GO:0008746': { - 'name': 'NAD(P)+ transhydrogenase activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + NAD+ = NADP+ + NADH + H+. [EC:1.6.1.1, EC:1.6.1.2]' - }, - 'GO:0008747': { - 'name': 'N-acetylneuraminate lyase activity', - 'def': 'Catalysis of the reaction: N-acetylneuraminate = N-acetyl-D-mannosamine + pyruvate. [EC:4.1.3.3, RHEA:23299]' - }, - 'GO:0008748': { - 'name': 'N-ethylmaleimide reductase activity', - 'def': 'Catalysis of the reaction: N-ethylmaleimide + NADPH + 2 H+ = N-ethylsuccinimide + NADP+. [MetaCyc:RXN0-5101]' - }, - 'GO:0008750': { - 'name': 'NAD(P)+ transhydrogenase (AB-specific) activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + NAD+ = NADP+ + NADH + H+. The reaction is A-specific (i.e. the pro-R hydrogen is transferred from the 4-position of reduced nicotinamide cofactor) with respect to NAD+ and B-specific (i.e. the pro-S hydrogen is transferred) with respect to NADP+. [EC:1.6.1.2, http://pubs.acs.org/cgi-bin/abstract.cgi/jacsat/1991/113/i07/f-pdf/f_ja00007a002.pdf]' - }, - 'GO:0008751': { - 'name': 'obsolete NAD(P)H dehydrogenase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0008752': { - 'name': 'FMN reductase activity', - 'def': 'Catalysis of the reaction: FMNH2 + NAD(P)+ = FMN + NAD(P)H + H+. [EC:1.5.1.29]' - }, - 'GO:0008753': { - 'name': 'NADPH dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + a quinone = NADP+ + a quinol. [EC:1.6.5.10]' - }, - 'GO:0008754': { - 'name': 'O antigen ligase activity', - 'def': 'Catalysis of the reaction: Lipid A-core + colanic acid = MLPS. [MetaCyc:RXN0-5294]' - }, - 'GO:0008755': { - 'name': 'O antigen polymerase activity', - 'def': 'Catalysis of the polymerization of o-antigen chains. O-antigens are tetra- and pentasaccharide repeat units of the cell walls of Gram-negative bacteria and are a component of lipopolysaccharide. [GOC:jl, PMID:12045108]' - }, - 'GO:0008756': { - 'name': 'o-succinylbenzoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: 2-succinylbenzoate + ATP + CoA = 2-succinylbenzoyl-CoA + AMP + diphosphate. [EC:6.2.1.26]' - }, - 'GO:0008757': { - 'name': 'S-adenosylmethionine-dependent methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to a substrate. [GOC:mah]' - }, - 'GO:0008758': { - 'name': 'UDP-2,3-diacylglucosamine hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + UDP-2,3-bis(3-hydroxymyristoyl)glucosamine = 2,3-bis(3-hydroxymyristoyl)-beta-D-glucosaminyl 1-phosphate + UMP. [MetaCyc:LIPIDXSYNTHESIS-RXN, PMID:12000770]' - }, - 'GO:0008759': { - 'name': 'UDP-3-O-[3-hydroxymyristoyl] N-acetylglucosamine deacetylase activity', - 'def': 'Catalysis of the removal of an acetyl group from the 2-N position of glucosamine in the lipid A precursor UDP-3-O-(R-3-hydroxymyristoyl)-N-acetylglucosamine. [PMID:10026271]' - }, - 'GO:0008760': { - 'name': 'UDP-N-acetylglucosamine 1-carboxyvinyltransferase activity', - 'def': 'Catalysis of the reaction: phosphoenolpyruvate + UDP-N-acetyl-alpha-D-glucosamine = phosphate + UDP-N-acetyl-3-O-(1-carboxyvinyl)-D-glucosamine. [EC:2.5.1.7, RHEA:18684]' - }, - 'GO:0008761': { - 'name': 'UDP-N-acetylglucosamine 2-epimerase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine = UDP-N-acetyl-D-mannosamine. [EC:5.1.3.14]' - }, - 'GO:0008762': { - 'name': 'UDP-N-acetylmuramate dehydrogenase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetylmuramate + NADP+ = UDP-N-acetyl-3-O-(1-carboxyvinyl)-D-glucosamine + NADPH + H+. [EC:1.1.1.158]' - }, - 'GO:0008763': { - 'name': 'UDP-N-acetylmuramate-L-alanine ligase activity', - 'def': 'Catalysis of the reaction: L-alanine + ATP + UDP-N-acetylmuramate = ADP + 2 H(+) + phosphate + UDP-N-acetylmuramoyl-L-alanine. [EC:6.3.2.8, RHEA:23375]' - }, - 'GO:0008764': { - 'name': 'UDP-N-acetylmuramoylalanine-D-glutamate ligase activity', - 'def': 'Catalysis of the reaction: D-glutamate + ATP + UDP-N-acetylmuramoyl-L-alanine = ADP + 2 H(+) + phosphate + UDP-N-acetylmuramoyl-L-alanyl-D-glutamate. [EC:6.3.2.9, RHEA:16432]' - }, - 'GO:0008765': { - 'name': 'UDP-N-acetylmuramoylalanyl-D-glutamate-2,6-diaminopimelate ligase activity', - 'def': 'Catalysis of the reaction: meso-2,6-diaminopimelate + ATP + UDP-N-acetylmuramoyl-L-alanyl-D-glutamate = ADP + 2 H(+) + phosphate + UDP-N-acetylmuramoyl-L-alanyl-D-gamma-glutamyl-meso-2,6-diaminoheptanedioate. [EC:6.3.2.13, RHEA:23679]' - }, - 'GO:0008766': { - 'name': 'UDP-N-acetylmuramoylalanyl-D-glutamyl-2,6-diaminopimelate-D-alanyl-D-alanine ligase activity', - 'def': 'Catalysis of the reaction: ATP + UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-meso-2,6-diaminoheptanedioate + D-alanyl-D-alanine = ADP + phosphate + UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-6-carboxy-L-lysyl-D-alanyl-D-alanine. [EC:6.3.2.15]' - }, - 'GO:0008767': { - 'name': 'UDP-galactopyranose mutase activity', - 'def': 'Catalysis of the reaction: UDP-D-galactopyranose = UDP-D-galacto-1,4-furanose. [EC:5.4.99.9]' - }, - 'GO:0008768': { - 'name': 'UDP-sugar diphosphatase activity', - 'def': 'Catalysis of the reaction: UDP-sugar + H2O = UMP + sugar 1-phosphate. [EC:3.6.1.45]' - }, - 'GO:0008769': { - 'name': 'obsolete X-His dipeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of Xaa-His dipeptides. [EC:3.4.13.3]' - }, - 'GO:0008770': { - 'name': '[acyl-carrier-protein] phosphodiesterase activity', - 'def': "Catalysis of the reaction: [acyl-carrier protein] + H2O = 4'-phosphopantetheine + apoprotein. [EC:3.1.4.14]" - }, - 'GO:0008771': { - 'name': '[citrate (pro-3S)-lyase] ligase activity', - 'def': 'Catalysis of the reaction: ATP + acetate + (citrate (pro-3S)-lyase) (thiol form) = AMP + diphosphate + (citrate (pro-3S)-lyase) (acetyl form). [EC:6.2.1.22]' - }, - 'GO:0008772': { - 'name': '[isocitrate dehydrogenase (NADP+)] kinase activity', - 'def': 'Catalysis of the reaction: ATP + (isocitrate dehydrogenase (NADP)) = ADP + (isocitrate dehydrogenase (NADP)) phosphate. [EC:2.7.11.5]' - }, - 'GO:0008773': { - 'name': '[protein-PII] uridylyltransferase activity', - 'def': 'Catalysis of the reaction: UTP + (protein-PII) = diphosphate + uridylyl-(protein-PII). [EC:2.7.7.59]' - }, - 'GO:0008774': { - 'name': 'acetaldehyde dehydrogenase (acetylating) activity', - 'def': 'Catalysis of the reaction: acetaldehyde + CoA + NAD+ = acetyl-CoA + NADH + H+. [EC:1.2.1.10]' - }, - 'GO:0008775': { - 'name': 'acetate CoA-transferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + acetate = a fatty acid anion + acetyl-CoA. [EC:2.8.3.8]' - }, - 'GO:0008776': { - 'name': 'acetate kinase activity', - 'def': 'Catalysis of the reaction: ATP + acetate = ADP + acetyl phosphate. [EC:2.7.2.1]' - }, - 'GO:0008777': { - 'name': 'acetylornithine deacetylase activity', - 'def': 'Catalysis of the reaction: N2-acetyl-L-ornithine + H2O = acetate + L-ornithine. [EC:3.5.1.16]' - }, - 'GO:0008779': { - 'name': 'acyl-[acyl-carrier-protein]-phospholipid O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-[acyl-carrier protein] + O-(2-acyl-sn-glycero-3-phospho)ethanolamine = [acyl-carrier protein] + O-(1-beta-acyl-2-acyl-sn-glycero-3-phospho)ethanolamine. [EC:2.3.1.40]' - }, - 'GO:0008780': { - 'name': 'acyl-[acyl-carrier-protein]-UDP-N-acetylglucosamine O-acyltransferase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxytetradecanoyl-[acyl-carrier protein] + UDP-N-acetylglucosamine = [acyl-carrier protein] + UDP-3-O-(3-hydroxytetradecanoyl)-N-acetylglucosamine. [EC:2.3.1.129]' - }, - 'GO:0008781': { - 'name': 'N-acylneuraminate cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: CTP + N-acylneuraminate = diphosphate + CMP-N-acylneuraminate. [EC:2.7.7.43]' - }, - 'GO:0008782': { - 'name': 'adenosylhomocysteine nucleosidase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-homocysteine + H2O = adenine + S-D-ribosyl-L-homocysteine. [EC:3.2.2.9]' - }, - 'GO:0008783': { - 'name': 'agmatinase activity', - 'def': 'Catalysis of the reaction: agmatine + H(2)O = putrescine + urea. [EC:3.5.3.11, RHEA:13932]' - }, - 'GO:0008784': { - 'name': 'alanine racemase activity', - 'def': 'Catalysis of the reaction: L-alanine = D-alanine. [EC:5.1.1.1, RHEA:20252]' - }, - 'GO:0008785': { - 'name': 'alkyl hydroperoxide reductase activity', - 'def': 'Catalysis of the reaction: octane hydroperoxide + NADH + H+ = H2O + NAD+ + 1-octanol. [UM-BBD_reactionID:r0684]' - }, - 'GO:0008786': { - 'name': 'allose 6-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-allose-6-phosphate = D-allulose-6-phosphate. [MetaCyc:RXN0-303]' - }, - 'GO:0008787': { - 'name': 'allose kinase activity', - 'def': 'Catalysis of the reaction: ATP + D-allose = ADP + D-allose 6-phosphate. [EC:2.7.1.55]' - }, - 'GO:0008788': { - 'name': 'alpha,alpha-phosphotrehalase activity', - 'def': 'Catalysis of the reaction: alpha,alpha-trehalose 6-phosphate + H2O = D-glucose + D-glucose 6-phosphate. [EC:3.2.1.93]' - }, - 'GO:0008789': { - 'name': 'altronate dehydratase activity', - 'def': 'Catalysis of the reaction: D-altronate = 2-dehydro-3-deoxy-D-gluconate + H(2)O. [EC:4.2.1.7, RHEA:15960]' - }, - 'GO:0008790': { - 'name': 'arabinose isomerase activity', - 'def': 'Catalysis of the reaction: D-arabinose = D-ribulose. [EC:5.3.1.3]' - }, - 'GO:0008791': { - 'name': 'arginine N-succinyltransferase activity', - 'def': 'Catalysis of the reaction: succinyl-CoA + L-arginine = CoA + N2-succinyl-L-arginine. [EC:2.3.1.109]' - }, - 'GO:0008792': { - 'name': 'arginine decarboxylase activity', - 'def': 'Catalysis of the reaction: L-arginine + H(+) = agmatine + CO(2). [EC:4.1.1.19, RHEA:17644]' - }, - 'GO:0008793': { - 'name': 'aromatic-amino-acid:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: an aromatic amino acid + 2-oxoglutarate = an aromatic oxo acid + L-glutamate. [EC:2.6.1.57]' - }, - 'GO:0008794': { - 'name': 'arsenate reductase (glutaredoxin) activity', - 'def': 'Catalysis of the reaction: arsenate + reduced glutaredoxin = arsenite + oxidized glutaredoxin. Glutaredoxin functions as the electron donor for arsenate reduction. The electron flow therefore is ( NADPH -> glutathione reductase (EC:1.6.4.2) -> ) glutathione -> glutaredoxin -> arsenate reductase, i.e. glutathione is reduced by glutathione reductase and glutaredoxin is reduced by glutathione. [EC:1.20.4.1, GOC:kd, PMID:10593884]' - }, - 'GO:0008795': { - 'name': 'NAD+ synthase activity', - 'def': 'Catalysis of the reaction: ATP + deamido-NAD+ + NH3 = AMP + diphosphate + NAD+. [EC:6.3.1.5]' - }, - 'GO:0008796': { - 'name': "bis(5'-nucleosyl)-tetraphosphatase activity", - 'def': "Catalysis of the hydrolysis of P(1),P(4)-bis(5'-nucleosyl)tetraphosphate into two nucleotides. [GOC:ai]" - }, - 'GO:0008797': { - 'name': 'aspartate ammonia-lyase activity', - 'def': 'Catalysis of the reaction: L-aspartate = fumarate + NH3. [EC:4.3.1.1]' - }, - 'GO:0008798': { - 'name': 'beta-aspartyl-peptidase activity', - 'def': 'Catalysis of the cleavage of a beta-linked aspartic residue from the N-terminus of a polypeptide. [EC:3.4.19.5]' - }, - 'GO:0008800': { - 'name': 'beta-lactamase activity', - 'def': 'Catalysis of the reaction: a beta-lactam + H2O = a substituted beta-amino acid. [EC:3.5.2.6]' - }, - 'GO:0008801': { - 'name': 'beta-phosphoglucomutase activity', - 'def': 'Catalysis of the reaction: beta-D-glucose 1-phosphate = beta-D-glucose 6-phosphate. [EC:5.4.2.6, RHEA:20116]' - }, - 'GO:0008802': { - 'name': 'betaine-aldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: betaine aldehyde + NAD+ + H2O = betaine + NADH + H+. [EC:1.2.1.8]' - }, - 'GO:0008803': { - 'name': "bis(5'-nucleosyl)-tetraphosphatase (symmetrical) activity", - 'def': "Catalysis of the reaction: P(1),P(4)-bis(5'-adenosyl) tetraphosphate + H(2)O = 2 ADP + 2 H(+). [EC:3.6.1.41, RHEA:24255]" - }, - 'GO:0008804': { - 'name': 'carbamate kinase activity', - 'def': 'Catalysis of the reaction: ATP + NH3 + CO2 = ADP + carbamoyl phosphate. [EC:2.7.2.2]' - }, - 'GO:0008805': { - 'name': 'carbon-monoxide oxygenase activity', - 'def': 'Catalysis of the reaction: CO + H2O + ferrocytochrome b-561 = CO2 + 2 H+ + 2 ferricytochrome b-561. [EC:1.2.2.4]' - }, - 'GO:0008806': { - 'name': 'carboxymethylenebutenolidase activity', - 'def': 'Catalysis of the reaction: 4-carboxymethylenebut-2-en-4-olide + H2O = 4 oxohex-2-enedioate. [EC:3.1.1.45]' - }, - 'GO:0008807': { - 'name': 'carboxyvinyl-carboxyphosphonate phosphorylmutase activity', - 'def': 'Catalysis of the reaction: 1-carboxyvinyl carboxyphosphonate = 3-(hydrohydroxyphosphoryl)pyruvate + CO2. [EC:2.7.8.23]' - }, - 'GO:0008808': { - 'name': 'cardiolipin synthase activity', - 'def': 'Catalysis of the reaction: phosphatidylglycerol + phosphatidylglycerol = diphosphatidylglycerol (cardiolipin) + glycerol. [GOC:jl]' - }, - 'GO:0008809': { - 'name': 'carnitine racemase activity', - 'def': 'Catalysis of the reaction: D-carnitine = L-carnitine. [MetaCyc:CARNRACE-RXN]' - }, - 'GO:0008810': { - 'name': 'cellulase activity', - 'def': 'Catalysis of the endohydrolysis of (1->4)-beta-D-glucosidic linkages in cellulose, lichenin and cereal beta-D-glucans. [EC:3.2.1.4]' - }, - 'GO:0008811': { - 'name': 'chloramphenicol O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: chloramphenicol + acetyl-CoA = chloramphenicol 3-acetate + CoA. [EC:2.3.1.28, RHEA:18424]' - }, - 'GO:0008812': { - 'name': 'choline dehydrogenase activity', - 'def': 'Catalysis of the reaction: A + choline = AH(2) + betaine aldehyde. [EC:1.1.99.1, RHEA:17436]' - }, - 'GO:0008813': { - 'name': 'chorismate lyase activity', - 'def': 'Catalysis of the reaction: chorismate = 4-hydroxybenzoate + pyruvate. [EC:4.1.3.40, RHEA:16508]' - }, - 'GO:0008814': { - 'name': 'citrate CoA-transferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + citrate = acetate + (3S)-citryl-CoA. [EC:2.8.3.10]' - }, - 'GO:0008815': { - 'name': 'citrate (pro-3S)-lyase activity', - 'def': 'Catalysis of the reaction: citrate = acetate + oxaloacetate. [EC:4.1.3.6, RHEA:10763]' - }, - 'GO:0008816': { - 'name': 'citryl-CoA lyase activity', - 'def': 'Catalysis of the reaction: (3S)-citryl-CoA = acetyl-CoA + oxaloacetate. [EC:4.1.3.34]' - }, - 'GO:0008817': { - 'name': 'cob(I)yrinic acid a,c-diamide adenosyltransferase activity', - 'def': 'Catalysis of the reaction: ATP + cob(I)alamin + H2O = phosphate + diphosphate + adenosylcobalamin. [EC:2.5.1.17]' - }, - 'GO:0008818': { - 'name': "cobalamin 5'-phosphate synthase activity", - 'def': "Catalysis of the reaction: adenosylcobinamide-GDP + alpha-ribazole-5'-phosphate = adenosylcobalamin-5'-phosphate + GMP. [MetaCyc:COBALAMIN5PSYN-RXN]" - }, - 'GO:0008819': { - 'name': 'cobinamide kinase activity', - 'def': 'Catalysis of the reaction: cobinamide + ATP = cobinamide phosphate + ADP. This reaction is the phosphorylation of the hydroxyl group of the 1-amino-2-propanol residue of cobinamide, in the presence of ATP, to form cobinamide phosphate. [http://www.mblab.gla.ac.uk/, PMID:1655696]' - }, - 'GO:0008820': { - 'name': 'cobinamide phosphate guanylyltransferase activity', - 'def': 'Catalysis of the reaction: adenosylcobinamide phosphate + GTP + 2 H(+) = adenosylcobinamide-GDP + diphosphate. [EC:2.7.7.62, RHEA:22715]' - }, - 'GO:0008821': { - 'name': 'crossover junction endodeoxyribonuclease activity', - 'def': 'Catalysis of the endonucleolytic cleavage at a junction such as a reciprocal single-stranded crossover between two homologous DNA duplexes (Holliday junction). [EC:3.1.22.4]' - }, - 'GO:0008822': { - 'name': 'obsolete crotonobetaine/carnitine-CoA ligase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008823': { - 'name': 'cupric reductase activity', - 'def': 'Catalysis of the reaction: Cu+ + NAD+ + H+ = Cu2+ + NADH. [PMID:10510271]' - }, - 'GO:0008824': { - 'name': 'cyanate hydratase activity', - 'def': 'Catalysis of the reaction: cyanate + H2O = carbamate. [EC:4.2.1.104]' - }, - 'GO:0008825': { - 'name': 'cyclopropane-fatty-acyl-phospholipid synthase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + phospholipid olefinic fatty acid = S-adenosyl-L-homocysteine + phospholipid cyclopropane fatty acid. [EC:2.1.1.79]' - }, - 'GO:0008826': { - 'name': 'cysteine sulfinate desulfinase activity', - 'def': 'Catalysis of the reaction: 3-sulfinoalanine = L-alanine + sulfite. [MetaCyc:RXN0-279]' - }, - 'GO:0008827': { - 'name': 'cytochrome o ubiquinol oxidase activity', - 'def': 'Catalysis of the reaction: ubiquinol + O2 = ubiquinone + 2 H2O; cytochrome O is the electron acceptor. [GOC:mah, MetaCyc:CYT-UBIQUINOL-OXID-RXN]' - }, - 'GO:0008828': { - 'name': 'dATP pyrophosphohydrolase activity', - 'def': 'Catalysis of the reaction: deoxy-ATP + H2O = dAMP + diphosphate. [MetaCyc:RXN0-384]' - }, - 'GO:0008829': { - 'name': 'dCTP deaminase activity', - 'def': 'Catalysis of the reaction: dCTP + H2O = dUTP + NH3. [EC:3.5.4.13]' - }, - 'GO:0008830': { - 'name': 'dTDP-4-dehydrorhamnose 3,5-epimerase activity', - 'def': 'Catalysis of the reaction: dTDP-4-dehydro-6-deoxy-alpha-D-glucose = dTDP-4-dehydro-6-deoxy-L-mannose. [EC:5.1.3.13, RHEA:16972]' - }, - 'GO:0008831': { - 'name': 'dTDP-4-dehydrorhamnose reductase activity', - 'def': 'Catalysis of the reaction: dTDP-6-deoxy-L-mannose + NADP(+) = dTDP-4-dehydro-6-deoxy-L-mannose + H(+) + NADPH. [EC:1.1.1.133, RHEA:21799]' - }, - 'GO:0008832': { - 'name': 'dGTPase activity', - 'def': "Catalysis of the reaction: dGTP + H(2)O = 2'-deoxyguanosine + 2 H(+) + triphosphate. [EC:3.1.5.1, RHEA:15196]" - }, - 'GO:0008833': { - 'name': 'deoxyribonuclease IV (phage-T4-induced) activity', - 'def': "Catalysis of the endonucleolytic cleavage to 5'-phosphooligonucleotide end-products. [EC:3.1.21.2]" - }, - 'GO:0008834': { - 'name': 'di-trans,poly-cis-decaprenylcistransferase activity', - 'def': 'Catalysis of the reaction: di-trans-poly-cis-decaprenyl diphosphate + isopentenyl diphosphate = diphosphate + di-trans-poly-cis-undecaprenyl diphosphate. [EC:2.5.1.31]' - }, - 'GO:0008835': { - 'name': 'diaminohydroxyphosphoribosylaminopyrimidine deaminase activity', - 'def': 'Catalysis of the reaction: 2,5-diamino-6-hydroxy-4-(5-phosphoribosylamino)-pyrimidine + H(2)O + H(+) = 5-amino-6-(5-phosphoribosylamino)uracil + NH(4)(+). [EC:3.5.4.26, RHEA:21871]' - }, - 'GO:0008836': { - 'name': 'diaminopimelate decarboxylase activity', - 'def': 'Catalysis of the reaction: meso-2,6-diaminopimelate + H(+) = L-lysine + CO(2). [EC:4.1.1.20, RHEA:15104]' - }, - 'GO:0008837': { - 'name': 'diaminopimelate epimerase activity', - 'def': 'Catalysis of the reaction: LL-2,6-diaminopimelate = meso-2,6-diaminopimelate. [EC:5.1.1.7, RHEA:15396]' - }, - 'GO:0008838': { - 'name': 'diaminopropionate ammonia-lyase activity', - 'def': 'Catalysis of the reaction: 2,3-diaminopropionate + H2O = pyruvate + 2 NH3. [EC:4.3.1.15]' - }, - 'GO:0008839': { - 'name': '4-hydroxy-tetrahydrodipicolinate reductase', - 'def': 'Catalysis of the reaction: (S)-2,3,4,5-tetrahydropyridine-2,6-dicarboxylate + NAD(P)+ + H2O = (2S,4S)-4-hydroxy-2,3,4,5-tetrahydrodipicolinate + NAD(P)H + H+. [EC:1.17.1.8]' - }, - 'GO:0008840': { - 'name': '4-hydroxy-tetrahydrodipicolinate synthase', - 'def': 'Catalysis of the reaction: pyruvate + L-aspartate-4-semialdehyde = (2S,4S)-4-hydroxy-2,3,4,5-tetrahydrodipicolinate + H2O. [EC:4.3.3.7, RHEA:14848]' - }, - 'GO:0008841': { - 'name': 'dihydrofolate synthase activity', - 'def': 'Catalysis of the reaction: ATP + dihydropterate + L-glutamate = ADP + phosphate + dihydrofolate. [EC:6.3.2.12]' - }, - 'GO:0008842': { - 'name': 'diphosphate-purine nucleoside kinase activity', - 'def': 'Catalysis of the reaction: diphosphate + a purine nucleoside = monophosphate + a purine mononucleotide. [EC:2.7.1.143]' - }, - 'GO:0008843': { - 'name': 'endochitinase activity', - 'def': 'Catalysis of the hydrolysis of nonterminal (1->4)-beta linkages of N-acetyl-D-glucosamine (GlcNAc) polymers of chitin and chitodextrins. Typically, endochitinases cleave randomly within the chitin chain. [EC:3.2.1.-, GOC:bf, GOC:kah, GOC:pde, PMID:11468293]' - }, - 'GO:0008845': { - 'name': 'obsolete endonuclease VIII activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [PMID:12713806]' - }, - 'GO:0008846': { - 'name': 'obsolete endopeptidase La activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of large proteins such as globin, casein and denatured serum albumin, in presence of ATP. [EC:3.4.21.53]' - }, - 'GO:0008847': { - 'name': 'Enterobacter ribonuclease activity', - 'def': "Catalysis of the endonucleolytic cleavage to 3'-phosphomononucleotides and 3'-phosphooligonucleotides with 2',3'-cyclic phosphate intermediates. [EC:3.1.27.6]" - }, - 'GO:0008848': { - 'name': 'obsolete enterobactin synthetase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0008849': { - 'name': 'enterochelin esterase activity', - 'def': 'Catalysis of the reaction: enterobactin + 3 H2O = 3 N-23-dihydroxybenzoyl-L-serine + 3 H+. [MetaCyc:RXN0-1661, PMID:4565531]' - }, - 'GO:0008851': { - 'name': 'ethanolamine ammonia-lyase activity', - 'def': 'Catalysis of the reaction: ethanolamine = acetaldehyde + NH3. [EC:4.3.1.7]' - }, - 'GO:0008852': { - 'name': 'exodeoxyribonuclease I activity', - 'def': "Catalysis of the degradation of single-stranded DNA. It acts progressively in a 3' to 5' direction, releasing 5'-phosphomononucleotides. [EC:3.1.11.1]" - }, - 'GO:0008853': { - 'name': 'exodeoxyribonuclease III activity', - 'def': "Catalysis of the degradation of double-stranded DNA. It acts progressively in a 3' to 5' direction, releasing 5'-phosphomononucleotides. [EC:3.1.11.2]" - }, - 'GO:0008854': { - 'name': 'exodeoxyribonuclease V activity', - 'def': "Catalysis of the exonucleolytic cleavage (in the presence of ATP) in either 5' to 3' or 3' to 5' direction to yield 5'-phosphooligonucleotides. [EC:3.1.11.5]" - }, - 'GO:0008855': { - 'name': 'exodeoxyribonuclease VII activity', - 'def': "Catalysis of the exonucleolytic cleavage in either 5' to 3' or 3' to 5' direction to yield 5'-phosphomononucleotides. [EC:3.1.11.6]" - }, - 'GO:0008856': { - 'name': 'exodeoxyribonuclease X activity', - 'def': 'Catalysis of the endonucleolytic cleavage of supercoiled plasma DNA to linear DNA duplexes. [EC:3.1.22.5]' - }, - 'GO:0008859': { - 'name': 'exoribonuclease II activity', - 'def': "Catalysis of the reaction: RNA + H2O = 5'-phosphomononucleotides. Cleaves RNA in the 3' to 5' direction. [EC:3.1.13.1, ISBN:0198547684]" - }, - 'GO:0008860': { - 'name': 'ferredoxin-NAD+ reductase activity', - 'def': 'Catalysis of the reaction: reduced ferredoxin + NAD+ = oxidized ferredoxin + NADH + H+. [EC:1.18.1.3]' - }, - 'GO:0008861': { - 'name': 'formate C-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + formate = CoA + pyruvate. [EC:2.3.1.54]' - }, - 'GO:0008863': { - 'name': 'formate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: formate + NAD(+) = CO(2) + NADH. [EC:1.2.1.2, RHEA:15988]' - }, - 'GO:0008864': { - 'name': 'formyltetrahydrofolate deformylase activity', - 'def': 'Catalysis of the reaction: 10-formyltetrahydrofolate + H(2)O = (6S)-5,6,7,8-tetrahydrofolate + formate + H(+). [EC:3.5.1.10, RHEA:19836]' - }, - 'GO:0008865': { - 'name': 'fructokinase activity', - 'def': 'Catalysis of the reaction: ATP + D-fructose = ADP + D-fructose 6-phosphate. [EC:2.7.1.4]' - }, - 'GO:0008866': { - 'name': 'fructuronate reductase activity', - 'def': 'Catalysis of the reaction: D-mannonate + NAD(+) = D-fructuronate + H(+) + NADH. [EC:1.1.1.57, RHEA:15732]' - }, - 'GO:0008867': { - 'name': 'galactarate dehydratase activity', - 'def': 'Catalysis of the reaction: galactarate = 5-dehydro-4-deoxy-D-glucarate + H(2)O. [EC:4.2.1.42, RHEA:16008]' - }, - 'GO:0008868': { - 'name': 'galactitol-1-phosphate 5-dehydrogenase activity', - 'def': 'Catalysis of the reaction: galactitol-1-phosphate + NAD+ = L-tagatose 6-phosphate + NADH + H+. [EC:1.1.1.251]' - }, - 'GO:0008869': { - 'name': 'galactonate dehydratase activity', - 'def': 'Catalysis of the reaction: D-galactonate = 2-dehydro-3-deoxy-D-galactonate + H(2)O. [EC:4.2.1.6, RHEA:18652]' - }, - 'GO:0008870': { - 'name': 'galactoside O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + a beta-D-galactoside = CoA + a 6-acetyl-beta-D-galactoside. [EC:2.3.1.18]' - }, - 'GO:0008871': { - 'name': "aminoglycoside 2''-nucleotidyltransferase activity", - 'def': "Catalysis of the reaction: nucleoside triphosphate + aminoglycoside = diphosphate + 2''-nucleotidylaminoglycoside. [EC:2.7.7.46, GOC:cb]" - }, - 'GO:0008872': { - 'name': 'glucarate dehydratase activity', - 'def': 'Catalysis of the reaction: D-glucarate = 5-dehydro-4-deoxy-D-glucarate + H2O. [EC:4.2.1.40]' - }, - 'GO:0008873': { - 'name': 'gluconate 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-gluconate + NADP+ = 2-dehydro-D-gluconate + NADPH + H+. [EC:1.1.1.215]' - }, - 'GO:0008874': { - 'name': 'gluconate 5-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-gluconate + NADP+ = 5-dehydro-D-gluconate + NADPH + H+. [EC:1.1.1.69]' - }, - 'GO:0008875': { - 'name': 'gluconate dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-gluconate + NADP+ = dehydro-D-gluconate + NADPH + H+. [EC:1.1.1.215, EC:1.1.1.69]' - }, - 'GO:0008876': { - 'name': 'quinoprotein glucose dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-glucose + ubiquinone = D-glucono-1,5-lactone + ubiquinol. [EC:1.1.5.2]' - }, - 'GO:0008877': { - 'name': 'glucose-1-phosphatase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 1-phosphate + H2O = D-glucose + phosphate. [EC:3.1.3.10]' - }, - 'GO:0008878': { - 'name': 'glucose-1-phosphate adenylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 1-phosphate + ATP = ADP-glucose + diphosphate. [EC:2.7.7.27, RHEA:12123]' - }, - 'GO:0008879': { - 'name': 'glucose-1-phosphate thymidylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 1-phosphate + dTTP = diphosphate + dTDP-glucose. [EC:2.7.7.24, RHEA:15228]' - }, - 'GO:0008880': { - 'name': 'glucuronate isomerase activity', - 'def': 'Catalysis of the reaction: D-glucuronate = D-fructuronate. [EC:5.3.1.12]' - }, - 'GO:0008881': { - 'name': 'glutamate racemase activity', - 'def': 'Catalysis of the reaction: L-glutamate = D-glutamate. [EC:5.1.1.3, RHEA:12816]' - }, - 'GO:0008882': { - 'name': '[glutamate-ammonia-ligase] adenylyltransferase activity', - 'def': 'Catalysis of the reaction: ATP + [L-glutamate:ammonia ligase (ADP-forming)] = diphosphate + adenylyl-[L-glutamate:ammonia ligase (ADP-forming)]. [EC:2.7.7.42]' - }, - 'GO:0008883': { - 'name': 'glutamyl-tRNA reductase activity', - 'def': 'Catalysis of the reaction: (S)-4-amino-5-oxopentanoate + NADP(+) + tRNA(Glu) = L-glutamyl-tRNA(Glu) + H(+) + NADPH. [EC:1.2.1.70, RHEA:12347]' - }, - 'GO:0008884': { - 'name': 'glutathionylspermidine amidase activity', - 'def': 'Catalysis of the reaction: N1-(gamma-L-glutamyl-L-cysteinyl-glycyl)-spermidine + H2O = gamma-L-glutamyl-L-cysteinyl-glycine + spermidine. [EC:3.5.1.78]' - }, - 'GO:0008885': { - 'name': 'glutathionylspermidine synthase activity', - 'def': 'Catalysis of the reaction: gamma-L-glutamyl-L-cysteinyl-glycine + spermidine + ATP = N1-(gamma-L-glutamyl-L-cysteinyl-glycyl)-spermidine + ADP + phosphate. [EC:6.3.1.8]' - }, - 'GO:0008886': { - 'name': 'glyceraldehyde-3-phosphate dehydrogenase (NADP+) (non-phosphorylating) activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde 3-phosphate + H(2)O + NADP(+) = 3-phospho-D-glycerate + 2 H(+) + NADPH. [EC:1.2.1.9, RHEA:14672]' - }, - 'GO:0008887': { - 'name': 'glycerate kinase activity', - 'def': 'Catalysis of the reaction: D-glycerate + ATP = 3-phospho-D-glycerate + ADP + 2 H(+). [EC:2.7.1.31, RHEA:23519]' - }, - 'GO:0008888': { - 'name': 'glycerol dehydrogenase [NAD+] activity', - 'def': 'Catalysis of the reaction: glycerol + NAD(+) = glycerone + H(+) + NADH. [EC:1.1.1.6, RHEA:13772]' - }, - 'GO:0008889': { - 'name': 'glycerophosphodiester phosphodiesterase activity', - 'def': 'Catalysis of the reaction: a glycerophosphodiester + H2O = an alcohol + sn-glycerol 3-phosphate. [EC:3.1.4.46]' - }, - 'GO:0008890': { - 'name': 'glycine C-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + glycine = L-2-amino-3-oxobutanoate + CoA + H(+). [EC:2.3.1.29, RHEA:20739]' - }, - 'GO:0008891': { - 'name': 'glycolate oxidase activity', - 'def': 'Catalysis of the reaction: glycolate + O2 = glyoxylate + hydrogen peroxide. [EC:1.1.3.15]' - }, - 'GO:0008892': { - 'name': 'guanine deaminase activity', - 'def': 'Catalysis of the reaction: guanine + H2O = xanthine + NH3. [EC:3.5.4.3]' - }, - 'GO:0008893': { - 'name': "guanosine-3',5'-bis(diphosphate) 3'-diphosphatase activity", - 'def': "Catalysis of the reaction: guanosine 3',5'-bis(diphosphate) + H2O = guanosine 5'-diphosphate + diphosphate. [EC:3.1.7.2]" - }, - 'GO:0008894': { - 'name': "guanosine-5'-triphosphate,3'-diphosphate diphosphatase activity", - 'def': "Catalysis of the reaction: guanosine 5'-triphosphate,3'-diphosphate + H2O = guanosine 5'-diphosphate,3'-diphosphate + phosphate. [EC:3.6.1.40]" - }, - 'GO:0008897': { - 'name': 'holo-[acyl-carrier-protein] synthase activity', - 'def': "Catalysis of the reaction: CoA + substrate-serine = adenosine 3',5'-bisphosphate + substrate-serine-4'-phosphopantetheine. The transfer of the 4'-phosphopantetheine (Ppant) co-factor from coenzyme A to the hydroxyl side chain of the serine residue of acyl- or peptidyl-carrier protein (ACP or PCP) to convert them from the apo to the holo form. [EC:2.7.8.7, PMID:10320345, PMID:11867633, PMID:8939709]" - }, - 'GO:0008898': { - 'name': 'S-adenosylmethionine-homocysteine S-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + L-homocysteine = S-adenosyl-L-homocysteine + L-methionine. [EC:2.1.1.10, GOC:BHF, GOC:dph]' - }, - 'GO:0008899': { - 'name': 'homoserine O-succinyltransferase activity', - 'def': 'Catalysis of the reaction: L-homoserine + succinyl-CoA = O-succinyl-L-homoserine + CoA. [EC:2.3.1.46, RHEA:22011]' - }, - 'GO:0008900': { - 'name': 'hydrogen:potassium-exchanging ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + H+(in) + K+(out) = ADP + phosphate + H+(out) + K+(in). [EC:3.6.3.10]' - }, - 'GO:0008901': { - 'name': 'ferredoxin hydrogenase activity', - 'def': 'Catalysis of the reaction: 2 reduced ferredoxin + 2 H+ = 2 oxidized ferredoxin + H2. [EC:1.12.7.2]' - }, - 'GO:0008902': { - 'name': 'hydroxymethylpyrimidine kinase activity', - 'def': 'Catalysis of the reaction: 4-amino-5-hydroxymethyl-2-methylpyrimidine + ATP = 4-amino-2-methyl-5-phosphomethylpyrimidine + ADP + 2 H(+). [EC:2.7.1.49, RHEA:23099]' - }, - 'GO:0008903': { - 'name': 'hydroxypyruvate isomerase activity', - 'def': 'Catalysis of the reaction: 3-hydroxypyruvate = 2-hydroxy-3-oxopropanoate. [EC:5.3.1.22, RHEA:11955]' - }, - 'GO:0008904': { - 'name': "hygromycin-B 7''-O-phosphotransferase activity", - 'def': "Catalysis of the reaction: ATP + hygromycin B = 7''-O-phosphohygromycin B + ADP + 2 H(+). [EC:2.7.1.119, RHEA:23391]" - }, - 'GO:0008905': { - 'name': 'mannose-phosphate guanylyltransferase activity', - 'def': 'Catalysis of the transfer of a phosphate group from GTP or GDP to a mannose molecule. [GOC:mah]' - }, - 'GO:0008906': { - 'name': 'inosine kinase activity', - 'def': 'Catalysis of the reaction: ATP + inosine = ADP + IMP. [EC:2.7.1.73]' - }, - 'GO:0008907': { - 'name': 'integrase activity', - 'def': 'Catalysis of the integration of one segment of DNA into another. [GOC:mah]' - }, - 'GO:0008908': { - 'name': 'isochorismatase activity', - 'def': 'Catalysis of the reaction: H(2)O + isochorismate = 2,3-dihydroxy-2,3-dihydrobenzoate + pyruvate. [EC:3.3.2.1, RHEA:11115]' - }, - 'GO:0008909': { - 'name': 'isochorismate synthase activity', - 'def': 'Catalysis of the reaction: chorismate = isochorismate. [EC:5.4.4.2, RHEA:18988]' - }, - 'GO:0008910': { - 'name': 'kanamycin kinase activity', - 'def': "Catalysis of the reaction: ATP + kanamycin = ADP + 2 H(+) + kanamycin 3'-phosphate. [EC:2.7.1.95, RHEA:24259]" - }, - 'GO:0008911': { - 'name': 'lactaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-lactaldehyde + NAD+ + H2O = (S)-lactate + NADH + H+. [EC:1.2.1.22]' - }, - 'GO:0008912': { - 'name': 'lactaldehyde reductase activity', - 'def': 'Catalysis of the reaction: propane-1,2-diol + NAD+ = lactaldehyde + NADH + H+. [EC:1.1.1.77]' - }, - 'GO:0008913': { - 'name': 'lauroyltransferase activity', - 'def': 'Catalysis of the transfer of a lauroyl (dodecanoyl) group from one compound to another. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0008914': { - 'name': 'leucyltransferase activity', - 'def': 'Catalysis of the reaction: L-leucyl-tRNA + protein = tRNA + L-leucyl-protein. [EC:2.3.2.6]' - }, - 'GO:0008915': { - 'name': 'lipid-A-disaccharide synthase activity', - 'def': 'Catalysis of the reaction: 2,3-bis(3-hydroxytetradecanoyl)-beta-D-glucosaminyl 1-phosphate + UDP-2,3-bis(3-hydroxytetradecanoyl)-D-glucosamine = 2,3-bis(3-hydroxytetradecanoyl)-D-glucosaminyl-(1->6)-beta-D-2,3-bis(3-hydroxytetradecanoyl)-beta-D-glucosaminyl 1-phosphate + H(+) + UDP. [EC:2.4.1.182, RHEA:22671]' - }, - 'GO:0008917': { - 'name': 'lipopolysaccharide N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + lipopolysaccharide = UDP + N-acetyl-D-glucosaminyl-lipopolysaccharide. [EC:2.4.1.56, GOC:mr, KEGG:00540]' - }, - 'GO:0008918': { - 'name': 'lipopolysaccharide 3-alpha-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + lipopolysaccharide = UDP + 1,3 alpha-D-galactosyl-lipopolysaccharide. [EC:2.4.1.44, GOC:mr, KEGG:00540]' - }, - 'GO:0008919': { - 'name': 'lipopolysaccharide glucosyltransferase I activity', - 'def': 'Catalysis of the reaction: UDP-glucose + lipopolysaccharide = UDP + D-glucosyl-lipopolysaccharide. [EC:2.4.1.58, GOC:mr, KEGG:00540]' - }, - 'GO:0008920': { - 'name': 'lipopolysaccharide heptosyltransferase activity', - 'def': 'Catalysis of the reaction: a lipopolysaccharide + ADP-L-glycero-beta-D-manno-heptose = a heptosylated lipopolysaccharide + ADP + H+. [MetaCyc:RXN0-5061, MetaCyc:RXN0-5122, MetaCyc:RXN0-5127]' - }, - 'GO:0008921': { - 'name': 'lipopolysaccharide-1,6-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + lipopolysaccharide = UDP + 1,6 alpha-D-galactosyl-lipopolysaccharide. [GOC:ai]' - }, - 'GO:0008922': { - 'name': 'long-chain fatty acid [acyl-carrier-protein] ligase activity', - 'def': 'Catalysis of the reaction: ATP + an acid + [acyl-carrier protein] = AMP + diphosphate + acyl-[acyl-carrier protein]. A long-chain fatty acid is fatty acid with a chain length between C13 and C22. [CHEBI:15904, EC:6.2.1.20]' - }, - 'GO:0008923': { - 'name': 'lysine decarboxylase activity', - 'def': 'Catalysis of the reaction: L-lysine + H(+) = cadaverine + CO(2). [EC:4.1.1.18, RHEA:22355]' - }, - 'GO:0008924': { - 'name': 'malate dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: (S)-malate + a quinone = oxaloacetate + a quinol. [MetaCyc:MALATE-DEHYDROGENASE-ACCEPTOR-RXN]' - }, - 'GO:0008925': { - 'name': 'maltose O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + maltose = CoA + acetyl-maltose. [EC:2.3.1.79]' - }, - 'GO:0008926': { - 'name': 'mannitol-1-phosphate 5-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-mannitol 1-phosphate + NAD+ = D-fructose 6-phosphate + NADH + H+. [EC:1.1.1.17]' - }, - 'GO:0008927': { - 'name': 'mannonate dehydratase activity', - 'def': 'Catalysis of the reaction: D-mannonate = 2-dehydro-3-deoxy-D-gluconate + H(2)O. [EC:4.2.1.8, RHEA:20100]' - }, - 'GO:0008928': { - 'name': 'mannose-1-phosphate guanylyltransferase (GDP) activity', - 'def': 'Catalysis of the reaction: alpha-D-mannose 1-phosphate + GDP + H(+) = GDP-alpha-D-mannose + phosphate. [EC:2.7.7.22, RHEA:12908]' - }, - 'GO:0008929': { - 'name': 'methylglyoxal synthase activity', - 'def': 'Catalysis of the reaction: glycerone phosphate = methylglyoxal + phosphate. [EC:4.2.3.3, RHEA:17940]' - }, - 'GO:0008930': { - 'name': 'methylthioadenosine nucleosidase activity', - 'def': 'Catalysis of the reaction: methylthioadenosine + H2O = adenine + 5-methylthio-D-ribose. [EC:3.2.2.16]' - }, - 'GO:0008931': { - 'name': 'obsolete murein DD-endopeptidase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008932': { - 'name': 'lytic endotransglycosylase activity', - 'def': 'Catalysis of the specific cleavage of the beta-(1->4) glycosidic linkage between N-acetylmuramyl and N-acetylglucosaminyl residues in peptidoglycan, with the concomitant formation of 1,6-anhydro-N-acetylmuramyl residues. Acts on linkages within peptidoglycan chains (i.e. not at the ends) to produce shorter strands with 1,6-anhydromuramic acid ends. [PMID:10964424, PMID:9642199]' - }, - 'GO:0008933': { - 'name': 'lytic transglycosylase activity', - 'def': 'Catalysis of the specific cleavage of the beta-(1->4) glycosidic linkage between N-acetylmuramyl and N-acetylglucosaminyl residues in peptidoglycan, with the concomitant formation of 1,6-anhydro-N-acetylmuramyl residues. [PMID:10964424, PMID:22748813]' - }, - 'GO:0008934': { - 'name': 'inositol monophosphate 1-phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol 1-phosphate + H2O = myo-inositol + phosphate. [EC:3.1.3.25]' - }, - 'GO:0008935': { - 'name': '1,4-dihydroxy-2-naphthoyl-CoA synthase activity', - 'def': 'Catalysis of the reaction: 4-(2-carboxyphenyl)-4-oxobutanoyl-CoA = 1,4-dihydroxy-2-napthoyl-CoA + H2O. [EC:4.1.3.36]' - }, - 'GO:0008936': { - 'name': 'nicotinamidase activity', - 'def': 'Catalysis of the reaction: nicotinamide + H2O = nicotinate + NH3. [EC:3.5.1.19]' - }, - 'GO:0008937': { - 'name': 'ferredoxin-NAD(P) reductase activity', - 'def': 'Catalysis of the reaction: reduced ferredoxin + NAD(P)+ = oxidized ferredoxin + NAD(P)H + H+. [EC:1.18.1.-]' - }, - 'GO:0008938': { - 'name': 'nicotinate N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + nicotinate = N-methylnicotinate + S-adenosyl-L-homocysteine. [EC:2.1.1.7, RHEA:20244]' - }, - 'GO:0008939': { - 'name': 'nicotinate-nucleotide-dimethylbenzimidazole phosphoribosyltransferase activity', - 'def': "Catalysis of the reaction: 5,6-dimethylbenzimidazole + nicotinate D-ribonucleotide = alpha-ribazole 5'-phosphate + H(+) + nicotinate. [EC:2.4.2.21, RHEA:11199]" - }, - 'GO:0008940': { - 'name': 'nitrate reductase activity', - 'def': 'Catalysis of the reaction: nitrite + acceptor = nitrate + reduced acceptor. [EC:1.7.99.4]' - }, - 'GO:0008941': { - 'name': 'nitric oxide dioxygenase activity', - 'def': 'Catalysis of the reaction: 2 NO + 2 O2 + NADPH + H+ = 2 nitrate + NADP+. [EC:1.14.12.17]' - }, - 'GO:0008942': { - 'name': 'nitrite reductase [NAD(P)H] activity', - 'def': 'Catalysis of the reaction: ammonium hydroxide + 3 NAD(P)+ + H2O = nitrite + 3 NAD(P)H + 3 H+. [EC:1.7.1.4]' - }, - 'GO:0008943': { - 'name': 'obsolete glyceraldehyde-3-phosphate dehydrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: glyceraldehyde 3-phosphate + phosphate + NAD(P)+ = 3-phospho-D-glyceroyl-phosphate + NAD(P)H + H+, and glyceraldehyde 3-phosphate + H2O + NAD(P)+ = 3-phospho-D-glycerate + NAD(P)H + H+. [EC:1.2.1.12, EC:1.2.1.13, EC:1.2.1.9]' - }, - 'GO:0008944': { - 'name': 'obsolete oligopeptidase A activity', - 'def': "OBSOLETE. Catalysis of the hydrolysis of oligopeptides, with broad specificity. Gly or Ala commonly occur as P1 or P1' residues, but more distant residues are also important, as is shown by the fact that Z-Gly-Pro-Gly-Gly-Pro-Ala is cleaved at the Gly-Gly bond, but not Z-(Gly)5. [EC:3.4.24.70]" - }, - 'GO:0008945': { - 'name': 'obsolete oligopeptidase B activity', - 'def': "OBSOLETE. Catalysis of the hydrolysis of Arg-Xaa and Lys-Xaa bonds in oligopeptides, even when P1' residue is proline. [EC:3.4.21.83]" - }, - 'GO:0008946': { - 'name': 'oligonucleotidase activity', - 'def': "Catalysis of the exonucleolytic cleavage of oligonucleotides to yield nucleoside 5'-phosphates. [EC:3.1.13.3]" - }, - 'GO:0008947': { - 'name': 'obsolete omptin activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Xaa-Yaa in which both Xaa and Yaa are Arg or Lys. [EC:3.4.21.87]' - }, - 'GO:0008948': { - 'name': 'oxaloacetate decarboxylase activity', - 'def': 'Catalysis of the reaction: oxaloacetate = pyruvate + CO2. [EC:1.1.1.38, EC:1.1.1.40, EC:4.1.1.3]' - }, - 'GO:0008949': { - 'name': 'oxalyl-CoA decarboxylase activity', - 'def': 'Catalysis of the reaction: H(+) + oxalyl-CoA = CO(2) + formyl-CoA. [EC:4.1.1.8, RHEA:19336]' - }, - 'GO:0008950': { - 'name': 'obsolete p-aminobenzoate synthetase', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:krc]' - }, - 'GO:0008951': { - 'name': 'palmitoleoyl [acyl-carrier-protein]-dependent acyltransferase activity', - 'def': 'Catalysis of the reaction: a palmitoleoyl-[acyl-carrier protein] + alpha-KDO-(2->4)-alpha-KDO-(2->6)-lipid IVA = KDO2-(palmitoleoyl)-lipid IVA + a holo-[acyl-carrier protein]. [MetaCyc:PALMITOTRANS-RXN]' - }, - 'GO:0008953': { - 'name': 'penicillin amidase activity', - 'def': 'Catalysis of the reaction: penicillin + H2O = a carboxylate + 6-aminopenicillanate. [EC:3.5.1.11]' - }, - 'GO:0008954': { - 'name': 'obsolete peptidoglycan synthetase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008955': { - 'name': 'peptidoglycan glycosyltransferase activity', - 'def': 'Catalysis of the reaction: [GlcNAc-(1,4)-Mur2Ac(oyl-L-Ala-gamma-D-Glu-L-Lys-D-Ala-D-Ala)](n)-diphosphoundecaprenol + GlcNAc-(1,4)-Mur2Ac(oyl-L-Ala-gamma-D-Glu-L-Lys-D-Ala-D-Ala)-diphosphoundecaprenol = [GlcNAc-(1,4)-Mur2Ac(oyl-L-Ala-gamma-D-Glu-L-Lys-D-Ala-D-Ala)](n+1)-diphosphoundecaprenol + undecaprenyl diphosphate. [EC:2.4.1.129]' - }, - 'GO:0008956': { - 'name': 'obsolete peptidyl-dipeptidase Dcp activity', - 'def': "OBSOLETE. Catalysis of the hydrolysis of unblocked, C-terminal dipeptides from oligopeptides, with broad specificity. Does not hydrolyze bonds in which P1' is Pro, or both P1 and P1' are Gly. [EC:3.4.15.5]" - }, - 'GO:0008957': { - 'name': 'phenylacetaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: phenylacetaldehyde + NAD+ + H2O = phenylacetate + NADH + H+. [EC:1.2.1.39]' - }, - 'GO:0008959': { - 'name': 'phosphate acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + phosphate = CoA + acetyl phosphate. [EC:2.3.1.8]' - }, - 'GO:0008960': { - 'name': 'phosphatidylglycerol-membrane-oligosaccharide glycerophosphotransferase activity', - 'def': 'Catalysis of the reaction: phosphatidylglycerol + membrane-derived-oligosaccharide D-glucose = 1,2-diacyl-sn-glycerol + membrane-derived-oligosaccharide 6-(glycerophospho)-D-glucose. [EC:2.7.8.20]' - }, - 'GO:0008961': { - 'name': 'phosphatidylglycerol-prolipoprotein diacylglyceryl transferase activity', - 'def': 'Catalysis of the transfer of the diacylglyceryl group from phosphatidylglycerol to the sulfhydryl group of the prospective N-terminal cysteine residue in an unmodified prolipoprotein. [PMID:8051048]' - }, - 'GO:0008962': { - 'name': 'phosphatidylglycerophosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylglycerophosphate + H2O = phosphatidylglycerol + phosphate. [EC:3.1.3.27]' - }, - 'GO:0008963': { - 'name': 'phospho-N-acetylmuramoyl-pentapeptide-transferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-L-lysyl-D-alanyl-D-alanine + undecaprenyl phosphate = UMP + N-acetylmuramoyl-L-alanyl-D-glutamyl-L-lysyl-D-alanyl-D-alanine-diphosphoundecaprenol. [EC:2.7.8.13]' - }, - 'GO:0008964': { - 'name': 'phosphoenolpyruvate carboxylase activity', - 'def': 'Catalysis of the reaction: phosphate + oxaloacetate = phosphoenolpyruvate + HCO3-. [EC:4.1.1.31]' - }, - 'GO:0008965': { - 'name': 'phosphoenolpyruvate-protein phosphotransferase activity', - 'def': 'Catalysis of the reaction: phosphoenolpyruvate + protein L-histidine = pyruvate + protein N(pi)-phospho-L-histidine. [EC:2.7.3.9]' - }, - 'GO:0008966': { - 'name': 'phosphoglucosamine mutase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucosamine 1-phosphate = D-glucosamine 6-phosphate. [EC:5.4.2.10, RHEA:23427]' - }, - 'GO:0008967': { - 'name': 'phosphoglycolate phosphatase activity', - 'def': 'Catalysis of the reaction: 2-phosphoglycolate + H(2)O = glycolate + phosphate. [EC:3.1.3.18, RHEA:14372]' - }, - 'GO:0008968': { - 'name': 'D-sedoheptulose 7-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-sedoheptulose-7-phosphate = D-alpha,beta-D-heptose 7-phosphate. [MetaCyc:RXN0-4301, PMID:11279237, PMID:8631969]' - }, - 'GO:0008969': { - 'name': 'phosphohistidine phosphatase activity', - 'def': 'Catalysis of the reaction: phosphohistidine + H2O = histidine + phosphate. [GOC:mah]' - }, - 'GO:0008970': { - 'name': 'phosphatidylcholine 1-acylhydrolase activity', - 'def': 'Catalysis of the reaction: phosphatidylcholine + H2O = 2-acylglycerophosphocholine + a carboxylate. [EC:3.1.1.32]' - }, - 'GO:0008972': { - 'name': 'phosphomethylpyrimidine kinase activity', - 'def': 'Catalysis of the reaction: ATP + 4-amino-2-methyl-5-phosphomethylpyrimidine = ADP + 4-amino-2-methyl-5-diphosphomethylpyrimidine. [EC:2.7.4.7]' - }, - 'GO:0008973': { - 'name': 'phosphopentomutase activity', - 'def': 'Catalysis of the reaction: D-ribose 1-phosphate = D-ribose 5-phosphate. [EC:5.4.2.7]' - }, - 'GO:0008974': { - 'name': 'phosphoribulokinase activity', - 'def': 'Catalysis of the reaction: D-ribulose 5-phosphate + ATP = D-ribulose 1,5-bisphosphate + ADP + 2 H(+). [EC:2.7.1.19, RHEA:19368]' - }, - 'GO:0008975': { - 'name': 'obsolete pitrilysin activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Tyr16-Leu17 and Phe25-Tyr26 bonds of oxidized insulin B chain. Also acts on other substrates of Molecular weight less than 7 kDa such as insulin and glucagon. [EC:3.4.24.55]' - }, - 'GO:0008976': { - 'name': 'polyphosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + phosphate(n) = ADP + phosphate(n+1). [EC:2.7.4.1]' - }, - 'GO:0008977': { - 'name': 'prephenate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: NAD(+) + prephenate = (4-hydroxyphenyl)pyruvate + CO(2) + NADH. [EC:1.3.1.12, RHEA:13872]' - }, - 'GO:0008978': { - 'name': 'obsolete prepilin peptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of a Gly-Phe bond to release an N-terminal, basic peptide of 5-8 residues from type IV prepilin, and then N-methylates the new N-terminal amino group, the methyl donor being S-adenosyl-L-methionine. [EC:3.4.23.43]' - }, - 'GO:0008979': { - 'name': 'prophage integrase activity', - 'def': 'Catalysis of the integration of prophage DNA into a target DNA molecule, usually a bacterial chromosome, via a sequence-specific recombination event which involves the formation of an intasome, a DNA-protein-complex designed for site-specific recombination of the phage and host DNA. [GOC:jl]' - }, - 'GO:0008980': { - 'name': 'propionate kinase activity', - 'def': 'Catalysis of the reaction: ATP + propanoate = ADP + propanoyl phosphate. [EC:2.7.2.15]' - }, - 'GO:0008981': { - 'name': 'obsolete protease IV activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0008982': { - 'name': 'protein-N(PI)-phosphohistidine-sugar phosphotransferase activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + sugar(out) = protein histidine + sugar phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [EC:2.7.1.69, GOC:mtg_transport, http://www.ucs.mun.ca/~n55lrb/general_pts.html, ISBN:0815340729, TC:4.A.-.-.-]' - }, - 'GO:0008983': { - 'name': 'protein-glutamate O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + protein L-glutamate = S-adenosyl-L-homocysteine + protein L-glutamate 5-methyl ester; this reaction is the methylation of peptidyl-L-glutamate to form peptidyl-L-glutamate 5-methyl ester. [EC:2.1.1.80, RESID:AA0072]' - }, - 'GO:0008984': { - 'name': 'protein-glutamate methylesterase activity', - 'def': 'Catalysis of the reaction: protein L-glutamate O(5)-methyl ester + H2O = protein L-glutamate + methanol. [EC:3.1.1.61, RESID:AA0072]' - }, - 'GO:0008985': { - 'name': 'obsolete pyruvate dehydrogenase (cytochrome) activity', - 'def': 'OBSOLETE. Catalysis of the reaction: pyruvate + ferricytochrome b1 + H2O = CO2 + acetate + ferrocytochrome b1. [EC:1.2.2.2]' - }, - 'GO:0008986': { - 'name': 'pyruvate, water dikinase activity', - 'def': 'Catalysis of the reaction: ATP + H(2)O + pyruvate = AMP + 3 H(+) + phosphate + phosphoenolpyruvate. [EC:2.7.9.2, RHEA:11367]' - }, - 'GO:0008987': { - 'name': 'quinolinate synthetase A activity', - 'def': 'Catalysis of the reaction: iminoaspartate + dihydroxy-acetone-phosphate = quinolinate + 2 H2O + phosphate. [GOC:jl, MetaCyc:QUINOLINATE-SYNTHA-RXN]' - }, - 'GO:0008988': { - 'name': 'rRNA (adenine-N6-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing N6-methyladenine. [EC:2.1.1.48]' - }, - 'GO:0008989': { - 'name': 'rRNA (guanine-N1-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing N1-methylguanine. [EC:2.1.1.51]' - }, - 'GO:0008990': { - 'name': 'rRNA (guanine-N2-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing N2-methylguanine. [EC:2.1.1.52]' - }, - 'GO:0008991': { - 'name': 'obsolete serine-type signal peptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of a signal peptide from a protein precursor by a serine endopeptidase mechanism. [GOC:mah]' - }, - 'GO:0008992': { - 'name': 'obsolete repressor LexA activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of Ala-Gly bond in repressor lexA. [EC:3.4.21.88]' - }, - 'GO:0008993': { - 'name': 'rhamnulokinase activity', - 'def': 'Catalysis of the reaction: ATP + L-rhamnulose = ADP + L-rhamnulose 1-phosphate. [EC:2.7.1.5]' - }, - 'GO:0008994': { - 'name': 'rhamnulose-1-phosphate aldolase activity', - 'def': 'Catalysis of the reaction: L-rhamnulose 1-phosphate = glycerone phosphate + (S)-lactaldehyde. [EC:4.1.2.19]' - }, - 'GO:0008995': { - 'name': 'ribonuclease E activity', - 'def': "Catalysis of the cleavage of single-stranded RNA that is monophosphorylated at its 5'-end; cleavage occurs predominantly at 5 nucleotides from the 5'-end and in A + U-rich regions, and is blocked by the presence of a 5'-triphosphate group. [PMID:10722715, PMID:16854990]" - }, - 'GO:0008996': { - 'name': 'ribonuclease G activity', - 'def': "Catalysis of the cleavage of single-stranded RNA that is monophosphorylated at its 5'-end; cleavage occurs predominantly at positions 5 and 6 nucleotides from the 5'-end and in A + U-rich regions, and is blocked by the presence of a 5'-triphosphate group. [PMID:10722715, PMID:16854990]" - }, - 'GO:0008997': { - 'name': 'ribonuclease R activity', - 'def': "Catalysis of the reaction: RNA + H2O = 5'-phosphomononucleotides. Cleaves RNA in the 3' to 5' direction, leaving an undigested core of 3-5 nucleotides. [PMID:11948193]" - }, - 'GO:0008998': { - 'name': 'ribonucleoside-triphosphate reductase activity', - 'def': "Catalysis of the reaction: 2'-deoxyribonucleoside triphosphate + thioredoxin disulfide + H2O = ribonucleoside triphosphate + thioredoxin. [EC:1.17.4.2]" - }, - 'GO:0008999': { - 'name': 'ribosomal-protein-alanine N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + ribosomal-protein L-alanine = CoA + ribosomal-protein N-acetyl-L-alanine. [EC:2.3.1.128]' - }, - 'GO:0009000': { - 'name': 'selenocysteine lyase activity', - 'def': 'Catalysis of the reaction: L-selenocysteine + reduced acceptor = hydrogen selenide + L-alanine + acceptor. [EC:4.4.1.16]' - }, - 'GO:0009001': { - 'name': 'serine O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-serine + acetyl-CoA = O-acetyl-L-serine + CoA. [EC:2.3.1.30, RHEA:24563]' - }, - 'GO:0009002': { - 'name': 'serine-type D-Ala-D-Ala carboxypeptidase activity', - 'def': 'Catalysis of the reaction: (Ac)2-L-Lys-D-alanyl-D-alanine + H2O = (Ac)2-L-Lys-D-alanine + D-alanine. [EC:3.4.16.4]' - }, - 'GO:0009003': { - 'name': 'obsolete signal peptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of a signal peptide from a protein precursor. [GOC:mah]' - }, - 'GO:0009004': { - 'name': 'obsolete signal peptidase I activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of N-terminal leader sequences from secreted and periplasmic proteins precursor. [EC:3.4.21.89]' - }, - 'GO:0009005': { - 'name': 'obsolete signal peptidase II activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of N-terminal leader sequences from membrane prolipoproteins. Hydrolyzes the terminal bond of Xaa-Xbb-Xbb-Cys, in which Xaa is hydrophobic (preferably Leu), Xbb is often Ser or Ala, Xcc is often Gly or Ala, and the Cys is alkylated on sulfur with a diacylglyceryl group. [EC:3.4.23.36]' - }, - 'GO:0009006': { - 'name': 'obsolete siroheme synthase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0009007': { - 'name': 'site-specific DNA-methyltransferase (adenine-specific) activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + DNA adenine = S-adenosyl-L-homocysteine + DNA 6-methylaminopurine. [EC:2.1.1.72]' - }, - 'GO:0009008': { - 'name': 'DNA-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to a DNA molecule. [GOC:jl, ISBN:0198506732, PMID:7862522]' - }, - 'GO:0009009': { - 'name': 'site-specific recombinase activity', - 'def': 'Catalysis of the formation of new phosphodiester bonds between a pair of short, unique DNA target sequences. [GOC:elh]' - }, - 'GO:0009010': { - 'name': 'sorbitol-6-phosphate 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-sorbitol 6-phosphate + NAD+ = D-fructose 6-phosphate + NADH + H+. [EC:1.1.1.140]' - }, - 'GO:0009011': { - 'name': 'starch synthase activity', - 'def': 'Catalysis of the reaction: ADP-glucose + (1,4)-alpha-D-glucosyl(n) = ADP + (1,4)-alpha-D-glucosyl(n+1). [EC:2.4.1.21]' - }, - 'GO:0009012': { - 'name': "aminoglycoside 3''-adenylyltransferase activity", - 'def': "Catalysis of the reaction: ATP + streptomycin = 3''-adenylylstreptomycin + diphosphate + H(+). [EC:2.7.7.47, RHEA:20248]" - }, - 'GO:0009013': { - 'name': 'succinate-semialdehyde dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: succinate semialdehyde + NAD(P)+ + H2O = succinate + NAD(P)H + H+. [EC:1.2.1.16]' - }, - 'GO:0009014': { - 'name': 'succinyl-diaminopimelate desuccinylase activity', - 'def': 'Catalysis of the reaction: N-succinyl-LL-2,6-diaminopimelate + H(2)O = LL-2,6-diaminopimelate + succinate. [EC:3.5.1.18, RHEA:22611]' - }, - 'GO:0009015': { - 'name': 'N-succinylarginine dihydrolase activity', - 'def': 'Catalysis of the reaction: N(2)-succinyl-L-arginine + 2 H(2)O + 2 H(+) = N(2)-succinyl-L-ornithine + CO(2) + 2 NH(4)(+). [EC:3.5.3.23, RHEA:19536]' - }, - 'GO:0009016': { - 'name': 'succinyldiaminopimelate transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + N-succinyl-LL-2,6-diaminopimelate = L-2-succinylamino-6-oxopimelate + L-glutamate. [EC:2.6.1.17, RHEA:11963]' - }, - 'GO:0009017': { - 'name': 'succinylglutamate desuccinylase activity', - 'def': 'Catalysis of the reaction: N-succinyl-L-glutamate + H(2)O = L-glutamate + succinate. [EC:3.5.1.96, RHEA:15172]' - }, - 'GO:0009018': { - 'name': 'sucrose phosphorylase activity', - 'def': 'Catalysis of the reaction: sucrose + phosphate = D-fructose + alpha-D-glucose 1-phosphate. [EC:2.4.1.7]' - }, - 'GO:0009019': { - 'name': 'tRNA (guanine-N1-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing N1-methylguanine. [EC:2.1.1.31]' - }, - 'GO:0009020': { - 'name': "tRNA (guanosine-2'-O-)-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing 2'-O-methylguanosine. [EC:2.1.1.34]" - }, - 'GO:0009022': { - 'name': 'tRNA nucleotidyltransferase activity', - 'def': 'Catalysis of the reaction: tRNA(n+1) + phosphate = tRNA(n) + a nucleoside diphosphate. [EC:2.7.7.56]' - }, - 'GO:0009023': { - 'name': 'obsolete tRNA sulfurtransferase', - 'def': 'OBSOLETE. Catalysis of the reaction: L-cysteine + activated-tRNA = L-serine + tRNA containing a thionucleotide. [EC:2.8.1.4, GOC:go_curators]' - }, - 'GO:0009024': { - 'name': 'tagatose-6-phosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + D-tagatose 6-phosphate = ADP + D-tagatose 1,6-bisphosphate. [EC:2.7.1.144]' - }, - 'GO:0009025': { - 'name': 'tagatose-bisphosphate aldolase activity', - 'def': 'Catalysis of the reaction: D-tagatose 1,6-diphosphate = D-glyceraldehyde 3-phosphate + glycerone phosphate. [EC:4.1.2.40, RHEA:22951]' - }, - 'GO:0009026': { - 'name': 'tagaturonate reductase activity', - 'def': 'Catalysis of the reaction: D-altronate + NAD(+) = D-tagaturonate + H(+) + NADH. [EC:1.1.1.58, RHEA:17816]' - }, - 'GO:0009027': { - 'name': 'tartrate dehydrogenase activity', - 'def': 'Catalysis of the reaction: tartrate + NAD+ = oxaloglycolate + NADH + H+. [EC:1.1.1.93]' - }, - 'GO:0009028': { - 'name': 'tartronate-semialdehyde synthase activity', - 'def': 'Catalysis of the reaction: 2 glyoxylate + H(+) = 2-hydroxy-3-oxopropanoate + CO(2). [EC:4.1.1.47, RHEA:10139]' - }, - 'GO:0009029': { - 'name': "tetraacyldisaccharide 4'-kinase activity", - 'def': 'Catalysis of the reaction: 2,3-bis(3-hydroxytetradecanoyl)-D-glucosaminyl-(1->6)-beta-D-2,3-bis(3-hydroxytetradecanoyl)-beta-D-glucosaminyl 1-phosphate + ATP = ADP + 2 H(+) + lipid IV(a). [EC:2.7.1.130, RHEA:20703]' - }, - 'GO:0009030': { - 'name': 'thiamine-phosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + thiamine phosphate = ADP + H(+) + thiamine diphosphate. [EC:2.7.4.16, RHEA:15916]' - }, - 'GO:0009032': { - 'name': 'thymidine phosphorylase activity', - 'def': 'Catalysis of the reaction: thymidine + phosphate = thymine + 2-deoxy-D-ribose 1-phosphate. [EC:2.4.2.4]' - }, - 'GO:0009033': { - 'name': 'trimethylamine-N-oxide reductase activity', - 'def': 'Catalysis of the reaction: NADH + H+ + trimethylamine-N-oxide = NAD+ + trimethylamine + H2O. [EC:1.6.6.9]' - }, - 'GO:0009034': { - 'name': 'tryptophanase activity', - 'def': 'Catalysis of the reaction: L-tryptophan + H(2)O = indole + NH(4)(+) + pyruvate. [EC:4.1.99.1, RHEA:19556]' - }, - 'GO:0009035': { - 'name': 'Type I site-specific deoxyribonuclease activity', - 'def': "Catalysis of the endonucleolytic cleavage of DNA to give random double-stranded fragments with terminal 5' or 3' protrusions; ATP is simultaneously hydrolyzed. Cleavage is dependent on the presence in the DNA of a specific recognition site. Cleavage may occur hundreds or thousands of base pairs away from the recognition site due to translocation of DNA. [EC:3.1.21.3, PMID:15788748]" - }, - 'GO:0009036': { - 'name': 'Type II site-specific deoxyribonuclease activity', - 'def': "Catalysis of the endonucleolytic cleavage of DNA to give specific double-stranded fragments with terminal 5'-phosphates and 3' hydroxyls. Cleavage is dependent on the presence in the DNA of a specific recognition site; cleavage occurs at or very near this recognition site. [EC:3.1.21.4, PMID:12654995]" - }, - 'GO:0009037': { - 'name': 'tyrosine-based site-specific recombinase activity', - 'def': 'Catalysis of the formation of new phosphodiester bonds between a pair of short, unique DNA target sequences; occurs through a phosphotyrosyl intermediate in which the target sequence is first cleaved by the nucleophilic attack by a tyrosine in the active site. [GOC:elh, PMID:11090626]' - }, - 'GO:0009038': { - 'name': 'undecaprenol kinase activity', - 'def': 'Catalysis of the reaction: ATP + undecaprenol = ADP + undecaprenyl phosphate. [EC:2.7.1.66, RHEA:23755]' - }, - 'GO:0009039': { - 'name': 'urease activity', - 'def': 'Catalysis of the reaction: urea + H2O = CO2 + 2 NH3. [EC:3.5.1.5]' - }, - 'GO:0009040': { - 'name': 'ureidoglycolate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-ureidoglycolate + NAD(P)+ = oxalureate + NAD(P)H + H+. [EC:1.1.1.154, PMID:23284870]' - }, - 'GO:0009041': { - 'name': 'uridylate kinase activity', - 'def': 'Catalysis of the reaction: ATP + (d)UMP = ADP + (d)UDP. [GOC:go_curators]' - }, - 'GO:0009042': { - 'name': 'valine-pyruvate transaminase activity', - 'def': 'Catalysis of the reaction: L-valine + pyruvate = 3-methyl-2-oxobutanoate + L-alanine. [EC:2.6.1.66, RHEA:22915]' - }, - 'GO:0009044': { - 'name': 'xylan 1,4-beta-xylosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-beta-D-xylans so as to remove successive D-xylose residues from the non-reducing termini. [EC:3.2.1.37]' - }, - 'GO:0009045': { - 'name': 'xylose isomerase activity', - 'def': 'Catalysis of the reaction: D-xylose = D-xylulose. [EC:5.3.1.5]' - }, - 'GO:0009046': { - 'name': 'zinc D-Ala-D-Ala carboxypeptidase activity', - 'def': 'Catalysis of the cleavage of the D-alanyl-D-alanine bond in (Ac)2-L-lysyl-D-alanyl-D-alanine. [EC:3.4.17.14]' - }, - 'GO:0009047': { - 'name': 'dosage compensation by hyperactivation of X chromosome', - 'def': 'Compensating for the two-fold variation in X-chromosome:autosome ratios between sexes by a global hyperactivation of all, or most of, the genes on the X-chromosome in the heterogametic sex, leading to a two-fold increase in gene expression from this chromosome. An example of this is found in Drosophila melanogaster. [GOC:jl, GOC:mr, https://en.wikipedia.org/wiki/XY_sex-determination_system, ISBN:0140512888, PMID:11498577, PMID:20622855]' - }, - 'GO:0009048': { - 'name': 'dosage compensation by inactivation of X chromosome', - 'def': 'Compensating for the two-fold variation in X-chromosome:autosome ratios between sexes by a global inactivation of all, or most of, the genes on one of the X-chromosomes in the XX sex. [GOC:jl, GOC:mr, GOC:pr, https://en.wikipedia.org/wiki/XY_sex-determination_system, ISBN:0140512888, PMID:11498577, PMID:20622855]' - }, - 'GO:0009049': { - 'name': 'obsolete aspartic-type signal peptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of a signal peptide from a protein precursor by an aspartic endopeptidase mechanism. [GOC:mah]' - }, - 'GO:0009050': { - 'name': 'glycopeptide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycopeptides, any compound in which carbohydrate is covalently attached to an oligopeptide composed of residues of L and/or D-amino acids. The term usually denotes a product of proteolytic degradation of a glycoprotein but includes glycated peptide. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009051': { - 'name': 'pentose-phosphate shunt, oxidative branch', - 'def': 'The branch of the pentose-phosphate shunt which involves the oxidation of glucose 6-P and produces ribulose 5-P, reduced NADP+ and carbon dioxide (CO2). [ISBN:0198506732, MetaCyc:OXIDATIVEPENT-PWY]' - }, - 'GO:0009052': { - 'name': 'pentose-phosphate shunt, non-oxidative branch', - 'def': 'The branch of the pentose-phosphate shunt which does not involve oxidation reactions. It comprises a series of sugar phosphate interconversions, starting with ribulose 5-P and producing fructose 6-P and glyceraldehyde 3-P. [ISBN:0198506732, MetaCyc:NONOXIPENT-PWY]' - }, - 'GO:0009055': { - 'name': 'electron carrier activity', - 'def': 'Any molecular entity that serves as an electron acceptor and electron donor in an electron transport chain. An electron transport chain is a process in which a series of electron carriers operate together to transfer electrons from donors to any of several different terminal electron acceptors to generate a transmembrane electrochemical gradient. [ISBN:0198506732]' - }, - 'GO:0009056': { - 'name': 'catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of substances, including the breakdown of carbon compounds with the liberation of energy for use by the cell or organism. [ISBN:0198547684]' - }, - 'GO:0009057': { - 'name': 'macromolecule catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a macromolecule, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass. [CHEBI:33694, GOC:mah]' - }, - 'GO:0009058': { - 'name': 'biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of substances; typically the energy-requiring part of metabolism in which simpler substances are transformed into more complex ones. [GOC:curators, ISBN:0198547684]' - }, - 'GO:0009059': { - 'name': 'macromolecule biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a macromolecule, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass. [CHEBI:33694, GOC:mah]' - }, - 'GO:0009060': { - 'name': 'aerobic respiration', - 'def': 'The enzymatic release of energy from inorganic and organic compounds (especially carbohydrates and fats) which requires oxygen as the terminal electron acceptor. [GOC:das, GOC:jl, ISBN:0140513590]' - }, - 'GO:0009061': { - 'name': 'anaerobic respiration', - 'def': 'The enzymatic release of energy from inorganic and organic compounds (especially carbohydrates and fats) which uses compounds other than oxygen (e.g. nitrate, sulfate) as the terminal electron acceptor. [GOC:das, GOC:jl, ISBN:0140513590]' - }, - 'GO:0009062': { - 'name': 'fatty acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a fatty acid, any of the aliphatic monocarboxylic acids that can be liberated by hydrolysis from naturally occurring fats and oils. Fatty acids are predominantly straight-chain acids of 4 to 24 carbon atoms, which may be saturated or unsaturated; branched fatty acids and hydroxy fatty acids also occur, and very long chain acids of over 30 carbons are found in waxes. [GOC:go_curators]' - }, - 'GO:0009063': { - 'name': 'cellular amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of amino acids, organic acids containing one or more amino substituents. [GOC:ai]' - }, - 'GO:0009064': { - 'name': 'glutamine family amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving amino acids of the glutamine family, comprising arginine, glutamate, glutamine and proline. [GOC:ai]' - }, - 'GO:0009065': { - 'name': 'glutamine family amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of amino acids of the glutamine family, comprising arginine, glutamate, glutamine and proline. [GOC:ai]' - }, - 'GO:0009066': { - 'name': 'aspartate family amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving amino acids of the aspartate family, comprising asparagine, aspartate, lysine, methionine and threonine. [GOC:ai]' - }, - 'GO:0009067': { - 'name': 'aspartate family amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of amino acids of the aspartate family, comprising asparagine, aspartate, lysine, methionine and threonine. [GOC:ai]' - }, - 'GO:0009068': { - 'name': 'aspartate family amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of amino acids of the aspartate family, comprising asparagine, aspartate, lysine, methionine and threonine. [GOC:ai]' - }, - 'GO:0009069': { - 'name': 'serine family amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving amino acids of the serine family, comprising cysteine, glycine, homoserine, selenocysteine and serine. [GOC:ai]' - }, - 'GO:0009070': { - 'name': 'serine family amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of amino acids of the serine family, comprising cysteine, glycine, homoserine, selenocysteine and serine. [GOC:ai]' - }, - 'GO:0009071': { - 'name': 'serine family amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of amino acids of the serine family, comprising cysteine, glycine, homoserine, selenocysteine and serine. [GOC:ai]' - }, - 'GO:0009072': { - 'name': 'aromatic amino acid family metabolic process', - 'def': 'The chemical reactions and pathways involving aromatic amino acid family, amino acids with aromatic ring (phenylalanine, tyrosine, tryptophan). [GOC:go_curators]' - }, - 'GO:0009073': { - 'name': 'aromatic amino acid family biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aromatic amino acid family, amino acids with aromatic ring (phenylalanine, tyrosine, tryptophan). [GOC:go_curators]' - }, - 'GO:0009074': { - 'name': 'aromatic amino acid family catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aromatic amino acid family, amino acids with aromatic ring (phenylalanine, tyrosine, tryptophan). [GOC:go_curators]' - }, - 'GO:0009075': { - 'name': 'obsolete histidine family amino acid metabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways involving amino acids of the histidine family. [GOC:ai]' - }, - 'GO:0009076': { - 'name': 'obsolete histidine family amino acid biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of amino acids of the histidine family. [GOC:ai]' - }, - 'GO:0009077': { - 'name': 'obsolete histidine family amino acid catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of amino acids of the histidine family. [GOC:ai]' - }, - 'GO:0009078': { - 'name': 'pyruvate family amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving any amino acid that requires pyruvate for its synthesis, e.g. alanine. [GOC:jl]' - }, - 'GO:0009079': { - 'name': 'pyruvate family amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any amino acid that requires pyruvate for its synthesis, e.g. alanine. [GOC:jl]' - }, - 'GO:0009080': { - 'name': 'pyruvate family amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any amino acid that requires pyruvate for its synthesis, e.g. alanine. [GOC:jl]' - }, - 'GO:0009081': { - 'name': 'branched-chain amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving amino acids containing a branched carbon skeleton, comprising isoleucine, leucine and valine. [CHEBI:22918, GOC:ai]' - }, - 'GO:0009082': { - 'name': 'branched-chain amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of amino acids containing a branched carbon skeleton, comprising isoleucine, leucine and valine. [CHEBI:22918, GOC:ai]' - }, - 'GO:0009083': { - 'name': 'branched-chain amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of amino acids containing a branched carbon skeleton, comprising isoleucine, leucine and valine. [GOC:ai]' - }, - 'GO:0009084': { - 'name': 'glutamine family amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of amino acids of the glutamine family, comprising arginine, glutamate, glutamine and proline. [GOC:ai]' - }, - 'GO:0009085': { - 'name': 'lysine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lysine, 2,6-diaminohexanoic acid. [GOC:go_curators]' - }, - 'GO:0009086': { - 'name': 'methionine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of methionine (2-amino-4-(methylthio)butanoic acid), a sulfur-containing, essential amino acid found in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009087': { - 'name': 'methionine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methionine (2-amino-4-(methylthio)butanoic acid), a sulfur-containing, essential amino acid found in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009088': { - 'name': 'threonine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of threonine (2-amino-3-hydroxybutyric acid), a polar, uncharged, essential amino acid found in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009089': { - 'name': 'lysine biosynthetic process via diaminopimelate', - 'def': 'The chemical reactions and pathways resulting in the formation of lysine, via the intermediate diaminopimelate. [GOC:go_curators]' - }, - 'GO:0009090': { - 'name': 'homoserine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of homoserine, alpha-amino-gamma-hydroxybutyric acid. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009091': { - 'name': 'homoserine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of homoserine, alpha-amino-gamma-hydroxybutyric acid. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009092': { - 'name': 'homoserine metabolic process', - 'def': 'The chemical reactions and pathways involving homoserine, alpha-amino-gamma-hydroxybutyric acid, an intermediate in the biosynthesis of cystathionine, threonine and methionine. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009093': { - 'name': 'cysteine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cysteine, 2-amino-3-mercaptopropanoic acid. [GOC:go_curators]' - }, - 'GO:0009094': { - 'name': 'L-phenylalanine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-phenylalanine, the L-enantiomer of 2-amino-3-phenylpropanoic acid, i.e. (2S)-2-amino-3-phenylpropanoic acid. [CHEBI:17295, GOC:go_curators, GOC:jsg, GOC:mah]' - }, - 'GO:0009095': { - 'name': 'aromatic amino acid family biosynthetic process, prephenate pathway', - 'def': 'The chemical reactions and pathways resulting in the formation of phenylalanine and tyrosine from other compounds, including chorismate, via the intermediate prephenate. [GOC:mah, ISBN:0471331309]' - }, - 'GO:0009097': { - 'name': 'isoleucine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isoleucine, (2R*,3R*)-2-amino-3-methylpentanoic acid. [GOC:ai]' - }, - 'GO:0009098': { - 'name': 'leucine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of leucine, 2-amino-4-methylpentanoic acid. [GOC:ai]' - }, - 'GO:0009099': { - 'name': 'valine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of valine, 2-amino-3-methylbutanoic acid. [GOC:ai]' - }, - 'GO:0009100': { - 'name': 'glycoprotein metabolic process', - 'def': 'The chemical reactions and pathways involving glycoproteins, any protein that contains covalently bound glycose (i.e. monosaccharide) residues; the glycose occurs most commonly as oligosaccharide or fairly small polysaccharide but occasionally as monosaccharide. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009101': { - 'name': 'glycoprotein biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycoproteins, any protein that contains covalently bound glycose (i.e. monosaccharide) residues; the glycose occurs most commonly as oligosaccharide or fairly small polysaccharide but occasionally as monosaccharide. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009102': { - 'name': 'biotin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of biotin, cis-tetrahydro-2-oxothieno(3,4-d)imidazoline-4-valeric acid. [ISBN:0198506732]' - }, - 'GO:0009103': { - 'name': 'lipopolysaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lipopolysaccharides, any of a group of related, structurally complex components of the outer membrane of Gram-negative bacteria. [GOC:ai, GOC:mr]' - }, - 'GO:0009104': { - 'name': 'lipopolysaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lipopolysaccharides, any of a group of related, structurally complex components of the outer membrane of Gram-negative bacteria. [GOC:ai]' - }, - 'GO:0009106': { - 'name': 'lipoate metabolic process', - 'def': 'The chemical reactions and pathways involving lipoate, 1,2-dithiolane-3-pentanoate, the anion derived from lipoic acid. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0009107': { - 'name': 'lipoate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lipoate, 1,2-dithiolane-3-pentanoate, the anion derived from lipoic acid. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0009108': { - 'name': 'coenzyme biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of coenzymes, any of various nonprotein organic cofactors that are required, in addition to an enzyme and a substrate, for an enzymatic reaction to proceed. [GOC:ai]' - }, - 'GO:0009109': { - 'name': 'coenzyme catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of coenzymes, any of various nonprotein organic cofactors that are required, in addition to an enzyme and a substrate, for an enzymatic reaction to proceed. [GOC:ai]' - }, - 'GO:0009110': { - 'name': 'vitamin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a vitamin, one of a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009111': { - 'name': 'vitamin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a vitamin, one of a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. [GOC:ai]' - }, - 'GO:0009112': { - 'name': 'nucleobase metabolic process', - 'def': 'The chemical reactions and pathways involving a nucleobase, a nitrogenous base that is a constituent of a nucleic acid, e.g. the purines: adenine, guanine, hypoxanthine, xanthine and the pyrimidines: cytosine, uracil, thymine. [GOC:ma]' - }, - 'GO:0009113': { - 'name': 'purine nucleobase biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine nucleobases, one of the two classes of nitrogen-containing ring compounds found in DNA and RNA, which include adenine and guanine. [CHEBI:26386, GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009114': { - 'name': 'hypoxanthine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hypoxanthine, 6-hydroxy purine, an intermediate in the degradation of adenylate. Its ribonucleoside is known as inosine and its ribonucleotide as inosinate. [GOC:go_curators]' - }, - 'GO:0009115': { - 'name': 'xanthine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of xanthine, 2,6-dihydroxypurine, a purine formed in the metabolic breakdown of guanine but not present in nucleic acids. [GOC:go_curators]' - }, - 'GO:0009116': { - 'name': 'nucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving a nucleoside, a nucleobase linked to either beta-D-ribofuranose (a ribonucleoside) or 2-deoxy-beta-D-ribofuranose, (a deoxyribonucleoside), e.g. adenosine, guanosine, inosine, cytidine, uridine and deoxyadenosine, deoxyguanosine, deoxycytidine and thymidine (= deoxythymidine). [GOC:ma]' - }, - 'GO:0009117': { - 'name': 'nucleotide metabolic process', - 'def': 'The chemical reactions and pathways involving a nucleotide, a nucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the glycose moiety; may be mono-, di- or triphosphate; this definition includes cyclic nucleotides (nucleoside cyclic phosphates). [GOC:ma]' - }, - 'GO:0009118': { - 'name': 'regulation of nucleoside metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving nucleosides. [GOC:go_curators]' - }, - 'GO:0009119': { - 'name': 'ribonucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving any ribonucleoside, a nucleoside in which purine or pyrimidine base is linked to a ribose (beta-D-ribofuranose) molecule. [CHEBI:18254, GOC:jl]' - }, - 'GO:0009120': { - 'name': 'deoxyribonucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving any one of a family of organic molecules consisting of a purine or pyrimidine base covalently bonded to a sugar deoxyribose (a deoxyribonucleoside). [GOC:jl, ISBN:0140512713]' - }, - 'GO:0009123': { - 'name': 'nucleoside monophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a nucleoside monophosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009124': { - 'name': 'nucleoside monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a nucleoside monophosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009125': { - 'name': 'nucleoside monophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a nucleoside monophosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009126': { - 'name': 'purine nucleoside monophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving purine nucleoside monophosphate, a compound consisting of a purine base linked to a ribose or deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009127': { - 'name': 'purine nucleoside monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine nucleoside monophosphate, a compound consisting of a purine base linked to a ribose or deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009128': { - 'name': 'purine nucleoside monophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine nucleoside monophosphate, a compound consisting of a purine base linked to a ribose or deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009129': { - 'name': 'pyrimidine nucleoside monophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine nucleoside monophosphate, a compound consisting of a pyrimidine base linked to a ribose or deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009130': { - 'name': 'pyrimidine nucleoside monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine nucleoside monophosphate, a compound consisting of a pyrimidine base linked to a ribose or deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009131': { - 'name': 'pyrimidine nucleoside monophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine nucleoside monophosphate, a compound consisting of a pyrimidine base linked to a ribose or deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009132': { - 'name': 'nucleoside diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a nucleoside diphosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009133': { - 'name': 'nucleoside diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a nucleoside diphosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009134': { - 'name': 'nucleoside diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a nucleoside diphosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009135': { - 'name': 'purine nucleoside diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving purine nucleoside diphosphate, a compound consisting of a purine base linked to a ribose or deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009136': { - 'name': 'purine nucleoside diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine nucleoside diphosphate, a compound consisting of a purine base linked to a ribose or deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009137': { - 'name': 'purine nucleoside diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine nucleoside diphosphate, a compound consisting of a purine base linked to a ribose or deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009138': { - 'name': 'pyrimidine nucleoside diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine nucleoside diphosphate, a compound consisting of a pyrimidine base linked to a ribose or deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009139': { - 'name': 'pyrimidine nucleoside diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine nucleoside diphosphate, a compound consisting of a pyrimidine base linked to a ribose or deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009140': { - 'name': 'pyrimidine nucleoside diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine nucleoside diphosphate, a compound consisting of a pyrimidine base linked to a ribose or deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009141': { - 'name': 'nucleoside triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a nucleoside triphosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009142': { - 'name': 'nucleoside triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a nucleoside triphosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009143': { - 'name': 'nucleoside triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a nucleoside triphosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009144': { - 'name': 'purine nucleoside triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving purine nucleoside triphosphate, a compound consisting of a purine base linked to a ribose or deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009145': { - 'name': 'purine nucleoside triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine nucleoside triphosphate, a compound consisting of a purine base linked to a ribose or deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009146': { - 'name': 'purine nucleoside triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine nucleoside triphosphate, a compound consisting of a purine base linked to a ribose or deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009147': { - 'name': 'pyrimidine nucleoside triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine nucleoside triphosphate, a compound consisting of a pyrimidine base linked to a ribose or deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009148': { - 'name': 'pyrimidine nucleoside triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine nucleoside triphosphate, a compound consisting of a pyrimidine base linked to a ribose or deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009149': { - 'name': 'pyrimidine nucleoside triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine nucleoside triphosphate, a compound consisting of a pyrimidine base linked to a ribose or deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009150': { - 'name': 'purine ribonucleotide metabolic process', - 'def': "The chemical reactions and pathways involving a purine ribonucleotide, a compound consisting of ribonucleoside (a purine base linked to a ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009151': { - 'name': 'purine deoxyribonucleotide metabolic process', - 'def': "The chemical reactions and pathways involving purine deoxyribonucleotide, a compound consisting of deoxyribonucleoside (a purine base linked to a deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009152': { - 'name': 'purine ribonucleotide biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a purine ribonucleotide, a compound consisting of ribonucleoside (a purine base linked to a ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009153': { - 'name': 'purine deoxyribonucleotide biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of purine deoxyribonucleotide, a compound consisting of deoxyribonucleoside (a purine base linked to a deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009154': { - 'name': 'purine ribonucleotide catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a purine ribonucleotide, a compound consisting of ribonucleoside (a purine base linked to a ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009155': { - 'name': 'purine deoxyribonucleotide catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of purine deoxyribonucleotide, a compound consisting of deoxyribonucleoside (a purine base linked to a deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009156': { - 'name': 'ribonucleoside monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a ribonucleoside monophosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009157': { - 'name': 'deoxyribonucleoside monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a deoxyribonucleoside monophosphate, a compound consisting of a nucleobase linked to a deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009158': { - 'name': 'ribonucleoside monophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a ribonucleoside monophosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009159': { - 'name': 'deoxyribonucleoside monophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a deoxyribonucleoside monophosphate, a compound consisting of a nucleobase linked to a deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009161': { - 'name': 'ribonucleoside monophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a ribonucleoside monophosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009162': { - 'name': 'deoxyribonucleoside monophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a deoxyribonucleoside monophosphate, a compound consisting of a nucleobase linked to a deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009163': { - 'name': 'nucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any one of a family of organic molecules consisting of a purine or pyrimidine base covalently bonded to a sugar ribose (a ribonucleoside) or deoxyribose (a deoxyribonucleoside). [GOC:jl, ISBN:0140512713]' - }, - 'GO:0009164': { - 'name': 'nucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any one of a family of organic molecules consisting of a purine or pyrimidine base covalently bonded to a sugar ribose (a ribonucleoside) or deoxyribose (a deoxyribonucleoside). [GOC:jl]' - }, - 'GO:0009165': { - 'name': 'nucleotide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nucleotides, any nucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the glycose moiety; may be mono-, di- or triphosphate; this definition includes cyclic-nucleotides (nucleoside cyclic phosphates). [GOC:go_curators]' - }, - 'GO:0009166': { - 'name': 'nucleotide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nucleotides, any nucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the glycose moiety; may be mono-, di- or triphosphate; this definition includes cyclic-nucleotides (nucleoside cyclic phosphates). [GOC:go_curators]' - }, - 'GO:0009167': { - 'name': 'purine ribonucleoside monophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving purine ribonucleoside monophosphate, a compound consisting of a purine base linked to a ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009168': { - 'name': 'purine ribonucleoside monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine ribonucleoside monophosphate, a compound consisting of a purine base linked to a ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009169': { - 'name': 'purine ribonucleoside monophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine ribonucleoside monophosphate, a compound consisting of a purine base linked to a ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009170': { - 'name': 'purine deoxyribonucleoside monophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving purine deoxyribonucleoside monophosphate, a compound consisting of a purine base linked to a deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009171': { - 'name': 'purine deoxyribonucleoside monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine deoxyribonucleoside monophosphate, a compound consisting of a purine base linked to a deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009172': { - 'name': 'purine deoxyribonucleoside monophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine deoxyribonucleoside monophosphate, a compound consisting of a purine base linked to a deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009173': { - 'name': 'pyrimidine ribonucleoside monophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine ribonucleoside monophosphate, a compound consisting of a pyrimidine base linked to a ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009174': { - 'name': 'pyrimidine ribonucleoside monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine ribonucleoside monophosphate, a compound consisting of a pyrimidine base linked to a ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009175': { - 'name': 'pyrimidine ribonucleoside monophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine ribonucleoside monophosphate, a compound consisting of a pyrimidine base linked to a ribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009176': { - 'name': 'pyrimidine deoxyribonucleoside monophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine deoxynucleoside monophosphate, a compound consisting of a pyrimidine base linked to a deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009177': { - 'name': 'pyrimidine deoxyribonucleoside monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine deoxynucleoside monophosphate, a compound consisting of a pyrimidine base linked to a deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009178': { - 'name': 'pyrimidine deoxyribonucleoside monophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine deoxynucleoside monophosphate, a compound consisting of a pyrimidine base linked to a deoxyribose sugar esterified with phosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009179': { - 'name': 'purine ribonucleoside diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving purine ribonucleoside diphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009180': { - 'name': 'purine ribonucleoside diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine ribonucleoside diphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009181': { - 'name': 'purine ribonucleoside diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine ribonucleoside diphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009182': { - 'name': 'purine deoxyribonucleoside diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving purine deoxyribonucleoside diphosphate, a compound consisting of a purine base linked to a deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009183': { - 'name': 'purine deoxyribonucleoside diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine deoxyribonucleoside diphosphate, a compound consisting of a purine base linked to a deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009184': { - 'name': 'purine deoxyribonucleoside diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine deoxyribonucleoside diphosphate, a compound consisting of a purine base linked to a deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009185': { - 'name': 'ribonucleoside diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a ribonucleoside diphosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009186': { - 'name': 'deoxyribonucleoside diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a deoxyribonucleoside diphosphate, a compound consisting of a nucleobase linked to a deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009187': { - 'name': 'cyclic nucleotide metabolic process', - 'def': 'The chemical reactions and pathways involving a cyclic nucleotide, a nucleotide in which the phosphate group is in diester linkage to two positions on the sugar residue. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009188': { - 'name': 'ribonucleoside diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a ribonucleoside diphosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009189': { - 'name': 'deoxyribonucleoside diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a deoxyribonucleoside diphosphate, a compound consisting of a nucleobase linked to a deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009190': { - 'name': 'cyclic nucleotide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a cyclic nucleotide, a nucleotide in which the phosphate group is in diester linkage to two positions on the sugar residue. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009191': { - 'name': 'ribonucleoside diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a ribonucleoside diphosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009192': { - 'name': 'deoxyribonucleoside diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a deoxyribonucleoside diphosphate, a compound consisting of a nucleobase linked to a deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009193': { - 'name': 'pyrimidine ribonucleoside diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine ribonucleoside diphosphate, a compound consisting of a pyrimidine base linked to a ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009194': { - 'name': 'pyrimidine ribonucleoside diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine ribonucleoside diphosphate, a compound consisting of a pyrimidine base linked to a ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009195': { - 'name': 'pyrimidine ribonucleoside diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine ribonucleoside diphosphate, a compound consisting of a pyrimidine base linked to a ribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009196': { - 'name': 'pyrimidine deoxyribonucleoside diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine deoxynucleoside diphosphate, a compound consisting of a pyrimidine base linked to a deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009197': { - 'name': 'pyrimidine deoxyribonucleoside diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine deoxyribonucleoside diphosphate, a compound consisting of a pyrimidine base linked to a deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009198': { - 'name': 'pyrimidine deoxyribonucleoside diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine deoxynucleoside diphosphate, a compound consisting of a pyrimidine base linked to a deoxyribose sugar esterified with diphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009199': { - 'name': 'ribonucleoside triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a ribonucleoside triphosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009200': { - 'name': 'deoxyribonucleoside triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a deoxyribonucleoside triphosphate, a compound consisting of a nucleobase linked to a deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009201': { - 'name': 'ribonucleoside triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a ribonucleoside triphosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009202': { - 'name': 'deoxyribonucleoside triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a deoxyribonucleoside triphosphate, a compound consisting of a nucleobase linked to a deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009203': { - 'name': 'ribonucleoside triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a ribonucleoside triphosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009204': { - 'name': 'deoxyribonucleoside triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a deoxyribonucleoside triphosphate, a compound consisting of a nucleobase linked to a deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009205': { - 'name': 'purine ribonucleoside triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving purine ribonucleoside triphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009206': { - 'name': 'purine ribonucleoside triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine ribonucleoside triphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009207': { - 'name': 'purine ribonucleoside triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine ribonucleoside triphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009208': { - 'name': 'pyrimidine ribonucleoside triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine ribonucleoside triphosphate, a compound consisting of a pyrimidine base linked to a ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009209': { - 'name': 'pyrimidine ribonucleoside triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine ribonucleoside triphosphate, a compound consisting of a pyrimidine base linked to a ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009210': { - 'name': 'pyrimidine ribonucleoside triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine ribonucleoside triphosphate, a compound consisting of a pyrimidine base linked to a ribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009211': { - 'name': 'pyrimidine deoxyribonucleoside triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyrimidine deoxyribonucleoside triphosphate, a compound consisting of a pyrimidine base linked to a deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009212': { - 'name': 'pyrimidine deoxyribonucleoside triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine deoxyribonucleoside triphosphate, a compound consisting of a pyrimidine base linked to a deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009213': { - 'name': 'pyrimidine deoxyribonucleoside triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrimidine deoxyribonucleoside triphosphate, a compound consisting of a pyrimidine base linked to a deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009214': { - 'name': 'cyclic nucleotide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a cyclic nucleotide, a nucleotide in which the phosphate group is in diester linkage to two positions on the sugar residue. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009215': { - 'name': 'purine deoxyribonucleoside triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving purine deoxyribonucleoside triphosphate, a compound consisting of a purine base linked to a deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009216': { - 'name': 'purine deoxyribonucleoside triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of purine deoxyribonucleoside triphosphate, a compound consisting of a purine base linked to a deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009217': { - 'name': 'purine deoxyribonucleoside triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine deoxyribonucleoside triphosphate, a compound consisting of a purine base linked to a deoxyribose sugar esterified with triphosphate on the sugar. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009218': { - 'name': 'pyrimidine ribonucleotide metabolic process', - 'def': "The chemical reactions and pathways involving a pyrimidine ribonucleotide, a compound consisting of nucleoside (a pyrimidine base linked to a ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009219': { - 'name': 'pyrimidine deoxyribonucleotide metabolic process', - 'def': "The chemical reactions and pathways involving a pyrimidine deoxynucleotide, a compound consisting of nucleoside (a pyrimidine base linked to a deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009220': { - 'name': 'pyrimidine ribonucleotide biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a pyrimidine ribonucleotide, a compound consisting of nucleoside (a pyrimidine base linked to a ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009221': { - 'name': 'pyrimidine deoxyribonucleotide biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a pyrimidine deoxyribonucleotide, a compound consisting of nucleoside (a pyrimidine base linked to a deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009222': { - 'name': 'pyrimidine ribonucleotide catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a pyrimidine ribonucleotide, a compound consisting of nucleoside (a pyrimidine base linked to a ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009223': { - 'name': 'pyrimidine deoxyribonucleotide catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a pyrimidine deoxyribonucleotide, a compound consisting of nucleoside (a pyrimidine base linked to a deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009224': { - 'name': 'CMP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of CMP, cytidine monophosphate. [ISBN:0198506732]' - }, - 'GO:0009225': { - 'name': 'nucleotide-sugar metabolic process', - 'def': "The cellular chemical reactions and pathways involving nucleotide-sugars, any nucleotide-carbohydrate in which the distal phosphoric residue of a nucleoside 5'-diphosphate is in glycosidic linkage with a monosaccharide or monosaccharide derivative. [ISBN:0198506732]" - }, - 'GO:0009226': { - 'name': 'nucleotide-sugar biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of nucleotide-sugars, any nucleotide-carbohydrate in which the distal phosphoric residue of a nucleoside 5'-diphosphate is in glycosidic linkage with a monosaccharide or monosaccharide derivative. [ISBN:0198506732]" - }, - 'GO:0009227': { - 'name': 'nucleotide-sugar catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of nucleotide-sugars, any nucleotide-carbohydrate in which the distal phosphoric residue of a nucleoside 5'-diphosphate is in glycosidic linkage with a monosaccharide or monosaccharide derivative. [ISBN:0198506732]" - }, - 'GO:0009228': { - 'name': 'thiamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of thiamine (vitamin B1), a water soluble vitamin present in fresh vegetables and meats, especially liver. [CHEBI:18385, GOC:jl, ISBN:0198506732]' - }, - 'GO:0009229': { - 'name': 'thiamine diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of thiamine diphosphate, a derivative of thiamine (vitamin B1) which acts as a coenzyme in a range of processes including the Krebs cycle. [CHEBI:45931, GOC:jl, ISBN:0140512713]' - }, - 'GO:0009230': { - 'name': 'thiamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of thiamine (vitamin B1), a water soluble vitamin present in fresh vegetables and meats, especially liver. [CHEBI:18385, GOC:jl, ISBN:0198506732]' - }, - 'GO:0009231': { - 'name': 'riboflavin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of riboflavin (vitamin B2), the precursor for the coenzymes flavin mononucleotide (FMN) and flavin adenine dinucleotide (FAD). [GOC:jl, http://www.indstate.edu/thcme/mwking/vitamins.html]' - }, - 'GO:0009232': { - 'name': 'riboflavin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of riboflavin (vitamin B2), the precursor for the coenzymes flavin mononucleotide (FMN) and flavin adenine dinucleotide (FAD). [GOC:jl, http://www.indstate.edu/thcme/mwking/vitamins.html]' - }, - 'GO:0009233': { - 'name': 'menaquinone metabolic process', - 'def': 'The chemical reactions and pathways involving any of the menaquinones, quinone-derived compounds synthesized by intestinal bacteria. Structurally, menaquinones consist of a methylated naphthoquinone ring structure and side chains composed of a variable number of unsaturated isoprenoid residues. Menaquinones have vitamin K activity and are known as vitamin K2. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0009234': { - 'name': 'menaquinone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any of the menaquinones. Structurally, menaquinones consist of a methylated naphthoquinone ring structure and side chains composed of a variable number of unsaturated isoprenoid residues. Menaquinones that have vitamin K activity and are known as vitamin K2. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0009235': { - 'name': 'cobalamin metabolic process', - 'def': 'The chemical reactions and pathways involving cobalamin (vitamin B12), a water-soluble vitamin characterized by possession of a corrin nucleus containing a cobalt atom. [GOC:go_curators]' - }, - 'GO:0009236': { - 'name': 'cobalamin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cobalamin (vitamin B12), a water-soluble vitamin characterized by possession of a corrin nucleus containing a cobalt atom. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009237': { - 'name': 'siderophore metabolic process', - 'def': 'The chemical reactions and pathways involving siderophores, low molecular weight Fe(III)-chelating substances made by aerobic or facultatively anaerobic bacteria, especially when growing under iron deficient conditions. The complexes of Fe(3+)-siderophores have very high stability constants and are taken up by specific transport systems by microorganisms; the subsequent release of iron requires enzymatic action. [ISBN:0198547684]' - }, - 'GO:0009238': { - 'name': 'enterobactin metabolic process', - 'def': "The chemical reactions and pathways involving enterobactin, a catechol-derived siderochrome of Enterobacteria; enterobactin (N',N',N''-(2,6,10-trioxo-1,5,9-triacyclodecane-3,7,11-triyl)tris(2,3-dihydroxy)benzamide) is a self-triester of 2,3-dihydroxy-N-benzoyl-L-serine and a product of the shikimate pathway. [ISBN:0198547684]" - }, - 'GO:0009239': { - 'name': 'enterobactin biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of enterobactin, a catechol-derived siderochrome of Enterobacteria; enterobactin (N',N',N''-(2,6,10-trioxo-1,5,9-triacyclodecane-3,7,11-triyl)tris(2,3-dihydroxy)benzamide) is a self-triester of 2,3-dihydroxy-N-benzoyl-L-serine and a product of the shikimate pathway. [GOC:go_curators]" - }, - 'GO:0009240': { - 'name': 'isopentenyl diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isopentenyl diphosphate, an isomer of dimethylallyl diphosphate and the key precursor of all isoprenoids. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009242': { - 'name': 'colanic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of colanic acid, a capsular bacterial polysaccharide. [GOC:ai]' - }, - 'GO:0009243': { - 'name': 'O antigen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the O side chain of a lipopolysaccharide, which determines the antigenic specificity of the organism. It is made up of about 50 repeating units of a branched tetrasaccharide. [ISBN:0198506732]' - }, - 'GO:0009244': { - 'name': 'lipopolysaccharide core region biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the core region of bacterial lipopolysaccharides, which contains ten saccharide residues. [ISBN:0198506732]' - }, - 'GO:0009245': { - 'name': 'lipid A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lipid A, the glycolipid group of bacterial lipopolysaccharides, consisting of four to six fatty acyl chains linked to two glucosamine residues. Further modifications of the backbone are common. [ISBN:0198506732, PMID:20974832, PMID:22216004]' - }, - 'GO:0009246': { - 'name': 'enterobacterial common antigen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the enterobacterial common antigen, an acidic polysaccharide containing N-acetyl-D-glucosamine, N-acetyl-D-mannosaminouronic acid, and 4-acetamido-4,6-dideoxy-D-galactose. A major component of the cell wall outer membrane of Gram-negative bacteria. [GOC:ma]' - }, - 'GO:0009247': { - 'name': 'glycolipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycolipid, a class of 1,2-di-O-acylglycerols joined at oxygen 3 by a glycosidic linkage to a carbohydrate part (usually a mono-, di- or tri-saccharide). [CHEBI:33563, GOC:go_curators]' - }, - 'GO:0009248': { - 'name': 'K antigen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a K antigen, a capsular polysaccharide antigen carried on the surface of bacterial capsules that masks somatic (O) antigens. [ISBN:0198506732]' - }, - 'GO:0009249': { - 'name': 'protein lipoylation', - 'def': 'The addition of a lipoyl group to an amino acid residue in a protein. [GOC:mah]' - }, - 'GO:0009250': { - 'name': 'glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucans, polysaccharides consisting only of glucose residues. [GOC:go_curators]' - }, - 'GO:0009251': { - 'name': 'glucan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucans, polysaccharides consisting only of glucose residues. [GOC:go_curators]' - }, - 'GO:0009252': { - 'name': 'peptidoglycan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of peptidoglycans, any of a class of glycoconjugates found in bacterial cell walls. [http://www.dsmz.de/species/murein.htm, ISBN:0198506732]' - }, - 'GO:0009253': { - 'name': 'peptidoglycan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of peptidoglycans, any of a class of glycoconjugates found in bacterial cell walls. [http://www.dsmz.de/species/murein.htm, ISBN:0198506732]' - }, - 'GO:0009254': { - 'name': 'peptidoglycan turnover', - 'def': 'The continual breakdown and regeneration of peptidoglycan required to maintain the cell wall. [GOC:jl]' - }, - 'GO:0009255': { - 'name': 'Entner-Doudoroff pathway through 6-phosphogluconate', - 'def': 'A pathway that converts a carbohydrate to pyruvate and glyceraldehyde-3 phosphate by producing 6-phosphogluconate and then dehydrating it. [GOC:jl, MetaCyc:ENTNER-DOUDOROFF-PWY-I, PMID:12921356]' - }, - 'GO:0009256': { - 'name': '10-formyltetrahydrofolate metabolic process', - 'def': 'The chemical reactions and pathways involving 10-formyltetrahydrofolate, the formylated derivative of tetrahydrofolate. [GOC:ai]' - }, - 'GO:0009257': { - 'name': '10-formyltetrahydrofolate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 10-formyltetrahydrofolate, the formylated derivative of tetrahydrofolate. [GOC:ai]' - }, - 'GO:0009258': { - 'name': '10-formyltetrahydrofolate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 10-formyltetrahydrofolate, the formylated derivative of tetrahydrofolate. [GOC:ai]' - }, - 'GO:0009259': { - 'name': 'ribonucleotide metabolic process', - 'def': "The chemical reactions and pathways involving a ribonucleotide, a compound consisting of ribonucleoside (a base linked to a ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009260': { - 'name': 'ribonucleotide biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a ribonucleotide, a compound consisting of ribonucleoside (a base linked to a ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009261': { - 'name': 'ribonucleotide catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a ribonucleotide, a compound consisting of ribonucleoside (a base linked to a ribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009262': { - 'name': 'deoxyribonucleotide metabolic process', - 'def': "The chemical reactions and pathways involving a deoxyribonucleotide, a compound consisting of deoxyribonucleoside (a base linked to a deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009263': { - 'name': 'deoxyribonucleotide biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a deoxyribonucleotide, a compound consisting of deoxyribonucleoside (a base linked to a deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009264': { - 'name': 'deoxyribonucleotide catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a deoxyribonucleotide, a compound consisting of deoxyribonucleoside (a base linked to a deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0009265': { - 'name': "2'-deoxyribonucleotide biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of a 2'-deoxyribonucleotide, a compound consisting of 2'-deoxyribonucleoside (a base linked to a 2'-deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:mah]" - }, - 'GO:0009266': { - 'name': 'response to temperature stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a temperature stimulus. [GOC:hb]' - }, - 'GO:0009267': { - 'name': 'cellular response to starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of nourishment. [GOC:jl]' - }, - 'GO:0009268': { - 'name': 'response to pH', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pH stimulus. pH is a measure of the acidity or basicity of an aqueous solution. [GOC:jl, http://en.wikipedia.org/wiki/PH]' - }, - 'GO:0009269': { - 'name': 'response to desiccation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a desiccation stimulus, extreme dryness resulting from the prolonged deprivation of water. [GOC:jl]' - }, - 'GO:0009270': { - 'name': 'response to humidity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a humidity stimulus, moisture in the atmosphere. [GOC:jl]' - }, - 'GO:0009271': { - 'name': 'phage shock', - 'def': 'A response by bacterial cells to a variety of stresses including filamentous phage infection, mislocalization of envelope proteins, extremes of temperature, osmolarity or ethanol concentration, and the presence of proton ionophores such as carbonylcyanide m-chlorophenylhydrazone (CCCP), that involves expression of the phage shock protein operon, and acts to protect the bacterial cells from damage. [GOC:add, GOC:jl, PMID:15485810, PMID:16045608]' - }, - 'GO:0009272': { - 'name': 'fungal-type cell wall biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a fungal-type cell wall. The fungal-type cell wall contains beta-glucan and may contain chitin. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0009273': { - 'name': 'peptidoglycan-based cell wall biogenesis', - 'def': 'The chemical reactions and pathways resulting in the formation of the peptidoglycan-based cell wall. An example of this process is found in Escherichia coli. [GOC:go_curators]' - }, - 'GO:0009274': { - 'name': 'peptidoglycan-based cell wall', - 'def': 'A protective structure outside the cytoplasmic membrane composed of peptidoglycan (also known as murein), a molecule made up of a glycan (sugar) backbone of repetitively alternating N-acetylglucosamine and N-acetylmuramic acid with short, attached, cross-linked peptide chains containing unusual amino acids. An example of this component is found in Escherichia coli. [GOC:mlg, ISBN:0815108893]' - }, - 'GO:0009275': { - 'name': 'Gram-positive-bacterium-type cell wall', - 'def': 'A layer of peptidoglycan found outside of the cytoplasmic membrane. The peptidoglycan is relatively thick (20-80nm) and retains the primary stain of the Gram procedure, thus cells appear blue after Gram stain. The cell walls often contain teichoic acids (acidic anionic polysaccharides) bound to the peptidoglycan. Examples of this component are found in Gram-positive bacteria. [GOC:mlg, ISBN:0051406910, ISBN:0815108893]' - }, - 'GO:0009276': { - 'name': 'Gram-negative-bacterium-type cell wall', - 'def': 'The peptidoglycan layer of the Gram-negative cell envelope. In Gram-negative cells the peptidoglycan is relatively thin (1-2nm) and is linked to the outer membrane by lipoproteins. In Gram-negative cells the peptidoglycan is too thin to retain the primary stain in the Gram staining procedure and therefore cells appear red after Gram stain. [GOC:mlg, ISBN:0815108893]' - }, - 'GO:0009277': { - 'name': 'fungal-type cell wall', - 'def': 'A rigid yet dynamic structure surrounding the plasma membrane that affords protection from stresses and contributes to cell morphogenesis, consisting of extensively cross-linked glycoproteins and carbohydrates. The glycoproteins may be modified with N- or O-linked carbohydrates, or glycosylphosphatidylinositol (GPI) anchors; the polysaccharides are primarily branched glucans, including beta-linked and alpha-linked glucans, and may also include chitin and other carbohydrate polymers, but not cellulose or pectin. Enzymes involved in cell wall biosynthesis are also found in the cell wall. Note that some forms of fungi develop a capsule outside of the cell wall under certain circumstances; this is considered a separate structure. [GOC:mcc, GOC:mtg_sensu, ISBN:3540601864, PMID:11283274, PMID:16927300, PMID:3319422]' - }, - 'GO:0009278': { - 'name': 'obsolete murein sacculus', - 'def': 'OBSOLETE. A peptidoglycan polymer that forms the shape-determining structure of the cell all of Gram-negative bacteria. [GOC:ma]' - }, - 'GO:0009279': { - 'name': 'cell outer membrane', - 'def': 'A lipid bilayer that forms the outermost membrane of the cell envelope; enriched in polysaccharide and protein; the outer leaflet of the membrane contains specific lipopolysaccharide structures. [GOC:md, GOC:mtg_sensu, ISBN:0135712254]' - }, - 'GO:0009280': { - 'name': 'obsolete cell wall inner membrane', - 'def': 'OBSOLETE. In Gram-negative bacteria the membrane that separates the cytoplasm from the murein sacculus. [GOC:ma]' - }, - 'GO:0009288': { - 'name': 'bacterial-type flagellum', - 'def': 'A motor complex composed of an extracellular helical protein filament coupled to a rotary motor embedded in the cell envelope. [GOC:cilia, GOC:jh2, GOC:krc, GOC:mtg_sensu, http:en.wikipedia.org/wiki/Flagellum#Bacterial, PMID:7787060]' - }, - 'GO:0009289': { - 'name': 'pilus', - 'def': 'A proteinaceous hair-like appendage on the surface of bacteria ranging from 2-8 nm in diameter. [GOC:pamgo_curators]' - }, - 'GO:0009290': { - 'name': 'DNA import into cell involved in transformation', - 'def': 'The directed movement of DNA into a cell that contributes to the process of transformation, the uptake of foreign genetic material into a cell. [GOC:ai]' - }, - 'GO:0009291': { - 'name': 'unidirectional conjugation', - 'def': "The process of unidirectional (polarized) transfer of genetic information involving direct cellular contact between a donor and recipient cell; the contact is followed by the formation of a cellular bridge that physically connects the cells; some or all of the chromosome(s) of one cell ('male') is then transferred into the other cell ('female'); unidirectional conjugation occurs between cells of different mating types. Examples of this process are found in Prokaryotes. [ISBN:0387520546]" - }, - 'GO:0009292': { - 'name': 'genetic transfer', - 'def': 'In the absence of a sexual life cycle, the process involved in the introduction of genetic information to create a genetically different individual. [GOC:clt]' - }, - 'GO:0009293': { - 'name': 'transduction', - 'def': 'The transfer of genetic information to a bacterium from a bacteriophage or between bacterial or yeast cells mediated by a phage vector. [ISBN:0198506732]' - }, - 'GO:0009294': { - 'name': 'DNA mediated transformation', - 'def': 'The introduction and uptake of foreign genetic material (DNA or RNA) into a cell, and often the expression of that genetic material. [ISBN:0716720094, Wikipedia:Transformation_(genetics)]' - }, - 'GO:0009295': { - 'name': 'nucleoid', - 'def': 'The region of a virus, bacterial cell, mitochondrion or chloroplast to which the nucleic acid is confined. [GOC:bm, GOC:ma, ISBN:3540076689]' - }, - 'GO:0009296': { - 'name': 'obsolete flagellum assembly', - 'def': 'The assembly of a flagellum. In bacteria, this is a whiplike motility appendage present on the surface of some species; in eukaryotes, flagella are threadlike protoplasmic extensions used to propel flagellates and sperm. Flagella are composed of flagellin and have the same basic structure as cilia but are longer in proportion to the cell and present in much smaller numbers. [GOC:curators, ISBN:0815316194]' - }, - 'GO:0009297': { - 'name': 'pilus assembly', - 'def': 'The assembly of a pilus, a short filamentous structure on a bacterial cell, flagella-like in structure and generally present in many copies. Pili are variously involved in transfer of nucleic acids, adherence to surfaces, and formation of pellicles. Is required for bacterial conjugation, or can play a role in adherence to surfaces (when it is called a fimbrium), and in the formation of pellicles. [GOC:dgh, GOC:mcc2, GOC:tb]' - }, - 'GO:0009298': { - 'name': 'GDP-mannose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of GDP-mannose, a substance composed of mannose in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0009299': { - 'name': 'mRNA transcription', - 'def': 'The cellular synthesis of messenger RNA (mRNA) from a DNA template. [GOC:jl]' - }, - 'GO:0009300': { - 'name': 'antisense RNA transcription', - 'def': 'The synthesis of antisense RNA, an RNA molecule complementary in sequence to another RNA or DNA molecule, which, by binding the latter, acts to inhibit its function and/or completion of synthesis, on a template of DNA. [GOC:jl]' - }, - 'GO:0009301': { - 'name': 'snRNA transcription', - 'def': 'The synthesis of small nuclear RNA (snRNA) from a DNA template. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0009302': { - 'name': 'snoRNA transcription', - 'def': 'The synthesis of small nucleolar RNA (snoRNA) from a DNA template. [GOC:jl]' - }, - 'GO:0009303': { - 'name': 'rRNA transcription', - 'def': 'The synthesis of ribosomal RNA (rRNA), any RNA that forms part of the ribosomal structure, from a DNA template. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009304': { - 'name': 'tRNA transcription', - 'def': 'The synthesis of transfer RNA (tRNA) from a DNA template. [GOC:jl]' - }, - 'GO:0009305': { - 'name': 'protein biotinylation', - 'def': 'The addition of biotin (vitamin B7 / vitamin H) to a protein amino acid. [GOC:ai]' - }, - 'GO:0009306': { - 'name': 'protein secretion', - 'def': 'The controlled release of proteins from a cell. [GOC:ai]' - }, - 'GO:0009307': { - 'name': 'DNA restriction-modification system', - 'def': "A defense process found in many bacteria and archaea that protects the organism from invading foreign DNA by cleaving it with a restriction endonuclease. The organism's own DNA is protected by methylation of a specific nucleotide, which occurs immediately following replication, in the same target site as the restriction enzyme. [GOC:jl, UniProtKB-KW:KW-0680]" - }, - 'GO:0009308': { - 'name': 'amine metabolic process', - 'def': 'The chemical reactions and pathways involving any organic compound that is weakly basic in character and contains an amino or a substituted amino group. Amines are called primary, secondary, or tertiary according to whether one, two, or three carbon atoms are attached to the nitrogen atom. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009309': { - 'name': 'amine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any organic compound that is weakly basic in character and contains an amino or a substituted amino group. Amines are called primary, secondary, or tertiary according to whether one, two, or three carbon atoms are attached to the nitrogen atom. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009310': { - 'name': 'amine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any organic compound that is weakly basic in character and contains an amino or a substituted amino group. Amines are called primary, secondary, or tertiary according to whether one, two, or three carbon atoms are attached to the nitrogen atom. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009311': { - 'name': 'oligosaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving oligosaccharides, molecules with between two and (about) 20 monosaccharide residues connected by glycosidic linkages. [ISBN:0198506732]' - }, - 'GO:0009312': { - 'name': 'oligosaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of oligosaccharides, molecules with between two and (about) 20 monosaccharide residues connected by glycosidic linkages. [ISBN:0198506732]' - }, - 'GO:0009313': { - 'name': 'oligosaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of oligosaccharides, molecules with between two and (about) 20 monosaccharide residues connected by glycosidic linkages. [ISBN:0198506732]' - }, - 'GO:0009314': { - 'name': 'response to radiation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an electromagnetic radiation stimulus. Electromagnetic radiation is a propagating wave in space with electric and magnetic components. These components oscillate at right angles to each other and to the direction of propagation. [GOC:jl, Wikipedia:Electromagnetic_radiation]' - }, - 'GO:0009315': { - 'name': 'obsolete drug resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009316': { - 'name': '3-isopropylmalate dehydratase complex', - 'def': 'A heterodimeric enzyme complex composed of subunits leuC and leuD. Catalyzes the isomerization between 2-isopropylmalate and 3-isopropylmalate, via the formation of 2-isopropylmaleate. [BRENDA:4.2.1.33, GOC:jl, MetaCyc:3-ISOPROPYLMALISOM-CPLX, PMID:7026530]' - }, - 'GO:0009317': { - 'name': 'acetyl-CoA carboxylase complex', - 'def': 'A protein complex that catalyzes the first step in long-chain fatty acid biosynthesis. For example, in E. coli the complex is heterohexameric and composed of biotin carbonyl carrier protein, biotin carboxylase and the acetate CoA-transferase complex. [GOC:jl, GOC:mah, PMID:12121720]' - }, - 'GO:0009318': { - 'name': 'exodeoxyribonuclease VII complex', - 'def': "An enzyme complex that catalyzes exonucleolytic cleavage in either 5' to 3' or 3' to 5' direction to yield nucleoside 5'-phosphates; it prefers single-stranded DNA. [EC:3.1.11.6]" - }, - 'GO:0009319': { - 'name': 'cytochrome o ubiquinol oxidase complex', - 'def': 'A protein complex that possesses cytochrome o ubiquinol oxidase activity; consists of four polypeptide subunits and associated prosthetic groups. [GOC:mah, MetaCyc:CYT-O-UBIOX-CPLX, PMID:11017202, PMID:3052268]' - }, - 'GO:0009320': { - 'name': 'phosphoribosylaminoimidazole carboxylase complex', - 'def': 'A protein complex that possesses phosphoribosylaminoimidazole carboxylase activity. [GOC:mah]' - }, - 'GO:0009321': { - 'name': 'alkyl hydroperoxide reductase complex', - 'def': 'An enzyme complex, usually a homodimer, which directly reduces cellular levels of organic hydroperoxides. [BRENDA:1.11.1.15, GOC:jl, PMID:2649484]' - }, - 'GO:0009322': { - 'name': 'trimethylamine-N-oxide reductase complex', - 'def': 'An enzyme complex that catalyzes the reduction of trimethylamine N-oxide to trimethylamine. [EC:1.6.6.9]' - }, - 'GO:0009323': { - 'name': 'ribosomal-protein-alanine N-acetyltransferase complex', - 'def': 'An enzyme complex that catalyzes the transfer of an acetyl group to ribosomal-protein alanine, forming ribosomal-protein acetylalanine. [EC:2.3.1.128]' - }, - 'GO:0009324': { - 'name': 'D-amino-acid dehydrogenase complex', - 'def': 'A protein complex that possesses D-amino-acid dehydrogenase activity. [GOC:mah]' - }, - 'GO:0009325': { - 'name': 'nitrate reductase complex', - 'def': 'An enzyme complex that catalyzes the formation of nitrate from nitrite with the concomitant reduction of an acceptor. [EC:1.7.99.4]' - }, - 'GO:0009326': { - 'name': 'formate dehydrogenase complex', - 'def': 'An enzyme complex that catalyzes the dehydrogenation of formate to produce carbon dioxide (CO2). [EC:1.2.1.2]' - }, - 'GO:0009327': { - 'name': 'NAD(P)+ transhydrogenase complex (AB-specific)', - 'def': 'A protein complex that possesses NAD(P)+ transhydrogenase (AB-specific) activity. Homodimeric, trimeric, and heterotetrameric complexes have been identified. [BRENDA:1.6.1.2, GOC:mah]' - }, - 'GO:0009328': { - 'name': 'phenylalanine-tRNA ligase complex', - 'def': 'An enzyme complex that catalyzes the ligation of phenylalanine to tRNA(Phe), forming L-phenylalanyl-tRNA(Phe). [EC:6.1.1.20]' - }, - 'GO:0009329': { - 'name': 'acetate CoA-transferase complex', - 'def': 'A heterotetrameric enzyme complex made up of two alpha subunits and two beta subunits. Part of the acetyl-CoA carboxylase complex. Catalyzes the transfer of a carboxyl group to form malonyl-CoA. [GOC:jl, PMID:2719476, PMID:8423010]' - }, - 'GO:0009330': { - 'name': 'DNA topoisomerase complex (ATP-hydrolyzing)', - 'def': 'Complex that possesses DNA topoisomerase (ATP-hydrolyzing) activity. [GOC:mah]' - }, - 'GO:0009331': { - 'name': 'glycerol-3-phosphate dehydrogenase complex', - 'def': 'An enzyme complex that catalyzes the dehydrogenation of sn-glycerol 3-phosphate to form glycerone phosphate. [EC:1.1.5.3]' - }, - 'GO:0009332': { - 'name': 'glutamate-tRNA ligase complex', - 'def': 'An enzyme complex that catalyzes the ligation of glutamate and tRNA(Glu) to form glutamyl-tRNA(Glu). [EC:6.1.1.17]' - }, - 'GO:0009333': { - 'name': 'cysteine synthase complex', - 'def': 'Cysteine synthase is a multienzyme complex made up, in E. coli, of the heteromeric hexamer serine acetyltransferase and the homodimer O-acetylserine (thiol)-lyase A. [EC:4.2.99.8, MetaCyc:CYSSYNMULTI-CPLX]' - }, - 'GO:0009334': { - 'name': '3-phenylpropionate dioxygenase complex', - 'def': 'Enzyme complex consisting of four proteins: the two subunits of the hydroxylase component (hcaE and hcaF), a ferredoxin (hcaC) and a ferredoxin reductase (hcaD). Converts 3-phenylpropionic acid (PP) into cis-3-(3-carboxyethyl)-3,5-cyclohexadiene-1,2-diol (PP-dihydrodiol). [GOC:jl, MetaCyc:HCAMULTI-CPLX, PMID:9603882]' - }, - 'GO:0009335': { - 'name': 'obsolete holo-[acyl-carrier protein] synthase complex', - 'def': 'OBSOLETE. An enzyme complex that catalyzes the formation of holo-[acyl-carrier protein] from CoA and apo-[acyl-carrier protein]. [EC:2.7.8.7]' - }, - 'GO:0009336': { - 'name': 'sulfate adenylyltransferase complex (ATP)', - 'def': 'An enzyme complex that catalyzes the formation adenylylsulfate from sulfate and ATP. [EC:2.7.7.4]' - }, - 'GO:0009337': { - 'name': 'sulfite reductase complex (NADPH)', - 'def': 'A multisubunit iron flavoprotein, which in yeast is composed of 2 alpha and 2 beta subunits. Catalyzes the reduction of sulfite to sulfide. [BRENDA:1.8.1.2, GOC:jl]' - }, - 'GO:0009338': { - 'name': 'exodeoxyribonuclease V complex', - 'def': "An enzyme complex that catalyzes exonucleolytic cleavage (in the presence of ATP) in either 5' to 3' or 3' to 5' direction to yield 5'-phosphooligonucleotides. Exodeoxyribonuclease V shows a preference for double-stranded DNA and possesses DNA-dependent ATPase activity. It acts endonucleolytically on single-stranded circular DNA. [EC:3.1.11.5]" - }, - 'GO:0009339': { - 'name': 'glycolate oxidase complex', - 'def': 'An enzyme complex that catalyzes the oxidation of 2-hydroxy acid to form 2-oxo acid and hydrogen peroxide (H2O2). The enzyme is a flavoprotein (FMN). [EC:1.1.3.15]' - }, - 'GO:0009340': { - 'name': 'DNA topoisomerase IV complex', - 'def': 'A heterodimeric enzyme, which in most bacterial species is composed of two subunits, ParC and ParE. Functions in chromosome segregation and can relax supercoiled DNA. [GOC:jl, PMID:7783632]' - }, - 'GO:0009341': { - 'name': 'beta-galactosidase complex', - 'def': 'A protein complex that possesses beta-galactosidase activity, i.e. catalyzes the hydrolysis of terminal non-reducing beta-D-galactose residues in beta-D-galactosides. In E. coli, the complex is a homotetramer; dimeric and hexameric beta-galactosidase complexes have been observed in other species. [BRENDA:3.2.1.2, EC:3.2.1.23, PMID:15950161]' - }, - 'GO:0009342': { - 'name': 'glutamate synthase complex (NADPH)', - 'def': 'A complex that possesses glutamate synthase (NADPH) activity. [EC:1.4.1.13, GOC:mah]' - }, - 'GO:0009343': { - 'name': 'biotin carboxylase complex', - 'def': 'An enzyme complex that catalyzes the formation of carboxybiotin-carboxyl-carrier protein from biotin-carboxyl-carrier protein and carbon dioxide (CO2). [EC:6.3.4.14]' - }, - 'GO:0009344': { - 'name': 'nitrite reductase complex [NAD(P)H]', - 'def': 'Complex that possesses nitrite reductase [NAD(P)H] activity. [GOC:mah]' - }, - 'GO:0009345': { - 'name': 'glycine-tRNA ligase complex', - 'def': 'A multimeric enzyme complex which, in bacteria, is usually a tetramer of two alpha and two beta chains and in eukaryotes, is usually a homodimer. Functions in the ligation of glycine and tRNA(Gly) to form glycyl-tRNA(Gly). [EC:6.1.1.14, GOC:jl, PMID:15733854]' - }, - 'GO:0009346': { - 'name': 'citrate lyase complex', - 'def': 'Citrate lyase is a multienzyme complex with three constituents: the alpha subunit, citrate-ACP transferase; the beta subunit, citryl-ACP lyase; and the gamma subunit, an acyl-carrier protein which also carries the prosthetic group components. All three subunits are required for citrate lyase enzyme activity. [EC:4.1.3.6, MetaCyc:ACECITLY-CPLX]' - }, - 'GO:0009347': { - 'name': 'aspartate carbamoyltransferase complex', - 'def': 'A multienzyme complex that catalyzes the formation N-carbamoyl-L-aspartate from carbamoyl phosphate and L-aspartate. It exhibits a variety of architectural organizations, but in all microorganisms the core catalytic component is a homotrimer of approximately 34 kDa polypeptides. [PMID:10447693]' - }, - 'GO:0009348': { - 'name': 'ornithine carbamoyltransferase complex', - 'def': 'A homotrimeric protein complex that catalyzes the transfer of a carbamoyl group to ornithine, forming citrulline. [EC:2.1.3.3, GOC:mah]' - }, - 'GO:0009349': { - 'name': 'riboflavin synthase complex', - 'def': 'An flavoprotein that catalyzes the reaction the breakdown of dimethyl(ribityl)lumazine to form riboflavin and ribitylamino-amino-dihydroxypyrimidine. [EC:2.5.1.9]' - }, - 'GO:0009350': { - 'name': 'ethanolamine ammonia-lyase complex', - 'def': 'An enzyme complex that catalyzes the breakdown of ethanolamine to form acetaldehyde and ammonia. [EC:4.3.1.7]' - }, - 'GO:0009351': { - 'name': 'obsolete dihydrolipoamide S-acyltransferase complex', - 'def': 'OBSOLETE. An enzyme complex that catalyzes the transfer of an acyl group from coenzyme A to dihydrolipoamide. [EC:2.3.1.12]' - }, - 'GO:0009352': { - 'name': 'obsolete dihydrolipoyl dehydrogenase complex', - 'def': 'OBSOLETE. Complex that possesses dihydrolipoyl dehydrogenase activity. [GOC:mah]' - }, - 'GO:0009353': { - 'name': 'mitochondrial oxoglutarate dehydrogenase complex', - 'def': 'A complex of multiple copies of three enzymatic components: oxoglutarate dehydrogenase (lipoamide) ; EC:1.2.4.2 (E1), dihydrolipoamide S-succinyltransferase ; EC:2.3.1.61 (E2) and dihydrolipoamide dehydrogenase ; EC:1.8.1.4 (E3); catalyzes the overall conversion of 2-oxoglutarate to succinyl-CoA and carbon dioxide (CO2) within the mitochondrial matrix. An example of this complex is found in Mus musculus. [GOC:mtg_sensu, MetaCyc:CPLX66-42, PMID:10848975]' - }, - 'GO:0009354': { - 'name': 'obsolete dihydrolipoamide S-succinyltransferase complex', - 'def': 'OBSOLETE. An enzyme complex that catalyzes the transfer of succinyl-CoA to dihydrolipoamide to form S-succinyldihydrolipoamide. The enzyme is a component of the multienzyme 2-oxoglutarate dehydrogenase complex. [EC:2.3.1.61]' - }, - 'GO:0009355': { - 'name': 'DNA polymerase V complex', - 'def': "A DNA polymerase complex that contains two UmuD' and one UmuC subunits, and acts in translesion DNA synthesis. [PMID:10430871, PMID:10542196]" - }, - 'GO:0009356': { - 'name': 'aminodeoxychorismate synthase complex', - 'def': 'A heterodimeric protein complex that possesses 4-amino-4-deoxychorismate synthase activity. [PMID:2251281, PMID:7592344]' - }, - 'GO:0009357': { - 'name': 'protein-N(PI)-phosphohistidine-sugar phosphotransferase complex', - 'def': 'An enzyme complex that catalyzes the transfer of a phosphate from protein N(PI)-phosphohistidine to a sugar molecule. It is enzyme II of the phosphotransferase system. [EC:2.7.1.69]' - }, - 'GO:0009358': { - 'name': 'polyphosphate kinase complex', - 'def': 'A protein complex that possesses polyphosphate kinase activity. [GOC:mah]' - }, - 'GO:0009359': { - 'name': 'Type II site-specific deoxyribonuclease complex', - 'def': 'A protein complex that functions as an endonuclease to cleave DNA at or near a specific recognition site, when that site is unmethylated. These complexes may be dimers or tetramers; it is also possible for the endonuclease to be in a complex with the corresponding methyltransferase that methylates the recognition site. DNA restriction systems such as this are used by bacteria to defend against phage and other foreign DNA that may enter a cell. [PMID:12654995]' - }, - 'GO:0009360': { - 'name': 'DNA polymerase III complex', - 'def': "The DNA polymerase III holoenzyme is a complex that contains 10 different types of subunits. These subunits are organized into 3 functionally essential sub-assemblies: the pol III core, the beta sliding clamp processivity factor and the clamp-loading complex. The pol III core carries out the polymerase and the 3'-5' exonuclease proofreading activities. The polymerase is tethered to the template via the sliding clamp processivity factor. The clamp-loading complex assembles the beta processivity factor onto the primer template and plays a central role in the organization and communication at the replication fork. [PMID:11525729, PMID:12940977, UniProt:P06710]" - }, - 'GO:0009361': { - 'name': 'succinate-CoA ligase complex (ADP-forming)', - 'def': 'A heterodimeric enzyme complex, composed of an alpha and beta chain, most usually found in (but not limited to) bacteria. Functions in the TCA cycle, hydrolyzing succinyl-CoA into succinate and CoA, thereby forming ATP. [EC:6.2.1.5, GOC:jl]' - }, - 'GO:0009365': { - 'name': 'protein histidine kinase complex', - 'def': 'A complex that possesses protein histidine kinase activity. [GOC:mah]' - }, - 'GO:0009366': { - 'name': 'enterobactin synthetase complex', - 'def': 'A multienzyme complex usually composed of four proteins, EntB, EntD, EntE and EntF. Plays a role in the enterobactin biosynthesis pathway. [MetaCyc:ENTMULTI-CPLX, PMID:9485415]' - }, - 'GO:0009367': { - 'name': 'obsolete prepilin peptidase complex', - 'def': 'OBSOLETE. An enzyme complex that catalyzes the cleavage of a Gly-Phe bond to release an N-terminal, basic peptide of 5-8 residues from type IV prepilin, and then N-methylates the new N-terminal amino group. [EC:3.4.23.43]' - }, - 'GO:0009368': { - 'name': 'endopeptidase Clp complex', - 'def': 'A protein complex comprised of members of the ClpX, ClpC, ClpD, ClpP or ClpR protein families. ClpPs are the proteolytic subunit of active complexes, and ClpA and ClpX form the regulatory subunits. Enzymatically active and inactive complexes can form. [GOC:mah, PMID:11352464]' - }, - 'GO:0009371': { - 'name': 'positive regulation of transcription by pheromones', - 'def': 'Any process involving pheromones that activates or increases the rate of transcription. [GOC:go_curators]' - }, - 'GO:0009372': { - 'name': 'quorum sensing', - 'def': 'The process in which single-celled organisms monitor their population density by detecting the concentration of small, diffusible signal molecules produced by the cells themselves. [PMID:15716452, PMID:8288518]' - }, - 'GO:0009373': { - 'name': 'regulation of transcription by pheromones', - 'def': 'Any process involving pheromones that modulates the frequency, rate or extent of transcription. [GOC:go_curators]' - }, - 'GO:0009374': { - 'name': 'biotin binding', - 'def': 'Interacting selectively and non-covalently with biotin (cis-tetrahydro-2-oxothieno(3,4-d)imidazoline-4-valeric acid), the (+) enantiomer of which is very widely distributed in cells and serves as a carrier in a number of enzymatic beta-carboxylation reactions. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009375': { - 'name': 'ferredoxin hydrogenase complex', - 'def': 'An enzyme complex that catalyzes the oxidation of reduced ferredoxin. Hydrogenase contains iron-sulfur clusters, and some contain nickel; it can use molecular hydrogen for the reduction of a variety of substances. [EC:1.12.7.2]' - }, - 'GO:0009376': { - 'name': 'HslUV protease complex', - 'def': 'A protein complex that possesses ATP-dependent protease activity; consists of an ATPase large subunit with homology to other ClpX family ATPases and a peptidase small subunit related to the proteasomal beta-subunits of eukaryotes. In the E. coli complex, a double ring-shaped homohexamer of HslV is capped on each side by a ring-shaped HslU homohexamer. [GOC:bhm, PMID:12670962, UniProt:P0A6H5]' - }, - 'GO:0009377': { - 'name': 'obsolete HslUV protease activity', - 'def': 'OBSOLETE. Catalysis of the ATP-dependent hydrolysis of peptide bonds in substrates including E. coli SulA and misfolded proteins. [GOC:mah, PMID:10368141]' - }, - 'GO:0009378': { - 'name': 'four-way junction helicase activity', - 'def': 'Catalysis of the unwinding of the DNA helix of DNA containing four-way junctions, including Holliday junctions. [GOC:jl, PMID:9442895]' - }, - 'GO:0009379': { - 'name': 'Holliday junction helicase complex', - 'def': 'A DNA helicase complex that forms part of a Holliday junction resolvase complex, where the helicase activity is involved in the migration of the junction branch point. The best-characterized example is the E. coli RuvAB complex, in which a hexamer of RuvB subunits possesses helicase activity that is modulated by association with RuvA. [PMID:16935884, PMID:9442895]' - }, - 'GO:0009380': { - 'name': 'excinuclease repair complex', - 'def': 'Any of the protein complexes formed by the UvrABC excinuclease system, which carries out nucleotide excision repair. Three different complexes are formed by the 3 proteins as they proceed through the excision repair process. First a complex consisting of two A subunits and two B subunits bind DNA and unwind it around the damaged site. Then, the A subunits disassociate leaving behind a stable complex between B subunits and DNA. Now, subunit C binds to this B+DNA complex and causes subunit B to nick the DNA on one side of the complex while subunit C nicks the DNA on the other side of the complex. DNA polymerase I and DNA ligase can then repair the resulting gap. [GOC:mah, GOC:mlg, PMID:12145219, PMID:15192705]' - }, - 'GO:0009381': { - 'name': 'excinuclease ABC activity', - 'def': 'Catalysis of the hydrolysis of ester linkages within deoxyribonucleic acid at sites flanking regions of damaged DNA to which the Uvr ABC excinuclease complexes bind. [GOC:mah, PMID:15192705]' - }, - 'GO:0009382': { - 'name': 'imidazoleglycerol-phosphate synthase complex', - 'def': 'Complex that possesses imidazoleglycerol-phosphate synthase activity. [GOC:mah]' - }, - 'GO:0009383': { - 'name': 'rRNA (cytosine-C5-)-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to cytosine to form 5-methylcytosine in small subunit ribosomal RNA. [GOC:imk, PMID:10026269, PMID:18786544]' - }, - 'GO:0009384': { - 'name': 'N-acylmannosamine kinase activity', - 'def': 'Catalysis of the reaction: ATP + N-acyl-D-mannosamine = ADP + N-acyl-D-mannosamine 6-phosphate. [EC:2.7.1.60]' - }, - 'GO:0009385': { - 'name': 'N-acylmannosamine-6-phosphate 2-epimerase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-mannosamine-6-phosphate = N-acetyl-D-glucosamine-6-phosphate. [MetaCyc:NANE-RXN]' - }, - 'GO:0009386': { - 'name': 'translational attenuation', - 'def': 'Translational attenuation is a regulatory mechanism analogous to ribosome-mediated transcriptional attenuation. The system requires the presence of a short ORF, called a leader peptide, encoded in the mRNA upstream of the ribosome-binding site and start codon of the gene whose translation is to be regulated. Certain conditions, such as presence of the antibiotic tetracycline in bacteria or amino acid starvation, may cause slowing or stalling of the ribosome translating the leader peptide. The stalled ribosome masks a region of the mRNA and affects which of two alternative mRNA folded structures will form, therefore controlling whether or not a ribosome will bind and initiate translation of the downstream gene. Translational attenuation is analogous to ribosome-mediated transcriptional attenuation, in which mRNA remodeling caused by ribosome stalling regulates transcriptional termination rather than translational initiation. [PMID:15694341, PMID:15805513]' - }, - 'GO:0009388': { - 'name': 'obsolete antisense RNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0009389': { - 'name': 'dimethyl sulfoxide reductase activity', - 'def': 'Catalysis of the reaction: dimethyl sulfoxide + H+ = dimethyl sulfide + H2O. [UM-BBD_reactionID:r0207]' - }, - 'GO:0009390': { - 'name': 'dimethyl sulfoxide reductase complex', - 'def': 'An enzyme complex that catalyzes the formation of dimethyl sulfide from dimethyl sulfoxide. [UM-BBD_enzymeID:e0188]' - }, - 'GO:0009392': { - 'name': 'N-acetyl-anhydromuramoyl-L-alanine amidase activity', - 'def': 'Catalysis of the reaction: GlcNAc-1,6-anhMurNAc-L-Ala-gamma-D-Glu-DAP-D-Ala + H2O glcNAc-1,6-anhMurNAc + L-Ala-gamma-D-Glu-DAP-D-Ala. [MetaCyc:RXN0-5225]' - }, - 'GO:0009394': { - 'name': "2'-deoxyribonucleotide metabolic process", - 'def': "The chemical reactions and pathways involving a 2'-deoxyribonucleotide, a compound consisting of 2'-deoxyribonucleoside (a base linked to a 2'-deoxyribose sugar) esterified with a phosphate group at either the 3' or 5'-hydroxyl group of the sugar. [GOC:mah]" - }, - 'GO:0009395': { - 'name': 'phospholipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phospholipids, any lipid containing phosphoric acid as a mono- or diester. [ISBN:0198506732]' - }, - 'GO:0009396': { - 'name': 'folic acid-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of folic acid and its derivatives. [GOC:ai]' - }, - 'GO:0009397': { - 'name': 'folic acid-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of folic acid and its derivatives. [GOC:ai]' - }, - 'GO:0009398': { - 'name': 'FMN biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of FMN, the oxidized form of flavin mononucleotide (riboflavin 5'-(dihydrogen phosphate)), which acts as a coenzyme for a number of oxidative enzymes including NADH dehydrogenase. [CHEBI:17621, GOC:ai]" - }, - 'GO:0009399': { - 'name': 'nitrogen fixation', - 'def': 'The process in which nitrogen is taken from its relatively inert molecular form (N2) in the atmosphere and converted into nitrogen compounds useful for other chemical processes, such as ammonia, nitrate and nitrogen dioxide. [Wikipedia:Nitrogen_fixation]' - }, - 'GO:0009400': { - 'name': 'signal transducer, downstream of receptor, with serine/threonine phosphatase activity', - 'def': 'Conveys a signal from an upstream receptor or intracellular signal transducer by catalysis of the reaction: protein serine phosphate + H2O = protein serine + phosphate, and protein threonine phosphate + H2O = protein threonine + phosphate. [GOC:bf, GOC:mah]' - }, - 'GO:0009401': { - 'name': 'phosphoenolpyruvate-dependent sugar phosphotransferase system', - 'def': 'The uptake and phosphorylation of specific carbohydrates from the extracellular environment; uptake and phosphorylation are coupled, making the PTS a link between the uptake and metabolism of sugars; phosphoenolpyruvate is the original phosphate donor; phosphoenolpyruvate passes the phosphate via a signal transduction pathway, to enzyme 1 (E1), which in turn passes it on to the histidine protein, HPr; the next step in the system involves sugar-specific membrane-bound complex, enzyme 2 (EII), which transports the sugar into the cell; it includes the sugar permease, which catalyzes the transport reactions; EII is usually divided into three different domains, EIIA, EIIB, and EIIC. [http://www.ucs.mun.ca/~n55lrb/general_pts.html]' - }, - 'GO:0009402': { - 'name': 'obsolete toxin resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0009403': { - 'name': 'toxin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of toxin, a poisonous compound (typically a protein) that is produced by cells or organisms and that can cause disease when introduced into the body or tissues of an organism. [GOC:go_curators]' - }, - 'GO:0009404': { - 'name': 'toxin metabolic process', - 'def': 'The chemical reactions and pathways involving a toxin, a poisonous compound (typically a protein) that is produced by cells or organisms and that can cause disease when introduced into the body or tissues of an organism. [GOC:cab2]' - }, - 'GO:0009405': { - 'name': 'pathogenesis', - 'def': 'The set of specific processes that generate the ability of an organism to induce an abnormal, generally detrimental state in another organism. [GOC:go_curators]' - }, - 'GO:0009406': { - 'name': 'obsolete virulence', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009407': { - 'name': 'toxin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of toxin, a poisonous compound (typically a protein) that is produced by cells or organisms and that can cause disease when introduced into the body or tissues of an organism. [GOC:go_curators]' - }, - 'GO:0009408': { - 'name': 'response to heat', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a heat stimulus, a temperature stimulus above the optimal temperature for that organism. [GOC:lr]' - }, - 'GO:0009409': { - 'name': 'response to cold', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cold stimulus, a temperature stimulus below the optimal temperature for that organism. [GOC:lr]' - }, - 'GO:0009410': { - 'name': 'response to xenobiotic stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a xenobiotic compound stimulus. Xenobiotic compounds are compounds foreign to living organisms. [GOC:jl]' - }, - 'GO:0009411': { - 'name': 'response to UV', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ultraviolet radiation (UV light) stimulus. Ultraviolet radiation is electromagnetic radiation with a wavelength in the range of 10 to 380 nanometers. [GOC:hb]' - }, - 'GO:0009412': { - 'name': 'obsolete response to heavy metal', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a heavy metal stimulus. Heavy metals are those metals that can form a coordination bond with a protein; this definition includes the following biologically relevant heavy metals: Cd, Co, Cu, Fe, Hg, Mn, Mo, Ni, V, W, Zn. [GOC:ai]' - }, - 'GO:0009413': { - 'name': 'response to flooding', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating flooding, short-term immersion in water. [GOC:lr]' - }, - 'GO:0009414': { - 'name': 'response to water deprivation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a water deprivation stimulus, prolonged deprivation of water. [GOC:lr]' - }, - 'GO:0009415': { - 'name': 'response to water', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting the presence, absence, or concentration of water. [GOC:jl]' - }, - 'GO:0009416': { - 'name': 'response to light stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a light stimulus, electromagnetic radiation of wavelengths classified as infrared, visible or ultraviolet light. [GOC:go_curators, ISBN:0582227089]' - }, - 'GO:0009417': { - 'name': 'obsolete fimbrin', - 'def': 'OBSOLETE. A class of proteins that are the subunit components of fimbria. [ISBN:0914826859]' - }, - 'GO:0009418': { - 'name': 'pilus shaft', - 'def': 'The long, slender, mid section of a pilus. [GOC:jl]' - }, - 'GO:0009419': { - 'name': 'pilus tip', - 'def': 'The pointed extremity furthest from the cell of a pilus. [GOC:jl]' - }, - 'GO:0009420': { - 'name': 'bacterial-type flagellum filament', - 'def': 'The long (approximately 20 nm), thin external structure of the flagellum, which acts as a propeller. Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:12624192]' - }, - 'GO:0009421': { - 'name': 'bacterial-type flagellum filament cap', - 'def': 'The proteinaceous structure at the distal tip of the flagellar filament. Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:12624192]' - }, - 'GO:0009422': { - 'name': 'bacterial-type flagellum hook-filament junction', - 'def': 'The region of the flagellum where the hook and filament meet. Examples of this component are found in bacteria. [GOC:mah, GOC:mtg_sensu, PMID:10572114, PMID:12624192]' - }, - 'GO:0009423': { - 'name': 'chorismate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the unsymmetrical ether derived from phosphoenolpyruvate and 5-phosphoshikimic acid formed as an intermediate in the biosynthesis of aromatic amino acids and many other compounds. [GOC:sm, ISBN:0198547684]' - }, - 'GO:0009424': { - 'name': 'bacterial-type flagellum hook', - 'def': 'The portion of the flagellum that connects the filament to the basal body. Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:12624192]' - }, - 'GO:0009425': { - 'name': 'bacterial-type flagellum basal body', - 'def': 'One of the three major substructures of the flagellin-based flagellum; a structure consisting of a rod, a series of rings, the Mot proteins, the switch complex and the flagellum-specific export apparatus. The rings anchor the flagellum to the cytoplasmic membrane (MS ring), the peptidoglycan (P ring) and the outer membrane (L ring). Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:12624192]' - }, - 'GO:0009426': { - 'name': 'bacterial-type flagellum basal body, distal rod', - 'def': 'The portion of the central rod of the flagellar basal body that is distal to the cell membrane; spans most of the distance between the inner and outer membranes. Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:11133968, PMID:12624192]' - }, - 'GO:0009427': { - 'name': 'bacterial-type flagellum basal body, distal rod, L ring', - 'def': 'One of the rings of the flagellar basal body; anchors the basal body to the outer membrane. Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:12624192]' - }, - 'GO:0009428': { - 'name': 'bacterial-type flagellum basal body, distal rod, P ring', - 'def': 'One of the rings of the flagellar basal body; anchors the basal body to the peptidoglycan layer. Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:12624192]' - }, - 'GO:0009429': { - 'name': 'bacterial-type flagellum basal body, proximal rod', - 'def': 'The portion of the central rod of the flagellar basal body that is proximal to the cell membrane; proximal rod connects the distal rod to the flagellar motor. Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:11133968, PMID:12624192]' - }, - 'GO:0009431': { - 'name': 'bacterial-type flagellum basal body, MS ring', - 'def': 'One of the rings of the flagellar basal body; a double-flanged ring that anchors the basal body to the cytoplasmic membrane. Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:12624192]' - }, - 'GO:0009432': { - 'name': 'SOS response', - 'def': 'An error-prone process for repairing damaged microbial DNA. [GOC:jl, PMID:16000023]' - }, - 'GO:0009433': { - 'name': 'bacterial-type flagellum basal body, C ring', - 'def': 'Cytoplasmic ring located at the base of the flagellar basal body; acts as a rotor; includes three switch proteins, which generate torque and can change their conformational state in a bimodal fashion, so that the motor direction can switch between clockwise and counterclockwise. Examples of this component are found in bacteria. [GOC:mtg_sensu, PMID:10572114, PMID:12624192]' - }, - 'GO:0009435': { - 'name': 'NAD biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide adenine dinucleotide, a coenzyme present in most living cells and derived from the B vitamin nicotinic acid; biosynthesis may be of either the oxidized form, NAD, or the reduced form, NADH. [GOC:jl, ISBN:0618254153]' - }, - 'GO:0009436': { - 'name': 'glyoxylate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glyoxylate, the anion of glyoxylic acid, HOC-COOH. [ISBN:0198506732]' - }, - 'GO:0009437': { - 'name': 'carnitine metabolic process', - 'def': 'The chemical reactions and pathways involving carnitine (hydroxy-trimethyl aminobutyric acid), a compound that participates in the transfer of acyl groups across the inner mitochondrial membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009438': { - 'name': 'methylglyoxal metabolic process', - 'def': 'The chemical reactions and pathways involving methylglyoxal, CH3-CO-CHO, the aldehyde of pyruvic acid. [CHEBI:17158, GOC:ai]' - }, - 'GO:0009439': { - 'name': 'cyanate metabolic process', - 'def': 'The chemical reactions and pathways involving cyanate, NCO-, the anion of cyanic acid. [ISBN:0198506732]' - }, - 'GO:0009440': { - 'name': 'cyanate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cyanate, NCO-, the anion of cyanic acid. [ISBN:0198506732]' - }, - 'GO:0009441': { - 'name': 'glycolate metabolic process', - 'def': 'The chemical reactions and pathways involving glycolate, the anion of hydroxyethanoic acid (glycolic acid). [GOC:ai, ISBN:0198506732]' - }, - 'GO:0009442': { - 'name': 'allantoin assimilation pathway', - 'def': 'The pathways by which allantoin is processed and converted to ureidoglycolate, and then into metabolically useful substrates. E. coli are able to utilize allantoin as a sole nitrogen source under anaerobic conditions by converting it to ureidoglycolate; this may be further metabolized to produce glyoxylate and thence 3-phosphoglycerate, or alternatively oxidized to oxolureate, which can converted into oxamate and carbamoylphosphate. This may then be further metabolized to CO2, NH4+ and ATP. [MetaCyc:PWY0-41]' - }, - 'GO:0009443': { - 'name': "pyridoxal 5'-phosphate salvage", - 'def': "Any process that generates pyridoxal 5'-phosphate, the active form of vitamin B6, from derivatives of it without de novo synthesis. [GOC:jl]" - }, - 'GO:0009444': { - 'name': 'pyruvate oxidation', - 'def': 'The chemical reactions and pathways resulting in the conversion of pyruvate to acetylphosphate. [MetaCyc:PYRUVOX-PWY]' - }, - 'GO:0009445': { - 'name': 'putrescine metabolic process', - 'def': 'The chemical reactions and pathways involving putrescine, 1,4-diaminobutane; putrescine can be formed by decarboxylation of ornithine and is the metabolic precursor of spermidine and spermine. [GOC:ai]' - }, - 'GO:0009446': { - 'name': 'putrescine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of putrescine, 1,4-diaminobutane; putrescine can be synthesized from arginine or ornithine and is the metabolic precursor of spermidine and spermine. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009447': { - 'name': 'putrescine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of putrescine, 1,4-diaminobutane; putrescine is the metabolic precursor of spermidine and spermine. [GOC:ai]' - }, - 'GO:0009448': { - 'name': 'gamma-aminobutyric acid metabolic process', - 'def': 'The chemical reactions and pathways involving gamma-aminobutyric acid (GABA, 4-aminobutyrate), an amino acid which acts as a neurotransmitter in some organisms. [ISBN:0198506732]' - }, - 'GO:0009449': { - 'name': 'gamma-aminobutyric acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of gamma-aminobutyric acid (GABA, 4-aminobutyrate), an amino acid which acts as a neurotransmitter in some organisms. [GOC:ai]' - }, - 'GO:0009450': { - 'name': 'gamma-aminobutyric acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gamma-aminobutyric acid (GABA, 4-aminobutyrate), an amino acid which acts as a neurotransmitter in some organisms. [GOC:ai]' - }, - 'GO:0009451': { - 'name': 'RNA modification', - 'def': 'The covalent alteration of one or more nucleotides within an RNA molecule to produce an RNA molecule with a sequence that differs from that coded genetically. [GOC:go_curators, ISBN:1555811337]' - }, - 'GO:0009452': { - 'name': '7-methylguanosine RNA capping', - 'def': "The sequence of enzymatic reactions by which the 5' cap structure, an inverted 7-methylguanosine linked via a 5'-5' triphosphate bridge (m7G(5')ppp(5')X) to the first transcribed residue, is added to a nascent transcript. [GOC:vw, PMID:9266685]" - }, - 'GO:0009453': { - 'name': 'energy taxis', - 'def': 'The directed movement of a motile cell or organism in response to physical parameters involved in energy generation, such as light, oxygen, and oxidizable substrates. [GOC:jl, PMID:11029423]' - }, - 'GO:0009454': { - 'name': 'aerotaxis', - 'def': 'The directed movement of a motile cell or organism in response to environmental oxygen. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0009455': { - 'name': 'redox taxis', - 'def': 'The directed movement of a motile cell or organism in response to redox potential. [GOC:jl, PMID:11029423]' - }, - 'GO:0009457': { - 'name': 'obsolete flavodoxin', - 'def': 'OBSOLETE. A group of small electron carriers, characteristic of anaerobic bacteria, photosynthetic bacteria, cyanobacteria and eukaryotic algae. Contain flavin mononucleotide. [GOC:kd]' - }, - 'GO:0009458': { - 'name': 'obsolete cytochrome', - 'def': 'OBSOLETE. A hemeprotein whose characteristic mode of action involves transfer of reducing equivalents associated with a reversible change in oxidation state of the prosthetic group. This redox change involves a single electron, reversible equilibrium between the Fe(II) and Fe(III) states of the central iron atom. [PMID:1655423]' - }, - 'GO:0009459': { - 'name': 'obsolete cytochrome a', - 'def': 'OBSOLETE. A cytochrome containing heme a. [GOC:kd]' - }, - 'GO:0009460': { - 'name': 'obsolete cytochrome b', - 'def': 'OBSOLETE. A cytochrome containing noncovalently bound protoheme (iron protoporphyrin IX; heme b). [GOC:kd]' - }, - 'GO:0009461': { - 'name': 'obsolete cytochrome c', - 'def': 'OBSOLETE. A cytochrome containing heme bound to the protein by one or, more (commonly two) thioether bonds involving sulfhydryl groups of cysteine residues. [GOC:kd]' - }, - 'GO:0009462': { - 'name': 'obsolete cytochrome d', - 'def': 'OBSOLETE. A cytochrome in which the prosthetic group is a tetrapyrrolic chelate of iron in which the degree of conjugation of double bonds is less than in porphyrin. This definition would appear to include siroheme proteins (e.g. nitrite and sulfite reductases), but these are not cytochromes. [GOC:kd, PMID:1655423]' - }, - 'GO:0009463': { - 'name': 'obsolete cytochrome b/b6', - 'def': 'OBSOLETE. Diheme cytochrome b; cytochrome b has the hemes b(562) and b(566) and is a component of the mitochondrial respiratory chain complex III. Cytochrome b6 is a component of bc complex acting between photosystems II and I of photosynthesis. [ISBN:0198547684]' - }, - 'GO:0009464': { - 'name': 'obsolete cytochrome b5', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009465': { - 'name': 'obsolete soluble cytochrome b562', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009466': { - 'name': 'obsolete class I cytochrome c', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009467': { - 'name': 'obsolete monoheme class I cytochrome c', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009468': { - 'name': 'obsolete diheme class I cytochrome c', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009469': { - 'name': 'obsolete class II cytochrome c', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009470': { - 'name': 'obsolete class IIa cytochrome c', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009471': { - 'name': 'obsolete class III cytochrome c', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009472': { - 'name': 'obsolete cytochrome c3 (tetraheme)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009473': { - 'name': 'obsolete cytochrome c7 (triheme)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009474': { - 'name': 'obsolete nonaheme cytochrome c', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009475': { - 'name': 'obsolete high-molecular-weight cytochrome c (hexadecaheme)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009476': { - 'name': 'obsolete class IV cytochrome c', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009477': { - 'name': 'obsolete cytochrome c1', - 'def': 'OBSOLETE. A cytochrome c that is an integral component of the mitochondrial respiratory complex III. Functions as an electron donor to cytochrome c. [PMID:1655423]' - }, - 'GO:0009478': { - 'name': 'obsolete cytochrome c554', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009479': { - 'name': 'obsolete cytochrome f', - 'def': 'OBSOLETE. A cytochrome c that is characteristic of green plants and transfers electrons to plastocyanin. [PMID:1655423]' - }, - 'GO:0009480': { - 'name': 'obsolete class IIb cytochrome c', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009481': { - 'name': 'obsolete aa3-type cytochrome c oxidase', - 'def': 'OBSOLETE. Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: 4 ferrocytochrome c + O2 = 4 ferricytochrome c + 2 H2O. [EC:1.9.3.1]' - }, - 'GO:0009482': { - 'name': 'obsolete ba3-type cytochrome c oxidase', - 'def': 'OBSOLETE. Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: 4 ferrocytochrome c + O2 = 4 ferricytochrome c + 2 H2O. [EC:1.9.3.1]' - }, - 'GO:0009483': { - 'name': 'obsolete caa3-type cytochrome c oxidase', - 'def': 'OBSOLETE. Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: 4 ferrocytochrome c + O2 = 4 ferricytochrome c + 2 H2O. [EC:1.9.3.1]' - }, - 'GO:0009485': { - 'name': 'obsolete cbb3-type cytochrome c oxidase', - 'def': 'OBSOLETE. Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: 4 ferrocytochrome c + O2 = 4 ferricytochrome c + 2 H2O. [EC:1.9.3.1]' - }, - 'GO:0009486': { - 'name': 'cytochrome bo3 ubiquinol oxidase activity', - 'def': 'Catalysis of the reaction: 2 ubiquinol + O2 + 4 H+ = 2 ubiquinone + 2 H2O + 4 H+ [periplasmic space]. [MetaCyc:RXN0-5268]' - }, - 'GO:0009487': { - 'name': 'obsolete glutaredoxin', - 'def': 'OBSOLETE. A small disulfide-containing redox protein that serves as a glutathione-disulfide oxidoreductase. [GOC:kd]' - }, - 'GO:0009488': { - 'name': 'obsolete amicyanin', - 'def': 'OBSOLETE. A copper-containing protein that acts as an electron carrier between methylamine dehydrogenase and cytochrome c. [PMID:1655423]' - }, - 'GO:0009489': { - 'name': 'obsolete rubredoxin', - 'def': 'OBSOLETE. A low molecular weight mononuclear iron protein involved in electron transfer, with an iron tetrahedrally coordinated by the sulfurs of four conserved cysteine residues. [GOC:kd]' - }, - 'GO:0009490': { - 'name': 'obsolete mononuclear iron electron carrier', - 'def': 'OBSOLETE. A mononuclear iron entity that serves as an electron acceptor and electron donor in an electron transport system. [GOC:ai]' - }, - 'GO:0009491': { - 'name': 'obsolete redox-active disulfide bond electron carrier', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009492': { - 'name': 'obsolete 2Fe-2S electron transfer carrier', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009493': { - 'name': 'obsolete adrenodoxin-type ferredoxin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009494': { - 'name': 'obsolete chloroplast-type ferredoxin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009495': { - 'name': 'obsolete thioredoxin-like 2Fe-2S ferredoxin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009496': { - 'name': 'plastoquinol--plastocyanin reductase activity', - 'def': 'Catalysis of the reaction: 2 H(+)[side 1] + 2 oxidized plastocyanin + plastoquinol-1 = 2 H(+)[side 2] + 2 reduced plastocyanin + plastoquinone. This reaction involves the concomitant transfer of 2 H+ ions across a membrane. [EC:1.10.9.1]' - }, - 'GO:0009497': { - 'name': 'obsolete 3Fe-4S/4Fe-4S electron transfer carrier', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009498': { - 'name': 'obsolete bacterial-type ferredoxin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009499': { - 'name': 'obsolete monocluster bacterial-type ferredoxin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009500': { - 'name': 'obsolete dicluster bacterial-type ferredoxin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0009501': { - 'name': 'amyloplast', - 'def': 'A plastid whose main function is to synthesize and store starch. [ISBN:0140514031]' - }, - 'GO:0009502': { - 'name': 'obsolete photosynthetic electron transport chain', - 'def': 'OBSOLETE. A series of membrane-linked oxidation-reduction reactions in which electrons are transferred from an initial electron donor through a series of intermediates to a final electron acceptor (usually oxygen). [GOC:mtg_electron_transport, ISBN:014051403]' - }, - 'GO:0009503': { - 'name': 'thylakoid light-harvesting complex', - 'def': 'A thylakoid membrane complex of chlorophylls a and b together with chlorophyll a-b binding proteins. In addition, LHCs contain a number of other proteins, the function of which is speculative, together with accessory pigments. The LHCs capture and transfer energy to photosystems I and II. An example of this is found in Arabidopsis thaliana. [GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0009504': { - 'name': 'cell plate', - 'def': 'The nascent cell membrane and cell wall structure that forms between two daughter nuclei near the center of a dividing plant cell. It develops at the equitorial region of the phragmoplast. It grows outwards to join with the lateral walls and form two daughter cells. [ISBN:0198547684]' - }, - 'GO:0009505': { - 'name': 'plant-type cell wall', - 'def': 'A more or less rigid stucture lying outside the cell membrane of a cell and composed of cellulose and pectin and other organic and inorganic substances. [ISBN:0471245208]' - }, - 'GO:0009506': { - 'name': 'plasmodesma', - 'def': 'A fine cytoplasmic channel, found in all higher plants, that connects the cytoplasm of one cell to that of an adjacent cell. [ISBN:0198506732]' - }, - 'GO:0009507': { - 'name': 'chloroplast', - 'def': 'A chlorophyll-containing plastid with thylakoids organized into grana and frets, or stroma thylakoids, and embedded in a stroma. [ISBN:0471245208]' - }, - 'GO:0009508': { - 'name': 'plastid chromosome', - 'def': 'A circular DNA molecule containing plastid encoded genes. [ISBN:0943883999]' - }, - 'GO:0009509': { - 'name': 'chromoplast', - 'def': 'A plastid containing pigments other than chlorophyll, usually yellow and orange carotenoid pigments. [ISBN:0471245208]' - }, - 'GO:0009510': { - 'name': 'plasmodesmatal desmotubule', - 'def': 'A tightly wound cylinder of membrane that is located within the plasmodesmal pore and runs the length of the plasmodesma. The desmotubule likely provides a rigid stability to plasmodesmata and confers a fixed diameter and pore size to the plasmodesmal canal, and is linked to the endoplasmic reticulum in each of the adjacent cell. [http://biology.kenyon.edu/edwards/project/greg/pd.htm]' - }, - 'GO:0009511': { - 'name': 'plasmodesmatal endoplasmic reticulum', - 'def': 'Endoplasmic reticulum found in plasmodesmata, junctions connecting the cytoplasm of adjacent plant cells. [GOC:ai]' - }, - 'GO:0009512': { - 'name': 'cytochrome b6f complex', - 'def': 'Complex that transfers electrons from reduced plastoquinone to oxidized plastocyanin and translocates protons from the stroma to the lumen. The complex contains a core structure of three catalytic subunits: cytochrome b, the Rieske iron sulfur protein (ISP), and cytochrome f, which are arranged in an integral membrane-bound dimeric complex; additional subunits are present, and vary among different species. [ISBN:0943883999, PMID:16228398, PMID:16352458]' - }, - 'GO:0009513': { - 'name': 'etioplast', - 'def': 'A plastid arrested in the development of chloroplasts from proplastids due to absence of light or low light conditions. [ISBN:0943883999]' - }, - 'GO:0009514': { - 'name': 'glyoxysome', - 'def': 'A specialized form of peroxisome that contains the enzymes of the glyoxylate pathway. The glyoxysome is found in some plant cells, notably the cells of germinating seeds. [GOC:dhl, ISBN:0140514031]' - }, - 'GO:0009515': { - 'name': 'granal stacked thylakoid', - 'def': 'Appressed thylakoid membranes that are part of a granum (stacked regions). A characteristic of these appressed regions is the preferential localization of photosystem II. [GOC:lr]' - }, - 'GO:0009516': { - 'name': 'leucoplast', - 'def': 'A colorless plastid involved in the synthesis of monoterpenes. [ISBN:0943883999]' - }, - 'GO:0009517': { - 'name': 'PSII associated light-harvesting complex II', - 'def': 'Protein-pigment complex associated with photosystem II. [GOC:lr, ISBN:0582227089]' - }, - 'GO:0009518': { - 'name': 'PSI associated light-harvesting complex I', - 'def': 'Protein-pigment complex associated with photosystem I. [GOC:lr]' - }, - 'GO:0009519': { - 'name': 'middle lamella', - 'def': 'Layer of intercellular material, chiefly pectic substances, cementing together the primary walls of contiguous cells. [ISBN:0471245208]' - }, - 'GO:0009521': { - 'name': 'photosystem', - 'def': 'A complex located in a photosynthetic membrane that consists of a photoreaction center associated with accessory pigments and electron carriers. Examples of this component are found in Arabidopsis thaliana and in photosynthetic bacterial and archaeal species. [GOC:ds, GOC:mah, ISBN:0140514031, PMID:9821949]' - }, - 'GO:0009522': { - 'name': 'photosystem I', - 'def': 'A photosystem that contains an iron-sulfur reaction center associated with accessory pigments and electron carriers. In cyanobacteria and chloroplasts, photosystem I functions as a light-dependent plastocyanin-ferredoxin oxidoreductase, transferring electrons from plastocyanin to ferredoxin; in photosynthetic bacteria that have only a single type I photosystem, such as the green sulfur bacteria, electrons can go either to ferredoxin (Fd) -> NAD+ or to menaquinone (MK) -> Cytb/FeS -> Cytc555 -> photosystem I (cyclic photophosphorylation). [GOC:ds, GOC:mah, ISBN:0140514031, PMID:9821949]' - }, - 'GO:0009523': { - 'name': 'photosystem II', - 'def': 'A photosystem that contains a pheophytin-quinone reaction center with associated accessory pigments and electron carriers. In cyanobacteria and chloroplasts, in the presence of light, PSII functions as a water-plastoquinone oxidoreductase, transferring electrons from water to plastoquinone, whereas other photosynthetic bacteria carry out anoxygenic photosynthesis and oxidize other compounds to re-reduce the photoreaction center. [GOC:ds, GOC:mah, ISBN:0943088399, PMID:9821949]' - }, - 'GO:0009524': { - 'name': 'phragmoplast', - 'def': 'Fibrous structure (light microscope view) that arises between the daughter nuclei at telophase and within which the initial partition (cell plate), dividing the mother cell in two (cytokinesis), is formed. Appears at first as a spindle connected to the two nuclei, but later spreads laterally in the form of a ring. Consists of microtubules. [ISBN:0471245208]' - }, - 'GO:0009525': { - 'name': 'phragmosome', - 'def': 'A flattened membranous vesicle containing cell wall components. [ISBN:0943883999]' - }, - 'GO:0009526': { - 'name': 'plastid envelope', - 'def': 'The double lipid bilayer enclosing a plastid and separating its contents from the rest of the cytoplasm; includes the intermembrane space. [GOC:jy]' - }, - 'GO:0009527': { - 'name': 'plastid outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing, lipid bilayer of the plastid envelope. [GOC:lr]' - }, - 'GO:0009528': { - 'name': 'plastid inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of the plastid envelope; also faces the plastid stroma. [GOC:lr]' - }, - 'GO:0009529': { - 'name': 'plastid intermembrane space', - 'def': 'The region between the inner and outer lipid bilayers of the plastid envelope. [GOC:lr]' - }, - 'GO:0009530': { - 'name': 'primary cell wall', - 'def': 'A plant cell wall that is still able to expand, permitting cell growth. Primary cell walls contain more pectin than secondary walls and no lignin is present. [GOC:jid, PMID:9442872]' - }, - 'GO:0009531': { - 'name': 'secondary cell wall', - 'def': 'A plant cell wall that is no longer able to expand and so does not permit growth. Secondary cell walls contain less pectin that primary cell walls. The secondary cell is mostly composed of cellulose and is strengthened with lignin. [GOC:jid, ISBN:0943088399]' - }, - 'GO:0009532': { - 'name': 'plastid stroma', - 'def': 'The proteinaceous ground substance of plastids. [ISBN:047142520]' - }, - 'GO:0009533': { - 'name': 'chloroplast stromal thylakoid', - 'def': 'Unstacked thylakoids that connect the grana stacks through the stroma. [ISBN:0943883999]' - }, - 'GO:0009534': { - 'name': 'chloroplast thylakoid', - 'def': 'Sac-like membranous structures (cisternae) in a chloroplast combined into stacks (grana) and present singly in the stroma (stroma thylakoids or frets) as interconnections between grana. An example of this component is found in Arabidopsis thaliana. [GOC:mtg_sensu, ISBN:0943883999]' - }, - 'GO:0009535': { - 'name': 'chloroplast thylakoid membrane', - 'def': 'The pigmented membrane of a chloroplast thylakoid. An example of this component is found in Arabidopsis thaliana. [GOC:lr, GOC:mtg_sensu]' - }, - 'GO:0009536': { - 'name': 'plastid', - 'def': 'Any member of a family of organelles found in the cytoplasm of plants and some protists, which are membrane-bounded and contain DNA. Plant plastids develop from a common type, the proplastid. [GOC:jl, ISBN:0198547684]' - }, - 'GO:0009537': { - 'name': 'proplastid', - 'def': 'The precursor of other plastids. [ISBN:0943883999]' - }, - 'GO:0009538': { - 'name': 'photosystem I reaction center', - 'def': 'A photochemical system containing P700, the chlorophyll a dimer that functions as a primary electron donor. Functioning as a light-dependent plastocyanin-ferredoxin oxidoreductase, it transfers electrons from plastocyanin to ferredoxin. [GOC:kd, ISBN:0943088399]' - }, - 'GO:0009539': { - 'name': 'photosystem II reaction center', - 'def': 'An integral membrane complex containing P680, the chlorophyll a molecule that functions as a primary electron donor. In the light, functioning as a water-plastoquinone oxidoreductase, it transfers electrons from water to plastoquinone. [GOC:kd, ISBN:0943088399]' - }, - 'GO:0009540': { - 'name': 'zeaxanthin epoxidase [overall] activity', - 'def': 'Catalysis of the reactions: zeaxanthin + NAD(P)H + H+ + O2 = antheraxanthin + NAD(P)+ + H2O; and antheraxanthin + NAD(P)H + H+ + O2 = violaxanthin + NAD(P)+ + H2O. [EC:1.14.13.90]' - }, - 'GO:0009541': { - 'name': 'etioplast prolamellar body', - 'def': 'A three dimensional regular lattice found in etioplasts. It is composed of a continuous system of tubules but when exposed to light the symmetrical arrangement is rapidly lost as tubules become pinched off into two dimensional sections of lattice. These for perforated sheets of membrane that move apart, extend and increase, finally establishing the typical granal and intergranal lamellae of the mature chloroplast. [ISBN:0140514031]' - }, - 'GO:0009542': { - 'name': 'granum', - 'def': 'Distinct stack of lamellae seen within chloroplasts. Grana contain the pigments, electron transfer compounds, and enzymes essential to the light-dependent reactions of photosynthesis. [ISBN:014051403]' - }, - 'GO:0009543': { - 'name': 'chloroplast thylakoid lumen', - 'def': 'The cavity enclosed within the chloroplast thylakoid membrane. An example of this component is found in Arabidopsis thaliana. [GOC:mtg_sensu, ISBN:006501037]' - }, - 'GO:0009544': { - 'name': 'chloroplast ATP synthase complex', - 'def': 'The protein complex that catalyzes the phosphorylation of ADP to ATP in chloroplasts. [ISBN:019854768]' - }, - 'GO:0009545': { - 'name': 'elaioplast', - 'def': 'A leucoplast in which oil is stored. [ISBN:0140514031]' - }, - 'GO:0009546': { - 'name': 'plasmodesmatal cytoplasmic sleeve', - 'def': 'The space between the plasma membrane and the desmotubule of a plasmodesma. [http://biology.kenyon.edu/edwards/project/greg/pd.htm]' - }, - 'GO:0009547': { - 'name': 'plastid ribosome', - 'def': 'A ribosome contained within a plastid. [GOC:tair_curators]' - }, - 'GO:0009548': { - 'name': 'plasmodesmatal plasma membrane', - 'def': 'The portion of the plasma membrane surrounding a plasmodesma. [GOC:mah]' - }, - 'GO:0009549': { - 'name': 'cellulose microfibril', - 'def': 'A microfibril composed of cellulose arranged in orthogonal layers. Cellulose is a straight chain polysaccharide composed of B(14) linked glucose subunits. It is a major component of plant cell walls. Higher plant microfibrils are about 10nm in diameter and extremely long in relation to their width. The cellulose molecules are oriented parallel to the long axis of the microfibril in a paracrystalline array, which provides great tensile strength. The microfibrils are held in place by the wall matrix and their orientation is closely controlled by the cell. [GOC:jid, ISBN:0943088399]' - }, - 'GO:0009550': { - 'name': 'primary plasmodesma', - 'def': 'A plasmodesma that consists of a simple, single channel; found predominantly in young tissue and formed as a function of cell plate formation during cytokinesis. [PMID:15012255]' - }, - 'GO:0009551': { - 'name': 'secondary plasmodesma', - 'def': 'A plasmodesma with a branched structure, often with many channels leading into a larger central cavity; found in older tissues and usually derived from preexisting primary plasmodesmata. [PMID:15012255]' - }, - 'GO:0009553': { - 'name': 'embryo sac development', - 'def': 'The process whose specific outcome is the progression of the embryo sac over time, from its formation to the mature structure. The process begins with the meiosis of the megasporocyte to form four haploid megaspores. Three of the megaspores disintegrate, and the fourth undergoes mitosis giving rise to a binucleate syncytial embryo sac. The two haploid nuclei migrate to the opposite poles of the embryo sac and then undergo two rounds of mitosis generating four haploid nuclei at each pole. One nucleus from each set of four migrates to the center of the cell. Cellularization occurs, resulting in an eight-nucleate seven-celled structure. This structure contains two synergid cells and an egg cell at the micropylar end, and three antipodal cells at the other end. A binucleate endosperm mother cell is formed at the center. The two polar nuclei fuse resulting in a mononucleate diploid endosperm mother cell. The three antipodal cells degenerate. [GOC:mtg_plant, GOC:tb]' - }, - 'GO:0009554': { - 'name': 'megasporogenesis', - 'def': 'The process in which the megasporocyte undergoes meiosis, giving rise to four haploid megaspores in the nucellus. [GOC:mtg_plant, GOC:tb]' - }, - 'GO:0009555': { - 'name': 'pollen development', - 'def': 'The process whose specific outcome is the progression of the pollen grain over time, from its formation to the mature structure. The process begins with the meiosis of the microsporocyte to form four haploid microspores. The nucleus of each microspore then divides by mitosis to form a two-celled organism, the pollen grain, that contains a tube cell as well as a smaller generative cell. The pollen grain is surrounded by an elaborate cell wall. In some species, the generative cell immediately divides again to give a pair of sperm cells. In most flowering plants, however this division takes place later, in the tube that develops when a pollen grain germinates. [GOC:mtg_plant, GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0009556': { - 'name': 'microsporogenesis', - 'def': 'The process in which the microsporocyte undergoes meiosis, giving rise to four haploid microspores. [GOC:mtg_plant, GOC:tb]' - }, - 'GO:0009557': { - 'name': 'antipodal cell differentiation', - 'def': 'The process in which an uncellularized nucleus cellularizes and acquires the specialized features of an antipodal cell. [GOC:jid, GOC:mtg_plant]' - }, - 'GO:0009558': { - 'name': 'embryo sac cellularization', - 'def': 'The process in which the eight-nucleate single celled female gametophyte develops into the seven-celled female gametophyte. This mature structure contains two synergid cells and an egg cell at the micropylar end, and three antipodal cells at the other end. A binucleate endosperm mother cell is formed at the center. An example of this process is found in Arabidopsis thaliana. [GOC:jid, GOC:mtg_plant, GOC:mtg_sensu, ISBN:047186840X]' - }, - 'GO:0009559': { - 'name': 'embryo sac central cell differentiation', - 'def': 'The process in which the two uncellularized polar nuclei cellularize, fuse and acquire the specialized features of a mononucleate diploid central cell. [GOC:jid, GOC:mtg_plant]' - }, - 'GO:0009560': { - 'name': 'embryo sac egg cell differentiation', - 'def': 'The process in which an uncellularized embryo sac nucleus cellularizes and acquires the specialized features of an egg cell. An example of this process is found in Arabidopsis thaliana. [GOC:jid, GOC:mtg_plant, GOC:mtg_sensu]' - }, - 'GO:0009561': { - 'name': 'megagametogenesis', - 'def': 'The process whose specific outcome is the progression of the embryo sac over time, from its formation as the megaspore to the mature structure. The process begins when three of the four haploid megaspores disintegrate, and the fourth undergoes mitosis giving rise to a binucleate syncytial embryo sac. The two haploid nuclei migrate to the opposite poles of the embryo sac and then undergo two rounds of mitosis generating four haploid nuclei at each pole. One nucleus from each set of four migrates to the center of the cell. Cellularization occurs, resulting in an eight-nucleate seven-celled structure. This structure contains two synergid cells and an egg cell at the micropylar end, and three antipodal cells at the other end. A binucleate endosperm mother cell is formed at the center. [GOC:jl, GOC:mtg_plant]' - }, - 'GO:0009562': { - 'name': 'embryo sac nuclear migration', - 'def': 'The directed movement of an embryo sac nucleus to the pole or center of the cell. [GOC:jl, GOC:mtg_plant]' - }, - 'GO:0009563': { - 'name': 'synergid differentiation', - 'def': 'The process in which an uncellularized nucleus cellularizes and acquires the specialized features of a synergid cell. [GOC:jid]' - }, - 'GO:0009566': { - 'name': 'fertilization', - 'def': 'The union of gametes of opposite sexes during the process of sexual reproduction to form a zygote. It involves the fusion of the gametic nuclei (karyogamy) and cytoplasm (plasmogamy). [GOC:tb, ISBN:0198506732]' - }, - 'GO:0009567': { - 'name': 'double fertilization forming a zygote and endosperm', - 'def': 'Fertilization where one of the two sperm nuclei from the pollen tube fuses with the egg nucleus to form a 2n zygote, and the other fuses with the two polar nuclei to form the 3n primary endosperm nucleus and then develops into the endosperm. The ploidy level of the 2n zygote and 3n primary endosperm nucleus is determined by the ploidy level of the parents involved. An example of this component is found in Arabidopsis thaliana. [GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0009568': { - 'name': 'amyloplast starch grain', - 'def': 'Plant storage body for amylose and amylopectin, 1-100um in diameter, and located in amyloplasts. Also contains small amounts of enzymes, amino acids, lipids and nucleic acids. The shape of the grain varies widely amongst species, but is often spherical or disk-shaped. [GOC:jl, PMID:11217978]' - }, - 'GO:0009569': { - 'name': 'chloroplast starch grain', - 'def': 'Plant storage body for amylose and amylopectin, 1-100um in diameter, and located in chloroplasts. Also contains small amounts of enzymes, amino acids, lipids and nucleic acids. The shape of the grain varies widely amongst species, but is often spherical or disk-shaped. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0009570': { - 'name': 'chloroplast stroma', - 'def': 'The space enclosed by the double membrane of a chloroplast but excluding the thylakoid space. It contains DNA, ribosomes and some temporary products of photosynthesis. [ISBN:0198547684]' - }, - 'GO:0009571': { - 'name': 'proplastid stroma', - 'def': 'The space enclosed by the double membrane of a proplastid. [GOC:jl]' - }, - 'GO:0009573': { - 'name': 'chloroplast ribulose bisphosphate carboxylase complex', - 'def': 'A complex, located in the chloroplast, containing either both large and small subunits or just small subunits which carries out the activity of producing 3-phosphoglycerate from carbon dioxide and ribulose-1,5-bisphosphate. An example of this component is found in Arabidopsis thaliana. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0009574': { - 'name': 'preprophase band', - 'def': 'A dense band of microtubules, 1-3 pm wide, that appears just beneath the cell membrane before the start of cell division in the cells of higher plants. It precedes the onset of prophase and then disappears as mitosis begins, yet it somehow determines the plane of orientation of the new cell plate forming in late telophase and marks the zone of the parental cell wall where fusion with the growing cell plate ultimately occurs. [ISBN:0198506732]' - }, - 'GO:0009575': { - 'name': 'chromoplast stroma', - 'def': 'The space enclosed by the double membrane of a chromoplast but excluding the photosynthetic material. [GOC:jl]' - }, - 'GO:0009576': { - 'name': 'leucoplast stroma', - 'def': 'The space enclosed by the double membrane of a leucoplast. [GOC:mah]' - }, - 'GO:0009577': { - 'name': 'elaioplast stroma', - 'def': 'The space enclosed by the double membrane of an elaioplast. [GOC:mah]' - }, - 'GO:0009578': { - 'name': 'etioplast stroma', - 'def': 'The space enclosed by the double membrane of an etioplast but excluding the prothylakoid space. It contains the etioplast DNA. [GOC:jl]' - }, - 'GO:0009579': { - 'name': 'thylakoid', - 'def': 'A membranous cellular structure that bears the photosynthetic pigments in plants, algae, and cyanobacteria. In cyanobacteria thylakoids are of various shapes and are attached to, or continuous with, the plasma membrane. In eukaryotes they are flattened, membrane-bounded disk-like structures located in the chloroplasts; in the chloroplasts of higher plants the thylakoids form dense stacks called grana. Isolated thylakoid preparations can carry out photosynthetic electron transport and the associated phosphorylation. [GOC:ds, GOC:mtg_sensu, ISBN:0198506732]' - }, - 'GO:0009580': { - 'name': 'obsolete thylakoid (sensu Bacteria)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009581': { - 'name': 'detection of external stimulus', - 'def': 'The series of events in which an external stimulus is received by a cell and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0009582': { - 'name': 'detection of abiotic stimulus', - 'def': 'The series of events in which an (non-living) abiotic stimulus is received by a cell and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0009583': { - 'name': 'detection of light stimulus', - 'def': 'The series of events in which a light stimulus (in the form of photons) is received and converted into a molecular signal. [GOC:go_curators]' - }, - 'GO:0009584': { - 'name': 'detection of visible light', - 'def': 'The series of events in which a visible light stimulus is received by a cell and converted into a molecular signal. A visible light stimulus is electromagnetic radiation that can be perceived visually by an organism; for organisms lacking a visual system, this can be defined as light with a wavelength within the range 380 to 780 nm. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0009585': { - 'name': 'red, far-red light phototransduction', - 'def': 'The sequence of reactions within a cell required to convert absorbed photons from red or far-red light into a molecular signal; the red, far-red light range is defined as having a wavelength within the range 660-730 nm. [GOC:mah]' - }, - 'GO:0009587': { - 'name': 'obsolete phototrophin mediated phototransduction', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009588': { - 'name': 'UV-A, blue light phototransduction', - 'def': 'The sequence of reactions within a cell required to convert absorbed photons from UV-A or blue light into a molecular signal; the UV-A, blue light range is defined as having a wavelength within the range of 315 to 400 nm. [GOC:mah]' - }, - 'GO:0009589': { - 'name': 'detection of UV', - 'def': 'The series of events in which an ultraviolet radiation (UV light) stimulus is received and converted into a molecular signal. Ultraviolet radiation is electromagnetic radiation with a wavelength in the range of 10 to 380 nanometers. [GOC:dos, GOC:go_curators, GOC:hb, ISBN:0198506732]' - }, - 'GO:0009590': { - 'name': 'detection of gravity', - 'def': 'The series of events in which a gravitational stimulus is received and converted into a molecular signal. [GOC:dos, GOC:hb]' - }, - 'GO:0009591': { - 'name': 'obsolete perception of mechanical stimulus', - 'def': 'OBSOLETE. The series of events by which a mechanical stimulus is received by a cell and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0009593': { - 'name': 'detection of chemical stimulus', - 'def': 'The series of events in which a chemical stimulus is received by a cell and converted into a molecular signal. [GOC:jl]' - }, - 'GO:0009594': { - 'name': 'detection of nutrient', - 'def': 'The series of events in which a nutrient stimulus is received by a cell and converted into a molecular signal. [GOC:jl]' - }, - 'GO:0009595': { - 'name': 'detection of biotic stimulus', - 'def': 'The series of events in which a biotic stimulus, one caused or produced by a living organism, is received and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0009597': { - 'name': 'detection of virus', - 'def': 'The series of events in which a stimulus from a virus is received and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0009600': { - 'name': 'detection of nematode', - 'def': 'The series of events in which a stimulus from a nematode is received and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0009601': { - 'name': 'detection of insect', - 'def': 'The series of events in which a stimulus from an insect is received and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0009602': { - 'name': 'detection of symbiont', - 'def': 'The series of events in which a stimulus from a symbiont (an organism living in close physical association with an organism of a different species) is received and converted into a molecular signal. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:hb, ISBN:0198506732]' - }, - 'GO:0009603': { - 'name': 'detection of symbiotic fungus', - 'def': 'The series of events in which a stimulus from a symbiotic fungus, a fungus living in close physical association with another organism, is received and converted into a molecular signal. [GOC:hb, ISBN:0198506732]' - }, - 'GO:0009604': { - 'name': 'detection of symbiotic bacterium', - 'def': 'The series of events in which a stimulus from a symbiotic bacterium, a bacterium living in close physical association with another organism, is received and converted into a molecular signal. [GOC:hb, ISBN:0198506732]' - }, - 'GO:0009605': { - 'name': 'response to external stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an external stimulus. [GOC:hb]' - }, - 'GO:0009606': { - 'name': 'tropism', - 'def': 'The movement of an organism, or part of an organism, in response to an external source of stimulus, usually toward or away from it. [GOC:curators, ISBN:0877795088]' - }, - 'GO:0009607': { - 'name': 'response to biotic stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a biotic stimulus, a stimulus caused or produced by a living organism. [GOC:hb]' - }, - 'GO:0009608': { - 'name': 'response to symbiont', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a symbiont, an organism living with an organism of a different species in close physical association. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:hb, ISBN:0198506732]' - }, - 'GO:0009609': { - 'name': 'response to symbiotic bacterium', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a symbiotic bacterium, a bacterium living in close physical association with another organism. [GOC:hb, ISBN:0198506732]' - }, - 'GO:0009610': { - 'name': 'response to symbiotic fungus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a symbiotic fungus, a fungus living in close physical association with another organism. [GOC:hb, ISBN:0198506732]' - }, - 'GO:0009611': { - 'name': 'response to wounding', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating damage to the organism. [GOC:go_curators]' - }, - 'GO:0009612': { - 'name': 'response to mechanical stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mechanical stimulus. [GOC:hb]' - }, - 'GO:0009614': { - 'name': 'obsolete disease resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009615': { - 'name': 'response to virus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a virus. [GOC:hb]' - }, - 'GO:0009616': { - 'name': 'virus induced gene silencing', - 'def': "Specific posttranscriptional gene inactivation ('silencing') both of viral gene(s), and host gene(s) homologous to the viral genes. This silencing is triggered by viral infection, and occurs through a specific decrease in the level of mRNA of both host and viral genes. [GOC:jl]" - }, - 'GO:0009617': { - 'name': 'response to bacterium', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a bacterium. [GOC:hb]' - }, - 'GO:0009619': { - 'name': 'obsolete resistance to pathogenic bacteria', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009620': { - 'name': 'response to fungus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a fungus. [GOC:hb]' - }, - 'GO:0009622': { - 'name': 'obsolete resistance to pathogenic fungi', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009623': { - 'name': 'response to parasitic fungus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a parasitic fungus, a fungus which spends all or part of its life in or on another organism from which it obtains nourishment and/or protection. [GOC:hb, ISBN:0198506732]' - }, - 'GO:0009624': { - 'name': 'response to nematode', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a nematode. [GOC:hb]' - }, - 'GO:0009625': { - 'name': 'response to insect', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from an insect. [GOC:hb]' - }, - 'GO:0009626': { - 'name': 'plant-type hypersensitive response', - 'def': 'The rapid, localized death of plant cells in response to invasion by a pathogen. [ISBN:0582227089]' - }, - 'GO:0009627': { - 'name': 'systemic acquired resistance', - 'def': 'The salicylic acid mediated response to a pathogen which confers broad spectrum resistance. [GOC:lr, ISBN:052143641]' - }, - 'GO:0009628': { - 'name': 'response to abiotic stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an abiotic (non-living) stimulus. [GOC:hb]' - }, - 'GO:0009629': { - 'name': 'response to gravity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gravitational stimulus. [GOC:hb]' - }, - 'GO:0009630': { - 'name': 'gravitropism', - 'def': 'The orientation of plant parts under the stimulation of gravity. [ISBN:0198547684]' - }, - 'GO:0009631': { - 'name': 'cold acclimation', - 'def': 'Any process that increases freezing tolerance of an organism in response to low, nonfreezing temperatures. [GOC:syr]' - }, - 'GO:0009632': { - 'name': 'obsolete freezing tolerance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009633': { - 'name': 'obsolete drought tolerance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009634': { - 'name': 'obsolete heavy metal sensitivity/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0009635': { - 'name': 'response to herbicide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a herbicide stimulus. Herbicides are chemicals used to kill or control the growth of plants. [GOC:curators]' - }, - 'GO:0009636': { - 'name': 'response to toxic substance', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a toxic stimulus. [GOC:lr]' - }, - 'GO:0009637': { - 'name': 'response to blue light', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a blue light stimulus. Blue light is electromagnetic radiation with a wavelength of between 440 and 500nm. [GOC:ai, GOC:mtg_far_red]' - }, - 'GO:0009638': { - 'name': 'phototropism', - 'def': 'The movement of an organism, or part of an organism, in response to a light stimulus, usually toward or away from it. [GOC:jl, GOC:mtg_far_red, PMID:16870491]' - }, - 'GO:0009639': { - 'name': 'response to red or far red light', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a red or far red light stimulus. Red light is electromagnetic radiation of wavelength of 580-700nm. Far red light is electromagnetic radiation of wavelength 700-800nm. An example of this response is seen at the beginning of many plant species developmental stages. These include germination, and the point when cotyledon expansion is triggered. In certain species these processes take place in response to absorption of red light by the pigment molecule phytochrome, but the signal can be reversed by exposure to far red light. During the initial phase the phytochrome molecule is only present in the red light absorbing form, but on absorption of red light it changes to a far red light absorbing form, triggering progress through development. An immediate short period of exposure to far red light entirely returns the pigment to its initial state and prevents triggering of the developmental process. A thirty minute break between red and subsequent far red light exposure renders the red light effect irreversible, and development then occurs regardless of whether far red light exposure subsequently occurs. [GOC:ai, GOC:mtg_far_red]' - }, - 'GO:0009640': { - 'name': 'photomorphogenesis', - 'def': 'The control of plant growth, development, and differentiation by the duration and nature of light, independent of photosynthesis. [GOC:lr]' - }, - 'GO:0009641': { - 'name': 'shade avoidance', - 'def': 'Shade avoidance is a set of responses that plants display when they are subjected to the shade of another plant. It often includes elongation, altered flowering time, increased apical dominance and altered partitioning of resources. Plants are able to distinguish between the shade of an inanimate object (e.g. a rock) and the shade of another plant due to the altered balance between red and far-red light in the shade of a plant; this balance between red and far-red light is perceived by phytochrome. [Wikipedia:Shade_avoidance]' - }, - 'GO:0009642': { - 'name': 'response to light intensity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a light intensity stimulus. [GOC:go_curators]' - }, - 'GO:0009643': { - 'name': 'photosynthetic acclimation', - 'def': 'A response to light intensity in which exposure to medium-intensity light results in increased tolerance to high-intensity light. [GOC:mah, PMID:11069694]' - }, - 'GO:0009644': { - 'name': 'response to high light intensity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a high light intensity stimulus. [GOC:go_curators]' - }, - 'GO:0009645': { - 'name': 'response to low light intensity stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a low light intensity stimulus. Low light intensity is defined as a level of electromagnetic radiation at or below 0.1 micromols/m2. [GOC:go_curators, GOC:mtg_far_red]' - }, - 'GO:0009646': { - 'name': 'response to absence of light', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an absence of light stimuli. [GOC:go_curators]' - }, - 'GO:0009647': { - 'name': 'skotomorphogenesis', - 'def': 'The control of plant growth, development, and differentiation in response to growth in darkness. [http://www.plantphys.net/article.php?ch=t&id=63, PMID:15012288]' - }, - 'GO:0009648': { - 'name': 'photoperiodism', - 'def': "Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, a period of light or dark of a given length, measured relative to a particular duration known as the 'critical day length'. The critical day length varies between species. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]" - }, - 'GO:0009649': { - 'name': 'entrainment of circadian clock', - 'def': 'The synchronization of a circadian rhythm to environmental time cues such as light. [GOC:jid]' - }, - 'GO:0009650': { - 'name': 'UV protection', - 'def': 'Any process in which an organism or cell protects itself from ultraviolet radiation (UV), which may also result in resistance to repeated exposure to UV. [GOC:jl, GOC:ml]' - }, - 'GO:0009651': { - 'name': 'response to salt stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating an increase or decrease in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:jl]' - }, - 'GO:0009652': { - 'name': 'thigmotropism', - 'def': 'The movement of an organism, or part of an organism, such as leaves or tendrils, in response to a touch stimulus, usually toward or away from it. [GOC:jl, PMID:16153165]' - }, - 'GO:0009653': { - 'name': 'anatomical structure morphogenesis', - 'def': 'The process in which anatomical structures are generated and organized. Morphogenesis pertains to the creation of form. [GOC:go_curators, ISBN:0521436125]' - }, - 'GO:0009654': { - 'name': 'photosystem II oxygen evolving complex', - 'def': 'A complex, composed of a cluster of manganese, calcium and chloride ions bound to extrinsic proteins, that catalyzes the splitting of water to O2 and 4 H+. In cyanobacteria there are five extrinsic proteins in OEC (PsbO, PsbP-like, PsbQ-like, PsbU and PsbV), while in plants there are only three (PsbO, PsbP and PsbQ). [GOC:cjm, InterPro:IPR002683]' - }, - 'GO:0009655': { - 'name': 'PSII associated light-harvesting complex II, core complex', - 'def': 'The pigment-protein complex primarily associated to PSII in higher plants, green algae and cyanobacteria that directly transfers electrons to the reaction center. [GOC:lr]' - }, - 'GO:0009656': { - 'name': 'PSII associated light-harvesting complex II, peripheral complex', - 'def': 'Pigment-protein complex primarily associated to PSII in plants, green algae and cyanobacteria. Involved in state transitions that cause migration to PSI under certain environmental conditions such as high light. [GOC:lr]' - }, - 'GO:0009657': { - 'name': 'plastid organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a plastid. [GOC:mah]' - }, - 'GO:0009658': { - 'name': 'chloroplast organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the chloroplast. [GOC:jid]' - }, - 'GO:0009659': { - 'name': 'leucoplast organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a leucoplast. A leucoplast is a colorless plastid involved in the synthesis of monoterpenes. [GOC:jid]' - }, - 'GO:0009660': { - 'name': 'amyloplast organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an amyloplast. An amyloplast is a plastid whose main function is to synthesize and store starch. [GOC:jid]' - }, - 'GO:0009661': { - 'name': 'chromoplast organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the chromoplast. A chromoplast is a plastid containing pigments other than chlorophyll, usually yellow and orange carotenoid pigments. [GOC:jid]' - }, - 'GO:0009662': { - 'name': 'etioplast organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an etioplast. An etioplast is a plastid arrested in the development of chloroplasts from proplastids due to absence of light or low light conditions. [GOC:jid]' - }, - 'GO:0009663': { - 'name': 'plasmodesma organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a plasmodesma, a fine cytoplasmic channel, found in all higher plants, that connects the cytoplasm of one cell to that of an adjacent cell. [GOC:mah]' - }, - 'GO:0009664': { - 'name': 'plant-type cell wall organization', - 'def': 'A process that results in the assembly and arrangement of constituent parts of the cellulose and pectin-containing cell wall, or in the disassembly of the cellulose and pectin-containing cell wall. This process is carried out at the cellular level. An example of this process is found in Arabidopsis thaliana. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0009665': { - 'name': 'plastid inheritance', - 'def': 'The partitioning of plastids between daughter cells at cell division. [GOC:mah]' - }, - 'GO:0009666': { - 'name': 'plastid outer membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the outer membrane of a plastid. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0009667': { - 'name': 'plastid inner membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the inner membrane of a plastid. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0009668': { - 'name': 'plastid membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of either of the lipid bilayers surrounding a plastid. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0009669': { - 'name': 'sucrose:monovalent cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sucrose(out) + monovalent cation(out) = sucrose(in) + monovalent cation(in). [GOC:jy, TC:2.A.2.-.-, TC:2.A.2.4.1]' - }, - 'GO:0009670': { - 'name': 'triose-phosphate:phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: triose-phosphate(out) + phosphate(in) = triose-phosphate(in) + phosphate(out). [GOC:bf, GOC:jl, GOC:mtg_transport, ISBN:0815340729, TC:2.A.7.-.-]' - }, - 'GO:0009671': { - 'name': 'nitrate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: nitrate(out) + H+(out) = nitrate(in) + H+(in). [GOC:mah, PMID:10066586, PMID:1990981]' - }, - 'GO:0009672': { - 'name': 'auxin:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: auxin(out) + H+(out) = auxin(in) + H+(in). [PMID:8688077]' - }, - 'GO:0009673': { - 'name': 'low-affinity phosphate transmembrane transporter activity', - 'def': 'Enables the transfer of phosphate from one side of the membrane to the other. In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [TC:2.A.20.-.-]' - }, - 'GO:0009674': { - 'name': 'potassium:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: K+(out) + Na+(out) = K+(in) + Na+(in). [TC:2.A.38.3.1]' - }, - 'GO:0009675': { - 'name': 'high-affinity sulfate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sulfate(out) + H+(out) = sulfate(in) + H+(in). In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0009676': { - 'name': 'low-affinity sulfate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sulfate(out) + H+(out) = sulfate(in) + H+(in). In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [GOC:mah, PMID:7568135]' - }, - 'GO:0009677': { - 'name': 'double fertilization forming two zygotes', - 'def': 'Rudimentary double fertilization where one of the two sperm nuclei from the pollen tube fuses with the egg nucleus to form a 2n zygote, and the other fuses with the ventral canal cell nucleus to form a second zygote, which soon degenerates. An example of this process is found in the Gnetophytes, such as Welwitschia mirabilis. [GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0009678': { - 'name': 'hydrogen-translocating pyrophosphatase activity', - 'def': 'Catalysis of the hydrolysis of pyrophosphate, which generates a proton motive force. [GOC:mtg_transport, ISBN:0815340729, TC:3.A.10.-.-]' - }, - 'GO:0009679': { - 'name': 'hexose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: hexose(out) + H+(out) = hexose(in) + H+(in). [TC:2.A.1.-.-]' - }, - 'GO:0009682': { - 'name': 'induced systemic resistance', - 'def': 'A response to non-pathogenic bacteria that confers broad spectrum systemic resistance to disease that does not depend upon salicylic acid signaling. [PMID:10234273]' - }, - 'GO:0009683': { - 'name': 'indoleacetic acid metabolic process', - 'def': 'The chemical reactions and pathways involving indole-3-acetic acid, a compound which functions as a growth regulator in plants. [GOC:mah]' - }, - 'GO:0009684': { - 'name': 'indoleacetic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of indole-3-acetic acid, a compound which functions as a growth regulator in plants. [ISBN:0387969845]' - }, - 'GO:0009685': { - 'name': 'gibberellin metabolic process', - 'def': 'The chemical reactions and pathways involving gibberellin. Gibberellins are a class of highly modified terpenes that function as plant growth regulators. [ISBN:0387969845]' - }, - 'GO:0009686': { - 'name': 'gibberellin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of gibberellin. Gibberellins are a class of highly modified terpenes that function as plant growth regulators. [ISBN:0387969845]' - }, - 'GO:0009687': { - 'name': 'abscisic acid metabolic process', - 'def': 'The chemical reactions and pathways involving abscisic acid, 5-(1-hydroxy-2,6,6,trimethyl-4-oxocyclohex-2-en-1-y1)-3-methylpenta-2,4-dienoic acid. [ISBN:0387969845]' - }, - 'GO:0009688': { - 'name': 'abscisic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of abscisic acid, 5-(1-hydroxy-2,6,6,trimethyl-4-oxocyclohex-2-en-1-y1)-3-methylpenta-2,4-dienoic acid. [ISBN:0387969845]' - }, - 'GO:0009689': { - 'name': 'induction of phytoalexin biosynthetic process', - 'def': 'The activation of the chemical reactions and pathways resulting in the formation of phytoalexins, low-molecular mass, lipophilic antimicrobial compounds that accumulate rapidly at sites of incompatible pathogen infection. [ISBN:0943088399]' - }, - 'GO:0009690': { - 'name': 'cytokinin metabolic process', - 'def': 'The chemical reactions and pathways involving cytokinins, a class of adenine-derived compounds that can function in plants as growth regulators. [ISBN:0387969845]' - }, - 'GO:0009691': { - 'name': 'cytokinin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cytokinins, a class of adenine-derived compounds that can function in plants as growth regulators. [ISBN:0387969845]' - }, - 'GO:0009692': { - 'name': 'ethylene metabolic process', - 'def': 'The chemical reactions and pathways involving ethylene (C2-H4, ethene), a simple hydrocarbon gas that can function in plants as a growth regulator. [ISBN:0387969845]' - }, - 'GO:0009693': { - 'name': 'ethylene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ethylene (C2-H4, ethene), a simple hydrocarbon gas that can function in plants as a growth regulator. [ISBN:0387969845]' - }, - 'GO:0009694': { - 'name': 'jasmonic acid metabolic process', - 'def': 'The chemical reactions and pathways involving jasmonic acid, a fatty acid derivative with the formula (1R-(1 alpha, 2 beta(Z)))-3-oxo-2-(2-pentenyl)cyclopentaneacetic acid. [ISBN:0387969845]' - }, - 'GO:0009695': { - 'name': 'jasmonic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of jasmonic acid, a fatty acid derivative. [ISBN:0387969845]' - }, - 'GO:0009696': { - 'name': 'salicylic acid metabolic process', - 'def': 'The chemical reactions and pathways involving of salicylic acid (2-hydroxybenzoic acid), a derivative of benzoic acid. [ISBN:0943088399]' - }, - 'GO:0009697': { - 'name': 'salicylic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of salicylic acid (2-hydroxybenzoic acid), a derivative of benzoic acid. [ISBN:0943088399]' - }, - 'GO:0009698': { - 'name': 'phenylpropanoid metabolic process', - 'def': 'The chemical reactions and pathways involving aromatic derivatives of trans-cinnamic acid. [GOC:jl]' - }, - 'GO:0009699': { - 'name': 'phenylpropanoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aromatic derivatives of trans-cinnamic acid. [GOC:jl]' - }, - 'GO:0009700': { - 'name': 'indole phytoalexin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of indole phytoalexins, any indole compound produced by plants as part of their defense response. [GOC:sm, ISBN:0198547684]' - }, - 'GO:0009701': { - 'name': 'isoflavonoid phytoalexin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isoflavonoid phytoalexins, a group of water-soluble phenolic derivatives isomeric with flavonoids that possess antibiotic activity and are produced by plant tissues in response to infection. [GOC:ai]' - }, - 'GO:0009702': { - 'name': 'L-arabinokinase activity', - 'def': 'Catalysis of the reaction: L-arabinose + ATP = beta-L-arabinose 1-phosphate + ADP + 2 H(+). [EC:2.7.1.46, RHEA:20156]' - }, - 'GO:0009703': { - 'name': 'nitrate reductase (NADH) activity', - 'def': 'Catalysis of the reaction: nitrite + NAD+ + H2O = nitrate + NADH + H+. [EC:1.7.1.1]' - }, - 'GO:0009704': { - 'name': 'de-etiolation', - 'def': 'The greening response of plants grown in the dark (etiolated) as a result of chloroplast biogenesis and the accumulation of chlorophyll. [GOC:lr]' - }, - 'GO:0009705': { - 'name': 'plant-type vacuole membrane', - 'def': 'The lipid bilayer surrounding a vacuole that retains the same shape regardless of cell cycle phase. The membrane separates its contents from the cytoplasm of the cell. An example of this component is found in Arabidopsis thaliana. [GOC:mtg_sensu, ISBN:0471245208]' - }, - 'GO:0009706': { - 'name': 'chloroplast inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of the chloroplast envelope; also faces the chloroplast stroma. [GOC:tb]' - }, - 'GO:0009707': { - 'name': 'chloroplast outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing, lipid bilayer of the chloroplast envelope. [GOC:tb]' - }, - 'GO:0009708': { - 'name': 'benzyl isoquinoline alkaloid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of benzyl isoquinoline alkaloids, compounds with bicyclic N-containing aromatic rings. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0009709': { - 'name': 'terpenoid indole alkaloid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of terpenoid indole alkaloids, compounds formed from the condensation of tryptamine (derived from tryptophan) and secologanin (derived from geranyl pyrophosphate). [GOC:ai, http://rycomusa.com/aspp2000/public/P29/0525.html]' - }, - 'GO:0009710': { - 'name': 'tropane alkaloid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tropane alkaloids, compounds containing the 8-methyl-8-azabicyclo(3.2.1)octane ring system. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0009711': { - 'name': 'purine alkaloid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of purine alkaloids, compounds derived from purine and composed of an N-containing double ring structure. [GOC:ai]' - }, - 'GO:0009712': { - 'name': 'catechol-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a compound containing a pyrocatechol (1,2-benzenediol) nucleus or substituent. [GOC:sm, ISBN:0198547684]' - }, - 'GO:0009713': { - 'name': 'catechol-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of catechol-containing compounds. Catechol is a compound containing a pyrocatechol nucleus or substituent. [GOC:go_curators]' - }, - 'GO:0009714': { - 'name': 'chalcone metabolic process', - 'def': 'The chemical reactions and pathways involving chalcones, phenyl steryl ketone or its hydroxylated derivatives. [ISBN:0198506732]' - }, - 'GO:0009715': { - 'name': 'chalcone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chalcone, phenyl steryl ketone or its hydroxylated derivatives. [GOC:go_curators]' - }, - 'GO:0009716': { - 'name': 'flavonoid phytoalexin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of flavonoid phytoalexins, a group of water-soluble phenolic derivatives containing a flavan skeleton, which possess antibiotic activity and are produced by plant tissues in response to infection. [ISBN:0198506732]' - }, - 'GO:0009717': { - 'name': 'isoflavonoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isoflavonoids, a group of water-soluble phenolic derivatives, isomeric with flavonoids. [GOC:ai]' - }, - 'GO:0009718': { - 'name': 'anthocyanin-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of anthocyanins, any member of a group of intensely colored soluble glycosides of anthocyanidins. [GOC:ai]' - }, - 'GO:0009719': { - 'name': 'response to endogenous stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus arising within the organism. [GOC:sm]' - }, - 'GO:0009720': { - 'name': 'detection of hormone stimulus', - 'def': 'The series of events in which a hormone stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009721': { - 'name': 'detection of auxin stimulus', - 'def': 'The series of events in which an auxin stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009722': { - 'name': 'detection of cytokinin stimulus', - 'def': 'The series of events in which a cytokinin stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009723': { - 'name': 'response to ethylene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ethylene (ethene) stimulus. [GOC:jl]' - }, - 'GO:0009724': { - 'name': 'detection of abscisic acid stimulus', - 'def': 'The series of events in which an abscisic acid stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009725': { - 'name': 'response to hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hormone stimulus. [GOC:jl]' - }, - 'GO:0009726': { - 'name': 'detection of endogenous stimulus', - 'def': 'The series of events in which an endogenous stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009727': { - 'name': 'detection of ethylene stimulus', - 'def': 'The series of events in which an ethylene (ethene) stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009728': { - 'name': 'detection of gibberellic acid stimulus', - 'def': 'The series of events in which a gibberellic acid stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009729': { - 'name': 'detection of brassinosteroid stimulus', - 'def': 'The series of events in which a brassinosteroid stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009730': { - 'name': 'detection of carbohydrate stimulus', - 'def': 'The series of events in which a carbohydrate stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009731': { - 'name': 'detection of sucrose stimulus', - 'def': 'The series of events in which a sucrose stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009732': { - 'name': 'detection of hexose stimulus', - 'def': 'The series of events in which a stimulus from a hexose is received and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009733': { - 'name': 'response to auxin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an auxin stimulus. [GOC:jl]' - }, - 'GO:0009734': { - 'name': 'auxin-activated signaling pathway', - 'def': 'A series of molecular signals generated by the binding of the plant hormone auxin to a receptor, and ending with modulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:sm, PMID:16990790, PMID:18647826]' - }, - 'GO:0009735': { - 'name': 'response to cytokinin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cytokinin stimulus. [GOC:jl]' - }, - 'GO:0009736': { - 'name': 'cytokinin-activated signaling pathway', - 'def': 'A series of molecular signals generated by the binding of a cytokinin to a receptor, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:sm, PMID:24080474]' - }, - 'GO:0009737': { - 'name': 'response to abscisic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an abscisic acid stimulus. [GOC:jl]' - }, - 'GO:0009738': { - 'name': 'abscisic acid-activated signaling pathway', - 'def': 'A series of molecular signals generated by the binding of the plant hormone abscisic acid (ABA) to a receptor, and ending with modulation of a cellular process, e.g. transcription. [GOC:signaling, GOC:sm, PMID:24269821]' - }, - 'GO:0009739': { - 'name': 'response to gibberellin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gibberellin stimulus. [GOC:jl]' - }, - 'GO:0009740': { - 'name': 'gibberellic acid mediated signaling pathway', - 'def': 'A series of molecular signals mediated by the detection of gibberellic acid. [GOC:sm]' - }, - 'GO:0009741': { - 'name': 'response to brassinosteroid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a brassinosteroid stimulus. [GOC:jl]' - }, - 'GO:0009742': { - 'name': 'brassinosteroid mediated signaling pathway', - 'def': 'A series of molecular signals mediated by the detection of brassinosteroid. [GOC:sm]' - }, - 'GO:0009743': { - 'name': 'response to carbohydrate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carbohydrate stimulus. [GOC:jl]' - }, - 'GO:0009744': { - 'name': 'response to sucrose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sucrose stimulus. [GOC:jl]' - }, - 'GO:0009745': { - 'name': 'sucrose mediated signaling', - 'def': 'A series of molecular signals mediated by the detection of sucrose. [GOC:sm]' - }, - 'GO:0009746': { - 'name': 'response to hexose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hexose stimulus. [GOC:jl]' - }, - 'GO:0009747': { - 'name': 'hexokinase-dependent signaling', - 'def': 'A series of molecular signals mediated by hexose and dependent on the detection of hexokinase. [GOC:mah, GOC:sm]' - }, - 'GO:0009748': { - 'name': 'hexokinase-independent signaling', - 'def': 'A series of molecular signals mediated by hexose and independent of hexokinase. [GOC:mah, GOC:sm]' - }, - 'GO:0009749': { - 'name': 'response to glucose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glucose stimulus. [GOC:jl]' - }, - 'GO:0009750': { - 'name': 'response to fructose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fructose stimulus. [GOC:jl]' - }, - 'GO:0009751': { - 'name': 'response to salicylic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a salicylic acid stimulus. [GOC:jl]' - }, - 'GO:0009752': { - 'name': 'detection of salicylic acid stimulus', - 'def': 'The series of events in which a salicylic acid stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0009753': { - 'name': 'response to jasmonic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a jasmonic acid stimulus. [GOC:jl]' - }, - 'GO:0009754': { - 'name': 'detection of jasmonic acid stimulus', - 'def': 'The series of events in which a jasmonic acid stimulus is received by a cell and converted into a molecular signal. Series of events required for a jasmonic acid stimulus to be detected and converted to a signal molecule. [GOC:sm]' - }, - 'GO:0009755': { - 'name': 'hormone-mediated signaling pathway', - 'def': 'A series of molecular signals mediated by the detection of a hormone. [GOC:sm]' - }, - 'GO:0009756': { - 'name': 'carbohydrate mediated signaling', - 'def': 'A series of molecular signals mediated by the detection of carbohydrate. [GOC:sm]' - }, - 'GO:0009757': { - 'name': 'hexose mediated signaling', - 'def': 'A series of molecular signals mediated by the detection of hexose. [GOC:sm]' - }, - 'GO:0009758': { - 'name': 'carbohydrate utilization', - 'def': "A series of processes that forms an integrated mechanism by which a cell or an organism detects the depletion of primary carbohydrate sources,usually glucose, and then activates genes to scavenge the last traces of the primary carbohydrate source and to transport and metabolize alternate carbohydrate sources. The utilization process begins when the cell or organism detects carbohydrate levels, includes the activation of genes whose products detect, transport or metabolize carbohydrates, and ends when the carbohydrate is incorporated into the cell or organism's metabolism. [GOC:mah, GOC:mcc2, GOC:mlg]" - }, - 'GO:0009759': { - 'name': 'indole glucosinolate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of indole glucosinolates, sulfur-containing compounds that have a common structure linked to an R group derived from tryptophan. [GOC:ai]' - }, - 'GO:0009760': { - 'name': 'C4 photosynthesis', - 'def': 'The combination of atmospheric CO2 with a 3-carbon molecule phosphoenol pyruvate (PEP) in the mesophyll cells to make a 4-carbon acid which is immediately converted to malic acid. The malic acid is then passed across to the bundle sheath cells where it is broken down again to pyruvic acid and CO2. The acid is passed back to the mesophyll cells to be used again, while the CO2 is fed into the reductive pentose-phosphate cycle (Calvin cycle) and converted into sugar and starch. [ISBN:0816017360]' - }, - 'GO:0009761': { - 'name': 'CAM photosynthesis', - 'def': 'The combination of atmospheric CO2 with a 3-carbon molecule phosphoenol pyruvate (PEP) to make malic acid. The malic acid is then passed into the vacuole where it is stored until daylight, when it is shuttled back out to be used as a substrate in the light reaction of photosynthesis. [ISBN:0582015952]' - }, - 'GO:0009762': { - 'name': 'NADP-malic enzyme C4 photosynthesis', - 'def': 'The process of C4 photosynthesis, as it occurs in plants in which the enzyme decarboxylating C4 acids in the bundle sheath is NADP-malic enzyme. [PMID:11788762]' - }, - 'GO:0009763': { - 'name': 'NAD-malic enzyme C4 photosynthesis', - 'def': 'The process of C4 photosynthesis, as it occurs in plants in which the enzyme decarboxylating C4 acids in the bundle sheath is NAD-malic enzyme. [PMID:11788762]' - }, - 'GO:0009764': { - 'name': 'PEP carboxykinase C4 photosynthesis', - 'def': 'The process of C4 photosynthesis, as it occurs in plants in which the enzyme decarboxylating C4 acids in the bundle sheath is phosphoenolpyruvate carboxykinase (PEPCK). [PMID:11788762]' - }, - 'GO:0009765': { - 'name': 'photosynthesis, light harvesting', - 'def': 'Absorption and transfer of the energy absorbed from light photons between photosystem reaction centers. [GOC:sm]' - }, - 'GO:0009766': { - 'name': 'primary charge separation', - 'def': 'In the photosynthetic reaction centers, primary charge separation is initiated by the excitation of a molecule followed by the transfer of an electron to an electron acceptor molecule following energy transfer from light harvesting complexes. [ISBN:0792361431]' - }, - 'GO:0009767': { - 'name': 'photosynthetic electron transport chain', - 'def': 'A process, occurring as part of photosynthesis, in which light provides the energy for a series of electron carriers to operate together to transfer electrons and generate a transmembrane electrochemical gradient. [GOC:mtg_electron_transport, ISBN:0198547684]' - }, - 'GO:0009768': { - 'name': 'photosynthesis, light harvesting in photosystem I', - 'def': 'After a photon of light is absorbed by one of the many chlorophyll molecules, in one of the light-harvesting complexes of an antenna on photosystem I, some of the absorbed energy is transferred to the pair of chlorophyll molecules in the reaction center. [GOC:jid, ISBN:0716731363, ISBN:0816017360]' - }, - 'GO:0009769': { - 'name': 'photosynthesis, light harvesting in photosystem II', - 'def': 'After a photon of light is absorbed by one of the many chlorophyll molecules, in one of the light-harvesting complexes of an antenna on photosystem II, some of the absorbed energy is transferred to the pair of chlorophyll molecules in the reaction center. [GOC:jid, ISBN:0716731363, ISBN:0816017360]' - }, - 'GO:0009770': { - 'name': 'primary charge separation in photosystem I', - 'def': 'Energized reaction-center P700 chlorophylls on photosystem I donate an electron to a loosely bound Quinone acceptor molecule X, on the stromal surface of the thylakoid membrane. The result is charge separation; a negative charge on the stromal side of the thylakoid membrane and a positive charge on the luminal side. [GOC:jid, ISBN:0716731363, ISBN:0816017360]' - }, - 'GO:0009771': { - 'name': 'primary charge separation in photosystem II', - 'def': 'Energized reaction-center P680 chlorophylls on photosystem II donate an electron to a loosely bound acceptor molecule, the quinone Q, on the stromal surface of the thylakoid membrane. The result is charge separation; a negative charge on the stromal side of the thylakoid membrane and a positive charge on the luminal side. [GOC:jid, ISBN:0716731363, ISBN:0816017360]' - }, - 'GO:0009772': { - 'name': 'photosynthetic electron transport in photosystem II', - 'def': 'A photosynthetic electron transport chain in which electrons move from the primary electron acceptor (Quinone, Q) through a chain of electron transport molecules in the thylakoid membrane until they reach the ultimate electron acceptor of Photosystem II, which is plastocyanin (PC). The electron is then passed to the P700 chlorophyll a molecules of the reaction centre of photosystem I. [GOC:jid, ISBN:0716731363, ISBN:0816017360]' - }, - 'GO:0009773': { - 'name': 'photosynthetic electron transport in photosystem I', - 'def': 'A photosynthetic electron transport chain in which electrons move from the primary electron acceptor (Quinone, X) through a chain of electron transport molecules in the thylakoid membrane until they reach ferredoxin which passes the electron to the ultimate electron acceptor; NADP. [GOC:jid, ISBN:0716731363, ISBN:0816017360]' - }, - 'GO:0009777': { - 'name': 'photosynthetic phosphorylation', - 'def': 'Any metabolic process in which photosynthetic organisms use light energy to convert ADP to ATP without the concomitant reduction of dioxygen (O2) to water that occurs in phosphorylation. [ISBN:0198547684]' - }, - 'GO:0009778': { - 'name': 'cyclic photosynthetic phosphorylation', - 'def': 'A photosynthetic phosphorylation process in which ATP synthesis is driven by a proton gradient generated across the thylakoid membrane. Involves only photosystem I. [ISBN:0198547684]' - }, - 'GO:0009779': { - 'name': 'noncyclic photosynthetic phosphorylation', - 'def': 'A photosynthetic phosphorylation process in which ATP synthesis is linked to the transport of electrons from water to NADP+ with the production of NADPH and dioxygen (O2). Involves photosystem I and photosystem II. [ISBN:0198547684]' - }, - 'GO:0009780': { - 'name': 'photosynthetic NADP+ reduction', - 'def': 'An NADPH regeneration process that contributes to the light reactions of photosynthesis. The light reactions of photosynthesis use energy from photons to generate high-energy electrons. These electrons are used directly to reduce NADP+ to NADPH. NADPH is a relatively stable molecule and can pass on its hydrogen atom to other molecules in chemical reactions. [GOC:jid, ISBN:0716746840, ISBN:0816017360]' - }, - 'GO:0009781': { - 'name': 'obsolete photosynthetic water oxidation', - 'def': 'OBSOLETE. Processes by which a molecule of water is oxidized during photosynthesis. P680+, the photochemically oxidized reaction-center chlorophyll of PSII, is a strong biological oxidant. The reduction potential of P680+ is more positive than that of water, and thus it can oxidize water to give O2 and H+ ions. The oxygen escapes as a gas while the H+ ions remain in solution inside the thylakoid vesicle. [GOC:jid, ISBN:0716743663, ISBN:0816017360]' - }, - 'GO:0009782': { - 'name': 'photosystem I antenna complex', - 'def': 'The antenna complex of photosystem I. A photosystem has two closely linked components, an antenna containing light-absorbing pigments and a reaction center. Each antenna contains one or more light-harvesting complexes (LHCs). [GOC:jid, ISBN:0716731363]' - }, - 'GO:0009783': { - 'name': 'photosystem II antenna complex', - 'def': 'The antenna complex of photosystem II. A photosystem has two closely linked components, an antenna containing light-absorbing pigments and a reaction center. Each antenna contains one or more light-harvesting complexes (LHCs). [GOC:jid, ISBN:0716731363]' - }, - 'GO:0009784': { - 'name': 'transmembrane receptor histidine kinase activity', - 'def': 'Combining with a signal and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: ATP + a protein-L-histidine = ADP + a protein-L-histidine phosphate. [GOC:lr, GOC:mah]' - }, - 'GO:0009785': { - 'name': 'blue light signaling pathway', - 'def': 'The series of molecular signals initiated upon sensing of blue light by photoreceptor molecule, at a wavelength between 400nm and 470nm. [GOC:lr, GOC:sm]' - }, - 'GO:0009786': { - 'name': 'regulation of asymmetric cell division', - 'def': 'Any process that modulates the frequency, rate or extent of asymmetric cell division. [GOC:lr]' - }, - 'GO:0009787': { - 'name': 'regulation of abscisic acid-activated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of abscisic acid (ABA) signaling. [GOC:lr]' - }, - 'GO:0009788': { - 'name': 'negative regulation of abscisic acid-activated signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of abscisic acid (ABA) signaling. [GOC:lr]' - }, - 'GO:0009789': { - 'name': 'positive regulation of abscisic acid-activated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of abscisic acid (ABA) signaling. [GOC:lr]' - }, - 'GO:0009790': { - 'name': 'embryo development', - 'def': 'The process whose specific outcome is the progression of an embryo from its formation until the end of its embryonic life stage. The end of the embryonic stage is organism-specific. For example, for mammals, the process would begin with zygote formation and end with birth. For insects, the process would begin at zygote formation and end with larval hatching. For plant zygotic embryos, this would be from zygote formation to the end of seed dormancy. For plant vegetative embryos, this would be from the initial determination of the cell or group of cells to form an embryo until the point when the embryo becomes independent of the parent plant. [GOC:go_curators, GOC:isa_complete, GOC:mtg_sensu]' - }, - 'GO:0009791': { - 'name': 'post-embryonic development', - 'def': 'The process whose specific outcome is the progression of the organism over time, from the completion of embryonic development to the mature structure. See embryonic development. [GOC:go_curators]' - }, - 'GO:0009792': { - 'name': 'embryo development ending in birth or egg hatching', - 'def': 'The process whose specific outcome is the progression of an embryo over time, from zygote formation until the end of the embryonic life stage. The end of the embryonic life stage is organism-specific and may be somewhat arbitrary; for mammals it is usually considered to be birth, for insects the hatching of the first instar larva from the eggshell. [GOC:go_curators, GOC:isa_complete, GOC:mtg_sensu]' - }, - 'GO:0009793': { - 'name': 'embryo development ending in seed dormancy', - 'def': 'The process whose specific outcome is the progression of the embryo over time, from zygote formation to the end of seed dormancy. An example of this process is found in Arabidopsis thaliana. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0009794': { - 'name': 'regulation of mitotic cell cycle, embryonic', - 'def': 'Any process that modulates the frequency, rate or extent of replication and segregation of genetic material in the embryo. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0009798': { - 'name': 'axis specification', - 'def': 'The establishment, maintenance and elaboration of a pattern along a line or around a point. [GOC:dph, GOC:go_curators, GOC:isa_complete]' - }, - 'GO:0009799': { - 'name': 'specification of symmetry', - 'def': "The establishment of an organism's body plan or part of an organism such that a similar arrangement in form and relationship of parts around a common axis, or around each side of a plane is created. [GOC:go_curators]" - }, - 'GO:0009800': { - 'name': 'cinnamic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cinnamic acid, 3-phenyl-2-propenoic acid. [GOC:jl]' - }, - 'GO:0009801': { - 'name': 'cinnamic acid ester metabolic process', - 'def': 'The chemical reactions and pathways involving ester derivatives of cinnamic acid, phenylpropenoic acid. [GOC:lr, GOC:yl]' - }, - 'GO:0009802': { - 'name': 'cinnamic acid ester biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ester derivatives of cinnamic acid, phenylpropenoic acid. [GOC:jl]' - }, - 'GO:0009803': { - 'name': 'cinnamic acid metabolic process', - 'def': 'The chemical reactions and pathways involving cinnamic acid, 3-phenyl-2-propenoic acid. [GOC:jl]' - }, - 'GO:0009804': { - 'name': 'coumarin metabolic process', - 'def': 'The chemical reactions and pathways involving coumarins, compounds derived from the phenylacrylic skeleton of cinnamic acids. [GOC:lr, GOC:yl]' - }, - 'GO:0009805': { - 'name': 'coumarin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of coumarins, a class of compounds derived from the phenylacrylic skeleton of cinnamic acids. [GOC:lr, GOC:yl]' - }, - 'GO:0009806': { - 'name': 'lignan metabolic process', - 'def': 'The chemical reactions and pathways involving lignans, any member of a class of plant metabolites related to lignins. Lignans are usually found as phenylpropanoid dimers in which the phenylpropanoid units are linked tail to tail and thus having a 2,3 dibenzylbutane skeleton, but higher oligomers can also exist. [GOC:jl, PMID:10074466]' - }, - 'GO:0009807': { - 'name': 'lignan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lignans, any member of a class of plant metabolites related to lignins. Lignans are usually found as phenylpropanoid dimers in which the phenylpropanoid units are linked tail to tail and thus having a 2,3 dibenzylbutane skeleton, but higher oligomers can also exist. [GOC:jl, PMID:10074466]' - }, - 'GO:0009808': { - 'name': 'lignin metabolic process', - 'def': 'The chemical reactions and pathways involving lignins, a class of polymers of phenylpropanoid units. [GOC:lr, GOC:yl]' - }, - 'GO:0009809': { - 'name': 'lignin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lignins, a class of polymers formed by the dehydrogenetive radical polymerization of various phenylpropanoid monomers. [GOC:tair_curators, ISBN:0198547684]' - }, - 'GO:0009810': { - 'name': 'stilbene metabolic process', - 'def': 'The chemical reactions and pathways involving stilbenes, a class of polyketides formed from a molecule of cinnamic acid and three molecules of malonyl-CoA. [ISBN:311011625]' - }, - 'GO:0009811': { - 'name': 'stilbene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of stilbenes, a class of polyketide compounds formed from cinnamic acid and three molecules of malonyl CoA. [GOC:tair_curators, ISBN:3110116251]' - }, - 'GO:0009812': { - 'name': 'flavonoid metabolic process', - 'def': 'The chemical reactions and pathways involving flavonoids, a group of water-soluble phenolic derivatives containing a flavan skeleton including flavones, flavonols and flavanoids, and anthocyanins. [GOC:tair_curators, ISBN:0198547684]' - }, - 'GO:0009813': { - 'name': 'flavonoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of flavonoids, a group of phenolic derivatives containing a flavan skeleton. [GOC:tair_curators, ISBN:0198547684]' - }, - 'GO:0009814': { - 'name': 'defense response, incompatible interaction', - 'def': 'A response of a plant to a pathogenic agent that prevents the occurrence or spread of disease. [GOC:lr]' - }, - 'GO:0009815': { - 'name': '1-aminocyclopropane-1-carboxylate oxidase activity', - 'def': 'Catalysis of the reaction: 1-aminocyclopropane-1-carboxylate + L-ascorbate + O(2) = CO(2) + dehydroascorbate + ethylene + 2 H(2)O + hydrogen cyanide. Ethene is also known as ethylene. [EC:1.14.17.4, RHEA:23643]' - }, - 'GO:0009816': { - 'name': 'defense response to bacterium, incompatible interaction', - 'def': 'A response of an organism to a bacterium that prevents the occurrence or spread of disease. [GOC:lr]' - }, - 'GO:0009817': { - 'name': 'defense response to fungus, incompatible interaction', - 'def': 'A response of an organism to a fungus that prevents the occurrence or spread of disease. [GOC:lr]' - }, - 'GO:0009818': { - 'name': 'defense response to protozoan, incompatible interaction', - 'def': 'A response of an organism to a protozoan that prevents the occurrence or spread of disease. [GOC:lr]' - }, - 'GO:0009819': { - 'name': 'drought recovery', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of prolonged deprivation of water that restores that organism to a normal (non-stressed) condition. [GOC:lr]' - }, - 'GO:0009820': { - 'name': 'alkaloid metabolic process', - 'def': 'The chemical reactions and pathways involving alkaloids, nitrogen containing natural products which are not otherwise classified as peptides, nonprotein amino acids, amines, cyanogenic glycosides, glucosinolates, cofactors, phytohormones or primary metabolites (such as purine or pyrimidine bases). [GOC:lr, ISBN:0122146743]' - }, - 'GO:0009821': { - 'name': 'alkaloid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alkaloids, nitrogen-containing natural products which are not otherwise classified as nonprotein amino acids, amines, peptides, amines, cyanogenic glycosides, glucosinolates, cofactors, phytohormones, or primary metabolite (such as purine or pyrimidine bases). [EC:1.1.1.51, GOC:lr, ISBN:0122146743]' - }, - 'GO:0009822': { - 'name': 'alkaloid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alkaloids, nitrogen containing natural products not otherwise classified as peptides, nonprotein amino acids, amines, cyanogenic glycosides, glucosinolates, cofactors, phytohormones or primary metabolites (such as purine or pyrimidine bases). [GOC:lr, ISBN:01221146743]' - }, - 'GO:0009823': { - 'name': 'cytokinin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cytokinins, a class of adenine-derived compounds that can function in plants as plant growth regulators. [GOC:lr]' - }, - 'GO:0009824': { - 'name': 'AMP dimethylallyltransferase activity', - 'def': "Catalysis of the reaction: AMP + dimethylallyl diphosphate = N(6)-(dimethylallyl)adenosine 5'-phosphate + diphosphate. [EC:2.5.1.27, RHEA:15288]" - }, - 'GO:0009825': { - 'name': 'multidimensional cell growth', - 'def': 'The process in which a cell irreversibly increases in size in two or three [spatial] dimensions or along two or three axes. [ISBN:0943088399]' - }, - 'GO:0009826': { - 'name': 'unidimensional cell growth', - 'def': 'The process in which a cell irreversibly increases in size in one [spatial] dimension or along one axis, resulting in the morphogenesis of the cell. [ISBN:0943088399]' - }, - 'GO:0009827': { - 'name': 'plant-type cell wall modification', - 'def': 'The series of events leading to chemical and structural alterations of an existing cellulose and pectin-containing cell wall that can result in loosening, increased extensibility or disassembly. An example of this is found in Arabidopsis thaliana. [GOC:lr, GOC:mtg_sensu]' - }, - 'GO:0009828': { - 'name': 'plant-type cell wall loosening', - 'def': 'The series of events causing chemical and structural alterations of an existing cellulose and pectin-containing cell wall that results in greater extensibility of the wall. An example of this is found in Arabidopsis thaliana. [GOC:lr, GOC:mtg_sensu]' - }, - 'GO:0009829': { - 'name': 'cell wall modification involved in fruit ripening', - 'def': 'The series of events resulting in chemical or structural alterations of existing cell walls that contribute to fruit ripening. [GOC:lr]' - }, - 'GO:0009830': { - 'name': 'cell wall modification involved in abscission', - 'def': 'A cellular process that results in the breakdown of the cell wall that contributes to the process of abscission. [GOC:dph, GOC:lr, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0009831': { - 'name': 'plant-type cell wall modification involved in multidimensional cell growth', - 'def': 'The series of events that occur during cell growth that result in chemical or structural changes to existing cell walls of the type composed chiefly of cellulose and pectin. An example of this is found in Arabidopsis thaliana. [GOC:lr, GOC:mtg_sensu]' - }, - 'GO:0009832': { - 'name': 'plant-type cell wall biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a cellulose and pectin-containing cell wall. An example of this is found in Arabidopsis thaliana. [GOC:go_curators, GOC:lr, GOC:mtg_sensu]' - }, - 'GO:0009833': { - 'name': 'plant-type primary cell wall biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of cellulose and pectin-containing cell walls that form adjacent to the middle lamella following cell division and during cell expansion. An example of this is found in Arabidopsis thaliana. [GOC:lr, GOC:mtg_sensu]' - }, - 'GO:0009834': { - 'name': 'plant-type secondary cell wall biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of inextensible cellulose- and pectin-containing cell walls that are formed between the plasma membrane and primary cell wall after cell expansion is complete. An example of this is found in Arabidopsis thaliana. [GOC:lr, GOC:mtg_sensu]' - }, - 'GO:0009835': { - 'name': 'fruit ripening', - 'def': 'An aging process that has as participant a fruit. Ripening causes changes in one or more characteristics of a fruit (color, aroma, flavor, texture, hardness, cell wall structure) and may make it more attractive to animals and aid in seed dispersal. [GOC:lr]' - }, - 'GO:0009836': { - 'name': 'fruit ripening, climacteric', - 'def': 'A fruit ripening process that involves a burst of respiration and ethylene (ethene) evolution at the onset. [GOC:lr, ISBN:0521587840]' - }, - 'GO:0009837': { - 'name': 'fruit ripening, non-climacteric', - 'def': 'A fruit ripening process that does not involve a respiratory burst. [GOC:lr, ISBN:0521587840]' - }, - 'GO:0009838': { - 'name': 'abscission', - 'def': 'The controlled shedding of a body part. [ISBN:0140514031]' - }, - 'GO:0009839': { - 'name': 'obsolete SCF complex substrate recognition subunit', - 'def': 'OBSOLETE. The portion of the SCF ubiquitin ligase complex that contains sites required for recognition (and recruitment) of the substrate to the complex. [PMID:11790542, PMID:9857172]' - }, - 'GO:0009840': { - 'name': 'chloroplastic endopeptidase Clp complex', - 'def': 'A Clp endopeptidase complex located in the chloroplast. [GOC:mah]' - }, - 'GO:0009841': { - 'name': 'mitochondrial endopeptidase Clp complex', - 'def': 'A Clp endopeptidase complex located in the mitochondrion. [GOC:mah]' - }, - 'GO:0009842': { - 'name': 'cyanelle', - 'def': 'A plastid that contains unstacked, phycobilisome-bearing thylakoid membranes and is surrounded by a double membrane with a peptidoglycan layer in the intermembrane space between the two envelope membranes. Cyanelles are characteristic of algae in the class Glaucophyta, and may represent an ancestral form of plastid. [ISBN:052131687, ISBN:1402001894]' - }, - 'GO:0009843': { - 'name': 'cyanelle thylakoid', - 'def': 'A thylakoid found in a cyanelle, which is a type of plastid found in certain algae. The cyanelle contains a photosynthetic membrane resembling that of cyanobacteria. [GOC:lr, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0009844': { - 'name': 'obsolete germination', - 'def': 'OBSOLETE. The physiological and developmental changes by a seed, spore, pollen grain (microspore), or zygote that occur after release from dormancy, and encompassing events prior to and including the first visible indications of growth. [GOC:lr]' - }, - 'GO:0009845': { - 'name': 'seed germination', - 'def': 'The physiological and developmental changes that occur in a seed commencing with water uptake (imbibition) and terminating with the elongation of the embryonic axis. [PMID:8281041]' - }, - 'GO:0009846': { - 'name': 'pollen germination', - 'def': 'The physiological and developmental changes that occur in a heterosporous plant pollen grain, beginning with hydration and terminating with the emergence of the pollen tube through the aperture. [GOC:lr, http://www.bio.uu.nl, ISBN:0943088399]' - }, - 'GO:0009847': { - 'name': 'spore germination', - 'def': 'The physiological and developmental changes that occur in a spore following release from dormancy up to the earliest signs of growth (e.g. emergence from a spore wall). [GOC:lr]' - }, - 'GO:0009848': { - 'name': 'indoleacetic acid biosynthetic process via tryptophan', - 'def': 'The chemical reactions and pathways resulting in the formation of indole-3-acetic acid that occurs through metabolism of L-tryptophan. [GOC:lm, GOC:lr, PMID:10375566]' - }, - 'GO:0009849': { - 'name': 'tryptophan-independent indoleacetic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of indoleacetic acid, independent of tryptophan. [GOC:go_curators, GOC:lm, GOC:lr, PMID:10375566]' - }, - 'GO:0009850': { - 'name': 'auxin metabolic process', - 'def': 'The chemical reactions and pathways involving auxins, a group of plant hormones that regulate aspects of plant growth. [GOC:lr]' - }, - 'GO:0009851': { - 'name': 'auxin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of auxins, plant hormones that regulate aspects of plant growth. [GOC:lm, GOC:lr, ISBN:0122146743]' - }, - 'GO:0009852': { - 'name': 'auxin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of auxins, a group of plant hormones that regulate aspects of plant growth. [GOC:lm, GOC:lr, ISBN:0198547684]' - }, - 'GO:0009853': { - 'name': 'photorespiration', - 'def': 'A light-dependent catabolic process occurring concomitantly with photosynthesis in plants (especially C3 plants) whereby dioxygen (O2) is consumed and carbon dioxide (CO2) is evolved. The substrate is glycolate formed in large quantities in chloroplasts from 2-phosphoglycolate generated from ribulose 1,5-bisphosphate by the action of ribulose-bisphosphate carboxylase; the glycolate enters the peroxisomes where it is converted by glycolate oxidase to glyoxylate which undergoes transamination to glycine. This then passes into the mitochondria where it is decarboxylated forming one molecule of serine for every two molecules of glycine. This pathway also exists in photosynthetic bacteria. [ISBN:0198506732]' - }, - 'GO:0009854': { - 'name': 'oxidative photosynthetic carbon pathway', - 'def': 'The reactions of the C2 pathway bring about the metabolic conversion of two molecules of 2-phosphoglycolate to one molecule of 3-phosphoglycerate, which can be used by the C3 cycle, and one molecule of carbon dioxide (CO2). [ISBN:00943088399]' - }, - 'GO:0009855': { - 'name': 'determination of bilateral symmetry', - 'def': "The establishment of an organism's body plan or part of an organism with respect to a single longitudinal plane. The pattern can either be symmetric, such that the halves are mirror images, or asymmetric where the pattern deviates from this symmetry. [GOC:go_curators]" - }, - 'GO:0009856': { - 'name': 'pollination', - 'def': 'The cascade of biological processes occurring in plants beginning when the pollen lands on the female reproductive organs of a plant and continuing up to, but not including, fertilization, as defined by sperm-egg cell fusion. [GOC:tb, PMID:10973091]' - }, - 'GO:0009858': { - 'name': 'obsolete compatible pollen-pistil interaction', - 'def': 'OBSOLETE. An interaction between a pollen grain and pistil that results in unimpeded growth of the pollen tube through the stigma and style. [GOC:lr, ISBN:0387987819]' - }, - 'GO:0009859': { - 'name': 'pollen hydration', - 'def': 'The process in which water is taken up by pollen. [GOC:lr]' - }, - 'GO:0009860': { - 'name': 'pollen tube growth', - 'def': 'Growth of pollen via tip extension of the intine wall. [ISBN:00943088399]' - }, - 'GO:0009861': { - 'name': 'jasmonic acid and ethylene-dependent systemic resistance', - 'def': 'The jasmonic acid and ethylene (ethene) dependent process that confers broad spectrum systemic resistance to disease in response to wounding or a pathogen. [GOC:jy, PMID:10234273]' - }, - 'GO:0009862': { - 'name': 'systemic acquired resistance, salicylic acid mediated signaling pathway', - 'def': 'The series of molecular signals mediated by salicylic acid involved in systemic acquired resistance. [GOC:jy]' - }, - 'GO:0009863': { - 'name': 'salicylic acid mediated signaling pathway', - 'def': 'A series of molecular signals mediated by salicylic acid. [GOC:jy]' - }, - 'GO:0009864': { - 'name': 'induced systemic resistance, jasmonic acid mediated signaling pathway', - 'def': 'The series of molecular signals mediated by jasmonic acid involved in induced systemic resistance. [GOC:jy]' - }, - 'GO:0009865': { - 'name': 'pollen tube adhesion', - 'def': 'The process in which the pollen tube adheres to cells of the stigma and style. [GOC:tair_curators, PMID:12602877]' - }, - 'GO:0009866': { - 'name': 'induced systemic resistance, ethylene mediated signaling pathway', - 'def': 'The series of molecular signals mediated by ethylene (ethene) involved in induced systemic resistance. [GOC:jy]' - }, - 'GO:0009867': { - 'name': 'jasmonic acid mediated signaling pathway', - 'def': 'A series of molecular signals mediated by jasmonic acid. [GOC:jy, PMID:16478936, PMID:19522558, PMID:20159850]' - }, - 'GO:0009868': { - 'name': 'jasmonic acid and ethylene-dependent systemic resistance, jasmonic acid mediated signaling pathway', - 'def': 'The series of molecular signals mediated by jasmonic acid involved in jasmonic acid/ethylene (ethene) dependent systemic resistance. [GOC:jy]' - }, - 'GO:0009869': { - 'name': 'obsolete incompatible pollen-pistil interaction', - 'def': 'OBSOLETE. An interaction between a pollen grain and pistil that results in inhibition of pollen germination/growth. [PMID:10375566]' - }, - 'GO:0009870': { - 'name': 'defense response signaling pathway, resistance gene-dependent', - 'def': 'A series of molecular signals that depends upon R-genes and is activated during defense response. [GOC:jy, GOC:mah, PMID:11418339]' - }, - 'GO:0009871': { - 'name': 'jasmonic acid and ethylene-dependent systemic resistance, ethylene mediated signaling pathway', - 'def': 'The series of molecular signals mediated by ethylene (ethene) involved in jasmonic acid/ethylene dependent systemic resistance. [GOC:jy]' - }, - 'GO:0009872': { - 'name': 'obsolete gametophytic self-incompatibility', - 'def': 'OBSOLETE. A mechanism that functions to prevent self-fertilization in flowering plants that is determined by the diploid genotype of the parent plant. In sporophytic incompatibility the pollen does not germinate, consequently fertilization does not take place. [ISBN:0387987819]' - }, - 'GO:0009873': { - 'name': 'ethylene-activated signaling pathway', - 'def': 'A series of molecular signals generated by the reception of ethylene (ethene, C2H4) by a receptor and ending with modulation of a cellular process, e.g. transcription. [GOC:jy, PMID:24012247]' - }, - 'GO:0009874': { - 'name': 'obsolete sporophytic self-incompatibility', - 'def': 'OBSOLETE. A mechanism that functions to prevent self-fertilization in flowering plants that is determined by the diploid genotype of the parent plant. In sporophytic incompatibility the pollen does not germinate, consequently fertilization does not take place. [ISBN:0387987819]' - }, - 'GO:0009875': { - 'name': 'pollen-pistil interaction', - 'def': 'The interaction between a pollen grain and pistil. [GOC:go_curators]' - }, - 'GO:0009876': { - 'name': 'pollen adhesion', - 'def': 'The process in which pollen deposited on the stigma adheres to cells of the stigma. [GOC:tair_curators]' - }, - 'GO:0009877': { - 'name': 'nodulation', - 'def': 'The formation of nitrogen-fixing root nodules on plant roots. [UniProtKB-KW:KW-0536]' - }, - 'GO:0009878': { - 'name': 'nodule morphogenesis', - 'def': 'The process in which the anatomical structures of the nodule are generated and organized. [GOC:jid]' - }, - 'GO:0009879': { - 'name': 'determination of radial symmetry', - 'def': "The establishment of an organism's body plan or a part of an organism such that it is symmetric around a central axis. [GOC:go_curators]" - }, - 'GO:0009880': { - 'name': 'embryonic pattern specification', - 'def': 'The process that results in the patterns of cell differentiation that will arise in an embryo. [GOC:go_curators, ISBN:0521436125]' - }, - 'GO:0009881': { - 'name': 'photoreceptor activity', - 'def': 'The function of absorbing and responding to incidental electromagnetic radiation, particularly visible light. The response may involve a change in conformation. [GOC:ai, GOC:go_curators]' - }, - 'GO:0009882': { - 'name': 'blue light photoreceptor activity', - 'def': 'The function of absorbing and responding to electromagnetic radiation with a wavelength of approximately 400-470nm. The response may involve a change in conformation. [GOC:tb]' - }, - 'GO:0009883': { - 'name': 'red or far-red light photoreceptor activity', - 'def': 'The function of absorbing and responding to electromagnetic radiation with a wavelength of approximately 660-730nm. The response may involve a change in conformation. [GOC:lr]' - }, - 'GO:0009884': { - 'name': 'cytokinin receptor activity', - 'def': 'Combining with a cytokinin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:lr, GOC:signaling]' - }, - 'GO:0009885': { - 'name': 'transmembrane histidine kinase cytokinin receptor activity', - 'def': 'Combining with a cytokinin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: ATP + a protein-L-histidine = ADP + a protein-L-histidine phosphate. [GOC:lr, GOC:mah]' - }, - 'GO:0009886': { - 'name': 'post-embryonic animal morphogenesis', - 'def': 'The process, occurring after animal embryonic development, by which anatomical structures are generated and organized. [GOC:go_curators]' - }, - 'GO:0009887': { - 'name': 'animal organ morphogenesis', - 'def': 'Morphogenesis of an animal organ. An organ is defined as a tissue or set of tissues that work together to perform a specific function or functions. Morphogenesis is the process in which anatomical structures are generated and organized. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that work together to perform a specific function or functions. [GOC:dgh, GOC:go_curators, ISBN:0471245208, ISBN:0721662544]' - }, - 'GO:0009888': { - 'name': 'tissue development', - 'def': 'The process whose specific outcome is the progression of a tissue over time, from its formation to the mature structure. [ISBN:0471245208]' - }, - 'GO:0009889': { - 'name': 'regulation of biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of substances. [GOC:go_curators]' - }, - 'GO:0009890': { - 'name': 'negative regulation of biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the rate of the chemical reactions and pathways resulting in the formation of substances. [GOC:go_curators]' - }, - 'GO:0009891': { - 'name': 'positive regulation of biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of substances. [GOC:go_curators]' - }, - 'GO:0009892': { - 'name': 'negative regulation of metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways within a cell or an organism. [GOC:go_curators]' - }, - 'GO:0009893': { - 'name': 'positive regulation of metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways within a cell or an organism. [GOC:go_curators]' - }, - 'GO:0009894': { - 'name': 'regulation of catabolic process', - 'def': 'Any process that modulates the frequency, rate, or extent of the chemical reactions and pathways resulting in the breakdown of substances. [GOC:go_curators]' - }, - 'GO:0009895': { - 'name': 'negative regulation of catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of substances. [GOC:go_curators]' - }, - 'GO:0009896': { - 'name': 'positive regulation of catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of substances. [GOC:go_curators]' - }, - 'GO:0009897': { - 'name': 'external side of plasma membrane', - 'def': 'The leaflet of the plasma membrane that faces away from the cytoplasm and any proteins embedded or anchored in it or attached to its surface. [GOC:dos, GOC:tb]' - }, - 'GO:0009898': { - 'name': 'cytoplasmic side of plasma membrane', - 'def': 'The leaflet the plasma membrane that faces the cytoplasm and any proteins embedded or anchored in it or attached to its surface. [GOC:dos, GOC:tb]' - }, - 'GO:0009899': { - 'name': 'ent-kaurene synthase activity', - 'def': 'Catalysis of the reaction: ent-copalyl diphosphate = ent-kaur-16-ene + diphosphate. [EC:4.2.3.19, RHEA:22223]' - }, - 'GO:0009900': { - 'name': 'dehiscence', - 'def': 'The opening of an anther, fruit or other structure, which permits the escape of reproductive bodies contained within it. [ISBN:0879015322]' - }, - 'GO:0009901': { - 'name': 'anther dehiscence', - 'def': 'The dehiscence of an anther to release the pollen grains contained within it. [GOC:tb]' - }, - 'GO:0009902': { - 'name': 'chloroplast relocation', - 'def': 'The process in which chloroplasts in photosynthetic cells migrate toward illuminated sites to optimize photosynthesis and move away from excessively illuminated areas to protect the photosynthetic machinery. [PMID:11309623]' - }, - 'GO:0009903': { - 'name': 'chloroplast avoidance movement', - 'def': 'The relocation process in which chloroplasts in photosynthetic cells avoid strong light and move away from it in order to preserve the photosynthetic machinery. [GOC:tb, PMID:11978863]' - }, - 'GO:0009904': { - 'name': 'chloroplast accumulation movement', - 'def': 'The relocation process in which chloroplasts in photosynthetic cells move toward a brighter area in a cell to optimize photosynthesis. [GOC:tb, PMID:11978863]' - }, - 'GO:0009905': { - 'name': 'ent-copalyl diphosphate synthase activity', - 'def': 'Catalysis of the reaction: all-trans-geranylgeranyl diphosphate = ent-copalyl diphosphate. [EC:5.5.1.13, RHEA:14844]' - }, - 'GO:0009906': { - 'name': 'response to photoperiod, blue light', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the detection of a blue light photoperiod stimulus. Blue light is electromagnetic radiation with a wavelength of between 440 and 500nm. [GOC:go_curators, GOC:mtg_far_red]' - }, - 'GO:0009907': { - 'name': 'response to photoperiod, red light', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a red light photoperiod stimulus. Red light is electromagnetic radiation of wavelength of 580-700nm. [GOC:go_curators, GOC:mtg_far_red]' - }, - 'GO:0009908': { - 'name': 'flower development', - 'def': 'The process whose specific outcome is the progression of the flower over time, from its formation to the mature structure. The flower is the reproductive structure in a plant, and its development begins with the transition of the vegetative or inflorescence meristem into a floral meristem. [GOC:tb, ISBN:0879015322]' - }, - 'GO:0009909': { - 'name': 'regulation of flower development', - 'def': 'Any process that modulates the frequency, rate or extent of flower development. [GOC:go_curators]' - }, - 'GO:0009910': { - 'name': 'negative regulation of flower development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of flower development. [GOC:go_curators]' - }, - 'GO:0009911': { - 'name': 'positive regulation of flower development', - 'def': 'Any process that activates or increases the frequency, rate or extent of flower development. [GOC:go_curators]' - }, - 'GO:0009912': { - 'name': 'auditory receptor cell fate commitment', - 'def': 'The process in which the cellular identity of auditory hair cells is acquired and determined. [GOC:lr]' - }, - 'GO:0009913': { - 'name': 'epidermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an epidermal cell, any of the cells making up the epidermis. [GOC:dph, GOC:go_curators, GOC:mtg_sensu, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0009914': { - 'name': 'hormone transport', - 'def': 'The directed movement of hormones into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:tb]' - }, - 'GO:0009915': { - 'name': 'phloem sucrose loading', - 'def': 'The process of loading sucrose into the sieve tube or companion cell of the phloem for long distance transport from source to sink. [GOC:sm]' - }, - 'GO:0009916': { - 'name': 'alternative oxidase activity', - 'def': 'Catalysis of the oxidation of ubiquinol by diverting electrons from the standard electron transfer chain, transferring them from ubiquinol to oxygen and generating water as the product. [ISBN:0943088399]' - }, - 'GO:0009917': { - 'name': 'sterol 5-alpha reductase activity', - 'def': 'Catalysis of the removal of a C-5 double bond in the B ring of a sterol. [ISBN:0943088399]' - }, - 'GO:0009918': { - 'name': 'sterol delta7 reductase activity', - 'def': 'Catalysis of the reaction: 5-dehydroepisterol = 24-methylenecholesterol. [ISBN:0943088399]' - }, - 'GO:0009919': { - 'name': 'obsolete cytokinesis (sensu Viridiplantae)', - 'def': 'OBSOLETE. The division of a cell into two daughter cells with cell walls. [GOC:tb]' - }, - 'GO:0009920': { - 'name': 'cell plate formation involved in plant-type cell wall biogenesis', - 'def': 'The cell cycle process in which the cell plate is formed at the equator of the spindle in the dividing cells during early telophase. An example of this is found in Arabidopsis thaliana. [GOC:mtg_sensu, GOC:tb, ISBN:0879015322]' - }, - 'GO:0009921': { - 'name': 'auxin efflux carrier complex', - 'def': 'The protein complex associated with the plasma membrane of certain plant cells (e.g. root cortex, epidermal cells) that functions to transport auxin out of the cell. [PMID:9843496]' - }, - 'GO:0009922': { - 'name': 'fatty acid elongase activity', - 'def': 'Catalysis of the reaction: fatty acid (C-16 or longer) + 2-C = fatty acid (C-16 or longer + 2-C). [GOC:tb]' - }, - 'GO:0009923': { - 'name': 'fatty acid elongase complex', - 'def': 'A tetrameric complex of four different subunits which catalyzes the elongation of fatty acids chains 2 carbon units at a time in the synthesis of very long chain fatty acids. [GOC:tb]' - }, - 'GO:0009924': { - 'name': 'octadecanal decarbonylase activity', - 'def': 'Catalysis of the reaction: octadecanal = heptadecane + CO. [EC:4.1.99.5, GOC:tb]' - }, - 'GO:0009925': { - 'name': 'basal plasma membrane', - 'def': 'The region of the plasma membrane located at the basal end of the cell. Often used in reference to animal polarized epithelial membranes, where the basal membrane is the part attached to the extracellular matrix, or in plant cells, where the basal membrane is defined with respect to the zygotic axis. [GOC:go_curators]' - }, - 'GO:0009926': { - 'name': 'auxin polar transport', - 'def': 'The unidirectional movement of auxin in the stem from tip to base along the vector of gravity or basipetally. [GOC:sm]' - }, - 'GO:0009927': { - 'name': 'histidine phosphotransfer kinase activity', - 'def': 'Serves as a phospho-His intermediate enabling the transfer of phospho group between a hybrid kinase and a response regulator. [PMID:11842140]' - }, - 'GO:0009930': { - 'name': 'longitudinal side of cell surface', - 'def': 'The side of the cell parallel to the zygotic axis. [GOC:mtg_sensu, GOC:sm]' - }, - 'GO:0009931': { - 'name': 'calcium-dependent protein serine/threonine kinase activity', - 'def': 'Catalysis of the reactions: ATP + a protein serine = ADP + protein serine phosphate; and ATP + a protein threonine = ADP + protein threonine phosphate. These reactions are dependent on the presence of calcium ions. [GOC:mah]' - }, - 'GO:0009932': { - 'name': 'cell tip growth', - 'def': 'Growth that occurs specifically at the tip of a cell. [GOC:jid]' - }, - 'GO:0009933': { - 'name': 'meristem structural organization', - 'def': 'Organization of a region of tissue in a plant that is composed of one or more undifferentiated cells capable of undergoing mitosis and differentiation, thereby effecting growth and development of a plant by giving rise to more meristem or specialized tissue. [GOC:sm, ISBN:0198547684]' - }, - 'GO:0009934': { - 'name': 'regulation of meristem structural organization', - 'def': 'Any process that modulates the frequency, rate or extent of meristem organization. [GOC:jid]' - }, - 'GO:0009935': { - 'name': 'obsolete nutrient import', - 'def': 'OBSOLETE. The directed movement of nutrients into a cell or organelle. [GOC:sm]' - }, - 'GO:0009936': { - 'name': 'obsolete expansin', - 'def': 'OBSOLETE. A group of proteins located within the cell walls of plants, both dicots and grasses, that play an essential role in loosening cell walls during cell growth. They are hydrophobic, non glycosylated proteins of about 30kDa. [ISBN:0198547684]' - }, - 'GO:0009937': { - 'name': 'regulation of gibberellic acid mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of gibberellic acid mediated signaling. [GOC:go_curators]' - }, - 'GO:0009938': { - 'name': 'negative regulation of gibberellic acid mediated signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of gibberellic acid mediated signaling activity. [GOC:sm]' - }, - 'GO:0009939': { - 'name': 'positive regulation of gibberellic acid mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of gibberellic acid mediated signaling activity. [GOC:sm]' - }, - 'GO:0009940': { - 'name': 'amino-terminal vacuolar sorting propeptide binding', - 'def': 'Interacting selectively and non-covalently with an amino terminal propeptide, which functions as a sorting signal to sort away the soluble vacuolar protein from Golgi to lytic vacuole via clathrin-coated vesicles. [GOC:sm, PMID:10871276]' - }, - 'GO:0009941': { - 'name': 'chloroplast envelope', - 'def': 'The double lipid bilayer enclosing the chloroplast and separating its contents from the rest of the cytoplasm; includes the intermembrane space. [GOC:tb]' - }, - 'GO:0009942': { - 'name': 'longitudinal axis specification', - 'def': 'The establishment, maintenance and elaboration of the longitudinal axis. In plants, this is the axis that runs from the shoot to the root. [GOC:tb]' - }, - 'GO:0009943': { - 'name': 'adaxial/abaxial axis specification', - 'def': 'The establishment, maintenance and elaboration of the adaxial / abaxial axis. Adaxial refers to being situated toward an axis of an anatomical structure. Abaxial refers to being situated away from an axis of an anatomical structure. [GOC:dph, GOC:tb]' - }, - 'GO:0009944': { - 'name': 'polarity specification of adaxial/abaxial axis', - 'def': 'The process resulting in the establishment of polarity along the adaxial/abaxial axis. Adaxial refers to being situated toward an axis of an anatomical structure. Abaxial refers to being situated away from an axis of an anatomical structure. [GOC:dph, GOC:tb]' - }, - 'GO:0009945': { - 'name': 'radial axis specification', - 'def': 'The establishment, maintenance and elaboration of an axis that initiates at a point and radiates outward from the point. [GOC:dph, GOC:go_curators, GOC:isa_complete]' - }, - 'GO:0009946': { - 'name': 'proximal/distal axis specification', - 'def': 'The establishment, maintenance and elaboration of the proximal/distal axis. The proximal/distal axis is defined by a line that runs from main body (proximal end) of an organism outward (distal end). [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0009947': { - 'name': 'centrolateral axis specification', - 'def': 'The establishment, maintenance and elaboration of the centrolateral axis. In plants, this axis is duplicated and runs from the midrib to the margin of the leaf. [GOC:dsz, GOC:tb, ISBN:0865427429]' - }, - 'GO:0009948': { - 'name': 'anterior/posterior axis specification', - 'def': 'The establishment, maintenance and elaboration of the anterior/posterior axis. The anterior-posterior axis is defined by a line that runs from the head or mouth of an organism to the tail or opposite end of the organism. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0009949': { - 'name': 'polarity specification of anterior/posterior axis', - 'def': 'Any process resulting in the establishment of polarity along the anterior/posterior axis. [GOC:go_curators]' - }, - 'GO:0009950': { - 'name': 'dorsal/ventral axis specification', - 'def': 'The establishment, maintenance and elaboration of the dorsal/ventral axis. The dorsal/ventral axis is defined by a line that runs orthogonal to both the anterior/posterior and left/right axes. The dorsal end is defined by the upper or back side of an organism. The ventral end is defined by the lower or front side of an organism. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0009951': { - 'name': 'polarity specification of dorsal/ventral axis', - 'def': 'Any process resulting in the establishment of polarity along the dorsal/ventral axis. [GOC:go_curators]' - }, - 'GO:0009952': { - 'name': 'anterior/posterior pattern specification', - 'def': 'The regionalization process in which specific areas of cell differentiation are determined along the anterior-posterior axis. The anterior-posterior axis is defined by a line that runs from the head or mouth of an organism to the tail or opposite end of the organism. [GOC:dph, GOC:go_curators, GOC:isa_complete, GOC:tb]' - }, - 'GO:0009953': { - 'name': 'dorsal/ventral pattern formation', - 'def': 'The regionalization process in which the areas along the dorsal/ventral axis are established that will lead to differences in cell differentiation. The dorsal/ventral axis is defined by a line that runs orthogonal to both the anterior/posterior and left/right axes. The dorsal end is defined by the upper or back side of an organism. The ventral end is defined by the lower or front side of an organism. [GOC:dph, GOC:go_curators, GOC:isa_complete, GOC:tb]' - }, - 'GO:0009954': { - 'name': 'proximal/distal pattern formation', - 'def': 'The regionalization process in which specific areas of cell differentiation are determined along a proximal/distal axis. The proximal/distal axis is defined by a line that runs from main body (proximal end) of an organism outward (distal end). [GOC:dph, GOC:go_curators, GOC:isa_complete]' - }, - 'GO:0009955': { - 'name': 'adaxial/abaxial pattern specification', - 'def': 'The regionalization process in which differences in cell differentiation along the adaxial/abaxial are generated. Adaxial refers to being situated toward an axis of an anatomical structure. Abaxial refers to being situated away from an axis of an anatomical structure. [GOC:dph, GOC:isa_complete, GOC:tb]' - }, - 'GO:0009956': { - 'name': 'radial pattern formation', - 'def': 'The regionalization process that results in defined areas around a point in which specific types of cell differentiation will occur. [GOC:dph, GOC:go_curators, GOC:isa_complete]' - }, - 'GO:0009957': { - 'name': 'epidermal cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an epidermal cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:mtg_sensu, GOC:sm]' - }, - 'GO:0009958': { - 'name': 'positive gravitropism', - 'def': 'The orientation of plant parts towards gravity. [GOC:sm]' - }, - 'GO:0009959': { - 'name': 'negative gravitropism', - 'def': 'The orientation of plant parts away from gravity. [GOC:sm]' - }, - 'GO:0009960': { - 'name': 'endosperm development', - 'def': 'The process whose specific outcome is the progression of the endosperm over time, from its formation to the mature structure. The endosperm is formed during fertilization and provides nutrients to the developing embryo. [GOC:sm]' - }, - 'GO:0009961': { - 'name': 'response to 1-aminocyclopropane-1-carboxylic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 1-aminocyclopropane-1-carboxylic acid stimulus. [GOC:jl]' - }, - 'GO:0009962': { - 'name': 'regulation of flavonoid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of flavonoids. [GOC:tb]' - }, - 'GO:0009963': { - 'name': 'positive regulation of flavonoid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of flavonoids. [GOC:tb]' - }, - 'GO:0009964': { - 'name': 'negative regulation of flavonoid biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of flavonoids. [GOC:tb]' - }, - 'GO:0009965': { - 'name': 'leaf morphogenesis', - 'def': 'The process in which the anatomical structures of the leaf are generated and organized. [GOC:go_curators]' - }, - 'GO:0009966': { - 'name': 'regulation of signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction. [GOC:sm]' - }, - 'GO:0009967': { - 'name': 'positive regulation of signal transduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction. [GOC:sm]' - }, - 'GO:0009968': { - 'name': 'negative regulation of signal transduction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signal transduction. [GOC:sm]' - }, - 'GO:0009969': { - 'name': 'xyloglucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of xyloglucan, the cross-linking glycan composed of (1->4)-beta-D glucan backbone substituted at regular intervals with beta-D-xylosyl-(1->6) residues, which is present in the primary cell wall of most higher plants. [GOC:sm]' - }, - 'GO:0009970': { - 'name': 'cellular response to sulfate starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of sulfate. [GOC:sm]' - }, - 'GO:0009971': { - 'name': 'anastral spindle assembly involved in male meiosis', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the anastral spindle in male meiotic cells. [GOC:tb, PMID:11973272]' - }, - 'GO:0009972': { - 'name': 'cytidine deamination', - 'def': 'The removal of amino group in the presence of water. [GOC:sm]' - }, - 'GO:0009973': { - 'name': 'adenylyl-sulfate reductase activity', - 'def': 'Catalysis of the reaction: AMP + sulfite + acceptor = adenylyl sulfate + reduced acceptor. [EC:1.8.99.2, PMID:5421934]' - }, - 'GO:0009974': { - 'name': 'zeinoxanthin epsilon hydroxylase activity', - 'def': 'Catalysis of the reaction: zeinoxanthin + NADPH + O2 + H+ = lutein + NADP+ + H2O. Adds a hydroxyl group to the epsilon ring of the alpha-carotene. [MetaCyc:RXN-5962, PMID:8837513]' - }, - 'GO:0009975': { - 'name': 'cyclase activity', - 'def': 'Catalysis of a ring closure reaction. [ISBN:0198547684]' - }, - 'GO:0009976': { - 'name': 'tocopherol cyclase activity', - 'def': 'Catalysis of the reaction: alkene group + alcohol group on same molecule = cyclic ether. Substrates are 2-methyl-6-phytyl-1,4- hydroquinone (forms delta-tocopherol) and 2,3-dimethyl-5-phytyl-1,4-hydroquinone (forms gamma-tocopherol). [PMID:12213958]' - }, - 'GO:0009977': { - 'name': 'proton motive force dependent protein transmembrane transporter activity', - 'def': 'Catalysis of the transfer of proteins from one side of the membrane to the other. Transportation is dependent on pH gradient across the membrane. [PMID:11526245]' - }, - 'GO:0009978': { - 'name': 'allene oxide synthase activity', - 'def': 'Catalysis of the reaction: 13(S)-hydroperoxylinolenate = 12,13(S)-epoxylinolenate + H2O. [EC:4.2.1.92, MetaCyc:RXN1F-19, PMID:9778849]' - }, - 'GO:0009979': { - 'name': '16:0 monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the introduction of an omega-3 double bond into an unsaturated 16-carbon fatty acid in a monogalactosyldiacylglycerol molecule. [GOC:mah, MetaCyc:RXN-1728, MetaCyc:RXN-8304, MetaCyc:RXN-8307]' - }, - 'GO:0009980': { - 'name': 'obsolete glutamate carboxypeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of C-terminal glutamate residues from a wide range of N-acylating groups, including peptidyl, aminoacyl, benzoyl, benzyloxycarbonyl, folyl and pteroyl groups. [EC:3.4.17.11, MetaCyc:3.4.17.11-RXN]' - }, - 'GO:0009982': { - 'name': 'pseudouridine synthase activity', - 'def': "Catalysis of the reaction: RNA uridine = RNA pseudouridine. Conversion of uridine in an RNA molecule to pseudouridine by rotation of the C1'-N-1 glycosidic bond of uridine in RNA to a C1'-C5. [EC:5.4.99.12, GOC:mah]" - }, - 'GO:0009983': { - 'name': 'obsolete tyrosine aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of N-terminal tyrosine from a peptide. [GOC:sm, ISBN:0198506732]' - }, - 'GO:0009984': { - 'name': 'obsolete adenylate forming enzyme activity', - 'def': 'OBSOLETE. Catalysis of the reaction: substrate + ATP = substrate-AMP + diphosphate. [PMID:12084835]' - }, - 'GO:0009985': { - 'name': 'obsolete dihydroflavonol(thiole) lyase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:tb]' - }, - 'GO:0009986': { - 'name': 'cell surface', - 'def': 'The external part of the cell wall and/or plasma membrane. [GOC:jl, GOC:mtg_sensu, GOC:sm]' - }, - 'GO:0009987': { - 'name': 'cellular process', - 'def': 'Any process that is carried out at the cellular level, but not necessarily restricted to a single cell. For example, cell communication occurs among more than one cell, but occurs at the cellular level. [GOC:go_curators, GOC:isa_complete]' - }, - 'GO:0009988': { - 'name': 'cell-cell recognition', - 'def': 'Cell recognition between cells. May involve the formation of specialized cell junctions. [ISBN:0824072820]' - }, - 'GO:0009989': { - 'name': 'cell-matrix recognition', - 'def': 'Cell recognition that involves the interaction of the cell with the extracellular matrix. [ISBN:0824072820]' - }, - 'GO:0009990': { - 'name': 'contact guidance', - 'def': 'Cell recognition involving the deposition of specific pathways in the extracellular matrix that guide migrating cells. [ISBN:0824072820]' - }, - 'GO:0009991': { - 'name': 'response to extracellular stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an extracellular stimulus. [GOC:go_curators]' - }, - 'GO:0009992': { - 'name': 'cellular water homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of water within a cell. [GOC:dph, GOC:tb]' - }, - 'GO:0009994': { - 'name': 'oocyte differentiation', - 'def': 'The process in which a relatively unspecialized immature germ cell acquires the specialized features of a mature female gamete. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0009995': { - 'name': 'soluble molecule recognition', - 'def': 'The recognition of soluble molecules in the environment. [GOC:go_curators]' - }, - 'GO:0009996': { - 'name': 'negative regulation of cell fate specification', - 'def': 'Any process that restricts, stops or prevents a cell from adopting a specific cell fate. [GOC:go_curators]' - }, - 'GO:0009997': { - 'name': 'negative regulation of cardioblast cell fate specification', - 'def': 'Any process that restricts, stops or prevents a cell from specifying into a cardioblast. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:go_curators]' - }, - 'GO:0009998': { - 'name': 'negative regulation of retinal cone cell fate specification', - 'def': 'Any process that restricts, stops or prevents a cell from specifying into a retinal cone cell. [GOC:go_curators]' - }, - 'GO:0009999': { - 'name': 'negative regulation of auditory receptor cell fate specification', - 'def': 'Any process that restricts, stops or prevents a cell from specifying into an auditory hair cell. [GOC:go_curators]' - }, - 'GO:0010001': { - 'name': 'glial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a glial cell. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0010002': { - 'name': 'cardioblast differentiation', - 'def': 'The process in which a relatively unspecialized mesodermal cell acquires the specialized structural and/or functional features of a cardioblast. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:go_curators]' - }, - 'GO:0010004': { - 'name': 'gastrulation involving germ band extension', - 'def': 'A complex and coordinated series of cellular movements, including germ band extension, that occurs at the end of cleavage during embryonic development. An example of this process is found in Drosophila melanogaster. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0010005': { - 'name': 'cortical microtubule, transverse to long axis', - 'def': 'Arrays of microtubules underlying and connected to the plasma membrane, in the cortical cytosol, oriented mainly with their axes transverse to the long axis of the cell (and root in plants). In plants it influences the direction of cellulose microfibril deposition. [ISBN:0943088399]' - }, - 'GO:0010006': { - 'name': 'Toc complex', - 'def': 'Protein translocon complex at the chloroplast outer membrane. [PMID:10646606]' - }, - 'GO:0010007': { - 'name': 'magnesium chelatase complex', - 'def': 'A heterotrimeric enzyme complex composed of three subunits, all of which are required for enzyme activity, which catalyzes the chelation of Mg by proto IX in an ATP-dependent manner. [PMID:11842180]' - }, - 'GO:0010008': { - 'name': 'endosome membrane', - 'def': 'The lipid bilayer surrounding an endosome. [GOC:mah]' - }, - 'GO:0010009': { - 'name': 'cytoplasmic side of endosome membrane', - 'def': 'The side (leaflet) of the endosome membrane that faces the cytoplasm. [GOC:lr]' - }, - 'GO:0010011': { - 'name': 'auxin binding', - 'def': 'Interacting selectively and non-covalently with auxin, plant hormones that regulate aspects of plant growth. [GOC:sm]' - }, - 'GO:0010012': { - 'name': 'steroid 22-alpha hydroxylase activity', - 'def': 'Catalysis of the reaction: 5-alpha-campestanaol + O2 = 6-deoxocathasterone + H2O. [GOC:tb]' - }, - 'GO:0010013': { - 'name': 'N-1-naphthylphthalamic acid binding', - 'def': 'Interacting selectively and non-covalently with N-1-naphthylphthalamic acid, an auxin transport inhibitor. [GOC:sm]' - }, - 'GO:0010014': { - 'name': 'meristem initiation', - 'def': 'Initiation of a region of tissue in a plant that is composed of one or more undifferentiated cells capable of undergoing mitosis and differentiation, thereby effecting growth and development of a plant by giving rise to more meristem or specialized tissue. [GOC:sm]' - }, - 'GO:0010015': { - 'name': 'root morphogenesis', - 'def': 'The process in which the anatomical structures of roots are generated and organized. The root is the usually underground part of a seed plant body that originates from the hypocotyl, functions as an organ of absorption, aeration, and food storage or as a means of anchorage and support. [GOC:sm, ISBN:0877797099]' - }, - 'GO:0010016': { - 'name': 'shoot system morphogenesis', - 'def': 'The process in which the anatomical structures of the shoot are generated and organized. The shoot is the part of a seed plant body that is usually above ground. [GOC:sm, ISBN:0877797099]' - }, - 'GO:0010017': { - 'name': 'red or far-red light signaling pathway', - 'def': 'The series of molecular signals initiated upon sensing by photoreceptor molecules of red light or far red light. Red light is electromagnetic radiation of wavelength of 580-700nm. Far red light is electromagnetic radiation of wavelength 700-800nm. An example of this response is seen at the beginning of many plant species developmental stages. These include germination, and the point when cotyledon expansion is triggered. In certain species these processes take place in response to absorption of red light by the pigment molecule phytochrome, but the signal can be reversed by exposure to far red light. During the initial phase the phytochrome molecule is only present in the red light absorbing form, but on absorption of red light it changes to a far red light absorbing form, triggering progress through development. An immediate short period of exposure to far red light entirely returns the pigment to its initial state and prevents triggering of the developmental process. A thirty minute break between red and subsequent far red light exposure renders the red light effect irreversible, and development then occurs regardless of whether far red light exposure subsequently occurs. [GOC:lr, GOC:mtg_far_red, GOC:sm]' - }, - 'GO:0010018': { - 'name': 'far-red light signaling pathway', - 'def': 'The series of molecular signals initiated upon sensing of far red light by a photoreceptor molecule. Far red light is electromagnetic radiation of wavelength 700-800nm. An example of this response is seen at the beginning of many plant species developmental stages. These include germination, and the point when cotyledon expansion is triggered. In certain species these processes take place in response to absorption of red light by the pigment molecule phytochrome, but the signal can be reversed by exposure to far red light. During the initial phase the phytochrome molecule is only present in the red light absorbing form, but on absorption of red light it changes to a far red light absorbing form, triggering progress through development. An immediate short period of exposure to far red light entirely returns the pigment to its initial state and prevents triggering of the developmental process. A thirty minute break between red and subsequent far red light exposure renders the red light effect irreversible, and development then occurs regardless of whether far red light exposure subsequently occurs. [GOC:lr, GOC:mtg_far_red, GOC:sm]' - }, - 'GO:0010019': { - 'name': 'chloroplast-nucleus signaling pathway', - 'def': 'The process in which a molecular signal is transduced between the chloroplast and nucleus, such that expression of nuclear encoding photosynthetic proteins is coupled with chloroplast biogenesis. [PMID:8972595]' - }, - 'GO:0010020': { - 'name': 'chloroplast fission', - 'def': 'The division of a chloroplast within a cell to form two or more separate chloroplast compartments. This division occurs independently of mitosis. [GOC:lr]' - }, - 'GO:0010021': { - 'name': 'amylopectin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of amylopectin, the (1->4) linked alpha glucose units with alpha-(1->6) linkages. [ISBN:0943088399]' - }, - 'GO:0010022': { - 'name': 'meristem determinacy', - 'def': 'The process in which a meristem becomes determinate (i.e. ceases to produce lateral organs and may or may not terminally differentiate). [GOC:lr]' - }, - 'GO:0010023': { - 'name': 'proanthocyanidin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of proanthocyanidin. [GOC:lm]' - }, - 'GO:0010024': { - 'name': 'phytochromobilin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phytochromobilin, which involves the oxidative cleavage of heme by a heme oxygenase(HO) to form biliverdin IX alpha. [PMID:11402195]' - }, - 'GO:0010025': { - 'name': 'wax biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of wax, which includes C16 and C18 fatty acids. [ISBN:0943088399]' - }, - 'GO:0010026': { - 'name': 'trichome differentiation', - 'def': 'The process in which a relatively unspecialized epidermal cell acquires the specialized features of a trichome cell. An example of this process is found in Arabidopsis thaliana. [GOC:mtg_sensu, PMID:9367433]' - }, - 'GO:0010027': { - 'name': 'thylakoid membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the thylakoid membrane. [GOC:dph, GOC:jl, GOC:mah, GOC:tb]' - }, - 'GO:0010028': { - 'name': 'xanthophyll cycle', - 'def': 'A cyclic series of interconversions involving three xanthophylls, violoxanthin, antheraxanthin, and zeaxanthin. The xanthophyll cycle is involved in regulating energy dissipation in light harvesting complex II. [ISBN:0122146743]' - }, - 'GO:0010029': { - 'name': 'regulation of seed germination', - 'def': 'Any process that modulates the frequency, rate or extent of seed germination. [GOC:sm]' - }, - 'GO:0010030': { - 'name': 'positive regulation of seed germination', - 'def': 'Any process that activates or increase the rate of seed germination. [GOC:sm]' - }, - 'GO:0010031': { - 'name': 'circumnutation', - 'def': 'The organismal movement by which the tip of a plant organ follows a spiral pattern as a consequence of growth. [GOC:mtg_MIT_16mar07, ISBN:0192801023]' - }, - 'GO:0010032': { - 'name': 'meiotic chromosome condensation', - 'def': 'Compaction of chromatin structure prior to meiosis in eukaryotic cells. [PMID:10072401]' - }, - 'GO:0010033': { - 'name': 'response to organic substance', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an organic substance stimulus. [GOC:sm]' - }, - 'GO:0010034': { - 'name': 'response to acetate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acetate stimulus. [GOC:sm]' - }, - 'GO:0010035': { - 'name': 'response to inorganic substance', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an inorganic substance stimulus. [GOC:sm]' - }, - 'GO:0010036': { - 'name': 'response to boron-containing substance', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a boron-containing substance stimulus. [GOC:sm]' - }, - 'GO:0010037': { - 'name': 'response to carbon dioxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carbon dioxide (CO2) stimulus. [GOC:sm]' - }, - 'GO:0010038': { - 'name': 'response to metal ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a metal ion stimulus. [GOC:sm]' - }, - 'GO:0010039': { - 'name': 'response to iron ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an iron ion stimulus. [GOC:sm]' - }, - 'GO:0010040': { - 'name': 'response to iron(II) ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an iron(II) ion stimulus. [GOC:sm]' - }, - 'GO:0010041': { - 'name': 'response to iron(III) ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an iron(III) ion stimulus. [GOC:sm]' - }, - 'GO:0010042': { - 'name': 'response to manganese ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a manganese ion stimulus. [GOC:sm]' - }, - 'GO:0010043': { - 'name': 'response to zinc ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a zinc ion stimulus. [GOC:sm]' - }, - 'GO:0010044': { - 'name': 'response to aluminum ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an aluminum ion stimulus. [GOC:sm]' - }, - 'GO:0010045': { - 'name': 'response to nickel cation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nickel cation stimulus. [GOC:sm]' - }, - 'GO:0010046': { - 'name': 'response to mycotoxin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mycotoxin stimulus. A mycotoxin is a toxic chemical substance produced by fungi. [GOC:sm]' - }, - 'GO:0010047': { - 'name': 'fruit dehiscence', - 'def': 'The process leading to the spontaneous opening of the fruit permitting the escape of seeds. [GOC:tb, ISBN:0471245208]' - }, - 'GO:0010048': { - 'name': 'vernalization response', - 'def': 'The process of thermal induction in plants in which flowering is promoted by exposure to low temperatures. [GOC:tair_curators, ISBN:0521591392]' - }, - 'GO:0010049': { - 'name': 'acquisition of plant reproductive competence', - 'def': 'The process in which a plant acquires the ability to respond to a floral inductive signal. [GOC:tair_curators]' - }, - 'GO:0010050': { - 'name': 'vegetative phase change', - 'def': 'Any process involved in the transition of a plant from a juvenile phase of vegetative development to an adult phase of vegetative development. [GOC:tb]' - }, - 'GO:0010051': { - 'name': 'xylem and phloem pattern formation', - 'def': 'The regionalization process that gives rise to the patterning of the conducting tissues. An example of this process is found in Arabidopsis thaliana. [GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0010052': { - 'name': 'guard cell differentiation', - 'def': 'The process in which a guard mother cell acquires the specialized features of a guard cell. [GOC:expert_db, GOC:tb]' - }, - 'GO:0010053': { - 'name': 'root epidermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell in the root epidermis acquires the specialized features of a trichoblast or atrichoblast. [GOC:tb]' - }, - 'GO:0010054': { - 'name': 'trichoblast differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a trichoblast, a root epidermal cell that will give rise to a root hair. [GOC:tb]' - }, - 'GO:0010055': { - 'name': 'atrichoblast differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an atrichoblast, a root epidermal cell that will not give rise to a root hair. [GOC:tb]' - }, - 'GO:0010056': { - 'name': 'atrichoblast fate specification', - 'def': 'The process involved in the specification of an atrichoblast. [GOC:tb]' - }, - 'GO:0010057': { - 'name': 'trichoblast fate specification', - 'def': 'The process involved in the specification of a trichoblast. [GOC:tb]' - }, - 'GO:0010058': { - 'name': 'regulation of atrichoblast fate specification', - 'def': 'Any process that modulates atrichoblast fate specification. [GOC:tb]' - }, - 'GO:0010059': { - 'name': 'positive regulation of atrichoblast fate specification', - 'def': 'Any process that induces or promotes atrichoblast fate specification. [GOC:tb]' - }, - 'GO:0010060': { - 'name': 'negative regulation of atrichoblast fate specification', - 'def': 'Any process that suppresses atrichoblast fate specification. [GOC:tb]' - }, - 'GO:0010061': { - 'name': 'regulation of trichoblast fate specification', - 'def': 'Any process that modulates trichoblast fate specification. [GOC:tb]' - }, - 'GO:0010062': { - 'name': 'negative regulation of trichoblast fate specification', - 'def': 'Any process that suppresses trichoblast fate specification. [GOC:tb]' - }, - 'GO:0010063': { - 'name': 'positive regulation of trichoblast fate specification', - 'def': 'Any process that induces or promotes trichoblast fate specification. [GOC:tb]' - }, - 'GO:0010064': { - 'name': 'embryonic shoot morphogenesis', - 'def': 'The process in which the anatomical structures of embryonic shoot are generated and organized. [GOC:tb]' - }, - 'GO:0010065': { - 'name': 'primary meristem tissue development', - 'def': 'The process whose specific outcome is the progression of the primary meristem over time, from formation to the mature structure, as it occurs during plant embryogenesis. The primary meristem tissue is the protoderm, ground meristem and procambium. [GOC:tb, ISBN:0471245208]' - }, - 'GO:0010066': { - 'name': 'ground meristem histogenesis', - 'def': 'The formation of the primary meristem or meristematic tissue that gives rise to the ground tissues. [GOC:tb, ISBN:0471245208]' - }, - 'GO:0010067': { - 'name': 'procambium histogenesis', - 'def': 'The formation of the primary meristem or meristematic tissue that gives rise to the primary vascular tissue. [GOC:tb, ISBN:0471245208]' - }, - 'GO:0010068': { - 'name': 'protoderm histogenesis', - 'def': 'The formation of the primary meristem or meristematic tissue that gives rise to the epidermis. [GOC:tb, ISBN:0471245208]' - }, - 'GO:0010069': { - 'name': 'zygote asymmetric cytokinesis in embryo sac', - 'def': 'The division of the zygote in a plane perpendicular to the long axis of the embryo sac to produce a larger basal cell near the micropyle and a small terminal cell close to what was the central cell and is now the developing endosperm. An example of this process is found in Arabidopsis thaliana. [GOC:mtg_sensu, GOC:tb, ISBN:0865427429]' - }, - 'GO:0010070': { - 'name': 'zygote asymmetric cell division', - 'def': 'The division of the zygote into two daughter cells that will adopt developmentally distinct potentials. [GOC:tb]' - }, - 'GO:0010071': { - 'name': 'root meristem specification', - 'def': 'The specification of a meristem which will give rise to a primary or lateral root. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0010072': { - 'name': 'primary shoot apical meristem specification', - 'def': 'The specification of the meristem which will give rise to all post-embryonic above-ground structures of the plant as well as the non-root below-ground structures, such as rhizomes and tubers. [GOC:ascb_2009, GOC:dph, GOC:tair_curators, GOC:tb]' - }, - 'GO:0010073': { - 'name': 'meristem maintenance', - 'def': 'Any process involved in maintaining the identity, size and shape of a meristem. [GOC:tb]' - }, - 'GO:0010074': { - 'name': 'maintenance of meristem identity', - 'def': 'The process in which an organism retains a population of meristem cells, preventing the commitment of all stem cell progeny to a differentiated cell fate. [GOC:tb]' - }, - 'GO:0010075': { - 'name': 'regulation of meristem growth', - 'def': 'Any process involved in maintaining the size and shape of a meristem. [GOC:tb]' - }, - 'GO:0010076': { - 'name': 'maintenance of floral meristem identity', - 'def': 'The process in which an organism retains a population of floral meristem cells, preventing the commitment of all stem cell progeny to a differentiated cell fate. [GOC:dph, GOC:tb]' - }, - 'GO:0010077': { - 'name': 'maintenance of inflorescence meristem identity', - 'def': 'The process in which an organism retains a population of inflorescence meristem cells, preventing the commitment of all stem cell progeny to a differentiated cell fate. [GOC:dph, GOC:tb]' - }, - 'GO:0010078': { - 'name': 'maintenance of root meristem identity', - 'def': 'The process in which an organism retains a population of root meristem cells, preventing the commitment of all stem cell progeny to a differentiated cell fate. [GOC:dph, GOC:tb]' - }, - 'GO:0010079': { - 'name': 'maintenance of vegetative meristem identity', - 'def': 'The process in which an organism retains a population of vegetative meristem cells, preventing the commitment of all stem cell progeny to a differentiated cell fate. [GOC:dph, GOC:tb]' - }, - 'GO:0010080': { - 'name': 'regulation of floral meristem growth', - 'def': 'Any process involved in maintaining the size and shape of a floral meristem. [GOC:tb]' - }, - 'GO:0010081': { - 'name': 'regulation of inflorescence meristem growth', - 'def': 'Any process involved in maintaining the size and shape of an inflorescence meristem. [GOC:tb]' - }, - 'GO:0010082': { - 'name': 'regulation of root meristem growth', - 'def': 'Any process involved in maintaining the size and shape of a root meristem. [GOC:tb]' - }, - 'GO:0010083': { - 'name': 'regulation of vegetative meristem growth', - 'def': 'Any process involved in maintaining the size and shape of a vegetative meristem. [GOC:tb]' - }, - 'GO:0010084': { - 'name': 'specification of animal organ axis polarity', - 'def': 'The process in which the polarity of an animal organ axis is specified. [GOC:tb]' - }, - 'GO:0010085': { - 'name': 'polarity specification of proximal/distal axis', - 'def': 'Any process resulting in the establishment of polarity along the proximal/distal axis. [GOC:tb]' - }, - 'GO:0010086': { - 'name': 'embryonic root morphogenesis', - 'def': 'The process in which the anatomical structures of the embryonic root are generated and organized. [GOC:tb]' - }, - 'GO:0010087': { - 'name': 'phloem or xylem histogenesis', - 'def': 'The process whose specific outcome is the progression of phloem and/or xylem over time, from formation to the mature structure. An example of this process is found in Arabidopsis thaliana. [GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0010088': { - 'name': 'phloem development', - 'def': 'The formation of the principal food-conducting tissue of a vascular plant. [GOC:tb, ISBN:0471245208]' - }, - 'GO:0010089': { - 'name': 'xylem development', - 'def': 'The formation of the principal water-conducting tissue of a vascular plant. [GOC:tb, ISBN:0471245208]' - }, - 'GO:0010090': { - 'name': 'trichome morphogenesis', - 'def': 'The process in which the structures of a hair cell (trichome) cell are generated and organized. This process occurs while the initially relatively unspecialized epidermal cell is acquiring the specialized features of a hair cell. An example of this process is found in Arabidopsis thaliana. [GOC:mtg_sensu, GOC:tair_curators]' - }, - 'GO:0010091': { - 'name': 'trichome branching', - 'def': 'Any process involved in the formation of branches in plant hair cells. An example of this process is found in Arabidopsis thaliana. [GOC:mtg_sensu, GOC:tair_curators]' - }, - 'GO:0010092': { - 'name': 'specification of animal organ identity', - 'def': 'The regionalization process in which the identity of an animal organ primordium is specified. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tb]' - }, - 'GO:0010093': { - 'name': 'specification of floral organ identity', - 'def': 'The process in which the identity of a floral organ primordium is specified. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tb]' - }, - 'GO:0010094': { - 'name': 'specification of carpel identity', - 'def': 'The process in which a floral organ primordium acquires the carpel identity. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tair_curators]' - }, - 'GO:0010095': { - 'name': 'specification of petal identity', - 'def': 'The process in which a floral organ primordium acquires petal identity. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tair_curators]' - }, - 'GO:0010096': { - 'name': 'specification of sepal identity', - 'def': 'The process in which a floral organ primordium acquires sepal identity. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tair_curators]' - }, - 'GO:0010097': { - 'name': 'specification of stamen identity', - 'def': 'The process in which a floral organ primordium acquires stamen or staminode identity. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tair_curators]' - }, - 'GO:0010098': { - 'name': 'suspensor development', - 'def': 'The process whose specific outcome is the progression of the suspensor over time, from its formation to the mature structure. The suspensor is the extension at the base of the embryo that anchors the embryo in the embryo sac and pushes it into the endosperm. [GOC:tb, ISBN:0471245208]' - }, - 'GO:0010099': { - 'name': 'regulation of photomorphogenesis', - 'def': 'Any process that modulates the rate or extent of photomorphogenesis. [GOC:tb]' - }, - 'GO:0010100': { - 'name': 'negative regulation of photomorphogenesis', - 'def': 'Any process that stops, reduces or prevents photomorphogenesis. [GOC:tb]' - }, - 'GO:0010101': { - 'name': 'post-embryonic root morphogenesis', - 'def': 'The process in which the anatomical structures of the post-embryonic root are generated and organized. The post-embryonic root is the root formed after the embryonic phase has been completed. [GOC:tb]' - }, - 'GO:0010102': { - 'name': 'lateral root morphogenesis', - 'def': 'The process in which the anatomical structures of a lateral root are generated and organized. A lateral root is one formed from pericycle cells located on the xylem radius of the root, as opposed to the initiation of the main root from the embryo proper. [GOC:tair_curators]' - }, - 'GO:0010103': { - 'name': 'stomatal complex morphogenesis', - 'def': 'The process in which the anatomical structures of the stomatal complex are generated and organized. The stomatal complex is the stomatal guard cells and their associated epidermal cells. [GOC:tair_curators]' - }, - 'GO:0010104': { - 'name': 'regulation of ethylene-activated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of ethylene (ethene) signal transduction. [GOC:tb]' - }, - 'GO:0010105': { - 'name': 'negative regulation of ethylene-activated signaling pathway', - 'def': 'Any process that stops or prevents ethylene (ethene) signal transduction. [GOC:tb]' - }, - 'GO:0010106': { - 'name': 'cellular response to iron ion starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of iron ions. [GOC:mg]' - }, - 'GO:0010107': { - 'name': 'potassium ion import', - 'def': 'The directed movement of potassium ions into a cell or organelle. [GOC:sm]' - }, - 'GO:0010108': { - 'name': 'detection of glutamine', - 'def': 'The series of events in which a glutamine stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0010109': { - 'name': 'regulation of photosynthesis', - 'def': 'Any process that modulates the frequency, rate or extent of photosynthesis. [GOC:sm]' - }, - 'GO:0010110': { - 'name': 'regulation of photosynthesis, dark reaction', - 'def': 'Any process that modulates the frequency, rate or extent of photosynthesis dark reaction. [GOC:sm]' - }, - 'GO:0010111': { - 'name': 'glyoxysome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the glyoxysome. A glyoxysome is a microbody that contains the enzymes of the glyoxylate pathway. [GOC:tb]' - }, - 'GO:0010112': { - 'name': 'regulation of systemic acquired resistance', - 'def': 'Any process that modulates the frequency, rate or extent of systemic acquired resistance. [GOC:sm]' - }, - 'GO:0010113': { - 'name': 'negative regulation of systemic acquired resistance', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of systemic acquired resistance. [GOC:sm]' - }, - 'GO:0010114': { - 'name': 'response to red light', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a red light stimulus. Red light is electromagnetic radiation of wavelength of 580-700nm. An example of this response is seen at the beginning of many plant species developmental stages. These include germination, and the point when cotyledon expansion is triggered. In certain species these processes take place in response to absorption of red light by the pigment molecule phytochrome, but the signal can be reversed by exposure to far red light. During the initial phase the phytochrome molecule is only present in the red light absorbing form, but on absorption of red light it changes to a far red light absorbing form, triggering progress through development. An immediate short period of exposure to far red light entirely returns the pigment to its initial state and prevents triggering of the developmental process. A thirty minute break between red and subsequent far red light exposure renders the red light effect irreversible, and development then occurs regardless of whether far red light exposure subsequently occurs. [GOC:mtg_far_red, GOC:sm]' - }, - 'GO:0010115': { - 'name': 'regulation of abscisic acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of abscisic acid. [GOC:sm]' - }, - 'GO:0010116': { - 'name': 'positive regulation of abscisic acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of abscisic acid. [GOC:sm]' - }, - 'GO:0010117': { - 'name': 'photoprotection', - 'def': 'Protection mechanism used by plants under conditions of excess energy absorption as a consequence of the light reactions of photosynthesis. [GOC:mg]' - }, - 'GO:0010118': { - 'name': 'stomatal movement', - 'def': 'The process of opening or closing of stomata, which is directly related to the stomatal conductance (measuring rate of passage of either water vapor or carbon dioxide (CO2) through stomata). [GOC:sm]' - }, - 'GO:0010119': { - 'name': 'regulation of stomatal movement', - 'def': 'Any process that modulates the frequency, rate or extent of stomatal movement. [GOC:sm]' - }, - 'GO:0010120': { - 'name': 'camalexin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of camalexin, an indole phytoalexin. [GOC:pz]' - }, - 'GO:0010121': { - 'name': 'arginine catabolic process to proline via ornithine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arginine into other compounds, including proline, via ornithine. [GOC:pz]' - }, - 'GO:0010122': { - 'name': 'arginine catabolic process to alanine via ornithine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arginine into other compounds, including alanine, via ornithine. [GOC:pz]' - }, - 'GO:0010123': { - 'name': 'acetate catabolic process to butyrate, ethanol, acetone and butanol', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of acetate to form butyrate, ethanol, acetone and butanol. [GOC:pz]' - }, - 'GO:0010124': { - 'name': 'phenylacetate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenylacetate. [GOC:pz]' - }, - 'GO:0010125': { - 'name': 'mycothiol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mycothiol, which consists of N-acetyl-L-cysteine linked to a pseudodisaccharide, D-glucosamine and myo-inositol. Mycothiol is produced in actinomycetes like mycobacteria and serves similar functions to glutathione. [GOC:pz]' - }, - 'GO:0010126': { - 'name': 'mycothiol metabolic process', - 'def': 'The chemical reactions and pathways involving mycothiol, which consists of N-acetyl-L-cysteine linked to a pseudodisaccharide, D-glucosamine and myo-inositol. Mycothiol is produced in actinomycetes like mycobacteria and serves similar functions to glutathione. [GOC:pz]' - }, - 'GO:0010127': { - 'name': 'mycothiol-dependent detoxification', - 'def': 'The chemical reactions using mycothiol to convert an alkylating agent to an S-conjugate of mycothiol. The latter is cleaved to release mercapturic acid which is excreted from the cell. [GOC:pz]' - }, - 'GO:0010128': { - 'name': 'benzoate catabolic process via CoA ligation', - 'def': 'The chemical reactions and pathways resulting in the breakdown of benzoate, by its ligation to Coenzyme A to form benzoyl-CoA, which is then broken by an aerobic or anaerobic pathway. [GOC:pz]' - }, - 'GO:0010129': { - 'name': 'anaerobic cyclohexane-1-carboxylate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cyclohexane-1-carboxylate, a alicyclic acid, in the absence of oxygen. [GOC:pz]' - }, - 'GO:0010130': { - 'name': 'anaerobic ethylbenzene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ethylbenzene, a benzene derivative with an ethyl group attached to the ring, which occurs in the absence of oxygen. [GOC:pz]' - }, - 'GO:0010131': { - 'name': 'obsolete sucrose catabolic process, using invertase or sucrose synthase', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of sucrose by the enzymatic action of either invertase or sucrose synthase. [GOC:pz]' - }, - 'GO:0010132': { - 'name': 'dhurrin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dhurrin, a cyanogenic glucoside which functions as a plant defense compound. [GOC:pz]' - }, - 'GO:0010133': { - 'name': 'proline catabolic process to glutamate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of proline into other compounds, including glutamate. [GOC:pz]' - }, - 'GO:0010134': { - 'name': 'sulfate assimilation via adenylyl sulfate reduction', - 'def': 'The pathway by which inorganic sulfate is activated, reduced and incorporated into sulfated compounds, where the activated sulfate, adenylyl-sulfate, is reduced to sulfite by the activity of adenylyl-sulfate reductase. [EC:1.8.99.2]' - }, - 'GO:0010135': { - 'name': 'ureide metabolic process', - 'def': 'The chemical reactions and pathways involving ureide, allantoin and allantoate, which are the organic forms of nitrogen in nitrogen fixing and transporting plants. [GOC:pz]' - }, - 'GO:0010136': { - 'name': 'ureide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ureide, which is the organic form of nitrogen in nitrogen fixing and transporting plants with the release of ammonium. [GOC:pz]' - }, - 'GO:0010137': { - 'name': 'ureide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ureide, the organic form of nitrogen in nitrogen fixing and transporting plants, from IMP, which is synthesized de novo during nitrogen fixation by roots. [GOC:pz]' - }, - 'GO:0010138': { - 'name': 'pyrimidine ribonucleotide salvage', - 'def': 'The pathway by which pyrimidine bases or pyrimidine ribonucleosides from pyrimidine nucleotide breakdown are converted back to pyrimidine ribonucleotides. The salvage pathway is important where there is no de novo pyrimidine nucleotide biosynthesis. [GOC:pz]' - }, - 'GO:0010139': { - 'name': 'pyrimidine deoxyribonucleotide salvage', - 'def': 'The pathway by which pyrimidine bases or pyrimidine deoxyribonucleotides from pyrimidine nucleotide breakdown are converted back to pyrimidine deoxyribonucleotides. The salvage pathway is important where there is no de novo pyrimidine deoxyribonucleotide biosynthesis. [GOC:pz]' - }, - 'GO:0010140': { - 'name': 'obsolete adenine, hypoxanthine and their nucleoside salvage', - 'def': 'OBSOLETE. The pathway by which adenine, hypoxanthine and their nucleosides from purine nucleotides breakdown are converted back to purine nucleotides. The salvage pathway is important where there is no de-novo purine nucleotide biosynthesis. [GOC:pz]' - }, - 'GO:0010141': { - 'name': 'obsolete guanine, xanthine and their nucleoside salvage', - 'def': 'OBSOLETE. The pathway by which guanine, xanthine and their nucleoside from purine nucleotides breakdown are converted back to purine nucleotides. The pathway is important in cells where there is no de-novo purine nucleotides biosynthesis. [GOC:pz]' - }, - 'GO:0010142': { - 'name': 'farnesyl diphosphate biosynthetic process, mevalonate pathway', - 'def': 'The pathway that converts acetate, in the form of acetyl-CoA, to farnesyl diphosphate (FPP) through a series of mevalonate intermediates. Farnesyl diphosphate is an important substrate for other essential pathways, such as biosynthesis of sterols. [GOC:pz, MetaCyc:PWY-922]' - }, - 'GO:0010143': { - 'name': 'cutin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cutin, a waxy substance, which combined with cellulose forms a substance nearly impervious to water and constituting the cuticle in plants. [ISBN:0028623819]' - }, - 'GO:0010144': { - 'name': 'pyridoxal phosphate biosynthetic process from pyridoxamine', - 'def': 'The chemical reactions and pathways resulting in the formation of pyridoxal phosphate, the active form of vitamin B6, from pyridoxamine. [GOC:pz]' - }, - 'GO:0010145': { - 'name': 'fructan metabolic process', - 'def': 'The chemical reactions and pathways involving fructan, a polysaccharide consisting of fructose residues. [GOC:sm]' - }, - 'GO:0010146': { - 'name': 'fructan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fructan a polysaccharide consisting of fructose residues. [GOC:pz]' - }, - 'GO:0010147': { - 'name': 'fructan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fructan, a polysaccharide consisting of fructose residues. [GOC:pz]' - }, - 'GO:0010148': { - 'name': 'transpiration', - 'def': 'Release of water by the plant into the air as water vapor mainly through leaves. [GOC:sm, ISBN:0879015322]' - }, - 'GO:0010149': { - 'name': 'obsolete senescence', - 'def': 'OBSOLETE. A preprogrammed process associated with the dismantling of an anatomical structure and an overall decline in metabolism. This may include the breakdown of organelles, membranes and other cellular components. An example of this process is found in Arabidopsis thaliana, when older leaves or floral organs are shed. [GOC:mtg_sensu, ISBN:0387987819]' - }, - 'GO:0010150': { - 'name': 'leaf senescence', - 'def': 'The process that occurs in a leaf near the end of its active life that is associated with the dismantling of cell components and membranes, loss of functional chloroplasts, and an overall decline in metabolism. [ISBN:0387987819]' - }, - 'GO:0010151': { - 'name': 'chloroplast elongation', - 'def': 'Expansion of the chloroplast that usually precedes division. [GOC:lr]' - }, - 'GO:0010152': { - 'name': 'pollen maturation', - 'def': 'The final stages of microgametogenesis after the trinucleate stage has been reached resulting in viable pollen grains. [PMID:11595796]' - }, - 'GO:0010153': { - 'name': 'obsolete polar cell elongation', - 'def': 'OBSOLETE. Cell expansion that results in an increase in cell size along the axis of an organ in a polarized fashion. [PMID:11978864]' - }, - 'GO:0010154': { - 'name': 'fruit development', - 'def': 'The process whose specific outcome is the progression of the fruit over time, from its formation to the mature structure. The fruit is a reproductive body of a seed plant. [GOC:sm]' - }, - 'GO:0010155': { - 'name': 'regulation of proton transport', - 'def': 'Any process that modulates the frequency, rate or extent of proton transport into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:sm]' - }, - 'GO:0010156': { - 'name': 'obsolete sporocyte morphogenesis', - 'def': 'OBSOLETE. Formation and development of sporocyte, the haploid spores of angiosperms which are initiated by the differentiation of a subset of floral cells into sporocytes, which then undergo meiotic divisions to form microspores and megaspores. [PMID:10465788]' - }, - 'GO:0010157': { - 'name': 'response to chlorate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chlorate stimulus. [GOC:sm]' - }, - 'GO:0010158': { - 'name': 'abaxial cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an abaxial cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:mg]' - }, - 'GO:0010159': { - 'name': 'specification of animal organ position', - 'def': 'The regionalization process in which information that determines the correct position at which animal organ primordia are formed is generated and perceived resulting in correct positioning of the new animal organ. [GOC:curators]' - }, - 'GO:0010160': { - 'name': 'formation of animal organ boundary', - 'def': 'The regionalization process that specifies animal organ primordium boundaries resulting in a restriction of organogenesis to a limited spatial domain and keeping the organ separate from surrounding tissues. [GOC:dph, GOC:isa_complete, PMID:9611175]' - }, - 'GO:0010161': { - 'name': 'red light signaling pathway', - 'def': 'The series of molecular signals initiated upon sensing of red light by a photoreceptor molecule. Red light is electromagnetic radiation of wavelength of 580-700nm. An example of this response is seen at the beginning of many plant species developmental stages. These include germination, and the point when cotyledon expansion is triggered. In certain species these processes take place in response to absorption of red light by the pigment molecule phytochrome, but the signal can be reversed by exposure to far red light. During the initial phase the phytochrome molecule is only present in the red light absorbing form, but on absorption of red light it changes to a far red light absorbing form, triggering progress through development. An immediate short period of exposure to far red light entirely returns the pigment to its initial state and prevents triggering of the developmental process. A thirty minute break between red and subsequent far red light exposure renders the red light effect irreversible, and development then occurs regardless of whether far red light exposure subsequently occurs. [GOC:mtg_far_red, GOC:sm]' - }, - 'GO:0010162': { - 'name': 'seed dormancy process', - 'def': 'A dormancy process in which dormancy (sometimes called a dormant state) is induced, maintained or broken in a seed. Seed dormancy is a suspension of most physiological activity and growth in a seed, including the embryo contained therein, that can be reactivated. It often requires special conditions for reactivation, such as specific temperature, scarification, or leaching of inhibitors. [GOC:lr, GOC:PO_curators, ISBN:9781405139830, PO_REF:00009]' - }, - 'GO:0010163': { - 'name': 'high-affinity potassium ion import', - 'def': 'The directed, energized, high affinity movement of potassium ions into a cell or organelle, driven by cation symport with hydrogen or sodium ions. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [PMID:8893537]' - }, - 'GO:0010164': { - 'name': 'response to cesium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cesium stimulus. [GOC:sm]' - }, - 'GO:0010165': { - 'name': 'response to X-ray', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of X-ray radiation. An X-ray is a form of electromagnetic radiation with a wavelength in the range of 10 nanometers to 100 picometers (corresponding to frequencies in the range 30 PHz to 3 EHz). [GOC:sm, Wikipedia:X-ray]' - }, - 'GO:0010166': { - 'name': 'wax metabolic process', - 'def': 'The chemical reactions and pathways involving wax, a compound containing C16 and C18 fatty acids. [GOC:sm]' - }, - 'GO:0010167': { - 'name': 'response to nitrate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrate stimulus. [GOC:sm]' - }, - 'GO:0010168': { - 'name': 'ER body', - 'def': 'A novel compartment found in plant cells that is derived from the ER. The structures have a characteristic shape and size (10 mm long and 0.5 mm wide) and are surrounded with ribosomes. They have been found in Arabidopsis thaliana and related Brassicaceae species. [PMID:11577182]' - }, - 'GO:0010169': { - 'name': 'thioglucosidase complex', - 'def': 'A large (200-800 kDa) multiprotein complex formed by 70-kDa and 5-kDa myrosinases, myrosinase- binding proteins (MBPs), MBP-related proteins and myrosinase-associated proteins. The complex has been identified in Brassica napus seeds. [PMID:10682349]' - }, - 'GO:0010170': { - 'name': 'glucose-1-phosphate adenylyltransferase complex', - 'def': 'Complex that catalyzes the synthesis of ADP-glucose and pyrophosphate from glucose-1-phosphate and ATP. In plants, the complex is a heterotetramer composed of two types of subunits (small and large). In bacteria, the enzyme complex is composed of four identical subunits. [GOC:tb, PMID:12748181]' - }, - 'GO:0010171': { - 'name': 'body morphogenesis', - 'def': 'The process in which the anatomical structures of the soma are generated and organized. [GOC:ems, ISBN:0140512888]' - }, - 'GO:0010172': { - 'name': 'embryonic body morphogenesis', - 'def': 'The process in which the anatomical structures of the embryonic soma are generated and organized. [GOC:ems]' - }, - 'GO:0010174': { - 'name': 'nucleoside transmembrane transporter activity, against a concentration gradient', - 'def': 'Catalysis of the transfer of a nucleoside, from one side of a membrane to the other, up a concentration gradient. [GOC:tb]' - }, - 'GO:0010175': { - 'name': 'sphingosine transmembrane transporter activity', - 'def': 'Enables the transfer of amino alcohol sphingosine from one side of the membrane to the other. [GOC:tb]' - }, - 'GO:0010176': { - 'name': 'homogentisate phytyltransferase activity', - 'def': 'Catalysis of the reaction: homogentisate + phytyl diphosphate + H+ = 2-methyl-6-phytyl-1,4-benzoquinone + CO2 + diphosphate. 2-methyl-6-phytyl-1,4-benzoquinone is also known as 2-methyl-6-phytylplastoquinol. [MetaCyc:RXN-2541, PMID:14512521]' - }, - 'GO:0010177': { - 'name': "2-(2'-methylthio)ethylmalate synthase activity", - 'def': "Catalysis of the reaction: 2-oxo-4-methylthiobutanoate + acetyl-CoA + H2O = 2-(2'-methylthio)ethylmalic-acid + coenzyme A + H+. [MetaCyc:RXN-2202]" - }, - 'GO:0010178': { - 'name': 'IAA-amino acid conjugate hydrolase activity', - 'def': 'Catalysis of the cleavage of the amide bond between IAA (auxin) and the conjugated amino acid. [GOC:tb]' - }, - 'GO:0010179': { - 'name': 'IAA-Ala conjugate hydrolase activity', - 'def': 'Catalysis of the reaction: indole-3-acetyl-alanine + H2O = indole-3-acetate + L-alanine. [MetaCyc:RXN-2981]' - }, - 'GO:0010180': { - 'name': 'thioglucosidase binding', - 'def': 'Interacting selectively and non-covalently with the enzyme thioglucosidase. [GOC:tb]' - }, - 'GO:0010181': { - 'name': 'FMN binding', - 'def': 'Interacting selectively and non-covalently with flavin mono nucleotide. Flavin mono nucleotide (FMN) is the coenzyme or the prosthetic group of various flavoprotein oxidoreductase enzymes. [GOC:tb]' - }, - 'GO:0010182': { - 'name': 'sugar mediated signaling pathway', - 'def': 'The process in which a change in the level of a mono- or disaccharide such as glucose, fructose or sucrose triggers the expression of genes controlling metabolic and developmental processes. [PMID:9014361]' - }, - 'GO:0010183': { - 'name': 'pollen tube guidance', - 'def': 'The process in which the growth of pollen tube is directed towards the female gametophyte. [GOC:lr]' - }, - 'GO:0010184': { - 'name': 'cytokinin transport', - 'def': 'The directed movement of cytokinins, a class of adenine-derived compounds that can function in plants as growth regulators, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:lr]' - }, - 'GO:0010185': { - 'name': 'regulation of cellular defense response', - 'def': 'Any process that modulates the frequency, rate or extent of cellular defense response. [GOC:sm]' - }, - 'GO:0010186': { - 'name': 'positive regulation of cellular defense response', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular defense response. [GOC:sm]' - }, - 'GO:0010187': { - 'name': 'negative regulation of seed germination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of seed germination. [GOC:tb]' - }, - 'GO:0010188': { - 'name': 'response to microbial phytotoxin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a microbial phytotoxin stimulus. A microbial phytotoxin is a chemical substance produced by microbes which is toxic to plants. [GOC:sm]' - }, - 'GO:0010189': { - 'name': 'vitamin E biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of vitamin E, tocopherol, which includes a series of eight structurally similar compounds. Alpha-tocopherol is the most active form in humans and is a powerful biological antioxidant. [GOC:mg]' - }, - 'GO:0010190': { - 'name': 'cytochrome b6f complex assembly', - 'def': 'Formation of cytochrome b6f complex, a complex that transfers electrons from reduced plastoquinone to oxidized plastocyanin and translocates protons from the stroma to the lumen, by the aggregation, arrangement and bonding together of its constituents. [GOC:tb]' - }, - 'GO:0010191': { - 'name': 'mucilage metabolic process', - 'def': 'The chemical reactions and pathways involving mucilage, a gelatinous substance secreted by plants. [GOC:sm]' - }, - 'GO:0010192': { - 'name': 'mucilage biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mucilage, a gelatinous substance secreted by plants. [GOC:sm]' - }, - 'GO:0010193': { - 'name': 'response to ozone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ozone stimulus. [GOC:sm]' - }, - 'GO:0010194': { - 'name': 'obsolete microRNA metabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways involving microRNA, a large family of 21-22 nucleotide non-coding RNAs with presumed post-transcriptional regulatory activity. [GOC:sm]' - }, - 'GO:0010195': { - 'name': 'obsolete microRNA biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of microRNA, a large family of 21-22 nucleotide non-coding RNAs with presumed post-transcriptional regulatory activity. [GOC:sm]' - }, - 'GO:0010196': { - 'name': 'nonphotochemical quenching', - 'def': 'The process by which excess light energy absorbed by chlorophyll and not used to drive photosynthesis is emitted as heat. This process helps maintain the balance between dissipation and utilization of light energy to minimize generation of oxidizing molecules, thereby protecting the plant against photo-oxidative damage. [PMID:10667783, PMID:10938857]' - }, - 'GO:0010197': { - 'name': 'polar nucleus fusion', - 'def': 'The merging of the polar nuclei, the two nuclei contained within the same cell that are created from the mitotic division of the megaspore during angiosperm reproduction. Polar nuclear fusion takes place in the ovule, forming in the fusion nucleus and giving rise to the endosperm when fertilized. [GOC:mtg_plant, GOC:sm]' - }, - 'GO:0010198': { - 'name': 'synergid death', - 'def': 'Synergid cells undergo degeneration and death in response to penetration by the pollen tube. It is an active process that involves a dramatic decrease in cell volume, collapse of the vacuoles, and complete disintegration of the plasma membrane and most organelles. [GOC:isa_complete, GOC:sm, PMID:12215516]' - }, - 'GO:0010199': { - 'name': 'organ boundary specification between lateral organs and the meristem', - 'def': 'The process in which boundaries between lateral organs and the meristem is established and maintained. [PMID:12068116]' - }, - 'GO:0010200': { - 'name': 'response to chitin', - 'def': 'A process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chitin stimulus. [GOC:sm]' - }, - 'GO:0010201': { - 'name': 'response to continuous far red light stimulus by the high-irradiance response system', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the detection of a continuous far red light stimulus by the high-irradiance response system. Far red light is electromagnetic radiation of wavelength 700-800nm. The activity of the high-irradiance response system is characterized by stronger effects of continuous than pulsed light at equal total fluence. [GOC:mtg_far_red, GOC:sm]' - }, - 'GO:0010202': { - 'name': 'response to low fluence red light stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a low fluence red light stimulus. Red light is electromagnetic radiation of wavelength of 580-700nm. Low fluence red light is defined in this case as short pulses of red light followed by darkness, providing a light level of 0.001-0.1 mmol/m2/sec. [GOC:mtg_far_red, GOC:sm]' - }, - 'GO:0010203': { - 'name': 'response to very low fluence red light stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a very low fluence red light stimulus. Red light is electromagnetic radiation of wavelength of 580-700nm. Very low fluence red light is defined in this case as short pulses of red light followed by darkness, providing light levels of less than 0.001 mmol/m2/sec. [GOC:mtg_far_red, GOC:sm]' - }, - 'GO:0010204': { - 'name': 'defense response signaling pathway, resistance gene-independent', - 'def': 'A series of molecular signals that is activated during defense response and does not depend upon R-genes. [GOC:mah, GOC:sm]' - }, - 'GO:0010205': { - 'name': 'photoinhibition', - 'def': 'The mechanism by which high light intensity inhibits photosynthesis through inactivation of the D1 protein of photosystem II. [GOC:mtg_electron_transport, PMID:12068126]' - }, - 'GO:0010206': { - 'name': 'photosystem II repair', - 'def': 'Proteolysis of the damaged D1 protein and re-assembly of a new D1 subunit in the photosystem II following photoinhibition. [GOC:sm]' - }, - 'GO:0010207': { - 'name': 'photosystem II assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a photosystem II complex on the thylakoid membrane. The photosystem II complex consists of at least 20 polypeptides and around 80 cofactors in most organisms. [GOC:aa, GOC:pz]' - }, - 'GO:0010208': { - 'name': 'pollen wall assembly', - 'def': 'The formation of reticulate pollen wall pattern consisting of two layers, exine and intine. [PMID:11743117]' - }, - 'GO:0010209': { - 'name': 'vacuolar sorting signal binding', - 'def': 'Interacting selectively and non-covalently with a vacuolar sorting signal, a specific peptide sequence that acts as a signal to localize the protein within the vacuole. [GOC:mah]' - }, - 'GO:0010210': { - 'name': 'IAA-Phe conjugate hydrolase activity', - 'def': 'Catalysis of the reaction: indole-3-acetyl-phenylalanine + H2O = indole-3-acetate + phenylalanine. [GOC:syr]' - }, - 'GO:0010211': { - 'name': 'IAA-Leu conjugate hydrolase activity', - 'def': 'Catalysis of the reaction: indole-3-acetyl-leucine + H2O = indole-3-acetate + L-leucine. [MetaCyc:RXN-2982]' - }, - 'GO:0010212': { - 'name': 'response to ionizing radiation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ionizing radiation stimulus. Ionizing radiation is radiation with sufficient energy to remove electrons from atoms and may arise from spontaneous decay of unstable isotopes, resulting in alpha and beta particles and gamma rays. Ionizing radiation also includes X-rays. [PMID:12509526]' - }, - 'GO:0010213': { - 'name': 'non-photoreactive DNA repair', - 'def': 'A DNA repair process that is involved in repairing UV-induced DNA damage under non-photoreactivating conditions. The mechanism by which this repair process operates has not yet been completely elucidated. [GOC:syr]' - }, - 'GO:0010214': { - 'name': 'seed coat development', - 'def': 'The process whose specific outcome is the progression of the seed coat over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0010215': { - 'name': 'cellulose microfibril organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a cellulose microfibril, any of the cellulose structures laid down in orthogonal layers in a plant cell wall. [GOC:mah, PMID:12468730]' - }, - 'GO:0010216': { - 'name': 'maintenance of DNA methylation', - 'def': 'Any process involved in maintaining the methylation state of a nucleotide sequence. [PMID:11898023]' - }, - 'GO:0010217': { - 'name': 'cellular aluminum ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of aluminum ions at the level of a cell. [GOC:lr, GOC:mah]' - }, - 'GO:0010218': { - 'name': 'response to far red light', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of far red light stimulus. Far red light is electromagnetic radiation of wavelength 700-800nm. An example of this response is seen at the beginning of many plant species developmental stages. These include germination, and the point when cotyledon expansion is triggered. In certain species these processes take place in response to absorption of red light by the pigment molecule phytochrome, but the signal can be reversed by exposure to far red light. During the initial phase the phytochrome molecule is only present in the red light absorbing form, but on absorption of red light it changes to a far red light absorbing form, triggering progress through development. An immediate short period of exposure to far red light entirely returns the pigment to its initial state and prevents triggering of the developmental process. A thirty minute break between red and subsequent far red light exposure renders the red light effect irreversible, and development then occurs regardless of whether far red light exposure subsequently occurs. [GOC:mtg_far_red, GOC:tb]' - }, - 'GO:0010219': { - 'name': 'regulation of vernalization response', - 'def': 'Any process that modulates the frequency, rate or extent of the vernalization response, by which induction of flowering is normally caused by extended exposure to cold temperatures. [GOC:sm]' - }, - 'GO:0010220': { - 'name': 'positive regulation of vernalization response', - 'def': 'Any process that activates or induces the rate of the vernalization response, by which induction of flowering is normally caused by extended exposure to cold temperatures. [GOC:sm]' - }, - 'GO:0010221': { - 'name': 'negative regulation of vernalization response', - 'def': 'Any process that stops, prevents or reduces the vernalization response, by which induction of flowering is normally caused by extended exposure to cold temperatures. [GOC:sm]' - }, - 'GO:0010222': { - 'name': 'stem vascular tissue pattern formation', - 'def': 'Vascular tissue pattern formation as it occurs in the stem of vascular plants. [GOC:tb]' - }, - 'GO:0010223': { - 'name': 'secondary shoot formation', - 'def': 'The process that gives rise to secondary (or auxiliary or axillary) shoots in plants. This process pertains to the initial formation of a structure from unspecified parts. These secondary shoots originate from secondary meristems initiated in the axils of leaf primordia. Axillary meristems function like the shoot apical meristem of the primary shoot initating the development of lateral organs. [GOC:tb, PMID:12815068]' - }, - 'GO:0010224': { - 'name': 'response to UV-B', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a UV-B radiation stimulus. UV-B radiation (UV-B light) spans the wavelengths 280 to 315 nm. [GOC:tb]' - }, - 'GO:0010225': { - 'name': 'response to UV-C', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a UV-C radiation stimulus. UV-C radiation (UV-C light) spans the wavelengths 100 to 280 nm. [GOC:tb]' - }, - 'GO:0010226': { - 'name': 'response to lithium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lithium (Li+) ion stimulus. [GOC:tb]' - }, - 'GO:0010227': { - 'name': 'floral organ abscission', - 'def': 'The controlled shedding of floral organs. [GOC:PO_curators, PMID:12972671, PO:0025395]' - }, - 'GO:0010228': { - 'name': 'vegetative to reproductive phase transition of meristem', - 'def': 'The process involved in transforming a meristem that produces vegetative structures, such as leaves, into a meristem that produces reproductive structures, such as a flower or an inflorescence. [GOC:tb]' - }, - 'GO:0010229': { - 'name': 'inflorescence development', - 'def': 'The process whose specific outcome is the progression of an inflorescence over time, from its formation to the mature structure. [GOC:tb]' - }, - 'GO:0010230': { - 'name': 'alternative respiration', - 'def': 'Alternative respiration pathway consumes oxygen, oxidizes NADH to NAD+ and generates water. During electron flow, proton motive force is diminished resulting in fewer molecules of ATP compared to cytochrome pathway. The pathway is found in plants, algae and some protozoa. [ISBN:0943088399]' - }, - 'GO:0010231': { - 'name': 'maintenance of seed dormancy', - 'def': 'Any process that maintains a seed in a dormant state. [ISBN:9781405139830, PMID:9580097]' - }, - 'GO:0010232': { - 'name': 'vascular transport', - 'def': 'The directed movement of substances, into, out of or within a cell, either in a vascular tissue or in the vascular membrane. [GOC:sm]' - }, - 'GO:0010233': { - 'name': 'phloem transport', - 'def': 'The directed movement of substances, into, out of or within a cell, either in a phloem tissue or in the phloem membrane. [GOC:sm]' - }, - 'GO:0010234': { - 'name': 'anther wall tapetum cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a tapetal cell of anthers in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:mg]' - }, - 'GO:0010235': { - 'name': 'guard mother cell cytokinesis', - 'def': 'The stereotyped symmetric cell division by which guard mother cell give rise to stomatal guard cells. [GOC:tb]' - }, - 'GO:0010236': { - 'name': 'plastoquinone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of plastoquinone, a lipid-soluble electron-transporting coenzyme present in the chloroplast. [GOC:sm]' - }, - 'GO:0010238': { - 'name': 'response to proline', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a proline stimulus. [GOC:sm]' - }, - 'GO:0010239': { - 'name': 'chloroplast mRNA processing', - 'def': 'Steps involved in processing precursor RNAs arising from transcription of operons in the chloroplast genome into mature mRNAs. [GOC:tb, PMID:9648738]' - }, - 'GO:0010240': { - 'name': 'plastid pyruvate dehydrogenase complex', - 'def': 'Complex that carries out the oxidative decarboxylation of pyruvate to form acetyl-CoA; comprises subunits possessing three catalytic activities: pyruvate dehydrogenase (E1), dihydrolipoamide S-acetyltransferase (E2), and dihydrolipoamide dehydrogenase (E3). This complex is found in plant plastids and is distinct from the one found in mitochondria. [GOC:mtg_sensu, PMID:9393637]' - }, - 'GO:0010241': { - 'name': 'ent-kaurene oxidation to kaurenoic acid', - 'def': 'The three successive oxidations of the 4-methyl group of ent-kaurene to form ent-kaur-16-en-19-oate, kaurenoic acid. This process may be carried out entirely by the enzyme ent-kaurene oxidase. [EC:1.14.13.78, GOC:tb]' - }, - 'GO:0010242': { - 'name': 'oxygen evolving activity', - 'def': 'Catalysis of the reaction: 2 H2O = O2 + 4 H+ + 4 e-. The evolution of oxygen from oxidizing water is carried out by the oxygen evolving complex in photosystem II of plants. P680+, the photochemically oxidized reaction-center chlorophyll of PSII, is a strong biological oxidant. The reduction potential of P680+ is more positive than that of water, and thus it can oxidize water to give O2 and H+ ions. The oxygen escapes as a gas while the H+ ions remain in solution inside the thylakoid vesicle. [GOC:kd, GOC:syr, PMID:17091926, PMID:7948862]' - }, - 'GO:0010243': { - 'name': 'response to organonitrogen compound', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an organonitrogen stimulus. An organonitrogen compound is formally a compound containing at least one carbon-nitrogen bond. [CHEBI:35352, PMID:9869419]' - }, - 'GO:0010244': { - 'name': 'response to low fluence blue light stimulus by blue low-fluence system', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the detection of a low fluence blue light stimulus by the blue low-fluence system. Blue light is electromagnetic radiation with a wavelength of between 440 and 500nm. The blue low-fluence system responds to blue light at or below 0.1 micromols/m2. In certain species excitation of the blue low fluence system induces the transcription of a number of nuclear and plastid coded genes. [GOC:mtg_far_red, PMID:10398709]' - }, - 'GO:0010245': { - 'name': 'radial microtubular system formation', - 'def': 'Formation of radial microtubular systems during male meiotic cytokinesis in plants. [GOC:syr]' - }, - 'GO:0010246': { - 'name': 'rhamnogalacturonan I biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of rhamnogalacturonan I component of pectin, a rhamnose-rich pectic polysaccharide. [GOC:pz]' - }, - 'GO:0010247': { - 'name': 'detection of phosphate ion', - 'def': 'The series of events in which a phosphate ion stimulus is received by a cell and converted into a molecular signal. [GOC:sm]' - }, - 'GO:0010248': { - 'name': 'establishment or maintenance of transmembrane electrochemical gradient', - 'def': 'The directed movement of ions to establish or maintain an electrochemical gradient across a membrane by means of some agent such as a transporter or pore. [GOC:mah, GOC:sm]' - }, - 'GO:0010249': { - 'name': 'auxin conjugate metabolic process', - 'def': 'The chemical reactions and pathways involving auxin conjugates, a bound form of auxin. [GOC:sm]' - }, - 'GO:0010250': { - 'name': 'S-methylmethionine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of S-methyl-methionine (SMM) from methionine and S-adenosyl-methionine (Ado-Met), catalyzed by methionine S-methyltransferase (MMT). SMM can be reconverted to methionine by donating a methyl group to homocysteine, and concurrent operation of this reaction and that mediated by MMT sets up the SMM cycle. [PMID:12692340]' - }, - 'GO:0010252': { - 'name': 'auxin homeostasis', - 'def': 'A homeostatic process that maintains an endogenous steady-state concentration of primary auxin, or constant level of auxin in a biological system, by a number of biochemical processes including transport, biosynthesis, catabolism and conjugation. [http://diss-epsilon.slu.se/archive/00000215/]' - }, - 'GO:0010253': { - 'name': 'UDP-rhamnose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-L-rhamnose, a substance composed of rhamnose in glycosidic linkage with uridine diphosphate. [PMID:15134748]' - }, - 'GO:0010254': { - 'name': 'nectary development', - 'def': 'The process whose specific outcome is the progression of the floral nectaries over time, from its formation to the mature structure. [GOC:lr]' - }, - 'GO:0010255': { - 'name': 'glucose mediated signaling pathway', - 'def': 'The process in which a change in the level of mono- and disaccharide glucose trigger the expression of genes controlling metabolic and developmental processes. [GOC:sm]' - }, - 'GO:0010256': { - 'name': 'endomembrane system organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the endomembrane system. [GOC:mah, GOC:sm]' - }, - 'GO:0010257': { - 'name': 'NADH dehydrogenase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an NADH dehydrogenase complex. [GOC:sm]' - }, - 'GO:0010258': { - 'name': 'NADH dehydrogenase complex (plastoquinone) assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form NADH:plastoquinone dehydrogenase complex, which is involved in the non-photochemical reduction of plastoquinones, as well as the cyclic electron transport around photosystem I. [PMID:15608332]' - }, - 'GO:0010259': { - 'name': 'multicellular organism aging', - 'def': 'An aging process that has as participant a whole multicellular organism. Multicellular organism aging includes loss of functions such as resistance to disease, homeostasis, and fertility, as well as wear and tear. Multicellular organisms aging includes processes like cellular senescence and organ senescence, but is more inclusive. May precede death (GO:0016265) of an organism and may succeed developmental maturation (GO:0021700). [GOC:PO_curators]' - }, - 'GO:0010260': { - 'name': 'animal organ senescence', - 'def': 'The process that occurs in an animal organ near the end of its active life that is associated with the dismantling of cell components and membranes, and an overall decline in metabolism. [GOC:tb]' - }, - 'GO:0010262': { - 'name': 'somatic embryogenesis', - 'def': 'Initiation of a somatic embryo-an embryo arising from previously differentiated somatic cells, rather than from fused haploid gametes. [GOC:sm, PMID:9611173]' - }, - 'GO:0010263': { - 'name': 'tricyclic triterpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tricyclic triterpenoid compounds, terpenoids with 6 isoprene units and 3 carbon rings. [GOC:ct]' - }, - 'GO:0010264': { - 'name': 'myo-inositol hexakisphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phytic acid, myo-inositol hexakisphosphate, a regulator of intracellular signaling, a highly abundant animal anti-nutrient and a phosphate and mineral storage compound in plant seeds. [CHEBI:17401, PMID:16107538]' - }, - 'GO:0010265': { - 'name': 'SCF complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the SKP1-Cullin/Cdc53-F-box protein ubiquitin ligase (SCF) complex. [GOC:pz]' - }, - 'GO:0010266': { - 'name': 'response to vitamin B1', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin B1 stimulus. [GOC:pz]' - }, - 'GO:0010267': { - 'name': 'production of ta-siRNAs involved in RNA interference', - 'def': 'Cleavage of double-stranded RNA to form trans-acting small interfering RNA molecules (siRNAs) of 21-23 nucleotides. ta-siRNAs arise from PolII genes and function like miRNAs to guide cleavage of target mRNAs. [GOC:tb, PMID:16129836]' - }, - 'GO:0010268': { - 'name': 'brassinosteroid homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of brassinosteroids within an organism or cell. [PMID:15908602]' - }, - 'GO:0010269': { - 'name': 'response to selenium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from selenium ion. [GOC:mg]' - }, - 'GO:0010270': { - 'name': 'photosystem II oxygen evolving complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the oxygen evolving complex (OEC) of photosystem II on a thylakoid membrane. The OEC protects the calcium-4 manganese-5 oxide cluster which is bound to the D1 and CP43 proteins. The exact protein composition of the OEC varies between cyanobacteria and plants, and in plants consists of three extrinsic nuclear-encoded polypeptides: PsbO, PsbP and PsbQ. [GOC:aa, PMID:16282331]' - }, - 'GO:0010271': { - 'name': 'regulation of chlorophyll catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of chlorophyll. [PMID:16361392]' - }, - 'GO:0010272': { - 'name': 'response to silver ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a silver ion stimulus. [PMID:16367966]' - }, - 'GO:0010273': { - 'name': 'detoxification of copper ion', - 'def': 'Any process that reduces or removes the toxicity of copper ion. These include transport of copper away from sensitive areas and to compartments or complexes whose purpose is sequestration of copper ion. [GOC:kmv, PMID:16367966]' - }, - 'GO:0010274': { - 'name': 'hydrotropism', - 'def': 'Growth or movement in a sessile organism toward or away from water, as of the roots of a plant. [ISBN:0395825172]' - }, - 'GO:0010275': { - 'name': 'NAD(P)H dehydrogenase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form NAD(P)H dehydrogenase complex, which is involved in electron transport from an unidentified electron donor, possibly NAD(P)H or ferredoxin(Fd) to the plastoquinone pool. [GOC:sm]' - }, - 'GO:0010276': { - 'name': 'phytol kinase activity', - 'def': 'Catalysis of the reaction: phytol + CTP = phytyl monophosphate + CDP + H+. [MetaCyc:RXN-7683]' - }, - 'GO:0010277': { - 'name': 'chlorophyllide a oxygenase [overall] activity', - 'def': 'Catalysis of the reactions: chlorophyllide a + O2 + NADPH + H+ = 7-hydroxychlorophyllide a + H2O + NADP+; and 7-hydroxychlorophyllide a + O2 + NADPH + H+ = chlorophyllide b + 2 H2O + NADP+. [EC:1.13.12.14, MetaCyc:RXN-7677]' - }, - 'GO:0010278': { - 'name': 'chloroplast outer membrane translocon', - 'def': 'The protein transport machinery of the chloroplast outer membrane that contains at least three components Toc159, Toc75 and Toc34, interacts with precursor proteins which are imported into the chloroplast in a GTP dependant manner. [PMID:11299338]' - }, - 'GO:0010279': { - 'name': 'indole-3-acetic acid amido synthetase activity', - 'def': 'Catalysis of the reaction: indole-3-acetic acid + an amino acid = an indole-3-acetic acid amide conjugate. [PMID:15659623]' - }, - 'GO:0010280': { - 'name': 'UDP-L-rhamnose synthase activity', - 'def': 'Catalysis of the reaction: UDP-D-glucose + NADPH + H+ = UDP-L-rhamnose + NADP+ + H2O. [MetaCyc:RXN-5482, PMID:14701918]' - }, - 'GO:0010282': { - 'name': 'senescence-associated vacuole', - 'def': 'A lytic vacuole that is maintained at acidic pH and has different tonoplast composition compared to the central vacuole. Found during leaf senescence and develops in the peripheral cytoplasm of cells that contain chloroplast. [PMID:15743448]' - }, - 'GO:0010283': { - 'name': 'pinoresinol reductase activity', - 'def': 'Catalysis of the reaction: pinoresinol + NADPH + H+ = lariciresinol + NADP+. [PMID:10066819, PMID:7592828]' - }, - 'GO:0010284': { - 'name': 'lariciresinol reductase activity', - 'def': 'Catalysis of the reaction: lariciresinol + NADPH + H+ = secoisolariciresinol + NADP+. [PMID:10066819, PMID:7592828]' - }, - 'GO:0010285': { - 'name': 'L,L-diaminopimelate aminotransferase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + LL-2,6-diaminopimelate = (S)-2,3,4,5-tetrahydrodipicolinate + L-glutamate + H(2)O + H(+). [EC:2.6.1.83, RHEA:23991]' - }, - 'GO:0010286': { - 'name': 'heat acclimation', - 'def': 'Any process that increases heat tolerance of an organism in response to high temperatures. [GOC:tair_curators]' - }, - 'GO:0010287': { - 'name': 'plastoglobule', - 'def': 'A lipoprotein particle present in chloroplasts. They are rich in non-polar lipids (triglycerides, esters) as well as in prenylquinones, plastoquinone and tocopherols. Plastoglobules are often associated with thylakoid membranes, suggesting an exchange of lipids with thylakoids. [GOC:tair_curators, PMID:16461379]' - }, - 'GO:0010288': { - 'name': 'response to lead ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lead ion stimulus. [GOC:tair_curators, PMID:16461380]' - }, - 'GO:0010289': { - 'name': 'homogalacturonan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the pectidic homogalacturonan, characterized by a backbone of (1->4)-linked alpha-D-GalpA residues that can be methyl-esterified at C-6 and carry acetyl groups on O-2 and O-3. [PMID:12913136, PMID:16540543]' - }, - 'GO:0010290': { - 'name': 'chlorophyll catabolite transmembrane transporter activity', - 'def': 'Enables the directed movement of chlorophyll catabolites such as non-fluorescent chlorophyll catabolites (NCCs), from one side of the membrane to the other. [PMID:9681016]' - }, - 'GO:0010291': { - 'name': 'carotene beta-ring hydroxylase activity', - 'def': 'Catalysis of the reaction: a carotene + a reduced electron acceptor + O2 = C3-hydroxylated carotene + an oxidized electron acceptor + H2O. This is a general reaction to represent the C3 hydroxylation of the beta ring of a carotene. [MetaCyc:MONOMER-12386, PMID:16492736]' - }, - 'GO:0010292': { - 'name': 'GTP:GDP antiporter activity', - 'def': 'Catalysis of the reaction: GTP(out) + GDP(in) = GTP(in) + GDP(out). [PMID:10514379, PMID:12553910, PMID:16553903]' - }, - 'GO:0010293': { - 'name': 'abscisic aldehyde oxidase activity', - 'def': 'Catalysis of the reaction: (+)-abscisic aldehyde + H(2)O + O(2) = abscisate + H(2)O(2) + H(+). [EC:1.2.3.14, RHEA:20532]' - }, - 'GO:0010294': { - 'name': 'abscisic acid glucosyltransferase activity', - 'def': 'Catalysis of the reaction: (+)-abscisate + UDP-D-glucose = abscisic acid glucose ester + UDP. [DOI:10.1016/j.tetasy.2004.11.062]' - }, - 'GO:0010295': { - 'name': "(+)-abscisic acid 8'-hydroxylase activity", - 'def': "Catalysis of the reaction: (+)-abscisate + H(+) + NADPH + O(2) = (+)-8'-hydroxyabscisate + H(2)O + NADP(+). [EC:1.14.13.93, RHEA:12900]" - }, - 'GO:0010296': { - 'name': 'prenylcysteine methylesterase activity', - 'def': 'Catalysis of the reaction: protein C-terminal S-farnesyl-L-cysteine methyl ester + H2O = protein C-terminal S-farnesyl-L-cysteine + methanol + H+. [MetaCyc:RXN-8409, PMID:16870359]' - }, - 'GO:0010297': { - 'name': 'heteropolysaccharide binding', - 'def': 'Interacting selectively and non-covalently with heteropolysaccharides. A heteropolysaccharide is a glycan composed of more than one type of monosaccharide residue. [PMID:16640603]' - }, - 'GO:0010298': { - 'name': 'dihydrocamalexic acid decarboxylase activity', - 'def': 'Catalysis of the reaction: dihydrocamalexic acid = camalexin + CO2 + H+. [MetaCyc:RXN-8275, PMID:16766671]' - }, - 'GO:0010299': { - 'name': 'detoxification of cobalt ion', - 'def': 'Any process that reduces or removes the toxicity of cobalt ion. These include transport of cobalt away from sensitive areas and to compartments or complexes whose purpose is sequestration of cobalt ion. [GOC:tair_curators]' - }, - 'GO:0010301': { - 'name': 'xanthoxin dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(+) + xanthoxin = (+)-abscisic aldehyde + H(+) + NADH. [EC:1.1.1.288, RHEA:12551]' - }, - 'GO:0010303': { - 'name': 'limit dextrinase activity', - 'def': 'Catalysis of the hydrolysis of (1,6)-alpha-D-glucosidic linkages in alpha- and beta-limit dextrins of amylopectin and glycogen, and in amylopectin and pullulan. [EC:3.2.1.142]' - }, - 'GO:0010304': { - 'name': 'PSII associated light-harvesting complex II catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of one or more components of the light-harvesting complex of photosystem II. [GOC:mah, PMID:16157880]' - }, - 'GO:0010305': { - 'name': 'leaf vascular tissue pattern formation', - 'def': 'Vascular tissue pattern formation as it occurs in the leaf of vascular plants. [GOC:tair_curators]' - }, - 'GO:0010306': { - 'name': 'rhamnogalacturonan II biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of rhamnogalacturonan II, a low molecular mass (5 - 10KDa) pectic polysaccharide, conserved in the primary walls of dicotyledenous and monocotyledenous plants and gymnosperms. [PMID:12754267]' - }, - 'GO:0010307': { - 'name': 'acetylglutamate kinase regulator activity', - 'def': 'Modulates the enzyme activity of acetylglutamate kinase. [PMID:16377628]' - }, - 'GO:0010308': { - 'name': 'acireductone dioxygenase (Ni2+-requiring) activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxy-5-(methylthio)pent-1-en-3-one + O(2) = 3-(methylthio)propanoate + CO + formate. [EC:1.13.11.53, RHEA:14164]' - }, - 'GO:0010309': { - 'name': 'acireductone dioxygenase [iron(II)-requiring] activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxy-5-(methylthio)pent-1-en-3-one + O(2) = 4-methylthio-2-oxobutanoate + formate + H(+). [EC:1.13.11.54, RHEA:24507]' - }, - 'GO:0010310': { - 'name': 'regulation of hydrogen peroxide metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving hydrogen peroxide. [PMID:14765119]' - }, - 'GO:0010311': { - 'name': 'lateral root formation', - 'def': 'The process that gives rise to a lateral root. This process pertains to the initial formation of a structure from unspecified parts. A lateral root primordium represents an organized group of cells derived from the root pericycle that will differentiate into a new root, as opposed to the initiation of the main root from the embryo proper. [GOC:tair_curators, PMID:17259263]' - }, - 'GO:0010312': { - 'name': 'detoxification of zinc ion', - 'def': 'Any process that reduces or removes the toxicity of zinc ion. These include transport of zinc away from sensitive areas and to compartments or complexes whose purpose is sequestration of zinc ion. [GOC:tair_curators]' - }, - 'GO:0010313': { - 'name': 'phytochrome binding', - 'def': 'Interacting selectively and non-covalently with phytochrome. [PMID:15486102]' - }, - 'GO:0010314': { - 'name': 'phosphatidylinositol-5-phosphate binding', - 'def': "Interacting selectively and non-covalently with phosphatidylinositol-5-phosphate, a derivative of phosphatidylinositol in which the inositol ring is phosphorylated at the 5' position. [GOC:bf, GOC:tair_curators]" - }, - 'GO:0010315': { - 'name': 'auxin efflux', - 'def': 'The process involved in the transport of auxin out of the cell. [GOC:tair_curators, PMID:16990790]' - }, - 'GO:0010316': { - 'name': 'pyrophosphate-dependent phosphofructokinase complex', - 'def': 'Heterodimeric complex that catalyzes the pyrophosphate-dependent phosphorylation of D-fructose 6-phosphate into D-fructose 1,6-bisphosphate. [PMID:2170409]' - }, - 'GO:0010317': { - 'name': 'pyrophosphate-dependent phosphofructokinase complex, alpha-subunit complex', - 'def': 'Refers to the alpha subunit of the heterodimeric complex that possesses pyrophosphate-dependent phosphofructokinase activity. [PMID:2170409]' - }, - 'GO:0010318': { - 'name': 'pyrophosphate-dependent phosphofructokinase complex, beta-subunit complex', - 'def': 'Refers to the beta subunit of the heterodimeric complex that possesses pyrophosphate-dependent phosphofructokinase activity. [PMID:2170409]' - }, - 'GO:0010319': { - 'name': 'stromule', - 'def': 'Thin filamentous structure extending from the surface of all plastid types examined so far, including chloroplast, proplastid, etioplast, leucoplast, amyloplast, and chromoplast. In general, stromules are more abundant in tissues containing non-green plastids, and in cells containing smaller plastids. The primary function of stromules is still unresolved, although the presence of stromules markedly increases the plastid surface area, potentially increasing transport to and from the cytosol. Other functions of stromules, such as transfer of macromolecules between plastids and starch granule formation in cereal endosperm, may be restricted to particular tissues and cell types. [PMID:15272881, PMID:15699062, PMID:16582010]' - }, - 'GO:0010320': { - 'name': 'obsolete arginine/lysine endopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide linkages in oligopeptides or polypeptides by a reaction mechanism in which arginine or lysine residues act as nucleophiles. [GOC:tair_curators]' - }, - 'GO:0010321': { - 'name': 'regulation of vegetative phase change', - 'def': 'Any process that modulates the frequency, rate or extent of vegetative phase change. Vegetative phase change is the set of post-embryonic processes involved in the transition of a plant from a juvenile phase of vegetative development to an adult phase of vegetative development. [GOC:tair_curators]' - }, - 'GO:0010322': { - 'name': 'regulation of isopentenyl diphosphate biosynthetic process, methylerythritol 4-phosphate pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of isopentenyl diphosphate produced via the methylerythritol (MEP) pathway (mevalonate-independent). [PMID:16531478]' - }, - 'GO:0010323': { - 'name': 'negative regulation of isopentenyl diphosphate biosynthetic process, methylerythritol 4-phosphate pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of isopentenyl diphosphate produced via the methylerythritol (MEP) pathway (mevalonate-independent). [PMID:16531478]' - }, - 'GO:0010324': { - 'name': 'membrane invagination', - 'def': 'The infolding of a membrane. [GOC:tb]' - }, - 'GO:0010325': { - 'name': 'raffinose family oligosaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of raffinose family oligosaccharides (RFOs, such as raffinose, stachyose, verbascose and other molecules with a higher degree of galactosyl polymerization). [GOC:tair_curators]' - }, - 'GO:0010326': { - 'name': 'methionine-oxo-acid transaminase activity', - 'def': 'Catalysis of the reaction: methionine + a 2-oxo acid = 2-oxo-4-methylthiobutanoate + an amino acid. [MetaCyc:RXN-2201, PMID:17056707]' - }, - 'GO:0010327': { - 'name': 'acetyl CoA:(Z)-3-hexen-1-ol acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + (Z)-3-hexen-1-ol = CoA + (Z)-3-hexen-1-yl acetate. [PMID:17163883]' - }, - 'GO:0010328': { - 'name': 'auxin influx transmembrane transporter activity', - 'def': 'Catalysis of the transfer of auxin, from one side of a membrane to the other, into a cell. [PMID:16839804]' - }, - 'GO:0010329': { - 'name': 'auxin efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of auxin, from one side of a membrane to the other, out of a cell. [PMID:16839804]' - }, - 'GO:0010330': { - 'name': 'cellulose synthase complex', - 'def': 'A large, multimeric protein complex, organized in a rosette, which catalyzes the biosynthesis of cellulose for the plant cell wall. [PMID:12514238, PMID:18485800, PMID:21307367]' - }, - 'GO:0010331': { - 'name': 'gibberellin binding', - 'def': 'Interacting selectively and non-covalently with gibberellins, plant hormones that regulate aspects of plant growth. [GOC:tair_curators]' - }, - 'GO:0010332': { - 'name': 'response to gamma radiation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gamma radiation stimulus. Gamma radiation is a form of electromagnetic radiation (EMR) or light emission of a specific frequency produced from sub-atomic particle interaction, such as electron-positron annihilation and radioactive decay. Gamma rays are generally characterized as EMR having the highest frequency and energy, and also the shortest wavelength, within the electromagnetic radiation spectrum. [GOC:tair_curators, Wikipedia:Gamma_ray]' - }, - 'GO:0010333': { - 'name': 'terpene synthase activity', - 'def': 'Catalysis of the formation of cyclic terpenes through the cyclization of linear terpenes (e.g. isopentenyl-PP, geranyl-PP, farnesyl-PP and geranylgeranyl-PP) containing varying numbers of isoprene units. [EC:4.2.3.-, GOC:tair_curators]' - }, - 'GO:0010334': { - 'name': 'sesquiterpene synthase activity', - 'def': 'Catalysis of the reaction: trans,trans-farnesyl diphosphate = a sesquiterpene + diphosphate. Sesquiterpenes are terpenes containing three isoprene units, i.e. 15 carbons. [EC:4.2.3.-, GOC:tair_curators]' - }, - 'GO:0010335': { - 'name': 'response to non-ionic osmotic stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating an increase or decrease in the concentration of non-ionic solutes (e.g. mannitol, sorbitol) in the environment. [GOC:tair_curators]' - }, - 'GO:0010336': { - 'name': 'gibberellic acid homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of gibberellic acid; may involve transport, biosynthesis, catabolism or conjugation. [PMID:17194763]' - }, - 'GO:0010337': { - 'name': 'regulation of salicylic acid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving salicylic acid. [PMID:14765119]' - }, - 'GO:0010338': { - 'name': 'leaf formation', - 'def': 'The process that gives rise to a leaf. This process pertains to the initial formation of a structure from unspecified parts. [GOC:tair_curators]' - }, - 'GO:0010339': { - 'name': 'external side of cell wall', - 'def': 'The side of the cell wall that is opposite to the side that faces the cell and its contents. [GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0010340': { - 'name': 'carboxyl-O-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to the carboxyl group of an acceptor molecule to form a methyl ester. [PMID:17220201]' - }, - 'GO:0010341': { - 'name': 'gibberellin carboxyl-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + a gibberellin = S-adenosyl-L-homocysteine + a gibberellin methyl ester. [PMID:17220201]' - }, - 'GO:0010342': { - 'name': 'endosperm cellularization', - 'def': 'The separation of the multi-nucleate endosperm into individual cells. In many plant species, the endosperm that nurtures the embryo in the seed initially develops as a syncytium. This syncytial phase ends with simultaneous partitioning of the multi-nucleate cytoplasm into individual cells, a process referred to as cellularization. [PMID:12421698]' - }, - 'GO:0010343': { - 'name': 'singlet oxygen-mediated programmed cell death', - 'def': 'Programmed cell death induced by singlet oxygen. Programmed cell death is the cell death resulting from activation of endogenous cellular processes. [GOC:mtg_apoptosis, PMID:17075038]' - }, - 'GO:0010344': { - 'name': 'seed oilbody biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a seed oilbody. Seed oilbodies are simple organelles comprising a matrix of triglyceride surrounded by a phospholipid monolayer embedded and covered with unique proteins called oleosins. Seed oilbodies supply the energy requirements for the growth of the seedling after germination. [GOC:jl, PMID:16877495]' - }, - 'GO:0010345': { - 'name': 'suberin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of suberin monomers and suberin polyesters. Suberin monomers are derived from fatty acids and trans-cinnamic acids. The monomers are then cross-linked with glycerols. [PMID:17259262]' - }, - 'GO:0010346': { - 'name': 'shoot axis formation', - 'def': 'The process that gives rise to a shoot axis. This process pertains to the initial formation of a structure from unspecified parts. [GOC:tb]' - }, - 'GO:0010347': { - 'name': 'L-galactose-1-phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: L-galactose-1-phosphate + H2O = L-galactose + phosphate. [PMID:15550539, PMID:16595667]' - }, - 'GO:0010348': { - 'name': 'lithium:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Li+(in) + H+(out) = Li+(out) + H+(in). [PMID:17270011]' - }, - 'GO:0010349': { - 'name': 'L-galactose dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-galactose + NAD+ = L-galactono-1,4-lactone + NADH + H+. [PMID:12047629]' - }, - 'GO:0010350': { - 'name': 'cellular response to magnesium starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of magnesium. [PMID:17270009]' - }, - 'GO:0010351': { - 'name': 'lithium ion transport', - 'def': 'The directed movement of lithium ion into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [PMID:17270011]' - }, - 'GO:0010352': { - 'name': 'lithium ion export', - 'def': 'The directed movement of lithium ion out of a cell or organelle. [PMID:17270011]' - }, - 'GO:0010353': { - 'name': 'response to trehalose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a trehalose stimulus. [PMID:17031512]' - }, - 'GO:0010354': { - 'name': 'homogentisate prenyltransferase activity', - 'def': 'Catalysis of the transfer of a prenyl group from one compound (donor) to homogentisic acid. [PMID:16989822]' - }, - 'GO:0010355': { - 'name': 'homogentisate farnesyltransferase activity', - 'def': 'Catalysis of the reaction: homogentisic acid + farnesyl diphosphate = 2-methyl-6-farnesylplastoquinol. [PMID:16989822]' - }, - 'GO:0010356': { - 'name': 'homogentisate geranylgeranyltransferase activity', - 'def': 'Catalysis of the reaction: homogentisic acid + geranylgeranyl diphosphate = 2-methyl-6-geranylgeranylplastoquinol. [PMID:16989822]' - }, - 'GO:0010357': { - 'name': 'homogentisate solanesyltransferase activity', - 'def': 'Catalysis of the reaction: homogentisic acid + all-trans-nonaprenyl diphosphate + 3 H+ = 2-methyl-6-solanyl-1,4-benzoquinonone + CO2 + diphosphate. 2-methyl-6-solanyl-1,4-benzoquinonone is also known as 2-methyl-6-solanesylplastoquinol and all-trans-nonaprenyl diphosphate as solanesyl diphosphate. [PMID:16989822]' - }, - 'GO:0010358': { - 'name': 'leaf shaping', - 'def': 'The developmental process that pertains to the organization of a leaf in three-dimensional space once the structure has initially formed. [GOC:tb, PMID:16971475]' - }, - 'GO:0010359': { - 'name': 'regulation of anion channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of anion channel activity. [PMID:17319842]' - }, - 'GO:0010360': { - 'name': 'negative regulation of anion channel activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of the anion channel activity. [PMID:17319842]' - }, - 'GO:0010361': { - 'name': 'regulation of anion channel activity by blue light', - 'def': 'Any process in which blue light modulates the frequency, rate or extent of anion channel activity. [GOC:dph, GOC:tb, PMID:17319842]' - }, - 'GO:0010362': { - 'name': 'negative regulation of anion channel activity by blue light', - 'def': 'Any process in which blue light stops, prevents, or reduces the frequency, rate, or extent of the anion channel activity. [PMID:17319842]' - }, - 'GO:0010363': { - 'name': 'regulation of plant-type hypersensitive response', - 'def': 'Any endogenous process that modulates the frequency, rate or extent of the plant hypersensitive response. [PMID:16255244]' - }, - 'GO:0010364': { - 'name': 'regulation of ethylene biosynthetic process', - 'def': 'Any process that modulates the frequency, rate, or extent of an ethylene biosynthetic process. [GOC:tair_curators]' - }, - 'GO:0010365': { - 'name': 'positive regulation of ethylene biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of an ethylene biosynthetic process. [GOC:tair_curators]' - }, - 'GO:0010366': { - 'name': 'negative regulation of ethylene biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of an ethylene biosynthetic process. [GOC:tair_curators]' - }, - 'GO:0010367': { - 'name': 'extracellular isoamylase complex', - 'def': 'A protein complex whose composition varies amongst species; in rice it probably exists in a homo-tetramer to homo-hexamer form and in Gram negative bacteria as a dimer. Functions in the hydrolysis of alpha-(1,6)-D-glucosidic branch linkages. Isoamylases in animals are localized in the extracellular space. [GOC:tair_curators]' - }, - 'GO:0010368': { - 'name': 'chloroplast isoamylase complex', - 'def': 'A protein complex whose composition varies amongst species; in rice it probably exists in a homo-tetramer to homo-hexamer form and in Gram negative bacteria as a dimer. Functions in the hydrolysis of alpha-(1,6)-D-glucosidic branch linkages. Isoamylases in plants are intracellular and probably chloroplast localized. [GOC:tair_curators]' - }, - 'GO:0010369': { - 'name': 'chromocenter', - 'def': 'A region in which centric, heterochromatic portions of one or more chromosomes form a compact structure. [PMID:12384572, PMID:15053486, PMID:16831888]' - }, - 'GO:0010370': { - 'name': 'perinucleolar chromocenter', - 'def': 'A chromocenter adjacent to the nucleolus. [PMID:15805479]' - }, - 'GO:0010371': { - 'name': 'regulation of gibberellin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of gibberellins. [GOC:tair_curators]' - }, - 'GO:0010372': { - 'name': 'positive regulation of gibberellin biosynthetic process', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of gibberellins. [GOC:tair_curators]' - }, - 'GO:0010373': { - 'name': 'negative regulation of gibberellin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of gibberellins. [GOC:tair_curators]' - }, - 'GO:0010374': { - 'name': 'stomatal complex development', - 'def': 'The process whose specific outcome is the progression of the stomatal complex over time from its formation to the mature structure. The stomatal complex is the stomatal guard cells and their associated epidermal cells. [PMID:17259259]' - }, - 'GO:0010375': { - 'name': 'stomatal complex patterning', - 'def': 'The regionalization process of establishing the non-random spatial arrangement of stomatal complex on the surface of a leaf. The stomatal complex is the stomatal guard cells and their associated epidermal cells. [PMID:17259259]' - }, - 'GO:0010376': { - 'name': 'stomatal complex formation', - 'def': 'The process that gives rise to the stomatal complex. This process pertains to the initial formation of a structure from unspecified parts. The stomatal complex is the stomatal guard cells and their associated epidermal cells. [PMID:17259259]' - }, - 'GO:0010377': { - 'name': 'guard cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a stomatal guard cell. Guard cells are located in the leaf epidermis and pairwise surround stomatal pores, which allow CO2 influx for photosynthetic carbon fixation and water loss via transpiration to the atmosphere. [PMID:17259259]' - }, - 'GO:0010378': { - 'name': 'temperature compensation of the circadian clock', - 'def': 'The process in which the circadian clock maintains robust and accurate timing over a broad range of physiological temperatures. The circadian clock is an endogenous 24-h timer found in most eukaryotes and in photosynthetic bacteria. The clock drives rhythms in the physiology, biochemistry, and metabolism of the organisms. [PMID:16617099]' - }, - 'GO:0010379': { - 'name': 'phaseic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phaseic acid (PA), a catabolite of the plant hormone abscisic acid (ABA). [BioCyc:PWY-5271]' - }, - 'GO:0010380': { - 'name': 'regulation of chlorophyll biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of chlorophyll, any compound of magnesium complexed in a porphyrin (tetrapyrrole) ring and which functions as a photosynthetic pigment, from less complex precursors. [PMID:17291312]' - }, - 'GO:0010381': { - 'name': 'attachment of peroxisome to chloroplast', - 'def': 'The process in which a peroxisome is transported to, and/or maintained in, a location adjacent to the chloroplast. [PMID:17215364]' - }, - 'GO:0010383': { - 'name': 'cell wall polysaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving cell wall polysaccharides. [GOC:tair_curators]' - }, - 'GO:0010384': { - 'name': 'cell wall proteoglycan metabolic process', - 'def': 'The chemical reactions and pathways involving cell wall peptidoglycan, a group of glycoproteins that consist of a core-protein backbone O-glycosylated by one or more complex carbohydrates. [GOC:tair_curators]' - }, - 'GO:0010385': { - 'name': 'double-stranded methylated DNA binding', - 'def': 'Interacting selectively and non-covalently with double-stranded methylated DNA. Methylation of cytosine or adenine in DNA is an important mechanism for establishing stable heritable epigenetic marks. [GOC:imk, PMID:17242155]' - }, - 'GO:0010387': { - 'name': 'COP9 signalosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a COP9 signalosome. [PMID:17307927]' - }, - 'GO:0010389': { - 'name': 'regulation of G2/M transition of mitotic cell cycle', - 'def': 'Any process that modulates the rate or extent of progression from G2 phase to M phase of the mitotic cell cycle. [GOC:mtg_cell_cycle, PMID:17329565]' - }, - 'GO:0010390': { - 'name': 'histone monoubiquitination', - 'def': 'The modification of histones by addition of a single ubiquitin group. [PMID:17329563]' - }, - 'GO:0010391': { - 'name': 'glucomannan metabolic process', - 'def': 'The chemical reactions and pathways involving glucomannan, a polysaccharide composed of D-glucose and D-mannose. The mannose units form the backbone structure (a linear main chain) with the D-glucose as single side-units. [GOC:tair_curators]' - }, - 'GO:0010392': { - 'name': 'galactoglucomannan metabolic process', - 'def': 'The chemical reactions and pathways involving galactoglucomannan, a polysaccharide composed of D-glucose, D-galactose and D-mannose. The mannose units form the backbone structure (a linear main chain) decorated with a mixture of D-glucose and D-galactose side-units. [GOC:tair_curators]' - }, - 'GO:0010393': { - 'name': 'galacturonan metabolic process', - 'def': 'The chemical reactions and pathways involving galacturonan, a pectin polymer containing a backbone of alpha-(1->4)-linked D-galacturonic acid residues. [GOC:tair_curators]' - }, - 'GO:0010394': { - 'name': 'homogalacturonan metabolic process', - 'def': 'The chemical reactions and pathways involving homogalacturonan, a pectin characterized by a backbone of alpha-(1->4)-linked D-galacturonic acid residues that can be methyl-esterified at C-6 and carry acetyl groups on O-2 and O-3. [GOC:tair_curators]' - }, - 'GO:0010395': { - 'name': 'rhamnogalacturonan I metabolic process', - 'def': 'The chemical reactions and pathways involving rhamnogalacturonan I (RGI), a branched pectin with a backbone of alternating alpha-(1->2)-linked rhamnose and alpha-(1->4)-linked D-galacturonic acid residues that carries neutral side-chains of predominantly beta-(1->4)-D-galactose and/or alpha-(1->5)-L-arabinose residues attached to the rhamnose residues of the RGI backbone. [GOC:tair_curators]' - }, - 'GO:0010396': { - 'name': 'rhamnogalacturonan II metabolic process', - 'def': 'The chemical reactions and pathways involving rhamnogalacturonan II, a low molecular mass (5-10KDa) pectic polysaccharide. The backbone of RG-II contains at least 8 1,4-linked alpha-D-GalpA residues. [GOC:tair_curators]' - }, - 'GO:0010397': { - 'name': 'apiogalacturonan metabolic process', - 'def': 'The chemical reactions and pathways involving the pectic apiogalacturonan, characterized by a backbone of alpha-(1->4)-linked D-galacturonic acid residues substituted with apiose and apiobiose (D-apiofuranosyl-beta-(1->3)-D-apiose) side chains via O-2 or O-3 links. [GOC:tair_curators]' - }, - 'GO:0010398': { - 'name': 'xylogalacturonan metabolic process', - 'def': 'The chemical reactions and pathways involving xylogalacturonan, a pectin characterized by a backbone of alpha-(1->4)-linked D-galacturonic acid residues substituted on C-3 with beta-D-xylopyranose residues. [GOC:tair_curators]' - }, - 'GO:0010399': { - 'name': 'rhamnogalacturonan I backbone metabolic process', - 'def': 'The chemical reactions and pathways involving the alternating alpha-(1->2)-linked rhamnose and alpha-(1->2)-linked B-galacturonic acid residues of the rhamnogalacturonan I backbone. [GOC:tair_curators]' - }, - 'GO:0010400': { - 'name': 'rhamnogalacturonan I side chain metabolic process', - 'def': 'The chemical reactions and pathways involving the side chains of the pectin, rhamnogalacturonan I. [GOC:tair_curators]' - }, - 'GO:0010401': { - 'name': 'pectic galactan metabolic process', - 'def': 'The chemical reactions and pathways involving galactan, a polymer of D-galactosyl units that can be found as a side chain of the pectin rhamnogalacturonan I. [GOC:tair_curators]' - }, - 'GO:0010402': { - 'name': 'pectic arabinan metabolic process', - 'def': 'The chemical reactions and pathways involving pectic arabinan, a polymer with an alpha-(1->5)-linked L-arabinofuranose (Araf) backbone that can be substituted with Araf-alpha-(1->2)-, Araf-alpha-(1->3)-, and/or Araf-alpha-(1->3)-Araf-alpha-(1->3)-side chains. Arabinan can be found as a side chain of the pectin rhamnogalacturonan I. [GOC:tair_curators]' - }, - 'GO:0010403': { - 'name': 'pectic arabinogalactan I metabolic process', - 'def': 'The chemical reactions and pathways involving pectic arabinogalactan I, an alpha-(1,4)-linked D-galactopyranose backbone that is substituted with alpha-l-Araf residues via the O-3 of the D-galactose residues. Arabinogalactan I can be found as a side chain of rhamnogalacturonan I. [GOC:tair_curators]' - }, - 'GO:0010404': { - 'name': 'cell wall hydroxyproline-rich glycoprotein metabolic process', - 'def': 'The chemical reactions and pathways involving a cell wall hydroxyproline-rich glycoprotein that consist of a core-protein backbone O-glycosylated by one or more complex carbohydrates. [GOC:tair_curators]' - }, - 'GO:0010405': { - 'name': 'arabinogalactan protein metabolic process', - 'def': 'The chemical reactions and pathways involving a cell wall arabinogalactan II glycoprotein, which is composed of a group of core protein of highly varying length and domain complexity. These are O-glycosylated at one or more hydroxyproline residues by arabinogalactan (AG) type II groups, which consist of (1->3)-beta-galactan and (1->6)-beta-linked galactan chains connected to each other by (1->3,1->6)-linked branch points, O-3 and O-6 positions substituted with terminal arabinosyl residues. Also, rhamnose, fucose, glucuronic and galacturonic acid can be present in the glycan structures. [GOC:tair_curators]' - }, - 'GO:0010406': { - 'name': 'classical arabinogalactan protein metabolic process', - 'def': 'The chemical reactions and pathways involving a cell wall arabinogalactan II glycoprotein, which is composed of a group of core protein containing Hyp, Ala, Ser, Thr and Gly as the major amino acid constituents, and the C-terminus is GPI anchored. [GOC:tair_curators]' - }, - 'GO:0010407': { - 'name': 'non-classical arabinogalactan protein metabolic process', - 'def': 'The chemical reactions and pathways involving a cell wall arabinogalactan II glycoprotein where other amino acids besides Hyp, Ala, Ser, Thr and Gly can be present and grouped into regions, such as a Cys-rich or Asn-rich domains. [GOC:tair_curators]' - }, - 'GO:0010408': { - 'name': 'fasciclin-like arabinogalactan protein metabolic process', - 'def': 'The chemical reactions and pathways involving the cell wall arabinogalactan II glycoprotein variant which contains both an arabinogalactan protein (AGP) motif and a fasciclin domain. [GOC:tair_curators]' - }, - 'GO:0010409': { - 'name': 'extensin metabolic process', - 'def': 'The chemical reactions and pathways involving extensins, a group of 60-90 kDNA hydroxyproline (Hyp)-rich glycoproteins whose polypeptide backbone consists of many repeats of structural Ser(Hyp)4-6 motifs, with heavily glycosylated 1-4 arabinose residues O-linked to contiguous stretches of Hyp residues, with most of the Ser residues being O-galactosylated. [GOC:tair_curators]' - }, - 'GO:0010410': { - 'name': 'hemicellulose metabolic process', - 'def': 'The chemical reactions and pathways involving hemicelluloses, plant cell wall polysaccharides that have a backbone of 1,4-linked beta-D-pyranosyl residues in which O4 is in the equatorial orientation. Many different hemicelluloses usually occur intermixed with each molecular type representing different degrees of polymerization and contain many different sugar monomers, which can include glucose, xylose, mannose, galactose, and arabinose. Hemicelluloses also contain most of the D-pentose sugars and occasionally small amounts of L-sugars as well. Xylose is always the sugar monomer present in the largest amount, but mannuronic acid and galacturonic acid also tend to be present. [GOC:tair_curators]' - }, - 'GO:0010411': { - 'name': 'xyloglucan metabolic process', - 'def': 'The chemical reactions and pathways involving xyloglucan, the cross-linking glycan composed of (1->4)-beta-D-glucan backbone substituted at regular intervals with beta-D-xylosyl-(1->6) residues, which is present in the primary cell wall of most higher plants. [GOC:tair_curators]' - }, - 'GO:0010412': { - 'name': 'mannan metabolic process', - 'def': 'The chemical reactions and pathways involving mannan, a group of polysaccharides containing a backbone composed of a polymer of D-mannose units. [GOC:tair_curators]' - }, - 'GO:0010413': { - 'name': 'glucuronoxylan metabolic process', - 'def': 'The chemical reactions and pathways involving xylan, a polymer containing a beta-(1->4)-linked D-xylose backbone decorated with glucuronic acid side units. [GOC:tair_curators]' - }, - 'GO:0010414': { - 'name': 'glucuronoarabinoxylan metabolic process', - 'def': 'The chemical reactions and pathways involving xylan, a polymer containing a beta-(1->4)-linked D-xylose backbone decorated with glucuronic acid and arabinose side units. [GOC:tair_curators]' - }, - 'GO:0010415': { - 'name': 'unsubstituted mannan metabolic process', - 'def': 'The chemical reactions and pathways involving the mannan backbone, the unsubstituted polymer of D-mannose units. [GOC:tair_curators]' - }, - 'GO:0010416': { - 'name': 'arabinoxylan-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving an arabinoxylan, a polymer containing a beta-1,4-linked D-xylose backbone decorated with arabinose side units. [GOC:tair_curators]' - }, - 'GO:0010417': { - 'name': 'glucuronoxylan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucuronoxylan, a polymer containing a beta-1,4-linked D-xylose backbone substituted with glucuronic acid residues. [GOC:tair_curators]' - }, - 'GO:0010418': { - 'name': 'rhamnogalacturonan II backbone metabolic process', - 'def': 'The chemical reactions and pathways involving the backbone structure of pectic rhamnogalacturonan II. The back bone contains at least 8 1,4-linked alpha-D-GalpA residues. [GOC:tair_curators]' - }, - 'GO:0010419': { - 'name': 'rhamnogalacturonan II side chain metabolic process', - 'def': 'The chemical reactions and pathways involving the side chains of pectic rhamnogalacturonan II. A number of structurally distinct di- and oligosaccharides can be attached to the C-3 and C-2 of the backbone, respectively. [GOC:tair_curators]' - }, - 'GO:0010420': { - 'name': 'polyprenyldihydroxybenzoate methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 3-polyprenyl-4,5-dihydroxybenzoate = S-adenosyl-L-homocysteine + 3-polyprenyl-4-hydroxy-5-methoxybenzoate + H+. [PMID:9628017]' - }, - 'GO:0010421': { - 'name': 'hydrogen peroxide-mediated programmed cell death', - 'def': 'Programmed cell death induced by hydrogen peroxide. Programmed cell death is the cell death resulting from activation of endogenous cellular processes. [GOC:mtg_apoptosis, PMID:16036580]' - }, - 'GO:0010422': { - 'name': 'regulation of brassinosteroid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of brassinosteroids. [PMID:16857903]' - }, - 'GO:0010423': { - 'name': 'negative regulation of brassinosteroid biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of brassinosteroids. [PMID:16857903]' - }, - 'GO:0010424': { - 'name': 'DNA methylation on cytosine within a CG sequence', - 'def': 'The covalent transfer of a methyl group to C-5 or N-4 of a cytosine located within a CG sequence in a DNA molecule. [GOC:dph, GOC:tb, PMID:17239600]' - }, - 'GO:0010425': { - 'name': 'DNA methylation on cytosine within a CNG sequence', - 'def': 'The covalent transfer of a methyl group, to C-5 or N-4, of a cytosine located within a CNG sequence in a DNA molecule. N stands for any nucleotide. [GOC:dph, GOC:tb, PMID:17239600]' - }, - 'GO:0010426': { - 'name': 'DNA methylation on cytosine within a CHH sequence', - 'def': 'The covalent transfer of a methyl group, to C-5 or N-4, of a cytosine located within an asymmetric CHH sequence in a DNA molecule. H stands for an adenine, cytosine, or thymine nucleotide. [GOC:dph, GOC:mah, GOC:tb, PMID:15861207, PMID:17239600]' - }, - 'GO:0010427': { - 'name': 'abscisic acid binding', - 'def': 'Interacting selectively and non-covalently with abscisic acid, plant hormones that regulate aspects of plant growth. [PMID:17347412]' - }, - 'GO:0010428': { - 'name': 'methyl-CpNpG binding', - 'def': 'Interacting selectively and non-covalently with a methylated cytosine/unspecified/guanine trinucleotide. [PMID:17239600]' - }, - 'GO:0010429': { - 'name': 'methyl-CpNpN binding', - 'def': 'Interacting selectively and non-covalently with a methylated cytosine/unspecified/unspecified trinucleotide. [PMID:17239600]' - }, - 'GO:0010430': { - 'name': 'fatty acid omega-oxidation', - 'def': 'A fatty acid oxidation process in which the methyl group at the end of the fatty acid molecule (the omega carbon) is first oxidized to a hydroxyl group, then to an oxo group, and finally to a carboxyl group. The long chain dicarboxylates derived from omega-oxidation then enter the beta-oxidation pathway for further degradation. [MetaCyc:PWY-2724, PMID:16404574]' - }, - 'GO:0010431': { - 'name': 'seed maturation', - 'def': 'A process in seed development that occurs after embryogenesis by which a quiescent state is established in a seed. Seed maturation is characterized by storage compound accumulation, acquisition of desiccation tolerance, growth arrest and the entry into a dormancy period of variable length that is broken upon germination. [PMID:16096971]' - }, - 'GO:0010432': { - 'name': 'bract development', - 'def': 'The process whose specific outcome is the progression of the bract over time, from its formation to the mature structure. A bract is a leaf, usually different in form from the foliage leaves, subtending a flower or inflorescence. [GOC:tb, PMID:16554366, PO:0009055]' - }, - 'GO:0010433': { - 'name': 'bract morphogenesis', - 'def': 'The process in which the anatomical structure of a bract are generated and organized. A bract is a leaf, usually different in form from the foliage leaves, subtending a flower or inflorescence. [GOC:tb, PMID:16554366, PO:0009055]' - }, - 'GO:0010434': { - 'name': 'bract formation', - 'def': 'The process that gives rise to a bract. This process pertains to the initial formation of a structure from unspecified parts. A bract is a leaf, usually different in form from the foliage leaves, subtending a flower or inflorescence. [GOC:tb, PMID:16554366, PO:0009055]' - }, - 'GO:0010435': { - 'name': "3-oxo-2-(2'-pentenyl)cyclopentane-1-octanoic acid CoA ligase activity", - 'def': "Catalysis of the reaction: ATP + 3-oxo-2-(2'-pentenyl)-cyclopentane-1-octanoic acid + coenzyme A = AMP + diphosphate + 3-oxo-2-(2'-pentenyl)-cyclopentane-1-octanoyl-CoA + H+. 3-oxo-2-(2'-pentenyl)-cyclopentane-1-octanoic acid is also known as OPC-8:0. [PMID:16963437]" - }, - 'GO:0010436': { - 'name': 'carotenoid dioxygenase activity', - 'def': 'Catalysis of the oxidative cleavage of carotenoids. [PMID:16459333]' - }, - 'GO:0010437': { - 'name': "9,10 (9', 10')-carotenoid-cleaving dioxygenase activity", - 'def': "Catalysis of the oxidative cleavage of carotenoids at the (9, 10) and/or (9', 10') double bond. [PMID:16459333]" - }, - 'GO:0010438': { - 'name': 'cellular response to sulfur starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of sulfur. [PMID:17420480]' - }, - 'GO:0010439': { - 'name': 'regulation of glucosinolate biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glucosinolates, substituted thioglucosides found in rapeseed products and related cruciferae. [PMID:17420480]' - }, - 'GO:0010440': { - 'name': 'stomatal lineage progression', - 'def': 'The process in which an unspecialized epidermal cell progresses through a series of divisions that culminate in the production of a stomatal complex. [GOC:expert_db, GOC:tb]' - }, - 'GO:0010441': { - 'name': 'guard cell development', - 'def': 'The process whose specific outcome is the progression of the guard cell over time, from its formation to the mature structure. [GOC:tb]' - }, - 'GO:0010442': { - 'name': 'guard cell morphogenesis', - 'def': 'Generation and organization of the polarized cell that is capable of turgor driven movement. [GOC:expert_db, GOC:tb]' - }, - 'GO:0010443': { - 'name': 'meristemoid mother cell division', - 'def': 'The asymmetric cell division by which a meristemoid mother cells (MMC) give rise to a meristemoid and another cell. The other cell may itself become a MMC or may generate an epidermal cell. Any cell that undergoes this type of division is a MMC. [GOC:expert_db, GOC:tb]' - }, - 'GO:0010444': { - 'name': 'guard mother cell differentiation', - 'def': 'The process in which a meristemoid acquires the specialized features of a guard mother cell. [GOC:expert_db, GOC:tb]' - }, - 'GO:0010445': { - 'name': 'nuclear dicing body', - 'def': 'A small round nuclear body, measuring 0.2-0.8 microns in diameter that is diffusely distributed throughout the nucleoplasm. Several proteins known to be involved in miRNA processing have been localized to these structures. D-bodies are thought to be involved in primary-miRNA processing and/or storage/assembly of miRNA processing complexes. [PMID:17442570]' - }, - 'GO:0010446': { - 'name': 'response to alkaline pH', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pH stimulus with pH > 7. pH is a measure of the acidity or basicity of an aqueous solution. [GOC:go_curators, GOC:tb, http://en.wikipedia.org/wiki/PH]' - }, - 'GO:0010447': { - 'name': 'response to acidic pH', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pH stimulus with pH < 7. pH is a measure of the acidity or basicity of an aqueous solution. [GOC:go_curators, GOC:tb, http://en.wikipedia.org/wiki/PH]' - }, - 'GO:0010448': { - 'name': 'vegetative meristem growth', - 'def': 'The increase in size or mass of a vegetative meristem, a population of undifferentiated cells in a plant shoot which maintains a continuous balance between the production of stem cells and the incorporation of their derivatives into lateral organ primordia. [GOC:tb, ISBN:0849397928]' - }, - 'GO:0010449': { - 'name': 'root meristem growth', - 'def': 'The increase in size or mass of a root meristem, a population of undifferentiated cells in a plant root which maintains a continuous balance between the production of stem cells and the incorporation of their derivatives into the growth of the root. [GOC:tb]' - }, - 'GO:0010450': { - 'name': 'inflorescence meristem growth', - 'def': 'The increase in size or mass of an inflorescence meristem, a population of undifferentiated cells in a plant shoot which produces small leaves and then floral meristems, which will give rise to flowers. [GOC:tb]' - }, - 'GO:0010451': { - 'name': 'floral meristem growth', - 'def': 'The increase in size or mass of a floral meristem, a population of undifferentiated cells in a plant that gives rise to a flower. [GOC:tb]' - }, - 'GO:0010452': { - 'name': 'histone H3-K36 methylation', - 'def': 'The modification of histone H3 by addition of one or more methyl groups to lysine at position 36 of the histone. [GOC:pr, GOC:tb]' - }, - 'GO:0010453': { - 'name': 'regulation of cell fate commitment', - 'def': 'Any process that modulates the frequency, rate or extent of cell fate commitment. Cell fate commitment is the commitment of cells to specific cell fates and their capacity to differentiate into particular kinds of cells. Positional information is established through protein signals that emanate from a localized source within a cell (the initial one-cell zygote) or within a developmental field. [GOC:dph, GOC:tb]' - }, - 'GO:0010454': { - 'name': 'negative regulation of cell fate commitment', - 'def': 'Any process that stops, prevents or reduces the frequency or rate of cell fate commitment. Cell fate commitment is the commitment of cells to specific cell fates and their capacity to differentiate into particular kinds of cells. Positional information is established through protein signals that emanate from a localized source within a cell (the initial one-cell zygote) or within a developmental field. [GOC:dph, GOC:tb]' - }, - 'GO:0010455': { - 'name': 'positive regulation of cell fate commitment', - 'def': 'Any process that activates, maintains or increases the frequency or rate of cell fate commitment. Cell fate commitment is the commitment of cells to specific cell fates and their capacity to differentiate into particular kinds of cells. Positional information is established through protein signals that emanate from a localized source within a cell (the initial one-cell zygote) or within a developmental field. [GOC:dph, GOC:tb]' - }, - 'GO:0010456': { - 'name': 'cell proliferation in dorsal spinal cord', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of the dorsal spinal cord cell population. [GOC:dph, GOC:tb]' - }, - 'GO:0010457': { - 'name': 'centriole-centriole cohesion', - 'def': 'The process in which the two centrioles within a centrosome remain tightly paired. [GOC:dph, GOC:tb]' - }, - 'GO:0010458': { - 'name': 'exit from mitosis', - 'def': 'The cell cycle transition where a cell leaves M phase and enters a new G1 phase. M phase is the part of the mitotic cell cycle during which mitosis and cytokinesis take place. [GOC:dph, GOC:tb]' - }, - 'GO:0010459': { - 'name': 'negative regulation of heart rate', - 'def': 'Any process that stops, prevents or reduces the frequency or rate of heart contraction. [GOC:dph, GOC:tb]' - }, - 'GO:0010460': { - 'name': 'positive regulation of heart rate', - 'def': 'Any process that activates or increases the frequency or rate of heart contraction. [GOC:dph, GOC:tb]' - }, - 'GO:0010461': { - 'name': 'light-activated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens in response to a light stimulus. [GOC:dph, GOC:tb]' - }, - 'GO:0010462': { - 'name': 'regulation of light-activated voltage-gated calcium channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of light-activated voltage-gated calcium channel activity. [GOC:dph, GOC:tb]' - }, - 'GO:0010463': { - 'name': 'mesenchymal cell proliferation', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a mesenchymal cell population. A mesenchymal cell is a cell that normally gives rise to other cells that are organized as three-dimensional masses, rather than sheets. [GOC:dph, GOC:tb]' - }, - 'GO:0010464': { - 'name': 'regulation of mesenchymal cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal cell proliferation. A mesenchymal cell is a cell that normally gives rise to other cells that are organized as three-dimensional masses, rather than sheets. [GOC:dph, GOC:tb]' - }, - 'GO:0010465': { - 'name': 'nerve growth factor receptor activity', - 'def': 'Combining with nerve growth factor (NGF), to prevent apoptosis in neurons and promote nerve growth, or to initiate a change in cell activity. [GOC:dph, GOC:tb]' - }, - 'GO:0010466': { - 'name': 'negative regulation of peptidase activity', - 'def': 'Any process that stops or reduces the rate of peptidase activity, the hydrolysis of peptide bonds within proteins. [GOC:dph, GOC:tb]' - }, - 'GO:0010467': { - 'name': 'gene expression', - 'def': "The process in which a gene's sequence is converted into a mature gene product or products (proteins or RNA). This includes the production of an RNA transcript as well as any processing to produce a mature RNA product or an mRNA (for protein-coding genes) and the translation of that mRNA into protein. Protein maturation is included when required to form an active form of a product from an inactive precursor form. [GOC:dph, GOC:tb]" - }, - 'GO:0010468': { - 'name': 'regulation of gene expression', - 'def': "Any process that modulates the frequency, rate or extent of gene expression. Gene expression is the process in which a gene's coding sequence is converted into a mature gene product or products (proteins or RNA). This includes the production of an RNA transcript as well as any processing to produce a mature RNA product or an mRNA (for protein-coding genes) and the translation of that mRNA into protein. Protein maturation is included when required to form an active form of a product from an inactive precursor form. [GOC:dph, GOC:tb]" - }, - 'GO:0010469': { - 'name': 'regulation of receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of receptor activity. Receptor activity is when a molecule combines with an extracellular or intracellular messenger to initiate a change in cell activity. [GOC:dph, GOC:tb]' - }, - 'GO:0010470': { - 'name': 'regulation of gastrulation', - 'def': 'Any process that modulates the rate or extent of gastrulation. Gastrulation is the complex and coordinated series of cellular movements that occurs at the end of cleavage during embryonic development of most animals. [GOC:dph, GOC:tb]' - }, - 'GO:0010471': { - 'name': 'GDP-galactose:mannose-1-phosphate guanylyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-L-galactose + alpha-D-mannose 1-phosphate = GDP-alpha-D-mannose + alpha-L-galactose-1-phosphate. [MetaCyc:RXN4FS-12, PMID:17485667]' - }, - 'GO:0010472': { - 'name': 'GDP-galactose:glucose-1-phosphate guanylyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-L-galactose + alpha-D-glucose 1-phosphate = alpha-L-galactose-1-phosphate + GDP-alpha-D-glucose. [MetaCyc:RXN4FS-13, PMID:17485667]' - }, - 'GO:0010473': { - 'name': 'GDP-galactose:myoinositol-1-phosphate guanylyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-L-galactose + myo-inositol 1-phosphate = alpha-L-galactose-1-phosphate + GDP-myoinositol. [PMID:17485667]' - }, - 'GO:0010474': { - 'name': 'glucose-1-phosphate guanylyltransferase (GDP) activity', - 'def': 'Catalysis of the reaction: GDP + D-glucose 1-phosphate = phosphate + GDP-glucose. [PMID:17462988]' - }, - 'GO:0010475': { - 'name': 'galactose-1-phosphate guanylyltransferase (GDP) activity', - 'def': 'Catalysis of the reaction: GDP + L-galactose 1-phosphate = phosphate + GDP-galactose. [PMID:17462988]' - }, - 'GO:0010476': { - 'name': 'gibberellin mediated signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of gibberellin stimulus. [PMID:17521411]' - }, - 'GO:0010477': { - 'name': 'response to sulfur dioxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sulfur dioxide (SO2) stimulus. [PMID:17425719]' - }, - 'GO:0010478': { - 'name': 'chlororespiration', - 'def': 'A respiratory electron flow (from NAD(P)H to plastoquinone (PQ) and O2) involving both a nonphotochemical reduction and re-oxidation of PQ pool. [GOC:mtg_electron_transport, GOC:tb, PMID:17573537]' - }, - 'GO:0010479': { - 'name': 'stele development', - 'def': 'The process whose specific outcome is the progression of the stele over time, from its formation to the mature structure. The stele is the central column of primary vascular tissue in the root and any tissue that it surrounds. [GOC:tb]' - }, - 'GO:0010480': { - 'name': 'microsporocyte differentiation', - 'def': 'The process aimed at the progression of a microsporocyte cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. A microsporocyte is a diploid (2n) cell that undergoes meiosis and forms four haploid (1n) microspores; also called microspore mother cell and, in seed plants, pollen mother cell. [CL:0000248, PMID:16751349]' - }, - 'GO:0010481': { - 'name': 'epidermal cell division', - 'def': 'Any process resulting in the physical partitioning and separation of an epidermal cell, any of the cells making up the epidermis, into daughter cells. [PMID:17450124]' - }, - 'GO:0010482': { - 'name': 'regulation of epidermal cell division', - 'def': 'Any process that modulates the frequency, rate or extent of the physical partitioning and separation of an epidermal cell into daughter cells. An epidermal cell is any of the cells that make up the epidermis. [PMID:17450124]' - }, - 'GO:0010483': { - 'name': 'pollen tube reception', - 'def': 'Interaction between the pollen tube, part of the male gametophyte, and the ovule, part of the female gametophyte, that results in the arrest of pollen tube growth, rupture of the pollen tube and the release of the sperm cells. [GOC:tb, PMID:17673660]' - }, - 'GO:0010484': { - 'name': 'H3 histone acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 = CoA + acetyl-histone H3. [EC:2.3.1.48]' - }, - 'GO:0010485': { - 'name': 'H4 histone acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H4 = CoA + acetyl-histone H4. [EC:2.3.1.48]' - }, - 'GO:0010486': { - 'name': 'manganese:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Mn2+(in) + H+(out) = Mn2+(out) + H+(in). [PMID:17559518]' - }, - 'GO:0010487': { - 'name': 'thermospermine synthase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methioninamine + spermidine = S-methyl-5'-thioadenosine + thermospermine + H+. [EC:2.5.1.79, MetaCyc:RXN-11190, PMID:17560575]" - }, - 'GO:0010488': { - 'name': 'UDP-galactose:N-glycan beta-1,3-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + N-glycan = galactose-beta-1,3-N-glycan + UDP. [PMID:17630273]' - }, - 'GO:0010489': { - 'name': 'UDP-4-keto-6-deoxy-glucose-3,5-epimerase activity', - 'def': 'Catalysis of the reaction: UDP-4-keto-6-deoxyglucose = UDP-4-keto-rhamnose. [GOC:tair_curators, PMID:17190829]' - }, - 'GO:0010490': { - 'name': 'UDP-4-keto-rhamnose-4-keto-reductase activity', - 'def': 'Catalysis of the reaction: UDP-4-keto-rhamnose + NADPH = UDP-rhamnose + NADP+. [GOC:tair_curators, PMID:17190829]' - }, - 'GO:0010491': { - 'name': 'UTP:arabinose-1-phosphate uridylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-L-arabinose 1-phosphate + UTP = UDP-L-arabinose + diphosphate. [PMID:17341835]' - }, - 'GO:0010492': { - 'name': 'maintenance of shoot apical meristem identity', - 'def': 'The process in which an organism retains a population of shoot apical meristem cells, preventing the commitment of all stem cell progeny to a differentiated cell fate. [GOC:dph, GOC:tb, PMID:17461786]' - }, - 'GO:0010493': { - 'name': 'Lewis a epitope biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a Lewis a epitope, a trisaccharide (Fuc-alpha-(1->4)[Gal-beta-(1->3)]GlcNAc) characteristic of plant protein N-linked oligosaccharides. [PMID:17630273]' - }, - 'GO:0010494': { - 'name': 'cytoplasmic stress granule', - 'def': 'A dense aggregation in the cytosol composed of proteins and RNAs that appear when the cell is under stress. [GOC:ans, PMID:17284590, PMID:17601829, PMID:17967451, PMID:20368989]' - }, - 'GO:0010495': { - 'name': 'long-distance posttranscriptional gene silencing', - 'def': 'A posttranscriptional gene silencing process in which the silencing signal originates in a tissue separate from the tissue in which the silencing takes place. [GOC:dph, GOC:tb, PMID:11590235, PMID:17785412]' - }, - 'GO:0010496': { - 'name': 'intercellular transport', - 'def': 'The movement of substances between cells. [GOC:dhl]' - }, - 'GO:0010497': { - 'name': 'plasmodesmata-mediated intercellular transport', - 'def': 'The movement of substances between cells via plasmodesmata. Plasmodesmata is a fine cytoplasmic channel, found in all higher plants, that connects the cytoplasm of one cell to that of an adjacent cell. [PMID:17601829]' - }, - 'GO:0010498': { - 'name': 'proteasomal protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds that is mediated by the proteasome. [GOC:tb]' - }, - 'GO:0010499': { - 'name': 'proteasomal ubiquitin-independent protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds that is mediated by the proteasome but do not involve ubiquitin. [GOC:tb]' - }, - 'GO:0010500': { - 'name': 'transmitting tissue development', - 'def': 'The process whose specific outcome is the progression of the transmitting tract over time, from its formation to the mature structure. The transmitting tissue is the tissue in the style of a carpel through which the pollen tube grows; it connects the stigma and the inside of ovary. [PMID:17855426]' - }, - 'GO:0010501': { - 'name': 'RNA secondary structure unwinding', - 'def': "The process in which a secondary structure of RNA are broken or 'melted'. [PMID:17169986]" - }, - 'GO:0010503': { - 'name': 'obsolete negative regulation of cell cycle arrest in response to nitrogen starvation', - 'def': 'OBSOLETE Any process that stops, prevents or reduces the frequency or rate of cell cycle arrest in response to nitrogen starvation. [GOC:dph, GOC:tb]' - }, - 'GO:0010504': { - 'name': 'obsolete regulation of cell cycle arrest in response to nitrogen starvation', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of cell cycle arrest in response to nitrogen starvation. [GOC:dph, GOC:tb]' - }, - 'GO:0010505': { - 'name': 'obsolete positive regulation of cell cycle arrest in response to nitrogen starvation', - 'def': 'OBSOLETE. Any process that increases the frequency or rate of cell cycle arrest in response to nitrogen starvation. [GOC:dph, GOC:tb]' - }, - 'GO:0010506': { - 'name': 'regulation of autophagy', - 'def': 'Any process that modulates the frequency, rate or extent of autophagy. Autophagy is the process in which cells digest parts of their own cytoplasm. [GOC:dph, GOC:tb]' - }, - 'GO:0010507': { - 'name': 'negative regulation of autophagy', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of autophagy. Autophagy is the process in which cells digest parts of their own cytoplasm. [GOC:dph, GOC:tb]' - }, - 'GO:0010508': { - 'name': 'positive regulation of autophagy', - 'def': 'Any process that activates, maintains or increases the rate of autophagy. Autophagy is the process in which cells digest parts of their own cytoplasm. [GOC:dph, GOC:tb]' - }, - 'GO:0010509': { - 'name': 'polyamine homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of a polyamine. [GOC:dph, GOC:rph, GOC:tb, PMID:11161802, PMID:9761731]' - }, - 'GO:0010510': { - 'name': 'regulation of acetyl-CoA biosynthetic process from pyruvate', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of acetyl-CoA from pyruvate. [GOC:dph, GOC:tb]' - }, - 'GO:0010511': { - 'name': 'regulation of phosphatidylinositol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of phosphatidylinositol. [GOC:dph, GOC:tb, GOC:vw]' - }, - 'GO:0010512': { - 'name': 'negative regulation of phosphatidylinositol biosynthetic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of phosphatidylinositol. [GOC:dph, GOC:tb, GOC:vw]' - }, - 'GO:0010513': { - 'name': 'positive regulation of phosphatidylinositol biosynthetic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of phosphatidylinositol. [GOC:dph, GOC:tb, GOC:vw]' - }, - 'GO:0010514': { - 'name': 'induction of conjugation with cellular fusion', - 'def': 'The process in which a cell initiates conjugation with cellular fusion. Conjugation with cellular fusion is the process that results in the union of cellular and genetic information from compatible mating types. [GOC:dph, GOC:tb]' - }, - 'GO:0010515': { - 'name': 'negative regulation of induction of conjugation with cellular fusion', - 'def': 'Any process that stops, prevents, or reduces the frequency or rate of initiation of conjugation with cellular fusion. [GOC:dph, GOC:tb]' - }, - 'GO:0010516': { - 'name': 'negative regulation of cellular response to nitrogen starvation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a cellular response to nitrogen starvation. [GOC:dph, GOC:tb]' - }, - 'GO:0010517': { - 'name': 'regulation of phospholipase activity', - 'def': 'Any process that modulates the frequency, rate or extent of phospholipase activity, the hydrolysis of a phospholipid. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010518': { - 'name': 'positive regulation of phospholipase activity', - 'def': 'Any process that increases the frequency, rate or extent of phospholipase activity, the hydrolysis of a phospholipid. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010519': { - 'name': 'negative regulation of phospholipase activity', - 'def': 'Any process that decreases the frequency, rate or extent of phospholipase activity, the hydrolysis of a phospholipid. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010520': { - 'name': 'regulation of reciprocal meiotic recombination', - 'def': 'Any process that modulates the frequency, rate or extent of recombination during meiosis. Reciprocal meiotic recombination is the cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010521': { - 'name': 'telomerase inhibitor activity', - 'def': "Stops, prevents or reduces the activity of a telomerase. Telomerase catalyzes the reaction: deoxynucleoside triphosphate + DNA(n) = diphosphate + DNA(n+1). Catalyzes extension of the 3'- end of a DNA strand by one deoxynucleotide at a time using an internal RNA template that encodes the telomeric repeat sequence. [GOC:dph, GOC:krc, GOC:tb]" - }, - 'GO:0010522': { - 'name': 'regulation of calcium ion transport into cytosol', - 'def': 'Any process that modulates the rate of the directed movement of calcium ions into the cytosol of a cell. The cytosol is that part of the cytoplasm that does not contain membranous or particulate subcellular components. [GOC:dph, GOC:tb]' - }, - 'GO:0010523': { - 'name': 'negative regulation of calcium ion transport into cytosol', - 'def': 'Any process that decreases the rate of the directed movement of calcium ions into the cytosol of a cell. The cytosol is that part of the cytoplasm that does not contain membranous or particulate subcellular components. [GOC:dph, GOC:tb]' - }, - 'GO:0010524': { - 'name': 'positive regulation of calcium ion transport into cytosol', - 'def': 'Any process that increases the rate of the directed movement of calcium ions into the cytosol of a cell. The cytosol is that part of the cytoplasm that does not contain membranous or particulate subcellular components. [GOC:dph, GOC:tb]' - }, - 'GO:0010525': { - 'name': 'regulation of transposition, RNA-mediated', - 'def': 'Any process that modulates the frequency, rate or extent of RNA-mediated transposition. RNA-mediated transposition is a type of transpositional recombination which occurs via an RNA intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010526': { - 'name': 'negative regulation of transposition, RNA-mediated', - 'def': 'Any process that decreases the frequency, rate or extent of RNA-mediated transposition. RNA-mediated transposition is a type of transpositional recombination which occurs via an RNA intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010527': { - 'name': 'positive regulation of transposition, RNA-mediated', - 'def': 'Any process that increases the frequency, rate or extent of RNA-mediated transposition. RNA-mediated transposition is a type of transpositional recombination which occurs via an RNA intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010528': { - 'name': 'regulation of transposition', - 'def': 'Any process that modulates the frequency, rate or extent of transposition. Transposition results in the movement of discrete segments of DNA between nonhomologous sites. [GOC:dph, GOC:tb]' - }, - 'GO:0010529': { - 'name': 'negative regulation of transposition', - 'def': 'Any process that decreases the frequency, rate or extent of transposition. Transposition results in the movement of discrete segments of DNA between nonhomologous sites. [GOC:dph, GOC:tb]' - }, - 'GO:0010530': { - 'name': 'positive regulation of transposition', - 'def': 'Any process that increases the frequency, rate or extent of transposition. Transposition results in the movement of discrete segments of DNA between nonhomologous sites. [GOC:dph, GOC:tb]' - }, - 'GO:0010531': { - 'name': 'activation of JAK1 kinase activity', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a JAK1 (Janus Activated Kinase 1) protein, thereby activating it. [GOC:dph, GOC:tb, PMID:9135582]' - }, - 'GO:0010532': { - 'name': 'regulation of activation of JAK1 kinase activity', - 'def': 'Any process that modulates the frequency or rate of activation of JAK1 protein. The activation of JAK1 protein is the process of introducing a phosphate group to a tyrosine residue of a JAK1 (Janus Activated Kinase 1) protein, thereby activating it. [GOC:dph, GOC:tb, PMID:9135582]' - }, - 'GO:0010533': { - 'name': 'regulation of activation of Janus kinase activity', - 'def': 'Any process that modulates the frequency or rate of activation of JAK protein. The activation of JAK protein is the process of introducing a phosphate group to a tyrosine residue of a JAK (Janus Activated Kinase) protein, thereby activating it. [GOC:dph, GOC:tb, PMID:17190829, PMID:9135582]' - }, - 'GO:0010534': { - 'name': 'regulation of activation of JAK2 kinase activity', - 'def': 'Any process that modulates the frequency or rate of activation of JAK2 protein. The activation of JAK2 protein is the process of introducing a phosphate group to a tyrosine residue of a JAK2 (Janus Activated Kinase 2) protein, thereby activating it. [GOC:dph, GOC:tb, PMID:9135582]' - }, - 'GO:0010535': { - 'name': 'positive regulation of activation of JAK2 kinase activity', - 'def': 'Any process that increase the frequency or rate of activation of JAK2 protein. The activation of JAK2 protein is the process of introducing a phosphate group to a tyrosine residue of a JAK2 (Janus Activated Kinase 2) protein, thereby activating it. [GOC:dph, GOC:tb, PMID:9135582]' - }, - 'GO:0010536': { - 'name': 'positive regulation of activation of Janus kinase activity', - 'def': 'Any process that increases the frequency or rate of activation of JAK protein. The activation of JAK protein is the process of introducing a phosphate group to a tyrosine residue of a JAK (Janus Activated Kinase) protein, thereby activating it. [GOC:dph, GOC:tb, PMID:9135582]' - }, - 'GO:0010537': { - 'name': 'positive regulation of activation of JAK1 kinase activity', - 'def': 'Any process that increases the frequency or rate of activation of JAK1 protein. The activation of JAK1 protein is the process of introducing a phosphate group to a tyrosine residue of a JAK1 (Janus Activated Kinase 1) protein, thereby activating it. [GOC:dph, GOC:tb, PMID:9135582]' - }, - 'GO:0010538': { - 'name': 'obsolete Hsp27 protein regulator activity', - 'def': 'OBSOLETE. Modulates the activity of the Hsp27 molecular chaperone. [GOC:dph, GOC:tb, PMID:11546764]' - }, - 'GO:0010539': { - 'name': 'obsolete Hsp27 protein inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of the Hsp27 molecular chaperone. [GOC:dph, GOC:tb]' - }, - 'GO:0010540': { - 'name': 'basipetal auxin transport', - 'def': 'The unidirectional movement of auxin from the apex to base of an organ, including the shoot, leaf, primary root, or lateral root. [PMID:10677441]' - }, - 'GO:0010541': { - 'name': 'acropetal auxin transport', - 'def': 'The unidirectional movement of auxin from the base towards the apex of an organ, including the shoot, leaf, primary root, or lateral root. [PMID:10677441]' - }, - 'GO:0010542': { - 'name': 'nitrate efflux transmembrane transporter activity', - 'def': 'Enables the transfer of nitrate from the inside of the cell to the outside of the cell across a membrane. [GOC:mah]' - }, - 'GO:0010543': { - 'name': 'regulation of platelet activation', - 'def': 'Any process that modulates the rate or frequency of platelet activation. Platelet activation is a series of progressive, overlapping events triggered by exposure of the platelets to subendothelial tissue. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010544': { - 'name': 'negative regulation of platelet activation', - 'def': 'Any process that decreases the rate or frequency of platelet activation. Platelet activation is a series of progressive, overlapping events triggered by exposure of the platelets to subendothelial tissue. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010545': { - 'name': 'obsolete Hsp90 protein regulator activity', - 'def': 'OBSOLETE. Binds to and modulates the activity of the molecular chaperone Hsp90. [GOC:dph, GOC:tb, PMID:11146632]' - }, - 'GO:0010546': { - 'name': 'obsolete Hsp90 protein inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of the Hsp90 molecular chaperone. [GOC:dph, GOC:tb, PMID:11146632]' - }, - 'GO:0010547': { - 'name': 'thylakoid membrane disassembly', - 'def': 'The controlled breakdown of the thylakoid membrane in the context of a normal process. [GOC:dph, GOC:tb, PMID:17416733]' - }, - 'GO:0010548': { - 'name': 'regulation of thylakoid membrane disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of thylakoid membrane disassembly. [GOC:dph, GOC:tb, PMID:17416733]' - }, - 'GO:0010549': { - 'name': 'regulation of membrane disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of membrane disassembly. [GOC:dph, GOC:tb]' - }, - 'GO:0010550': { - 'name': 'regulation of PSII associated light-harvesting complex II catabolic process', - 'def': 'Any process that modulates the chemical reactions and pathways resulting in the breakdown of one or more components of the light-harvesting complex of photosystem II. [GOC:dph, GOC:tb]' - }, - 'GO:0010555': { - 'name': 'response to mannitol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mannitol stimulus. [PMID:17999646]' - }, - 'GO:0010556': { - 'name': 'regulation of macromolecule biosynthetic process', - 'def': 'Any process that modulates the rate, frequency or extent of the chemical reactions and pathways resulting in the formation of a macromolecule, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass. [GOC:dph, GOC:tb]' - }, - 'GO:0010557': { - 'name': 'positive regulation of macromolecule biosynthetic process', - 'def': 'Any process that increases the rate, frequency or extent of the chemical reactions and pathways resulting in the formation of a macromolecule, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass. [GOC:dph, GOC:tb]' - }, - 'GO:0010558': { - 'name': 'negative regulation of macromolecule biosynthetic process', - 'def': 'Any process that decreases the rate, frequency or extent of the chemical reactions and pathways resulting in the formation of a macromolecule, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass. [GOC:dph, GOC:tb]' - }, - 'GO:0010559': { - 'name': 'regulation of glycoprotein biosynthetic process', - 'def': 'Any process that modulates the rate, frequency, or extent of the chemical reactions and pathways resulting in the formation of glycoproteins, any protein that contains covalently bound glycose (i.e. monosaccharide) residues; the glycose occurs most commonly as oligosaccharide or fairly small polysaccharide but occasionally as monosaccharide. [GOC:dph, GOC:tb]' - }, - 'GO:0010560': { - 'name': 'positive regulation of glycoprotein biosynthetic process', - 'def': 'Any process that increases the rate, frequency, or extent of the chemical reactions and pathways resulting in the formation of glycoproteins, any protein that contains covalently bound glycose (i.e. monosaccharide) residues; the glycose occurs most commonly as oligosaccharide or fairly small polysaccharide but occasionally as monosaccharide. [GOC:dph, GOC:tb]' - }, - 'GO:0010561': { - 'name': 'negative regulation of glycoprotein biosynthetic process', - 'def': 'Any process that decreases the rate, frequency, or extent of the chemical reactions and pathways resulting in the formation of glycoproteins, any protein that contains covalently bound glycose (i.e. monosaccharide) residues; the glycose occurs most commonly as oligosaccharide or fairly small polysaccharide but occasionally as monosaccharide. [GOC:dph, GOC:tb]' - }, - 'GO:0010562': { - 'name': 'positive regulation of phosphorus metabolic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways involving phosphorus or compounds containing phosphorus. [GOC:dph, GOC:tb]' - }, - 'GO:0010563': { - 'name': 'negative regulation of phosphorus metabolic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways involving phosphorus or compounds containing phosphorus. [GOC:dph, GOC:tb]' - }, - 'GO:0010564': { - 'name': 'regulation of cell cycle process', - 'def': 'Any process that modulates a cellular process that is involved in the progression of biochemical and morphological phases and events that occur in a cell during successive cell replication or nuclear replication events. [GOC:dph, GOC:tb]' - }, - 'GO:0010565': { - 'name': 'regulation of cellular ketone metabolic process', - 'def': 'Any process that modulates the chemical reactions and pathways involving any of a class of organic compounds that contain the carbonyl group, CO, and in which the carbonyl group is bonded only to carbon atoms. The general formula for a ketone is RCOR, where R and R are alkyl or aryl groups. [GOC:dph, GOC:tb]' - }, - 'GO:0010566': { - 'name': 'regulation of ketone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of a ketone, carried out by individual cells. [GOC:dph, GOC:tb]' - }, - 'GO:0010567': { - 'name': 'regulation of ketone catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of a ketone, carried out by individual cells. [GOC:dph, GOC:tb]' - }, - 'GO:0010568': { - 'name': 'regulation of budding cell apical bud growth', - 'def': 'Any process that modulates the frequency, rate or extent of growth at the tip of a bud, in a cell that reproduces by budding. [GOC:dph, GOC:jp, GOC:tb, PMID:17417630]' - }, - 'GO:0010569': { - 'name': 'regulation of double-strand break repair via homologous recombination', - 'def': 'Any process that modulates the frequency, rate or extent of the error-free repair of a double-strand break in DNA in which the broken DNA molecule is repaired using homologous sequences. [GOC:dph, GOC:jp, GOC:tb]' - }, - 'GO:0010570': { - 'name': 'regulation of filamentous growth', - 'def': 'Any process that modulates the frequency, rate or extent of the process in which a multicellular organism or a group of unicellular organisms grow in a threadlike, filamentous shape. [GOC:dph, GOC:jp, GOC:tb]' - }, - 'GO:0010571': { - 'name': 'positive regulation of nuclear cell cycle DNA replication', - 'def': 'Any process that activates or increases the frequency, rate or extent of The DNA-dependent DNA replication that occurs in the nucleus of eukaryotic organisms as part of the cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0010572': { - 'name': 'positive regulation of platelet activation', - 'def': 'Any process that increases the rate or frequency of platelet activation. Platelet activation is a series of progressive, overlapping events triggered by exposure of the platelets to subendothelial tissue. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0010573': { - 'name': 'vascular endothelial growth factor production', - 'def': 'The appearance of vascular endothelial growth factor production due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rl]' - }, - 'GO:0010574': { - 'name': 'regulation of vascular endothelial growth factor production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of vascular endothelial growth factor. [GOC:rl]' - }, - 'GO:0010575': { - 'name': 'positive regulation of vascular endothelial growth factor production', - 'def': 'Any process that increases or activates the frequency, rate, or extent of production of vascular endothelial growth factor. [GOC:BHF, GOC:rl]' - }, - 'GO:0010578': { - 'name': 'regulation of adenylate cyclase activity involved in G-protein coupled receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of adenylate cyclase (AC) activity that is an integral part of a G-protein coupled receptor signaling pathway. [GOC:dph, GOC:signaling, GOC:tb]' - }, - 'GO:0010579': { - 'name': 'positive regulation of adenylate cyclase activity involved in G-protein coupled receptor signaling pathway', - 'def': 'Any process that increases the frequency, rate or extent of adenylate cyclase (AC) activity that is an integral part of a G-protein coupled receptor signaling pathway. [GOC:dph, GOC:signaling, GOC:tb]' - }, - 'GO:0010581': { - 'name': 'regulation of starch biosynthetic process', - 'def': 'An process which modulate the frequency, rate or extent of starch biosynthesis, the chemical reactions and pathways resulting in the formation of starch. [GOC:tb]' - }, - 'GO:0010582': { - 'name': 'floral meristem determinacy', - 'def': 'The process in which a floral meristem becomes determinate (i.e. ceases to produce lateral organs and may or may not terminally differentiate). [PMID:18441215]' - }, - 'GO:0010583': { - 'name': 'response to cyclopentenone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cyclopentenone stimulus. Cyclopentenones are oxylipins derived from polyunsaturated fatty acids. They are structurally similar to jasmonic acid, but contain a reactive unsaturated carbonyl structure in the cyclo-ring. Cyclopentenones include phytoprostanes and 12-oxo-phytodienoic acid. [PMID:18334669]' - }, - 'GO:0010584': { - 'name': 'pollen exine formation', - 'def': 'The formation of the pollen exine. The reticulate pollen wall pattern consists of two layers, exine and intine. [GOC:dhl]' - }, - 'GO:0010585': { - 'name': 'glutamine secretion', - 'def': 'The controlled release of glutamine by a cell. [PMID:15208395]' - }, - 'GO:0010586': { - 'name': 'miRNA metabolic process', - 'def': 'The chemical reactions and pathways involving miRNA, microRNA, a class of single-stranded RNA molecules of about 21-23 nucleotides in length, which regulates gene expression. [PMID:17993620]' - }, - 'GO:0010587': { - 'name': 'miRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of miRNA, microRNA, a class of single-stranded RNA molecules of about 21-23 nucleotides in length, which regulates gene expression. [PMID:17993620]' - }, - 'GO:0010588': { - 'name': 'cotyledon vascular tissue pattern formation', - 'def': 'Vascular tissue pattern formation as it occurs in the cotyledon of vascular plants. [PMID:10559439]' - }, - 'GO:0010589': { - 'name': 'leaf proximal/distal pattern formation', - 'def': 'The regionalization process within a leaf by which specific areas of cell differentiation are determined along a proximal/distal axis. [PMID:18398054]' - }, - 'GO:0010590': { - 'name': 'regulation of cell separation after cytokinesis', - 'def': 'Any process that modulates the rate, frequency or extent of the process of physically separating progeny cells after cytokinesis; this may involve enzymatic digestion of septum or cell wall components. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:19959363, PMID:21246752, PMID:22786806]' - }, - 'GO:0010591': { - 'name': 'regulation of lamellipodium assembly', - 'def': 'Any process that modulates the rate, frequency or extent of the formation of a lamellipodium, a thin sheetlike extension of the surface of a migrating cell. [GOC:dph, GOC:tb]' - }, - 'GO:0010592': { - 'name': 'positive regulation of lamellipodium assembly', - 'def': 'Any process that increases the rate, frequency or extent of the formation of a lamellipodium, a thin sheetlike extension of the surface of a migrating cell. [GOC:dph, GOC:tb]' - }, - 'GO:0010593': { - 'name': 'negative regulation of lamellipodium assembly', - 'def': 'Any process that decreases the rate, frequency or extent of the formation of a lamellipodium, a thin sheetlike extension of the surface of a migrating cell. [GOC:dph, GOC:tb]' - }, - 'GO:0010594': { - 'name': 'regulation of endothelial cell migration', - 'def': 'Any process that modulates the rate, frequency, or extent of the orderly movement of an endothelial cell into the extracellular matrix to form an endothelium. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010595': { - 'name': 'positive regulation of endothelial cell migration', - 'def': 'Any process that increases the rate, frequency, or extent of the orderly movement of an endothelial cell into the extracellular matrix to form an endothelium. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010596': { - 'name': 'negative regulation of endothelial cell migration', - 'def': 'Any process that decreases the rate, frequency, or extent of the orderly movement of an endothelial cell into the extracellular matrix to form an endothelium. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010597': { - 'name': 'green leaf volatile biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of volatile molecules emitted from green plants, such as hexenal, hexenol and hexenyl acetate, from linoleic acid or linolenic acid. [PMID:17163881]' - }, - 'GO:0010598': { - 'name': 'NAD(P)H dehydrogenase complex (plastoquinone)', - 'def': 'Complex that possesses NAD(P)H dehydrogenase (plastoquinone) activity. The complex is one of the components of the electron transport chain. It is involved in electron transport from an unidentified electron donor, possibly NADH, NADPH or ferredoxin(Fd) to the plastoquinone pool. [PMID:15608332]' - }, - 'GO:0010599': { - 'name': 'production of lsiRNA involved in RNA interference', - 'def': 'Cleavage of double-stranded RNA to form lsiRNA (long small interfering RNA), a class of siRNAs 30 to 40 nt in length. lsiRNAs are induced by pathogen infection or under specific growth conditions. [PMID:18003861]' - }, - 'GO:0010600': { - 'name': 'regulation of auxin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of auxins, plant hormones that regulate aspects of plant growth. [PMID:18287041]' - }, - 'GO:0010601': { - 'name': 'positive regulation of auxin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of auxins, plant hormones that regulate aspects of plant growth. [PMID:18287041]' - }, - 'GO:0010602': { - 'name': 'regulation of 1-aminocyclopropane-1-carboxylate metabolic process', - 'def': 'Regulation of the chemical reactions and pathways involving 1-aminocyclopropane-1-carboxylate, the anion of 1-aminocyclopropane-1-carboxylic acid, a natural product found in plant tissues. It is a key intermediate in the biosynthesis of ethylene (ethene), a fruit-ripening hormone in plants. [PMID:18055613]' - }, - 'GO:0010603': { - 'name': 'regulation of cytoplasmic mRNA processing body assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of the aggregation, arrangement and bonding together of proteins and RNA molecules to form a cytoplasmic mRNA processing body. [GOC:dph, GOC:krc, GOC:tb]' - }, - 'GO:0010604': { - 'name': 'positive regulation of macromolecule metabolic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways involving macromolecules, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass. [GOC:dph, GOC:tb]' - }, - 'GO:0010605': { - 'name': 'negative regulation of macromolecule metabolic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways involving macromolecules, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass. [GOC:dph, GOC:tb]' - }, - 'GO:0010606': { - 'name': 'positive regulation of cytoplasmic mRNA processing body assembly', - 'def': 'Any process that increases the rate, frequency, or extent of the aggregation, arrangement and bonding together of proteins and RNA molecules to form a cytoplasmic mRNA processing body. [GOC:dph, GOC:krc, GOC:tb]' - }, - 'GO:0010607': { - 'name': 'negative regulation of cytoplasmic mRNA processing body assembly', - 'def': 'Any process that decreases the rate, frequency, or extent of the aggregation, arrangement and bonding together of proteins and RNA molecules to form a cytoplasmic mRNA processing body. [GOC:dph, GOC:krc, GOC:tb]' - }, - 'GO:0010608': { - 'name': 'posttranscriptional regulation of gene expression', - 'def': 'Any process that modulates the frequency, rate or extent of gene expression after the production of an RNA transcript. [GOC:dph, GOC:tb]' - }, - 'GO:0010609': { - 'name': 'mRNA localization resulting in posttranscriptional regulation of gene expression', - 'def': 'Any process that modulates the frequency, rate or extent of gene expression after the production of a mRNA transcript by its transport into, or maintainance in, a specific location within the cell. [GOC:dph, GOC:tb]' - }, - 'GO:0010610': { - 'name': 'regulation of mRNA stability involved in response to stress', - 'def': 'Any process that modulates the propensity of mRNA molecules to degradation that is part of a change in state or activity of a cell as a result of an exogenous disturbance. [GOC:dph, GOC:tb]' - }, - 'GO:0010611': { - 'name': 'regulation of cardiac muscle hypertrophy', - 'def': 'Any process that modulates the rate, frequency or extent of the enlargement or overgrowth of all or part of the heart due to an increase in size (not length) of individual cardiac muscle fibers, without cell division. [GOC:dph, GOC:tb]' - }, - 'GO:0010612': { - 'name': 'regulation of cardiac muscle adaptation', - 'def': 'Any process that modulates the rate, extent or frequency of the process in which cardiac muscle adapts, with consequent modifications to structural and/or functional phenotypes, in response to a stimulus. Stimuli include contractile activity, loading conditions, substrate supply, and environmental factors. [GOC:dph, GOC:tb]' - }, - 'GO:0010613': { - 'name': 'positive regulation of cardiac muscle hypertrophy', - 'def': 'Any process that increases the rate, frequency or extent of the enlargement or overgrowth of all or part of the heart due to an increase in size (not length) of individual cardiac muscle fibers, without cell division. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010614': { - 'name': 'negative regulation of cardiac muscle hypertrophy', - 'def': 'Any process that decreases the rate, frequency or extent of the enlargement or overgrowth of all or part of the heart due to an increase in size (not length) of individual cardiac muscle fibers, without cell division. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010615': { - 'name': 'positive regulation of cardiac muscle adaptation', - 'def': 'Any process that increases the rate, extent or frequency of the process in which cardiac muscle adapts, with consequent modifications to structural and/or functional phenotypes, in response to a stimulus. Stimuli include contractile activity, loading conditions, substrate supply, and environmental factors. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010616': { - 'name': 'negative regulation of cardiac muscle adaptation', - 'def': 'Any process that decreases the rate, extent or frequency of the process in which cardiac muscle adapts, with consequent modifications to structural and/or functional phenotypes, in response to a stimulus. Stimuli include contractile activity, loading conditions, substrate supply, and environmental factors. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010617': { - 'name': 'circadian regulation of calcium ion oscillation', - 'def': 'Any process that modulates the concentration of cytosolic free calcium ion [Ca2+]cyt with a regularity of approximately 24 hours. [PMID:17982000]' - }, - 'GO:0010618': { - 'name': 'aerenchyma formation', - 'def': 'The process that gives rise to aerenchyma, parenchyma tissue containing particularly large intercellular spaces of schizogenous or lysigenous origin. This process pertains to the initial formation of a structure from unspecified parts. [PMID:18055613, PO:0005702]' - }, - 'GO:0010619': { - 'name': 'adenylate cyclase-activating glucose-activated G-protein coupled receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of glucose binding to a G-protein coupled receptor, where the pathway proceeds with activation of adenylyl cyclase and a subsequent increase in the concentration of cyclic AMP (cAMP). [GOC:dph, GOC:signaling, GOC:tb]' - }, - 'GO:0010620': { - 'name': 'negative regulation of transcription by transcription factor catabolism', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA-dependent transcription using a mechanism that involves the catabolism of a sequence-specific DNA binding transcription factor by hydrolysis of its peptide bonds, initiated by the covalent attachment of ubiquitin, and mediated by the proteasome. [GOC:bf, GOC:dph, GOC:tb]' - }, - 'GO:0010621': { - 'name': 'negative regulation of transcription by transcription factor localization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA-dependent transcription using a mechanism that involves the localization of a transcription factor. [GOC:dph, GOC:tb]' - }, - 'GO:0010622': { - 'name': 'specification of ovule identity', - 'def': 'The regionalization process in which the identity of an ovule is specified. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tb]' - }, - 'GO:0010623': { - 'name': 'programmed cell death involved in cell development', - 'def': 'The activation of endogenous cellular processes that result in the death of a cell as part of its development. [GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010624': { - 'name': 'regulation of Schwann cell proliferation', - 'def': 'Any process that modulates the frequency or rate of multiplication or reproduction of Schwann cells, resulting in the expansion of their population. Schwann cells are a type of glial cell in the peripheral nervous system. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0010625': { - 'name': 'positive regulation of Schwann cell proliferation', - 'def': 'Any process that increases the frequency or rate of the multiplication or reproduction of Schwann cells, resulting in the expansion of their population. Schwann cells are a type of glial cell in the peripheral nervous system. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0010626': { - 'name': 'negative regulation of Schwann cell proliferation', - 'def': 'Any process that decreases the frequency or extent of the multiplication or reproduction of Schwann cells, resulting in the expansion of their population. Schwann cells are a type of glial cell in the peripheral nervous system. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0010628': { - 'name': 'positive regulation of gene expression', - 'def': "Any process that increases the frequency, rate or extent of gene expression. Gene expression is the process in which a gene's coding sequence is converted into a mature gene product or products (proteins or RNA). This includes the production of an RNA transcript as well as any processing to produce a mature RNA product or an mRNA (for protein-coding genes) and the translation of that mRNA into protein. Protein maturation is included when required to form an active form of a product from an inactive precursor form. [GOC:dph, GOC:tb]" - }, - 'GO:0010629': { - 'name': 'negative regulation of gene expression', - 'def': "Any process that decreases the frequency, rate or extent of gene expression. Gene expression is the process in which a gene's coding sequence is converted into a mature gene product or products (proteins or RNA). This includes the production of an RNA transcript as well as any processing to produce a mature RNA product or an mRNA (for protein-coding genes) and the translation of that mRNA into protein. Protein maturation is included when required to form an active form of a product from an inactive precursor form. [GOC:dph, GOC:tb]" - }, - 'GO:0010630': { - 'name': 'regulation of transcription, start site selection', - 'def': 'Any process that modulates the frequency, rate or extent of the synthesis of either RNA on a template of DNA or DNA on a template of RNA by a mechanism that selects the start site along that template. [GOC:dph, GOC:tb]' - }, - 'GO:0010631': { - 'name': 'epithelial cell migration', - 'def': 'The orderly movement of an epithelial cell from one site to another, often during the development of a multicellular organism. [GOC:ascb_2009, GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010632': { - 'name': 'regulation of epithelial cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial cell migration. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010633': { - 'name': 'negative regulation of epithelial cell migration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of epithelial cell migration. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010634': { - 'name': 'positive regulation of epithelial cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of epithelial cell migration. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010635': { - 'name': 'regulation of mitochondrial fusion', - 'def': 'Any process that modulates the frequency, rate or extent of merging of two or more mitochondria within a cell to form a single compartment. [GOC:dph, GOC:tb]' - }, - 'GO:0010636': { - 'name': 'positive regulation of mitochondrial fusion', - 'def': 'Any process that increases the frequency, rate or extent of merging of two or more mitochondria within a cell to form a single compartment. [GOC:dph, GOC:tb]' - }, - 'GO:0010637': { - 'name': 'negative regulation of mitochondrial fusion', - 'def': 'Any process that decreases the frequency, rate or extent of merging of two or more mitochondria within a cell to form a single compartment. [GOC:dph, GOC:tb]' - }, - 'GO:0010638': { - 'name': 'positive regulation of organelle organization', - 'def': 'Any process that increases the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of an organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0010639': { - 'name': 'negative regulation of organelle organization', - 'def': 'Any process that decreases the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of an organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0010640': { - 'name': 'regulation of platelet-derived growth factor receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the platelet-derived growth factor receptor signaling pathway. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0010641': { - 'name': 'positive regulation of platelet-derived growth factor receptor signaling pathway', - 'def': 'Any process that increases the frequency, rate or extent of the platelet-derived growth factor receptor signaling pathway. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0010642': { - 'name': 'negative regulation of platelet-derived growth factor receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the platelet-derived growth factor receptor signaling pathway. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0010643': { - 'name': 'cell communication by chemical coupling', - 'def': 'The process that mediates signaling interactions between one cell and another cell by the transfer of small, water-soluble molecules or metabolites between their adjacent cytoplasms via intercellular protein channels. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0010644': { - 'name': 'cell communication by electrical coupling', - 'def': 'The process that mediates signaling interactions between one cell and another cell by transfer of current between their adjacent cytoplasms via intercellular protein channels. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0010645': { - 'name': 'regulation of cell communication by chemical coupling', - 'def': 'Any process that modulates the frequency, rate or extent of cell communication via chemical coupling. Cell communication by chemical coupling is the process that mediates signaling interactions between one cell and another cell by the transfer of small, water-soluble molecules or metabolites between their adjacent cytoplasms via intercellular protein channels. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0010646': { - 'name': 'regulation of cell communication', - 'def': 'Any process that modulates the frequency, rate or extent of cell communication. Cell communication is the process that mediates interactions between a cell and its surroundings. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:dph, GOC:tb]' - }, - 'GO:0010647': { - 'name': 'positive regulation of cell communication', - 'def': 'Any process that increases the frequency, rate or extent of cell communication. Cell communication is the process that mediates interactions between a cell and its surroundings. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:dph, GOC:tb]' - }, - 'GO:0010648': { - 'name': 'negative regulation of cell communication', - 'def': 'Any process that decreases the frequency, rate or extent of cell communication. Cell communication is the process that mediates interactions between a cell and its surroundings. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:dph, GOC:tb]' - }, - 'GO:0010649': { - 'name': 'regulation of cell communication by electrical coupling', - 'def': 'Any process that modulates the frequency, rate or extent of cell communication via electrical coupling. Cell communication via electrical coupling is the process that mediates signaling interactions between one cell and another cell by transfer of current between their adjacent cytoplasms via intercellular protein channels. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0010650': { - 'name': 'positive regulation of cell communication by electrical coupling', - 'def': 'Any process that increases the frequency, rate or extent of cell communication via electrical coupling. Cell communication via electrical coupling is the process that mediates signaling interactions between one cell and another cell by transfer of current between their adjacent cytoplasms via intercellular protein channels. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0010651': { - 'name': 'negative regulation of cell communication by electrical coupling', - 'def': 'Any process that decreases the frequency, rate or extent of cell communication via electrical coupling. Cell communication via electrical coupling is the process that mediates signaling interactions between one cell and another cell by transfer of current between their adjacent cytoplasms via intercellular protein channels. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0010652': { - 'name': 'positive regulation of cell communication by chemical coupling', - 'def': 'Any process that increases the frequency, rate or extent of cell communication via chemical coupling. Cell communication by chemical coupling is the process that mediates signaling interactions between one cell and another cell by the transfer of small, water-soluble molecules or metabolites between their adjacent cytoplasms via intercellular protein channels. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0010653': { - 'name': 'negative regulation of cell communication by chemical coupling', - 'def': 'Any process that decreases the frequency, rate or extent of cell communication via chemical coupling. Cell communication by chemical coupling is the process that mediates signaling interactions between one cell and another cell by the transfer of small, water-soluble molecules or metabolites between their adjacent cytoplasms via intercellular protein channels. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0010654': { - 'name': 'apical cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into an apical cell. The apical cell is the upper cell formed after the first division of the zygote. [GOC:dph, GOC:tb]' - }, - 'GO:0010656': { - 'name': 'negative regulation of muscle cell apoptotic process', - 'def': 'Any process that decreases the rate or frequency of muscle cell apoptotic process, a form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases whose actions dismantle a muscle cell and result in its death. [GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010657': { - 'name': 'muscle cell apoptotic process', - 'def': 'A form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases, whose actions dismantle a muscle cell and result in its death. A muscle cell is a mature contractile cell, commonly known as a myocyte, that forms one of three kinds of muscle. [CL:0000187, GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010658': { - 'name': 'striated muscle cell apoptotic process', - 'def': 'A form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases, whose actions dismantle a striated muscle cell and result in its death. Striated muscle cells make up striated muscle fibers which are divided by transverse bands into striations. [CL:0000737, GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010659': { - 'name': 'cardiac muscle cell apoptotic process', - 'def': 'A form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases, whose actions dismantle a cardiac muscle cell and result in its death. Cardiac muscle cells are striated muscle cells that are responsible for heart contraction. [CL:0000746, GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010660': { - 'name': 'regulation of muscle cell apoptotic process', - 'def': 'Any process that modulates the rate or frequency of muscle cell apoptotic process, a form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases whose actions dismantle a muscle cell and result in its death. [GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010661': { - 'name': 'positive regulation of muscle cell apoptotic process', - 'def': 'Any process that increases the rate or frequency of muscle cell apoptotic process, a form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases whose actions dismantle a muscle cell and result in its death. [GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010662': { - 'name': 'regulation of striated muscle cell apoptotic process', - 'def': 'Any process that modulates the rate or extent of striated muscle cell apoptotic process, a form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases whose actions dismantle a striated muscle cell and result in its death. [GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010663': { - 'name': 'positive regulation of striated muscle cell apoptotic process', - 'def': 'Any process that increases the rate or extent of striated muscle cell apoptotic process, a form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases whose actions dismantle a striated muscle cell and result in its death. [GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010664': { - 'name': 'negative regulation of striated muscle cell apoptotic process', - 'def': 'Any process that decreases the rate or extent of striated muscle cell apoptotic process, a form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases whose actions dismantle a striated muscle cell and result in its death. [GOC:BHF, GOC:dph, GOC:mtg_apoptosis, GOC:rl, GOC:tb]' - }, - 'GO:0010665': { - 'name': 'regulation of cardiac muscle cell apoptotic process', - 'def': 'Any process that modulates the rate or extent of cardiac cell apoptotic process, a form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases whose actions dismantle a cardiac muscle cell and result in its death. [GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010666': { - 'name': 'positive regulation of cardiac muscle cell apoptotic process', - 'def': 'Any process that increases the rate or extent of cardiac cell apoptotic process, a form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases whose actions dismantle a cardiac muscle cell and result in its death. [GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0010667': { - 'name': 'negative regulation of cardiac muscle cell apoptotic process', - 'def': 'Any process that decreases the rate or extent of cardiac cell apoptotic process, a form of programmed cell death induced by external or internal signals that trigger the activity of proteolytic caspases whose actions dismantle a cardiac muscle cell and result in its death. [GOC:BHF, GOC:dph, GOC:mtg_apoptosis, GOC:rl, GOC:tb]' - }, - 'GO:0010668': { - 'name': 'ectodermal cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features of an ectodermal cell. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GOC:dph, GOC:tb]' - }, - 'GO:0010669': { - 'name': 'epithelial structure maintenance', - 'def': 'A tissue homeostatic process required for the maintenance of epithelial structure. [GOC:dph, GOC:tb]' - }, - 'GO:0010670': { - 'name': 'obsolete positive regulation of oxygen and reactive oxygen species metabolic process', - 'def': 'OBSOLETE. Any process that increases the frequency, rate or extent of the chemical reactions and pathways involving dioxygen (O2), or any of the reactive oxygen species, e.g. superoxide anions (O2-), hydrogen peroxide (H2O2), and hydroxyl radicals (-OH). [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010671': { - 'name': 'obsolete negative regulation of oxygen and reactive oxygen species metabolic process', - 'def': 'OBSOLETE. Any process that decreases the frequency, rate or extent of the chemical reactions and pathways involving dioxygen (O2), or any of the reactive oxygen species, e.g. superoxide anions (O2-), hydrogen peroxide (H2O2), and hydroxyl radicals (-OH). [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010672': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in meiotic cell cycle', - 'def': 'A cell cycle process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter as part of the meiotic cell cycle. [GOC:dph, GOC:tb]' - }, - 'GO:0010673': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in meiotic cell cycle', - 'def': 'A cell cycle process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as part of the meiotic cell cycle. [GOC:dph, GOC:tb]' - }, - 'GO:0010674': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter involved in meiotic cell cycle', - 'def': 'A cell cycle process that decreases the frequency, rate or extent of transcription from an RNA polymerase II as part of the meiotic cell cycle. [GOC:dph, GOC:tb]' - }, - 'GO:0010675': { - 'name': 'regulation of cellular carbohydrate metabolic process', - 'def': 'Any process that modulates the rate, extent or frequency of the chemical reactions and pathways involving carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, as carried out by individual cells. [GOC:dph, GOC:tb]' - }, - 'GO:0010676': { - 'name': 'positive regulation of cellular carbohydrate metabolic process', - 'def': 'Any process that increases the rate, extent or frequency of the chemical reactions and pathways involving carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, as carried out by individual cells. [GOC:dph, GOC:tb]' - }, - 'GO:0010677': { - 'name': 'negative regulation of cellular carbohydrate metabolic process', - 'def': 'Any process that decreases the rate, extent or frequency of the chemical reactions and pathways involving carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, as carried out by individual cells. [GOC:dph, GOC:tb]' - }, - 'GO:0010678': { - 'name': 'negative regulation of cellular carbohydrate metabolic process by negative regulation of transcription, DNA-templated', - 'def': 'Any cellular process that decreases the rate, extent or frequency of the chemical reactions and pathways involving carbohydrates carried out by repression of transcription. [GOC:dph, GOC:tb]' - }, - 'GO:0010679': { - 'name': 'cinnamic acid biosynthetic process involved in salicylic acid metabolism', - 'def': 'The chemical reactions and pathways resulting in the formation of cinnamic acid, 3-phenyl-2-propenoic acid, which is then utilized in the metabolism of salicylic acid. [GOC:dph, GOC:tb]' - }, - 'GO:0010680': { - 'name': 'cinnamic acid biosynthetic process involved in coumarin metabolism', - 'def': 'The chemical reactions and pathways resulting in the formation of cinnamic acid, 3-phenyl-2-propenoic acid, which is then utilized in the metabolism of coumarin. [GOC:dph, GOC:tb]' - }, - 'GO:0010681': { - 'name': 'cinnamic acid biosynthetic process involved in stilbene metabolism', - 'def': 'The chemical reactions and pathways resulting in the formation of cinnamic acid, 3-phenyl-2-propenoic acid, which is then utilized in the metabolism of stilbene. [GOC:dph, GOC:tb]' - }, - 'GO:0010682': { - 'name': 'cinnamic acid biosynthetic process involved in flavonoid metabolism', - 'def': 'The chemical reactions and pathways resulting in the formation of cinnamic acid, 3-phenyl-2-propenoic acid, which is then utilized in the metabolism of flavonoids. [GOC:dph, GOC:tb]' - }, - 'GO:0010683': { - 'name': 'tricyclic triterpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving tricyclic triterpenoid compounds, terpenoids with six isoprene units and 3 rings. [GOC:tair_curators]' - }, - 'GO:0010684': { - 'name': 'tricyclic triterpenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tricyclic triterpenoid compounds, terpenoids with six isoprene units and 3 rings. [GOC:tair_curators]' - }, - 'GO:0010685': { - 'name': 'tetracyclic triterpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving tetracyclic triterpenoid compounds, terpenoids with six isoprene units and 4 carbon rings. [GOC:tair_curators]' - }, - 'GO:0010686': { - 'name': 'tetracyclic triterpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tetracyclic triterpenoid compounds, terpenoids with six isoprene units and 4 carbon rings. [GOC:tair_curators]' - }, - 'GO:0010688': { - 'name': 'negative regulation of ribosomal protein gene transcription from RNA polymerase II promoter', - 'def': 'Any process that decreases the frequency, rate or extent of the synthesis of RNA from ribosomal protein genes by RNA polymerase II, originating at an RNA polymerase II promoter. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0010689': { - 'name': 'negative regulation of ribosomal protein gene transcription from RNA polymerase II promoter in response to chemical stimulus', - 'def': 'Any process that decreases the frequency, rate or extent of the synthesis of RNA from ribosomal protein genes by RNA polymerase II, originating at an RNA polymerase II promoter, as a result of a chemical stimulus. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0010690': { - 'name': 'negative regulation of ribosomal protein gene transcription from RNA polymerase II promoter in response to stress', - 'def': 'Any process that decreases the frequency, rate or extent of the synthesis of RNA from ribosomal protein genes by RNA polymerase II, originating at an RNA polymerase II promoter, as a result of a disturbance in organismal or cellular homeostasis. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0010691': { - 'name': 'negative regulation of ribosomal protein gene transcription from RNA polymerase II promoter in response to nutrient levels', - 'def': 'Any process that decreases the frequency, rate or extent of the synthesis of RNA from ribosomal protein genes by RNA polymerase II, originating at an RNA polymerase II promoter, as a result of a stimulus reflecting the presence, absence, or concentration of nutrients. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0010692': { - 'name': 'regulation of alkaline phosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of alkaline phosphatase activity, the catalysis of the reaction: an orthophosphoric monoester + H2O = an alcohol + phosphate, with an alkaline pH optimum. [GOC:dph, GOC:tb]' - }, - 'GO:0010693': { - 'name': 'negative regulation of alkaline phosphatase activity', - 'def': 'Any process that decreases the frequency, rate or extent of alkaline phosphatase activity, the catalysis of the reaction: an orthophosphoric monoester + H2O = an alcohol + phosphate, with an alkaline pH optimum. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010694': { - 'name': 'positive regulation of alkaline phosphatase activity', - 'def': 'Any process that increases the frequency, rate or extent of alkaline phosphatase activity, the catalysis of the reaction: an orthophosphoric monoester + H2O = an alcohol + phosphate, with an alkaline pH optimum. [GOC:dph, GOC:tb]' - }, - 'GO:0010695': { - 'name': 'regulation of spindle pole body separation', - 'def': 'Any process that modulates the rate, frequency or extent of the process involving the release of duplicated spindle pole bodies (SPBs) and their migration away from each other within the nuclear membrane. [GOC:dph, GOC:tb, PMID:16792804, PMID:18500339]' - }, - 'GO:0010696': { - 'name': 'positive regulation of spindle pole body separation', - 'def': 'Any process that increases the rate, frequency or extent of the process involving the release of duplicated spindle pole bodies (SPBs) and their migration away from each other within the nuclear membrane. [GOC:dph, GOC:tb, PMID:16792804, PMID:18500339]' - }, - 'GO:0010697': { - 'name': 'negative regulation of spindle pole body separation', - 'def': 'Any process that decreases the rate, frequency or extent of the process involving the release of duplicated spindle pole bodies (SPBs) and their migration away from each other within the nuclear membrane. [GOC:dph, GOC:tb, PMID:16792804, PMID:18500339]' - }, - 'GO:0010698': { - 'name': 'acetyltransferase activator activity', - 'def': 'Binds to and increases the activity of an acetyltransferase, an enzyme which catalyzes the transfer of an acetyl group to an acceptor molecule. [GOC:dph, GOC:jp, GOC:tb, PMID:18690240]' - }, - 'GO:0010699': { - 'name': 'cell-cell signaling involved in quorum sensing', - 'def': 'The cell-cell signaling process in which single-celled organisms monitor population density by detecting the concentration of small diffusible signal molecules. [GOC:dph, GOC:tb]' - }, - 'GO:0010700': { - 'name': 'negative regulation of norepinephrine secretion', - 'def': 'Any process that decreases the frequency, rate or extent of the regulated release of norepinephrine. [GOC:dph, GOC:tb]' - }, - 'GO:0010701': { - 'name': 'positive regulation of norepinephrine secretion', - 'def': 'Any process that increases the frequency, rate or extent of the regulated release of norepinephrine. [GOC:dph, GOC:tb]' - }, - 'GO:0010702': { - 'name': 'obsolete regulation of histolysis', - 'def': 'OBSOLETE. Any process that modulates the rate, frequency or extent of the breakdown of tissues; usually, if not always, accompanied by cell death. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0010703': { - 'name': 'obsolete negative regulation of histolysis', - 'def': 'OBSOLETE. Any process that decreases the rate, frequency or extent of the breakdown of tissues; usually, if not always, accompanied by cell death. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0010704': { - 'name': 'meiotic DNA double-strand break processing involved in meiotic gene conversion', - 'def': "The cell cycle process in which the 5' to 3' exonucleolytic resection of the DNA at the site of the break to form a 3' single-strand DNA overhang resulting in the transfer of genetic information from one helix to another. [GOC:dph, GOC:tb]" - }, - 'GO:0010705': { - 'name': 'meiotic DNA double-strand break processing involved in reciprocal meiotic recombination', - 'def': "The cell cycle process in which the 5' to 3' exonucleolytic resection of the DNA at the site of the break to form a 3' single-strand DNA overhang occurs resulting in double strand break formation and repair through a double Holliday junction intermediate. [GOC:dph, GOC:tb]" - }, - 'GO:0010706': { - 'name': 'ganglioside biosynthetic process via lactosylceramide', - 'def': "The chemical reactions and pathways resulting in the formation of gangliosides that begins with the formation of lactosylceramides, Gal-beta-(1->4)-Glc-beta-(1->1') ceramides, any compound formed by the replacement of the glycosidic C1 hydroxyl group of lactose by a ceramide group. [GOC:bf, GOC:dph, GOC:tb]" - }, - 'GO:0010707': { - 'name': 'globoside biosynthetic process via lactosylceramide', - 'def': "The chemical reactions and pathways resulting in the formation of globosides that begins with the formation of lactosylceramides, Gal-beta-(1->4)-Glc-beta-(1->1') ceramides, any compound formed by the replacement of the glycosidic C1 hydroxyl group of lactose by a ceramide group. [GOC:bf, GOC:dph, GOC:tb]" - }, - 'GO:0010708': { - 'name': 'heteroduplex formation involved in gene conversion at mating-type locus', - 'def': 'The formation of a stable duplex DNA that contains one strand from each of the two recombining DNA molecules resulting in the conversion of the mating-type locus from one allele to another. [GOC:dph, GOC:tb]' - }, - 'GO:0010709': { - 'name': 'heteroduplex formation involved in double-strand break repair via synthesis-dependent strand annealing', - 'def': 'The formation of a stable duplex DNA that contains one strand from each of the two recombining DNA molecules resulting in the error-free repair of a double-strand break without the exchange of adjacent sequences. [GOC:dph, GOC:tb]' - }, - 'GO:0010710': { - 'name': 'regulation of collagen catabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of collagen catabolism. Collagen catabolism is the proteolytic chemical reactions and pathways resulting in the breakdown of collagen in the extracellular matrix. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010711': { - 'name': 'negative regulation of collagen catabolic process', - 'def': 'Any process that decreases the rate, frequency or extent of collagen catabolism. Collagen catabolism is the proteolytic chemical reactions and pathways resulting in the breakdown of collagen in the extracellular matrix. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010712': { - 'name': 'regulation of collagen metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the metabolism of collagen, any of a group of fibrous proteins of very high tensile strength that form the main component of connective tissue in animals. [GOC:dph, GOC:tb]' - }, - 'GO:0010713': { - 'name': 'negative regulation of collagen metabolic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways resulting in the metabolism of collagen, any of a group of fibrous proteins of very high tensile strength that form the main component of connective tissue in animals. [GOC:dph, GOC:tb]' - }, - 'GO:0010714': { - 'name': 'positive regulation of collagen metabolic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways resulting in the metabolism of collagen, any of a group of fibrous proteins of very high tensile strength that form the main component of connective tissue in animals. [GOC:dph, GOC:tb]' - }, - 'GO:0010715': { - 'name': 'regulation of extracellular matrix disassembly', - 'def': 'Any process that modulates the rate, frequency or extent of extracellular matrix disassembly. Extracellular matrix disassembly is a process that results in the breakdown of the extracellular matrix. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010716': { - 'name': 'negative regulation of extracellular matrix disassembly', - 'def': 'Any process that decreases the rate, frequency or extent of extracellular matrix disassembly. Extracellular matrix disassembly is a process that results in the breakdown of the extracellular matrix. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010717': { - 'name': 'regulation of epithelial to mesenchymal transition', - 'def': 'Any process that modulates the rate, frequency, or extent of epithelial to mesenchymal transition. Epithelial to mesenchymal transition where an epithelial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010718': { - 'name': 'positive regulation of epithelial to mesenchymal transition', - 'def': 'Any process that increases the rate, frequency, or extent of epithelial to mesenchymal transition. Epithelial to mesenchymal transition is where an epithelial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010719': { - 'name': 'negative regulation of epithelial to mesenchymal transition', - 'def': 'Any process that decreases the rate, frequency, or extent of epithelial to mesenchymal transition. Epithelial to mesenchymal transition where an epithelial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010720': { - 'name': 'positive regulation of cell development', - 'def': 'Any process that increases the rate, frequency or extent of the progression of the cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010721': { - 'name': 'negative regulation of cell development', - 'def': 'Any process that decreases the rate, frequency or extent of the progression of the cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010722': { - 'name': 'regulation of ferrochelatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of ferrochelatase activity; catalysis of the reaction: protoporphyrin + Fe2+ = protoheme + 2 H+. [GOC:dph, GOC:tb]' - }, - 'GO:0010723': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to iron', - 'def': 'Any process that increases the rate of transcription from an RNA polymerase II promoter in response to an iron stimulus. [GOC:dph, GOC:tb]' - }, - 'GO:0010724': { - 'name': 'regulation of definitive erythrocyte differentiation', - 'def': 'Any process that modulates the rate, frequency, or extent of definitive erythrocyte differentiation. Definitive erythrocyte differentiation occurs as part of the process of definitive hemopoiesis. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0010725': { - 'name': 'regulation of primitive erythrocyte differentiation', - 'def': 'Any process that modulates the rate, frequency, or extent of primitive erythrocyte differentiation. Primitive erythrocyte differentiation occurs as part of the process of primitive hemopoiesis. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0010726': { - 'name': 'positive regulation of hydrogen peroxide metabolic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways involving hydrogen peroxide. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0010727': { - 'name': 'negative regulation of hydrogen peroxide metabolic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways involving hydrogen peroxide. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0010728': { - 'name': 'regulation of hydrogen peroxide biosynthetic process', - 'def': 'Any process that modulates the rate, frequency or extent of hydrogen peroxide biosynthesis. The chemical reactions and pathways resulting in the formation of hydrogen peroxide (H2O2), a potentially harmful byproduct of aerobic cellular respiration which can cause damage to DNA. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0010729': { - 'name': 'positive regulation of hydrogen peroxide biosynthetic process', - 'def': 'Any process that increases the rate, frequency or extent of hydrogen peroxide biosynthesis. The chemical reactions and pathways resulting in the formation of hydrogen peroxide (H2O2), a potentially harmful byproduct of aerobic cellular respiration which can cause damage to DNA. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0010730': { - 'name': 'negative regulation of hydrogen peroxide biosynthetic process', - 'def': 'Any process that decreases the rate, frequency or extent of hydrogen peroxide biosynthesis. The chemical reactions and pathways resulting in the formation of hydrogen peroxide (H2O2), a potentially harmful byproduct of aerobic cellular respiration which can cause damage to DNA. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0010731': { - 'name': 'protein glutathionylation', - 'def': 'The protein modification process in which a glutathione molecule is added to a protein amino acid through a disulfide linkage. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0010732': { - 'name': 'regulation of protein glutathionylation', - 'def': 'Any process that modulates the rate, frequency, or extent of protein glutathionylation. Protein glutathionylation is the protein modification process in which a glutathione molecule is added to a protein amino acid through a disulfide linkage. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0010733': { - 'name': 'positive regulation of protein glutathionylation', - 'def': 'Any process that increases the rate, frequency, or extent of protein glutathionylation. Protein glutathionylation is the protein modification process in which a glutathione molecule is added to a protein amino acid through a disulfide linkage. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0010734': { - 'name': 'negative regulation of protein glutathionylation', - 'def': 'Any process that decreases the rate, frequency, or extent of protein glutathionylation. Protein glutathionylation is the protein modification process in which a glutathione molecule is added to a protein amino acid through a disulfide linkage. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0010735': { - 'name': 'positive regulation of transcription via serum response element binding', - 'def': 'Any process that increases the frequency, rate or extent of the specifically regulated synthesis of RNA from DNA encoding a specific set of genes as a result of a transcription factor interacting with a serum response element (SRE). A serum response element is a short sequence with dyad symmetry found in the promoters of some of the cellular immediate-early genes, regulated by serum. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0010736': { - 'name': 'serum response element binding', - 'def': 'Interacting selectively and non-covalently with the serum response element (SRE), a short sequence with dyad symmetry found in the promoters of some of the cellular immediate-early genes, regulated by serum. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0010737': { - 'name': 'protein kinase A signaling', - 'def': 'A series of reactions, mediated by the intracellular serine/threonine kinase protein kinase A, which occurs as a result of a single trigger reaction or compound. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010738': { - 'name': 'regulation of protein kinase A signaling', - 'def': 'Any process that modulates the rate, frequency, or extent of protein kinase A signaling. PKA signaling is the series of reactions, mediated by the intracellular serine/threonine kinase protein kinase A, which occurs as a result of a single trigger reaction or compound. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010739': { - 'name': 'positive regulation of protein kinase A signaling', - 'def': 'Any process that increases the rate, frequency, or extent of protein kinase A signaling. PKA signaling is the series of reactions, mediated by the intracellular serine/threonine kinase protein kinase A, which occurs as a result of a single trigger reaction or compound. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010742': { - 'name': 'macrophage derived foam cell differentiation', - 'def': 'The process in which a monocyte acquires the specialized features of a foam cell. A foam cell is a type of cell containing lipids in small vacuoles and typically seen in atherosclerotic lesions, as well as other conditions. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0010743': { - 'name': 'regulation of macrophage derived foam cell differentiation', - 'def': 'Any process that modulates the rate, frequency or extent of macrophage derived foam cell differentiation. Macrophage derived foam cell differentiation is the process in which a macrophage acquires the specialized features of a foam cell. A foam cell is a type of cell containing lipids in small vacuoles and typically seen in atherosclerotic lesions, as well as other conditions. [GOC:add, GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010744': { - 'name': 'positive regulation of macrophage derived foam cell differentiation', - 'def': 'Any process that increases the rate, frequency or extent of macrophage derived foam cell differentiation. Macrophage derived foam cell differentiation is the process in which a macrophage acquires the specialized features of a foam cell. A foam cell is a type of cell containing lipids in small vacuoles and typically seen in atherosclerotic lesions, as well as other conditions. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0010745': { - 'name': 'negative regulation of macrophage derived foam cell differentiation', - 'def': 'Any process that decreases the rate, frequency or extent of macrophage derived foam cell differentiation. Macrophage derived foam cell differentiation is the process in which a macrophage acquires the specialized features of a foam cell. A foam cell is a type of cell containing lipids in small vacuoles and typically seen in atherosclerotic lesions, as well as other conditions. [GOC:add, GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010746': { - 'name': 'regulation of plasma membrane long-chain fatty acid transport', - 'def': 'Any process that modulates the rate, frequency or extent of plasma membrane long-chain fatty acid transport. Plasma membrane long-chain fatty acid transport is the directed movement of long-chain fatty acids across the plasma membrane. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010747': { - 'name': 'positive regulation of plasma membrane long-chain fatty acid transport', - 'def': 'Any process that increases the rate, frequency or extent of plasma membrane long-chain fatty acid transport. Plasma membrane long-chain fatty acid transport is the directed movement of long-chain fatty acids across the plasma membrane. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010748': { - 'name': 'negative regulation of plasma membrane long-chain fatty acid transport', - 'def': 'Any process that decreases the rate, frequency or extent of plasma membrane long-chain fatty acid transport. Plasma membrane long-chain fatty acid transport is the directed movement of long-chain fatty acids across the plasma membrane. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010749': { - 'name': 'regulation of nitric oxide mediated signal transduction', - 'def': 'Any process that modulates the rate, frequency or extent of nitric oxide mediated signal transduction. Nitric oxide mediated signal transduction is a series of molecular signals mediated by the detection of nitric oxide (NO). [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010750': { - 'name': 'positive regulation of nitric oxide mediated signal transduction', - 'def': 'Any process that increases the rate, frequency or extent of nitric oxide mediated signal transduction. Nitric oxide mediated signal transduction is a series of molecular signals mediated by the detection of nitric oxide (NO). [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010751': { - 'name': 'negative regulation of nitric oxide mediated signal transduction', - 'def': 'Any process that decreases the rate, frequency or extent of nitric oxide mediated signal transduction. Nitric oxide mediated signal transduction is a series of molecular signals mediated by the detection of nitric oxide (NO). [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010752': { - 'name': 'regulation of cGMP-mediated signaling', - 'def': 'Any process that modulates the rate, frequency or extent of cGMP-mediated signaling. cGMP-mediated signaling is a series of molecular signals in which a cell uses cyclic GMP to convert an extracellular signal into a response. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010753': { - 'name': 'positive regulation of cGMP-mediated signaling', - 'def': 'Any process that increases the rate, frequency or extent of cGMP-mediated signaling. cGMP-mediated signaling is a series of molecular signals in which a cell uses cyclic GMP to convert an extracellular signal into a response. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010754': { - 'name': 'negative regulation of cGMP-mediated signaling', - 'def': 'Any process that decreases the rate, frequency or extent of cGMP-mediated signaling. cGMP-mediated signaling is a series of molecular signals in which a cell uses cyclic GMP to convert an extracellular signal into a response. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010755': { - 'name': 'regulation of plasminogen activation', - 'def': 'Any process that modulates the rate, frequency or extent of plasminogen activation. Plasminogen activation is the process in which plasminogen is processed to plasmin. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010756': { - 'name': 'positive regulation of plasminogen activation', - 'def': 'Any process that increases the rate, frequency or extent of plasminogen activation. Plasminogen activation is the process in which plasminogen is processed to plasmin. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010757': { - 'name': 'negative regulation of plasminogen activation', - 'def': 'Any process that decreases the rate, frequency or extent of plasminogen activation. Plasminogen activation is the process in which plasminogen is processed to plasmin. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010758': { - 'name': 'regulation of macrophage chemotaxis', - 'def': 'Any process that modulates the rate, frequency or extent of macrophage chemotaxis. Macrophage chemotaxis is the movement of a macrophage in response to an external stimulus. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010759': { - 'name': 'positive regulation of macrophage chemotaxis', - 'def': 'Any process that increases the rate, frequency or extent of macrophage chemotaxis. Macrophage chemotaxis is the movement of a macrophage in response to an external stimulus. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010760': { - 'name': 'negative regulation of macrophage chemotaxis', - 'def': 'Any process that decreases the rate, frequency or extent of macrophage chemotaxis. Macrophage chemotaxis is the movement of a macrophage in response to an external stimulus. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010761': { - 'name': 'fibroblast migration', - 'def': 'Cell migration that is accomplished by extension and retraction of a fibroblast pseudopodium. A fibroblast is a connective tissue cell which secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010762': { - 'name': 'regulation of fibroblast migration', - 'def': 'Any process that modulates the rate, frequency or extent of fibroblast cell migration. Fibroblast cell migration is accomplished by extension and retraction of a pseudopodium. [GOC:dph, GOC:tb]' - }, - 'GO:0010763': { - 'name': 'positive regulation of fibroblast migration', - 'def': 'Any process that increases the rate, frequency or extent of fibroblast cell migration. Fibroblast cell migration is accomplished by extension and retraction of a pseudopodium. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010764': { - 'name': 'negative regulation of fibroblast migration', - 'def': 'Any process that decreases the rate, frequency or extent of fibroblast cell migration. Fibroblast cell migration is accomplished by extension and retraction of a pseudopodium. [GOC:dph, GOC:tb]' - }, - 'GO:0010765': { - 'name': 'positive regulation of sodium ion transport', - 'def': 'Any process that increases the frequency, rate or extent of the directed movement of sodium ions (Na+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:tb]' - }, - 'GO:0010766': { - 'name': 'negative regulation of sodium ion transport', - 'def': 'Any process that decreases the frequency, rate or extent of the directed movement of sodium ions (Na+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:tb]' - }, - 'GO:0010767': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to UV-induced DNA damage', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a UV damage stimulus. [GOC:dph, GOC:tb]' - }, - 'GO:0010768': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to UV-induced DNA damage', - 'def': 'Any process that decreases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a UV damage stimulus. [GOC:dph, GOC:tb]' - }, - 'GO:0010769': { - 'name': 'regulation of cell morphogenesis involved in differentiation', - 'def': "Any process that modulates the frequency, rate or extent of cell morphogenesis contributing to cell differentiation. Cell morphogenesis involved in differentiation is the change in form (cell shape and size) that occurs when relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells, tissues, or organs of the mature organism or some other relatively stable phase of the organism's life history. [GOC:dph, GOC:tb]" - }, - 'GO:0010770': { - 'name': 'positive regulation of cell morphogenesis involved in differentiation', - 'def': "Any process that increases the frequency, rate or extent of cell morphogenesis contributing to cell differentiation. Cell morphogenesis involved in differentiation is the change in form (cell shape and size) that occurs when relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells, tissues, or organs of the mature organism or some other relatively stable phase of the organism's life history. [GOC:dph, GOC:tb]" - }, - 'GO:0010771': { - 'name': 'negative regulation of cell morphogenesis involved in differentiation', - 'def': "Any process that decreases the frequency, rate or extent of cell morphogenesis contributing to cell differentiation. Cell morphogenesis involved in differentiation is the change in form (cell shape and size) that occurs when relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells, tissues, or organs of the mature organism or some other relatively stable phase of the organism's life history. [GOC:dph, GOC:tb]" - }, - 'GO:0010772': { - 'name': 'meiotic DNA recombinase assembly involved in reciprocal meiotic recombination', - 'def': 'The aggregation, arrangement and bonding together of strand exchange proteins (recombinases) to form higher order oligomers on single-stranded DNA resulting in meiotic recombination. Meiotic recombination is the cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010773': { - 'name': 'meiotic DNA recombinase assembly involved in meiotic gene conversion', - 'def': 'The aggregation, arrangement and bonding together of strand exchange proteins (recombinases) to form higher order oligomers on single-stranded DNA resulting in meiotic gene conversion. Meiotic gene conversion is the cell cycle process in which genetic information is transferred from one helix to another. [GOC:dph, GOC:tb]' - }, - 'GO:0010774': { - 'name': 'meiotic strand invasion involved in reciprocal meiotic recombination', - 'def': 'The cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate resulting in meiotic recombination. Meiotic recombination is the cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010775': { - 'name': 'meiotic strand invasion involved in meiotic gene conversion', - 'def': 'The cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate resulting in meiotic recombination. [GOC:dph, GOC:tb]' - }, - 'GO:0010776': { - 'name': 'meiotic mismatch repair involved in meiotic gene conversion', - 'def': 'A system for the identification and correction of base-base mismatches, small insertion-deletion loops, and regions of heterology that are present in duplex DNA formed with strands from two recombining molecules resulting in meiotic gene conversion. Meiotic gene conversion is the cell cycle process in which genetic information is transferred from one helix to another. [GOC:dph, GOC:tb]' - }, - 'GO:0010777': { - 'name': 'meiotic mismatch repair involved in reciprocal meiotic recombination', - 'def': 'A system for the identification and correction of base-base mismatches, small insertion-deletion loops, and regions of heterology that are present in duplex DNA formed with strands from two recombining molecules resulting in meiotic recombination. Meiotic recombination is the cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010778': { - 'name': 'meiotic DNA repair synthesis involved in reciprocal meiotic recombination', - 'def': "The synthesis of DNA proceeding from the broken 3' single-strand DNA end that uses the homologous intact duplex as the template resulting in meiotic recombination. Meiotic recombination is the cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. [GOC:dph, GOC:tb]" - }, - 'GO:0010779': { - 'name': 'meiotic DNA repair synthesis involved in meiotic gene conversion', - 'def': "The synthesis of DNA proceeding from the broken 3' single-strand DNA end that uses the homologous intact duplex as the template resulting in meiotic gene conversion. Meiotic gene conversion is the cell cycle process in which genetic information is transferred from one helix to another. [GOC:dph, GOC:tb]" - }, - 'GO:0010780': { - 'name': 'meiotic DNA double-strand break formation involved in reciprocal meiotic recombination', - 'def': 'The cell cycle process in which double-strand breaks are generated at defined hotspots throughout the genome during meiosis I resulting in meiotic recombination. Meiotic recombination is the cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010781': { - 'name': 'meiotic DNA double-strand break formation involved in meiotic gene conversion', - 'def': 'The cell cycle process in which double-strand breaks are generated at defined hotspots throughout the genome during meiosis I resulting in meiotic gene conversion. Meiotic gene conversion is the cell cycle process in which genetic information is transferred from one helix to another. [GOC:dph, GOC:tb]' - }, - 'GO:0010782': { - 'name': 'proboscis morphogenesis, labial disc-derived', - 'def': 'The process in which the anatomical structures of the proboscis that are derived from the labial disc are generated and organized. [GOC:dph, GOC:tb]' - }, - 'GO:0010783': { - 'name': 'proboscis morphogenesis, eye-antennal disc-derived', - 'def': 'The process in which the anatomical structures of the proboscis that are derived from the eye-antennal disc are generated and organized. [GOC:dph, GOC:tb]' - }, - 'GO:0010784': { - 'name': 'proboscis morphogenesis, clypeo-labral disc-derived', - 'def': 'The process in which the anatomical structures of the proboscis that are derived from the clypeo-labral disc are generated and organized. [GOC:dph, GOC:tb]' - }, - 'GO:0010785': { - 'name': 'clathrin coating of Golgi vesicle, plasma membrane to endosome targeting', - 'def': 'The addition of clathrin and adaptor proteins to Golgi membranes during the formation of transport vesicles that will move from the plasma membrane to the endosome, forming a vesicle coat. [GOC:dph, GOC:tb]' - }, - 'GO:0010786': { - 'name': 'clathrin coating of Golgi vesicle, trans-Golgi to endosome targeting', - 'def': 'The addition of clathrin and adaptor proteins to Golgi membranes during the formation of transport vesicles that will move from the trans-Golgi to the endosome, forming a vesicle coat. [GOC:dph, GOC:tb]' - }, - 'GO:0010787': { - 'name': 'COPI coating of Golgi vesicle, inter-Golgi cisterna', - 'def': 'The addition of COPI proteins and adaptor proteins to Golgi membranes during the formation of inter-Golgi cisterna transport vesicles, forming a vesicle coat. [GOC:dph, GOC:tb]' - }, - 'GO:0010788': { - 'name': 'COPI coating of Golgi vesicle, cis-Golgi to rough ER', - 'def': 'The addition of COPI proteins and adaptor proteins to Golgi membranes during the formation of cis-Golgi to rough ER transport vesicles, forming a vesicle coat. [GOC:dph, GOC:tb]' - }, - 'GO:0010789': { - 'name': 'meiotic sister chromatid cohesion involved in meiosis I', - 'def': 'The cell cycle process in which sister chromatids of a replicated chromosome are joined along the entire length of the chromosome during meiosis I. [GOC:dph, GOC:tb]' - }, - 'GO:0010790': { - 'name': 'meiotic sister chromatid cohesion involved in meiosis II', - 'def': 'The cell cycle process in which sister chromatids of a replicated chromosome are joined along the entire length of the chromosome during meiosis II. [GOC:dph, GOC:tb]' - }, - 'GO:0010791': { - 'name': 'DNA double-strand break processing involved in repair via synthesis-dependent strand annealing', - 'def': "The 5' to 3' exonucleolytic resection of the DNA at the site of the break to form a 3' single-strand DNA overhang that results in the repair of a double strand break via synthesis-dependent strand annealing. [GOC:dph, GOC:tb]" - }, - 'GO:0010792': { - 'name': 'DNA double-strand break processing involved in repair via single-strand annealing', - 'def': "The 5' to 3' exonucleolytic resection of the DNA at the site of the break to form a 3' single-strand DNA overhang that results in the repair of a double strand break via single-strand annealing. [GOC:dph, GOC:tb]" - }, - 'GO:0010793': { - 'name': 'regulation of mRNA export from nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of mRNA from the nucleus to the cytoplasm. [GOC:dph, GOC:tb]' - }, - 'GO:0010794': { - 'name': 'regulation of dolichol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of dolichol biosynthesis. Dolichol biosynthesis consists of the chemical reactions and pathways resulting in the formation of dolichols, any 2,3-dihydropolyprenol derived from four or more linked isoprene units. [GOC:dph, GOC:tb]' - }, - 'GO:0010795': { - 'name': 'regulation of ubiquinone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of ubiquinone biosynthesis. Ubiquinone biosynthesis consists of the chemical reactions and pathways resulting in the formation of ubiquinone, a lipid-soluble electron-transporting coenzyme. [GOC:dph, GOC:tb]' - }, - 'GO:0010796': { - 'name': 'regulation of multivesicular body size', - 'def': 'Any process that modulates the volume of a multivesicular body, a type of late endosome in which regions of the limiting endosomal membrane invaginate to form internal vesicles. [GOC:dph, GOC:jp, GOC:tb]' - }, - 'GO:0010797': { - 'name': 'regulation of multivesicular body size involved in endosome transport', - 'def': 'Any process that modulates the volume of a multivesicular body as part of the directed movement of substances from endosomes to lysosomes or vacuoles. [GOC:dph, GOC:tb]' - }, - 'GO:0010798': { - 'name': 'regulation of multivesicular body size involved in ubiquitin-dependent protein catabolism', - 'def': 'Any process that modulates the volume of a multivesicular body as part of the chemical reactions and pathways resulting in the breakdown of a protein or peptide covalently tagged with ubiquitin. [GOC:dph, GOC:tb]' - }, - 'GO:0010799': { - 'name': 'regulation of peptidyl-threonine phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of peptidyl-threonine phosphorylation. Peptidyl-threonine phosphorylation is the phosphorylation of peptidyl-threonine to form peptidyl-O-phospho-L-threonine. [GOC:dph, GOC:tb]' - }, - 'GO:0010800': { - 'name': 'positive regulation of peptidyl-threonine phosphorylation', - 'def': 'Any process that increases the frequency, rate or extent of peptidyl-threonine phosphorylation. Peptidyl-threonine phosphorylation is the phosphorylation of peptidyl-threonine to form peptidyl-O-phospho-L-threonine. [GOC:dph, GOC:tb]' - }, - 'GO:0010801': { - 'name': 'negative regulation of peptidyl-threonine phosphorylation', - 'def': 'Any process that decreases the frequency, rate or extent of peptidyl-threonine phosphorylation. Peptidyl-threonine phosphorylation is the phosphorylation of peptidyl-threonine to form peptidyl-O-phospho-L-threonine. [GOC:dph, GOC:tb]' - }, - 'GO:0010803': { - 'name': 'regulation of tumor necrosis factor-mediated signaling pathway', - 'def': 'Any process that modulates the rate or extent of the tumor necrosis factor-mediated signaling pathway. The tumor necrosis factor-mediated signaling pathway is the series of molecular signals generated as a consequence of tumor necrosis factor binding to a cell surface receptor. [GOC:dph, GOC:tb]' - }, - 'GO:0010804': { - 'name': 'negative regulation of tumor necrosis factor-mediated signaling pathway', - 'def': 'Any process that decreases the rate or extent of the tumor necrosis factor-mediated signaling pathway. The tumor necrosis factor-mediated signaling pathway is the series of molecular signals generated as a consequence of tumor necrosis factor binding to a cell surface receptor. [GOC:dph, GOC:tb]' - }, - 'GO:0010805': { - 'name': 'regulation of lysine import', - 'def': 'Any process that modulates the rate or frequency of lysine import. Lysine import is the directed movement of lysine, 2,6-diaminohexanoic acid, into a cell or organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0010806': { - 'name': 'negative regulation of lysine import', - 'def': 'Any process that decreases the rate or frequency of lysine import. Lysine import is the directed movement of lysine, 2,6-diaminohexanoic acid, into a cell or organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0010807': { - 'name': 'regulation of synaptic vesicle priming', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle priming. Synaptic vesicle priming is the formation of SNARE-containing complexes, bringing synaptic vesicle membrane and plasma membranes into close proximity and thereby facilitating membrane fusion. [GOC:dph, GOC:kmv, GOC:tb, PMID:15489511]' - }, - 'GO:0010808': { - 'name': 'positive regulation of synaptic vesicle priming', - 'def': 'Any process that increases the frequency, rate or extent of synaptic vesicle priming. Synaptic vesicle priming is the formation of SNARE-containing complexes, bringing synaptic vesicle membrane and plasma membranes into close proximity and thereby facilitating membrane fusion. [GOC:dph, GOC:kmv, GOC:tb, PMID:15489511]' - }, - 'GO:0010809': { - 'name': 'negative regulation of synaptic vesicle priming', - 'def': 'Any process that decreases the frequency, rate or extent of synaptic vesicle priming. Synaptic vesicle priming is the formation of SNARE-containing complexes, bringing synaptic vesicle membrane and plasma membranes into close proximity and thereby facilitating membrane fusion. [GOC:dph, GOC:kmvs, GOC:tb, PMID:15489511]' - }, - 'GO:0010810': { - 'name': 'regulation of cell-substrate adhesion', - 'def': 'Any process that modulates the frequency, rate or extent of cell-substrate adhesion. Cell-substrate adhesion is the attachment of a cell to the underlying substrate via adhesion molecules. [GOC:dph, GOC:pf, GOC:tb]' - }, - 'GO:0010811': { - 'name': 'positive regulation of cell-substrate adhesion', - 'def': 'Any process that increases the frequency, rate or extent of cell-substrate adhesion. Cell-substrate adhesion is the attachment of a cell to the underlying substrate via adhesion molecules. [GOC:dph, GOC:pf, GOC:tb]' - }, - 'GO:0010812': { - 'name': 'negative regulation of cell-substrate adhesion', - 'def': 'Any process that decreases the frequency, rate or extent of cell-substrate adhesion. Cell-substrate adhesion is the attachment of a cell to the underlying substrate via adhesion molecules. [GOC:dph, GOC:pf, GOC:tb]' - }, - 'GO:0010813': { - 'name': 'neuropeptide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of neuropeptides. Neuropeptides are signaling peptides that travel across a synaptic junction. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010814': { - 'name': 'substance P catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the neuropeptide substance P. [GOC:BHF, GOC:rl]' - }, - 'GO:0010815': { - 'name': 'bradykinin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the peptide bradykinin. [GOC:BHF, GOC:rl]' - }, - 'GO:0010816': { - 'name': 'calcitonin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the peptide calcitonin. [GOC:BHF, GOC:rl]' - }, - 'GO:0010817': { - 'name': 'regulation of hormone levels', - 'def': 'Any process that modulates the levels of hormone within an organism or a tissue. A hormone is any substance formed in very small amounts in one specialized organ or group of cells and carried (sometimes in the bloodstream) to another organ or group of cells in the same organism, upon which it has a specific regulatory action. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010818': { - 'name': 'T cell chemotaxis', - 'def': 'The directed movement of a T cell in response to an external stimulus. A T cell is a type of lymphocyte whose defining characteristic is the expression of a T cell receptor complex. [GOC:dph, GOC:tb]' - }, - 'GO:0010819': { - 'name': 'regulation of T cell chemotaxis', - 'def': 'Any process that modulates the rate, frequency or extent of T cell chemotaxis. T cell chemotaxis is the directed movement of a T cell in response to an external stimulus. [GOC:dph, GOC:tb]' - }, - 'GO:0010820': { - 'name': 'positive regulation of T cell chemotaxis', - 'def': 'Any process that increases the rate, frequency or extent of T cell chemotaxis. T cell chemotaxis is the directed movement of a T cell in response to an external stimulus. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010821': { - 'name': 'regulation of mitochondrion organization', - 'def': 'Any process that modulates the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of a mitochondrion. [GOC:dph, GOC:tb]' - }, - 'GO:0010822': { - 'name': 'positive regulation of mitochondrion organization', - 'def': 'Any process that increases the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of a mitochondrion. [GOC:dph, GOC:tb]' - }, - 'GO:0010823': { - 'name': 'negative regulation of mitochondrion organization', - 'def': 'Any process that decreases the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of a mitochondrion. [GOC:dph, GOC:tb]' - }, - 'GO:0010824': { - 'name': 'regulation of centrosome duplication', - 'def': 'Any process that modulates the frequency, rate or extent of centrosome duplication. Centrosome duplication is the replication of a centrosome, a structure comprised of a pair of centrioles and peri-centriolar material from which a microtubule spindle apparatus is organized. [GOC:dph, GOC:tb]' - }, - 'GO:0010825': { - 'name': 'positive regulation of centrosome duplication', - 'def': 'Any process that increases the frequency, rate or extent of centrosome duplication. Centrosome duplication is the replication of a centrosome, a structure comprised of a pair of centrioles and peri-centriolar material from which a microtubule spindle apparatus is organized. [GOC:dph, GOC:tb]' - }, - 'GO:0010826': { - 'name': 'negative regulation of centrosome duplication', - 'def': 'Any process that decreases the frequency, rate or extent of centrosome duplication. Centrosome duplication is the replication of a centrosome, a structure comprised of a pair of centrioles and peri-centriolar material from which a microtubule spindle apparatus is organized. [GOC:dph, GOC:tb]' - }, - 'GO:0010827': { - 'name': 'regulation of glucose transport', - 'def': 'Any process that modulates the frequency, rate or extent of glucose transport. Glucose transport is the directed movement of the hexose monosaccharide glucose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:tb]' - }, - 'GO:0010828': { - 'name': 'positive regulation of glucose transport', - 'def': 'Any process that increases the frequency, rate or extent of glucose transport. Glucose transport is the directed movement of the hexose monosaccharide glucose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010829': { - 'name': 'negative regulation of glucose transport', - 'def': 'Any process that decreases the frequency, rate or extent of glucose transport. Glucose transport is the directed movement of the hexose monosaccharide glucose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010830': { - 'name': 'regulation of myotube differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of myotube differentiation. Myotube differentiation is the process in which a relatively unspecialized cell acquires specialized features of a myotube cell. Myotubes are multinucleated cells that are formed when proliferating myoblasts exit the cell cycle, differentiate and fuse. [GOC:dph, GOC:tb]' - }, - 'GO:0010831': { - 'name': 'positive regulation of myotube differentiation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of myotube differentiation. Myotube differentiation is the process in which a relatively unspecialized cell acquires specialized features of a myotube cell. Myotubes are multinucleated cells that are formed when proliferating myoblasts exit the cell cycle, differentiate and fuse. [GOC:dph, GOC:tb]' - }, - 'GO:0010832': { - 'name': 'negative regulation of myotube differentiation', - 'def': 'Any process that decreases the frequency, rate or extent of myotube differentiation. Myotube differentiation is the process in which a relatively unspecialized cell acquires specialized features of a myotube cell. Myotubes are multinucleated cells that are formed when proliferating myoblasts exit the cell cycle, differentiate and fuse. [GOC:dph, GOC:tb]' - }, - 'GO:0010833': { - 'name': 'telomere maintenance via telomere lengthening', - 'def': 'Any process that contributes to the maintenance of proper telomeric length and structure by affecting and monitoring the activity of telomeric proteins and lengthening the telomeric DNA. [GOC:dph, GOC:tb]' - }, - 'GO:0010834': { - 'name': 'obsolete telomere maintenance via telomere shortening', - 'def': 'OBSOLETE. Any process that contributes to the maintenance of proper telomeric length and structure by affecting and monitoring the activity of telomeric proteins and shortening the telomeric DNA. [GOC:dph, GOC:tb]' - }, - 'GO:0010835': { - 'name': 'regulation of protein ADP-ribosylation', - 'def': 'Any process that modulates the frequency, rate or extent of protein ADP-ribosylation. Protein ADP-ribosylation is the transfer, from NAD, of ADP-ribose to protein amino acids. [GOC:dph, GOC:tb]' - }, - 'GO:0010836': { - 'name': 'negative regulation of protein ADP-ribosylation', - 'def': 'Any process that decreases the frequency, rate or extent of protein ADP-ribosylation. Protein ADP-ribosylation is the transfer, from NAD, of ADP-ribose to protein amino acids. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010837': { - 'name': 'regulation of keratinocyte proliferation', - 'def': 'Any process that modulates the rate, frequency or extent of keratinocyte proliferation. Keratinocyte proliferation is the multiplication or reproduction of keratinocytes, resulting in the expansion of a cell population. [GOC:dph, GOC:tb]' - }, - 'GO:0010838': { - 'name': 'positive regulation of keratinocyte proliferation', - 'def': 'Any process that increases the rate, frequency or extent of keratinocyte proliferation. Keratinocyte proliferation is the multiplication or reproduction of keratinocytes, resulting in the expansion of a cell population. [GOC:dph, GOC:tb]' - }, - 'GO:0010839': { - 'name': 'negative regulation of keratinocyte proliferation', - 'def': 'Any process that decreases the rate, frequency or extent of keratinocyte proliferation. Keratinocyte proliferation is the multiplication or reproduction of keratinocytes, resulting in the expansion of a cell population. [GOC:dph, GOC:tb]' - }, - 'GO:0010840': { - 'name': 'regulation of circadian sleep/wake cycle, wakefulness', - 'def': 'Any process that modulates the rate, frequency, or extent of the wakeful phase of the circadian sleep/wake cycle. The wakeful phase is the part of the circadian sleep/wake cycle where the organism is not asleep. [GOC:dph, GOC:tb]' - }, - 'GO:0010841': { - 'name': 'positive regulation of circadian sleep/wake cycle, wakefulness', - 'def': 'Any process that increases the frequency, or extent of the wakeful phase of the circadian sleep/wake cycle. The wakeful phase is the part of the circadian sleep/wake cycle where the organism is not asleep. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010842': { - 'name': 'retina layer formation', - 'def': 'The process in which the vertebrate retina is organized into three laminae: the outer nuclear layer (ONL), which contains photoreceptor nuclei; the inner nuclear layer (INL), which contains amacrine, bipolar and horizontal cells; and the retinal ganglion cell (RGC) layer. Between the inner and outer nuclear layers, the outer plexiform layer (OPL) contains connections between the photoreceptors and bipolar and horizontal cells. The inner plexiform layer (IPL) is positioned between the INL and the ganglion cell layer and contains the dendrites of RGCs and processes of bipolar and amacrine cells. Spanning all layers of the retina are the radially oriented Mueller glia. [GOC:ascb_2009, GOC:dph, GOC:tb, PMID:1270266]' - }, - 'GO:0010843': { - 'name': 'obsolete promoter binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with the regulatory region composed of the transcription start site and binding sites for transcription factor complexes of the basal transcription machinery. [GOC:dph, GOC:tb, SO:0000167]' - }, - 'GO:0010844': { - 'name': 'recombination hotspot binding', - 'def': 'Interacting selectively and non-covalently with a region in a genome which promotes recombination. [GOC:dph, GOC:tb]' - }, - 'GO:0010845': { - 'name': 'positive regulation of reciprocal meiotic recombination', - 'def': 'Any process that increases the frequency, rate or extent of recombination during meiosis. Reciprocal meiotic recombination is the cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010846': { - 'name': 'activation of reciprocal meiotic recombination', - 'def': 'Any process that starts the inactive process of reciprocal meiotic recombination. Reciprocal meiotic recombination is the cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. [GOC:dph, GOC:tb]' - }, - 'GO:0010847': { - 'name': 'regulation of chromatin assembly', - 'def': 'Any process the modulates the frequency, rate or extent of chromatin assembly. Chromatin assembly is the assembly of DNA, histone proteins, and other associated proteins into chromatin structure, beginning with the formation of the basic unit, the nucleosome, followed by organization of the nucleosomes into higher order structures, ultimately giving rise to a complex organization of specific domains within the nucleus. [GOC:dph, GOC:tb]' - }, - 'GO:0010848': { - 'name': 'regulation of chromatin disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of chromatin disassembly. Chromatin disassembly is the controlled breakdown of chromatin from a higher order structure into its simpler subcomponents, DNA, histones, and other proteins. [GOC:dph, GOC:tb]' - }, - 'GO:0010849': { - 'name': 'regulation of proton-transporting ATPase activity, rotational mechanism', - 'def': 'Any process that modulates the rate of ATP hydrolysis by an ATPase. Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + H+(in) = ADP + phosphate + H+(out), by a rotational mechanism. [GOC:dph, GOC:tb]' - }, - 'GO:0010850': { - 'name': 'regulation of blood pressure by chemoreceptor signaling pathway', - 'def': 'A series of reactions within the cell that occur as a result of a single trigger reaction or compound interacting with a chemoreceptor resulting in a modulation of the force with which blood travels through the circulatory system. Chemoreceptors respond to oxygen, carbon dioxide and hydrogen ions. [GOC:dph, GOC:tb]' - }, - 'GO:0010851': { - 'name': 'cyclase regulator activity', - 'def': 'Modulates the activity of an enzyme that catalyzes a ring closure reaction. [GOC:dph, GOC:tb]' - }, - 'GO:0010852': { - 'name': 'cyclase inhibitor activity', - 'def': 'Decreases the activity of an enzyme that catalyzes a ring closure reaction. [GOC:dph, GOC:tb]' - }, - 'GO:0010853': { - 'name': 'cyclase activator activity', - 'def': 'Increases the activity of an enzyme that catalyzes a ring closure reaction. [GOC:dph, GOC:tb]' - }, - 'GO:0010854': { - 'name': 'adenylate cyclase regulator activity', - 'def': "Modulates the activity of the enzyme that catalyzes the reaction: ATP = 3',5'-cyclic AMP + diphosphate. [GOC:dph, GOC:tb]" - }, - 'GO:0010855': { - 'name': 'adenylate cyclase inhibitor activity', - 'def': "Decreases the activity of the enzyme that catalyzes the reaction: ATP = 3',5'-cyclic AMP + diphosphate. [GOC:dph, GOC:tb]" - }, - 'GO:0010856': { - 'name': 'adenylate cyclase activator activity', - 'def': "Increases the activity of the enzyme that catalyzes the reaction: ATP = 3',5'-cyclic AMP + diphosphate. [GOC:dph, GOC:tb]" - }, - 'GO:0010857': { - 'name': 'calcium-dependent protein kinase activity', - 'def': 'Catalysis of the reaction: a protein + ATP = a phosphoprotein + ADP. This reaction requires the presence of calcium. [GOC:dph, GOC:tb]' - }, - 'GO:0010858': { - 'name': 'calcium-dependent protein kinase regulator activity', - 'def': 'Modulates the activity of a calcium-dependent protein kinase, an enzyme which phosphorylates a protein in a calcium-dependent manner. [GOC:dph, GOC:tb]' - }, - 'GO:0010859': { - 'name': 'calcium-dependent cysteine-type endopeptidase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a calcium-dependent cysteine-type endopeptidase, any enzyme that hydrolyzes peptide bonds in polypeptides by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile in a calcium-dependent manner. [GOC:dph, GOC:tb]' - }, - 'GO:0010860': { - 'name': 'obsolete proteasome regulator activity', - 'def': 'OBSOLETE. Modulates the activity of the proteasome complex. The proteasome complex performs regulated ubiquitin-dependent cytosolic and nuclear proteolysis. [GOC:dph, GOC:tb]' - }, - 'GO:0010861': { - 'name': 'thyroid hormone receptor activator activity', - 'def': 'A receptor activator activity that binds to, thyroid hormone receptor in a ligand-dependent manner and enhances ligand-induced transcriptional activity of the receptor. [GOC:dph, GOC:mah, GOC:tb, PMID:9346901]' - }, - 'GO:0010862': { - 'name': 'positive regulation of pathway-restricted SMAD protein phosphorylation', - 'def': 'Any process that increases the rate, frequency or extent of pathway-restricted SMAD protein phosphorylation. Pathway-restricted SMAD proteins and common-partner SMAD proteins are involved in the transforming growth factor beta receptor signaling pathways. [GOC:dph, GOC:tb]' - }, - 'GO:0010863': { - 'name': 'positive regulation of phospholipase C activity', - 'def': 'Any process that increases the rate of phospholipase C activity. [GOC:dph, GOC:tb]' - }, - 'GO:0010864': { - 'name': 'positive regulation of protein histidine kinase activity', - 'def': 'Any process that increases the frequency, rate or extent of protein histidine kinase activity. [GOC:dph, GOC:tb]' - }, - 'GO:0010865': { - 'name': 'stipule development', - 'def': 'The process whose specific outcome is the progression of the stipule over time, from its formation to the mature structure. A stipule is one of (usually) a pair of appendages at the bases of leaves in many broad-leaved angiosperms. [GOC:tb]' - }, - 'GO:0010866': { - 'name': 'regulation of triglyceride biosynthetic process', - 'def': 'Any process that modulates the rate, frequency, or extent of triglyceride biosynthesis. Triglyceride biosynthesis is the collection of chemical reactions and pathways resulting in the formation of triglyceride, any triester of glycerol. [GOC:BHF, GOC:tb]' - }, - 'GO:0010867': { - 'name': 'positive regulation of triglyceride biosynthetic process', - 'def': 'Any process that increases the rate, frequency, or extent of triglyceride biosynthesis. Triglyceride biosynthesis is the collection of chemical reactions and pathways resulting in the formation of triglyceride, any triester of glycerol. [GOC:BHF, GOC:tb]' - }, - 'GO:0010868': { - 'name': 'negative regulation of triglyceride biosynthetic process', - 'def': 'Any process that decreases the rate, frequency, or extent of triglyceride biosynthesis. Triglyceride biosynthesis is the collection of chemical reactions and pathways resulting in the formation of triglyceride, any triester of glycerol. [GOC:BHF, GOC:tb]' - }, - 'GO:0010869': { - 'name': 'regulation of receptor biosynthetic process', - 'def': 'Any process that modulates the frequency or rate of receptor biosynthesis. Receptor biosynthesis is the collection of chemical reactions and pathways resulting in the formation of a receptor molecule, a macromolecule that undergoes combination with a hormone, neurotransmitter, drug or intracellular messenger to initiate a change in cell function. [GOC:BHF, GOC:tb]' - }, - 'GO:0010870': { - 'name': 'positive regulation of receptor biosynthetic process', - 'def': 'Any process that increases the frequency or rate of receptor biosynthesis. Receptor biosynthesis is the collection of chemical reactions and pathways resulting in the formation of a receptor molecule, a macromolecule that undergoes combination with a hormone, neurotransmitter, drug or intracellular messenger to initiate a change in cell function. [GOC:BHF, GOC:tb]' - }, - 'GO:0010871': { - 'name': 'negative regulation of receptor biosynthetic process', - 'def': 'Any process that decreases the frequency or rate of receptor biosynthesis. Receptor biosynthesis is the collection of chemical reactions and pathways resulting in the formation of a receptor molecule, a macromolecule that undergoes combination with a hormone, neurotransmitter, drug or intracellular messenger to initiate a change in cell function. [GOC:BHF, GOC:tb]' - }, - 'GO:0010872': { - 'name': 'regulation of cholesterol esterification', - 'def': 'Any process that modulates the frequency, rate or extent of cholesterol esterification. Cholesterol esterification is the lipid modification process in which a sterol ester is formed by the combination of a carboxylic acid (often a fatty acid) and cholesterol. In the blood this process is associated with the conversion of free cholesterol into cholesteryl ester, which is then sequestered into the core of a lipoprotein particle. [GOC:dph, GOC:tb]' - }, - 'GO:0010873': { - 'name': 'positive regulation of cholesterol esterification', - 'def': 'Any process that increases the frequency, rate or extent of cholesterol esterification. Cholesterol esterification is the lipid modification process in which a sterol ester is formed by the combination of a carboxylic acid (often a fatty acid) and cholesterol. In the blood this process is associated with the conversion of free cholesterol into cholesteryl ester, which is then sequestered into the core of a lipoprotein particle. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010874': { - 'name': 'regulation of cholesterol efflux', - 'def': 'Any process that modulates the frequency, rate or extent of cholesterol efflux. Cholesterol efflux is the directed movement of cholesterol, cholest-5-en-3-beta-ol, out of a cell or organelle. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010875': { - 'name': 'positive regulation of cholesterol efflux', - 'def': 'Any process that increases the frequency, rate or extent of cholesterol efflux. Cholesterol efflux is the directed movement of cholesterol, cholest-5-en-3-beta-ol, out of a cell or organelle. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010876': { - 'name': 'lipid localization', - 'def': 'Any process in which a lipid is transported to, or maintained in, a specific location. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010877': { - 'name': 'lipid transport involved in lipid storage', - 'def': 'The directed movement of lipids into cells that is part of their accumulation and maintenance. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010878': { - 'name': 'cholesterol storage', - 'def': 'The accumulation and maintenance in cells or tissues of cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010879': { - 'name': 'cholesterol transport involved in cholesterol storage', - 'def': 'The directed movement of cholesterol into cells that is part of their accumulation and maintenance. [GOC:dph, GOC:tb]' - }, - 'GO:0010880': { - 'name': 'regulation of release of sequestered calcium ion into cytosol by sarcoplasmic reticulum', - 'def': 'Any process that modulates the rate, frequency or extent of release of sequestered calcium ion into cytosol by the sarcoplasmic reticulum, the process in which the release of sequestered calcium ion by sarcoplasmic reticulum into cytosol occurs via calcium release channels. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010881': { - 'name': 'regulation of cardiac muscle contraction by regulation of the release of sequestered calcium ion', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle contraction via the regulation of the release of sequestered calcium ion by sarcoplasmic reticulum into cytosol. The sarcoplasmic reticulum is the endoplasmic reticulum of striated muscle, specialised for the sequestration of calcium ions that are released upon receipt of a signal relayed by the T tubules from the neuromuscular junction. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010882': { - 'name': 'regulation of cardiac muscle contraction by calcium ion signaling', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle contraction by changing the calcium ion signals that trigger contraction. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010883': { - 'name': 'regulation of lipid storage', - 'def': 'Any process that modulates the rate, frequency or extent of lipid storage. Lipid storage is the accumulation and maintenance in cells or tissues of lipids, compounds soluble in organic solvents but insoluble or sparingly soluble in aqueous solvents. Lipid reserves can be accumulated during early developmental stages for mobilization and utilization at later stages of development. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010884': { - 'name': 'positive regulation of lipid storage', - 'def': 'Any process that increases the rate, frequency or extent of lipid storage. Lipid storage is the accumulation and maintenance in cells or tissues of lipids, compounds soluble in organic solvents but insoluble or sparingly soluble in aqueous solvents. Lipid reserves can be accumulated during early developmental stages for mobilization and utilization at later stages of development. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010885': { - 'name': 'regulation of cholesterol storage', - 'def': 'Any process that modulates the rate or extent of cholesterol storage. Cholesterol storage is the accumulation and maintenance in cells or tissues of cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010886': { - 'name': 'positive regulation of cholesterol storage', - 'def': 'Any process that increases the rate or extent of cholesterol storage. Cholesterol storage is the accumulation and maintenance in cells or tissues of cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010887': { - 'name': 'negative regulation of cholesterol storage', - 'def': 'Any process that decreases the rate or extent of cholesterol storage. Cholesterol storage is the accumulation and maintenance in cells or tissues of cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010888': { - 'name': 'negative regulation of lipid storage', - 'def': 'Any process that decreases the rate, frequency or extent of lipid storage. Lipid storage is the accumulation and maintenance in cells or tissues of lipids, compounds soluble in organic solvents but insoluble or sparingly soluble in aqueous solvents. Lipid reserves can be accumulated during early developmental stages for mobilization and utilization at later stages of development. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010889': { - 'name': 'regulation of sequestering of triglyceride', - 'def': 'Any process that modulates the rate, frequency or extent of sequestering of triglyceride. Triglyceride sequestration is the process of binding or confining any triester of glycerol such that it is separated from other components of a biological system. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010890': { - 'name': 'positive regulation of sequestering of triglyceride', - 'def': 'Any process that increases the rate, frequency or extent of sequestering of triglyceride. Triglyceride sequestration is the process of binding or confining any triester of glycerol such that it is separated from other components of a biological system. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010891': { - 'name': 'negative regulation of sequestering of triglyceride', - 'def': 'Any process that decreases the rate, frequency or extent of sequestering of triglyceride. Triglyceride sequestration is the process of binding or confining any triester of glycerol such that it is separated from other components of a biological system. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010892': { - 'name': 'positive regulation of mitochondrial translation in response to stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitochondrial translation as a result of a stimulus indicating the organism is under stress. [GOC:dph, GOC:jp, GOC:tb, PMID:8830768]' - }, - 'GO:0010893': { - 'name': 'positive regulation of steroid biosynthetic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of steroids, compounds with a 1,2,cyclopentanoperhydrophenanthrene nucleus. [GOC:tb]' - }, - 'GO:0010894': { - 'name': 'negative regulation of steroid biosynthetic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of steroids, compounds with a 1,2,cyclopentanoperhydrophenanthrene nucleus. [GOC:BHF, GOC:tb]' - }, - 'GO:0010895': { - 'name': 'negative regulation of ergosterol biosynthetic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of ergosterol. [GOC:tb]' - }, - 'GO:0010896': { - 'name': 'regulation of triglyceride catabolic process', - 'def': 'Any process that modulates the frequency, rate, or extent of the chemical reactions and pathways resulting in the breakdown of triglyceride. [GOC:rn, GOC:tb]' - }, - 'GO:0010897': { - 'name': 'negative regulation of triglyceride catabolic process', - 'def': 'Any process that decreases the frequency, rate, or extent of the chemical reactions and pathways resulting in the breakdown of triglyceride. [GOC:rn, GOC:tb]' - }, - 'GO:0010898': { - 'name': 'positive regulation of triglyceride catabolic process', - 'def': 'Any process that increases the frequency, rate, or extent of the chemical reactions and pathways resulting in the breakdown of triglyceride. [GOC:rn, GOC:tb]' - }, - 'GO:0010899': { - 'name': 'regulation of phosphatidylcholine catabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of phosphatidylcholine catabolism. Phosphatidylcholine catabolic processes are the chemical reactions and pathways resulting in the breakdown of phosphatidylcholines, any of a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of choline. [GOC:BHF, GOC:tb]' - }, - 'GO:0010900': { - 'name': 'negative regulation of phosphatidylcholine catabolic process', - 'def': 'Any process that decreases the rate, frequency or extent of phosphatidylcholine catabolism. Phosphatidylcholine catabolic processes are the chemical reactions and pathways resulting in the breakdown of phosphatidylcholines, any of a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of choline. [GOC:BHF, GOC:tb]' - }, - 'GO:0010901': { - 'name': 'regulation of very-low-density lipoprotein particle remodeling', - 'def': 'Any process that modulates the rate, frequency or extent of very-low-density lipoprotein particle remodeling. Very-low-density lipoprotein particle remodeling is the acquisition, loss or modification of a protein or lipid within a very-low-density lipoprotein particle, including the hydrolysis of triglyceride by hepatic lipase or lipoprotein lipase and the subsequent loss of free fatty acid. [GOC:tb]' - }, - 'GO:0010902': { - 'name': 'positive regulation of very-low-density lipoprotein particle remodeling', - 'def': 'Any process that increases the rate, frequency or extent of very-low-density lipoprotein particle remodeling. Very-low-density lipoprotein particle remodeling is the acquisition, loss or modification of a protein or lipid within a very-low-density lipoprotein particle, including the hydrolysis of triglyceride by hepatic lipase or lipoprotein lipase and the subsequent loss of free fatty acid. [GOC:tb]' - }, - 'GO:0010903': { - 'name': 'negative regulation of very-low-density lipoprotein particle remodeling', - 'def': 'Any process that decreases the rate, frequency or extent of very-low-density lipoprotein particle remodeling. Very-low-density lipoprotein particle remodeling is the acquisition, loss or modification of a protein or lipid within a very-low-density lipoprotein particle, including the hydrolysis of triglyceride by hepatic lipase or lipoprotein lipase and the subsequent loss of free fatty acid. [GOC:tb]' - }, - 'GO:0010904': { - 'name': 'regulation of UDP-glucose catabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of UDP-glucose catabolism. UDP-glucose catabolic processes are the chemical reactions and pathways resulting in the breakdown of UDP-glucose, uridinediphosphoglucose, a substance composed of glucose in glycosidic linkage with uridine diphosphate. [GOC:BHF, GOC:tb]' - }, - 'GO:0010905': { - 'name': 'negative regulation of UDP-glucose catabolic process', - 'def': 'Any process that decreases the rate, frequency or extent of UDP-glucose catabolism. UDP-glucose catabolic processes are the chemical reactions and pathways resulting in the breakdown of UDP-glucose, uridinediphosphoglucose, a substance composed of glucose in glycosidic linkage with uridine diphosphate. [GOC:BHF, GOC:tb]' - }, - 'GO:0010906': { - 'name': 'regulation of glucose metabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of glucose metabolism. Glucose metabolic processes are the chemical reactions and pathways involving glucose, the aldohexose gluco-hexose. [GOC:BHF, GOC:tb]' - }, - 'GO:0010907': { - 'name': 'positive regulation of glucose metabolic process', - 'def': 'Any process that increases the rate, frequency or extent of glucose metabolism. Glucose metabolic processes are the chemical reactions and pathways involving glucose, the aldohexose gluco-hexose. [GOC:BHF, GOC:tb]' - }, - 'GO:0010908': { - 'name': 'regulation of heparan sulfate proteoglycan biosynthetic process', - 'def': 'Any process that modulates the rate, frequency or extent of heparan sulfate proteoglycan biosynthesis. Heparan sulfate proteoglycan biosynthetic processes are the chemical reactions and pathways resulting in the formation of the heparan sulfate proteoglycan, a glycosaminoglycan with repeat unit consisting of alternating alpha-(1->4)-linked hexuronic acid and glucosamine residues. [GOC:dph, GOC:tb]' - }, - 'GO:0010909': { - 'name': 'positive regulation of heparan sulfate proteoglycan biosynthetic process', - 'def': 'Any process that increases the rate, frequency or extent of heparan sulfate proteoglycan biosynthesis. Heparan sulfate proteoglycan biosynthetic processes are the chemical reactions and pathways resulting in the formation of the heparan sulfate proteoglycan, a glycosaminoglycan with repeat unit consisting of alternating alpha-(1->4)-linked hexuronic acid and glucosamine residues. [GOC:dph, GOC:tb]' - }, - 'GO:0010910': { - 'name': 'positive regulation of heparan sulfate proteoglycan biosynthesis by positive regulation of epimerase activity', - 'def': 'Any process that increases the rate, frequency or extent of heparan sulfate proteoglycan biosynthesis by an increase in epimerase activity. This epimerase activity catalyzes the reaction that converts D-glucuronate into its diastereoisomer in heparan sulfate. [GOC:dph, GOC:tb]' - }, - 'GO:0010911': { - 'name': 'regulation of isomerase activity', - 'def': 'Any process that modulates the activity of an isomerase. An isomerase catalyzes the geometric or structural changes within one molecule. Isomerase is the systematic name for any enzyme of EC class 5. [GOC:dph, GOC:tb]' - }, - 'GO:0010912': { - 'name': 'positive regulation of isomerase activity', - 'def': 'Any process that increases the activity of an isomerase. An isomerase catalyzes the geometric or structural changes within one molecule. Isomerase is the systematic name for any enzyme of EC class 5. [GOC:dph, GOC:tb]' - }, - 'GO:0010913': { - 'name': 'regulation of sterigmatocystin biosynthetic process', - 'def': 'Any process that modulates the rate, frequency, or extent of sterigmatocystin biosynthesis. Sterigmatocystin biosynthetic processes are the chemical reactions and pathways resulting in the formation of sterigmatocystin, a carcinogenic mycotoxin produced in high yields by strains of the common molds. [GOC:dph, GOC:tb]' - }, - 'GO:0010914': { - 'name': 'positive regulation of sterigmatocystin biosynthetic process', - 'def': 'Any process that increases the rate, frequency, or extent of sterigmatocystin biosynthesis. Sterigmatocystin biosynthetic processes are the chemical reactions and pathways resulting in the formation of sterigmatocystin, a carcinogenic mycotoxin produced in high yields by strains of the common molds. [GOC:dph, GOC:tb]' - }, - 'GO:0010915': { - 'name': 'regulation of very-low-density lipoprotein particle clearance', - 'def': 'Any process that modulates the rate, frequency or extent of very-low-density lipoprotein particle clearance. Very-low-density lipoprotein particle clearance is the process in which a very-low-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010916': { - 'name': 'negative regulation of very-low-density lipoprotein particle clearance', - 'def': 'Any process that decreases the rate, frequency or extent of very-low-density lipoprotein particle clearance. Very-low-density lipoprotein particle clearance is the process in which a very-low-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010917': { - 'name': 'negative regulation of mitochondrial membrane potential', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment or extent of a mitochondrial membrane potential, the electric potential existing across any mitochondrial membrane arising from charges in the membrane itself and from the charges present in the media on either side of the membrane. [GOC:dph, GOC:tb]' - }, - 'GO:0010918': { - 'name': 'positive regulation of mitochondrial membrane potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment or extent of a mitochondrial membrane potential, the electric potential existing across any mitochondrial membrane arising from charges in the membrane itself and from the charges present in the media on either side of the membrane. [GOC:dph, GOC:tb]' - }, - 'GO:0010919': { - 'name': 'regulation of inositol phosphate biosynthetic process', - 'def': 'Any process that modulates the rate, frequency or extent of inositol phosphate biosynthesis. Inositol phosphate biosynthetic processes are the chemical reactions and pathways resulting in the formation of an inositol phosphate, 1,2,3,4,5,6-cyclohexanehexol, with one or more phosphate groups attached. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010920': { - 'name': 'negative regulation of inositol phosphate biosynthetic process', - 'def': 'Any process that decreases the rate, frequency or extent of inositol phosphate biosynthesis. Inositol phosphate biosynthetic processes are the chemical reactions and pathways resulting in the formation of an inositol phosphate, 1,2,3,4,5,6-cyclohexanehexol, with one or more phosphate groups attached. [GOC:dph, GOC:tb]' - }, - 'GO:0010921': { - 'name': 'regulation of phosphatase activity', - 'def': 'Any process that modulates the rate or frequency of phosphatase activity. Phosphatases catalyze the hydrolysis of phosphoric monoesters, releasing inorganic phosphate. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010922': { - 'name': 'positive regulation of phosphatase activity', - 'def': 'Any process that increases the rate or frequency of phosphatase activity. Phosphatases catalyze the hydrolysis of phosphoric monoesters, releasing inorganic phosphate. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010923': { - 'name': 'negative regulation of phosphatase activity', - 'def': 'Any process that decreases the rate or frequency of phosphatase activity. Phosphatases catalyze the hydrolysis of phosphoric monoesters, releasing inorganic phosphate. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010924': { - 'name': 'regulation of inositol-polyphosphate 5-phosphatase activity', - 'def': 'Any process that modulates the rate or frequency of inositol-polyphosphate 5-phosphatase activity, the catalysis of the reactions: D-myo-inositol 1,4,5-trisphosphate + H2O = myo-inositol 1,4-bisphosphate + phosphate, and 1D-myo-inositol 1,3,4,5-tetrakisphosphate + H2O = 1D-myo-inositol 1,3,4-trisphosphate + phosphate. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010925': { - 'name': 'positive regulation of inositol-polyphosphate 5-phosphatase activity', - 'def': 'Any process that increases the rate or frequency of inositol-polyphosphate 5-phosphatase activity, the catalysis of the reactions: D-myo-inositol 1,4,5-trisphosphate + H2O = myo-inositol 1,4-bisphosphate + phosphate, and 1D-myo-inositol 1,3,4,5-tetrakisphosphate + H2O = 1D-myo-inositol 1,3,4-trisphosphate + phosphate. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010926': { - 'name': 'obsolete anatomical structure formation', - 'def': 'OBSOLETE. The process pertaining to the initial formation of an anatomical structure from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structure is recognizable. An anatomical structure is any biological entity that occupies space and is distinguished from its surroundings. Anatomical structures can be macroscopic such as a carpel, or microscopic such as an acrosome. [GOC:dph, GOC:tb]' - }, - 'GO:0010927': { - 'name': 'cellular component assembly involved in morphogenesis', - 'def': 'The cellular component assembly that is part of the initial shaping of the component during its developmental progression. [GOC:dph, GOC:tb]' - }, - 'GO:0010928': { - 'name': 'regulation of auxin mediated signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of auxin mediated signaling pathway. Auxin mediated signaling pathway is the series of molecular signals generated in response to detection of auxin. [GOC:dph, GOC:tb]' - }, - 'GO:0010929': { - 'name': 'positive regulation of auxin mediated signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of auxin mediated signaling pathway. Auxin mediated signaling pathway is the series of molecular signals generated in response to detection of auxin. [GOC:dph, GOC:tb]' - }, - 'GO:0010930': { - 'name': 'negative regulation of auxin mediated signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of auxin mediated signaling pathway. Auxin mediated signaling pathway is the series of molecular signals generated in response to detection of auxin. [GOC:dph, GOC:tb]' - }, - 'GO:0010931': { - 'name': 'macrophage tolerance induction', - 'def': 'A process involving any mechanism for tolerance induction in macrophages. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010932': { - 'name': 'regulation of macrophage tolerance induction', - 'def': 'Any process that modulates the frequency, rate, or extent of macrophage tolerance induction. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010933': { - 'name': 'positive regulation of macrophage tolerance induction', - 'def': 'Any process that increases the frequency, rate, or extent of B cell tolerance induction. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010934': { - 'name': 'macrophage cytokine production', - 'def': 'The appearance of a macrophage cytokine due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0010935': { - 'name': 'regulation of macrophage cytokine production', - 'def': 'Any process that modulates the rate, frequency or extent of macrophage cytokine production. Macrophage cytokine production is the appearance of a chemokine due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:rl]' - }, - 'GO:0010936': { - 'name': 'negative regulation of macrophage cytokine production', - 'def': 'Any process that decreases the rate, frequency or extent of macrophage cytokine production. Macrophage cytokine production is the appearance of a chemokine due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:rl]' - }, - 'GO:0010937': { - 'name': 'regulation of cytoplasmic microtubule depolymerization', - 'def': 'Any process that modulates the frequency, rate or extent of cytoplasmic microtubule depolymerization. [GOC:dph, GOC:tb]' - }, - 'GO:0010938': { - 'name': 'cytoplasmic microtubule depolymerization', - 'def': 'The removal of tubulin heterodimers from one or both ends of a cytoplasmic microtubule. [GOC:dph, GOC:tb]' - }, - 'GO:0010939': { - 'name': 'regulation of necrotic cell death', - 'def': 'Any process that modulates the rate, frequency or extent of necrotic cell death. Necrotic cell death is a cell death process that is morphologically characterized by a gain in cell volume (oncosis), swelling of organelles, plasma membrane rupture and subsequent loss of intracellular contents. [PMID:16507998]' - }, - 'GO:0010940': { - 'name': 'positive regulation of necrotic cell death', - 'def': 'Any process that increases the rate, frequency or extent of necrotic cell death. Necrotic cell death is a cell death process that is morphologically characterized by a gain in cell volume (oncosis), swelling of organelles, plasma membrane rupture and subsequent loss of intracellular contents. [PMID:16507998]' - }, - 'GO:0010941': { - 'name': 'regulation of cell death', - 'def': 'Any process that modulates the rate or frequency of cell death. Cell death is the specific activation or halting of processes within a cell so that its vital functions markedly cease, rather than simply deteriorating gradually over time, which culminates in cell death. [GOC:dph, GOC:tb]' - }, - 'GO:0010942': { - 'name': 'positive regulation of cell death', - 'def': 'Any process that increases the rate or frequency of cell death. Cell death is the specific activation or halting of processes within a cell so that its vital functions markedly cease, rather than simply deteriorating gradually over time, which culminates in cell death. [GOC:dph, GOC:tb]' - }, - 'GO:0010943': { - 'name': 'NADPH pyrophosphatase activity', - 'def': 'Catalysis of the reaction: NADPH + H2O = NMNH + ADP. [GOC:tb]' - }, - 'GO:0010944': { - 'name': 'negative regulation of transcription by competitive promoter binding', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA-dependent transcription using a mechanism that involves direct competition for interaction with a promoter binding site. [GOC:tb]' - }, - 'GO:0010945': { - 'name': 'CoA pyrophosphatase activity', - 'def': "Catalysis of the reaction: coenzyme A + H2O = 3',5'-ADP + 4'-phosphopantetheine. [GOC:tb]" - }, - 'GO:0010946': { - 'name': 'regulation of meiotic joint molecule formation', - 'def': 'Any process that modulates the frequency, rate or extent of meiotic joint molecule formation. Meiotic joint molecule formation is the conversion of the paired broken DNA and homologous duplex DNA into a four-stranded branched intermediate, known as a joint molecule, formed during meiotic recombination. [GOC:dph, GOC:tb]' - }, - 'GO:0010947': { - 'name': 'negative regulation of meiotic joint molecule formation', - 'def': 'Any process that decreases the frequency, rate or extent of meiotic joint molecule formation. Meiotic joint molecule formation is the conversion of the paired broken DNA and homologous duplex DNA into a four-stranded branched intermediate, known as a joint molecule, formed during meiotic recombination. [GOC:dph, GOC:tb]' - }, - 'GO:0010948': { - 'name': 'negative regulation of cell cycle process', - 'def': 'Any process that decreases the rate, frequency or extent of a cellular process that is involved in the progression of biochemical and morphological phases and events that occur in a cell during successive cell replication or nuclear replication events. [GOC:dph, GOC:tb]' - }, - 'GO:0010949': { - 'name': 'negative regulation of intestinal phytosterol absorption', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of phytosterols into the blood by absorption from the small intestine. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010950': { - 'name': 'positive regulation of endopeptidase activity', - 'def': 'Any process that increases the frequency, rate or extent of endopeptidase activity, the endohydrolysis of peptide bonds within proteins. [GOC:dph, GOC:tb]' - }, - 'GO:0010951': { - 'name': 'negative regulation of endopeptidase activity', - 'def': 'Any process that decreases the frequency, rate or extent of endopeptidase activity, the endohydrolysis of peptide bonds within proteins. [GOC:dph, GOC:tb]' - }, - 'GO:0010952': { - 'name': 'positive regulation of peptidase activity', - 'def': 'Any process that increases the frequency, rate or extent of peptidase activity, the hydrolysis of peptide bonds within proteins. [GOC:dph, GOC:tb]' - }, - 'GO:0010954': { - 'name': 'positive regulation of protein processing', - 'def': 'Any process that increases the rate, frequency or extent of protein maturation by peptide bond cleavage. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0010955': { - 'name': 'negative regulation of protein processing', - 'def': 'Any process that decreases the rate, frequency or extent of protein maturation by peptide bond cleavage. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0010956': { - 'name': 'negative regulation of calcidiol 1-monooxygenase activity', - 'def': 'Any process that decreases the rate, frequency or extent of calcidiol 1-monooxygenase activity. Calcidiol 1-monooxygenase activity is the catalysis of the reaction: calcidiol + NADPH + H+ + O2 = calcitriol + NADP+ + H2O. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010957': { - 'name': 'negative regulation of vitamin D biosynthetic process', - 'def': 'Any process that decreases the rate, frequency or extent of a vitamin D biosynthetic process. Vitamin D biosynthesis is the chemical reactions and pathways resulting in the formation of vitamin D, any of a group of related, fat-soluble compounds that are derived from delta-5,7 steroids and play a central role in calcium metabolism. Specific forms of vitamin D include calciferol (ergocalciferol; vitamin D2) and cholecalciferol (calciol; vitamin D3). [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010958': { - 'name': 'regulation of amino acid import', - 'def': 'Any process that modulates the frequency, rate or extent of amino acid import. Amino acid import is the directed movement of amino acids into a cell or organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0010959': { - 'name': 'regulation of metal ion transport', - 'def': 'Any process that modulates the frequency, rate, or extent of metal ion transport. Metal ion transport is the directed movement of metal ions, any metal ion with an electric charge, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:tb]' - }, - 'GO:0010960': { - 'name': 'magnesium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of magnesium ions within an organism or cell. [GOC:dph, GOC:tb]' - }, - 'GO:0010961': { - 'name': 'cellular magnesium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of magnesium ions at the level of a cell. [GOC:dph, GOC:tb]' - }, - 'GO:0010962': { - 'name': 'regulation of glucan biosynthetic process', - 'def': 'Any process that modulates the rate, frequency, or extent of glucan biosynthesis. Glucan biosynthetic processes are the chemical reactions and pathways resulting in the formation of glucans, polysaccharides consisting only of glucose residues. [GOC:dph, GOC:tb]' - }, - 'GO:0010963': { - 'name': 'regulation of L-arginine import', - 'def': 'Any process that modulates the frequency, rate or extent of L-arginine import. L-arginine import is the directed movement of L-arginine, the L-enantiomer of 2-amino-5-guanidinopentanoic acid, into a cell or organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0010964': { - 'name': 'regulation of chromatin silencing by small RNA', - 'def': 'Any process that modulates the frequency, rate or extent of chromatin silencing by small RNA. Chromatin silencing by small RNA is the repression of transcription by conversion of large regions of DNA into heterochromatin, directed by small RNAs sharing sequence identity to the repressed region. [GOC:dph, GOC:tb]' - }, - 'GO:0010965': { - 'name': 'regulation of mitotic sister chromatid separation', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic sister chromatid separation. Mitotic sister chromatid separation is the process in which sister chromatids are physically detached from each other during mitosis. [GOC:dph, GOC:tb]' - }, - 'GO:0010966': { - 'name': 'regulation of phosphate transport', - 'def': 'Any process that modulates the frequency, rate or extent of phosphate transport. Phosphate transport is the directed movement of phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:tb]' - }, - 'GO:0010967': { - 'name': 'regulation of polyamine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of polyamine biosynthesis. Polyamine biosynthesis is the chemical reactions and pathways resulting in the formation of polyamines, any organic compound containing two or more amino groups. [GOC:dph, GOC:tb]' - }, - 'GO:0010968': { - 'name': 'regulation of microtubule nucleation', - 'def': "Any process that modulates the rate, frequency or extent of microtubule nucleation. Microtubule nucleation is the 'de novo' formation of a microtubule, in which tubulin heterodimers form metastable oligomeric aggregates, some of which go on to support formation of a complete microtubule. Microtubule nucleation usually occurs from a specific site within a cell. [GOC:dph, GOC:tb]" - }, - 'GO:0010969': { - 'name': 'regulation of pheromone-dependent signal transduction involved in conjugation with cellular fusion', - 'def': 'Any process that modulates the frequency, rate or extent of pheromone-dependent signal transduction during conjugation with cellular fusion, a signal transduction process resulting in the relay, amplification or dampening of a signal generated in response to pheromone exposure in organisms that undergo conjugation with cellular fusion. [GOC:dph, GOC:tb]' - }, - 'GO:0010970': { - 'name': 'transport along microtubule', - 'def': 'The movement of organelles or other particles from one location in the cell to another along microtubules, driven by motor activity. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0010971': { - 'name': 'positive regulation of G2/M transition of mitotic cell cycle', - 'def': 'Any process that increases the rate or extent of progression from G2 phase to M phase of the mitotic cell cycle. [GOC:dph, GOC:mtg_cell_cycle, GOC:tb]' - }, - 'GO:0010972': { - 'name': 'negative regulation of G2/M transition of mitotic cell cycle', - 'def': 'Any cell cycle regulatory process that decreases the rate or extent of progression of a cell from G2 to M phase of the mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0010973': { - 'name': 'positive regulation of barrier septum assembly', - 'def': 'Any process that increases the frequency, rate or extent of barrier septum formation. Barrier septum formation is the assembly and arrangement of a septum that spans the plasma membrane interface between progeny cells following cytokinesis. [GOC:mtg_cell_cycle, PMID:19959363, PMID:21246752, PMID:22786806]' - }, - 'GO:0010974': { - 'name': 'negative regulation of barrier septum assembly', - 'def': 'Any process that decreases the frequency, rate or extent of barrier septum formation. Barrier septum formation is he assembly and arrangement of a septum that spans the plasma membrane interface between progeny cells following cytokinesis. [GOC:mtg_cell_cycle, PMID:19959363, PMID:21246752, PMID:22786806]' - }, - 'GO:0010975': { - 'name': 'regulation of neuron projection development', - 'def': 'Any process that modulates the rate, frequency or extent of neuron projection development. Neuron projection development is the process whose specific outcome is the progression of a neuron projection over time, from its formation to the mature structure. A neuron projection is any process extending from a neural cell, such as axons or dendrites (collectively called neurites). [GOC:dph, GOC:tb]' - }, - 'GO:0010976': { - 'name': 'positive regulation of neuron projection development', - 'def': 'Any process that increases the rate, frequency or extent of neuron projection development. Neuron projection development is the process whose specific outcome is the progression of a neuron projection over time, from its formation to the mature structure. A neuron projection is any process extending from a neural cell, such as axons or dendrites (collectively called neurites). [GOC:dph, GOC:tb]' - }, - 'GO:0010977': { - 'name': 'negative regulation of neuron projection development', - 'def': 'Any process that decreases the rate, frequency or extent of neuron projection development. Neuron projection development is the process whose specific outcome is the progression of a neuron projection over time, from its formation to the mature structure. A neuron projection is any process extending from a neural cell, such as axons or dendrites (collectively called neurites). [GOC:dph, GOC:tb]' - }, - 'GO:0010978': { - 'name': 'gene silencing involved in chronological cell aging', - 'def': 'Any transcriptional or post-transcriptional process, arising in non-dividing cells as they age, carried out at the cellular level that results in long-term gene inactivation. [GOC:dph, GOC:jp, GOC:tb]' - }, - 'GO:0010979': { - 'name': 'regulation of vitamin D 24-hydroxylase activity', - 'def': 'Any process that modulates the rate, frequency or extent of vitamin D 24-hydroxylase activity. Vitamin D 24-hydroxylase activity catalyzes the hydroxylation of C-24 of any form of vitamin D. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010980': { - 'name': 'positive regulation of vitamin D 24-hydroxylase activity', - 'def': 'Any process that increases the rate, frequency or extent of vitamin D 24-hydroxylase activity. Vitamin D 24-hydroxylase activity catalyzes the hydroxylation of C-24 of any form of vitamin D. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010981': { - 'name': 'regulation of cell wall macromolecule metabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of cell wall macromolecule metabolism. Cell wall macromolecule metabolic processes are the chemical reactions and pathways involving macromolecules forming, or destined to form, part of the cell wall. A cell wall is a rigid or semi-rigid envelope lying outside the cell membrane of plant, fungal and most prokaryotic cells, maintaining their shape and protecting them from osmotic lysis. [GOC:dph, GOC:tb]' - }, - 'GO:0010982': { - 'name': 'regulation of high-density lipoprotein particle clearance', - 'def': 'Any process that modulates the rate, frequency or extent of high-density lipoprotein particle clearance. High-density lipoprotein particle clearance is the process in which a high-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010983': { - 'name': 'positive regulation of high-density lipoprotein particle clearance', - 'def': 'Any process that increases the rate, frequency or extent of high-density lipoprotein particle clearance. High-density lipoprotein particle clearance is the process in which a high-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010984': { - 'name': 'regulation of lipoprotein particle clearance', - 'def': 'Any process that modulates the rate, frequency, or extent of lipoprotein particle clearance. Lipoprotein particle clearance is the process in which a lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010985': { - 'name': 'negative regulation of lipoprotein particle clearance', - 'def': 'Any process that decreases the rate, frequency, or extent of lipoprotein particle clearance. Lipoprotein particle clearance is the process in which a lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010986': { - 'name': 'positive regulation of lipoprotein particle clearance', - 'def': 'Any process that increases the rate, frequency, or extent of lipoprotein particle clearance. Lipoprotein particle clearance is the process in which a lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010987': { - 'name': 'negative regulation of high-density lipoprotein particle clearance', - 'def': 'Any process that decreases the rate, frequency or extent of high-density lipoprotein particle clearance. High-density lipoprotein particle clearance is the process in which a high-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010988': { - 'name': 'regulation of low-density lipoprotein particle clearance', - 'def': 'Any process that modulates the rate, frequency or extent of low-density lipoprotein particle clearance. Low-density lipoprotein particle clearance is the process in which a low-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010989': { - 'name': 'negative regulation of low-density lipoprotein particle clearance', - 'def': 'Any process that decreases the rate, frequency or extent of low-density lipoprotein particle clearance. Low-density lipoprotein particle clearance is the process in which a low-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010990': { - 'name': 'regulation of SMAD protein complex assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of SMAD protein complex assembly. SMAD protein complex assembly is the aggregation, arrangement and bonding together of a set of components to form a protein complex that contains SMAD proteins. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010991': { - 'name': 'negative regulation of SMAD protein complex assembly', - 'def': 'Any process that decreases the rate, frequency, or extent of SMAD protein complex assembly. SMAD protein complex assembly is the aggregation, arrangement and bonding together of a set of components to form a protein complex that contains SMAD proteins. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010992': { - 'name': 'ubiquitin homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of ubiquitin monomers and free ubiquitin chains at the level of the cell. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010993': { - 'name': 'regulation of ubiquitin homeostasis', - 'def': 'Any process that modulates the rate, frequency, or extent of ubiquitin homeostasis. Ubiquitin homeostasis is any process involved in the maintenance of an internal steady state of ubiquitin monomers and free ubiquitin chains at the level of the cell. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010994': { - 'name': 'free ubiquitin chain polymerization', - 'def': 'The process of creating free ubiquitin chains, compounds composed of a large number of ubiquitin monomers. These chains are not conjugated to a protein. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010995': { - 'name': 'free ubiquitin chain depolymerization', - 'def': 'The process in which free ubiquitin chains, compounds composed of a large number of ubiquitin monomers, are broken down. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010996': { - 'name': 'response to auditory stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an auditory stimulus. [GOC:BHF, GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0010997': { - 'name': 'anaphase-promoting complex binding', - 'def': 'Interacting selectively and non-covalently with an anaphase-promoting complex. A ubiquitin ligase complex that degrades mitotic cyclins and anaphase inhibitory protein, thereby triggering sister chromatid separation and exit from mitosis. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0010998': { - 'name': 'regulation of translational initiation by eIF2 alpha phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of translation initiation in response to stress by the phosphorylation of eIF2 alpha. [GOC:BHF, GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0010999': { - 'name': 'regulation of eIF2 alpha phosphorylation by heme', - 'def': 'Any process that modulates the rate, frequency, or extent of eIF2 alpha phosphorylation as a result of heme levels. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0011000': { - 'name': 'replication fork arrest at mating type locus', - 'def': 'A process that impedes the progress of the DNA replication fork at natural replication fork pausing sites within the mating type locus. [GOC:dph, GOC:tb]' - }, - 'GO:0012501': { - 'name': 'programmed cell death', - 'def': 'A process which begins when a cell receives an internal or external signal and activates a series of biochemical events (signaling pathway). The process ends with the death of the cell. [GOC:lr, GOC:mtg_apoptosis]' - }, - 'GO:0012502': { - 'name': 'induction of programmed cell death', - 'def': 'A process which directly activates any of the steps required for programmed cell death. [GOC:lr]' - }, - 'GO:0012505': { - 'name': 'endomembrane system', - 'def': 'A collection of membranous structures involved in transport within the cell. The main components of the endomembrane system are endoplasmic reticulum, Golgi bodies, vesicles, cell membrane and nuclear envelope. Members of the endomembrane system pass materials through each other or though the use of vesicles. [GOC:lh]' - }, - 'GO:0012506': { - 'name': 'vesicle membrane', - 'def': 'The lipid bilayer surrounding any membrane-bounded vesicle in the cell. [GOC:mah, GOC:vesicle]' - }, - 'GO:0012507': { - 'name': 'ER to Golgi transport vesicle membrane', - 'def': 'The lipid bilayer surrounding a vesicle transporting substances from the endoplasmic reticulum to the Golgi. [GOC:ai, GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0012508': { - 'name': 'Golgi to ER transport vesicle membrane', - 'def': 'The lipid bilayer surrounding a vesicle transporting substances from the Golgi to the ER. [GOC:ai]' - }, - 'GO:0012509': { - 'name': 'inter-Golgi transport vesicle membrane', - 'def': 'The lipid bilayer surrounding a vesicle transporting substances within the Golgi. [GOC:ai]' - }, - 'GO:0012510': { - 'name': 'trans-Golgi network transport vesicle membrane', - 'def': 'The lipid bilayer surrounding a vesicle transporting substances between the trans-Golgi network and other parts of the cell. [GOC:ai]' - }, - 'GO:0012511': { - 'name': 'monolayer-surrounded lipid storage body', - 'def': "A subcellular organelle of plant cells surrounded by 'half-unit' or a monolayer membrane instead of the more usual bilayer. The storage body has a droplet of triglyceride surrounded by a monolayer of phospholipids, interacting with the triglycerides and the hydrophilic head groups facing the cytosol, and containing major protein components called oleosins. [GOC:mtg_sensu, ISBN:0943088372]" - }, - 'GO:0014001': { - 'name': 'sclerenchyma cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a sclerenchyma cell. A sclerenchyma cell is a plant cell with thick lignified walls, normally dead at maturity and specialized for structural strength. Includes fiber cells, that are greatly elongated; and sclereids, that are more isodiametric. Intermediate types exist. Cells may or may not be devoid of protoplasm at maturity. Cell form and size are variable. [CL:0000276, GOC:ef, GOC:jid, PO:0000077]' - }, - 'GO:0014002': { - 'name': 'astrocyte development', - 'def': 'The process aimed at the progression of an astrocyte over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. An astrocyte is the most abundant type of glial cell. Astrocytes provide support for neurons and regulate the environment in which they function. [GOC:dgh, GOC:ef]' - }, - 'GO:0014003': { - 'name': 'oligodendrocyte development', - 'def': 'The process aimed at the progression of an oligodendrocyte over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. An oligodendrocyte is a type of glial cell involved in myelinating the axons in the central nervous system. [GOC:dgh, GOC:ef]' - }, - 'GO:0014004': { - 'name': 'microglia differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a microglial cell. Microglia are glial cells that act as the immune cells of the central nervous system. They form part of the supporting structure of this system. [GOC:ef]' - }, - 'GO:0014005': { - 'name': 'microglia development', - 'def': 'The process aimed at the progression of a microglial cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dgh, GOC:ef]' - }, - 'GO:0014006': { - 'name': 'regulation of microglia differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of microglia differentiation, the process in which a relatively unspecialized cell acquires specialized features of a microglial cell. [GOC:ef]' - }, - 'GO:0014007': { - 'name': 'negative regulation of microglia differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of microglia differentiation, the process in which a relatively unspecialized cell acquires specialized features of a microglial cell. [GOC:ef]' - }, - 'GO:0014008': { - 'name': 'positive regulation of microglia differentiation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of microglia differentiation, the process in which a relatively unspecialized cell acquires specialized features of a microglial cell. [GOC:ef]' - }, - 'GO:0014009': { - 'name': 'glial cell proliferation', - 'def': 'The multiplication or reproduction of glial cells by cell division, resulting in the expansion of their population. Glial cells exist throughout the nervous system, and include Schwann cells, astrocytes, and oligodendrocytes among others. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014010': { - 'name': 'Schwann cell proliferation', - 'def': 'The multiplication or reproduction of Schwann cells, resulting in the expansion of their population. Schwann cells are a type of glial cell in the peripheral nervous system. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014011': { - 'name': 'Schwann cell proliferation involved in axon regeneration', - 'def': 'The multiplication or reproduction of Schwann cells by cell division, resulting in the expansion of their population in response to an axonal lesion. The newly generated Schwann cells support subsequent axon regeneration in the peripheral nervous system. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014012': { - 'name': 'peripheral nervous system axon regeneration', - 'def': 'The regrowth of axons outside the central nervous system (outside the brain and spinal cord) following an axonal injury. [GOC:ef]' - }, - 'GO:0014013': { - 'name': 'regulation of gliogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of gliogenesis, the formation of mature glia. [GOC:ef]' - }, - 'GO:0014014': { - 'name': 'negative regulation of gliogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of gliogenesis, the formation of mature glia. [GOC:ef]' - }, - 'GO:0014015': { - 'name': 'positive regulation of gliogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of gliogenesis, the formation of mature glia. [GOC:ef]' - }, - 'GO:0014016': { - 'name': 'neuroblast differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuroblast. There are at least four stages through which the pluripotent cells of epiblast or blastula become neuroblasts. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014017': { - 'name': 'neuroblast fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will differentiate into a neuroblast. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014018': { - 'name': 'neuroblast fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a neuroblast in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014019': { - 'name': 'neuroblast development', - 'def': 'The process aimed at the progression of a neuroblast over time, from initial commitment of the cell to a specific state, to the mature neuroblast. It does not include processes where the neuroblast turns into a glial cell or a neuron. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014020': { - 'name': 'primary neural tube formation', - 'def': 'The formation of the neural tube from an epithelial cell sheet (the neuroepithelium or neural plate). In primary neurulation, the cells surrounding the neural plate direct the neural plate cells to proliferate, invaginate, and pinch off from the surface to form a hollow epithelial tube. Primary neurulation is the typical mechanism of formation of the anterior neural tube. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014021': { - 'name': 'secondary neural tube formation', - 'def': 'The formation of the neural tube by coalescence of mesenchymal cells followed by their conversion to epithelial cells to form a solid cord that subsequently hollows out (cavitates) to create a hollow tube. Secondary neurulation is the typical mechanism of formation of the neural tube posterior to the posterior neuropore in mammals. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014022': { - 'name': 'neural plate elongation', - 'def': 'The process in which the neural plate is shaped by the intrinsic movement of the epidermal and neural plate regions. [GOC:ef, ISBN:0878932585]' - }, - 'GO:0014023': { - 'name': 'neural rod formation', - 'def': 'The formation of a solid rod of neurectoderm derived from the neural keel. The neural rod is roughly circular in cross section. Neural rod formation occurs during primary neurulation in teleosts. [GOC:dh, GOC:ef]' - }, - 'GO:0014024': { - 'name': 'neural rod cavitation', - 'def': 'The process of rod cavitation, which is the formation of a lumen in the neural rod during primary neurulation, producing the neural tube. [GOC:ef, PMID:15327780]' - }, - 'GO:0014025': { - 'name': 'neural keel formation', - 'def': 'The formation of a thickened region of the neurectoderm that is roughly triangular in cross section. The neural keel develops from the neural plate and develops into the neural rod. Neural keel formation occurs during primary neurulation in teleosts. [GOC:dh, GOC:ef]' - }, - 'GO:0014027': { - 'name': 'secondary neural tube rod cavitation', - 'def': 'The process of medullary cavitation, which is the formation of a lumen in the medullary cord during secondary neurulation, producing the neural tube. [GOC:ef, PMID:15327780]' - }, - 'GO:0014028': { - 'name': 'notochord formation', - 'def': 'The formation of the notochord from the chordamesoderm. The notochord is composed of large cells packed within a firm connective tissue sheath and is found in all chordates at the ventral surface of the neural tube. In vertebrates, the notochord contributes to the vertebral column. [GOC:dh, GOC:ef]' - }, - 'GO:0014029': { - 'name': 'neural crest formation', - 'def': 'The formation of the specialized region of ectoderm between the neural ectoderm (neural plate) and non-neural ectoderm. The neural crest gives rise to the neural crest cells that migrate away from this region as neural tube formation procedes. [GOC:dh, GOC:ef]' - }, - 'GO:0014030': { - 'name': 'mesenchymal cell fate commitment', - 'def': 'The process in which a cell becomes committed to become a mesenchymal cell. [GOC:dh, GOC:ef]' - }, - 'GO:0014031': { - 'name': 'mesenchymal cell development', - 'def': 'The process aimed at the progression of a mesenchymal cell over time, from initial commitment of the cell to its specific fate, to the fully functional differentiated cell. [GOC:dh, GOC:ef]' - }, - 'GO:0014032': { - 'name': 'neural crest cell development', - 'def': 'The process aimed at the progression of a neural crest cell over time, from initial commitment of the cell to its specific fate, to the fully functional differentiated cell. [GOC:dh, GOC:ef]' - }, - 'GO:0014033': { - 'name': 'neural crest cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neural crest cell. [GOC:dh, GOC:ef]' - }, - 'GO:0014034': { - 'name': 'neural crest cell fate commitment', - 'def': 'The process in which a cell becomes committed to become a neural crest cell. [GOC:dh, GOC:ef]' - }, - 'GO:0014035': { - 'name': 'neural crest cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a neural crest cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:dh, GOC:ef]' - }, - 'GO:0014036': { - 'name': 'neural crest cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a neural crest cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:dh, GOC:ef]' - }, - 'GO:0014037': { - 'name': 'Schwann cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a Schwann cell. Schwann cells are found in the peripheral nervous system, where they insulate neurons and axons, and regulate the environment in which neurons function. [GOC:ef]' - }, - 'GO:0014038': { - 'name': 'regulation of Schwann cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of Schwann cell differentiation. [GOC:ef]' - }, - 'GO:0014039': { - 'name': 'negative regulation of Schwann cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Schwann cell differentiation. [GOC:ef]' - }, - 'GO:0014040': { - 'name': 'positive regulation of Schwann cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of Schwann cell differentiation. [GOC:ef]' - }, - 'GO:0014041': { - 'name': 'regulation of neuron maturation', - 'def': 'Any process that modulates the frequency, rate or extent of neuron maturation, the process leading to the attainment of the full functional capacity of a neuron. This process is independent of morphogenetic change. [GOC:ef]' - }, - 'GO:0014042': { - 'name': 'positive regulation of neuron maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuron maturation. [GOC:ef]' - }, - 'GO:0014043': { - 'name': 'negative regulation of neuron maturation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of neuron maturation. [GOC:ef]' - }, - 'GO:0014044': { - 'name': 'Schwann cell development', - 'def': 'The process aimed at the progression of a Schwann cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. Schwann cells are found in the peripheral nervous system, where they insulate neurons and axons, and regulate the environment in which neurons function. [GOC:dgh, GOC:ef]' - }, - 'GO:0014045': { - 'name': 'establishment of endothelial blood-brain barrier', - 'def': 'Establishment of the endothelial barrier between the blood and the brain. The endothelial cells in the brain capillaries are packed tightly together preventing the passage of most molecules from the blood into the brain. Only lipid soluble molecules or those that are actively transported can pass through the blood-brain barrier. [GOC:dgh, GOC:dph, GOC:sart]' - }, - 'GO:0014046': { - 'name': 'dopamine secretion', - 'def': 'The regulated release of dopamine by a cell. Dopamine is a catecholamine and a precursor of adrenaline and noradrenaline. It acts as a neurotransmitter in the central nervous system but it is also produced peripherally and acts as a hormone. [GOC:ef]' - }, - 'GO:0014047': { - 'name': 'glutamate secretion', - 'def': 'The controlled release of glutamate by a cell. The glutamate is the most abundant excitatory neurotransmitter in the nervous system. [GOC:ef]' - }, - 'GO:0014048': { - 'name': 'regulation of glutamate secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the controlled release of glutamate. [GOC:ef]' - }, - 'GO:0014049': { - 'name': 'positive regulation of glutamate secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the controlled release of glutamate. [GOC:ef]' - }, - 'GO:0014050': { - 'name': 'negative regulation of glutamate secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the controlled release of glutamate. [GOC:ef]' - }, - 'GO:0014051': { - 'name': 'gamma-aminobutyric acid secretion', - 'def': 'The regulated release of gamma-aminobutyric acid by a cell or a tissue. The gamma-aminobutyric acid is the principal inhibitory neurotransmitter in the brain but is also found in several extraneural tissues. [GOC:ef]' - }, - 'GO:0014052': { - 'name': 'regulation of gamma-aminobutyric acid secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of gamma-aminobutyric acid. [GOC:ef]' - }, - 'GO:0014053': { - 'name': 'negative regulation of gamma-aminobutyric acid secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of gamma-aminobutyric acid. [GOC:ef]' - }, - 'GO:0014054': { - 'name': 'positive regulation of gamma-aminobutyric acid secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of gamma-aminobutyric acid. [GOC:ef]' - }, - 'GO:0014055': { - 'name': 'acetylcholine secretion, neurotransmission', - 'def': 'The regulated release of acetylcholine by a cell. The acetylcholine acts as a neurotransmitter that acts in both the peripheral nervous system (PNS) and central nervous system (CNS). [GOC:ef]' - }, - 'GO:0014056': { - 'name': 'regulation of acetylcholine secretion, neurotransmission', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of acetylcholine. [GOC:ef]' - }, - 'GO:0014057': { - 'name': 'positive regulation of acetylcholine secretion, neurotransmission', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of acetylcholine. [GOC:ef]' - }, - 'GO:0014058': { - 'name': 'negative regulation of acetylcholine secretion, neurotransmission', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of acetylcholine. [GOC:ef]' - }, - 'GO:0014059': { - 'name': 'regulation of dopamine secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of dopamine. [GOC:ef]' - }, - 'GO:0014060': { - 'name': 'regulation of epinephrine secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of epinephrine. [GOC:ef]' - }, - 'GO:0014061': { - 'name': 'regulation of norepinephrine secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of norepinephrine. [GOC:ef]' - }, - 'GO:0014062': { - 'name': 'regulation of serotonin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of serotonin. [GOC:ef]' - }, - 'GO:0014063': { - 'name': 'negative regulation of serotonin secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of serotonin. [GOC:ef]' - }, - 'GO:0014064': { - 'name': 'positive regulation of serotonin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of serotonin. [GOC:ef]' - }, - 'GO:0014065': { - 'name': 'phosphatidylinositol 3-kinase signaling', - 'def': 'A series of reactions within the signal-receiving cell, mediated by the intracellular phosphatidylinositol 3-kinase (PI3K). Many cell surface receptor linked signaling pathways signal through PI3K to regulate numerous cellular functions. [GOC:ef, http://www.biocarta.com, PMID:22525052, Wikipedia:PI3K]' - }, - 'GO:0014066': { - 'name': 'regulation of phosphatidylinositol 3-kinase signaling', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction mediated by the phosphatidylinositol 3-kinase cascade. [GOC:ef]' - }, - 'GO:0014067': { - 'name': 'negative regulation of phosphatidylinositol 3-kinase signaling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signal transduction mediated by the phosphatidylinositol 3-kinase cascade. [GOC:ef]' - }, - 'GO:0014068': { - 'name': 'positive regulation of phosphatidylinositol 3-kinase signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction mediated by the phosphatidylinositol 3-kinase cascade. [GOC:ef]' - }, - 'GO:0014069': { - 'name': 'postsynaptic density', - 'def': 'An electron dense network of proteins within and adjacent to the postsynaptic membrane in asymetric synapses. Its major components include neurotransmitter receptors and the proteins that spatially and functionally organize them such as anchoring and scaffolding molecules, signaling enzymes and cytoskeletal components. [GOC:BHF, GOC:dos, GOC:ef, GOC:jid, GOC:pr, GOC:sjp, http://molneuro.kaist.ac.kr/psd, PMID:14532281, Wikipedia:Postsynaptic_density]' - }, - 'GO:0014070': { - 'name': 'response to organic cyclic compound', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an organic cyclic compound stimulus. [CHEBI:33832, GOC:ef]' - }, - 'GO:0014071': { - 'name': 'response to cycloalkane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cycloalkane stimulus. A cycloalkane is a cyclic saturated hydrocarbon having the general formula CnH2n. [CHEBI:23453, GOC:ef]' - }, - 'GO:0014072': { - 'name': 'response to isoquinoline alkaloid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an isoquinoline alkaloid stimulus. An isoquinoline alkaloid is any member of a group of compounds with the heterocyclic ring structure of benzo(c)pyridine which is a structure characteristic of the group of opium alkaloids. [CHEBI:24921, GOC:ef]' - }, - 'GO:0014073': { - 'name': 'response to tropane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tropane stimulus. Tropane is a nitrogenous bicyclic organic compound mainly known for a group of alkaloids derived from it (called tropane alkaloids), which include, among others, atropine and cocaine. [CHEBI:35615, GOC:ef]' - }, - 'GO:0014074': { - 'name': 'response to purine-containing compound', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a purine-containing compound stimulus. [CHEBI:26401, GOC:ef]' - }, - 'GO:0014075': { - 'name': 'response to amine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amine stimulus. An amine is a compound formally derived from ammonia by replacing one, two or three hydrogen atoms by hydrocarbyl groups. [CHEBI:32952, GOC:ef]' - }, - 'GO:0014076': { - 'name': 'response to fluoxetine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fluoxetine stimulus. Fluoxetine increases the extracellular level of the neurotransmitter serotonin by inhibiting its reuptake into the presynaptic cell, increasing the level of serotonin available to bind to the postsynaptic receptor. [CHEBI:5118, GOC:ef, GOC:pr]' - }, - 'GO:0014701': { - 'name': 'junctional sarcoplasmic reticulum membrane', - 'def': 'The part of the sarcoplasmic reticulum membrane that contains calcium release channels, is devoted to calcium release and is juxtaposed to transverse tubule membrane. The junctional sarcoplasmic reticulum membrane consists of the junctional region of the terminal cisterna membrane. [GOC:mtg_muscle]' - }, - 'GO:0014702': { - 'name': 'free sarcoplasmic reticulum membrane', - 'def': 'The part of the sarcoplasmic reticulum membrane that contains calcium pumps and is devoted to calcium uptake. The free sarcoplasmic reticulum membrane consists of the longitudinal sarcoplasmic reticulum membrane and the non-junctional region of the terminal cisterna membrane. [GOC:mtg_muscle]' - }, - 'GO:0014703': { - 'name': 'oscillatory muscle contraction', - 'def': 'A process in which force is generated within oscillatory skeletal muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. Oscillatory muscle contraction occurs in insect wing muscles and is characterized by asynchrony between action potential and contraction and by stretch activation. [GOC:mtg_muscle]' - }, - 'GO:0014704': { - 'name': 'intercalated disc', - 'def': 'A complex cell-cell junction at which myofibrils terminate in cardiomyocytes; mediates mechanical and electrochemical integration between individual cardiomyocytes. The intercalated disc contains regions of tight mechanical attachment (fasciae adherentes and desmosomes) and electrical coupling (gap junctions) between adjacent cells. [GOC:mtg_muscle, PMID:11732910]' - }, - 'GO:0014705': { - 'name': 'C zone', - 'def': 'A region of the A band in which myosin-binding protein C is located and that can be seen by electron microscopy. This is a functional zone that also includes myosin. [GOC:mtg_muscle]' - }, - 'GO:0014706': { - 'name': 'striated muscle tissue development', - 'def': 'The process whose specific outcome is the progression of a striated muscle over time, from its formation to the mature structure. Striated muscle contain fibers that are divided by transverse bands into striations, and cardiac and skeletal muscle are types of striated muscle. Skeletal muscle myoblasts fuse to form myotubes and eventually multinucleated muscle fibers. The fusion of cardiac cells is very rare and can only form binucleate cells. [CL:0000737, GOC:dph, GOC:mtg_muscle]' - }, - 'GO:0014707': { - 'name': 'branchiomeric skeletal muscle development', - 'def': 'The process whose specific outcome is the progression of the branchiomeric skeletal muscle over time, from its formation to the mature structure. The branchiomeric muscle is derived from cranial mesoderm and controls facial expression, pharyngeal and laryngeal function, operating the jaw. The muscle begins its development with the differentiation of the muscle cells and ends with the mature muscle. Branchiomeric muscles of mammals correspond to the gill musculature of fish. [GOC:mtg_muscle]' - }, - 'GO:0014708': { - 'name': 'regulation of somitomeric trunk muscle development', - 'def': 'Any process that modulates the frequency, rate or extent of somitomeric trunk muscle development. [GOC:mtg_muscle]' - }, - 'GO:0014709': { - 'name': 'positive regulation of somitomeric trunk muscle development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of somitomeric trunk muscle development. The somitomeric trunk muscle is derived from somitomeric mesoderm. The muscle begins its development with the differentiation of the muscle cells and ends with the mature muscle. [GOC:mtg_muscle]' - }, - 'GO:0014710': { - 'name': 'negative regulation of somitomeric trunk muscle development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of somitomeric trunk muscle development. The somitomeric trunk muscle is derived from somitomeric mesoderm. The muscle begins its development with the differentiation of the muscle cells and ends with the mature muscle. [GOC:mtg_muscle]' - }, - 'GO:0014711': { - 'name': 'regulation of branchiomeric skeletal muscle development', - 'def': 'Any process that modulates the frequency, rate or extent of branchiomeric skeletal muscle development. Branchiomeric skeletal muscle development is the process whose specific outcome is the progression of the branchiomeric skeletal muscle over time, from its formation to the mature structure. [GOC:mtg_muscle]' - }, - 'GO:0014712': { - 'name': 'positive regulation of branchiomeric skeletal muscle development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of branchiomeric skeletal muscle development. Branchiomeric skeletal muscle development is the process whose specific outcome is the progression of the branchiomeric skeletal muscle over time, from its formation to the mature structure. [GOC:mtg_muscle]' - }, - 'GO:0014713': { - 'name': 'negative regulation of branchiomeric skeletal muscle development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of branchiomeric skeletal muscle development. Branchiomeric skeletal muscle development is the process whose specific outcome is the progression of the branchiomeric skeletal muscle over time, from its formation to the mature structure. [GOC:mtg_muscle]' - }, - 'GO:0014714': { - 'name': 'myoblast fate commitment in head', - 'def': 'The process, taking place in the head, whereby the developmental fate of a cell becomes restricted such that it will develop into a myoblast. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:mtg_muscle]' - }, - 'GO:0014715': { - 'name': 'myoblast fate commitment in trunk', - 'def': 'The process taking place in the trunk whereby the developmental fate of a cell becomes restricted such that it will develop into a myoblast. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:mtg_muscle]' - }, - 'GO:0014716': { - 'name': 'skeletal muscle satellite stem cell asymmetric division involved in skeletal muscle regeneration', - 'def': 'Skeletal muscle satellite cell asymmetric division that occurs during a process in which damaged muscle tissue is being rebuilt. [GOC:mtg_muscle]' - }, - 'GO:0014717': { - 'name': 'regulation of satellite cell activation involved in skeletal muscle regeneration', - 'def': 'Any process that modulates the frequency, rate or extent of satellite cell activation. The satellite cell activation is the process that initiates satellite cell division by causing it to move from quiescence to the G1 stage of the cell cycle. The cell swells and there are a number of other small changes. The cells then start to divide. Following cell division the cells will differentiate. [GOC:mtg_muscle]' - }, - 'GO:0014718': { - 'name': 'positive regulation of satellite cell activation involved in skeletal muscle regeneration', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of activation of satellite cell involved in skeletal muscle regeneration. The activation of satellite cell is the process that initiates satellite cell division by causing it to move from quiescence to the G1 stage of the cell cycle. The cell swells and there are a number of other small changes. The cells then start to divide. Following cell division the cells will differentiate. [GOC:mtg_muscle]' - }, - 'GO:0014719': { - 'name': 'skeletal muscle satellite cell activation', - 'def': 'The change of a skeletal muscle satellite cell from a mitotically quiescent to a mitotically active state following exposure to some activating factor such as a cellular or soluble ligand. In adult muscle, satellite cells become activated to divide and differentiate in response to muscle damage. [GOC:mtg_muscle, PMID:23303905]' - }, - 'GO:0014720': { - 'name': 'tonic skeletal muscle contraction', - 'def': 'A process in which force is generated within tonic skeletal muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The tonic skeletal muscle is characterized by long lasting contractile responses and high resistance to fatigue. [GOC:mtg_muscle]' - }, - 'GO:0014721': { - 'name': 'twitch skeletal muscle contraction', - 'def': 'A process in which force is generated within twitch skeletal muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The twitch skeletal muscle responds to neurostimulations with a contraction followed by a relaxation. [GOC:mtg_muscle]' - }, - 'GO:0014722': { - 'name': 'regulation of skeletal muscle contraction by calcium ion signaling', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle contraction by changing the calcium ion signals that trigger contraction. [GOC:mtg_muscle]' - }, - 'GO:0014723': { - 'name': 'regulation of skeletal muscle contraction by modulation of calcium ion sensitivity of myofibril', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle contraction by changing calcium ion binding affinity of the myofibril. [GOC:mtg_muscle]' - }, - 'GO:0014724': { - 'name': 'regulation of twitch skeletal muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of twitch skeletal muscle contraction. [GOC:mtg_muscle]' - }, - 'GO:0014725': { - 'name': 'regulation of extraocular skeletal muscle development', - 'def': 'Any process that modulates the frequency, rate or extent of extraocular skeletal muscle development. Extraocular skeletal muscle development is the process whose specific outcome is the progression of the extraocular skeletal muscle over time, from its formation to the mature structure. The extraocular muscle is derived from cranial mesoderm and controls eye movements. The muscle begins its development with the differentiation of the muscle cells and ends with the mature muscle. [GOC:mtg_muscle]' - }, - 'GO:0014726': { - 'name': 'negative regulation of extraocular skeletal muscle development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of extraocular skeletal muscle development. Extraocular skeletal muscle development is the process whose specific outcome is the progression of the extraocular skeletal muscle over time, from its formation to the mature structure. The extraocular muscle is derived from cranial mesoderm and controls eye movements. The muscle begins its development with the differentiation of the muscle cells and ends with the mature muscle. [GOC:mtg_muscle]' - }, - 'GO:0014727': { - 'name': 'positive regulation of extraocular skeletal muscle development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of extraocular skeletal muscle development. Extraocular skeletal muscle development is the process whose specific outcome is the progression of the extraocular skeletal muscle over time, from its formation to the mature structure. The extraocular muscle is derived from cranial mesoderm and controls eye movements. The muscle begins its development with the differentiation of the muscle cells and ends with the mature muscle. [GOC:mtg_muscle]' - }, - 'GO:0014728': { - 'name': 'regulation of the force of skeletal muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of the force of skeletal muscle contraction. The force of skeletal muscle contraction is produced by acto-myosin interaction processes through the formation of cross bridges. [GOC:mtg_muscle]' - }, - 'GO:0014729': { - 'name': 'regulation of the velocity of shortening of skeletal muscle modulating contraction', - 'def': 'Any process that modulates velocity of shortening of a skeletal muscle contraction. The shortening leads to reduction of the length of muscle fibers and sarcomeres. [GOC:mtg_muscle]' - }, - 'GO:0014730': { - 'name': 'skeletal muscle regeneration at neuromuscular junction', - 'def': 'The regrowth of muscle tissue to repair injured or damaged muscle fibers in the postnatal stage at the neuromuscular junction. Regeneration of neuromuscular junctions occurs in an orderly way and relies on communication between nerve and muscle. Skeletal myofibers regenerate after injury and form neuro-muscular junctions with motor axons similar to normal ones. Regenerating myofibers develop within the basal lamina sheaths (satellite cells) of original myofibers. [GOC:mtg_muscle]' - }, - 'GO:0014731': { - 'name': 'spectrin-associated cytoskeleton', - 'def': 'The part of the cytoskeleton composed of spectrin, protein 4.1 and ankyrin. Spectrin-associated cytoskeleton is associated with the plasma membrane. [GOC:mtg_muscle, PMID:15970557]' - }, - 'GO:0014732': { - 'name': 'skeletal muscle atrophy', - 'def': 'A process, occurring in skeletal muscle, that is characterized by a decrease in protein content, fiber diameter, force production and fatigue resistance in response to different conditions such as starvation, aging and disuse. [GOC:mtg_muscle]' - }, - 'GO:0014733': { - 'name': 'regulation of skeletal muscle adaptation', - 'def': 'Any process in which skeletal muscle adapts, with consequent modifications to structural and/or functional phenotypes, in response to a stimulus. Stimuli include contractile activity, loading conditions, substrate supply, and environmental factors. These adaptive events occur in both muscle fibers and associated structures (motoneurons and capillaries), and they involve alterations in regulatory mechanisms, contractile properties and metabolic capacities. [GOC:mtg_muscle]' - }, - 'GO:0014734': { - 'name': 'skeletal muscle hypertrophy', - 'def': 'The enlargement or overgrowth of all or part of an organ due to an increase in size (not length) of individual muscle fibers without cell division. In the case of skeletal muscle cells this happens due to the additional synthesis of sarcomeric proteins and assembly of myofibrils. [GOC:mtg_muscle]' - }, - 'GO:0014735': { - 'name': 'regulation of muscle atrophy', - 'def': 'Any process that modulates the frequency, rate or extent of muscle atrophy. [GOC:mtg_muscle]' - }, - 'GO:0014736': { - 'name': 'negative regulation of muscle atrophy', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of muscle atrophy. [GOC:mtg_muscle]' - }, - 'GO:0014737': { - 'name': 'positive regulation of muscle atrophy', - 'def': 'Any process that activates or increases the frequency, rate or extent of muscle atrophy. [GOC:mtg_muscle]' - }, - 'GO:0014738': { - 'name': 'regulation of muscle hyperplasia', - 'def': 'Any process that modulates the frequency, rate or extent of muscle hyperplasia. [GOC:mtg_muscle]' - }, - 'GO:0014739': { - 'name': 'positive regulation of muscle hyperplasia', - 'def': 'Any process that activates or increases the frequency, rate or extent of muscle hyperplasia. [GOC:mtg_muscle]' - }, - 'GO:0014740': { - 'name': 'negative regulation of muscle hyperplasia', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of muscle hyperplasia. [GOC:mtg_muscle]' - }, - 'GO:0014741': { - 'name': 'negative regulation of muscle hypertrophy', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of muscle hypertrophy. [GOC:mtg_muscle]' - }, - 'GO:0014742': { - 'name': 'positive regulation of muscle hypertrophy', - 'def': 'Any process that activates or increases the frequency, rate or extent of muscle hypertrophy. [GOC:mtg_muscle]' - }, - 'GO:0014743': { - 'name': 'regulation of muscle hypertrophy', - 'def': 'Any process that modulates the frequency, rate or extent of muscle hypertrophy. [GOC:mtg_muscle]' - }, - 'GO:0014744': { - 'name': 'positive regulation of muscle adaptation', - 'def': 'Any process that activates or increases the frequency, rate or extent of muscle adaptation. [GOC:mtg_muscle]' - }, - 'GO:0014745': { - 'name': 'negative regulation of muscle adaptation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of muscle adaptation. [GOC:mtg_muscle]' - }, - 'GO:0014746': { - 'name': 'regulation of tonic skeletal muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of tonic skeletal muscle contraction. [GOC:mtg_muscle]' - }, - 'GO:0014747': { - 'name': 'positive regulation of tonic skeletal muscle contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of tonic skeletal muscle contraction. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014748': { - 'name': 'negative regulation of tonic skeletal muscle contraction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of tonic skeletal muscle contraction. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014801': { - 'name': 'longitudinal sarcoplasmic reticulum', - 'def': 'The portion of the free sarcoplasmic reticulum consisting of longitudinal tubules that connect terminal cisternae. [GOC:mtg_muscle]' - }, - 'GO:0014802': { - 'name': 'terminal cisterna', - 'def': 'The portion of sarcoplasmic reticulum devoted to calcium ion storage and calcium ion release. [GOC:mtg_muscle]' - }, - 'GO:0014803': { - 'name': 'longitudinal sarcoplasmic reticulum lumen', - 'def': 'The region between the inner and outer lipid bilayers of the longitudinal sarcoplasmic reticulum envelope. The longitudinal sarcoplasmic reticulum lumen is continuous with the lumen contained within the terminal cisternae. [GOC:mtg_muscle]' - }, - 'GO:0014804': { - 'name': 'terminal cisterna lumen', - 'def': 'The region between the inner and outer lipid bilayers of the terminal cisterna envelope. This space is enriched in calsequestrin. [GOC:mtg_muscle]' - }, - 'GO:0014805': { - 'name': 'smooth muscle adaptation', - 'def': 'Any process in which smooth muscle adapts, with consequent modifications to structural and/or functional phenotypes, in response to a stimulus. Stimuli include contractile activity, loading conditions, substrate supply, and environmental factors. These adaptive events occur in both muscle fibers and associated structures (motoneurons and capillaries), and they involve alterations in regulatory mechanisms, contractile properties and metabolic capacities. [GOC:mtg_muscle]' - }, - 'GO:0014806': { - 'name': 'smooth muscle hyperplasia', - 'def': 'A process, occurring in smooth muscle, in which there is an increase in cell number by cell division, often leading to an increase in the size of an organ. [GOC:mtg_muscle]' - }, - 'GO:0014807': { - 'name': 'regulation of somitogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of somitogenesis. [GOC:mtg_muscle]' - }, - 'GO:0014808': { - 'name': 'release of sequestered calcium ion into cytosol by sarcoplasmic reticulum', - 'def': 'The process in which the release of sequestered calcium ion by sarcoplasmic reticulum into cytosol occurs via calcium release channels. [GOC:mtg_muscle]' - }, - 'GO:0014809': { - 'name': 'regulation of skeletal muscle contraction by regulation of release of sequestered calcium ion', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle contraction via the regulation of the release of sequestered calcium ion by sarcoplasmic reticulum into cytosol. The sarcoplasmic reticulum is the endoplasmic reticulum of striated muscle, specialised for the sequestration of calcium ions that are released upon receipt of a signal relayed by the T tubules from the neuromuscular junction. [GOC:mtg_muscle]' - }, - 'GO:0014810': { - 'name': 'positive regulation of skeletal muscle contraction by regulation of release of sequestered calcium ion', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of skeletal muscle contraction via the regulation of the release of sequestered calcium ion by sarcoplasmic reticulum into cytosol. The sarcoplasmic reticulum is the endoplasmic reticulum of striated muscle, specialised for the sequestration of calcium ions that are released upon receipt of a signal relayed by the T tubules from the neuromuscular junction. [GOC:mtg_muscle]' - }, - 'GO:0014811': { - 'name': 'negative regulation of skeletal muscle contraction by regulation of release of sequestered calcium ion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of skeletal muscle contraction via the regulation of the release of sequestered calcium ion by sarcoplasmic reticulum into cytosol. The sarcoplasmic reticulum is the endoplasmic reticulum of striated muscle, specialised for the sequestration of calcium ions that are released upon receipt of a signal relayed by the T tubules from the neuromuscular junction. [GOC:mtg_muscle]' - }, - 'GO:0014812': { - 'name': 'muscle cell migration', - 'def': 'The orderly movement of a muscle cell from one site to another, often during the development of a multicellular organism. [CL:0000187, GOC:mtg_muscle]' - }, - 'GO:0014813': { - 'name': 'skeletal muscle satellite cell commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a satellite cell. [GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014814': { - 'name': 'axon regeneration at neuromuscular junction', - 'def': 'The regrowth of axons following their loss or damage at the neuromuscular junction. Motor axons regenerate after injury and they form neuro-muscular junctions with skeletal myofibers similar to normal ones. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014815': { - 'name': 'initiation of skeletal muscle satellite cell activation by growth factor signalling, involved in skeletal muscle regeneration', - 'def': 'Signalling between growth factors and their receptors that results in the activation of satellite cell, where this process is involved in skeletal muscle regeneration. Satellite cells are quiescent cells that are located between the basal lamina and the plasmalemma of the muscle fiber, which are the main contributors to postnatal muscle growth. In adult muscle, satellite cells become activated to divide and differentiate in response to muscle damage. [GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014816': { - 'name': 'skeletal muscle satellite cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a satellite cell. [GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014817': { - 'name': 'skeletal muscle satellite cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a skeletal muscle satellite cell in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. [GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014818': { - 'name': 'skeletal muscle satellite cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a skeletal muscle satellite cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014819': { - 'name': 'regulation of skeletal muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle contraction. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014820': { - 'name': 'tonic smooth muscle contraction', - 'def': 'A process in which force is generated within tonic smooth muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. In the tonic smooth muscle, the muscle contraction occurs without an ordered sarcomeric structure. Tonic smooth muscle contraction occurs as a sustained continuous contraction. [GOC:mtg_muscle]' - }, - 'GO:0014821': { - 'name': 'phasic smooth muscle contraction', - 'def': 'A process in which force is generated within phasic smooth muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. In the phasic smooth muscle, the muscle contraction occurs without an ordered sarcomeric structure. Phasic smooth muscle contraction occurs in a series of discrete contractions and relaxations. [GOC:mtg_muscle]' - }, - 'GO:0014822': { - 'name': 'detection of wounding', - 'def': 'The series of events by which an injury stimulus is received and converted into a molecular signal. [GOC:mtg_muscle]' - }, - 'GO:0014823': { - 'name': 'response to activity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an activity stimulus. [GOC:mtg_muscle]' - }, - 'GO:0014824': { - 'name': 'artery smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the artery. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The artery is a vessel carrying blood away from the heart. [GOC:mtg_muscle, MA:0000708, MSH:D001158]' - }, - 'GO:0014825': { - 'name': 'stomach fundus smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the fundus of stomach. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The fundus is the portion of the stomach that lies above the cardiac notch. [GOC:mtg_muscle, MA:0001612]' - }, - 'GO:0014826': { - 'name': 'vein smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the vein. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The vein is a vessel carrying blood away from the capillary beds. [GOC:mtg_muscle, MA:0000715, MSH:D014680]' - }, - 'GO:0014827': { - 'name': 'intestine smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the intestine. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The intestine is the section of the alimentary canal from the stomach to the anal canal. It includes the large intestine and small intestine. [GOC:mtg_muscle, MA:0001539, MSH:D007422]' - }, - 'GO:0014828': { - 'name': 'distal stomach smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the distal stomach. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The distal stomach is composed of the lower body and antrum and develops strong peristaltic phasic contractions that increase in amplitude as they propagate toward the pylorus. [GOC:mtg_muscle, http://biology.about.com]' - }, - 'GO:0014829': { - 'name': 'vascular smooth muscle contraction', - 'def': 'A process, occurring in the vascular tissue, whereby actin/myosin complex activity generates force through ATP hydrolysis resulting in a change in smooth muscle geometry. This process is always coupled to chemo-mechanical energy conversion. [GOC:mtg_muscle, MA:0002718]' - }, - 'GO:0014830': { - 'name': 'arteriole smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the arteriole. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The arteriole is the smallest division of the artery located between the muscular arteries and the capillaries. [GOC:mtg_muscle, MA:0000706, MSH:D001160]' - }, - 'GO:0014831': { - 'name': 'gastro-intestinal system smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the gastro-intestinal system. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The gastro-intestinal system generally refers to the digestive structures stretching from the mouth to anus, but does not include the accessory glandular organs (liver, pancreas and biliary tract). [GOC:mtg_muscle, MA:0001523, MSH:D041981]' - }, - 'GO:0014832': { - 'name': 'urinary bladder smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the urinary bladder. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The urinary bladder is a musculomembranous sac along the urinary tract. [GOC:mr, GOC:mtg_muscle, http://en.wikipedia.org/wiki/Rhea_(bird), MA:0001697, MSH:D001743, PMID:11768524, PMID:18276178, PMID:538956]' - }, - 'GO:0014833': { - 'name': 'skeletal muscle satellite stem cell asymmetric division', - 'def': 'The asymmetric division of a skeletal muscle satellite stem cell to produce two daughter cells, one of which is destined to differentiate and the other to be a quiescent cell that restocks the satellite cell pool. [GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014834': { - 'name': 'skeletal muscle satellite cell maintenance involved in skeletal muscle regeneration', - 'def': 'Any process by which the number of skeletal muscle satellite cells in a skeletal muscle is maintained during muscle regeneration. There are at least three mechanisms by which this is achieved. Skeletal muscle satellite stem cell asymmetric division ensures satellite stem cell numbers are kept constant. Symmetric division of these cells amplifies the number of skeletal muscle satellite stem cells. Some adult skeletal muscle myoblasts (descendants of activated satellite cells) can develop back into quiescent satellite cells, replenishing the overall pool of satellite cells. [GOC:dph, GOC:ef, GOC:mtg_muscle, GOC:tb, PMID:23303905]' - }, - 'GO:0014835': { - 'name': 'myoblast differentiation involved in skeletal muscle regeneration', - 'def': 'The process in which a relatively unspecialized satellite cell acquires specialized features of a myoblast. This occurs as part of skeletal muscle regeneration. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014836': { - 'name': 'myoblast fate commitment involved in skeletal muscle regeneration', - 'def': 'The process in which the developmental fate of a satellite cell becomes restricted such that it will develop into a myoblast. This occurs as part of skeletal muscle regeneration. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014837': { - 'name': 'myoblast fate determination involved in skeletal muscle regeneration', - 'def': 'The process in which a satellite cell becomes capable of differentiating autonomously into a myoblast regardless of its environment; upon determination, the cell fate cannot be reversed. This occurs as part of skeletal muscle regeneration. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014838': { - 'name': 'myoblast fate specification involved in skeletal muscle regeneration', - 'def': 'The process in which a satellite cell becomes capable of differentiating autonomously into a myoblast in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. This occurs as part of skeletal muscle regeneration. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014839': { - 'name': 'myoblast migration involved in skeletal muscle regeneration', - 'def': 'The process in which a myoblast migrates along an entire fiber to the site of injury. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014841': { - 'name': 'skeletal muscle satellite cell proliferation', - 'def': 'The multiplication or reproduction of satellite cells, resulting in the expansion of the cell population. Satellite cells are quiescent cells that are located between the basal lamina and the plasmalemma of the muscle fiber, which are the main contributors to postnatal muscle growth. In adult muscle, satellite cells become activated to divide and differentiate in response to muscle damage. [GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014842': { - 'name': 'regulation of skeletal muscle satellite cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle satellite cell proliferation. [GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014843': { - 'name': 'growth factor dependent regulation of skeletal muscle satellite cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of satellite cell proliferation; dependent on specific growth factor activity such as fibroblast growth factors and transforming growth factor beta. [GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014844': { - 'name': 'myoblast proliferation involved in skeletal muscle regeneration', - 'def': 'The multiplication or reproduction of myoblasts, resulting in the expansion of the cell population. This occurs as part of skeletal muscle regeneration. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:ef, GOC:mtg_muscle, PMID:16607119]' - }, - 'GO:0014845': { - 'name': 'stomach body smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the body of stomach. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The body of stomach is the part of the stomach that lies between the fundus above and the pyloric antrum below; its boundaries are poorly defined. [GOC:ef, GOC:mtg_muscle, MA:0002559]' - }, - 'GO:0014846': { - 'name': 'esophagus smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the esophagus. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The esophagus is the muscular membranous segment between the pharynx and the stomach in the upper gastrointestinal tract. [GOC:ef, GOC:mtg_muscle, MA:0001573, MSH:D041742]' - }, - 'GO:0014847': { - 'name': 'proximal stomach smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the proximal stomach. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The proximal stomach, composed of the fundus and upper body, shows low frequency, sustained tonic contractions that are responsible for generating a basal pressure within the stomach. [GOC:mtg_muscle, http://biology.about.com]' - }, - 'GO:0014848': { - 'name': 'urinary tract smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the urinary tract. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The urinary tract consists of organs of the body that produce and discharge urine. These include the kidneys, ureters, bladder, and urethra. [GOC:ef, GOC:mtg_muscle, MA:0000325, MSH:D014551]' - }, - 'GO:0014849': { - 'name': 'ureter smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the ureter. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The ureter is one of a pair of thick-walled tubes that transports urine from the kidney pelvis to the urinary bladder. [GOC:mtg_muscle, MA:0000378]' - }, - 'GO:0014850': { - 'name': 'response to muscle activity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a muscle activity stimulus. [GOC:mtg_muscle]' - }, - 'GO:0014852': { - 'name': 'regulation of skeletal muscle contraction by neural stimulation via neuromuscular junction', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle contraction by variation of the pattern of stimulation by nervous system. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014853': { - 'name': 'regulation of excitatory postsynaptic membrane potential involved in skeletal muscle contraction', - 'def': 'Any process, involved in skeletal muscle contraction, that modulates the establishment or extent of the excitatory postsynaptic potential (EPSP). Excitatory postsynaptic potential (EPSP) is a temporay increase in postsynaptic potential due to the flow of positively charged ions into the postsynaptic cell. The flow of ions that causes an EPSP is an excitatory postsynaptic current (EPSC) and makes it easier for the neuron to fire an action potential. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014854': { - 'name': 'response to inactivity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an inactivity stimulus. [GOC:mtg_muscle]' - }, - 'GO:0014855': { - 'name': 'striated muscle cell proliferation', - 'def': 'The multiplication or reproduction of striated muscle cells, resulting in the expansion of a cell population. Striated muscles contain fibers that are divided by transverse bands into striations, and cardiac and skeletal muscle are types of striated muscle. [CL:0000737, GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014856': { - 'name': 'skeletal muscle cell proliferation', - 'def': 'The multiplication or reproduction of skeletal muscle cells, resulting in the expansion of a cell population. [CL:0000188, GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014857': { - 'name': 'regulation of skeletal muscle cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle cell proliferation. [CL:0000188, GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014858': { - 'name': 'positive regulation of skeletal muscle cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of skeletal muscle cell proliferation. [CL:0000188, GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014859': { - 'name': 'negative regulation of skeletal muscle cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of skeletal muscle cell proliferation. [CL:0000188, GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014860': { - 'name': 'neurotransmitter secretion involved in regulation of skeletal muscle contraction', - 'def': 'The regulated release of neurotransmitter into the synaptic cleft involved in skeletal muscle contraction. A neurotransmitter is any of a group of substances that are released on excitation from the axon terminal of a presynaptic neuron of the central or peripheral nervous system and travel across the synaptic cleft to either excite or inhibit the target cell. Among the many substances that have the properties of a neurotransmitter are acetylcholine, noradrenaline, adrenaline, dopamine, glycine, gamma aminobutyrate, glutamic acid, substance P, enkephalins, endorphins and serotonin. [GOC:dph, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0014861': { - 'name': 'regulation of skeletal muscle contraction via regulation of action potential', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle contraction by depolarization of muscle membrane and ionic fluxes. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:mtg_muscle]' - }, - 'GO:0014862': { - 'name': 'regulation of skeletal muscle contraction by chemo-mechanical energy conversion', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle contraction by regulating force and velocity of shortening. The force of skeletal muscle contraction is produced by acto-myosin interaction processes through formation of cross bridges. The shortening leads to reduction of length of muscle fiber and sarcomeres. [GOC:mtg_muscle]' - }, - 'GO:0014863': { - 'name': 'detection of inactivity', - 'def': 'The series of events in which a inactivity stimulus is received by a cell or organism and converted into a molecular signal. [GOC:mtg_muscle]' - }, - 'GO:0014864': { - 'name': 'detection of muscle activity', - 'def': 'The series of events in which a muscle activity stimulus is received by a cell and converted into a molecular signal. [GOC:mtg_muscle]' - }, - 'GO:0014865': { - 'name': 'detection of activity', - 'def': 'The series of events in which an activity stimulus is received by a cell and converted into a molecular signal. [GOC:mtg_muscle]' - }, - 'GO:0014866': { - 'name': 'skeletal myofibril assembly', - 'def': 'The process whose specific outcome is the progression of the skeletal myofibril over time, from its formation to the mature structure. A skeletal myofibril is a myofibril specific to skeletal muscle cells. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014868': { - 'name': 'cross bridge cycling involved in regulation of the velocity of shortening in skeletal muscle contraction', - 'def': 'A process in which cross bridges are broken and reformed during filament sliding as part of the regulation of the velocity of shortening in skeletal muscle contraction. [GOC:mtg_muscle]' - }, - 'GO:0014869': { - 'name': 'detection of muscle inactivity', - 'def': 'The series of events in which a muscle inactivity stimulus is received by a cell and converted into a molecular signal. [GOC:mtg_muscle]' - }, - 'GO:0014870': { - 'name': 'response to muscle inactivity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a muscle inactivity stimulus. [GOC:mtg_muscle]' - }, - 'GO:0014871': { - 'name': 'cross bridge formation involved in regulation of the velocity of shortening in skeletal muscle contraction', - 'def': 'The process in which actin and myosin interact, split ATP and generate force during skeletal muscle contraction. This process is one of the components of the regulation of the force of skeletal muscle contraction. [GOC:mtg_muscle]' - }, - 'GO:0014872': { - 'name': 'myoblast division', - 'def': 'The process resulting in the physical partitioning and separation of a myoblast into daughter cells. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014873': { - 'name': 'response to muscle activity involved in regulation of muscle adaptation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a muscle activity stimulus. This process occurs as part of the regulation of muscle adaptation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014874': { - 'name': 'response to stimulus involved in regulation of muscle adaptation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus. This occurs as part of the regulation of muscle adaptation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014875': { - 'name': 'detection of muscle activity involved in regulation of muscle adaptation', - 'def': 'The series of events by which a muscle activity stimulus is received and converted into a molecular signal. This occurs as part of the regulation of muscle adaptation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014876': { - 'name': 'response to injury involved in regulation of muscle adaptation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a injury. This process occurs as part of the regulation of muscle adaptation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014877': { - 'name': 'response to muscle inactivity involved in regulation of muscle adaptation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a muscle inactivity stimulus. This process occurs as part of the regulation of muscle adaptation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014878': { - 'name': 'response to electrical stimulus involved in regulation of muscle adaptation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an electrical stimulus. This process occurs as part of the regulation of muscle adaptation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014879': { - 'name': 'detection of electrical stimulus involved in regulation of muscle adaptation', - 'def': 'The series of events by which an electrical stimulus is received and converted into a molecular signal. This occurs as part of the regulation of muscle adaptation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014880': { - 'name': 'regulation of muscle filament sliding involved in regulation of the velocity of shortening in skeletal muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of muscle filament sliding, and consequently contributes to the regulation of the velocity of shortening of skeletal muscle contraction. [GOC:dph, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0014881': { - 'name': 'regulation of myofibril size', - 'def': 'Any process that modulates the size of myofibrils. A myofibril is the contractile element of skeletal and cardiac muscle. It is a long, highly organized bundle of actin, myosin, and other proteins that contracts by a sliding filament mechanism. [GOC:dph, GOC:ef, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0014882': { - 'name': 'regulation of myofibril number', - 'def': 'Any process that modulates the number of myofibrils. A myofibril is the contractile element of skeletal and cardiac muscle. It is a long, highly organized bundle of actin, myosin, and other proteins that contracts by a sliding filament mechanism. [GOC:dph, GOC:ef, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0014883': { - 'name': 'transition between fast and slow fiber', - 'def': 'The process of conversion of fast-contracting muscle fibers to a slower character. This may involve slowing of contractile rate, slow myosin gene induction, increase in oxidative metabolic properties, altered electrophysiology and altered innervation. This process also regulates skeletal muscle adapatation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014884': { - 'name': 'detection of muscle inactivity involved in regulation of muscle adaptation', - 'def': 'The series of events in which a muscle inactivity stimulus is received by a cell and converted into a molecular signal. This occurs as part of the regulation of muscle adaptation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014885': { - 'name': 'detection of injury involved in regulation of muscle adaptation', - 'def': 'The series of events by which an injury stimulus is received and converted into a molecular signal. This occurs as part of the regulation of muscle adaptation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014886': { - 'name': 'transition between slow and fast fiber', - 'def': 'The process of conversion of slow-contracting muscle fibers to a faster character. This may involve increasing of contractile rate, fast myosin gene induction, increase in glycolytic metabolic properties, altered electrophysiology and altered innervation. This process also regulates skeletal muscle adapatation. [GOC:ef, GOC:mtg_muscle]' - }, - 'GO:0014887': { - 'name': 'cardiac muscle adaptation', - 'def': 'The process in which cardiac muscle adapts, with consequent modifications to structural and/or functional phenotypes, in response to a stimulus. Stimuli include contractile activity, loading conditions, substrate supply, and environmental factors. [GOC:mtg_muscle]' - }, - 'GO:0014888': { - 'name': 'striated muscle adaptation', - 'def': 'Any process in which striated muscle adapts, with consequent modifications to structural and/or functional phenotypes, in response to a stimulus. Stimuli include contractile activity, loading conditions, substrate supply, and environmental factors. These adaptive events occur in both muscle fibers and associated structures (motoneurons and capillaries), and they involve alterations in regulatory mechanisms, contractile properties and metabolic capacities. [GOC:mtg_muscle]' - }, - 'GO:0014889': { - 'name': 'muscle atrophy', - 'def': 'A process, occurring in the muscle, that is characterized by a decrease in protein content, fiber diameter, force production and fatigue resistance in response to different conditions such as starvation, aging and disuse. [GOC:mtg_muscle]' - }, - 'GO:0014890': { - 'name': 'smooth muscle atrophy', - 'def': 'A process, occurring in smooth muscle, that is characterized by a decrease in protein content, fiber diameter, force production and fatigue resistance in response to different conditions such as starvation, aging and disuse. [GOC:mtg_muscle]' - }, - 'GO:0014891': { - 'name': 'striated muscle atrophy', - 'def': 'A process, occurring in striated muscle, that is characterized by a decrease in protein content, fiber diameter, force production and fatigue resistance in response to different conditions such as starvation, aging and disuse. [GOC:mtg_muscle]' - }, - 'GO:0014893': { - 'name': 'response to rest involved in regulation of muscle adaptation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a rest stimulus. This process occurs as part of the regulation of muscle adaptation. [GOC:mtg_muscle]' - }, - 'GO:0014894': { - 'name': 'response to denervation involved in regulation of muscle adaptation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a denervation stimulus. This process occurs as part of the regulation of muscle adaptation. [GOC:mtg_muscle]' - }, - 'GO:0014895': { - 'name': 'smooth muscle hypertrophy', - 'def': 'The enlargement or overgrowth of all or part of an organ due to an increase in size of its smooth muscle cells without cell division. Physiological hypertrophy is a normal process during development, and can also occur in mature structures on demand. In the uterus, smooth muscle cells undergo hypertrophy during pregnancy. [GOC:mtg_muscle]' - }, - 'GO:0014896': { - 'name': 'muscle hypertrophy', - 'def': 'The muscle system process that results in enlargement or overgrowth of all or part of a muscle organ due to an increase in the size of its muscle cells. Physiological hypertrophy is a normal process during development (it stops in cardiac muscle after adolescence) and can also be brought on in response to demand. In athletes cardiac and skeletal muscles undergo hypertrophy stimulated by increasing muscle activity on exercise. Smooth muscle cells in the uterus undergo hypertrophy during pregnancy. [GOC:mtg_muscle]' - }, - 'GO:0014897': { - 'name': 'striated muscle hypertrophy', - 'def': 'The enlargement or overgrowth of all or part of an organ due to an increase in size of muscle cells without cell division. In the case of striated muscle, this happens due to the additional synthesis of sarcomeric proteins and assembly of myofibrils. [GOC:mtg_muscle]' - }, - 'GO:0014898': { - 'name': 'cardiac muscle hypertrophy in response to stress', - 'def': 'The physiological enlargement or overgrowth of all or part of the heart muscle due to an increase in size (not length) of individual cardiac muscle fibers, without cell division, as a result of a disturbance in organismal or cellular homeostasis. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:mtg_muscle]' - }, - 'GO:0014899': { - 'name': 'cardiac muscle atrophy', - 'def': 'A process, occurring in the heart, in which a decrease in cell mass and then in heart size occurs due to shrinking of the individual cells. The shrinkage is caused by protein degradation. [GOC:mtg_muscle]' - }, - 'GO:0014900': { - 'name': 'muscle hyperplasia', - 'def': 'A muscle system process that results in an increase in cell number by cell division, often leading to an increase in the size of an organ. [GOC:mtg_muscle]' - }, - 'GO:0014901': { - 'name': 'satellite cell activation involved in skeletal muscle regeneration', - 'def': 'The process that initiates skeletal muscle satellite cell division by causing it to move from quiescence to the G1 stage of the cell cycle. The cell swells and there are a number of other small changes. The cells then start to divide. Following cell division the cells will differentiate. In adult muscle, satellite cells become activated to divide and differentiate in response to muscle damage. [GOC:mtg_muscle]' - }, - 'GO:0014902': { - 'name': 'myotube differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a myotube cell. Myotube differentiation starts with myoblast fusion and the appearance of specific cell markers (this is the cell development step). Then individual myotubes can fuse to form bigger myotubes and start to contract. Myotubes are multinucleated cells that are formed when proliferating myoblasts exit the cell cycle, differentiate and fuse. [GOC:mtg_muscle]' - }, - 'GO:0014904': { - 'name': 'myotube cell development', - 'def': 'The process aimed at the progression of a myotube cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. Myotubes are multinucleated cells that are formed when proliferating myoblasts exit the cell cycle, differentiate and fuse. [GOC:mtg_muscle]' - }, - 'GO:0014905': { - 'name': 'myoblast fusion involved in skeletal muscle regeneration', - 'def': 'A process in which non-proliferating myoblasts, after migrating to the site of injury, fuse into existing damaged fibers or fuse to myotubes to form new fibers, as part of the process of skeletal muscle regeneration. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:mtg_muscle]' - }, - 'GO:0014906': { - 'name': 'myotube cell development involved in skeletal muscle regeneration', - 'def': 'The process aimed at the progression of a myotube cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. This occurs as part of the process of skeletal muscle regeneration. Myotubes are multinucleated cells that are formed when proliferating myoblasts exit the cell cycle, differentiate and fuse. [GOC:mtg_muscle]' - }, - 'GO:0014908': { - 'name': 'myotube differentiation involved in skeletal muscle regeneration', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a myotube cell. Myotube differentiation starts with myoblast fusion and the appearance of specific cell markers (this is the cell development step). Then individual myotubes can fuse to form bigger myotubes and start to contract. This process occurs as part of the process of skeletal muscle regeneration. Myotubes are multinucleated cells that are formed when proliferating myoblasts exit the cell cycle, differentiate and fuse. [GOC:mtg_muscle]' - }, - 'GO:0014909': { - 'name': 'smooth muscle cell migration', - 'def': 'The orderly movement of a smooth muscle cell from one site to another, often during the development of a multicellular organism. [CL:0000192, GOC:mtg_muscle]' - }, - 'GO:0014910': { - 'name': 'regulation of smooth muscle cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of smooth muscle cell migration. [CL:0000192, GOC:mtg_muscle]' - }, - 'GO:0014911': { - 'name': 'positive regulation of smooth muscle cell migration', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of smooth muscle cell migration. [CL:0000192, GOC:mtg_muscle]' - }, - 'GO:0014912': { - 'name': 'negative regulation of smooth muscle cell migration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of smooth muscle cell migration. [CL:0000192, GOC:mtg_muscle]' - }, - 'GO:0014914': { - 'name': 'myoblast maturation involved in muscle regeneration', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a myoblast cell to attain its fully functional state involved in muscle regeneration. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:mtg_muscle]' - }, - 'GO:0014915': { - 'name': 'regulation of muscle filament sliding speed involved in regulation of the velocity of shortening in skeletal muscle contraction', - 'def': 'Any process that modulates the velocity of muscle filament sliding, and consequently contributes to the regulation of the velocity of shortening of skeletal muscle contraction. [GOC:dph, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0014916': { - 'name': 'regulation of lung blood pressure', - 'def': 'The process that modulates the force with which blood travels through the lungs. The process is controlled by a balance of processes that increase pressure and decrease pressure. [GOC:mtg_cardio]' - }, - 'GO:0014917': { - 'name': 'obsolete positive regulation of diuresis by pressure natriuresis', - 'def': 'OBSOLETE. The process in which pressure natriuresis increases the rate of diuresis. [GOC:mtg_cardio]' - }, - 'GO:0014918': { - 'name': 'obsolete positive regulation of natriuresis by pressure natriuresis', - 'def': 'OBSOLETE. The process in which pressure natriuresis increases rate of natriuresis. [GOC:mtg_cardio]' - }, - 'GO:0015000': { - 'name': 'obsolete polyferredoxin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015001': { - 'name': 'obsolete high-potential iron-sulfur carrier', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015002': { - 'name': 'heme-copper terminal oxidase activity', - 'def': 'Catalysis of the four-electron reduction of dioxygen (O2) to water, coupled to generation of a proton electrochemical gradient across a membrane. [GOC:kd]' - }, - 'GO:0015003': { - 'name': 'obsolete copper electron carrier', - 'def': 'OBSOLETE. A copper-containing entity that serves as an electron acceptor and electron donor in an electron transport system. [GOC:ai]' - }, - 'GO:0015004': { - 'name': 'obsolete small blue copper electron carrier', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015005': { - 'name': 'obsolete azurin', - 'def': 'OBSOLETE. Brilliant blue copper-containing protein of low molecular weight found in some bacteria; thought to transfer electrons to cytochrome oxidase. This definition includes pseudoazurin. [ISBN:0198547684]' - }, - 'GO:0015006': { - 'name': 'obsolete plastocyanin', - 'def': 'OBSOLETE. A copper-containing electron carrier acting between cytochrome b(6)-f and P700 of photosystem I. [ISBN:0198547684]' - }, - 'GO:0015007': { - 'name': 'obsolete electron carrier, chlorophyll electron transport system', - 'def': 'OBSOLETE. A molecular entity that serves as an electron acceptor and electron donor in a chlorophyll electron transport system. [ISBN:0198506732]' - }, - 'GO:0015009': { - 'name': 'corrin metabolic process', - 'def': 'The chemical reactions and pathways involving corrin, C19H22N4, the fundamental heterocyclic skeleton of the corrinoids. It consists of four reduced pyrrole rings joined into a macrocyclic ring. Corrin is the core of the vitamin B12 molecule. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015010': { - 'name': 'tetrahydrocorphin metabolic process', - 'def': 'The chemical reactions and pathways involving tetrahydrocorphins, tetrapyrroles that combine the structural elements of both porphyrins and corrins. [http://findarticles.com/p/articles/mi_m0841/is_n1_v28/ai_13746418, http://www.chem.qmul.ac.uk/iupac/bioinorg/CD.html#44]' - }, - 'GO:0015011': { - 'name': 'nickel-tetrapyrrole coenzyme metabolic process', - 'def': 'The chemical reactions and pathways involving an enzyme cofactor consisting of a tetrapyrrole structure containing nickel, such as the F-430 cofactor found in methyl-coenzyme M reductase. [GOC:mah, http://www.chem.qmul.ac.uk/iupac/bioinorg/CD.html#44, http://www.chem.qmul.ac.uk/iupac/bioinorg/EG.html#33]' - }, - 'GO:0015012': { - 'name': 'heparan sulfate proteoglycan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the heparan sulfate proteoglycan, a glycosaminoglycan with repeat unit consisting of alternating alpha-(1->4)-linked hexuronic acid and glucosamine residues; the former are a mixture of sulfated and nonsulfated D-glucuronic acid and L-iduronic acid; the L-iduronic acid is either sulfated or acetylated on its amino group as well as being sulfated on one of its hydroxyl groups; heparan sulfate chains are covalently linked to peptidyl-serine by a glycosidic attachment through the trisaccharide galactosyl-galactosyl-xylosyl to serine residues. [GOC:mah, ISBN:0198506732, ISBN:0198547684, RESID:AA0210]' - }, - 'GO:0015013': { - 'name': 'heparan sulfate proteoglycan biosynthetic process, linkage to polypeptide', - 'def': 'The polymerization of one or more heparan sulfate chains via a xylose link onto serine residues in the core protein of a proteoglycan. [ISBN:0815316194]' - }, - 'GO:0015014': { - 'name': 'heparan sulfate proteoglycan biosynthetic process, polysaccharide chain biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polysaccharide chain component of heparan sulfate proteoglycan. [GOC:ai]' - }, - 'GO:0015015': { - 'name': 'heparan sulfate proteoglycan biosynthetic process, enzymatic modification', - 'def': 'The modification, often by sulfation, of sugars incorporated into heparan sulfate after polymerization. [ISBN:0815316194]' - }, - 'GO:0015016': { - 'name': '[heparan sulfate]-glucosamine N-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenylyl sulfate + [heparan sulfate]-glucosamine = adenosine 3',5'-bisphosphate + [heparan sulfate]-N-sulfoglucosamine. [EC:2.8.2.8]" - }, - 'GO:0015017': { - 'name': 'obsolete glypican', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0015018': { - 'name': 'galactosylgalactosylxylosylprotein 3-beta-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucuronate + 3-beta-D-galactosyl-4-beta-D-galactosyl-O-beta-D-xylosylprotein = UDP + 3-beta-D-glucuronosyl-3-beta-D-galactosyl-4-beta-D-galactosyl-O-beta-D-xylosylprotein. [EC:2.4.1.135]' - }, - 'GO:0015019': { - 'name': 'heparan-alpha-glucosaminide N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + heparan alpha-D-glucosaminide = CoA + heparan N-acetyl-alpha-D-glucosaminide. [EC:2.3.1.78]' - }, - 'GO:0015020': { - 'name': 'glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucuronate + acceptor = UDP + acceptor beta-D-glucuronoside. [EC:2.4.1.17]' - }, - 'GO:0015021': { - 'name': 'heparin-sulfate lyase activity', - 'def': 'Catalysis of the elimination of sulfate; appears to act on linkages between N-acetyl-D-glucosamine and uronate. Product is an unsaturated sugar. [EC:4.2.2.8]' - }, - 'GO:0015023': { - 'name': 'obsolete syndecan', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0015024': { - 'name': 'glucuronate-2-sulfatase activity', - 'def': 'Catalysis of the hydrolysis of the 2-sulfate groups of the 2-O-sulfo-D-glucuronate residues of chondroitin sulfate, heparin and heparitin sulfate. [EC:3.1.6.18]' - }, - 'GO:0015025': { - 'name': 'obsolete GPI-anchored membrane-bound receptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015026': { - 'name': 'coreceptor activity', - 'def': 'Combining with an extracellular or intracellular messenger, and in cooperation with a nearby primary receptor, initiating a change in cell activity. [GOC:go_curators]' - }, - 'GO:0015029': { - 'name': 'obsolete internalization receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0015030': { - 'name': 'Cajal body', - 'def': 'A class of nuclear body, first seen after silver staining by Ramon y Cajal in 1903, enriched in small nuclear ribonucleoproteins, and certain general RNA polymerase II transcription factors; ultrastructurally, they appear as a tangle of coiled, electron-dense threads roughly 0.5 micrometers in diameter; involved in aspects of snRNP biogenesis; the protein coilin serves as a marker for Cajal bodies. Some argue that Cajal bodies are the sites for preassembly of transcriptosomes, unitary particles involved in transcription and processing of RNA. [NIF_Subcellular:nlx_subcell_090901, PMID:10944589, PMID:11031238, PMID:7559785]' - }, - 'GO:0015031': { - 'name': 'protein transport', - 'def': 'The directed movement of proteins into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015032': { - 'name': 'storage protein import into fat body', - 'def': 'The incorporation of hemolymph proteins by cells of the fat body of holometabolous insects, during the final larval stage. Uptake of these proteins prepares the insect for pupation and metamorphosis, since insect pupae do not feed and therefore depend on material that has been accumulated during larval life. [GOC:bf, PMID:10231363]' - }, - 'GO:0015034': { - 'name': 'obsolete cytochrome P450 activity', - 'def': 'OBSOLETE. A cytochrome b-like protein that has a sulfur atom ligated to the iron of the prosthetic group (heme-thiolate); enzymes: typically monooxygenases acting on, typically, lipophilic substrates. The characteristic mode of action of these enzymes is not electron transfer (some P450 enzymes probably do not even involve the reversible Fe(II)/Fe(III) equilibrium), but rather oxygen atom transfer. [ISBN:0198547684, PMID:1655423]' - }, - 'GO:0015035': { - 'name': 'protein disulfide oxidoreductase activity', - 'def': 'Catalysis of the reaction: a protein with reduced sulfide groups = a protein with oxidized disulfide bonds. [MetaCyc:DISULFOXRED-RXN]' - }, - 'GO:0015036': { - 'name': 'disulfide oxidoreductase activity', - 'def': 'Catalysis of the reaction: substrate with reduced sulfide groups = substrate with oxidized disulfide bonds. [MetaCyc:DISULFOXRED-RXN]' - }, - 'GO:0015037': { - 'name': 'peptide disulfide oxidoreductase activity', - 'def': 'Catalysis of the reaction: a peptide with reduced sulfide groups = a peptide with oxidized disulfide bonds. [GOC:mah, MetaCyc:DISULFOXRED-RXN]' - }, - 'GO:0015038': { - 'name': 'glutathione disulfide oxidoreductase activity', - 'def': 'Catalysis of the reaction: 2 glutathione + electron acceptor = glutathione disulfide + electron donor. [GOC:mah]' - }, - 'GO:0015039': { - 'name': 'NADPH-adrenodoxin reductase activity', - 'def': 'Catalysis of the reaction: oxidized adrenodoxin + NADPH + H+ = reduced adrenodoxin + NADP+. [EC:1.18.1.6, GOC:kd]' - }, - 'GO:0015040': { - 'name': 'obsolete electron transfer flavoprotein, group I', - 'def': 'OBSOLETE. An electron transfer flavoprotein that functions as a housekeeping protein that links acyl-CoA dehydrogenase reactions with the respiratory chain, such as in the fatty acid degradation pathway. [PMID:8599534]' - }, - 'GO:0015041': { - 'name': 'obsolete electron transfer flavoprotein, group II', - 'def': 'OBSOLETE. An electron transfer flavoprotein that functions as a housekeeping protein that is synthesized only under certain specific growth conditions and receives electrons from the oxidation of specific substrates, e.g. trimethylamine, carnitine and in nitrogen fixation. [PMID:8599534]' - }, - 'GO:0015042': { - 'name': 'trypanothione-disulfide reductase activity', - 'def': 'Catalysis of the reaction: NADP+ + trypanothione = NADPH + H+ + trypanothione disulfide. [EC:1.8.1.12]' - }, - 'GO:0015043': { - 'name': 'leghemoglobin reductase activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + 2 ferrileghemoglobin = NADP+ + 2 ferroleghemoglobin. [EC:1.6.2.6]' - }, - 'GO:0015044': { - 'name': 'rubredoxin-NAD+ reductase activity', - 'def': 'Catalysis of the reaction: reduced rubredoxin + NAD+ = oxidized rubredoxin + NADH + H+. [EC:1.18.1.1]' - }, - 'GO:0015045': { - 'name': 'rubredoxin-NAD(P)+ reductase activity', - 'def': 'Catalysis of the reaction: reduced rubredoxin + NAD(P)+ = oxidized rubredoxin + NAD(P)H + H+. [EC:1.18.1.4]' - }, - 'GO:0015046': { - 'name': 'rubredoxin-NADP reductase activity', - 'def': 'Catalysis of the reaction: reduced rubredoxin + NADP+ = oxidized rubredoxin + NADPH + H+. [EC:1.18.1.-]' - }, - 'GO:0015047': { - 'name': 'NADPH-cytochrome-c2 reductase activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + 2 ferricytochrome c2 = NADP+ + 2 ferrocytochrome c2. [EC:1.6.2.5]' - }, - 'GO:0015048': { - 'name': 'phthalate dioxygenase reductase activity', - 'def': 'Catalysis of the transfer of electrons between pyridine nucleotides (obligatory two-electron carriers) and hemes or (2Fe-2S) centers (obligatory one-electron carriers) in respiration, photosynthesis, and many oxygenase systems. [PMID:7589982]' - }, - 'GO:0015049': { - 'name': 'methane monooxygenase activity', - 'def': 'Catalysis of the reaction: methane + NAD(P)H + H+ + O2 = methanol + NAD(P)+ + H2O. [EC:1.14.13.25]' - }, - 'GO:0015050': { - 'name': 'methane monooxygenase complex', - 'def': 'A protein complex that possesses methane monooxygenase activity; dimeric and trimeric complexes have been characterized. [BRENDA:1.14.13.25, GOC:mah]' - }, - 'GO:0015051': { - 'name': 'obsolete X-opioid receptor activity', - 'def': 'OBSOLETE. Combining with an opioid to initiate a change in cell activity, with the pharmacological characteristics of X-opioid receptors. [InterPro:IPR001420]' - }, - 'GO:0015052': { - 'name': 'beta3-adrenergic receptor activity', - 'def': 'Combining with epinephrine or norepinephrine to initiate a change in cell activity via activation of a G protein, with pharmacological characteristics of beta3-adrenergic receptors. [GOC:mah, IUPHAR_GPCR:1274]' - }, - 'GO:0015053': { - 'name': 'obsolete opsin', - 'def': 'OBSOLETE. Hydrophobic glycoprotein to which 11-cis-retinal binds as a Schiff base (in rhodopsin) or 3,4-didehydro-11-cis-retinal binds as a Schiff base in cyanopsin and porphyropsin. [ISBN:0198547684]' - }, - 'GO:0015054': { - 'name': 'gastrin receptor activity', - 'def': 'Combining with gastrin and transmitting the signal across the membrane by activating an associated G-protein to initiate a change in cell activity. [GOC:ai, GOC:signaling]' - }, - 'GO:0015055': { - 'name': 'secretin receptor activity', - 'def': 'Combining with secretin to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0015056': { - 'name': 'corticotrophin-releasing factor receptor activity', - 'def': 'Combining with the corticotrophin-releasing factor family of ligands, including the urocortins, to initiate a change in cell activity. [PMID:12032352]' - }, - 'GO:0015057': { - 'name': 'thrombin-activated receptor activity', - 'def': 'A G-protein-coupled receptor activity that is activated by cleavage by thrombin, which exposes a tethered ligand corresponding to the new N-terminus, which binds to the receptor and activates it. [GOC:ai, GOC:pg, PMID:20423334]' - }, - 'GO:0015058': { - 'name': 'obsolete epidermal growth factor-like module containing hormone receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0015059': { - 'name': 'obsolete blue-sensitive opsin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015060': { - 'name': 'obsolete green-sensitive opsin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015061': { - 'name': 'obsolete red-sensitive opsin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015062': { - 'name': 'obsolete violet-sensitive opsin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015063': { - 'name': 'obsolete long-wave-sensitive opsin', - 'def': 'OBSOLETE. An opsin with maximal absorption above 500 nm. [PMID:10594055]' - }, - 'GO:0015064': { - 'name': 'obsolete UV-sensitive opsin', - 'def': 'OBSOLETE. An opsin with maximal absorption below 400 nm. [PMID:10594055]' - }, - 'GO:0015065': { - 'name': 'uridine nucleotide receptor activity', - 'def': 'Combining with UTP or UDP to initiate a change in cell activity. [GOC:curators, PMID:8537335]' - }, - 'GO:0015066': { - 'name': 'alpha-amylase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of alpha-amylase. [GOC:mah]' - }, - 'GO:0015067': { - 'name': 'amidinotransferase activity', - 'def': 'Catalysis of the reversible transfer of an amidino group to an acceptor. [GOC:ai]' - }, - 'GO:0015068': { - 'name': 'glycine amidinotransferase activity', - 'def': 'Catalysis of the reaction: L-arginine + glycine = L-ornithine + guanidinoacetate. [EC:2.1.4.1]' - }, - 'GO:0015069': { - 'name': 'scyllo-inosamine-4-phosphate amidinotransferase activity', - 'def': 'Catalysis of the reaction: 1-amino-1-deoxy-scyllo-inositol 4-phosphate + L-arginine = 1-guanidino-1-deoxy-scyllo-inositol 4-phosphate + L-ornithine. [EC:2.1.4.2, RHEA:13268]' - }, - 'GO:0015070': { - 'name': 'obsolete toxin activity', - 'def': 'OBSOLETE. Acts as to cause injury to other living organisms. [GOC:jl]' - }, - 'GO:0015072': { - 'name': 'obsolete phosphatidylinositol 3-kinase, class I, catalyst activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + 1-phosphatidyl-1D-myo-inositol = ADP + 1-phosphatidyl-1D-myo-inositol 3-phosphate. [EC:2.7.1.137]' - }, - 'GO:0015073': { - 'name': 'obsolete phosphatidylinositol 3-kinase, class I, regulator activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + 1-phosphatidyl-1D-myo-inositol = ADP + 1-phosphatidyl-1D-myo-inositol 3-phosphate. [EC:2.7.1.137]' - }, - 'GO:0015074': { - 'name': 'DNA integration', - 'def': 'The process in which a segment of DNA is incorporated into another, usually larger, DNA molecule such as a chromosome. [GOC:mah]' - }, - 'GO:0015075': { - 'name': 'ion transmembrane transporter activity', - 'def': 'Enables the transfer of an ion from one side of a membrane to the other. [GOC:dgf, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015076': { - 'name': 'obsolete heavy metal ion transporter activity', - 'def': 'OBSOLETE. Enables the directed movement of heavy metal ions into, out of or within a cell, or between cells. Heavy metals are those that can form a coordination bond with a protein, as opposed to an alkali or alkaline-earth metal that can only form an ionic bond; this definition includes the following biologically relevant heavy metals: Cd, Co, Cu, Fe, Hg, Mn, Mo, Ni, V, W, Zn. [GOC:ai]' - }, - 'GO:0015077': { - 'name': 'monovalent inorganic cation transmembrane transporter activity', - 'def': 'Enables the transfer of a inorganic cations with a valency of one from one side of a membrane to the other. Inorganic cations are atoms or small molecules with a positive charge that do not contain carbon in covalent linkage. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015078': { - 'name': 'hydrogen ion transmembrane transporter activity', - 'def': 'Enables the transfer of hydrogen ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015079': { - 'name': 'potassium ion transmembrane transporter activity', - 'def': 'Enables the transfer of potassium ions (K+) from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015080': { - 'name': 'silver ion transmembrane transporter activity', - 'def': 'Enables the transfer of silver (Ag) ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015081': { - 'name': 'sodium ion transmembrane transporter activity', - 'def': 'Enables the transfer of sodium ions (Na+) from one side of a membrane to the other. [GOC:ai, GOC:BHF]' - }, - 'GO:0015083': { - 'name': 'aluminum ion transmembrane transporter activity', - 'def': 'Enables the transfer of aluminum (Al) ions from one side of a membrane to the other. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015085': { - 'name': 'calcium ion transmembrane transporter activity', - 'def': 'Enables the transfer of calcium (Ca) ions from one side of a membrane to the other. [GOC:dgf]' - }, - 'GO:0015086': { - 'name': 'cadmium ion transmembrane transporter activity', - 'def': 'Enables the transfer of cadmium (Cd) ions from one side of a membrane to the other. [GOC:dgf]' - }, - 'GO:0015087': { - 'name': 'cobalt ion transmembrane transporter activity', - 'def': 'Enables the transfer of cobalt (Co) ions from one side of a membrane to the other. [GOC:dgf]' - }, - 'GO:0015088': { - 'name': 'copper uptake transmembrane transporter activity', - 'def': 'Enables the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Cu+(out) = Cu+(in). [TC:9.A.12.-.-]' - }, - 'GO:0015089': { - 'name': 'high-affinity copper ion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Cu2+(out) = Cu2+(in). In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [TC:9.A.11.1.1]' - }, - 'GO:0015090': { - 'name': 'low-affinity iron ion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Fe2+(out) = Fe2+(in). In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [TC:9.A.9.1.1]' - }, - 'GO:0015091': { - 'name': 'ferric iron transmembrane transporter activity', - 'def': 'Enables the transfer of ferric iron (Fe(III) or Fe3+) ions from one side of a membrane to the other. [ISBN:0198506732]' - }, - 'GO:0015092': { - 'name': 'high-affinity ferric iron uptake transmembrane transporter activity', - 'def': 'Enables the transfer of Fe(III) from the outside of a cell to the inside of a cell across a membrane. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:ai, TC:9.A.10.1.1]' - }, - 'GO:0015093': { - 'name': 'ferrous iron transmembrane transporter activity', - 'def': 'Enables the transfer of ferrous iron (Fe(II) or Fe2+) ions from one side of a membrane to the other. [ISBN:0198506732]' - }, - 'GO:0015094': { - 'name': 'lead ion transmembrane transporter activity', - 'def': 'Enables the transfer of lead (Pb) ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015095': { - 'name': 'magnesium ion transmembrane transporter activity', - 'def': 'Enables the transfer of magnesium (Mg) ions from one side of a membrane to the other. [GOC:dgf]' - }, - 'GO:0015096': { - 'name': 'obsolete manganese resistance permease activity', - 'def': 'OBSOLETE. [GOC:mtg_transport]' - }, - 'GO:0015097': { - 'name': 'mercury ion transmembrane transporter activity', - 'def': 'Enables the transfer of mercury (Hg) ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015098': { - 'name': 'molybdate ion transmembrane transporter activity', - 'def': 'Enables the transfer of molybdate (MoO4 2-) ions from one side of a membrane to the other. Molybdate is the bivalent anion derived from molybdic acid. [ISBN:0198506732]' - }, - 'GO:0015099': { - 'name': 'nickel cation transmembrane transporter activity', - 'def': 'Enables the transfer of nickel (Ni) cations from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015100': { - 'name': 'vanadium ion transmembrane transporter activity', - 'def': 'Enables the transfer of vanadium (V) ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015101': { - 'name': 'organic cation transmembrane transporter activity', - 'def': 'Enables the transfer of organic cations from one side of a membrane to the other. Organic cations are atoms or small molecules with a positive charge that contain carbon in covalent linkage. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015103': { - 'name': 'inorganic anion transmembrane transporter activity', - 'def': 'Enables the transfer of inorganic anions from one side of a membrane to the other. Inorganic anions are atoms or small molecules with a negative charge which do not contain carbon in covalent linkage. [GOC:ai]' - }, - 'GO:0015104': { - 'name': 'antimonite transmembrane transporter activity', - 'def': 'Enables the transfer of antimonite from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015105': { - 'name': 'arsenite transmembrane transporter activity', - 'def': 'Enables the transfer of arsenite from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015106': { - 'name': 'bicarbonate transmembrane transporter activity', - 'def': 'Enables the transfer of bicarbonate from one side of a membrane to the other. Bicarbonate is the hydrogencarbonate ion, HCO3-. [GOC:ai]' - }, - 'GO:0015107': { - 'name': 'chlorate transmembrane transporter activity', - 'def': 'Enables the transfer of chlorate, ClO3-, from one side of a membrane to the other. [CHEBI:49709, GOC:curators]' - }, - 'GO:0015108': { - 'name': 'chloride transmembrane transporter activity', - 'def': 'Enables the transfer of chloride ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015109': { - 'name': 'chromate transmembrane transporter activity', - 'def': 'Enables the transfer of chromate from one side of a membrane to the other. Chromate is the anion of chromic acid, H2CrO4 (aq) or CrO3. [GOC:ai]' - }, - 'GO:0015110': { - 'name': 'cyanate transmembrane transporter activity', - 'def': 'Enables the transfer of cyanate, NCO-, the anion of cyanic acid, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015111': { - 'name': 'iodide transmembrane transporter activity', - 'def': 'Enables the transfer of iodide ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015112': { - 'name': 'nitrate transmembrane transporter activity', - 'def': 'Enables the transfer of nitrate ions (NO3-) from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015113': { - 'name': 'nitrite transmembrane transporter activity', - 'def': 'Enables the transfer of nitrite (NO2-) ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015114': { - 'name': 'phosphate ion transmembrane transporter activity', - 'def': 'Enables the transfer of phosphate (PO4 3-) ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015115': { - 'name': 'silicate transmembrane transporter activity', - 'def': 'Enables the transfer of silicates from one side of a membrane to the other. Silicates are the salts of silicic acids, and are usually composed of silicon and oxygen (Si[x]O[y]), one or more metals, and possibly hydrogen. Types of silicate include unisilicates, metasilicates and hydrous silicates. [CHEBI:48123, GOC:ai]' - }, - 'GO:0015116': { - 'name': 'sulfate transmembrane transporter activity', - 'def': 'Enables the transfer of sulfate ions, SO4(2-), from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015117': { - 'name': 'thiosulfate transmembrane transporter activity', - 'def': 'Enables the transfer of thiosulfate ions, S2O3(2-), from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015118': { - 'name': 'tellurite transmembrane transporter activity', - 'def': 'Enables the transfer of tellurite from one side of a membrane to the other. Tellurite is a salt of tellurous acid or an oxide of tellurium which occurs sparingly in tufts of white or yellowish crystals. [CHEBI:30477, GOC:ai]' - }, - 'GO:0015119': { - 'name': 'hexose phosphate transmembrane transporter activity', - 'def': 'Enables the transfer of hexose phosphate from one side of the membrane to the other. Hexose phosphates is any of a group of monophosphorylated aldoses with a chain of six carbon atoms in the molecule. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015120': { - 'name': 'phosphoglycerate transmembrane transporter activity', - 'def': 'Enables the transfer of phosphoglycerates from one side of the membrane to the other. Phosphoglycerates are important intermediates in glycolysis and 3-phosphoglycerate is a precursor in serine biosynthesis. [GOC:ai]' - }, - 'GO:0015121': { - 'name': 'phosphoenolpyruvate:phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: phosphoenolpyruvate(out) + phosphate(in) = phosphoenolpyruvate(in) + phosphate(out). [GOC:bf, GOC:jl]' - }, - 'GO:0015123': { - 'name': 'acetate transmembrane transporter activity', - 'def': 'Enables the transfer of acetate from one side of the membrane to the other. Acetate is the 2-carbon carboxylic acid ethanoic acid. [GOC:ai]' - }, - 'GO:0015124': { - 'name': 'allantoate transmembrane transporter activity', - 'def': 'Enables the transfer of allantoate from one side of the membrane to the other. Allantoate is the end product of purine metabolism in mammals and some fish, formed form allantoin. It is widely distributed in plants as an important source of stored nitrogen. [GOC:ai, ISBN:0198547684]' - }, - 'GO:0015125': { - 'name': 'bile acid transmembrane transporter activity', - 'def': 'Enables the transfer of bile acid from one side of the membrane to the other. Bile acids are any of a group of steroid carboxylic acids occurring in bile, where they are present as the sodium salts of their amides with glycine or taurine. [GOC:ai]' - }, - 'GO:0015126': { - 'name': 'canalicular bile acid transmembrane transporter activity', - 'def': 'The directed movement of bile acid and bile salts out of a hepatocyte and into the bile canaliculus by means of an agent such as a transporter or pore. Bile canaliculi are the thin tubes formed by hepatocyte membranes. Bile acids are any of a group of steroid carboxylic acids occurring in bile, where they are present as the sodium salts of their amides with glycine or taurine. [GOC:dph]' - }, - 'GO:0015127': { - 'name': 'bilirubin transmembrane transporter activity', - 'def': 'Enables the transfer of bilirubin from one side of the membrane to the other. Bilirubin is a linear tetrapyrrole produced in the reticuloendothelial system from biliverdin and transported to the liver as a complex with serum albumin. In the liver, bilirubin is converted to bilirubin bisglucuronide, which is excreted in the bile. [GOC:ai, ISBN:0198547684]' - }, - 'GO:0015128': { - 'name': 'gluconate transmembrane transporter activity', - 'def': 'Enables the transfer of gluconate from one side of the membrane to the other. Gluconate is the aldonic acid derived from glucose. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015129': { - 'name': 'lactate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of lactate from one side of the membrane to the other. Lactate is 2-hydroxypropanoate, CH3-CHOH-COOH; L(+)-lactate is formed by anaerobic glycolysis in animal tissues, and DL-lactate is found in sour milk, molasses and certain fruit juices. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015130': { - 'name': 'mevalonate transmembrane transporter activity', - 'def': 'Enables the transfer of mevalonate from one side of the membrane to the other. Mevalonate is the anion of mevalonic acid; its (R)-enantiomer is a strategic intermediate derived from hydroxymethylglutaryl-CoA in the biosynthesis of polyprenyl compounds. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015131': { - 'name': 'oxaloacetate transmembrane transporter activity', - 'def': 'Enables the transfer of oxaloacetate, the anion of oxobutanedioic acid, from one side of the membrane to the other. [GOC:ai]' - }, - 'GO:0015132': { - 'name': 'prostaglandin transmembrane transporter activity', - 'def': 'Enables the transfer of prostaglandins from one side of the membrane to the other. A prostaglandin is any of a group of biologically active metabolites which contain a cyclopentane ring due to the formation of a bond between two carbons of a fatty acid. They have a wide range of biological activities. [GOC:ai]' - }, - 'GO:0015133': { - 'name': 'uronic acid transmembrane transporter activity', - 'def': 'Enables the transfer of uronic acid from one side of the membrane to the other. Uronic acids are any monocarboxylic acid formally derived by oxidizing to a carboxyl group the terminal hydroxymethylene group of either an aldose with four or more carbon atoms in the molecule, or of any glycoside derived from such an aldose. [GOC:ai]' - }, - 'GO:0015134': { - 'name': 'hexuronate transmembrane transporter activity', - 'def': 'Enables the transfer of hexuronates from one side of the membrane to the other. A hexuronate is any monocarboxylic acid derived from a hexose by oxidation of C-6. [GOC:ai, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015135': { - 'name': 'glucuronate transmembrane transporter activity', - 'def': 'Enables the transfer of glucuronate from one side of the membrane to the other. Glucuronate is the uronic acid formally derived from glucose by oxidation of the hydroxymethylene group at C-6 to a carboxyl group. [GOC:ai]' - }, - 'GO:0015136': { - 'name': 'sialic acid transmembrane transporter activity', - 'def': 'Enables the transfer of sialic acid from one side of the membrane to the other. [GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015137': { - 'name': 'citrate transmembrane transporter activity', - 'def': 'Enables the transfer of citrate, 2-hydroxy-1,2,3-propanetricarboyxlate, from one side of the membrane to the other. [GOC:ai]' - }, - 'GO:0015138': { - 'name': 'fumarate transmembrane transporter activity', - 'def': 'Enables the transfer of fumarate from one side of the membrane to the other. Fumarate is a key intermediate in metabolism and is formed in the TCA cycle from succinate and converted into malate. [GOC:ai]' - }, - 'GO:0015139': { - 'name': 'alpha-ketoglutarate transmembrane transporter activity', - 'def': 'Enables the transfer of alpha-ketoglutarate from one side of the membrane to the other. Alpha-ketoglutarate (or oxoglutarate) is a compound with important roles in carbohydrate and amino acid metabolism, especially in transamination reactions and as a component of the TCA cycle. [GOC:ai, ISBN:0198547684]' - }, - 'GO:0015140': { - 'name': 'malate transmembrane transporter activity', - 'def': 'Enables the transfer of malate from one side of the membrane to the other. Malate is a chiral hydroxydicarboxylic acid, hydroxybutanedioic acid. The (+) enantiomer is an important intermediate in metabolism as a component of both the TCA cycle and the glyoxylate cycle. [GOC:ai]' - }, - 'GO:0015141': { - 'name': 'succinate transmembrane transporter activity', - 'def': 'Enables the transfer of succinate, the dianion of ethane dicarboxylic acid, from one side of the membrane to the other. [ISBN:0198506732]' - }, - 'GO:0015142': { - 'name': 'tricarboxylic acid transmembrane transporter activity', - 'def': 'Enables the transfer of tricarboxylic acids from one side of the membrane to the other. Tricarboxylic acid are organic acids with three COOH groups. [GOC:ai]' - }, - 'GO:0015143': { - 'name': 'urate transmembrane transporter activity', - 'def': 'Enables the transfer of urate from one side of the membrane to the other. Urate is the anion of uric acid, 2,6,8-trioxypurine, the end product of purine metabolism in certain mammals and the main excretory product in uricotelic animals. [GOC:ai]' - }, - 'GO:0015144': { - 'name': 'carbohydrate transmembrane transporter activity', - 'def': 'Enables the transfer of carbohydrate from one side of the membrane to the other. [GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015145': { - 'name': 'monosaccharide transmembrane transporter activity', - 'def': 'Enables the transfer of a monosaccharide from one side of a membrane to the other. [GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015146': { - 'name': 'pentose transmembrane transporter activity', - 'def': 'Enables the transfer of a pentose sugar, a monosaccharide with 5 carbon atoms, from one side of the membrane to the other. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015147': { - 'name': 'L-arabinose transmembrane transporter activity', - 'def': 'Enables the transfer of L-arabinose from one side of the membrane to the other. Arabinose occurs free, for example in the heartwood of many conifers and in the combined states, in both furanose and pyranose forms, as a constituent of various plant hemicelluloses, bacterial polysaccharides, etc. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015148': { - 'name': 'D-xylose transmembrane transporter activity', - 'def': 'Enables the transfer of D-xylose from one side of the membrane to the other. D-xylose (the naturally occurring enantiomer is always D-) is a constituent of plant polysaccharides. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015149': { - 'name': 'hexose transmembrane transporter activity', - 'def': 'Enables the transfer of a hexose sugar, a monosaccharide with 6 carbon atoms, from one side of a membrane to the other. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015150': { - 'name': 'fucose transmembrane transporter activity', - 'def': 'Enables the transfer of fucose from one side of the membrane to the other. Fucose is 6-deoxygalactose and has two enantiomers, D-fucose and L-fucose. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015151': { - 'name': 'alpha-glucoside transmembrane transporter activity', - 'def': 'Enables the transfer of alpha-glucosides from one side of the membrane to the other. Alpha-glucosides are glycosides in which the sugar group is a glucose residue, and the anomeric carbon of the bond is in an alpha configuration. [GOC:jl, GOC:mtg_transport, http://www.biochem.purdue.edu/, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015152': { - 'name': 'glucose-6-phosphate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of glucose-6-phosphate from one side of the membrane to the other. Glucose-6-phosphate is a monophosphorylated derivative of glucose with the phosphate group attached to C-6. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015153': { - 'name': 'rhamnose transmembrane transporter activity', - 'def': 'Enables the transfer of rhamnose from one side of the membrane to the other. Rhamnose occurs commonly as a compound of plant glycosides, in polysaccharides of gums and mucilages, and in bacterial polysaccharides. It is also a component of some plant cell wall polysaccharides and frequently acts as the sugar components of flavonoids. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015154': { - 'name': 'disaccharide transmembrane transporter activity', - 'def': 'Enables the transfer of disaccharide from one side of the membrane to the other. [GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015155': { - 'name': 'lactose transmembrane transporter activity', - 'def': 'Enables the transfer of lactose from one side of the membrane to the other. Lactose is a disaccharide 4-O-beta-D-galactopyranosyl-D-glucose, and constitutes roughly 5% of the milk in almost all mammals. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015156': { - 'name': 'melibiose transmembrane transporter activity', - 'def': 'Enables the transfer of melibiose from one side of the membrane to the other. Melibiose is the disaccharide 6-O-alpha-D-galactopyranosyl-D-glucose and occurs as a constituent of the trisaccharide raffinose or in the exudates and nectaries of a number of plants. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015157': { - 'name': 'oligosaccharide transmembrane transporter activity', - 'def': 'Enables the transfer of oligosaccharide from one side of the membrane to the other. [GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015158': { - 'name': 'raffinose transmembrane transporter activity', - 'def': 'Enables the transfer of raffinose from one side of the membrane to the other. Raffinose occurs in plants almost as commonly as sucrose and is present in cereal grains, cotton seeds, and many legumes. It is synthesized from sucrose by transfer of a galactopyranoside from myo-inositol. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015159': { - 'name': 'polysaccharide transmembrane transporter activity', - 'def': 'Enables the transfer of polysaccharides from one side of the membrane to the other. A polysaccharide is a polymer of many (typically more than 10) monosaccharide residues linked glycosidically. [CHEBI:18154, GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015160': { - 'name': 'beta-glucan transmembrane transporter activity', - 'def': 'Enables the transfer of beta-glucans from one side of the membrane to the other. Beta-glucans are compounds composed of glucose residues linked by beta-glucosidic bonds. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015161': { - 'name': 'capsular polysaccharide transmembrane transporter activity', - 'def': 'Catalysis of the transfer of capsular-polysaccharides from one side of the membrane to the other. Capsular polysaccharides make up the capsule, a protective structure surrounding some species of bacteria and fungi. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015162': { - 'name': 'teichoic acid transmembrane transporter activity', - 'def': 'Enables the transfer of teichoic acid from one side of the membrane to the other. Teichoic acid is any polymer occurring in the cell wall, membrane or capsule of Gram-positive bacteria and containing chains of glycerol phosphate or ribitol phosphate residues. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015164': { - 'name': 'glucuronoside transmembrane transporter activity', - 'def': 'Enables the transfer of a glucuronosides from one side of the membrane to the other. Glucuronosides are any compound formed by combination of glycosidic linkage of a hydroxy compound (e.g. an alcohol or a saccharide) with the anomeric carbon atom of glucuronate. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015165': { - 'name': 'pyrimidine nucleotide-sugar transmembrane transporter activity', - 'def': 'Enables the transfer of a pyrimidine nucleotide-sugar from one side of the membrane to the other. Pyrimidine nucleotide-sugars are pyrimidine nucleotides in glycosidic linkage with a monosaccharide or monosaccharide derivative. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015166': { - 'name': 'polyol transmembrane transporter activity', - 'def': 'Enables the transfer of a polyol from one side of the membrane to the other. A polyol is any polyhydric alcohol. [ISBN:0198506732]' - }, - 'GO:0015167': { - 'name': 'arabitol transmembrane transporter activity', - 'def': 'Enables the transfer of an arabitol from one side of the membrane to the other. Arabitol is the pentitol derived from arabinose or lyxose by reduction of the aldehyde group. The D enantiomer is present in lichens and mushrooms. [ISBN:0198506732]' - }, - 'GO:0015168': { - 'name': 'glycerol transmembrane transporter activity', - 'def': 'Enables the transfer of glycerol from one side of the membrane to the other. Glycerol is 1,2,3-propanetriol, a sweet, hygroscopic, viscous liquid, widely distributed in nature as a constituent of many lipids. [GOC:ai]' - }, - 'GO:0015169': { - 'name': 'glycerol-3-phosphate transmembrane transporter activity', - 'def': 'Enables the transfer of glycerol-3-phosphate from one side of the membrane to the other. Glycerol-3-phosphate is a phosphoric monoester of glycerol. [GOC:ai]' - }, - 'GO:0015170': { - 'name': 'propanediol transmembrane transporter activity', - 'def': 'Enables the transfer of propanediol from one side of the membrane to the other. Propanediol is a sweet colorless, viscous, hygroscopic liquid used as an antifreeze and in brake fluid; it is also as a humectant in cosmetics and personal care items, although it can be absorbed through the skin with harmful effects. [GOC:ai]' - }, - 'GO:0015171': { - 'name': 'amino acid transmembrane transporter activity', - 'def': 'Enables the transfer of amino acids from one side of a membrane to the other. Amino acids are organic molecules that contain an amino group and a carboxyl group. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015172': { - 'name': 'acidic amino acid transmembrane transporter activity', - 'def': 'Enables the transfer of acidic amino acids from one side of a membrane to the other. Acidic amino acids have a pH below 7. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015173': { - 'name': 'aromatic amino acid transmembrane transporter activity', - 'def': 'Enables the transfer of aromatic amino acids from one side of a membrane to the other. Aromatic amino acids have an aromatic ring. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015174': { - 'name': 'basic amino acid transmembrane transporter activity', - 'def': 'Catalysis of the transfer of basic amino acids from one side of a membrane to the other. Basic amino acids have a pH above 7. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015175': { - 'name': 'neutral amino acid transmembrane transporter activity', - 'def': 'Catalysis of the transfer of neutral amino acids from one side of a membrane to the other. Neutral amino acids have a pH of 7. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015176': { - 'name': 'obsolete holin', - 'def': 'OBSOLETE. Primary function of holins appears to be transport of murein hydrolases across the cytoplasmic membrane to the cell wall of bacteria, where these enzymes hydrolyze the cell wall polymer as a prelude to cell lysis. When chromosomally encoded, these enzymes are therefore autolysins. Holins may also facilitate leakage of electrolytes and nutrients from the cell cytoplasm, thereby promoting cell death. Some catalyze export of nucleases. [TC:1.A.38.-.-]' - }, - 'GO:0015179': { - 'name': 'L-amino acid transmembrane transporter activity', - 'def': 'Enables the transfer of an L-amino acid from one side of a membrane to the other. L-amino acids are the L-enantiomers of amino acids. [GOC:ai, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015180': { - 'name': 'L-alanine transmembrane transporter activity', - 'def': 'Enables the transfer of L-alanine from one side of a membrane to the other. L-alanine is the L-enantiomer of 2-aminopropanoic acid. [GOC:go_curators, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015181': { - 'name': 'arginine transmembrane transporter activity', - 'def': 'Enables the stereospecific transfer of arginine, 2-amino-5-guanidinopentanoic acid, across a biological membrane. [GOC:go_curators, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015182': { - 'name': 'L-asparagine transmembrane transporter activity', - 'def': 'Enables the transfer of L-asparagine from one side of a membrane to the other. L-asparagine is the L-enantiomer of alpha-aminosuccinamic acid. [GOC:go_curators, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015183': { - 'name': 'L-aspartate transmembrane transporter activity', - 'def': 'Enables the transfer of L-aspartate from one side of a membrane to the other. L-aspartate is the anion derived from aspartic acid. [GOC:go_curators, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015184': { - 'name': 'L-cystine transmembrane transporter activity', - 'def': 'Enables the transfer of L-cystine from one side of a membrane to the other. [GOC:go_curators, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015185': { - 'name': 'gamma-aminobutyric acid transmembrane transporter activity', - 'def': 'Enables the transfer of gamma-aminobutyric acid from one side of a membrane to the other. Gamma-aminobutyric acid is 4-aminobutyrate (GABA). [GOC:go_curators, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015186': { - 'name': 'L-glutamine transmembrane transporter activity', - 'def': 'Enables the transfer of L-glutamine from one side of a membrane to the other. L-glutamine is 2-amino-4-carbamoylbutanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015187': { - 'name': 'glycine transmembrane transporter activity', - 'def': 'Enables the transfer of glycine from one side of a membrane to the other. Glycine is aminoethanoic acid. [GOC:ai]' - }, - 'GO:0015188': { - 'name': 'L-isoleucine transmembrane transporter activity', - 'def': 'Enables the transfer of L-isoleucine from one side of a membrane to the other. L-isoleucine is (2R*,3R*)-2-amino-3-methylpentanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015189': { - 'name': 'L-lysine transmembrane transporter activity', - 'def': 'Enables the transfer of L-lysine from one side of a membrane to the other. L-lysine is 2,6-diaminohexanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015190': { - 'name': 'L-leucine transmembrane transporter activity', - 'def': 'Enables the transfer of L-leucine from one side of a membrane to the other. L-leucine is 2-amino-4-methylpentanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015191': { - 'name': 'L-methionine transmembrane transporter activity', - 'def': 'Enables the transfer of L-methionine from one side of a membrane to the other. L-methionine is 2-amino-4-(methylthio)butanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015192': { - 'name': 'L-phenylalanine transmembrane transporter activity', - 'def': 'Enables the transfer of L-phenylalanine from one side of a membrane to the other. L-phenylalanine is 2-amino-3-phenylpropanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015193': { - 'name': 'L-proline transmembrane transporter activity', - 'def': 'Enables the transfer of L-proline from one side of a membrane to the other. L-proline is pyrrolidine-2-carboxylic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015194': { - 'name': 'L-serine transmembrane transporter activity', - 'def': 'Enables the transfer of L-serine from one side of a membrane to the other. L-serine is the L-enantiomer of 2-amino-3-hydroxypropanoic acid. [GOC:ai, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015195': { - 'name': 'L-threonine transmembrane transporter activity', - 'def': 'Enables the transfer of L-threonine from one side of a membrane to the other. L-threonine is (2R*,3S*)-2-amino-3-hydroxybutanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015196': { - 'name': 'L-tryptophan transmembrane transporter activity', - 'def': 'Enables the transfer of L-tryptophan from one side of a membrane to the other. Tryptophan is 2-amino-3-(1H-indol-3-yl)propanoic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015197': { - 'name': 'peptide transporter activity', - 'def': 'Enables the directed movement of peptides, compounds of two or more amino acids where the alpha carboxyl group of one is bound to the alpha amino group of another, into, out of or within a cell, or between cells. [GOC:ai]' - }, - 'GO:0015198': { - 'name': 'oligopeptide transporter activity', - 'def': 'Enables the directed movement of oligopeptides into, out of or within a cell, or between cells. Oligopeptides are molecules that contain a small number (2 to 20) of amino-acid residues connected by peptide linkages. [ISBN:0198506732]' - }, - 'GO:0015199': { - 'name': 'amino-acid betaine transmembrane transporter activity', - 'def': 'Enables the transfer of betaine, the N-trimethyl derivative of an amino acid, from one side of the membrane to the other. [GOC:ai]' - }, - 'GO:0015200': { - 'name': 'methylammonium transmembrane transporter activity', - 'def': 'Enables directed movement of methylammonium, CH3NH2, into, out of or within a cell, or between cells. [GOC:ai]' - }, - 'GO:0015203': { - 'name': 'polyamine transmembrane transporter activity', - 'def': 'Enables the transfer of polyamines, organic compounds containing two or more amino groups, from one side of the membrane to the other. [GOC:ai]' - }, - 'GO:0015204': { - 'name': 'urea transmembrane transporter activity', - 'def': 'Enables the directed movement of urea cross a membrane into, out of or within a cell, or between cells. Urea is the water soluble compound H2N-CO-NH2. [ISBN:0198506732]' - }, - 'GO:0015205': { - 'name': 'nucleobase transmembrane transporter activity', - 'def': 'Enables the transfer of a nucleobase, any nitrogenous base that is a constituent of a nucleoside, nucleotide, or nucleic acidfrom one side of a membrane to the other. [ISBN:0198506732]' - }, - 'GO:0015207': { - 'name': 'adenine transmembrane transporter activity', - 'def': 'Enables the transfer of adenine, 6-aminopurine, from one side of a membrane to the other. [GOC:go_curators]' - }, - 'GO:0015208': { - 'name': 'guanine transmembrane transporter activity', - 'def': 'Enables the transfer of guanine, 2-amino-6-hydroxypurine, from one side of a membrane to the other. [GOC:go_curators]' - }, - 'GO:0015209': { - 'name': 'cytosine transmembrane transporter activity', - 'def': 'Enables the transfer of cytosine, 4-amino-2-hydroxypyrimidine from one side of a membrane to the other. [GOC:go_curators]' - }, - 'GO:0015210': { - 'name': 'uracil transmembrane transporter activity', - 'def': 'Enables the transfer of uracil, 2,4-dioxopyrimidine, from one side of a membrane to the other. [GOC:go_curators]' - }, - 'GO:0015211': { - 'name': 'purine nucleoside transmembrane transporter activity', - 'def': 'Enables the transfer of a purine nucleoside, a purine base covalently bonded to a ribose or deoxyribose sugar, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015212': { - 'name': 'cytidine transmembrane transporter activity', - 'def': 'Enables the transfer of cytidine, cytosine riboside, from one side of a membrane to the other. [GOC:go_curators]' - }, - 'GO:0015213': { - 'name': 'uridine transmembrane transporter activity', - 'def': 'Enables the transfer of uridine, uracil riboside, from one side of a membrane to the other. [GOC:go_curators]' - }, - 'GO:0015214': { - 'name': 'pyrimidine nucleoside transmembrane transporter activity', - 'def': 'Enables the transfer of a pyrimidine nucleoside, a pyrimidine base covalently bonded to a ribose or deoxyribose sugar from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015215': { - 'name': 'nucleotide transmembrane transporter activity', - 'def': 'Enables the transfer of a nucleotide, any compound consisting of a nucleoside that is esterified with (ortho)phosphate, from one side of a membrane to the other. [ISBN:0198506732]' - }, - 'GO:0015216': { - 'name': 'purine nucleotide transmembrane transporter activity', - 'def': 'Enables the transfer of a purine nucleotide, any compound consisting of a purine nucleoside esterified with (ortho)phosphate, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015217': { - 'name': 'ADP transmembrane transporter activity', - 'def': 'Enables the transfer of ADP, adenosine diphosphate, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015218': { - 'name': 'pyrimidine nucleotide transmembrane transporter activity', - 'def': 'Enables the transfer of a pyrimidine nucleotide, any compound consisting of a pyrimidine nucleoside esterified with (ortho)phosphate, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015219': { - 'name': 'protein-DNA complex transmembrane transporter activity', - 'def': 'Enables the transfer of protein-DNA complexes from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015220': { - 'name': 'choline transmembrane transporter activity', - 'def': 'Enables the transfer of choline from one side of the membrane to the other. Choline (2-hydroxyethyltrimethylammonium) is an amino alcohol that occurs widely in living organisms as a constituent of certain types of phospholipids and in the neurotransmitter acetylcholine. [GOC:ai]' - }, - 'GO:0015221': { - 'name': 'lipopolysaccharide transmembrane transporter activity', - 'def': 'Enables the transfer of lipopolysaccharides from one side of the membrane to the other. A lipopolysaccharide is any of a group of related, structurally complex components of the outer membrane of Gram-negative bacteria. Lipopolysaccharides consist three covalently linked regions, lipid A, core oligosaccharide, and an O side chain. Lipid A is responsible for the toxicity of the lipopolysaccharide. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015222': { - 'name': 'serotonin transmembrane transporter activity', - 'def': 'Enables the transfer of serotonin from one side of the membrane to the other. Serotonin (5-hydroxytryptamine) is a monoamine neurotransmitter occurring in the peripheral and central nervous systems. [GOC:ai]' - }, - 'GO:0015223': { - 'name': 'obsolete vitamin or cofactor transporter activity', - 'def': 'OBSOLETE. Enables the directed transport of vitamins or cofactors into, out of or within a cell, or between cells. [GOC:ai]' - }, - 'GO:0015224': { - 'name': 'biopterin transporter activity', - 'def': 'Enables the directed movement of biopterin into, out of or within a cell, or between cells. Biopterin is a growth factor for certain protozoans and some insects; it is widely distributed in tissues and functions in a reduced form, tetrahydrobiopterin, as a hydroxylation coenzyme. [ISBN:0198506732]' - }, - 'GO:0015225': { - 'name': 'biotin transporter activity', - 'def': 'Enables the directed movement of biotin into, out of or within a cell, or between cells. Biotin is cis-tetrahydro-2-oxothieno(3,4-d)imidazoline-4-valeric acid; the (+) enantiomer is very widely distributed in cells and serves as a carrier in a number of enzymatic beta-carboxylation reactions. [GOC:ai]' - }, - 'GO:0015226': { - 'name': 'carnitine transmembrane transporter activity', - 'def': 'Enables the directed movement of carnitine across a membrane. Carnitine is a compound that participates in the transfer of acyl groups across the inner mitochondrial membrane. [GOC:ai]' - }, - 'GO:0015227': { - 'name': 'acyl carnitine transmembrane transporter activity', - 'def': 'Enables the directed movement of acyl carnitine across a membrane. Acyl carnitine is the condensation product of a carboxylic acid and carnitine and is the transport form for a fatty acid crossing the mitochondrial membrane. [CHEBI:17387, GOC:ai]' - }, - 'GO:0015228': { - 'name': 'coenzyme A transmembrane transporter activity', - 'def': "Enables the directed movement of coenzyme A across a membrane into, out of or within a cell, or between cells. Coenzyme A, 3'-phosphoadenosine-(5')diphospho(4')pantatheine, is an acyl carrier in many acylation and acyl-transfer reactions in which the intermediate is a thiol ester. [GOC:ai]" - }, - 'GO:0015229': { - 'name': 'L-ascorbic acid transporter activity', - 'def': 'Enables the directed movement of L-ascorbate into, out of or within a cell, or between cells. L-ascorbate, (2R)-2-[(1S)-1,2-dihydroxyethyl]-4-hydroxy-5-oxo-2,5-dihydrofuran-3-olate, is vitamin C and has co-factor and anti-oxidant activities in many species. [CHEBI:38290, ISBN:0198506732]' - }, - 'GO:0015230': { - 'name': 'FAD transmembrane transporter activity', - 'def': 'Enables the directed movement of flavin-adenine dinucleotide (FAD) across a membrane into, out of or within a cell, or between cells. FAD forms the coenzyme of the prosthetic group of various flavoprotein oxidoreductase enzymes, in which it functions as an electron acceptor by being reversibly converted to its reduced form. [ISBN:0198506732]' - }, - 'GO:0015231': { - 'name': '5-formyltetrahydrofolate transporter activity', - 'def': 'Enables the directed movement of 5-formyltetrahydrofolate, the formylated derivative of tetrahydrofolate, into, out of, within, or between cells. [GOC:ai]' - }, - 'GO:0015232': { - 'name': 'heme transporter activity', - 'def': 'Enables the directed movement of heme, any compound of iron complexed in a porphyrin (tetrapyrrole) ring, into, out of or within a cell, or between cells. [GOC:ai]' - }, - 'GO:0015233': { - 'name': 'pantothenate transmembrane transporter activity', - 'def': 'Enables the directed movement of pantothenate across a membrane. Pantothenate is the anion of pantothenic acid, the amide of beta-alanine and pantoic acid; it is a B complex vitamin that is a constituent of coenzyme A and is distributed ubiquitously in foods. [GOC:ai, ISBN:0721662544]' - }, - 'GO:0015234': { - 'name': 'thiamine transmembrane transporter activity', - 'def': 'Enables the transfer of thiamine from one side of the membrane to the other. Thiamine is vitamin B1, a water soluble vitamin present in fresh vegetables and meats, especially liver. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015235': { - 'name': 'cobalamin transporter activity', - 'def': 'Enables the directed movement of cobalamin (vitamin B12), a water-soluble vitamin characterized by possession of a corrin nucleus containing a cobalt atom, into, out of or within a cell. [GOC:ai]' - }, - 'GO:0015238': { - 'name': 'drug transmembrane transporter activity', - 'def': 'Enables the directed movement of a drug from one side of a membrane to the other. A drug is any naturally occurring or synthetic substance, other than a nutrient, that, when administered or applied to an organism, affects the structure or functioning of the organism; in particular, any such substance used in the diagnosis, prevention, or treatment of disease. [ISBN:0198506732]' - }, - 'GO:0015240': { - 'name': 'amiloride transporter activity', - 'def': 'Enables the directed movement of amiloride into, out of or within a cell, or between cells. Amiloride is a potent and specific inhibitor of sodium ion entry into cells. It is used as a potassium-sparing diuretic. [ISBN:0198506732]' - }, - 'GO:0015241': { - 'name': 'aminotriazole transporter activity', - 'def': 'Enables the directed movement of aminotriazole into, out of or within a cell, or between cells. Aminotriazole is an effective weed killer that also possesses some antithyroid activity. [CHEBI:40036, GOC:curators]' - }, - 'GO:0015242': { - 'name': 'benomyl transporter activity', - 'def': 'Enables the directed movement of benomyl into, out of or within a cell, or between cells. Benomyl, methyl 1-(butylcarbamoyl)-2-benzimidazolecarbamate, is a systemic agricultural fungicide used for control of certain fungal diseases of stone fruit. [CHEBI:3015, GOC:curators]' - }, - 'GO:0015243': { - 'name': 'cycloheximide transporter activity', - 'def': 'Enables the directed movement of cycloheximide into, out of or within a cell, or between cells. Cycloheximide is an antibiotic produced by Streptomyces which interferes with protein synthesis in eukaryotes. [ISBN:0198506732]' - }, - 'GO:0015244': { - 'name': 'fluconazole transporter activity', - 'def': 'Enables the directed movement of fluconazole into, out of or within a cell, or between cells. Fluconazole is an antifungal drug used for oral candidiasis and cryptococcal meningitis; it is still under study for treatment of vaginal candidiasis and other fungal infections. [CHEBI:46081, GOC:curators]' - }, - 'GO:0015245': { - 'name': 'fatty acid transporter activity', - 'def': 'Enables the directed movement of fatty acids into, out of or within a cell, or between cells. Fatty acids are aliphatic monocarboxylic acids liberated from naturally occurring fats and oils by hydrolysis. [ISBN:0198506732]' - }, - 'GO:0015246': { - 'name': 'fatty-acyl group transporter activity', - 'def': 'Enables the directed movement of a fatty acyl group into, out of or within a cell, or between cells. A fatty acyl group is any acyl group derived from a fatty acid. [ISBN:0198506732]' - }, - 'GO:0015247': { - 'name': 'aminophospholipid transporter activity', - 'def': 'Enables the directed movement of aminophospholipids into, out of or within a cell, or between cells. Aminophospholipids contain phosphoric acid as a mono- or diester and an amino (NH2) group. [GOC:ai]' - }, - 'GO:0015248': { - 'name': 'sterol transporter activity', - 'def': 'Enables the directed movement of sterols into, out of or within a cell, or between cells. Sterol are steroids with one or more hydroxyl groups and a hydrocarbon side-chain in the molecule. [GOC:ai]' - }, - 'GO:0015250': { - 'name': 'water channel activity', - 'def': 'Transport systems of this type enable facilitated diffusion of water (by an energy-independent process) by passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015251': { - 'name': 'ammonium channel activity', - 'def': 'Enables the facilitated diffusion of ammonium (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0015252': { - 'name': 'hydrogen ion channel activity', - 'def': 'Enables the facilitated diffusion of a hydrogen ion (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0015253': { - 'name': 'obsolete sugar/polyol channel activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015254': { - 'name': 'glycerol channel activity', - 'def': 'Enables the facilitated diffusion of glycerol (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015255': { - 'name': 'propanediol channel activity', - 'def': 'Enables the facilitated diffusion of propanediol (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:mtg_transport]' - }, - 'GO:0015256': { - 'name': 'obsolete monocarboxylate channel activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015257': { - 'name': 'obsolete organic anion channel activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015258': { - 'name': 'obsolete gluconate channel activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015259': { - 'name': 'obsolete glutamate channel activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015260': { - 'name': 'obsolete isethionate channel activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015261': { - 'name': 'obsolete lactate channel activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015262': { - 'name': 'obsolete taurine channel activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015263': { - 'name': 'obsolete amine/amide/polyamine channel activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015264': { - 'name': 'methylammonium channel activity', - 'def': 'Enables the facilitated diffusion of methylammonium (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. Methylammonium is CH3NH2. [GOC:mtg_transport, GOC:pr]' - }, - 'GO:0015265': { - 'name': 'urea channel activity', - 'def': 'Enables the facilitated diffusion of urea (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:mtg_transport]' - }, - 'GO:0015266': { - 'name': 'protein channel activity', - 'def': 'Enables the energy-independent facilitated diffusion, mediated by passage of proteins through a transmembrane aqueous pore or channel. [GOC:rb]' - }, - 'GO:0015267': { - 'name': 'channel activity', - 'def': 'Enables the energy-independent facilitated diffusion, mediated by passage of a solute through a transmembrane aqueous pore or channel. Stereospecificity is not exhibited but this transport may be specific for a particular molecular species or class of molecules. [GOC:mtg_transport, ISBN:0815340729, TC:1.-.-.-.-]' - }, - 'GO:0015269': { - 'name': 'calcium-activated potassium channel activity', - 'def': 'Enables the calcium concentration-regulatable energy-independent passage of potassium ions across a lipid bilayer down a concentration gradient. [GOC:dph, GOC:mtg_transport]' - }, - 'GO:0015271': { - 'name': 'outward rectifier potassium channel activity', - 'def': 'Enables the transmembrane transfer of a potassium ion by an outwardly-rectifying voltage-gated channel. An outwardly rectifying current-voltage relation is one where at any given driving force the outward flow of K+ ions exceeds the inward flow for the opposite driving force. [GOC:mah]' - }, - 'GO:0015272': { - 'name': 'ATP-activated inward rectifier potassium channel activity', - 'def': 'Enables the transmembrane transfer of a potassium ion by an inwardly-rectifying voltage-gated channel, where the inward rectification is due to a voltage-dependent block of the channel pore by ATP. An inwardly rectifying current-voltage relation is one where at any given driving force the inward flow of K+ ions exceeds the outward flow for the opposite driving force. [GOC:cb, GOC:mah]' - }, - 'GO:0015274': { - 'name': 'organellar voltage-gated chloride channel activity', - 'def': 'Enables the transmembrane transfer of a chloride ion by a voltage-gated channel. The membrane is an organellar membrane. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015275': { - 'name': 'stretch-activated, cation-selective, calcium channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a channel that opens in response to a mechanical stress in the form of stretching. [GOC:mtg_transport]' - }, - 'GO:0015276': { - 'name': 'ligand-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when a specific ligand has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015277': { - 'name': 'kainate selective glutamate receptor activity', - 'def': 'An ionotropic glutamate receptor activity that exhibits fast gating by glutamate, acts by opening a cation channel permeable to sodium and potassium, and for which kainate is an agonist. [GOC:mah, PMID:10049997, PMID:8804111]' - }, - 'GO:0015278': { - 'name': 'calcium-release channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion from intracellular stores by a channel that opens when a specific intracellular ligand has been bound by the channel complex or one of its constituent parts. [GOC:mah]' - }, - 'GO:0015279': { - 'name': 'store-operated calcium channel activity', - 'def': 'A ligand-gated ion channel activity which transports calcium in response to emptying of intracellular calcium stores. [GOC:dph, GOC:tb, PMID:15788710]' - }, - 'GO:0015280': { - 'name': 'ligand-gated sodium channel activity', - 'def': 'Enables the transmembrane transfer of a sodium ion by a channel that opens when a specific ligand has been bound by the channel complex or one of its constituent parts. [GOC:mah]' - }, - 'GO:0015282': { - 'name': 'obsolete NADPH oxidase-associated cytochrome b558 hydrogen channel activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015283': { - 'name': 'obsolete apoptogenic cytochrome c release channel activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015284': { - 'name': 'fructose uniporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: fructose(out) = fructose(in). [TC:2.A.1.1.13]' - }, - 'GO:0015288': { - 'name': 'porin activity', - 'def': 'Catalysis of the transfer of substances, sized less than 1000 Da, from one side of the membrane to the other. The transmembrane portions of porins consist exclusively of beta-strands which form a beta-barrel. They are found in the outer membranes of Gram-negative bacteria, mitochondria, plastids and possibly acid-fast Gram-positive bacteria. [GOC:mtg_transport, ISBN:0815340729, PMID:10839820, TC:1.B.1.-.-]' - }, - 'GO:0015289': { - 'name': 'obsolete pore-forming toxin activity', - 'def': 'OBSOLETE. Catalysis of the transport of electrolytes and other small molecules across a cell membrane. They are synthesized by one cell and secreted for insertion into the membrane of another cell where they form transmembrane pores. They may exert their toxic effects by allowing the free flow of electrolytes and other small molecules across the membrane, or they may allow entry into the target cell cytoplasm of a toxin protein that ultimately kills the cell. [PMID:10839820]' - }, - 'GO:0015291': { - 'name': 'secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy, not direct ATP coupling. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729, PMID:10839820]' - }, - 'GO:0015292': { - 'name': 'uniporter activity', - 'def': 'Catalysis of the transport of a single molecular species across a membrane; transport is independent of the movement of any other molecular species. [GOC:mtg_transport, ISBN:0815340729, PMID:10839820]' - }, - 'GO:0015293': { - 'name': 'symporter activity', - 'def': 'Enables the active transport of a solute across a membrane by a mechanism whereby two or more species are transported together in the same direction in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. [GOC:mtg_transport, ISBN:0815340729, PMID:10839820]' - }, - 'GO:0015294': { - 'name': 'solute:cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: solute(out) + cation(out) = solute(in) + cation(in). [GOC:ai]' - }, - 'GO:0015295': { - 'name': 'solute:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: solute(out) + H+(out) = solute(in) + H+(in). [GOC:ai]' - }, - 'GO:0015296': { - 'name': 'anion:cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: anion(out) + cation(out) = anion(in) + cation(in). [TC:2.A.1.14.-]' - }, - 'GO:0015297': { - 'name': 'antiporter activity', - 'def': 'Enables the active transport of a solute across a membrane by a mechanism whereby two or more species are transported in opposite directions in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. The reaction is: solute A(out) + solute B(in) = solute A(in) + solute B(out). [GOC:mtg_transport, ISBN:0815340729, PMID:10839820]' - }, - 'GO:0015298': { - 'name': 'solute:cation antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: solute(out) + cation(in) = solute(in) + cation(out). [GOC:ai]' - }, - 'GO:0015299': { - 'name': 'solute:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: solute(out) + H+(in) = solute(in) + H+(out). [GOC:ai]' - }, - 'GO:0015301': { - 'name': 'anion:anion antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: anion A(out) + anion B(in) = anion A(in) + anion B(out). [GOC:ai, GOC:mtg_transport]' - }, - 'GO:0015303': { - 'name': 'obsolete galactose, glucose uniporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: galactose or glucose(out) = galactose or glucose(in). [TC:2.A.1.1.6]' - }, - 'GO:0015304': { - 'name': 'glucose uniporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose(out) = glucose(in). [TC:2.A.1.1.12, TC:2.A.1.1.4, TC:2.A.1.1.6]' - }, - 'GO:0015305': { - 'name': 'obsolete lactose, galactose:proton symporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (lactose or galactose)(out) + H+(out) = (lactose or galactose)(in) + H+(in). [TC:2.A.1.1.9]' - }, - 'GO:0015306': { - 'name': 'sialate:cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sialate(out) + cation(out) = sialate(in) + cation(in). [TC:2.A.1.14.10]' - }, - 'GO:0015307': { - 'name': 'drug:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + drug(in) = H+(in) + drug(out). [TC:2.A.1.2.-, TC:2.A.1.3.-]' - }, - 'GO:0015308': { - 'name': 'amiloride:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + amiloride(in) = H+(in) + amiloride(out). [TC:2.A.1.2.1]' - }, - 'GO:0015309': { - 'name': 'cycloheximide:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + cycloheximide(in) = H+(in) + cycloheximide(out). [TC:2.A.1.2.2]' - }, - 'GO:0015310': { - 'name': 'benomyl:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + benomyl(in) = H+(in) + benomyl(out). [TC:2.A.1.2.6]' - }, - 'GO:0015311': { - 'name': 'monoamine:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + monoamine(in) = H+(in) + monoamine(out). [TC:2.A.1.2.11, TC:2.A.1.2.12]' - }, - 'GO:0015312': { - 'name': 'polyamine:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + polyamine(in) = H+(in) + polyamine(out). [TC:2.A.1.2.16]' - }, - 'GO:0015313': { - 'name': 'fluconazole:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + fluconazole(in) = H+(in) + fluconazole(out). [TC:2.A.1.2.17]' - }, - 'GO:0015314': { - 'name': 'aminotriazole:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + aminotriazole(in) = H+(in) + aminotriazole(out). [TC:2.A.1.3.1]' - }, - 'GO:0015315': { - 'name': 'organophosphate:inorganic phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: organophosphate(out) + inorganic phosphate(in) = organophosphate(in) + inorganic phosphate(out). [TC:2.A.1.4.-]' - }, - 'GO:0015316': { - 'name': 'obsolete nitrite/nitrate porter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015317': { - 'name': 'phosphate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: phosphate(out) + H+(out) = phosphate(in) + H+(in). [TC:2.A.1.9.-]' - }, - 'GO:0015318': { - 'name': 'inorganic solute uptake transmembrane transporter activity', - 'def': 'Enables the transfer of an inorganic solute from the outside of a cell to the inside of the cell across a membrane. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015319': { - 'name': 'sodium:inorganic phosphate symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Na+(out) + inorganic phosphate(out) = Na+(in) + inorganic phosphate(in). [TC:2.A.1.14.6]' - }, - 'GO:0015320': { - 'name': 'phosphate ion carrier activity', - 'def': 'Enables the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: phosphate (cyt) + H+ (cyt) = phosphate (mitochondrion) + H+ (mitochondrion). [GOC:curators, TC:2.A.29.4.1]' - }, - 'GO:0015321': { - 'name': 'sodium-dependent phosphate transmembrane transporter activity', - 'def': 'Enables the transfer of phosphate (PO4 3-) ions from one side of a membrane to the other, requiring sodium ions. [GOC:jl]' - }, - 'GO:0015322': { - 'name': 'secondary active oligopeptide transmembrane transporter activity', - 'def': "Catalysis of the transfer of an oligopeptide or oligopeptides from one side of the membrane to the other, up the solute's concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction. [GOC:mtg_transport]" - }, - 'GO:0015323': { - 'name': 'obsolete type V protein secretor activity', - 'def': 'OBSOLETE. [GOC:mtg_transport]' - }, - 'GO:0015324': { - 'name': 'peptide-acetyl-CoA secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of peptide-acetyl-CoA from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0015325': { - 'name': 'acetyl-CoA:CoA antiporter activity', - 'def': 'Catalysis of the reaction: acetyl-CoA(out) + CoA(in) = acetyl-CoA(in) + CoA(out). [TC:2.A.1.25.1]' - }, - 'GO:0015327': { - 'name': 'cystine:glutamate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: cystine(out) + glutamate(in) = cystine(in) + glutamate(out). [TC:2.A.3.8.5]' - }, - 'GO:0015328': { - 'name': 'cystine secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of cystine from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0015330': { - 'name': 'high-affinity glutamine transmembrane transporter activity', - 'def': 'Catalysis of the high affinity transfer of glutamine from one side of the membrane to the other. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mtg_transport]' - }, - 'GO:0015331': { - 'name': 'obsolete asparagine/glutamine permease activity', - 'def': 'OBSOLETE. Catalysis of the stereospecific transfer of asparagine or glutamine across a biological membrane. [GOC:ai]' - }, - 'GO:0015332': { - 'name': 'obsolete leucine/valine/isoleucine permease activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015333': { - 'name': 'peptide:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: peptide(out) + H+(out) = peptide(in) + H+(in). Catalysis of the transfer of a peptide from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by hydrogen ion movement. [GOC:mtg_transport, TC:2.A.17.-.-]' - }, - 'GO:0015334': { - 'name': 'high-affinity oligopeptide transporter activity', - 'def': 'Catalysis of the transfer of oligopeptide from one side of the membrane to the other. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. Oligopeptides are molecules that contain a small number (2 to 20) of amino-acid residues connected by peptide linkages. [GOC:mtg_transport]' - }, - 'GO:0015335': { - 'name': 'obsolete heavy metal ion:hydrogen symporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: Me2+(out) + H+(out) = Me2+(in) + H+(in), where Me2+ is Fe2+, Zn2+, Mn2+, Cu2+, Cd2+, Co2+, Ni2+ or Pb2+. [TC:2.A.55.2.1, TC:2.A.55.2.2]' - }, - 'GO:0015336': { - 'name': 'obsolete high affinity metal ion uptake transporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: Me2+(out) + H+(out) = Me2+(in) + H+(in). Me can be Fe2+, Mn2+, Zn2+, Cu2+, Cd2+, Ni2+ or Co2+. [TC:2.A.55.1.1]' - }, - 'GO:0015337': { - 'name': 'obsolete low affinity metal ion uptake transporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: Me2+(out) + H+(out) = Me2+(in) + H+(in). Me can be Mn2+ or Cu2+. [TC:2.A.55.1.2]' - }, - 'GO:0015339': { - 'name': 'obsolete cobalt, zinc uptake permease activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (Zn2+ or Co2+)(out) = (Zn2+ or Co2+)(in). The activity is driven by proton motive force, possibly by proton symport. [TC:2.A.4.2.1]' - }, - 'GO:0015340': { - 'name': 'obsolete zinc, cadmium uptake permease activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (Zn2+ or Cd2+)(out) = (Zn2+ or Cd2+)(in). The activity is driven by proton motive force, possibly by proton symport. [TC:2.A.4.2.2]' - }, - 'GO:0015341': { - 'name': 'zinc efflux active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a zinc ion or zinc ions from the inside of the cell to the outside of the cell across a membrane: Zn2+(out) = Zn2+(in). The activity is driven by proton motive force. [GOC:mtg_transport, ISBN:0815340729, TC:2.A.4.1.4, TC:2.A.4.2.3]' - }, - 'GO:0015342': { - 'name': 'obsolete zinc, iron permease activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (Zn2+ or Fe2+)(out) = (Zn2+ or Fe2+)(in), probably powered by proton motive force. [TC:2.A.5.-.-]' - }, - 'GO:0015343': { - 'name': 'siderophore transmembrane transporter activity', - 'def': 'Enables the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: siderophore-iron(out) + H+(out) = siderophore-iron(in) + H+(in). [TC:2.A.1.16.-]' - }, - 'GO:0015344': { - 'name': 'siderophore uptake transmembrane transporter activity', - 'def': 'Enables the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: siderophore-iron(ferrioxamine)(out) + H+(out) = siderophore-iron(ferrioxamine)(in) + H+(in). [TC:2.A.1.16.1]' - }, - 'GO:0015345': { - 'name': 'ferric enterobactin:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ferric enterobactin(out) + H+(out) = ferric enterobactin(in) + H+(in). [TC:2.A.1.16.2]' - }, - 'GO:0015346': { - 'name': 'ferric triacetylfusarinine C:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ferric triacetylfusarinine C(out) + H+(out) = ferric triacetylfusarinine C(in) + H+(in). [TC:2.A.1.16.3]' - }, - 'GO:0015347': { - 'name': 'sodium-independent organic anion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of organic anions from one side of a membrane to the other, in a sodium independent manner. [GOC:go_curators]' - }, - 'GO:0015348': { - 'name': 'obsolete prostaglandin/thromboxane transporter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015349': { - 'name': 'thyroid hormone transmembrane transporter activity', - 'def': 'Enables the transfer of thyroid hormones from one side of the membrane to the other. Thyroid hormone are any of the compounds secreted by the thyroid gland, largely thyroxine and triiodothyronine. [GOC:ai]' - }, - 'GO:0015350': { - 'name': 'methotrexate transporter activity', - 'def': 'Enables the directed movement of methotrexate, 4-amino-10-methylformic acid, into, out of or within a cell, or between cells. Methotrexate is a folic acid analogue and a potent competitive inhibitor of dihydrofolate reductase. [GOC:ai]' - }, - 'GO:0015351': { - 'name': 'bilirubin secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of bilirubin from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mtg_transport]' - }, - 'GO:0015352': { - 'name': 'secondary active sterol transmembrane transporter activity', - 'def': "Catalysis of the transfer of sterol from one side of the membrane to the other, up the solute's concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction. [GOC:mtg_transport]" - }, - 'GO:0015355': { - 'name': 'secondary active monocarboxylate transmembrane transporter activity', - 'def': 'Catalysis of the movement of a monocarboxylate, any compound containing a single carboxyl group (COOH or COO-), by uniport, symport or antiport across a membrane by a carrier-mediated mechanism. [GOC:bf, GOC:jl]' - }, - 'GO:0015356': { - 'name': 'obsolete monocarboxylate (lactate, pyruvate, mevalonate) uptake/efflux porter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015358': { - 'name': 'obsolete amino acid/choline transmembrane transporter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015360': { - 'name': 'acetate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: acetate(out) + H+(out) = acetate(in) + H+(in). [TC:2.A.44.4.1]' - }, - 'GO:0015361': { - 'name': 'low-affinity sodium:dicarboxylate symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: dicarboxylate(out) + Na+(out) = dicarboxylate(in) + Na+(in). In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [TC:2.A.47.1.1]' - }, - 'GO:0015362': { - 'name': 'high-affinity sodium:dicarboxylate symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: dicarboxylate(out) + Na+(out) = dicarboxylate(in) + Na+(in). In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [TC:2.A.47.1.4]' - }, - 'GO:0015363': { - 'name': 'obsolete dicarboxylate (succinate/fumarate/malate) antiporter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015364': { - 'name': 'dicarboxylate:inorganic phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: dicarboxylate(out) + inorganic phosphate(in) = dicarboxylate(in) + inorganic phosphate(out). [TC:2.A.29.2.3]' - }, - 'GO:0015366': { - 'name': 'malate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: malate(out) + H+(out) = malate(in) + H+(in). [TC:2.A.16.2.1]' - }, - 'GO:0015367': { - 'name': 'oxoglutarate:malate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: oxoglutarate(out) + malate(in) = oxoglutarate(in) + malate(out). [TC:2.A.29.2.1]' - }, - 'GO:0015368': { - 'name': 'calcium:cation antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Ca2+(in) + cation(out) = Ca2+(out) + cation(in). [TC:2.A.19.-.-]' - }, - 'GO:0015369': { - 'name': 'calcium:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Ca2+(in) + H+(out) = Ca2+(out) + H+(in). [TC:2.A.19.2.-]' - }, - 'GO:0015370': { - 'name': 'solute:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: solute(out) + Na+(out) = solute(in) + Na+(in). [GOC:ai]' - }, - 'GO:0015371': { - 'name': 'galactose:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: galactose(out) + Na+(out) = glucose(in) + Na+(in). [TC:2.A.21.3.-]' - }, - 'GO:0015372': { - 'name': 'obsolete glutamate/aspartate:sodium symporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (glutamate or aspartate)(out) + Na+(out) = (glutamate or aspartate)(in) + Na+(in). [TC:2.A.23.1.1]' - }, - 'GO:0015373': { - 'name': 'monovalent anion:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: monovalent anion(out) + Na+(out) = monovalent anion(in) + Na+(in). [TC:2.A.21.5.-]' - }, - 'GO:0015374': { - 'name': 'neutral, basic amino acid:sodium:chloride symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: neutral/basic amino acid(out) + Na+(out) + Cl-(out) = neutral/basic amino acid(in) + Na+(in) + Cl-(in). [TC:2.A.22.2.3]' - }, - 'GO:0015375': { - 'name': 'glycine:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glycine(out) + Na+(out) = glycine(in) + Na+(in). [GOC:ai]' - }, - 'GO:0015376': { - 'name': 'obsolete betaine/GABA:sodium symporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (betaine or gamma-aminobutyric acid)(out) + Na+(out) = (betaine or gamma-aminobutyric acid)(in) + Na+(in). [TC:2.A.22.3.1]' - }, - 'GO:0015377': { - 'name': 'cation:chloride symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: cation(out) + Cl-(out) = cation(in) + Cl-(in). [TC:2.A.30.-.-]' - }, - 'GO:0015378': { - 'name': 'sodium:chloride symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Na+(out) + Cl-(out) = Na+(in) + Cl-(in). [TC:2.A.30.4.-]' - }, - 'GO:0015379': { - 'name': 'potassium:chloride symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: K+(out) + Cl-(out) = K+(in) + Cl-(in). [TC:2.A.30.5.-]' - }, - 'GO:0015381': { - 'name': 'high-affinity sulfate transmembrane transporter activity', - 'def': 'Catalysis of the secondary active high affinity transfer of sulfate from one side of the membrane to the other. Secondary active transport is catalysis of the transfer of a solute from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. In high-affinity transport the transporter is able to bind thesolute even if it is only present at very low concentrations. [GOC:mtg_transport]' - }, - 'GO:0015382': { - 'name': 'sodium:sulfate symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sulfate(out) + Na+(out) = sulfate(in) + Na+(in). [TC:2.A.47.1.2]' - }, - 'GO:0015383': { - 'name': 'sulfate:bicarbonate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sulfate(out) + bicarbonate(in) = sulfate(in) + bicarbonate(out). [TC:2.A.53.2.2]' - }, - 'GO:0015385': { - 'name': 'sodium:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Na+(out) + H+(in) = Na+(in) + H+(out). [TC:2.A.35.1.1, TC:2.A.36.-.-]' - }, - 'GO:0015386': { - 'name': 'potassium:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: K+(in) + H+(out) = K+(out) + H+(in). [TC:2.A.37.-.-]' - }, - 'GO:0015387': { - 'name': 'potassium:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: K+(out) + H+(out) = K+(in) + H+(in). [TC:2.A.38.-.-]' - }, - 'GO:0015388': { - 'name': 'potassium uptake transmembrane transporter activity', - 'def': 'Enables the transfer of potassium from the outside of a cell to the inside of the cell across a membrane: K+(out) + energy = K+(in). [GOC:mtg_transport, ISBN:0815340729, TC:2.A.72.2.-]' - }, - 'GO:0015389': { - 'name': 'pyrimidine- and adenine-specific:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: (pyrimidine nucleoside or adenine)(out) + Na+(out) = (pyrimidine nucleoside or adenine)(in) + Na+(in). [TC:2.A.41.2.3]' - }, - 'GO:0015390': { - 'name': 'purine-specific nucleoside:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: purine(out) + Na+(out) = nucleoside(in) + Na+(in). [TC:2.A.41.2.1]' - }, - 'GO:0015391': { - 'name': 'nucleobase:cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: nucleobase(out) + cation(out) = nucleobase(in) + cation(in). [GOC:ai]' - }, - 'GO:0015393': { - 'name': 'obsolete uracil/uridine permease activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015394': { - 'name': 'uridine:hydrogen ion symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: uridine(out) + H+(out) = uridine(in) + H+(in). [GOC:mtg_transport]' - }, - 'GO:0015395': { - 'name': 'nucleoside transmembrane transporter activity, down a concentration gradient', - 'def': 'Catalysis of the transfer of a nucleoside, from one side of a membrane to the other, down the concentration gradient. [PMID:10353709, PMID:11749958, PMID:12446811]' - }, - 'GO:0015398': { - 'name': 'high-affinity secondary active ammonium transmembrane transporter activity', - 'def': 'Catalysis of the transfer of ammonium from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mtg_transport]' - }, - 'GO:0015399': { - 'name': 'primary active transmembrane transporter activity', - 'def': "Catalysis of the transfer of a solute from one side of the membrane to the other, up the solute's concentration gradient, by binding the solute and undergoing a series of conformational changes. Transport works equally well in either direction and is powered by a primary energy source, directly using ATP. Primary energy sources known to be coupled to transport are chemical, electrical and solar sources. [GOC:mtg_transport, ISBN:0815340729, TC:3.-.-.-.-]" - }, - 'GO:0015400': { - 'name': 'low-affinity secondary active ammonium transmembrane transporter activity', - 'def': 'Catalysis of the transfer of ammonium from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015401': { - 'name': 'urea:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: urea(out) + Na+(out) = urea(in) + Na+(in). [TC:2.A.21.6.1]' - }, - 'GO:0015403': { - 'name': 'thiamine uptake transmembrane transporter activity', - 'def': 'Enables the transfer of thiamine from the outside of a cell to the inside across a membrane. [GOC:mtg_transport]' - }, - 'GO:0015405': { - 'name': 'P-P-bond-hydrolysis-driven transmembrane transporter activity', - 'def': "Primary active transport of a solute across a membrane, driven by the hydrolysis of the diphosphate bond of inorganic pyrophosphate, ATP, or another nucleoside triphosphate. The transport protein may or may not be transiently phosphorylated, but the substrate is not phosphorylated. Primary active transport is catalysis of the transport of a solute across a membrane, up the solute's concentration gradient, by binding the solute and undergoing a series of conformational changes. Transport works equally well in either direction and is driven by a primary energy source. [GOC:mtg_transport, ISBN:0815340729, TC:3.A.-.-.-]" - }, - 'GO:0015406': { - 'name': 'obsolete ABC-type uptake permease activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0015407': { - 'name': 'monosaccharide-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + monosaccharide(out) = ADP + phosphate + monosaccharide(in). Ribose, xylose, arabinose, galactose and methylgalactoside are imported. [EC:3.6.3.17]' - }, - 'GO:0015408': { - 'name': 'ferric-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Fe3+(out) = ADP + phosphate + Fe3+(in). [EC:3.6.3.30]' - }, - 'GO:0015410': { - 'name': 'manganese-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Mn2+(out) = ADP + phosphate + Mn2+(in). [EC:3.6.3.35]' - }, - 'GO:0015411': { - 'name': 'taurine-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + taurine(out) = ADP + phosphate + taurine(in). [EC:3.6.3.36]' - }, - 'GO:0015412': { - 'name': 'ATPase-coupled molybdate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + molybdate(out) = ADP + phosphate + molybdate(in). [EC:3.6.3.29]' - }, - 'GO:0015413': { - 'name': 'nickel-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Ni2+(out) = ADP + phosphate + Ni2+(in). [EC:3.6.3.24]' - }, - 'GO:0015414': { - 'name': 'ATPase-coupled nitrate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + nitrate(out) = ADP + phosphate + nitrate(in). [EC:3.6.3.26]' - }, - 'GO:0015415': { - 'name': 'ATPase-coupled phosphate ion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + phosphate(out) = ADP + phosphate + phosphate(in). [EC:3.6.3.27]' - }, - 'GO:0015416': { - 'name': 'ATPase-coupled organic phosphonate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + phosphonate(out) = ADP + phosphate + phosphonate(in). A phosphonate is any salt, anion, or ester of phosphonic acid (HPO(OH)2). [EC:3.6.3.28]' - }, - 'GO:0015417': { - 'name': 'polyamine-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + polyamine(out) = ADP + phosphate + polyamine(in). [EC:3.6.3.31]' - }, - 'GO:0015418': { - 'name': 'quaternary-ammonium-compound-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + quaternary amine(out) = ADP + phosphate + quaternary amine(in). [EC:3.6.3.32]' - }, - 'GO:0015419': { - 'name': 'ATPase-coupled sulfate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + sulfate(out) = ADP + phosphate + sulfate(in). [EC:3.6.3.25]' - }, - 'GO:0015420': { - 'name': 'cobalamin-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + cob(III)alamin(out) = ADP + phosphate + cob(III)alamin(in). Cobalamin is also known as vitamin B12. [EC:3.6.3.33]' - }, - 'GO:0015421': { - 'name': 'oligopeptide-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + oligopeptide(out) = ADP + phosphate + oligopeptide(in). [EC:3.6.3.23]' - }, - 'GO:0015422': { - 'name': 'oligosaccharide-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + oligosaccharide(out) = ADP + phosphate + oligosaccharide(in). [EC:3.6.3.18]' - }, - 'GO:0015423': { - 'name': 'maltose-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + maltose(out) = ADP + phosphate + maltose(in). [EC:3.6.3.19]' - }, - 'GO:0015424': { - 'name': 'amino acid-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + amino acid(out/in) = ADP + phosphate + amino acid(in/out). [GOC:ai, GOC:mah]' - }, - 'GO:0015425': { - 'name': 'nonpolar-amino acid-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + nonpolar amino acid(out) = ADP + phosphate + nonpolar amino acid(in). [EC:3.6.3.22]' - }, - 'GO:0015426': { - 'name': 'polar-amino acid-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + polar amino acid(out) = ADP + phosphate + polar amino acid(in). [EC:3.6.3.21]' - }, - 'GO:0015427': { - 'name': 'obsolete ABC-type efflux porter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0015428': { - 'name': 'obsolete type I protein secretor activity', - 'def': 'OBSOLETE. [GOC:mtg_transport]' - }, - 'GO:0015429': { - 'name': 'obsolete peroxisomal fatty acyl transporter', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015430': { - 'name': 'glycerol-3-phosphate-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + glycerol-3-phosphate(out) = ADP + phosphate + glycerol-3-phosphate(in). [EC:3.6.3.20]' - }, - 'GO:0015431': { - 'name': 'glutathione S-conjugate-exporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + glutathione S-conjugate(in) -> ADP + phosphate + glutathione S-conjugate(out). [GOC:jl, PMID:1455517]' - }, - 'GO:0015432': { - 'name': 'bile acid-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: bile acid(in) + ATP + H2O -> bile acid(out) + ADP + phosphate. [TC:3.A.1.207.2]' - }, - 'GO:0015433': { - 'name': 'peptide antigen-transporting ATPase activity', - 'def': 'Catalysis of the reaction: peptide antigen(in) + ATP = peptide antigen(out) + ADP + phosphate. [TC:3.A.1.209.1]' - }, - 'GO:0015434': { - 'name': 'cadmium-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Cd (cytosol) = ADP + phosphate + Cd (vacuole). [EC:3.6.3.46]' - }, - 'GO:0015435': { - 'name': 'obsolete ABC-type efflux permease activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0015436': { - 'name': 'capsular-polysaccharide-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + capsular polysaccharide(in) = ADP + phosphate + capsular polysaccharide(out). [EC:3.6.3.38]' - }, - 'GO:0015437': { - 'name': 'lipopolysaccharide-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + lipopolysaccharide(in) = ADP + phosphate + lipopolysaccharide(out). [EC:3.6.3.39]' - }, - 'GO:0015438': { - 'name': 'teichoic-acid-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + teichoic acid(in) = ADP + phosphate + teichoic acid(out). [EC:3.6.3.40]' - }, - 'GO:0015439': { - 'name': 'heme-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + heme(in) = ADP + phosphate + heme(out). [EC:3.6.3.41]' - }, - 'GO:0015440': { - 'name': 'peptide-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + peptide(in) = ADP + phosphate + peptide(out). Peptides exported include alpha-hemolysin, cyclolysin, colicin V and siderophores from Gram-negative bacteria, and bacteriocin, subtilin, competence factor and pediocin from Gram-positive bacteria. [EC:3.6.3.43]' - }, - 'GO:0015441': { - 'name': 'beta-glucan-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + beta-glucan(in) = ADP + phosphate + beta-glucan(out). [EC:3.6.3.42]' - }, - 'GO:0015442': { - 'name': 'obsolete hydrogen-/sodium-translocating ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + (Na+ or H+)(in) = ADP + phosphate + (Na+ or H+)(out). [TC:3.A.2.-.-]' - }, - 'GO:0015443': { - 'name': 'obsolete sodium-transporting two-sector ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + Na+(in) = ADP + phosphate + Na+(out). [EC:3.6.3.15]' - }, - 'GO:0015444': { - 'name': 'magnesium-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Mg2+(out) -> ADP + phosphate + Mg2+(in). [EC:3.6.3.2]' - }, - 'GO:0015445': { - 'name': 'silver-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Ag+(in) -> ADP + phosphate + Ag+(out). [EC:3.6.3.53]' - }, - 'GO:0015446': { - 'name': 'ATPase-coupled arsenite transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + arsenite(in) = ADP + phosphate + arsenite(out). [EC:3.6.3.16]' - }, - 'GO:0015447': { - 'name': 'obsolete type II protein secretor activity', - 'def': 'OBSOLETE. [GOC:mtg_transport]' - }, - 'GO:0015448': { - 'name': 'obsolete type III protein (virulence-related) secretor activity', - 'def': 'OBSOLETE. [GOC:mtg_transport]' - }, - 'GO:0015449': { - 'name': 'obsolete type IV protein (DNA-protein) secretor activity', - 'def': 'OBSOLETE. [GOC:mtg_transport]' - }, - 'GO:0015450': { - 'name': 'P-P-bond-hydrolysis-driven protein transmembrane transporter activity', - 'def': 'Primary active carrier-mediated transport of a protein across a membrane, driven by the hydrolysis of the diphosphate bond of inorganic pyrophosphate, ATP, or another nucleoside triphosphate. The transport protein may or may not be transiently phosphorylated, but the substrate is not phosphorylated. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015451': { - 'name': 'decarboxylation-driven active transmembrane transporter activity', - 'def': "Primary active transport of a solute across a membrane driven by decarboxylation of a cytoplasmic substrate. Primary active transport is catalysis of the transport of a solute across a membrane, up the solute's concentration gradient, by binding the solute and undergoing a series of conformational changes. Transport works equally well in either direction and is driven by a primary energy source. [GOC:mtg_transport, ISBN:0815340729, TC:3.B.-.-.-]" - }, - 'GO:0015452': { - 'name': 'methyl transfer-driven active transmembrane transporter activity', - 'def': "Primary active transport of a solute across a membrane driven by a methyl transfer reaction. Primary active transport is catalysis of the transport of a solute across a membrane, up the solute's concentration gradient, by binding the solute and undergoing a series of conformational changes. Transport works equally well in either direction and is driven by a primary energy source. [GOC:mtg_transport, ISBN:0815340729, TC:3.C.-.-.-]" - }, - 'GO:0015453': { - 'name': 'oxidoreduction-driven active transmembrane transporter activity', - 'def': "Primary active transport of a solute across a membrane, driven by exothermic flow of electrons from a reduced substrate to an oxidized substrate. Primary active transport is catalysis of the transport of a solute across a membrane, up the solute's concentration gradient, by binding the solute and undergoing a series of conformational changes. Transport works equally well in either direction and is driven by a primary energy source. [GOC:mtg_transport, ISBN:0815340729, TC:3.D.-.-.-]" - }, - 'GO:0015454': { - 'name': 'light-driven active transmembrane transporter activity', - 'def': "Primary active transport of a solute across a membrane, driven by light. Primary active transport is catalysis of the transport of a solute across a membrane, up the solute's concentration gradient, by binding the solute and undergoing a series of conformational changes. Transport works equally well in either direction and is driven by a primary energy source. [GOC:mtg_transport, ISBN:0815340729, TC:3.E.-.-.-]" - }, - 'GO:0015459': { - 'name': 'potassium channel regulator activity', - 'def': 'Modulates potassium channel activity via direct interaction interaction with a potassium channel (binding or modification). [GOC:dos, GOC:mah]' - }, - 'GO:0015461': { - 'name': 'obsolete endosomal oligosaccharide transporter', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015462': { - 'name': 'ATPase-coupled protein transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + protein(out) = ADP + phosphate + protein(in). [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0015464': { - 'name': 'acetylcholine receptor activity', - 'def': 'Combining with acetylcholine and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0015465': { - 'name': 'obsolete lysin activity', - 'def': 'OBSOLETE. An agent that can lyse cells. [ISBN:0198547684]' - }, - 'GO:0015466': { - 'name': 'obsolete autolysin activity', - 'def': 'OBSOLETE. An agent that can lyse the cell in which it is synthesized. [GOC:ma]' - }, - 'GO:0015467': { - 'name': 'G-protein activated inward rectifier potassium channel activity', - 'def': 'Enables the transmembrane transfer of a potassium ion by an inwardly-rectifying voltage-gated channel, where the inward rectification is due to a voltage-dependent block of the channel pore by a G protein. An inwardly rectifying current-voltage relation is one where at any given driving force the inward flow of K+ ions exceeds the outward flow for the opposite driving force. [GOC:cb, GOC:mah]' - }, - 'GO:0015468': { - 'name': 'obsolete colicin', - 'def': 'OBSOLETE. Plasmid-encoded bacteriocins which are produced by enteric bacteria. Exert a lethal effect on other bacteria including E. coli strains that lack the Col plasmid. Bind to a cell surface receptor and are transported into the periplasm via an energy-dependent process involving a TonB- or TolA-dependent hetero-oligomeric protein complex. Some colicins kill their target cell by inserting into the cytoplasmic membrane where they form voltage-sensitive (trans-negative) channels that depolarize and deenergize the cell, and thereby kill it. [TC:1.C.1.-.-]' - }, - 'GO:0015469': { - 'name': 'obsolete channel-forming toxin activity', - 'def': 'OBSOLETE. A toxin that exerts its effects by forming a channel in a membrane that allows the unregulated passage of substances into and out of the cell. [GOC:ai]' - }, - 'GO:0015470': { - 'name': 'obsolete bacteriocin activity', - 'def': 'OBSOLETE. Polypeptide antibiotic secreted by bacteria and able to kill bacteria of susceptible strains after absorption by specific cell surface receptor. [ISBN:0198547684]' - }, - 'GO:0015471': { - 'name': 'nucleoside-specific channel forming porin activity', - 'def': 'Enables the energy independent passage of nucleoside, sized less than 1000 Da, across a membrane. The transmembrane portions of porins consist exclusively of beta-strands which form a beta-barrel. They are found in the outer membranes of Gram-negative bacteria, mitochondria, plastids and possibly acid-fast Gram-positive bacteria. [GOC:mtg_transport]' - }, - 'GO:0015472': { - 'name': 'obsolete fimbrium-specific chaperone activity', - 'def': 'OBSOLETE. Assists in the correct assembly of fimbria, extracellular organelles that are used to attach a bacterial cell to a surface, but is not a component of the fimbrium when performing its normal biological function. [GOC:jl, GOC:rb, PMID:7906046]' - }, - 'GO:0015473': { - 'name': 'fimbrial usher porin activity', - 'def': 'A porin that acts in the assembly of fimbria together with fimbrial chaperone. [TC:1.B.11.-.-]' - }, - 'GO:0015474': { - 'name': 'autotransporter activity', - 'def': 'Transports a passenger protein from the periplasm to the external milieu; the passenger protein and the porin are the N- and C-terminal regions of the same protein, respectively. [GOC:mtg_transport, ISBN:0815340729, TC:1.B.12.-.-]' - }, - 'GO:0015475': { - 'name': 'adhesin autotransporter activity', - 'def': 'Catalysis of the transfer of adhesin from the periplasm to the external milieu; the adhesin and the porin are the N- and C-terminal regions of the same protein, respectively. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015476': { - 'name': 'hemaglutinin autotransporter activity', - 'def': 'Catalysis of the transfer of hemaglutinin from the periplasm to the external milieu; the hemaglutinin and the porin are the N- and C-terminal regions of the same protein, respectively. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015477': { - 'name': 'obsolete receptor porin activity', - 'def': 'OBSOLETE. A porin of the bacterial outer membrane that forms transmembrane pores and transports relatively large molecules from the external milieu to the periplasm in an energized process. Energizing of transport across the outer membrane requires a heterotrimeric complex of proteins, the TonB-ExbB-ExbD complex, or in some cases, the TolA-TolQ-TolR complex. Energizing requires proton motive force across the cytoplasmic membrane. [GOC:mtg_transport, ISBN:0815340729, TC:1.B.13.-.-]' - }, - 'GO:0015478': { - 'name': 'oligosaccharide transporting porin activity', - 'def': 'Catalysis of the transfer of oligosaccharide, sized less than 1000 Da, from one side of the membrane to the other. The transmembrane portions of porins consist exclusively of beta-strands which form a beta-barrel. They are found in the outer membranes of Gram-negative bacteria, mitochondria, plastids and possibly acid-fast Gram-positive bacteria. [GOC:mtg_transport]' - }, - 'GO:0015479': { - 'name': 'obsolete outer membrane exporter porin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015480': { - 'name': 'obsolete secretin (sensu Bacteria)', - 'def': 'OBSOLETE. Secretins are Gram-negative bacterial outer membrane proteins that form multimeric pores through which macromolecules, usually proteins, can pass. Form homomultimeric ring structures, 10-20 subunits per complex, with large central pores (inner diameters of 5-10 nm). [TC:1.B.22.-.-]' - }, - 'GO:0015481': { - 'name': 'maltose transporting porin activity', - 'def': 'Catalysis of the transfer of maltose from one side of the membrane to the other. Maltose is the disaccharide 4-O-alpha-D-glucopyranosyl-D-glucopyranose, an intermediate in the enzymatic breakdown of glycogen and starch. This transporter is a porin so enables the energy independent passage of substances, sized less than 1000 Da, across a membrane. The transmembrane portions of porins consist exclusively of beta-strands which form a beta-barrel. They are found in the outer membranes of Gram-negative bacteria, mitochondria, plastids and possibly acid-fast Gram-positive bacteria. [GOC:mtg_transport]' - }, - 'GO:0015482': { - 'name': 'obsolete voltage-gated anion channel porin activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015483': { - 'name': 'long-chain fatty acid transporting porin activity', - 'def': 'Enables the transfer of long-chain fatty acids from one side of the membrane to the other. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. This transporter is a porin and so enables the energy independent passage of substances, sized less than 1000 Da, across a membrane. The transmembrane portions of porins consist exclusively of beta-strands which form a beta-barrel. They are found in the outer membranes of Gram-negative bacteria, mitochondria, plastids and possibly acid-fast Gram-positive bacteria. [CHEBI:15904, GOC:mtg_transport]' - }, - 'GO:0015484': { - 'name': 'obsolete hemolysin activity', - 'def': 'OBSOLETE. Any substance that causes the lysis of red blood cells. [ISBN:0198506732]' - }, - 'GO:0015485': { - 'name': 'cholesterol binding', - 'def': 'Interacting selectively and non-covalently with cholesterol (cholest-5-en-3-beta-ol); the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0015486': { - 'name': 'glycoside-pentoside-hexuronide:cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: (glycoside, pentoside or hexuronide)(out) + monovalent cation(out) = (glycoside, pentoside or hexuronide)(in) + monovalent cation(in). The cation is Na+, Li+ or H+. [TC:2.A.2.-.-]' - }, - 'GO:0015487': { - 'name': 'melibiose:monovalent cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: melibiose(out) + monovalent cation(out) = melibiose(in) + monovalent cation(in). [TC:2.A.2.1.1]' - }, - 'GO:0015488': { - 'name': 'glucuronide:monovalent cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucuronide(out) + monovalent cation(out) = glucuronide(in) + monovalent cation(in). [TC:2.A.2.3.1]' - }, - 'GO:0015489': { - 'name': 'putrescine transmembrane transporter activity', - 'def': 'Enables the transfer of putrescine from one side of the membrane to the other. Putrescine is 1,4-diaminobutane, the polyamine formed by decarboxylation of ornithine and the metabolic precursor of spermidine and spermine. [GOC:ai]' - }, - 'GO:0015490': { - 'name': 'cadaverine transmembrane transporter activity', - 'def': 'Enables the transfer of cadaverine, 1,5-pentanediamine, from one side of the membrane to the other. [GOC:ai]' - }, - 'GO:0015491': { - 'name': 'cation:cation antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: cation A(out) + cation B(in) = cation A(in) + cation B(out). [GOC:ai]' - }, - 'GO:0015492': { - 'name': 'phenylalanine:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: phenylalanine(out) + H+(out) = phenylalanine(in) + H+(in). [TC:2.A.3.1.1]' - }, - 'GO:0015493': { - 'name': 'lysine:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: lysine(out) + H+(out) = lysine(in) + H+(in). [TC:2.A.3.1.2]' - }, - 'GO:0015494': { - 'name': 'aromatic amino acid:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: aromatic amino acid(out) + H+(out) = aromatic amino acid(in) + H+(in). [TC:2.A.3.1.3]' - }, - 'GO:0015495': { - 'name': 'gamma-aminobutyric acid:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: gamma-aminobutyric acid(out) + H+(out) = gamma-aminobutyric acid(in) + H+(in). [TC:2.A.18.5.1, TC:2.A.3.1.4, TC:2.A.3.4.2]' - }, - 'GO:0015496': { - 'name': 'putrescine:ornithine antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: putrescine(out) + ornithine(in) = putrescine(in) + ornithine(out). [TC:2.A.3.2.1]' - }, - 'GO:0015498': { - 'name': 'pantothenate:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: pantothenate(out) + Na+(out) = pantothenate(in) + Na+(in). [TC:2.A.21.1.1]' - }, - 'GO:0015499': { - 'name': 'formate transmembrane transporter activity', - 'def': 'Enables the transfer of formate from one side of the membrane to the other. Formate is also known as methanoate, the anion HCOO- derived from methanoic (formic) acid. [GOC:ai]' - }, - 'GO:0015500': { - 'name': 'obsolete threonine/serine:sodium symporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (threonine or serine)(out) + Na+(out) = (threonine or serine)(in) + Na+(in). [TC:2.A.23.4.1]' - }, - 'GO:0015501': { - 'name': 'glutamate:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glutamate(out) + Na+(out) = glutamate(in) + Na+(in). [TC:2.A.27.1.1]' - }, - 'GO:0015503': { - 'name': 'glutathione-regulated potassium exporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: K+(in) + H+(out) = K+(out) + H+(in), where glutathione maintains the closed state. [PMID:11053405, TC:2.A.37.1.1, TC:2.A.37.1.2]' - }, - 'GO:0015504': { - 'name': 'cytosine:hydrogen ion symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: cytosine(out) + H+(out) = cytosine(in) + H+(in). [TC:2.A.39.1.1]' - }, - 'GO:0015505': { - 'name': 'uracil:cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: uracil(out) + cation(out) = uracil(in) + cation(in). [GOC:mtg_transport]' - }, - 'GO:0015506': { - 'name': 'nucleoside:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: nucleoside(out) + H+(out) = nucleoside(in) + H+(in). [TC:2.A.1.10.1, TC:2.A.41.1.1]' - }, - 'GO:0015507': { - 'name': 'obsolete hydroxy/aromatic amino acid permease activity', - 'def': 'OBSOLETE. Permease for hydroxy and aromatic amino acids. [GOC:ai]' - }, - 'GO:0015513': { - 'name': 'nitrite uptake transmembrane transporter activity', - 'def': 'Enables the transfer of nitrite from the outside of a cell to the inside of the cell across a membrane. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015514': { - 'name': 'nitrite efflux transmembrane transporter activity', - 'def': 'Enables the transfer of nitrite from the inside of the cell to the outside of the cell across a membrane. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015515': { - 'name': 'citrate:succinate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: citrate(out) + succinate(in) = citrate(in) + succinate(out). [TC:2.A.47.3.2]' - }, - 'GO:0015516': { - 'name': 'tartrate:succinate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: tartrate(out) + succinate(in) = tartrate(in) + succinate(out). [TC:2.A.47.3.3]' - }, - 'GO:0015517': { - 'name': 'galactose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: galactose(out) + H+(out) = galactose(in) + H+(in). [TC:2.A.1.1.1, TC:2.A.1.1.9]' - }, - 'GO:0015518': { - 'name': 'arabinose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: arabinose(out) + H+(out) = arabinose(in) + H+(in). [TC:2.A.1.1.2]' - }, - 'GO:0015519': { - 'name': 'D-xylose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: D-xylose(out) + H+(out) = D-xylose(in) + H+(in). [TC:2.A.1.1.3]' - }, - 'GO:0015520': { - 'name': 'tetracycline:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + tetracycline(in) = H+(in) + tetracycline(out). [TC:2.A.1.2.4]' - }, - 'GO:0015521': { - 'name': 'obsolete bicyclomycin/sulfathiazole:hydrogen antiporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (bicyclomycin or sulfathiazole)(in) + H+(out) = (bicyclomycin or sulfathiazole)(out) + H+(in). [TC:2.A.1.2.7]' - }, - 'GO:0015522': { - 'name': 'hydrophobic uncoupler:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: hydrophobic uncoupler(in) + H+(out) = hydrophobic uncoupler(out) + H+(in). Hydrophobic uncouplers include CCCP, benzalkonium and SDS. [TC:2.A.1.2.9]' - }, - 'GO:0015523': { - 'name': 'arabinose efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of arabinose from the inside of the cell to the outside of the cell across a membrane: H+(out) + arabinose(in) = H+(in) + arabinose(out). [GOC:mtg_transport, ISBN:0815340729, TC:2.A.1.2.14]' - }, - 'GO:0015524': { - 'name': 'obsolete L-arabinose/beta-D-thiogalactopyranoside:hydrogen antiporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: H+(out) + (L-arabinose or beta-D-thiogalactopyranoside)(in) = H+(in) + (L-arabinose or beta-D-thiogalactopyranoside)(out). [TC:2.A.1.2.15]' - }, - 'GO:0015525': { - 'name': 'obsolete carbonyl cyanide m-chlorophenylhydrazone/nalidixic acid/organomercurials:hydrogen antiporter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015526': { - 'name': 'hexose-phosphate:inorganic phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: hexose phosphate(out) + inorganic phosphate(in) = hexose phosphate(in) + inorganic phosphate(out). [TC:2.A.1.4.1]' - }, - 'GO:0015527': { - 'name': 'glycerol-phosphate:inorganic phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glycerol phosphate(out) + inorganic phosphate(in) = glycerol phosphate(in) + inorganic phosphate(out). [TC:2.A.1.4.3]' - }, - 'GO:0015528': { - 'name': 'lactose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: lactose(out) + H+(out) = lactose(in) + H+(in). [TC:2.A.1.1.9, TC:2.A.1.5.1]' - }, - 'GO:0015529': { - 'name': 'raffinose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: raffinose(out) + H+(out) = raffinose(in) + H+(in). [TC:2.A.1.5.2]' - }, - 'GO:0015530': { - 'name': 'shikimate transmembrane transporter activity', - 'def': 'Enables the transfer of shikimate from one side of the membrane to the other. Shikimate is an important intermediate in the biosynthesis of aromatic amino acids. [GOC:ai]' - }, - 'GO:0015531': { - 'name': 'citrate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: citrate(out) + H+(out) = citrate(in) + H+(in). [TC:2.A.1.6.1]' - }, - 'GO:0015532': { - 'name': 'alpha-ketoglutarate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: alpha-ketoglutarate(out) + H+(out) = alpha-ketoglutarate(in) + H+(in). [TC:2.A.1.6.2]' - }, - 'GO:0015533': { - 'name': 'shikimate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: shikimate(out) + H+(out) = shikimate(in) + H+(in). [TC:2.A.1.6.6]' - }, - 'GO:0015534': { - 'name': 'obsolete proline/glycine/betaine:hydrogen/sodium symporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (proline, glycine or betaine)(out) + (H+ or Na+)(out) = (proline, glycine or betaine)(in) + (H+ or Na+)(in). [TC:2.A.1.6.4]' - }, - 'GO:0015535': { - 'name': 'fucose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: fucose(out) + H+(out) = fucose(in) + H+(in). [TC:2.A.1.7.1]' - }, - 'GO:0015537': { - 'name': 'xanthosine:hydrogen ion symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: xanthosine(out) + H+(out) = xanthosine(in) + H+(in). [TC:2.A.1.10.2]' - }, - 'GO:0015538': { - 'name': 'sialic acid:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sialate(out) + H+(out) = sialate(in) + H+(in). [TC:2.A.1.12.1]' - }, - 'GO:0015539': { - 'name': 'hexuronate:cation symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: hexuronate(out) + cation(out) = hexuronate(in) + cation(in). The hexuronate may be glucuronate or galacturonate. [TC:2.A.1.14.2]' - }, - 'GO:0015540': { - 'name': '3-hydroxyphenyl propionate:hydrogen ion symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: 3-hydroxyphenyl propionate(out) + H+(out) = 3-hydroxyphenyl propionate(in) + H+(in). [TC:2.A.1.15.2]' - }, - 'GO:0015541': { - 'name': 'secondary active cyanate uptake transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: cyanate(out) = cyanate(in). [TC:2.A.1.17.1]' - }, - 'GO:0015542': { - 'name': 'sugar efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sugar(in) = sugar(out). [GOC:mtg_transport, ISBN:0815340729, TC:2.A.1.20.1]' - }, - 'GO:0015543': { - 'name': 'obsolete lactose/glucose efflux transporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: glucose or lactose(in) = glucose or lactose(out). [TC:2.A.1.20.2]' - }, - 'GO:0015544': { - 'name': 'phenyl propionate uptake uniporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: phenyl propionate(out) = phenyl propionate(in). [GOC:mtg_transport, TC:2.A.1.27.1]' - }, - 'GO:0015545': { - 'name': 'bicyclomycin transporter activity', - 'def': 'Enables the directed movement of bicyclomycin into, out of or within a cell, or between cells. Bicyclomycin (or bicozamycin) is an antibacterial drug often used as a livestock feed additive. [ISBN:91191028X]' - }, - 'GO:0015546': { - 'name': 'sulfathiazole transmembrane transporter activity', - 'def': 'Enables the directed movement of sulfathiazole across a membrane. Sulfathiazole is an antibacterial agent of the sulfonamide group. [CHEBI:9337, GOC:curators]' - }, - 'GO:0015547': { - 'name': 'nalidixic acid transporter activity', - 'def': 'Enables the directed movement of nalidixic acid into, out of or within a cell, or between cells. Nalidixic acid is a synthetic antibiotic that interferes with DNA gyrase and inhibits prokaryotic replication. [GOC:curators, PMID:12702699, PubChem_Compound:4221]' - }, - 'GO:0015548': { - 'name': 'organomercurial transporter activity', - 'def': 'Enables the directed movement of organomercurial compounds into, out of or within a cell, or between cells. Organomercurial substances are any organic compound containing a mercury atom. [GOC:ai]' - }, - 'GO:0015549': { - 'name': 'carbonyl cyanide m-chlorophenylhydrazone transporter activity', - 'def': 'Enables the directed movement of carbonyl cyanide m-chlorophenylhydrazone into, out of or within a cell, or between cells. Carbonyl cyanide m-chlorophenylhydrazone is a proton ionophore, commonly used as an uncoupling agent and inhibitor of photosynthesis because of its effects on mitochondrial and chloroplast membranes. [CHEBI:3259, GOC:curators]' - }, - 'GO:0015550': { - 'name': 'galacturonate transmembrane transporter activity', - 'def': 'Enables the transfer of galacturonate from one side of the membrane to the other. Galacturonate is the uronic acid formally derived from galactose by oxidation of the hydroxymethylene group at C-6 to a carboxyl group. [GOC:ai]' - }, - 'GO:0015551': { - 'name': '3-hydroxyphenyl propanoate transmembrane transporter activity', - 'def': 'Enables the transfer of 3-hydroxyphenyl propanoate from one side of the membrane to the other. [GOC:ai]' - }, - 'GO:0015552': { - 'name': 'propionate transmembrane transporter activity', - 'def': 'Enables the transfer of propionate from one side of the membrane to the other. Propionate (or propanoate) is the organic acid CH3-CH2-COOH. [GOC:ai]' - }, - 'GO:0015553': { - 'name': 'xanthosine transmembrane transporter activity', - 'def': 'Enables the transfer of xanthosine, xanthine riboside, from one side of a membrane to the other. [ISBN:0198506732]' - }, - 'GO:0015554': { - 'name': 'tartrate transmembrane transporter activity', - 'def': 'Enables the transfer of tartrate from one side of the membrane to the other. Tartrate is the anion of 2,3-dihydroxybutanedioic acid, one of the aldaric acids. The L(+) enantiomer occurs widely in plants, especially in grape juice, and in fungi and bacteria. [GOC:ai]' - }, - 'GO:0015556': { - 'name': 'C4-dicarboxylate transmembrane transporter activity', - 'def': 'Enables the transfer of C4-dicarboxylate from one side of the membrane to the other. [GOC:krc]' - }, - 'GO:0015557': { - 'name': 'arginine targeting transmembrane transporter activity', - 'def': 'Enables the directed movement of fully folded proteins into, out of or within a cell, or between cells, by targeting the proteins to the transporter via a specialized N-terminal twin arginine signal peptide. [GOC:dph, GOC:tb, PMID:17956229]' - }, - 'GO:0015558': { - 'name': 'p-aminobenzoyl-glutamate uptake transmembrane transporter activity', - 'def': 'Enables the transfer of p-aminobenzoyl-glutamate from the outside of a cell to the inside of the cell across a membrane. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015560': { - 'name': 'obsolete L-idonate/D-gluconate:hydrogen symporter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: (L-idonate or D-gluconate)(out) + H+(out) = (L-iodonate or D-gluconate)(in) + H+(in). [TC:2.A.8.1.2]' - }, - 'GO:0015561': { - 'name': 'rhamnose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: rhamnose(out) + H+(out) = rhamnose(in) + H+(in). [TC:2.A.7.6.1]' - }, - 'GO:0015562': { - 'name': 'efflux transmembrane transporter activity', - 'def': 'Enables the transfer of a specific substance or related group of substances from the inside of the cell to the outside of the cell across a membrane. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015563': { - 'name': 'uptake transmembrane transporter activity', - 'def': 'Enables the transfer of a specific substance or related group of substances from the outside of a cell to the inside across a membrane. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015565': { - 'name': 'threonine efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of threonine from the inside of the cell to the outside of the cell across a membrane. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015566': { - 'name': 'acriflavine transporter activity', - 'def': 'Enables the directed movement of acriflavin into, out of or within a cell, or between cells. Acriflavin is a fluorescent dye used as a local antiseptic and also as a biological stain. It intercalates into nucleic acids thereby inhibiting bacterial and viral replication. [PubChem_Compound:6842]' - }, - 'GO:0015567': { - 'name': 'alkane transporter activity', - 'def': 'Enables the directed movement of alkanes into, out of or within a cell, or between cells. Alkanes are saturated aliphatic hydrocarbon compounds. [GOC:ai]' - }, - 'GO:0015568': { - 'name': 'L-idonate transmembrane transporter activity', - 'def': 'Enables the transfer of L-idonate from one side of the membrane to the other. L-idonate is an aldonic acid derived from L-idose, an aldohexose which is epimeric with D-glucose. [GOC:ai]' - }, - 'GO:0015569': { - 'name': 'p-aminobenzoyl-glutamate transmembrane transporter activity', - 'def': 'Enables the transfer of p-aminobenzoyl-glutamate from one side of a membrane to the other. p-aminobenzoyl-glutamate is the anion of p-aminobenzoyl-glutamic acid. [GOC:ai]' - }, - 'GO:0015571': { - 'name': 'N-acetylgalactosamine transmembrane transporter activity', - 'def': 'Enables the transfer of N-acetylgalactosamine from one side of the membrane to the other. N-acetylgalactosamine, 2-acetamido-2-deoxygalactopyranose, is the n-acetyl derivative of galactosamine. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015572': { - 'name': 'N-acetylglucosamine transmembrane transporter activity', - 'def': 'Enables the transfer of N-acetylglucosamine from one side of the membrane to the other. The D isomer of N-acetylglucosamine is a common structural unit of glycoproteins in plants, bacteria and animals; it is often the terminal sugar of an oligosaccharide group of a glycoprotein. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015573': { - 'name': 'beta-glucoside transmembrane transporter activity', - 'def': 'Enables the transfer of beta-glucosides from one side of the membrane to the other. Beta-glucosides are glycosides in which the sugar group is a glucose residue, and the anomeric carbon of the bond is in a beta configuration. [GOC:jl, GOC:mtg_transport, http://www.biochem.purdue.edu/, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015574': { - 'name': 'trehalose transmembrane transporter activity', - 'def': 'Enables the transfer of trehalose from one side of the membrane to the other. Trehalose is the disaccharide alpha-D-glucopyranosyl-alpha-D-glucopyranoside that acts of a reserve carbohydrate in certain fungi, algae and lichens. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015575': { - 'name': 'mannitol transmembrane transporter activity', - 'def': 'Enables the transfer of mannitol from one side of the membrane to the other. Mannitol is the alditol derived from D-mannose by reduction of the aldehyde group. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015576': { - 'name': 'sorbitol transmembrane transporter activity', - 'def': 'Enables the transfer of sorbitol from one side of the membrane to the other. Sorbitol, also known as glucitol, is the hexitol derived by the reduction of the aldehyde group of glucose. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015577': { - 'name': 'galactitol transmembrane transporter activity', - 'def': 'Enables the transfer of a galactitol from one side of the membrane to the other. Galactitol is the hexitol derived by the reduction of the aldehyde group of either D- or L-galactose. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015578': { - 'name': 'mannose transmembrane transporter activity', - 'def': 'Enables the transfer of mannose from one side of the membrane to the other. Mannose is the aldohexose manno-hexose, the C-2 epimer of glucose. The D-(+)-form is widely distributed in mannans and hemicelluloses and is of major importance in the core oligosaccharide of N-linked oligosaccharides of glycoproteins. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015583': { - 'name': 'obsolete beta-glucoside [arbutin-salicin-cellobiose] permease activity', - 'def': 'OBSOLETE. Catalysis of the reaction: protein N-phosphohistidine + beta-glucoside(out) = protein histidine + beta-glucoside phosphate(in). The beta-glucoside may be arbutin, salicin or cellobiose. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015591': { - 'name': 'D-ribose transmembrane transporter activity', - 'def': 'Enables the transfer of D-ribose from one side of the membrane to the other. As beta-D-ribofuranose, D-ribose forms the glycose group of all ribonucleosides, ribonucleotides and ribonucleic acids, and also of ribose phosphates, various glycosides, some coenzymes and some forms of vitamin B12. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015592': { - 'name': 'methylgalactoside transmembrane transporter activity', - 'def': 'Enables the transfer of methylgalactoside from one side of the membrane to the other. Methylgalactoside is a compound in which the H of the OH group on carbon-1 of galactose is replaced by a methyl group. [CHEBI:55507, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015593': { - 'name': 'allose transmembrane transporter activity', - 'def': 'Enables the transfer of allose from one side of the membrane to the other. Allose is an aldohexose similar to glucose, differing only in the configuration of the hydroxyl group of C-3. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015594': { - 'name': 'putrescine-importing ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + putrescine(out) -> ADP + phosphate + putrescine(in). [EC:3.6.3.31]' - }, - 'GO:0015595': { - 'name': 'spermidine-importing ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + spermidine(out) -> ADP + phosphate + spermidine(in). [EC:3.6.3.31]' - }, - 'GO:0015596': { - 'name': 'obsolete glycine betaine/proline porter activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + quaternary amine(out) = ADP + phosphate + quaternary amine(in). [EC:3.6.3.32, TC:3.A.1.12.1]' - }, - 'GO:0015597': { - 'name': 'obsolete histidine/arginine/lysine/ornithine porter activity', - 'def': 'OBSOLETE. Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + polar amino acid(out) = ADP + phosphate + polar amino acid(in). [EC:3.6.3.21, TC:3.A.1.3.1]' - }, - 'GO:0015598': { - 'name': 'arginine-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + arginine(out) -> ADP + phosphate + arginine(in). [EC:3.6.3.21]' - }, - 'GO:0015599': { - 'name': 'glutamine-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + glutamine(out) -> ADP + phosphate + glutamine(in). [EC:3.6.3.21]' - }, - 'GO:0015600': { - 'name': 'obsolete glutamate/aspartate porter activity', - 'def': 'OBSOLETE. Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + polar amino acid(out) = ADP + phosphate + polar amino acid(in). [EC:3.6.3.21, TC:3.A.1.3.4]' - }, - 'GO:0015601': { - 'name': 'obsolete cystine/diaminopimelate porter activity', - 'def': 'OBSOLETE. Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + polar amino acid(out) = ADP + phosphate + polar amino acid(in). [EC:3.6.3.21, TC:3.A.1.3.10]' - }, - 'GO:0015602': { - 'name': 'obsolete leucine/isoleucine/valine porter activity', - 'def': 'OBSOLETE. Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + nonpolar amino acid(out) = ADP + phosphate + nonpolar amino acid(in). [EC:3.6.3.22, TC:3.A.1.4.1]' - }, - 'GO:0015603': { - 'name': 'iron chelate transmembrane transporter activity', - 'def': 'Enables the transfer of an iron chelate from one side of a membrane to the other. An iron chelate is a heterocyclic compound having a metal ion attached by coordinate bonds to at least two nonmetal ions. [http://www.onelook.com]' - }, - 'GO:0015604': { - 'name': 'organic phosphonate transmembrane transporter activity', - 'def': 'Enables the transfer of phosphonate from one side of a membrane to the other. A phosphonate is any salt, anion, or ester of phosphonic acid (HPO(OH)2). [GOC:ai]' - }, - 'GO:0015605': { - 'name': 'organophosphate ester transmembrane transporter activity', - 'def': 'Enables the transfer of organophosphate esters from one side of a membrane to the other. Organophosphate esters are small organic molecules containing phosphate ester bonds. [GOC:mcc]' - }, - 'GO:0015606': { - 'name': 'spermidine transmembrane transporter activity', - 'def': 'Enables the transfer of spermidine, N-(3-aminopropyl)-1,4-diaminobutane, from one side of the membrane to the other. [GOC:ai]' - }, - 'GO:0015607': { - 'name': 'fatty-acyl-CoA transporter activity', - 'def': 'Enables the directed movement of a fatty acyl CoA group into, out of or within a cell, or between cells. A fatty acyl CoA group is any acyl group derived from a fatty acid with a coenzyme A group attached to it. [GOC:ai]' - }, - 'GO:0015608': { - 'name': 'carbohydrate-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + carbohydrate(out) -> ADP + phosphate + carbohydrate(in). [GOC:ai, TC:3.A.1.1.-, TC:3.A.1.2.-]' - }, - 'GO:0015609': { - 'name': 'maltooligosaccharide-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + maltooligosaccharide(out) -> ADP + phosphate + maltooligosaccharide(in). [TC:3.A.1.-.-]' - }, - 'GO:0015610': { - 'name': 'glycerol phosphate-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + glycerol-phosphate(out) -> ADP + phosphate + glycerol-phosphate(in). [TC:3.A.1.-.-]' - }, - 'GO:0015611': { - 'name': 'D-ribose-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + D-ribose(out) -> ADP + phosphate + D-ribose(in). [EC:3.6.3.17, TC:3.A.1.-.-]' - }, - 'GO:0015612': { - 'name': 'L-arabinose-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + L-arabinose(out) -> ADP + phosphate + L-arabinose(in). [EC:3.6.3.17, TC:3.A.1.-.-]' - }, - 'GO:0015613': { - 'name': 'obsolete galactose/glucose (methylgalactoside) porter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015614': { - 'name': 'D-xylose-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + D-xylose(out) -> ADP + phosphate + D-xylose(in). [TC:3.A.1.-.-]' - }, - 'GO:0015615': { - 'name': 'D-allose-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + D-allose(out) -> ADP + phosphate + D-allose(in). [TC:3.A.1.-.-]' - }, - 'GO:0015616': { - 'name': 'DNA translocase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to drive movement along a single- or double-stranded DNA molecule. [GOC:mah, PMID:16428451, PMID:17631491]' - }, - 'GO:0015617': { - 'name': 'obsolete pilin/fimbrilin exporter activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0015619': { - 'name': 'thiamine pyrophosphate-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + thiamine pyrophosphate(out) = ADP + phosphate + thiamine pyrophosphate(in). [TC:3.A.1.19.1]' - }, - 'GO:0015620': { - 'name': 'ferric-enterobactin transmembrane transporter activity', - 'def': 'Catalysis of the transfer of ferric-enterobactin from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015621': { - 'name': 'ferric triacetylfusarinine C transmembrane transporter activity', - 'def': 'Enables the transfer of ferric triacetylfusarinine C from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015622': { - 'name': 'ferric-hydroxamate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of ferric-hydroxamate from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015623': { - 'name': 'iron-chelate-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + iron chelate(out) = ADP + phosphate + iron chelate(in). Fe-enterobactin, Fe-dicitrate, Fe-hydroxamate and other siderophores are imported. [EC:3.6.3.34]' - }, - 'GO:0015624': { - 'name': 'ferric-enterobactin-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + ferric-enterobactin(out) = ADP + phosphate + ferric-enterobactin(in). [EC:3.6.3.34, TC:3.A.1.-.-]' - }, - 'GO:0015625': { - 'name': 'ferric-hydroxamate-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + ferric-hydroxamate(out) = ADP + phosphate + ferric-hydroxamate(in). [EC:3.6.3.34, TC:3.A.1.-.-]' - }, - 'GO:0015626': { - 'name': 'L-diaminopimelate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of L-diaminopimelate from one side of a membrane to the other. L-diaminopimelate is the L-enantiomer anion of 2,6-diaminoheptanedioic acid. [GOC:go_curators, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0015627': { - 'name': 'type II protein secretion system complex', - 'def': 'A large protein complex, containing 12-15 subunits, that spans the cell envelope of Gram-negative bacteria and mediates the movement of proteins into the extracellular environment. The complex includes a component in the cytoplasm, an inner membrane subcomplex that reaches into the periplasmic compartment and a secretion pore in the outer membrane. Proteins using the Type II pathway are transported across the cytoplasmic membrane by the Sec or Tat complex. [PMID:16448494]' - }, - 'GO:0015628': { - 'name': 'protein secretion by the type II secretion system', - 'def': 'The process in which proteins are secreted across the outer membrane of Gram-negative bacteria by the type II secretion system. Proteins using this pathway are first translocated across the cytoplasmic membrane via the Sec or Tat pathways. [GOC:pamgo_curators]' - }, - 'GO:0015629': { - 'name': 'actin cytoskeleton', - 'def': 'The part of the cytoskeleton (the internal framework of a cell) composed of actin and associated proteins. Includes actin cytoskeleton-associated complexes. [GOC:jl, ISBN:0395825172, ISBN:0815316194]' - }, - 'GO:0015630': { - 'name': 'microtubule cytoskeleton', - 'def': 'The part of the cytoskeleton (the internal framework of a cell) composed of microtubules and associated proteins. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0015631': { - 'name': 'tubulin binding', - 'def': 'Interacting selectively and non-covalently with monomeric or multimeric forms of tubulin, including microtubules. [GOC:clt]' - }, - 'GO:0015633': { - 'name': 'zinc-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Zn2+(out) = ADP + phosphate + Zn2+(in). [TC:3.A.1.-.-]' - }, - 'GO:0015634': { - 'name': 'lipopolysaccharide exporter activity', - 'def': 'Catalysis of the transfer of lipopolysaccharide from the inside of the cell to the outside of the cell across a membrane. A lipopolysaccharide is any of a group of related, structurally complex components of the outer membrane of Gram-negative bacteria. Lipopolysaccharides consist three covalently linked regions, lipid A, core oligosaccharide, and an O side chain. Lipid A is responsible for the toxicity of the lipopolysaccharide. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015635': { - 'name': 'short-chain fatty acid transporter activity', - 'def': 'Enables the directed movement of short-chain fatty acids into, out of or within a cell, or between cells. Short-chain fatty acids are fatty acids with a chain length of less than C6. [CHEBI:26666, ISBN:0198506732]' - }, - 'GO:0015636': { - 'name': 'short-chain fatty acid uptake transporter activity', - 'def': 'Enables the directed movement of short-chain fatty acids into a cell or organelle. Short-chain fatty acids are fatty acids with a chain length of less than C6. [CHEBI:26666, GOC:mah]' - }, - 'GO:0015638': { - 'name': 'microcin uptake transporter activity', - 'def': 'Enables the transfer of a microcin from the outside of a cell to the inside of the cell across a membrane. [GOC:mah]' - }, - 'GO:0015639': { - 'name': 'ferrous iron uptake transmembrane transporter activity', - 'def': 'Enables the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Fe2+(out) + energy = Fe2+(in). [TC:9.A.8.1.1]' - }, - 'GO:0015640': { - 'name': 'peptidoglycan peptide transporter activity', - 'def': 'Enables the directed movement of peptidoglycan peptides into, out of or within a cell, or between cells. Peptidoglycan peptides are the oligopeptides found in peptidoglycan networks which cross-link the polysaccharide chains. [ISBN:0198506732]' - }, - 'GO:0015641': { - 'name': 'obsolete lipoprotein toxin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0015642': { - 'name': 'obsolete bacteriolytic toxin activity', - 'def': 'OBSOLETE. Acts as to cause lysis of bacterial cells. [GOC:jl]' - }, - 'GO:0015643': { - 'name': 'toxic substance binding', - 'def': 'Interacting selectively and non-covalently with a toxic substance, a poisonous substance that causes damage to biological systems. [GOC:bf, GOC:curators, GOC:jl, GOC:pr]' - }, - 'GO:0015644': { - 'name': 'obsolete lipoprotein antitoxin', - 'def': 'OBSOLETE. Binds to a lipoprotein toxin, which is usually derived from a microorganism, thereby neutralizing it. [GOC:jl]' - }, - 'GO:0015645': { - 'name': 'fatty acid ligase activity', - 'def': 'Catalysis of the ligation of a fatty acid to an acceptor, coupled to the hydrolysis of ATP. [EC:6.2.1.20, EC:6.2.1.3, GOC:cjk, GOC:mah]' - }, - 'GO:0015647': { - 'name': 'peptidoglycan transporter activity', - 'def': 'Enables the directed movement of peptidoglycans, a class of glycoconjugates found in bacterial cell walls, into, out of or within a cell, or between cells. [GOC:ai]' - }, - 'GO:0015648': { - 'name': 'lipid-linked peptidoglycan transporter activity', - 'def': 'Enables the directed movement of lipid-linked peptidoglycans into, out of or within a cell, or between cells. [GOC:mah]' - }, - 'GO:0015649': { - 'name': '2-keto-3-deoxygluconate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: 2-keto-3-deoxygluconate(out) + H+(out) = 2-keto-3-deoxygluconate(in) + H+(in). [TC:2.A.10.1.1]' - }, - 'GO:0015650': { - 'name': 'lactate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: lactate (out) + H+ (out) = lactate (in) + H+ (in). [TC:2.A.14.1.1]' - }, - 'GO:0015651': { - 'name': 'quaternary ammonium group transmembrane transporter activity', - 'def': 'Enables the transfer of quaternary ammonium groups from one side of a membrane to the other. Quaternary ammonium groups are any compound that can be regarded as derived from ammonium hydroxide or an ammonium salt by replacement of all four hydrogen atoms of the NH4+ ion by organic groups. [ISBN:0198506732]' - }, - 'GO:0015652': { - 'name': 'quaternary ammonium group:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: quaternary ammonium group(out) + H+(out) = quaternary ammonium group(in) + H+(in). [GOC:ai]' - }, - 'GO:0015653': { - 'name': 'glycine betaine:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glycine betaine(out) + H+(out) = glycine betaine(in) + H+(in). [TC:2.A.15.1.1]' - }, - 'GO:0015654': { - 'name': 'tellurite uptake transmembrane transporter activity', - 'def': 'Enables the transfer of tellurite from the outside of a cell to the inside across a membrane: tellurite(out) + H+(out) = tellurite(in) + H+(in). [GOC:mtg_transport, ISBN:0815340729, TC:2.A.16.1.1]' - }, - 'GO:0015655': { - 'name': 'alanine:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: alanine(out) + Na+(out) = alanine(in) + Na+(in). [GOC:ai]' - }, - 'GO:0015657': { - 'name': 'branched-chain amino acid:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: branched-chain amino acid(out) + cation(out) = branched-chain amino acid(in) + cation(in). [TC:2.A.26.1.1]' - }, - 'GO:0015658': { - 'name': 'branched-chain amino acid transmembrane transporter activity', - 'def': 'Enables the transfer of branched-chain amino acids from one side of a membrane to the other. Branched-chain amino acids are amino acids with a branched carbon skeleton without rings. [CHEBI:22918, GOC:ai, GOC:bf, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015659': { - 'name': 'formate uptake transmembrane transporter activity', - 'def': 'Enables the transfer of formate from the outside of a cell to the inside of the cell across a membrane. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015660': { - 'name': 'formate efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of formate from the inside of the cell to the outside of the cell across a membrane. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015661': { - 'name': 'L-lysine efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of L-lysine from the inside of the cell to the outside of the cell across a membrane. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0015662': { - 'name': 'ATPase activity, coupled to transmembrane movement of ions, phosphorylative mechanism', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O = ADP + phosphate, to directly drive the transport of ions across a membrane. The reaction is characterized by the transient formation of a high-energy aspartyl-phosphoryl-enzyme intermediate. [PMID:10322420, PMID:10600683]' - }, - 'GO:0015663': { - 'name': 'nicotinamide mononucleotide transmembrane transporter activity', - 'def': 'Enables the directed movement of nicotinamide mononucleotide into, out of or within a cell, or between cells. Nicotinamide mononucleotide is a ribonucleotide in which the nitrogenous base, nicotinamide, is in beta-n-glycosidic linkage with the c-1 position of d-ribose. It is a constituent of NAD and NADP. [CHEBI:50383, GOC:curators, ISBN:0721662544]' - }, - 'GO:0015665': { - 'name': 'alcohol transmembrane transporter activity', - 'def': 'Enables the transfer of an alcohol from one side of the membrane to the other. An alcohol is any carbon compound that contains a hydroxyl group. [ISBN:0198506732]' - }, - 'GO:0015666': { - 'name': 'restriction endodeoxyribonuclease activity', - 'def': 'Catalysis of endonucleolytic cleavage of DNA in a site-specific manner, resulting in double-strand breaks. [GOC:mlg]' - }, - 'GO:0015667': { - 'name': 'site-specific DNA-methyltransferase (cytosine-N4-specific) activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + DNA cytosine = S-adenosyl-L-homocysteine + DNA N4-methylcytosine. [EC:2.1.1.113]' - }, - 'GO:0015668': { - 'name': 'Type III site-specific deoxyribonuclease activity', - 'def': "Catalysis of the endonucleolytic cleavage of DNA to give double-stranded fragments with terminal 5'-phosphates. ATP hydrolysis is required. Cleavage is dependent on the presence of two copies of a specific recognition sequence in an inverse orientation in the DNA. Cleavage occurs at a specific distance from one of the recognition sites. [EC:3.1.21.5, PMID:12654995]" - }, - 'GO:0015669': { - 'name': 'gas transport', - 'def': 'The directed movement of substances that are gaseous in normal living conditions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015670': { - 'name': 'carbon dioxide transport', - 'def': 'The directed movement of carbon dioxide (CO2) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015671': { - 'name': 'oxygen transport', - 'def': 'The directed movement of oxygen (O2) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015672': { - 'name': 'monovalent inorganic cation transport', - 'def': 'The directed movement of inorganic cations with a valency of one into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Inorganic cations are atoms or small molecules with a positive charge which do not contain carbon in covalent linkage. [GOC:ai]' - }, - 'GO:0015673': { - 'name': 'silver ion transport', - 'def': 'The directed movement of silver (Ag) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015675': { - 'name': 'nickel cation transport', - 'def': 'The directed movement of nickel (Ni) cations into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015676': { - 'name': 'vanadium ion transport', - 'def': 'The directed movement of vanadium (V) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015677': { - 'name': 'copper ion import', - 'def': 'The directed movement of copper ions into a cell or organelle. [GOC:ai]' - }, - 'GO:0015678': { - 'name': 'high-affinity copper ion transport', - 'def': 'The directed, high-affinity movement of copper (Cu) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0015679': { - 'name': 'plasma membrane copper ion transport', - 'def': 'The directed movement of copper ions across the plasma membrane. [GOC:ai]' - }, - 'GO:0015680': { - 'name': 'intracellular copper ion transport', - 'def': 'The directed movement of copper (Cu) ions within a cell. [GOC:ai]' - }, - 'GO:0015682': { - 'name': 'ferric iron transport', - 'def': 'The directed movement of ferric iron (Fe(III) or Fe3+) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015683': { - 'name': 'high-affinity ferric iron transmembrane transport', - 'def': 'A process in which ferric (Fe(III) or Fe3+) ions are transported from one side of a membrane to the other by means of some agent such as a transporter or pore. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0015684': { - 'name': 'ferrous iron transport', - 'def': 'The directed movement of ferrous iron (Fe(II) or Fe2+) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015685': { - 'name': 'ferric-enterobactin transport', - 'def': 'The directed movement of ferric-enterobactin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015686': { - 'name': 'ferric triacetylfusarinine C transport', - 'def': 'The directed movement of ferric triacetylfusarinine C into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015687': { - 'name': 'ferric-hydroxamate transport', - 'def': 'The directed movement of ferric-hydroxamate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015688': { - 'name': 'iron chelate transport', - 'def': 'The directed movement of iron chelates into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. An iron chelate is a heterocyclic compound having a metal ion attached by coordinate bonds to at least two nonmetal ions. [GOC:ai]' - }, - 'GO:0015689': { - 'name': 'molybdate ion transport', - 'def': 'The directed movement of molybdate (MoO4 2-) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Molybdate is the bivalent anion derived from molybdic acid. [GOC:ai]' - }, - 'GO:0015690': { - 'name': 'aluminum cation transport', - 'def': 'The directed movement of aluminum (Al) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015691': { - 'name': 'cadmium ion transport', - 'def': 'The directed movement of cadmium (Cd) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015692': { - 'name': 'lead ion transport', - 'def': 'The directed movement of lead (Pb) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015693': { - 'name': 'magnesium ion transport', - 'def': 'The directed movement of magnesium (Mg) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015694': { - 'name': 'mercury ion transport', - 'def': 'The directed movement of mercury (Hg) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015695': { - 'name': 'organic cation transport', - 'def': 'The directed movement of organic cations into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Organic cations are atoms or small molecules with a positive charge which contain carbon in covalent linkage. [GOC:ai]' - }, - 'GO:0015696': { - 'name': 'ammonium transport', - 'def': 'The directed movement of ammonium into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Ammonium is the cation NH4+ which is formed from N2 by root-nodule bacteria in leguminous plants and is an excretory product in ammonotelic animals. [ISBN:0198506732]' - }, - 'GO:0015697': { - 'name': 'quaternary ammonium group transport', - 'def': 'The directed movement into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore of quaternary ammonium compounds, any compound that can be regarded as derived from ammonium hydroxide or an ammonium salt by replacement of all four hydrogen atoms of the NH4+ ion by organic groups. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015698': { - 'name': 'inorganic anion transport', - 'def': 'The directed movement of inorganic anions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Inorganic anions are atoms or small molecules with a negative charge which do not contain carbon in covalent linkage. [GOC:krc]' - }, - 'GO:0015699': { - 'name': 'antimonite transport', - 'def': 'The directed movement of antimonite into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015700': { - 'name': 'arsenite transport', - 'def': 'The directed movement of arsenite into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015701': { - 'name': 'bicarbonate transport', - 'def': 'The directed movement of bicarbonate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015702': { - 'name': 'chlorate transport', - 'def': 'The directed movement of chlorate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015703': { - 'name': 'chromate transport', - 'def': 'The directed movement of chromate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015704': { - 'name': 'cyanate transport', - 'def': 'The directed movement of cyanate, NCO-, the anion of cyanic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015705': { - 'name': 'iodide transport', - 'def': 'The directed movement of iodide into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015706': { - 'name': 'nitrate transport', - 'def': 'The directed movement of nitrate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015707': { - 'name': 'nitrite transport', - 'def': 'The directed movement of nitrite into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015708': { - 'name': 'silicate transport', - 'def': 'The directed movement of silicates into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Silicates are the salts of silicic acids, and are usually composed of silicon and oxygen (Si[x]O[y]), one or more metals, and possibly hydrogen. Types of silicate include unisilicates, metasilicates and hydrous silicates. [GOC:ai, GOC:krc, http://www.onelook.com]' - }, - 'GO:0015709': { - 'name': 'thiosulfate transport', - 'def': 'The directed movement of thiosulfate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015710': { - 'name': 'tellurite transport', - 'def': 'The directed movement of tellurite into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015711': { - 'name': 'organic anion transport', - 'def': 'The directed movement of organic anions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Organic anions are atoms or small molecules with a negative charge which contain carbon in covalent linkage. [GOC:ai, GOC:krc]' - }, - 'GO:0015712': { - 'name': 'hexose phosphate transport', - 'def': 'The directed movement of hexose phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015713': { - 'name': 'phosphoglycerate transport', - 'def': 'The directed movement of phosphoglycerate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015714': { - 'name': 'phosphoenolpyruvate transport', - 'def': 'The directed movement of phosphoenolpyruvate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015715': { - 'name': 'nucleotide-sulfate transport', - 'def': 'The directed movement of nucleotide sulfate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0015716': { - 'name': 'organic phosphonate transport', - 'def': 'The directed movement of phosphonates into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A phosphonate is any salt, anion, or ester of phosphonic acid (HPO(OH)2). [GOC:krc]' - }, - 'GO:0015717': { - 'name': 'triose phosphate transport', - 'def': 'The directed movement of triose phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015718': { - 'name': 'monocarboxylic acid transport', - 'def': 'The directed movement of monocarboxylic acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015719': { - 'name': 'allantoate transport', - 'def': 'The directed movement of allantoate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015720': { - 'name': 'allantoin transport', - 'def': 'The directed movement of allantoin, (2,5-dioxo-4-imidazolidinyl)urea, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015721': { - 'name': 'bile acid and bile salt transport', - 'def': 'The directed movement of bile acid and bile salts into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:krc, PMID:12663868, PMID:14699511]' - }, - 'GO:0015722': { - 'name': 'canalicular bile acid transport', - 'def': 'Catalysis of the transfer of bile acid from one side of a hepatocyte plasma membrane into a bile canaliculus. Bile canaliculi are the thin tubes formed by hepatocyte membranes. Bile acids are any of a group of steroid carboxylic acids occurring in bile, where they are present as the sodium salts of their amides with glycine or taurine. [GOC:dph]' - }, - 'GO:0015723': { - 'name': 'bilirubin transport', - 'def': 'The directed movement of bilirubin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015724': { - 'name': 'formate transport', - 'def': 'The directed movement of formate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015725': { - 'name': 'gluconate transport', - 'def': 'The directed movement of gluconate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Gluconate is the aldonic acid derived from glucose. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015726': { - 'name': 'L-idonate transport', - 'def': 'The directed movement of L-idonate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. L-idonate is an aldonic acid derived from L-idose, an aldohexose which is epimeric with D-glucose. [GOC:krc]' - }, - 'GO:0015727': { - 'name': 'lactate transport', - 'def': 'The directed movement of lactate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Lactate is 2-hydroxypropanoate, CH3-CHOH-COOH; L(+)-lactate is formed by anaerobic glycolysis in animal tissues, and DL-lactate is found in sour milk, molasses and certain fruit juices. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015728': { - 'name': 'mevalonate transport', - 'def': 'The directed movement of mevalonate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015729': { - 'name': 'oxaloacetate transport', - 'def': 'The directed movement of oxaloacetate, the anion of oxobutanedioic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015730': { - 'name': 'propanoate transport', - 'def': 'The directed movement of propionate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015731': { - 'name': '3-hydroxyphenyl propanoate transport', - 'def': 'The directed movement of 3-hydroxyphenyl propanoate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015732': { - 'name': 'prostaglandin transport', - 'def': 'The directed movement of prostaglandins into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015733': { - 'name': 'shikimate transport', - 'def': 'The directed movement of shikimate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015734': { - 'name': 'taurine transport', - 'def': 'The directed movement of taurine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015735': { - 'name': 'uronic acid transport', - 'def': 'The directed movement of uronic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015736': { - 'name': 'hexuronate transport', - 'def': 'The directed movement of hexuronate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A hexuronate is any monocarboxylic acid derived from a hexose by oxidation of C-6. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015737': { - 'name': 'galacturonate transport', - 'def': 'The directed movement of galacturonate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015738': { - 'name': 'glucuronate transport', - 'def': 'The directed movement of glucuronate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015739': { - 'name': 'sialic acid transport', - 'def': 'The directed movement of sialic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015740': { - 'name': 'C4-dicarboxylate transport', - 'def': 'The directed movement of a C4-dicarboxylate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A C4-dicarboxylate is the anion of a dicarboxylic acid that contains four carbon atoms. [GOC:krc, GOC:mah]' - }, - 'GO:0015741': { - 'name': 'fumarate transport', - 'def': 'The directed movement of fumarate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015742': { - 'name': 'alpha-ketoglutarate transport', - 'def': 'The directed movement of alpha-ketoglutarate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015743': { - 'name': 'malate transport', - 'def': 'The directed movement of malate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015744': { - 'name': 'succinate transport', - 'def': 'The directed movement of succinate, the dianion of ethane dicarboxylic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015745': { - 'name': 'tartrate transport', - 'def': 'The directed movement of tartrate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015746': { - 'name': 'citrate transport', - 'def': 'The directed movement of citrate, 2-hydroxy-1,2,3-propanetricarboyxlate, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015747': { - 'name': 'urate transport', - 'def': 'The directed movement of urate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0015748': { - 'name': 'organophosphate ester transport', - 'def': 'The directed movement of organophosphate esters into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Organophosphate esters are small organic molecules containing phosphate ester bonds. [GOC:mcc]' - }, - 'GO:0015749': { - 'name': 'monosaccharide transport', - 'def': 'The directed movement of monosaccharides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Monosaccharides are the simplest carbohydrates; they are polyhydric alcohols containing either an aldehyde or a keto group and between three to ten or more carbon atoms. They form the constitutional repeating units of oligo- and polysaccharides. [GOC:ai]' - }, - 'GO:0015750': { - 'name': 'pentose transport', - 'def': 'The directed movement of pentoses into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A pentose is any aldose with a chain of five carbon atoms in the molecule. [GOC:ai]' - }, - 'GO:0015751': { - 'name': 'arabinose transport', - 'def': 'The directed movement of arabinose, a pentose monosaccharide that occurs in both D and L configurations, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:22599, GOC:jl]' - }, - 'GO:0015752': { - 'name': 'D-ribose transport', - 'def': 'The directed movement of D-ribose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. As beta-D-ribofuranose, D-ribose forms the glycose group of all ribonucleosides, ribonucleotides and ribonucleic acids, and also of ribose phosphates, various glycosides, some coenzymes and some forms of vitamin B12. [GOC:ai]' - }, - 'GO:0015753': { - 'name': 'D-xylose transport', - 'def': 'The directed movement of D-xylose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. D-xylose (the naturally occurring enantiomer is always D-) is a constituent of plant polysaccharides. [GOC:ai]' - }, - 'GO:0015754': { - 'name': 'allose transport', - 'def': 'The directed movement of allose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Allose is an aldohexose similar to glucose, differing only in the configuration of the hydroxyl group of C-3. [GOC:ai]' - }, - 'GO:0015755': { - 'name': 'fructose transport', - 'def': 'The directed movement of fructose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Fructose exists in a open chain form or as a ring compound. D-fructose is the sweetest of the sugars and is found free in a large number of fruits and honey. [GOC:ai]' - }, - 'GO:0015756': { - 'name': 'fucose transport', - 'def': 'The directed movement of fucose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Fucose is 6-deoxygalactose and has two enantiomers, D-fucose and L-fucose. [GOC:ai]' - }, - 'GO:0015757': { - 'name': 'galactose transport', - 'def': 'The directed movement of galactose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. D-galactose is widely distributed in combined form in plants, animals and microorganisms as a constituent of oligo- and polysaccharides; it also occurs in galactolipids and as its glucoside in lactose and melibiose. [GOC:ai]' - }, - 'GO:0015758': { - 'name': 'glucose transport', - 'def': 'The directed movement of the hexose monosaccharide glucose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015759': { - 'name': 'beta-glucoside transport', - 'def': 'The directed movement of beta-glucosides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Beta-glucosides are glycosides in which the sugar group is a glucose residue, and the anomeric carbon of the bond is in a beta configuration. [GOC:jl, http://www.biochem.purdue.edu/, ISBN:0198506732]' - }, - 'GO:0015760': { - 'name': 'glucose-6-phosphate transport', - 'def': 'The directed movement of glucose-6-phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Glucose-6-phosphate is a monophosphorylated derivative of glucose with the phosphate group attached to C-6. [GOC:ai]' - }, - 'GO:0015761': { - 'name': 'mannose transport', - 'def': 'The directed movement of mannose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Mannose is the aldohexose manno-hexose, the C-2 epimer of glucose. The D-(+)-form is widely distributed in mannans and hemicelluloses and is of major importance in the core oligosaccharide of N-linked oligosaccharides of glycoproteins. [GOC:ai]' - }, - 'GO:0015762': { - 'name': 'rhamnose transport', - 'def': 'The directed movement of rhamnose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Rhamnose occurs commonly as a compound of plant glycosides, in polysaccharides of gums and mucilages, and in bacterial polysaccharides. It is also a component of some plant cell wall polysaccharides and frequently acts as the sugar components of flavonoids. [GOC:ai]' - }, - 'GO:0015763': { - 'name': 'N-acetylgalactosamine transport', - 'def': 'The directed movement of N-acetylgalactosamine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. N-acetylgalactosamine, 2-acetamido-2-deoxygalactopyranose, is the n-acetyl derivative of galactosamine. [GOC:ai]' - }, - 'GO:0015764': { - 'name': 'N-acetylglucosamine transport', - 'def': 'The directed movement of N-acetylglucosamine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0015765': { - 'name': 'methylgalactoside transport', - 'def': 'The directed movement of methylgalactoside into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Methylgalactoside is a compound in which the H of the OH group on carbon-1 of galactose is replaced by a methyl group. [CHEBI:55507, GOC:curators]' - }, - 'GO:0015766': { - 'name': 'disaccharide transport', - 'def': 'The directed movement of disaccharides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Disaccharides are sugars composed of two monosaccharide units. [GOC:ai]' - }, - 'GO:0015767': { - 'name': 'lactose transport', - 'def': 'The directed movement of lactose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Lactose is a disaccharide 4-O-beta-D-galactopyranosyl-D-glucose, and constitutes roughly 5% of the milk in almost all mammals. [GOC:ai]' - }, - 'GO:0015768': { - 'name': 'maltose transport', - 'def': 'The directed movement of maltose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Maltose is the disaccharide 4-O-alpha-D-glucopyranosyl-D-glucopyranose, an intermediate in the catabolism of glycogen and starch. [GOC:ai]' - }, - 'GO:0015769': { - 'name': 'melibiose transport', - 'def': 'The directed movement of melibiose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Melibiose is the disaccharide 6-O-alpha-D-galactopyranosyl-D-glucose. [GOC:ai]' - }, - 'GO:0015770': { - 'name': 'sucrose transport', - 'def': 'The directed movement of sucrose into, out of or within a cell, or between cells by means of some agent such as a transporter or pore. Sucrose is the disaccharide fructofuranosyl-glucopyranoside. [GOC:ai]' - }, - 'GO:0015771': { - 'name': 'trehalose transport', - 'def': 'The directed movement of trehalose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Trehalose is a disaccharide isomeric with sucrose and obtained from certain lichens and fungi. [GOC:ai]' - }, - 'GO:0015772': { - 'name': 'oligosaccharide transport', - 'def': 'The directed movement of oligosaccharides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Oligosaccharides are molecules with between two and (about) 20 monosaccharide residues connected by glycosidic linkages. [GOC:ai]' - }, - 'GO:0015773': { - 'name': 'raffinose transport', - 'def': 'The directed movement of raffinose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Raffinose occurs in plants almost as commonly as sucrose and is present in cereal grains, cotton seeds, and many legumes. It is synthesized from sucrose by transfer of a galactopyranoside from myo-inositol. [ISBN:0198506732]' - }, - 'GO:0015774': { - 'name': 'polysaccharide transport', - 'def': 'The directed movement of polysaccharides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A polysaccharide is a polymer of many (typically more than 10) monosaccharide residues linked glycosidically. [CHEBI:18154, GOC:ai]' - }, - 'GO:0015775': { - 'name': 'beta-glucan transport', - 'def': 'The directed movement of beta-glucans into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Beta-glucans are compounds composed of glucose residues linked by beta-glucosidic bonds. [GOC:ai]' - }, - 'GO:0015776': { - 'name': 'capsular polysaccharide transport', - 'def': 'The directed movement of capsular polysaccharides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Capsular polysaccharides make up the capsule, a protective structure surrounding some species of bacteria and fungi. [GOC:ai]' - }, - 'GO:0015777': { - 'name': 'teichoic acid transport', - 'def': 'The directed movement of teichoic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Teichoic acid is any polymer occurring in the cell wall, membrane or capsule of Gram-positive bacteria and containing chains of glycerol phosphate or ribitol phosphate residues. [GOC:ai]' - }, - 'GO:0015778': { - 'name': 'hexuronide transport', - 'def': 'The directed movement of hexuronide into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Hexuronides are any compound formed by combination of glycosidic linkage of a hydroxy compound (e.g. an alcohol or a saccharide) with the anomeric carbon atom of a hexuronate. [GOC:ai]' - }, - 'GO:0015779': { - 'name': 'glucuronoside transport', - 'def': 'The directed movement of glucuronosides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Glucuronosides are any compound formed by combination of glycosidic linkage of a hydroxy compound (e.g. an alcohol or a saccharide) with the anomeric carbon atom of glucuronate. [GOC:ai]' - }, - 'GO:0015780': { - 'name': 'nucleotide-sugar transport', - 'def': "The directed movement of nucleotide-sugars into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Nucleotide-sugars are any nucleotide in which the distal phosphoric residue of a nucleoside 5'-diphosphate is in glycosidic linkage with a monosaccharide or monosaccharide derivative. [ISBN:0198506732]" - }, - 'GO:0015781': { - 'name': 'pyrimidine nucleotide-sugar transport', - 'def': 'The directed movement of pyrimidine nucleotide-sugars into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Pyrimidine nucleotide-sugars are pyrimidine nucleotides in glycosidic linkage with a monosaccharide or monosaccharide derivative. [GOC:ai]' - }, - 'GO:0015782': { - 'name': 'CMP-N-acetylneuraminate transport', - 'def': 'The directed movement of CMP-N-acetylneuraminate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015783': { - 'name': 'GDP-fucose transport', - 'def': 'The directed movement of GDP-fucose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. GDP-fucose is a substance composed of fucose in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0015784': { - 'name': 'GDP-mannose transport', - 'def': 'The directed movement of GDP-mannose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. GDP-mannose is a substance composed of mannose in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0015785': { - 'name': 'UDP-galactose transport', - 'def': 'The directed movement of UDP-galactose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. UDP-galactose is a substance composed of galactose in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0015786': { - 'name': 'UDP-glucose transport', - 'def': 'The directed movement of UDP-glucose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. UDP-glucose is a substance composed of glucose in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0015787': { - 'name': 'UDP-glucuronic acid transport', - 'def': 'The directed movement of UDP-glucuronic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. UDP-glucuronic acid is a substance composed of glucuronic acid in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0015788': { - 'name': 'UDP-N-acetylglucosamine transport', - 'def': 'The directed movement of UDP-N-acetylglucosamine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. N-acetylglucosamine is a substance composed of N-acetylglucosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0015789': { - 'name': 'UDP-N-acetylgalactosamine transport', - 'def': 'The directed movement of UDP-N-acetylgalactosamine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. UDP-N-acetylgalactosamine is a substance composed of N-acetylgalactosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0015790': { - 'name': 'UDP-xylose transport', - 'def': 'The directed movement of UDP-xylose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. UDP-xylose is a substance composed of xylose in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0015791': { - 'name': 'polyol transport', - 'def': 'The directed movement of polyols, any polyhydric alcohol, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015792': { - 'name': 'arabinitol transport', - 'def': 'The directed movement of arabitol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Arabitol is the pentitol derived from arabinose or lyxose by reduction of the aldehyde group. The D enantiomer is present in lichens and mushrooms. [ISBN:0198506732]' - }, - 'GO:0015793': { - 'name': 'glycerol transport', - 'def': 'The directed movement of glycerol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Glycerol is 1,2,3-propanetriol, a sweet, hygroscopic, viscous liquid, widely distributed in nature as a constituent of many lipids. [GOC:ai]' - }, - 'GO:0015794': { - 'name': 'glycerol-3-phosphate transport', - 'def': 'The directed movement of glycerol-3-phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Glycerol-3-phosphate is a phosphoric monoester of glycerol. [GOC:ai]' - }, - 'GO:0015795': { - 'name': 'sorbitol transport', - 'def': 'The directed movement of sorbitol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Sorbitol, also known as glucitol, is the hexitol derived by the reduction of the aldehyde group of glucose. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015796': { - 'name': 'galactitol transport', - 'def': 'The directed movement of galactitol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Galactitol is the hexitol derived by the reduction of the aldehyde group of either D- or L-galactose. [GOC:ai]' - }, - 'GO:0015797': { - 'name': 'mannitol transport', - 'def': 'The directed movement of mannitol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Mannitol is the alditol derived from D-mannose by reduction of the aldehyde group. [GOC:ai]' - }, - 'GO:0015798': { - 'name': 'myo-inositol transport', - 'def': 'The directed movement of myo-inositol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Myo-inositol is 1,2,3,4,5/4,6-cyclohexanehexol, a growth factor for animals and microorganisms. [GOC:ai]' - }, - 'GO:0015799': { - 'name': 'propanediol transport', - 'def': 'The directed movement of propanediol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Propanediol is a sweet colorless, viscous, hygroscopic liquid used as an antifreeze and in brake fluid; it is also as a humectant in cosmetics and personal care items, although it can be absorbed through the skin with harmful effects. [http://www.rhymezone.com]' - }, - 'GO:0015800': { - 'name': 'acidic amino acid transport', - 'def': 'The directed movement of acidic amino acids, amino acids with a pH below 7, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015801': { - 'name': 'aromatic amino acid transport', - 'def': 'The directed movement of aromatic amino acids, amino acids with aromatic ring, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015802': { - 'name': 'basic amino acid transport', - 'def': 'The directed movement of basic amino acids, amino acids with a pH above 7, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015803': { - 'name': 'branched-chain amino acid transport', - 'def': 'The directed movement of branched-chain amino acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Branched-chain amino acids are amino acids with a branched carbon skeleton without rings. [CHEBI:22918, GOC:ai, GOC:bf]' - }, - 'GO:0015804': { - 'name': 'neutral amino acid transport', - 'def': 'The directed movement of neutral amino acids, amino acids with no net charge, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015805': { - 'name': 'S-adenosyl-L-methionine transport', - 'def': "The directed movement of S-adenosylmethionine, S-(5'-adenosyl)-L-methionine, an important intermediate in one-carbon metabolism, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]" - }, - 'GO:0015806': { - 'name': 'S-methylmethionine transport', - 'def': 'The directed movement of S-methylmethionine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015807': { - 'name': 'L-amino acid transport', - 'def': 'The directed movement of L-enantiomer amino acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0015808': { - 'name': 'L-alanine transport', - 'def': 'The directed movement of L-alanine, the L-enantiomer of 2-aminopropanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0015809': { - 'name': 'arginine transport', - 'def': 'The directed movement of arginine, 2-amino-5-guanidinopentanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0015810': { - 'name': 'aspartate transport', - 'def': 'The directed movement of aspartate, the anion of aspartic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0015811': { - 'name': 'L-cystine transport', - 'def': 'The directed movement of L-cystine (also known as dicysteine) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0015812': { - 'name': 'gamma-aminobutyric acid transport', - 'def': 'The directed movement of gamma-aminobutyric acid (GABA, 4-aminobutyrate), an amino acid which acts as a neurotransmitter in some organisms, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0015813': { - 'name': 'L-glutamate transport', - 'def': 'The directed movement of L-glutamate, the L enantiomer anion of 2-aminopentanedioic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0015814': { - 'name': 'p-aminobenzoyl-glutamate transport', - 'def': 'The directed movement of p-aminobenzoyl-glutamate, the anion of p-aminobenzoyl-glutamic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015816': { - 'name': 'glycine transport', - 'def': 'The directed movement of glycine, aminoethanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015817': { - 'name': 'histidine transport', - 'def': 'The directed movement of histidine, 2-amino-3-(1H-imidazol-4-yl)propanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015818': { - 'name': 'isoleucine transport', - 'def': 'The directed movement of isoleucine, (2R*,3R*)-2-amino-3-methylpentanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015819': { - 'name': 'lysine transport', - 'def': 'The directed movement of lysine, 2,6-diaminohexanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015820': { - 'name': 'leucine transport', - 'def': 'The directed movement of leucine, 2-amino-4-methylpentanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015821': { - 'name': 'methionine transport', - 'def': 'The directed movement of methionine, 2-amino-4-(methylthio)butanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015822': { - 'name': 'ornithine transport', - 'def': 'The directed movement of ornithine, 2,5-diaminopentanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015823': { - 'name': 'phenylalanine transport', - 'def': 'The directed movement of phenylalanine, 2-amino-3-phenylpropanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015824': { - 'name': 'proline transport', - 'def': 'The directed movement of proline, pyrrolidine-2-carboxylic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015825': { - 'name': 'L-serine transport', - 'def': 'The directed movement of L-serine, the L-enantiomer of 2-amino-3-hydroxypropanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0015826': { - 'name': 'threonine transport', - 'def': 'The directed movement of threonine, (2R*,3S*)-2-amino-3-hydroxybutanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015827': { - 'name': 'tryptophan transport', - 'def': 'The directed movement of tryptophan, 2-amino-3-(1H-indol-3-yl)propanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015828': { - 'name': 'tyrosine transport', - 'def': 'The directed movement of tyrosine, 2-amino-3-(4-hydroxyphenyl)propanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015829': { - 'name': 'valine transport', - 'def': 'The directed movement of valine, 2-amino-3-methylbutanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015830': { - 'name': 'diaminopimelate transport', - 'def': 'The directed movement of diaminopimelate, the anion of 2,6-diaminoheptanedioic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0015832': { - 'name': 'obsolete holin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0015833': { - 'name': 'peptide transport', - 'def': 'The directed movement of peptides, compounds of two or more amino acids where the alpha carboxyl group of one is bound to the alpha amino group of another, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015834': { - 'name': 'peptidoglycan-associated peptide transport', - 'def': 'The directed movement of peptidoglycan peptides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Peptidoglycan peptides are the oligopeptides found in peptidoglycan networks which cross-link the polysaccharide chains. [ISBN:0198506732]' - }, - 'GO:0015835': { - 'name': 'peptidoglycan transport', - 'def': 'The directed movement of peptidoglycans, a class of glycoconjugates found in bacterial cell walls, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015836': { - 'name': 'lipid-linked peptidoglycan transport', - 'def': 'The directed movement of lipid-linked peptidoglycans into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0015837': { - 'name': 'amine transport', - 'def': 'The directed movement of amines, including polyamines, organic compounds containing one or more amino groups, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015838': { - 'name': 'amino-acid betaine transport', - 'def': 'The directed movement of betaine, the N-trimethyl derivative of an amino acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015839': { - 'name': 'cadaverine transport', - 'def': 'The directed movement of cadaverine, 1,5-pentanediamine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015840': { - 'name': 'urea transport', - 'def': 'The directed movement of urea into, out of or within the cell. Urea is the water-soluble compound H2N-CO-NH2. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015841': { - 'name': 'chromaffin granule amine transport', - 'def': 'The directed movement of amines into, out of or within chromaffin granules. [GOC:mah]' - }, - 'GO:0015842': { - 'name': 'aminergic neurotransmitter loading into synaptic vesicle', - 'def': 'The active transport of aminergic neurotransmitters into a synaptic vesicle. This import is fuelled by an electrochemical gradient across the vesicle membrane, established by the action proton pumps. [GOC:ai]' - }, - 'GO:0015843': { - 'name': 'methylammonium transport', - 'def': 'The directed movement of methylammonium into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015844': { - 'name': 'monoamine transport', - 'def': 'The directed movement of monoamines, organic compounds that contain one amino group that is connected to an aromatic ring by an ethylene group (-CH2-CH2-), into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:25375, GOC:mah]' - }, - 'GO:0015846': { - 'name': 'polyamine transport', - 'def': 'The directed movement of polyamines, organic compounds containing two or more amino groups, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc, ISBN:0198506732]' - }, - 'GO:0015847': { - 'name': 'putrescine transport', - 'def': 'The directed movement of putrescine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Putrescine is 1,4-diaminobutane, the polyamine formed by decarboxylation of ornithine and the metabolic precursor of spermidine and spermine. [GOC:krc, ISBN:0198506732]' - }, - 'GO:0015848': { - 'name': 'spermidine transport', - 'def': 'The directed movement of spermidine, N-(3-aminopropyl)-1,4-diaminobutane, a polyamine formed by the transfer of a propylamine group from decarboxylated S-adenosylmethionine to putrescine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc, ISBN:0198506732]' - }, - 'GO:0015849': { - 'name': 'organic acid transport', - 'def': 'The directed movement of organic acids, any acidic compound containing carbon in covalent linkage, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [ISBN:0198506732]' - }, - 'GO:0015850': { - 'name': 'organic hydroxy compound transport', - 'def': 'The directed movement of an organic hydroxy compound (organic alcohol) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. An organic hydroxy compound is an organic compound having at least one hydroxy group attached to a carbon atom. [CHEBI:33822, GOC:ai]' - }, - 'GO:0015851': { - 'name': 'nucleobase transport', - 'def': 'The directed movement of a nucleobase, any nitrogenous base that is a constituent of a nucleoside, nucleotide, or nucleic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [ISBN:0198506732]' - }, - 'GO:0015853': { - 'name': 'adenine transport', - 'def': 'The directed movement of adenine, 6-aminopurine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0015854': { - 'name': 'guanine transport', - 'def': 'The directed movement of guanine, 2-amino-6-hydroxypurine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0015855': { - 'name': 'pyrimidine nucleobase transport', - 'def': 'The directed movement of pyrimidine nucleobases, one of the two classes of nitrogen-containing ring compounds found in DNA and RNA, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:26432, GOC:ai]' - }, - 'GO:0015856': { - 'name': 'cytosine transport', - 'def': 'The directed movement of cytosine, 4-amino-2-hydroxypyrimidine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0015857': { - 'name': 'uracil transport', - 'def': 'The directed movement of uracil, 2,4-dioxopyrimidine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0015858': { - 'name': 'nucleoside transport', - 'def': 'The directed movement of a nucleoside, a nucleobase linked to either beta-D-ribofuranose (ribonucleoside) or 2-deoxy-beta-D-ribofuranose, (a deoxyribonucleotide), into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015859': { - 'name': 'intracellular nucleoside transport', - 'def': 'The directed movement of a nucleoside, a nucleobase linked to either beta-D-ribofuranose (ribonucleoside) or 2-deoxy-beta-D-ribofuranose, (a deoxyribonucleotide), within a cell. [GOC:ai]' - }, - 'GO:0015860': { - 'name': 'purine nucleoside transmembrane transport', - 'def': 'The directed movement of a purine nucleoside across a membrane. A purine nucleoside is a purine base covalently bonded to a ribose or deoxyribose sugar. [GOC:ai, GOC:vw]' - }, - 'GO:0015861': { - 'name': 'cytidine transport', - 'def': 'The directed movement of cytidine, cytosine riboside, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0015862': { - 'name': 'uridine transport', - 'def': 'The directed movement of uridine, uracil riboside, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0015863': { - 'name': 'xanthosine transport', - 'def': 'The directed movement of xanthosine, xanthine riboside, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [ISBN:0198506732]' - }, - 'GO:0015864': { - 'name': 'pyrimidine nucleoside transport', - 'def': 'The directed movement of a pyrimidine nucleoside, a pyrimidine base covalently bonded to a ribose or deoxyribose sugar, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015865': { - 'name': 'purine nucleotide transport', - 'def': 'The directed movement of a purine nucleotide, any compound consisting of a purine nucleoside esterified with (ortho)phosphate, into, out of or within a cell. [GOC:ai]' - }, - 'GO:0015866': { - 'name': 'ADP transport', - 'def': 'The directed movement of ADP, adenosine diphosphate, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015867': { - 'name': 'ATP transport', - 'def': 'The directed movement of ATP, adenosine triphosphate, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015868': { - 'name': 'purine ribonucleotide transport', - 'def': 'The directed movement of a purine ribonucleotide, any compound consisting of a purine ribonucleoside (a purine organic base attached to a ribose sugar) esterified with (ortho)phosphate, into, out of or within a cell. [GOC:ai]' - }, - 'GO:0015869': { - 'name': 'protein-DNA complex transport', - 'def': 'The directed movement of protein-DNA complexes into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015870': { - 'name': 'acetylcholine transport', - 'def': 'The directed movement of acetylcholine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Acetylcholine is an acetic acid ester of the organic base choline and functions as a neurotransmitter, released at the synapses of parasympathetic nerves and at neuromuscular junctions. [GOC:ai]' - }, - 'GO:0015871': { - 'name': 'choline transport', - 'def': 'The directed movement of choline into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Choline (2-hydroxyethyltrimethylammonium) is an amino alcohol that occurs widely in living organisms as a constituent of certain types of phospholipids and in the neurotransmitter acetylcholine. [GOC:ai]' - }, - 'GO:0015872': { - 'name': 'dopamine transport', - 'def': 'The directed movement of dopamine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Dopamine is a catecholamine neurotransmitter and a metabolic precursor of noradrenaline and adrenaline. [GOC:ai]' - }, - 'GO:0015874': { - 'name': 'norepinephrine transport', - 'def': 'The directed movement of norepinephrine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Norepinephrine (3,4-dihydroxyphenyl-2-aminoethanol) is a hormone secreted by the adrenal medulla and a neurotransmitter in the sympathetic peripheral nervous system and in some tracts of the CNS. It is also the biosynthetic precursor of epinephrine. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0015875': { - 'name': 'obsolete vitamin or cofactor transport', - 'def': 'OBSOLETE. The directed movement of vitamins or cofactors into, out of or within a cell, or between cells. [GOC:ai]' - }, - 'GO:0015876': { - 'name': 'acetyl-CoA transport', - 'def': 'The directed movement of acetyl-CoA into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Acetyl-CoA is a derivative of coenzyme A in which the sulfhydryl group is acetylated; it is a metabolite derived from several pathways (e.g. glycolysis, fatty acid oxidation, amino-acid catabolism) and is further metabolized by the tricarboxylic acid cycle. It is a key intermediate in lipid and terpenoid biosynthesis. [GOC:ai]' - }, - 'GO:0015877': { - 'name': 'biopterin transport', - 'def': 'The directed movement of biopterin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Biopterin is a growth factor for certain protozoans and some insects; it is widely distributed in tissues and functions in a reduced form, tetrahydrobiopterin, as a hydroxylation coenzyme. [GOC:ai]' - }, - 'GO:0015878': { - 'name': 'biotin transport', - 'def': 'The directed movement of biotin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Biotin is cis-tetrahydro-2-oxothieno(3,4-d)imidazoline-4-valeric acid; the (+) enantiomer is very widely distributed in cells and serves as a carrier in a number of enzymatic beta-carboxylation reactions. [GOC:ai]' - }, - 'GO:0015879': { - 'name': 'carnitine transport', - 'def': 'The directed movement of carnitine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Carnitine is a compound that participates in the transfer of acyl groups across the inner mitochondrial membrane. [GOC:ai]' - }, - 'GO:0015880': { - 'name': 'coenzyme A transport', - 'def': "The directed movement of coenzyme A into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Coenzyme A, 3'-phosphoadenosine-(5')diphospho(4')pantatheine, is an acyl carrier in many acylation and acyl-transfer reactions in which the intermediate is a thiol ester. [GOC:ai]" - }, - 'GO:0015881': { - 'name': 'creatine transport', - 'def': 'The directed movement of creatine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Creatine is a compound synthesized from the amino acids arginine, glycine, and methionine that occurs in muscle. [GOC:ai]' - }, - 'GO:0015882': { - 'name': 'L-ascorbic acid transport', - 'def': 'The directed movement of L-ascorbic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. L-ascorbate, (2R)-2-[(1S)-1,2-dihydroxyethyl]-4-hydroxy-5-oxo-2,5-dihydrofuran-3-olate, is vitamin C and has co-factor and anti-oxidant activities in many species. [CHEBI:38290, GOC:ai]' - }, - 'GO:0015883': { - 'name': 'FAD transport', - 'def': 'The directed movement of flavin-adenine dinucleotide (FAD) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. FAD forms the coenzyme of the prosthetic group of various flavoprotein oxidoreductase enzymes, in which it functions as an electron acceptor by being reversibly converted to its reduced form. [ISBN:0198506732]' - }, - 'GO:0015884': { - 'name': 'folic acid transport', - 'def': 'The directed movement of folic acid (pteroylglutamic acid) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Folic acid is widely distributed as a member of the vitamin B complex and is essential for the synthesis of purine and pyrimidines. [GOC:ai]' - }, - 'GO:0015885': { - 'name': '5-formyltetrahydrofolate transport', - 'def': 'The directed movement of 5-formyltetrahydrofolate, the formylated derivative of tetrahydrofolate, into, out of, within, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015886': { - 'name': 'heme transport', - 'def': 'The directed movement of heme, any compound of iron complexed in a porphyrin (tetrapyrrole) ring, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015887': { - 'name': 'pantothenate transmembrane transport', - 'def': 'The directed movement of pantothenate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Pantothenate is the anion of pantothenic acid, the amide of beta-alanine and pantoic acid; it is a B complex vitamin that is a constituent of coenzyme A and is distributed ubiquitously in foods. [GOC:ai, ISBN:0721662544]' - }, - 'GO:0015888': { - 'name': 'thiamine transport', - 'def': 'The directed movement of thiamine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Thiamine is vitamin B1, a water soluble vitamin present in fresh vegetables and meats, especially liver. [GOC:ai]' - }, - 'GO:0015889': { - 'name': 'cobalamin transport', - 'def': 'The directed movement of cobalamin (vitamin B12), a water-soluble vitamin characterized by possession of a corrin nucleus containing a cobalt atom, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015890': { - 'name': 'nicotinamide mononucleotide transport', - 'def': 'The directed movement of nicotinamide mononucleotide into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Nicotinamide mononucleotide is a ribonucleotide in which the nitrogenous base, nicotinamide, is in beta-n-glycosidic linkage with the c-1 position of D-ribose. It is a constituent of NAD and NADP. [CHEBI:50383, GOC:curators, ISBN:0721662544]' - }, - 'GO:0015891': { - 'name': 'siderophore transport', - 'def': 'The directed movement of siderophores, low molecular weight Fe(III)-chelating substances, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015893': { - 'name': 'drug transport', - 'def': 'The directed movement of a drug, a substance used in the diagnosis, treatment or prevention of a disease, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015894': { - 'name': 'acriflavine transport', - 'def': 'The directed movement of acriflavine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Acriflavine is a fluorescent dye used as a local antiseptic and also as a biological stain. It intercalates into nucleic acids thereby inhibiting bacterial and viral replication. [GOC:curators, PubChem_Compound:6842]' - }, - 'GO:0015895': { - 'name': 'alkane transport', - 'def': 'The directed movement of alkanes into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Alkanes are saturated aliphatic hydrocarbon compounds. [GOC:ai]' - }, - 'GO:0015896': { - 'name': 'nalidixic acid transport', - 'def': 'The directed movement of nalidixic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Nalidixic acid is a synthetic antibiotic that interferes with DNA gyrase and inhibits prokaryotic replication. [GOC:curators, PMID:12702699, PubChem_Compound:4221]' - }, - 'GO:0015897': { - 'name': 'organomercurial transport', - 'def': 'The directed movement of organomercurial compounds into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Organomercurial substances are any organic compound containing a mercury atom. [GOC:ai]' - }, - 'GO:0015898': { - 'name': 'amiloride transport', - 'def': 'The directed movement amiloride into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Amiloride is a potent and specific inhibitor of sodium ion entry into cells. It is used as a potassium-sparing diuretic. [GOC:ai]' - }, - 'GO:0015899': { - 'name': 'aminotriazole transport', - 'def': 'The directed movement of aminotriazole into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Aminotriazole is an effective weed killer that also possesses some antithyroid activity. [CHEBI:40036, GOC:curators]' - }, - 'GO:0015900': { - 'name': 'benomyl transport', - 'def': 'The directed movement of benomyl into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Benomyl, methyl 1-(butylcarbamoyl)-2-benzimidazolecarbamate, is a systemic agricultural fungicide used for control of certain fungal diseases of stone fruit. [CHEBI:3015, GOC:curators]' - }, - 'GO:0015901': { - 'name': 'cycloheximide transport', - 'def': 'The directed movement of cycloheximide into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Cycloheximide is an antibiotic produced by Streptomyces which interferes with protein synthesis in eukaryotes. [ISBN:0198506732]' - }, - 'GO:0015902': { - 'name': 'carbonyl cyanide m-chlorophenylhydrazone transport', - 'def': 'The directed movement of carbonyl cyanide m-chlorophenylhydrazone into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Carbonyl cyanide m-chlorophenylhydrazone is a proton ionophore, commonly used as an uncoupling agent and inhibitor of photosynthesis because of its effects on mitochondrial and chloroplast membranes. [CHEBI:3259, GOC:curators]' - }, - 'GO:0015903': { - 'name': 'fluconazole transport', - 'def': 'The directed movement of fluconazole into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Fluconazole is an antifungal drug used for oral candidiasis and cryptococcal meningitis; it is still under study for treatment of vaginal candidiasis and other fungal infections. [CHEBI:46081, GOC:curators]' - }, - 'GO:0015904': { - 'name': 'tetracycline transport', - 'def': 'The directed movement of tetracycline into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Tetracycline is a broad spectrum antibiotic that blocks binding of aminoacyl tRNA to the ribosomes of both Gram-positive and Gram-negative organisms (and those of organelles). [CHEBI:27902, GOC:curators]' - }, - 'GO:0015905': { - 'name': 'bicyclomycin transport', - 'def': 'The directed movement of bicyclomycin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Bicyclomycin (or bicozamycin) is an antibacterial drug often used as a livestock feed additive. [ISBN:91191028X]' - }, - 'GO:0015906': { - 'name': 'sulfathiazole transport', - 'def': 'The directed movement of sulfathiazole into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Sulfathiazole is an antibacterial agent of the sulfonamide group. [CHEBI:9337, GOC:curators]' - }, - 'GO:0015908': { - 'name': 'fatty acid transport', - 'def': 'The directed movement of fatty acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Fatty acids are aliphatic monocarboxylic acids liberated from naturally occurring fats and oils by hydrolysis. [GOC:ai]' - }, - 'GO:0015909': { - 'name': 'long-chain fatty acid transport', - 'def': 'The directed movement of long-chain fatty acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, GOC:ai]' - }, - 'GO:0015910': { - 'name': 'peroxisomal long-chain fatty acid import', - 'def': 'The directed movement of long-chain fatty acids into a peroxisome. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, GOC:ai]' - }, - 'GO:0015911': { - 'name': 'plasma membrane long-chain fatty acid transport', - 'def': 'The directed movement of long-chain fatty acids across the plasma membrane. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, GOC:ai]' - }, - 'GO:0015912': { - 'name': 'short-chain fatty acid transport', - 'def': 'The directed movement of short-chain fatty acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Short-chain fatty acids are fatty acids with a chain length of less than C6. [CHEBI:26666, GOC:ai]' - }, - 'GO:0015913': { - 'name': 'short-chain fatty acid import', - 'def': 'The directed movement of short-chain fatty acids into a cell or organelle. Short-chain fatty acids are fatty acids with a chain length of less than C6. [CHEBI:26666, GOC:ai]' - }, - 'GO:0015914': { - 'name': 'phospholipid transport', - 'def': 'The directed movement of phospholipids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Phospholipids are any lipids containing phosphoric acid as a mono- or diester. [GOC:ai]' - }, - 'GO:0015915': { - 'name': 'fatty-acyl group transport', - 'def': 'The directed movement of fatty acyl groups into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A fatty acyl group is any acyl group derived from a fatty acid. [GOC:ai]' - }, - 'GO:0015916': { - 'name': 'fatty-acyl-CoA transport', - 'def': "The directed movement of fatty acyl coenzyme A into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Fatty acyl coenzyme A is an acyl group linked to 3'-phosphoadenosine-(5')diphospho(4')pantatheine (coenzyme A). [GOC:ai, ISBN:0198506732]" - }, - 'GO:0015917': { - 'name': 'aminophospholipid transport', - 'def': 'The directed movement of aminophospholipids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Aminophospholipids contain phosphoric acid as a mono- or diester and an amino (NH2) group. [GOC:ai]' - }, - 'GO:0015918': { - 'name': 'sterol transport', - 'def': 'The directed movement of sterols into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Sterols are steroids with one or more hydroxyl groups and a hydrocarbon side-chain in the molecule. [GOC:ai]' - }, - 'GO:0015919': { - 'name': 'peroxisomal membrane transport', - 'def': 'The directed movement of substances to, from or across the peroxisomal membrane. [GOC:ai]' - }, - 'GO:0015920': { - 'name': 'lipopolysaccharide transport', - 'def': 'The directed movement of lipopolysaccharides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A lipopolysaccharide is any of a group of related, structurally complex components of the outer membrane of Gram-negative bacteria. Lipopolysaccharides consist three covalently linked regions, lipid A, core oligosaccharide, and an O side chain. Lipid A is responsible for the toxicity of the lipopolysaccharide. [GOC:ai]' - }, - 'GO:0015921': { - 'name': 'lipopolysaccharide export', - 'def': 'The directed movement of lipopolysaccharides out of a cell or organelle. [GOC:ai]' - }, - 'GO:0015922': { - 'name': 'aspartate oxidase activity', - 'def': 'Catalysis of the reaction: aspartate + O2 = iminosuccinate + hydrogen peroxide. [EC:1.4.3.1, EC:1.4.3.16]' - }, - 'GO:0015923': { - 'name': 'mannosidase activity', - 'def': 'Catalysis of the hydrolysis of mannosyl compounds, substances containing a group derived from a cyclic form of mannose or a mannose derivative. [GOC:ai]' - }, - 'GO:0015924': { - 'name': 'mannosyl-oligosaccharide mannosidase activity', - 'def': 'Catalysis of the hydrolysis of the terminal alpha-D-mannose residues in oligo-mannose oligosaccharides. [EC:3.2.1.-, GOC:ai]' - }, - 'GO:0015925': { - 'name': 'galactosidase activity', - 'def': 'Catalysis of the hydrolysis of galactosyl compounds, substances containing a group derived from a cyclic form of galactose or a galactose derivative. [GOC:ai]' - }, - 'GO:0015926': { - 'name': 'glucosidase activity', - 'def': 'Catalysis of the hydrolysis of glucosyl compounds, substances containing a group derived from a cyclic form of glucose or a glucose derivative. [ISBN:0198506732]' - }, - 'GO:0015927': { - 'name': 'trehalase activity', - 'def': 'Catalysis of the hydrolysis of trehalose or a trehalose derivative. [GOC:ai]' - }, - 'GO:0015928': { - 'name': 'fucosidase activity', - 'def': 'Catalysis of the hydrolysis of fucosyl compounds, substances containing a group derived from a cyclic form of fucose or a fucose derivative. [GOC:ai]' - }, - 'GO:0015929': { - 'name': 'hexosaminidase activity', - 'def': 'Catalysis of the cleavage of hexosamine or N-acetylhexosamine residues (e.g. N-acetylglucosamine) residues from gangliosides or other glycoside oligosaccharides. [http://www.onelook.com/, ISBN:0721662544]' - }, - 'GO:0015930': { - 'name': 'glutamate synthase activity', - 'def': 'Catalysis of the formation of L-glutamine and 2-oxoglutarate from L-glutamate, using NADH, NADPH or ferredoxin as hydrogen acceptors. [EC:1.4.-.-]' - }, - 'GO:0015931': { - 'name': 'nucleobase-containing compound transport', - 'def': 'The directed movement of nucleobases, nucleosides, nucleotides and nucleic acids, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0015932': { - 'name': 'nucleobase-containing compound transmembrane transporter activity', - 'def': 'Enables the transfer of nucleobases, nucleosides, nucleotides and nucleic acids from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0015933': { - 'name': 'obsolete flavin-containing electron transporter', - 'def': 'OBSOLETE. An oxidoreductase which contains either flavin-adenine dinucleotide or flavin mononucleotide as a prosthetic group, utilizes either NADH or NADPH and transfers electrons to other electron transfer proteins. [GOC:kd]' - }, - 'GO:0015934': { - 'name': 'large ribosomal subunit', - 'def': 'The larger of the two subunits of a ribosome. Two sites on the ribosomal large subunit are involved in translation, namely the aminoacyl site (A site) and peptidyl site (P site). [ISBN:0198506732]' - }, - 'GO:0015935': { - 'name': 'small ribosomal subunit', - 'def': 'The smaller of the two subunits of a ribosome. [GOC:mah]' - }, - 'GO:0015936': { - 'name': 'coenzyme A metabolic process', - 'def': "The chemical reactions and pathways involving coenzyme A, 3'-phosphoadenosine-(5')diphospho(4')pantatheine, an acyl carrier in many acylation and acyl-transfer reactions in which the intermediate is a thiol ester. [ISBN:0198547684]" - }, - 'GO:0015937': { - 'name': 'coenzyme A biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of coenzyme A, 3'-phosphoadenosine-(5')diphospho(4')pantatheine, an acyl carrier in many acylation and acyl-transfer reactions in which the intermediate is a thiol ester. [ISBN:0198547684]" - }, - 'GO:0015938': { - 'name': 'coenzyme A catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of coenzyme A, 3'-phosphoadenosine-(5')diphospho(4')pantatheine, an acyl carrier in many acylation and acyl-transfer reactions in which the intermediate is a thiol ester. [ISBN:0198547684]" - }, - 'GO:0015939': { - 'name': 'pantothenate metabolic process', - 'def': 'The chemical reactions and pathways involving pantothenate, the anion of pantothenic acid, the amide of beta-alanine and pantoic acid. It is a B complex vitamin that is a constituent of coenzyme A and is distributed ubiquitously in foods. [GOC:ai, ISBN:0721662544]' - }, - 'GO:0015940': { - 'name': 'pantothenate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pantothenate, the anion of pantothenic acid. It is a B complex vitamin that is a constituent of coenzyme A and is distributed ubiquitously in foods. [GOC:ai, ISBN:0721662544]' - }, - 'GO:0015941': { - 'name': 'pantothenate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pantothenate, the anion of pantothenic acid. It is a B complex vitamin that is a constituent of coenzyme A and is distributed ubiquitously in foods. [GOC:ai, ISBN:0721662544]' - }, - 'GO:0015942': { - 'name': 'formate metabolic process', - 'def': 'The chemical reactions and pathways involving formate, also known as methanoate, the anion HCOO- derived from methanoic (formic) acid. [ISBN:0198506732]' - }, - 'GO:0015943': { - 'name': 'formate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of formate, also known as methanoate, the anion HCOO- derived from methanoic (formic) acid. [ISBN:0198506732]' - }, - 'GO:0015944': { - 'name': 'formate oxidation', - 'def': 'The chemical reactions and pathways by which formate is converted to CO2. [MetaCyc:PWY-1881]' - }, - 'GO:0015945': { - 'name': 'methanol metabolic process', - 'def': 'The chemical reactions and pathways involving methanol, CH3-OH, a colorless, flammable, mobile, poisonous liquid, widely used as a solvent. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0015946': { - 'name': 'methanol oxidation', - 'def': 'The chemical reactions and pathways resulting in the conversion of methanol to methyl-Coenzyme M. [MetaCyc:CO2FORM-PWY]' - }, - 'GO:0015947': { - 'name': 'methane metabolic process', - 'def': 'The chemical reactions and pathways involving methane, a colorless, odorless, flammable gas with the formula CH4. It is the simplest of the alkanes. [ISBN:0198506732]' - }, - 'GO:0015948': { - 'name': 'methanogenesis', - 'def': 'The chemical reactions and pathways resulting in the formation of methane, a colorless, odorless, flammable gas with the formula CH4. It is the simplest of the alkanes. [GOC:ai]' - }, - 'GO:0015949': { - 'name': 'nucleobase-containing small molecule interconversion', - 'def': 'The chemical reactions and pathways by which a nucleobase, nucleoside or nucleotide small molecule is synthesized from another nucleobase, nucleoside or nucleotide small molecule. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0015950': { - 'name': 'purine nucleotide interconversion', - 'def': 'The chemical reactions and pathways by which a purine nucleotide is synthesized from another purine nucleotide. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0015951': { - 'name': 'purine ribonucleotide interconversion', - 'def': 'The chemical reactions and pathways by which a purine ribonucleotide is synthesized from another purine ribonucleotide. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0015952': { - 'name': 'purine deoxyribonucleotide interconversion', - 'def': 'The chemical reactions and pathways by which a purine deoxyribonucleotide is synthesized from another purine deoxyribonucleotide. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0015953': { - 'name': 'pyrimidine nucleotide interconversion', - 'def': 'The chemical reactions and pathways by which a pyrimidine nucleotide is synthesized from another pyrimidine nucleotide. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0015954': { - 'name': 'pyrimidine ribonucleotide interconversion', - 'def': 'The chemical reactions and pathways by which a pyrimidine ribonucleotide is synthesized from another pyrimidine ribonucleotide. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0015955': { - 'name': 'pyrimidine deoxyribonucleotide interconversion', - 'def': 'The chemical reactions and pathways by which a pyrimidine deoxyribonucleotide is synthesized from another pyrimidine deoxyribonucleotide. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0015956': { - 'name': "bis(5'-nucleosidyl) oligophosphate metabolic process", - 'def': "The chemical reactions and pathways involving a bis(5'-nucleosidyl) oligophosphate, a compound formed of two nucleosides joined together through their 5' carbons by a chain of phosphate molecules. [GOC:mah, PMID:10970777]" - }, - 'GO:0015957': { - 'name': "bis(5'-nucleosidyl) oligophosphate biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of a bis(5'-nucleosidyl) oligophosphate, a compound formed of two nucleosides joined together through their 5' carbons by a chain of phosphate molecules. [GOC:mah, PMID:10970777]" - }, - 'GO:0015958': { - 'name': "bis(5'-nucleosidyl) oligophosphate catabolic process", - 'def': "The chemical reactions and pathways resulting in the breakdown of a bis(5'-nucleosidyl) oligophosphate, a compound formed of two nucleosides joined together through their 5' carbons by a chain of phosphate molecules. [GOC:mah, PMID:10970777]" - }, - 'GO:0015959': { - 'name': 'diadenosine polyphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving diadenosine polyphosphate, a derivative of the nucleoside adenosine with phosphate groups attached. [GOC:ai]' - }, - 'GO:0015960': { - 'name': 'diadenosine polyphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of diadenosine polyphosphate, a derivative of the nucleoside adenosine with phosphate groups attached. [GOC:ai]' - }, - 'GO:0015961': { - 'name': 'diadenosine polyphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of diadenosine polyphosphate, a derivative of the nucleoside adenosine with phosphate groups attached. [GOC:ai]' - }, - 'GO:0015962': { - 'name': 'diadenosine triphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving diadenosine triphosphate, a derivative of the nucleoside adenosine with three phosphate groups attached. [GOC:ai]' - }, - 'GO:0015963': { - 'name': 'diadenosine triphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of diadenosine triphosphate, a derivative of the nucleoside adenosine with three phosphate groups attached. [GOC:ai]' - }, - 'GO:0015964': { - 'name': 'diadenosine triphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of diadenosine triphosphate, a derivative of the nucleoside adenosine with three phosphate groups attached. [GOC:ai]' - }, - 'GO:0015965': { - 'name': 'diadenosine tetraphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving diadenosine tetraphosphate, a derivative of the nucleoside adenosine with four phosphate groups attached. [GOC:ai]' - }, - 'GO:0015966': { - 'name': 'diadenosine tetraphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of diadenosine tetraphosphate, a derivative of the nucleoside adenosine with four phosphate groups attached. [GOC:ai]' - }, - 'GO:0015967': { - 'name': 'diadenosine tetraphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of diadenosine tetraphosphate, a derivative of the nucleoside adenosine with four phosphate groups attached. [GOC:ai]' - }, - 'GO:0015968': { - 'name': 'stringent response', - 'def': 'A specific global change in the metabolism of a bacterial cell (the downregulation of nucleic acid and protein synthesis, and the simultaneous upregulation of protein degradation and amino acid synthesis) as a result of starvation. [GOC:jl, ISBN:0124325653, PMID:11282471]' - }, - 'GO:0015969': { - 'name': 'guanosine tetraphosphate metabolic process', - 'def': "The chemical reactions and pathways involving guanine tetraphosphate (5'-ppGpp-3'), a derivative of guanine riboside with four phosphates. [GOC:ai]" - }, - 'GO:0015970': { - 'name': 'guanosine tetraphosphate biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of guanine tetraphosphate (5'-ppGpp-3'), a derivative of guanine riboside with four phosphates. [GOC:ai]" - }, - 'GO:0015971': { - 'name': 'guanosine tetraphosphate catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of guanine tetraphosphate (5'-ppGpp-3'), a derivative of guanine riboside with four phosphates. [GOC:ai]" - }, - 'GO:0015972': { - 'name': 'guanosine pentaphosphate metabolic process', - 'def': "The chemical reactions and pathways involving guanine pentaphosphate (5'-pppGpp-3'), a derivative of guanine riboside with five phosphates. [GOC:ai]" - }, - 'GO:0015973': { - 'name': 'guanosine pentaphosphate biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of guanine pentaphosphate (5'-pppGpp-3'), a derivative of guanine riboside with five phosphates. [GOC:ai]" - }, - 'GO:0015974': { - 'name': 'guanosine pentaphosphate catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of guanine pentaphosphate (5'-pppGpp-3'), a derivative of guanine riboside with five phosphates. [GOC:ai]" - }, - 'GO:0015975': { - 'name': 'energy derivation by oxidation of reduced inorganic compounds', - 'def': 'The chemical reactions and pathways by which a cell derives energy from inorganic compounds; results in the oxidation of the compounds from which energy is released. [GOC:mah]' - }, - 'GO:0015976': { - 'name': 'carbon utilization', - 'def': "A series of processes that forms an integrated mechanism by which a cell or an organism detects the depletion of primary carbon sources and then activates genes to scavenge the last traces of the primary carbon source and to transport and metabolize alternative carbon sources such as carbon dioxide or carbonic acid. The utilization process begins when the cell or organism detects carbon levels, includes the activation of genes whose products detect, transport or metabolize carbon-containing substances, and ends when carbon is incorporated into the cell or organism's metabolism. [GOC:mah, GOC:mlg]" - }, - 'GO:0015977': { - 'name': 'carbon fixation', - 'def': 'A metabolic process in which carbon (usually derived from carbon dioxide) is incorporated into organic compounds (usually carbohydrates). [GOC:jl, GOC:mah]' - }, - 'GO:0015979': { - 'name': 'photosynthesis', - 'def': 'The synthesis by organisms of organic chemical compounds, especially carbohydrates, from carbon dioxide (CO2) using energy obtained from light rather than from the oxidation of chemical compounds. [ISBN:0198547684]' - }, - 'GO:0015980': { - 'name': 'energy derivation by oxidation of organic compounds', - 'def': 'The chemical reactions and pathways by which a cell derives energy from organic compounds; results in the oxidation of the compounds from which energy is released. [GOC:mah]' - }, - 'GO:0015981': { - 'name': 'obsolete passive proton transport, down the electrochemical gradient', - 'def': 'OBSOLETE. The passive movement of protons from areas of high proton concentration and electrical potential to areas where concentration and electrical potential are low. [ISBN:0716731363]' - }, - 'GO:0015982': { - 'name': 'obsolete antiport', - 'def': 'OBSOLETE. The process of coupled solute translocation in which two solutes equilibrate across an osmotic barrier, the translocation of solute being coupled to the translocation of the other in the opposite direction. [ISBN:0198506732]' - }, - 'GO:0015983': { - 'name': 'obsolete symport', - 'def': 'OBSOLETE. The process of solute translocation in which two solutes equilibrate across an osmotic barrier, and the translocation of one solute is coupled to the translocation of the other in the same direction. [ISBN:0198506732]' - }, - 'GO:0015984': { - 'name': 'obsolete uniport', - 'def': 'OBSOLETE. The process of noncoupled solute translocation or facilitated diffusion. [ISBN:0198506732]' - }, - 'GO:0015985': { - 'name': 'energy coupled proton transport, down electrochemical gradient', - 'def': 'The transport of protons across a membrane to generate an electrochemical gradient (proton-motive force) that provides energy for the synthesis of ATP or GTP. [GOC:mah]' - }, - 'GO:0015986': { - 'name': 'ATP synthesis coupled proton transport', - 'def': 'The transport of protons across a membrane to generate an electrochemical gradient (proton-motive force) that powers ATP synthesis. [ISBN:0716731363]' - }, - 'GO:0015987': { - 'name': 'GTP synthesis coupled proton transport', - 'def': 'The transport of protons across a membrane to generate an electrochemical gradient (proton-motive force) that powers GTP synthesis. [ISBN:0716731363]' - }, - 'GO:0015988': { - 'name': 'energy coupled proton transmembrane transport, against electrochemical gradient', - 'def': 'The transport of protons across a membrane and against an electrochemical gradient, using energy from a source such as ATP hydrolysis, light, or electron transport. [GOC:mah]' - }, - 'GO:0015989': { - 'name': 'light-driven proton transport', - 'def': 'The transport of protons against an electrochemical gradient, using energy from light. [GOC:mah]' - }, - 'GO:0015990': { - 'name': 'electron transport coupled proton transport', - 'def': 'The transport of protons against an electrochemical gradient, using energy from electron transport. [GOC:mah]' - }, - 'GO:0015991': { - 'name': 'ATP hydrolysis coupled proton transport', - 'def': 'The transport of protons against an electrochemical gradient, using energy from ATP hydrolysis. [GOC:mah, GOC:vw]' - }, - 'GO:0015992': { - 'name': 'proton transport', - 'def': 'The directed movement of protons (hydrogen ions) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0015993': { - 'name': 'molecular hydrogen transport', - 'def': 'The directed movement of molecular hydrogen (H2) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0015994': { - 'name': 'chlorophyll metabolic process', - 'def': 'The chemical reactions and pathways involving chlorophyll, any compound of magnesium complexed in a porphyrin (tetrapyrrole) ring and which functions as a photosynthetic pigment. [GOC:jl]' - }, - 'GO:0015995': { - 'name': 'chlorophyll biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chlorophyll, any compound of magnesium complexed in a porphyrin (tetrapyrrole) ring and which functions as a photosynthetic pigment, from less complex precursors. [GOC:jl]' - }, - 'GO:0015996': { - 'name': 'chlorophyll catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of chlorophyll, any compound of magnesium complexed in a porphyrin (tetrapyrrole) ring and which functions as a photosynthetic pigment, into less complex products. [GOC:jl]' - }, - 'GO:0015997': { - 'name': 'obsolete ubiquinone biosynthetic process monooxygenase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016002': { - 'name': 'sulfite reductase activity', - 'def': 'Catalysis of the reaction: hydrogen sulfide + acceptor + 3 H2O = sulfite + reduced acceptor. [EC:1.8.99.1]' - }, - 'GO:0016004': { - 'name': 'phospholipase activator activity', - 'def': 'Increases the activity of a phospholipase, an enzyme that catalyzes of the hydrolysis of a glycerophospholipid. [GOC:ai]' - }, - 'GO:0016005': { - 'name': 'phospholipase A2 activator activity', - 'def': 'Increases the activity of the enzyme phospholipase A2. [GOC:ai]' - }, - 'GO:0016006': { - 'name': 'Nebenkern', - 'def': 'A product of the fusion of the mitochondria during spermatogenesis. After the completion of meiosis the mitochondria of the spermatid collect along side the nucleus and fuse into two masses; these wrap around each other to produce the spherical Nebenkern. During flagellum elongation the Nebenkern unfolds and the two derivatives (major and minor mitochondrial derivatives) elongate down the axoneme. [GOC:ma]' - }, - 'GO:0016007': { - 'name': 'mitochondrial derivative', - 'def': 'The major and minor mitochondrial derivatives are the mitochondria of the sperm tail and derive by the unfolding of the Nebenkern during flagellum elongation. [GOC:ma]' - }, - 'GO:0016008': { - 'name': 'major mitochondrial derivative', - 'def': 'The larger of the two mitochondrial derivatives that arise by the unfolding of the Nebenkern during flagellum elongation; the major mitochondrial derivative is ovoid and darker than the minor derivative. [GOC:mah, PMID:17123504]' - }, - 'GO:0016009': { - 'name': 'minor mitochondrial derivative', - 'def': 'The smaller of the two mitochondrial derivatives that arise by the unfolding of the Nebenkern during flagellum elongation. [GOC:mah, PMID:17123504]' - }, - 'GO:0016010': { - 'name': 'dystrophin-associated glycoprotein complex', - 'def': 'A multiprotein complex that forms a strong mechanical link between the cytoskeleton and extracellular matrix; typical of, but not confined to, muscle cells. The complex is composed of transmembrane, cytoplasmic, and extracellular proteins, including dystrophin, sarcoglycans, dystroglycan, dystrobrevins, syntrophins, sarcospan, caveolin-3, and NO synthase. [PMID:15117830, PMID:16710609]' - }, - 'GO:0016011': { - 'name': 'dystroglycan complex', - 'def': 'A protein complex that includes alpha- and beta-dystroglycan, which are alternative products of the same gene; the laminin-binding component of the dystrophin-associated glycoprotein complex, providing a link between the subsarcolemmal cytoskeleton (in muscle cells) and the extracellular matrix. Alpha-dystroglycan is an extracellular protein binding to alpha-laminin and to beta-dystroglycan; beta-dystroglycan is a transmembrane protein which binds alpha-dystroglycan and dystrophin. [PMID:15117830, PMID:16710609]' - }, - 'GO:0016012': { - 'name': 'sarcoglycan complex', - 'def': 'A protein complex formed of four sarcoglycans plus sarcospan; there are six known sarcoglycans: alpha-, beta-, gamma-, delta-, epsilon- and zeta-sarcoglycan; all are N-glycosylated single-pass transmembrane proteins. The sarcoglycan-sarcospan complex is a subcomplex of the dystrophin glycoprotein complex, and is fixed to the dystrophin axis by a lateral association with the dystroglycan complex. [PMID:15117830, PMID:16710609]' - }, - 'GO:0016013': { - 'name': 'syntrophin complex', - 'def': 'A protein complex that includes alpha-, beta1-, beta2-syntrophins and syntrophin-like proteins; the syntrophin complex binds to the second half of the carboxy-terminal domain of dystrophin; also associates with neuronal nitric oxide synthase. [http://www.dmd.nl/DGC.html#syn]' - }, - 'GO:0016014': { - 'name': 'dystrobrevin complex', - 'def': 'A protein complex comprising alpha- and beta-dystrobrevin; forms part of the dystrophin glycoprotein complex. [PMID:15117830, PMID:16710609]' - }, - 'GO:0016015': { - 'name': 'morphogen activity', - 'def': 'Acts as a trigger for a pattern specification process when present at a specific concentration within a gradient. [GOC:go_curators]' - }, - 'GO:0016016': { - 'name': 'obsolete short-wave-sensitive opsin', - 'def': 'OBSOLETE. An opsin with maximal absorption between 400 and 500 nm. [PMID:10594055]' - }, - 'GO:0016018': { - 'name': 'cyclosporin A binding', - 'def': 'Interacting selectively and non-covalently with cyclosporin A, a cyclic undecapeptide that contains several N-methylated and unusual amino acids. [GOC:mb]' - }, - 'GO:0016019': { - 'name': 'peptidoglycan receptor activity', - 'def': 'Combining with a peptidoglycan and transmitting the signal to initiate a change in cell activity. [PMID:14698226]' - }, - 'GO:0016020': { - 'name': 'membrane', - 'def': 'A lipid bilayer along with all the proteins and protein complexes embedded in it an attached to it. [GOC:dos, GOC:mah, ISBN:0815316194]' - }, - 'GO:0016021': { - 'name': 'integral component of membrane', - 'def': 'The component of a membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:go_curators]' - }, - 'GO:0016024': { - 'name': 'CDP-diacylglycerol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of CDP-diacylglycerol, CDP-1,2-diacylglycerol, a substance composed of diacylglycerol in glycosidic linkage with cytidine diphosphate. [CHEBI:17962, GOC:curators]' - }, - 'GO:0016025': { - 'name': 'obsolete proteasome endopeptidase regulator', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0016026': { - 'name': 'obsolete proteasome endopeptidase core', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0016027': { - 'name': 'inaD signaling complex', - 'def': 'A complex of proteins that are involved in phototransduction and attached to the transient receptor potential (TRP) channel. The protein connections are mediated through inaD. [GOC:hb, PMID:9010208, PMID:9796815]' - }, - 'GO:0016028': { - 'name': 'rhabdomere', - 'def': 'The specialized microvilli-containing organelle on the apical surfaces of a photoreceptor cell containing the visual pigment rhodopsin and most of the proteins involved in phototransduction. [GOC:hb, GOC:sart, PMID:8646774]' - }, - 'GO:0016029': { - 'name': 'subrhabdomeral cisterna', - 'def': 'A membrane-bounded compartment that is found at the base of the rhabdomere and contains stored calcium, InsP3 receptors and smooth endoplasmic reticulum Ca2+-ATPase. [PMID:11707492, PMID:8646774]' - }, - 'GO:0016031': { - 'name': 'tRNA import into mitochondrion', - 'def': 'The directed movement of tRNA, transfer ribonucleic acid, from the cytoplasm into a mitochondrion. [GOC:ma, PMID:10988073, PMID:11121736]' - }, - 'GO:0016032': { - 'name': 'viral process', - 'def': "A multi-organism process in which a virus is a participant. The other participant is the host. Includes infection of a host cell, replication of the viral genome, and assembly of progeny virus particles. In some cases the viral genetic material may integrate into the host genome and only subsequently, under particular circumstances, 'complete' its life cycle. [GOC:bf, GOC:jl, GOC:mah]" - }, - 'GO:0016034': { - 'name': 'maleylacetoacetate isomerase activity', - 'def': 'Catalysis of the reaction: 4-maleylacetoacetate = 4-fumarylacetoacetate. [EC:5.2.1.2]' - }, - 'GO:0016035': { - 'name': 'zeta DNA polymerase complex', - 'def': 'A heterodimeric DNA polymerase complex that catalyzes error-prone DNA synthesis in contexts such as translesion synthesis and double-stranded break repair. First characterized in Saccharomyces, in which the subunits are Rev3p and Rev7p; a third protein, Rev1p, is often associated with the polymerase dimer. [PMID:16631579, PMID:16971464]' - }, - 'GO:0016036': { - 'name': 'cellular response to phosphate starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of phosphate. [GOC:jl]' - }, - 'GO:0016037': { - 'name': 'light absorption', - 'def': 'The reception of a photon by a cell. [GOC:go_curators]' - }, - 'GO:0016038': { - 'name': 'absorption of visible light', - 'def': 'The reception of a (visible light) photon by a cell, visible light being defined as having a wavelength within the range 380-780 nm. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0016039': { - 'name': 'absorption of UV light', - 'def': 'The reception of a (UV light) photon by a cell, UV light being defined as having a wavelength within the range 13.6-400 nm. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0016040': { - 'name': 'glutamate synthase (NADH) activity', - 'def': 'Catalysis of the reaction: 2 L-glutamate + NAD(+) = 2-oxoglutarate + L-glutamine + H(+) + NADH. [EC:1.4.1.14, RHEA:13756]' - }, - 'GO:0016041': { - 'name': 'glutamate synthase (ferredoxin) activity', - 'def': 'Catalysis of the reaction: 2 L-glutamate + 2 oxidized ferredoxin = L-glutamine + 2-oxoglutarate + 2 reduced ferredoxin + 2 H+. This is a two-step reaction: (a) L-glutamate + NH3 = L-glutamine + H2O, (b) L-glutamate + 2 oxidized ferredoxin + H2O = NH3 + 2-oxoglutarate + 2 reduced ferredoxin + 2 H+. [EC:1.4.7.1]' - }, - 'GO:0016042': { - 'name': 'lipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lipids, compounds soluble in an organic solvent but not, or sparingly, in an aqueous solvent. [GOC:go_curators]' - }, - 'GO:0016043': { - 'name': 'cellular component organization', - 'def': 'A process that results in the assembly, arrangement of constituent parts, or disassembly of a cellular component. [GOC:ai, GOC:jl, GOC:mah]' - }, - 'GO:0016045': { - 'name': 'detection of bacterium', - 'def': 'The series of events in which a stimulus from a bacterium is received and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0016046': { - 'name': 'detection of fungus', - 'def': 'The series of events in which a stimulus from a fungus is received and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0016047': { - 'name': 'detection of parasitic fungus', - 'def': 'The series of events in which a stimulus from a parasitic fungus (a fungus which spends all or part of its life in or on another organism from which it obtains nourishment and/or protection) is received and converted into a molecular signal. [GOC:hb, ISBN:0198506732]' - }, - 'GO:0016048': { - 'name': 'detection of temperature stimulus', - 'def': 'The series of events in which a temperature stimulus (hot or cold) is received and converted into a molecular signal. [GOC:hb]' - }, - 'GO:0016049': { - 'name': 'cell growth', - 'def': 'The process in which a cell irreversibly increases in size over time by accretion and biosynthetic production of matter similar to that already present. [GOC:ai]' - }, - 'GO:0016050': { - 'name': 'vesicle organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a vesicle. [GOC:mah]' - }, - 'GO:0016051': { - 'name': 'carbohydrate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y. [ISBN:0198506732]' - }, - 'GO:0016052': { - 'name': 'carbohydrate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y. [ISBN:0198506732]' - }, - 'GO:0016053': { - 'name': 'organic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of organic acids, any acidic compound containing carbon in covalent linkage. [ISBN:0198506732]' - }, - 'GO:0016054': { - 'name': 'organic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of organic acids, any acidic compound containing carbon in covalent linkage. [ISBN:0198506732]' - }, - 'GO:0016055': { - 'name': 'Wnt signaling pathway', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell and ending with a change in cell state. [GOC:dph, GOC:go_curators, PMID:11532397]' - }, - 'GO:0016056': { - 'name': 'rhodopsin mediated signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of excitation of rhodopsin by a photon and the events that convert the absorbed photons into a cellular response. [GOC:bf, GOC:dph, GOC:hb, GOC:signaling, GOC:tb]' - }, - 'GO:0016057': { - 'name': 'regulation of membrane potential in photoreceptor cell', - 'def': 'Hyperpolarization (vertebrates) or depolarization (invertebrates) of the photoreceptor cell membrane via closing/opening of cation specific channels as a result of signals generated by rhodopsin activation by a photon. [GOC:dph, GOC:hb, GOC:tb]' - }, - 'GO:0016058': { - 'name': 'maintenance of membrane potential in photoreceptor cell by rhodopsin mediated signaling', - 'def': 'Maintenance of the excited state of a photoreceptor cell to produce a steady-state current as a result of signals generated by rhodopsin activation by a photon. [GOC:dph, GOC:hb, GOC:tb]' - }, - 'GO:0016059': { - 'name': 'deactivation of rhodopsin mediated signaling', - 'def': 'The process of restoring the photoreceptor cell to its unexcited state after termination of the stimulus (photon). [PMID:8316831]' - }, - 'GO:0016060': { - 'name': 'metarhodopsin inactivation', - 'def': 'The process in which metarhodopsin is prevented from generating molecular signals. Activated rhodopsin (R*) is inactivated by a two-step process: first, R* is phosphorylated by rhodopsin kinase which lowers the activity of R*. Second, the protein arrestin binds to phosphorylated R* to de-activate it. [GOC:hb, Wikipedia:Visual_phototransduction]' - }, - 'GO:0016061': { - 'name': 'regulation of light-activated channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of light-activated channel activity. [GOC:go_curators]' - }, - 'GO:0016062': { - 'name': 'adaptation of rhodopsin mediated signaling', - 'def': 'The process in which a rhodopsin-mediated signaling pathway is adjusted to modulate the sensitivity and response of a visual system to light stimuli (that might vary over more than 6 magnitudes in intensity) without response saturation. [PMID:1962207]' - }, - 'GO:0016063': { - 'name': 'rhodopsin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of rhodopsin, a brilliant purplish-red, light-sensitive visual pigment found in the rod cells of the retinas. [ISBN:0198506732]' - }, - 'GO:0016064': { - 'name': 'immunoglobulin mediated immune response', - 'def': 'An immune response mediated by immunoglobulins, whether cell-bound or in solution. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0016065': { - 'name': 'obsolete humoral defense mechanism (sensu Protostomia)', - 'def': 'OBSOLETE. The specific immune response mediated by antibodies. As in, but not restricted to, the taxon Protostomia (Protostomia, ncbi_taxonomy_id:33317). [GOC:add, GOC:jid]' - }, - 'GO:0016068': { - 'name': 'type I hypersensitivity', - 'def': 'An inflammatory response driven by antigen recognition by antibodies bound to Fc receptors on mast cells or basophils, occurring within minutes after exposure of a sensitized individual to the antigen, and leading to the release of a variety of inflammatory mediators such as histamines. [GOC:add, ISBN:0781735149]' - }, - 'GO:0016070': { - 'name': 'RNA metabolic process', - 'def': "The cellular chemical reactions and pathways involving RNA, ribonucleic acid, one of the two main type of nucleic acid, consisting of a long, unbranched macromolecule formed from ribonucleotides joined in 3',5'-phosphodiester linkage. [ISBN:0198506732]" - }, - 'GO:0016071': { - 'name': 'mRNA metabolic process', - 'def': "The chemical reactions and pathways involving mRNA, messenger RNA, which is responsible for carrying the coded genetic 'message', transcribed from DNA, to sites of protein assembly at the ribosomes. [ISBN:0198506732]" - }, - 'GO:0016072': { - 'name': 'rRNA metabolic process', - 'def': 'The chemical reactions and pathways involving rRNA, ribosomal RNA, a structural constituent of ribosomes. [ISBN:0198506732]' - }, - 'GO:0016073': { - 'name': 'snRNA metabolic process', - 'def': 'The chemical reactions and pathways involving snRNA, small nuclear RNA, any of various low-molecular-mass RNA molecules found in the eukaryotic nucleus as components of the small nuclear ribonucleoprotein. [ISBN:0198506732]' - }, - 'GO:0016074': { - 'name': 'snoRNA metabolic process', - 'def': 'The chemical reactions and pathways involving snoRNA, small nucleolar RNA, any of a class of small RNAs that are associated with the eukaryotic nucleus as components of small nucleolar ribonucleoproteins. They participate in the processing or modifications of many RNAs, mostly ribosomal RNAs (rRNAs) though snoRNAs are also known to target other classes of RNA, including spliceosomal RNAs, tRNAs, and mRNAs via a stretch of sequence that is complementary to a sequence in the targeted RNA. [GOC:krc]' - }, - 'GO:0016075': { - 'name': 'rRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of rRNA, ribosomal RNA, a structural constituent of ribosomes. [GOC:ai]' - }, - 'GO:0016076': { - 'name': 'snRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of snRNA, small nuclear RNA, low-molecular-mass RNA molecules found in the eukaryotic nucleus as components of the small nuclear ribonucleoprotein. [ISBN:0198506732]' - }, - 'GO:0016077': { - 'name': 'snoRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of snoRNA, small nucleolar RNA, any of a class of small RNAs that are associated with the eukaryotic nucleus as components of small nucleolar ribonucleoproteins. [ISBN:0198506732]' - }, - 'GO:0016078': { - 'name': 'tRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tRNA, transfer RNA, a class of relatively small RNA molecules responsible for mediating the insertion of amino acids into the sequence of nascent polypeptide chains during protein synthesis. [GOC:ai]' - }, - 'GO:0016079': { - 'name': 'synaptic vesicle exocytosis', - 'def': 'Fusion of intracellular membrane-bounded vesicles with the pre-synaptic membrane of the neuronal cell resulting in release of neurotransmitter into the synaptic cleft. [GOC:jid, GOC:lmg]' - }, - 'GO:0016080': { - 'name': 'synaptic vesicle targeting', - 'def': 'The process in which synaptic vesicles are directed to specific destination membranes, mediated by molecules at the vesicle membrane and target membrane surfaces. [GOC:mah]' - }, - 'GO:0016081': { - 'name': 'synaptic vesicle docking', - 'def': 'The initial (indirect) attachment of a synaptic vesicle membrane to the presynaptic active zone membrane, mediated by proteins protruding from the membrane and proteins of the presynaptic active zone cytoplasmic component. Synaptic vesicle tethering is the first step in this process. [PMID:15217342]' - }, - 'GO:0016082': { - 'name': 'synaptic vesicle priming', - 'def': 'A process that converts synaptic vesicles to a state of competence for calcium triggered fusion with the active zone membrane by bringing the two membranes into very close proximity. Priming typically (but not always) occurs after docking (Jahn and Fasshauer, 2012). Primed vesicles are also capable of spontaneously fusing with the active zone membrane. [GOC:mah, PMID:15217342] {comment=PMID:23060190}' - }, - 'GO:0016083': { - 'name': 'obsolete synaptic vesicle fusion', - 'def': 'OBSOLETE. Fusion of the synaptic vesicle with the postsynaptic membrane. [GOC:curators]' - }, - 'GO:0016084': { - 'name': 'myostimulatory hormone activity', - 'def': 'The action characteristic of myostimulatory hormone, a peptide hormone that stimulates muscle contraction. [GOC:mah, PMID:12204246]' - }, - 'GO:0016085': { - 'name': 'myoinhibitory hormone activity', - 'def': 'The action characteristic of myostimulatory hormone, a peptide hormone that inhibits muscle contraction. [GOC:mah, PMID:8902848]' - }, - 'GO:0016086': { - 'name': 'obsolete allatostatin', - 'def': 'OBSOLETE. Peptide hormones produced by the corpora allata of insects that reversibly inhibit the production of juvenile hormone. [GOC:ai, PMID:10891383]' - }, - 'GO:0016087': { - 'name': 'ecdysiostatic hormone activity', - 'def': 'The action characteristic of ecdysiostatic hormone, a peptide hormone that inhibits ecdysone secretion. [DOI:10.1002/(SICI)1520-6327(1997)35\\:1, GOC:mah]' - }, - 'GO:0016088': { - 'name': 'obsolete insulin', - 'def': 'OBSOLETE. A polypeptide hormone that stimulates glucose uptake by muscle and adipose tissue, and promotes glycogenesis, lipogenesis and the synthesis of proteins and nucleic acids. [ISBN:0198506732]' - }, - 'GO:0016090': { - 'name': 'prenol metabolic process', - 'def': 'The chemical reactions and pathways involving prenols, isoprenoids of general formula (H-CH2-C(CH3)=CH-CH2-)n-OH, any primary monohydroxy alcohol whose carbon skeleton consists of two or more isoprenoid residues linked head to tail. [ISBN:0198547684]' - }, - 'GO:0016091': { - 'name': 'prenol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of prenols, isoprenoids of general formula (H-CH2-C(CH3)=CH-CH2-)n-OH, any primary monohydroxy alcohol whose carbon skeleton consists of two or more isoprenoid residues linked head to tail. [GOC:go_curators]' - }, - 'GO:0016092': { - 'name': 'prenol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of prenols, isoprenoids of general formula (H-CH2-C(CH3)=CH-CH2-)n-OH, any primary monohydroxy alcohol whose carbon skeleton consists of two or more isoprenoid residues linked head to tail. [GOC:go_curators]' - }, - 'GO:0016093': { - 'name': 'polyprenol metabolic process', - 'def': 'The chemical reactions and pathways involving polyprenols, prenols with more than 4 isoprenoid residues, which may be all-trans, or a mixture of cis and trans. [http://www.chem.qmul.ac.uk/iupac/misc/prenol.html#p2, ISBN:0198547684]' - }, - 'GO:0016094': { - 'name': 'polyprenol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polyprenols, prenols with more than 4 isoprenoid residues, which may be all-trans, or a mixture of cis and trans. [GOC:go_curators, http://www.chem.qmul.ac.uk/iupac/misc/prenol.html#p2]' - }, - 'GO:0016095': { - 'name': 'polyprenol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of polyprenols, prenols with more than 4 isoprenoid residues, which may be all-trans, or a mixture of cis and trans. [GOC:go_curators, http://www.chem.qmul.ac.uk/iupac/misc/prenol.html#p2]' - }, - 'GO:0016098': { - 'name': 'monoterpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving monoterpenoid compounds, terpenoids having a C10 skeleton. [CHEBI:25409, ISBN:0198547684]' - }, - 'GO:0016099': { - 'name': 'monoterpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of monoterpenoid compounds, terpenoids having a C10 skeleton. [CHEBI:25409]' - }, - 'GO:0016100': { - 'name': 'monoterpenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of monoterpenoid compounds, terpenoids having a C10 skeleton. [CHEBI:25409]' - }, - 'GO:0016101': { - 'name': 'diterpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving diterpenoid compounds, terpenoids with four isoprene units. [ISBN:0198547684]' - }, - 'GO:0016102': { - 'name': 'diterpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of diterpenoid compounds, terpenoids with four isoprene units. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0016103': { - 'name': 'diterpenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of diterpenoid compounds, terpenoids with four isoprene units. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0016104': { - 'name': 'triterpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of triterpenoid compounds, terpenoids with six isoprene units. [GOC:go_curators]' - }, - 'GO:0016105': { - 'name': 'triterpenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of triterpenoid compounds, terpenoids with six isoprene units. [GOC:go_curators]' - }, - 'GO:0016106': { - 'name': 'sesquiterpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sesquiterpenoid compounds, terpenoids with three isoprene units. [GOC:go_curators]' - }, - 'GO:0016107': { - 'name': 'sesquiterpenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sesquiterpenoid compounds, terpenoids with three isoprene units. [GOC:go_curators]' - }, - 'GO:0016108': { - 'name': 'tetraterpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving tetraterpenoid compounds, terpenoids with eight isoprene units. [ISBN:0198547684]' - }, - 'GO:0016109': { - 'name': 'tetraterpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tetraterpenoid compounds, terpenoids with eight isoprene units. [GOC:go_curators]' - }, - 'GO:0016110': { - 'name': 'tetraterpenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tetraterpenoid compounds, terpenoids with eight isoprene units. [GOC:go_curators]' - }, - 'GO:0016111': { - 'name': 'polyterpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving polyterpenoid compounds, terpenoids with more than eight isoprene units. [ISBN:0198547684]' - }, - 'GO:0016112': { - 'name': 'polyterpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polyterpenoid compounds, terpenoids with more than eight isoprene units. [GOC:go_curators]' - }, - 'GO:0016113': { - 'name': 'polyterpenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of polyterpenoid compounds, terpenoids with more than eight isoprene units. [GOC:go_curators]' - }, - 'GO:0016114': { - 'name': 'terpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of terpenoids, any member of a class of compounds characterized by an isoprenoid chemical structure. [GOC:ai]' - }, - 'GO:0016115': { - 'name': 'terpenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of terpenoids, any member of a class of compounds characterized by an isoprenoid chemical structure. [GOC:ai]' - }, - 'GO:0016116': { - 'name': 'carotenoid metabolic process', - 'def': 'The chemical reactions and pathways involving carotenoids, tetraterpenoid compounds in which two units of 4 isoprenoid residues joined head-to-tail are themselves joined tail-to-tail. [ISBN:0198547684]' - }, - 'GO:0016117': { - 'name': 'carotenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of carotenoids, tetraterpenoid compounds in which two units of 4 isoprenoid residues joined head-to-tail are themselves joined tail-to-tail. [GOC:go_curators]' - }, - 'GO:0016118': { - 'name': 'carotenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carotenoids, tetraterpenoid compounds in which two units of 4 isoprenoid residues joined head-to-tail are themselves joined tail-to-tail. [GOC:go_curators]' - }, - 'GO:0016119': { - 'name': 'carotene metabolic process', - 'def': 'The chemical reactions and pathways involving carotenes, hydrocarbon carotenoids. [ISBN:0198547684]' - }, - 'GO:0016120': { - 'name': 'carotene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of carotenes, hydrocarbon carotenoids. [GOC:go_curators]' - }, - 'GO:0016121': { - 'name': 'carotene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carotenes, hydrocarbon carotenoids. [GOC:go_curators]' - }, - 'GO:0016122': { - 'name': 'xanthophyll metabolic process', - 'def': 'The chemical reactions and pathways involving xanthophylls, oxygen-containing carotenoids. [ISBN:0198547684]' - }, - 'GO:0016123': { - 'name': 'xanthophyll biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of xanthophylls, oxygen-containing carotenoids. [GOC:go_curators]' - }, - 'GO:0016124': { - 'name': 'xanthophyll catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of xanthophylls, oxygen-containing carotenoids. [GOC:go_curators]' - }, - 'GO:0016125': { - 'name': 'sterol metabolic process', - 'def': 'The chemical reactions and pathways involving sterols, steroids with one or more hydroxyl groups and a hydrocarbon side-chain in the molecule. [ISBN:0198547684]' - }, - 'GO:0016126': { - 'name': 'sterol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sterols, steroids with one or more hydroxyl groups and a hydrocarbon side-chain in the molecule. [GOC:go_curators]' - }, - 'GO:0016127': { - 'name': 'sterol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sterols, steroids with one or more hydroxyl groups and a hydrocarbon side-chain in the molecule. [GOC:go_curators]' - }, - 'GO:0016128': { - 'name': 'phytosteroid metabolic process', - 'def': 'The chemical reactions and pathways involving phytosteroids, steroids of higher plants that differ from animal steroids in having substitutions at C24 and/or a double bond at C22. Phytosteroids are so named because they occur in higher plants; some, notably ergosterol, are also found in fungi. [GOC:mah, ISBN:0198547684]' - }, - 'GO:0016129': { - 'name': 'phytosteroid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phytosteroids, steroids that differ from animal steroids in having substitutions at C24 and/or a double bond at C22. Phytosteroids are so named because they occur in higher plants; some, notably ergosterol, are also found in fungi. [GOC:go_curators, GOC:mah, ISBN:0471331309]' - }, - 'GO:0016130': { - 'name': 'phytosteroid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phytosteroids, steroids that differ from animal steroids in having substitutions at C24 and/or a double bond at C22. Phytosteroids are so named because they occur in higher plants; some, notably ergosterol, are also found in fungi. [GOC:go_curators, GOC:mah]' - }, - 'GO:0016131': { - 'name': 'brassinosteroid metabolic process', - 'def': 'The chemical reactions and pathways involving brassinosteroids, any of a group of steroid derivatives that occur at very low concentrations in plant tissues and may have hormone-like effects. [ISBN:0192801023]' - }, - 'GO:0016132': { - 'name': 'brassinosteroid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of brassinosteroids, any of a group of steroid derivatives that occur at very low concentrations in plant tissues and may have hormone-like effects. [ISBN:0192801023]' - }, - 'GO:0016133': { - 'name': 'brassinosteroid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of brassinosteroids, any of a group of steroid derivatives that occur at very low concentrations in plant tissues and may have hormone-like effects. [ISBN:0192801023]' - }, - 'GO:0016134': { - 'name': 'saponin metabolic process', - 'def': 'The chemical reactions and pathways involving saponins, glycosides of plants in which the aglycan (sapogenin) group is a terpene or steroid and the sugar group is a glucose, a galactose, a pentose, a methylpentose or an oligosaccharide. Saponins are powerful surfactant agents and membrane active; they are, hence, toxic to animals on injection. [ISBN:0198547684]' - }, - 'GO:0016135': { - 'name': 'saponin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of saponins, glycosides of plants in which the aglycan (sapogenin) group is a terpene or steroid and the sugar group is a glucose, a galactose, a pentose, a methylpentose or an oligosaccharide. Saponins are powerful surfactant agents and membrane active; they are, hence, toxic to animals on injection. [GOC:go_curators]' - }, - 'GO:0016136': { - 'name': 'saponin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of saponins, glycosides of plants in which the aglycan (sapogenin) group is a terpene or steroid and the sugar group is a glucose, a galactose, a pentose, a methylpentose or an oligosaccharide. Saponins are powerful surfactant agents and membrane active; they are, hence, toxic to animals on injection. [GOC:go_curators]' - }, - 'GO:0016137': { - 'name': 'glycoside metabolic process', - 'def': 'The chemical reactions and pathways involving glycosides, compounds in which a glycosyl group is substituted into a hydroxyl, thiol or selenol group in another compound. [ISBN:0198547684]' - }, - 'GO:0016138': { - 'name': 'glycoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycosides, compounds in which a glycosyl group is substituted into a hydroxyl, thiol or selenol group in another compound. [GOC:go_curators]' - }, - 'GO:0016139': { - 'name': 'glycoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycosides, compounds in which a glycosyl group is substituted into a hydroxyl, thiol or selenol group in another compound. [GOC:go_curators]' - }, - 'GO:0016143': { - 'name': 'S-glycoside metabolic process', - 'def': 'The chemical reactions and pathways involving S-glycosides, any compound in which a glycosyl group has been substituted into a thiol group. [ISBN:0198506732]' - }, - 'GO:0016144': { - 'name': 'S-glycoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of S-glycosides, any compound in which a glycosyl group has been substituted into a thiol group. [ISBN:0198506732]' - }, - 'GO:0016145': { - 'name': 'S-glycoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of S-glycosides, any compound in which a glycosyl group has been substituted into a thiol group. [ISBN:0198506732]' - }, - 'GO:0016146': { - 'name': 'obsolete protein-synthesizing GTPase activity, initiation', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. [EC:3.6.1.48]' - }, - 'GO:0016147': { - 'name': 'obsolete protein-synthesizing GTPase activity, elongation', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. [EC:3.6.1.48]' - }, - 'GO:0016148': { - 'name': 'obsolete protein-synthesizing GTPase activity, termination', - 'def': 'OBSOLETE. Catalysis of the reaction: GTP + H2O = GDP + phosphate. [EC:3.6.1.48]' - }, - 'GO:0016149': { - 'name': 'translation release factor activity, codon specific', - 'def': 'A translation release factor that is specific for one or more particular termination codons; acts at the ribosomal A-site and require polypeptidyl-tRNA at the P-site. [ISBN:0198547684]' - }, - 'GO:0016150': { - 'name': 'translation release factor activity, codon nonspecific', - 'def': 'A translation release factor that is not specific to particular codons; binds to guanine nucleotides. [ISBN:0198547684]' - }, - 'GO:0016151': { - 'name': 'nickel cation binding', - 'def': 'Interacting selectively and non-covalently with nickel (Ni) cations. [GOC:ai]' - }, - 'GO:0016152': { - 'name': 'mercury (II) reductase activity', - 'def': 'Catalysis of the reaction: H(+) + Hg + NADP(+) = Hg(2+) + NADPH. [EC:1.16.1.1, RHEA:23859]' - }, - 'GO:0016153': { - 'name': 'urocanate hydratase activity', - 'def': 'Catalysis of the reaction: 4-imidazolone-5-propanoate + H(+) = trans-urocanate + H(2)O. [EC:4.2.1.49, RHEA:13104]' - }, - 'GO:0016154': { - 'name': 'pyrimidine-nucleoside phosphorylase activity', - 'def': 'Catalysis of the reaction: pyrimidine nucleoside + phosphate = pyrimidine + alpha-D-ribose 1-phosphate. [EC:2.4.2.2]' - }, - 'GO:0016155': { - 'name': 'formyltetrahydrofolate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 10-formyltetrahydrofolate + H(2)O + NADP(+) = (6S)-5,6,7,8-tetrahydrofolate + CO(2) + H(+) + NADPH. [EC:1.5.1.6, RHEA:10183]' - }, - 'GO:0016156': { - 'name': 'fumarate reductase (NADH) activity', - 'def': 'Catalysis of the reaction: NAD(+) + succinate = fumarate + H(+) + NADH. [EC:1.3.1.6, RHEA:18284]' - }, - 'GO:0016157': { - 'name': 'sucrose synthase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + D-fructose = UDP + sucrose. [EC:2.4.1.13]' - }, - 'GO:0016158': { - 'name': '3-phytase activity', - 'def': 'Catalysis of the reaction: myo-inositol hexakisphosphate + H2O = D-myo-inositol 1,2,4,5,6-pentakisphosphate + phosphate. [EC:3.1.3.8]' - }, - 'GO:0016159': { - 'name': 'muconolactone delta-isomerase activity', - 'def': 'Catalysis of the reaction: 2,5-dihydro-5-oxofuran-2-acetate = 3,4-dihydro-5-oxofuran-2-acetate. [EC:5.3.3.4]' - }, - 'GO:0016160': { - 'name': 'amylase activity', - 'def': 'Catalysis of the hydrolysis of amylose or an amylose derivative. [GOC:ai]' - }, - 'GO:0016161': { - 'name': 'beta-amylase activity', - 'def': 'Catalysis of the reaction: (1,4-alpha-D-glucosyl)(n+1) + H2O = (1,4-alpha-D-glucosyl)(n-1) + alpha-maltose. This reaction is the hydrolysis of 1,4-alpha-glucosidic linkages in polysaccharides so as to remove successive maltose units from the non-reducing ends of the chains. [EC:3.2.1.2]' - }, - 'GO:0016162': { - 'name': 'cellulose 1,4-beta-cellobiosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-beta-D-glucosidic linkages in cellulose and cellotetraose, releasing cellobiose from the non-reducing ends of the chains. [EC:3.2.1.91]' - }, - 'GO:0016163': { - 'name': 'nitrogenase activity', - 'def': 'Catalysis of the reaction: 8 reduced ferredoxin + 8 H+ + nitrogen + 16 ATP = 8 oxidized ferredoxin + 2 NH3 + 16 ADP + 16 phosphate. [EC:1.18.6.1]' - }, - 'GO:0016164': { - 'name': 'obsolete Mo-molybdopterin oxidoreductase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016165': { - 'name': 'linoleate 13S-lipoxygenase activity', - 'def': 'Catalysis of the reaction: linoleate + O2 = (9Z,11E)-(13S)-13-hydroperoxyoctadeca-9,11-dienoate. [EC:1.13.11.12, GOC:lb]' - }, - 'GO:0016166': { - 'name': 'phytoene dehydrogenase activity', - 'def': 'Catalysis of the dehydrogenation of phytoene to produce a carotenoid intermediate such as phytofluene. [http://www.chem.qmul.ac.uk/iubmb/enzyme/reaction/terp/carot.html]' - }, - 'GO:0016167': { - 'name': 'glial cell-derived neurotrophic factor receptor activity', - 'def': 'Combining with glial cell line-derived neurotrophic factor and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling]' - }, - 'GO:0016168': { - 'name': 'chlorophyll binding', - 'def': 'Interacting selectively and non-covalently with chlorophyll; any compound of magnesium complexed in a porphyrin (tetrapyrrole) ring and which functions as a photosynthetic pigment. [GOC:jl]' - }, - 'GO:0016169': { - 'name': 'bacteriochlorophyll c binding', - 'def': 'Interacting selectively and non-covalently with bacteriochlorophyll c, a chlorophyll of photosynthetic bacteria, for example green sulfur bacteria. [ISBN:0192800981]' - }, - 'GO:0016170': { - 'name': 'interleukin-15 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-15 receptor. [GOC:ai]' - }, - 'GO:0016171': { - 'name': 'obsolete cell surface antigen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016172': { - 'name': 'obsolete antifreeze activity', - 'def': 'OBSOLETE. Inhibits the formation of ice crystals in organismal fluid (e.g. blood) at below freezing exogenous temperatures. [GOC:jl]' - }, - 'GO:0016173': { - 'name': 'obsolete ice nucleation inhibitor activity', - 'def': 'OBSOLETE. Inhibits the formation of ice crystals. [GOC:ai]' - }, - 'GO:0016174': { - 'name': 'NAD(P)H oxidase activity', - 'def': 'Catalysis of the reaction: NAD(P)H + H+ + O2 = NAD(P)+ + hydrogen peroxide. [EC:1.6.3.1]' - }, - 'GO:0016175': { - 'name': 'superoxide-generating NADPH oxidase activity', - 'def': 'Catalysis of the reaction: NAD(P)H + O2 = NAD(P)H + O2-. [GOC:ai, PMID:10806195]' - }, - 'GO:0016176': { - 'name': 'superoxide-generating NADPH oxidase activator activity', - 'def': 'Increases the activity of the enzyme superoxide-generating NADPH oxidase. [GOC:ai]' - }, - 'GO:0016180': { - 'name': 'snRNA processing', - 'def': 'Any process involved in the conversion of a primary small nuclear RNA (snRNA) transcript into a mature snRNA molecule. [GOC:jl]' - }, - 'GO:0016182': { - 'name': 'synaptic vesicle budding from endosome', - 'def': 'Budding of synaptic vesicles during the formation of constitutive recycling vesicles from early endosomes. [GOC:curators, PMID:10099709, PMID:24596248]' - }, - 'GO:0016183': { - 'name': 'synaptic vesicle coating', - 'def': 'The formation of clathrin coated pits in the presynaptic membrane endocytic zone, triggered by the presence of high concentrations of synaptic vesicle components. This process leads to, but does not include budding of the membrane to form new vesicles. [GOC:curators, PMID:10099709, PMID:20448150]' - }, - 'GO:0016184': { - 'name': 'obsolete synaptic vesicle retrieval', - 'def': 'OBSOLETE. Return of a vesicle from the postsynaptic membrane to presynaptic membrane. [GOC:curators]' - }, - 'GO:0016185': { - 'name': 'synaptic vesicle budding from presynaptic endocytic zone membrane', - 'def': 'Evagination of the presynaptic membrane, resulting in the formation of a new synaptic vesicle. [GOC:curators, PMID:10099709, PMID:20448150]' - }, - 'GO:0016186': { - 'name': 'obsolete synaptic vesicle fission', - 'def': 'OBSOLETE. Separation of a synaptic vesicle from the presynaptic membrane. [GOC:curators]' - }, - 'GO:0016187': { - 'name': 'obsolete synaptic vesicle internalization', - 'def': 'OBSOLETE. Internalization of the contents of a synaptic vesicle into the postsynaptic membrane following endocytosis. [GOC:curators]' - }, - 'GO:0016188': { - 'name': 'synaptic vesicle maturation', - 'def': 'Steps required to form an initiated synaptic vesicle into a fully formed and transmissible synaptic vesicle. [GOC:curators, PMID:10099709]' - }, - 'GO:0016189': { - 'name': 'synaptic vesicle to endosome fusion', - 'def': 'Fusion of a synaptic vesicle with an endosome. [GOC:curators, PMID:10099709]' - }, - 'GO:0016191': { - 'name': 'synaptic vesicle uncoating', - 'def': 'The removal of the protein coat on a synaptic vesicle following the pinching step at the end of budding from the presynaptic membrane. [GOC:curators, PMID:10099709, PMID:24596248]' - }, - 'GO:0016192': { - 'name': 'vesicle-mediated transport', - 'def': 'A cellular transport process in which transported substances are moved in membrane-bounded vesicles; transported substances are enclosed in the vesicle lumen or located in the vesicle membrane. The process begins with a step that directs a substance to the forming vesicle, and includes vesicle budding and coating. Vesicles are then targeted to, and fuse with, an acceptor membrane. [GOC:ai, GOC:mah, ISBN:08789310662000]' - }, - 'GO:0016197': { - 'name': 'endosomal transport', - 'def': 'The directed movement of substances into, out of, or mediated by an endosome, a membrane-bounded organelle that carries materials newly ingested by endocytosis. It passes many of the materials to lysosomes for degradation. [ISBN:0198506732]' - }, - 'GO:0016198': { - 'name': 'axon choice point recognition', - 'def': 'The recognition of molecules at a choice point by an axon growth cone; at a choice point the growth cone determines the direction of its future growth. [PMID:10218152]' - }, - 'GO:0016199': { - 'name': 'axon midline choice point recognition', - 'def': 'The recognition of molecules at the central nervous system midline choice point by an axon growth cone; this choice point determines whether the growth cone will cross the midline. [PMID:11376484]' - }, - 'GO:0016200': { - 'name': 'synaptic target attraction', - 'def': 'The process in which a neuronal cell in a multicellular organism recognizes chemoattractant signals from, and grows towards, potential targets. [GOC:mah, ISBN:0878932437]' - }, - 'GO:0016201': { - 'name': 'synaptic target inhibition', - 'def': 'The process in which a neuronal cell in a multicellular organism recognizes chemorepellent signals that inhibit its growth toward the source. [GOC:mah, ISBN:0878932437]' - }, - 'GO:0016202': { - 'name': 'regulation of striated muscle tissue development', - 'def': 'Any process that modulates the frequency, rate or extent of striated muscle development. [GOC:go_curators]' - }, - 'GO:0016203': { - 'name': 'muscle attachment', - 'def': 'The developmental process in which a skeletal muscle attaches to its target (such as bone or body wall). [GOC:isa_complete, GOC:sart]' - }, - 'GO:0016204': { - 'name': 'determination of muscle attachment site', - 'def': 'The process that mediates the transfer of information from the cells of a muscle to those of its intended target, thereby identifying the target site. [GOC:isa_complete]' - }, - 'GO:0016205': { - 'name': 'selenocysteine methyltransferase activity', - 'def': 'Catalysis of the reaction: selenocysteine + S-adenosyl-L-methionine = Se-methylselenocysteine + S-adenosyl-homocysteine. [EC:2.1.1.-, PMID:10026151]' - }, - 'GO:0016206': { - 'name': 'catechol O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + a catechol = S-adenosyl-L-homocysteine + a guaiacol. [EC:2.1.1.6]' - }, - 'GO:0016207': { - 'name': '4-coumarate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + 4-coumarate + CoA = AMP + diphosphate + 4-coumaroyl-CoA. [EC:6.2.1.12]' - }, - 'GO:0016208': { - 'name': 'AMP binding', - 'def': 'Interacting selectively and non-covalently with AMP, adenosine monophosphate. [GOC:go_curators]' - }, - 'GO:0016209': { - 'name': 'antioxidant activity', - 'def': 'Inhibition of the reactions brought about by dioxygen (O2) or peroxides. Usually the antioxidant is effective because it can itself be more easily oxidized than the substance protected. The term is often applied to components that can trap free radicals, thereby breaking the chain reaction that normally leads to extensive biological damage. [ISBN:0198506732]' - }, - 'GO:0016210': { - 'name': 'naringenin-chalcone synthase activity', - 'def': 'Catalysis of the reaction: 3 malonyl-CoA + 4-coumaroyl-CoA = 4 CoA + naringenin chalcone + 3 CO2. [EC:2.3.1.74]' - }, - 'GO:0016211': { - 'name': 'ammonia ligase activity', - 'def': 'Catalysis of the ligation of ammonia (NH3) to another substance via a carbon-nitrogen bond with concomitant breakage of a diphosphate linkage, usually in a nucleoside triphosphate. [GOC:jl]' - }, - 'GO:0016212': { - 'name': 'kynurenine-oxoglutarate transaminase activity', - 'def': 'Catalysis of the reaction: L-kynurenine + 2-oxoglutarate = 4-(2-aminophenyl)-2,4-dioxobutanoate + L-glutamate. [EC:2.6.1.7]' - }, - 'GO:0016213': { - 'name': 'linoleoyl-CoA desaturase activity', - 'def': 'Catalysis of the reaction: linoleoyl-CoA + reduced acceptor + O2 = gamma-linolenoyl-CoA + acceptor + 2 H2O. [EC:1.14.19.3]' - }, - 'GO:0016215': { - 'name': 'acyl-CoA desaturase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + reduced acceptor + O2 = desaturated-acyl-CoA + acceptor + 2 H2O. [EC:1.14.19.1, EC:1.14.19.5, GOC:mah]' - }, - 'GO:0016216': { - 'name': 'isopenicillin-N synthase activity', - 'def': 'Catalysis of the reaction: N-[(5S)-5-amino-5-carboxypentanoyl]-L-cysteinyl-D-valine + O(2) = 2 H(2)O + isopenicillin N. [EC:1.21.3.1, RHEA:22431]' - }, - 'GO:0016217': { - 'name': 'N-ethylammeline chlorohydrolase activity', - 'def': 'Catalysis of the reaction: deethylsimazine + H2O = N-ethylammeline + chloride + H+. [MetaCyc:R465-RXN]' - }, - 'GO:0016218': { - 'name': 'obsolete polyketide synthase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:curators]' - }, - 'GO:0016222': { - 'name': 'procollagen-proline 4-dioxygenase complex', - 'def': 'A protein complex that catalyzes the formation of procollagen trans-4-hydroxy-L-proline and succinate from procollagen L-proline and 2-oxoglutarate, requiring Fe2+ and ascorbate. Contains two alpha subunits that contribute to most parts of the catalytic sites, and two beta subunits that are identical to protein-disulfide isomerase. [PMID:14500733, PMID:7753822]' - }, - 'GO:0016223': { - 'name': 'beta-alanine-pyruvate transaminase activity', - 'def': 'Catalysis of the reaction: L-alanine + 2-oxopropanoate = pyruvate + beta-alanine. [EC:2.6.1.18]' - }, - 'GO:0016226': { - 'name': 'iron-sulfur cluster assembly', - 'def': 'The incorporation of iron and exogenous sulfur into a metallo-sulfur cluster. [GOC:jl, GOC:mah, GOC:pde, GOC:vw]' - }, - 'GO:0016227': { - 'name': 'obsolete tRNA sulfurtransferase activity', - 'def': "OBSOLETE. Catalysis of the reaction: L-cysteine + 'activated' tRNA = L-serine + tRNA containing a thionucleotide. [EC:2.8.1.4]" - }, - 'GO:0016229': { - 'name': 'steroid dehydrogenase activity', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which one substrate is a sterol derivative. [GOC:mah]' - }, - 'GO:0016230': { - 'name': 'sphingomyelin phosphodiesterase activator activity', - 'def': 'Increases the activity of the enzyme sphingomyelin phosphodiesterase. [GOC:ai]' - }, - 'GO:0016231': { - 'name': 'beta-N-acetylglucosaminidase activity', - 'def': 'Catalysis of the hydrolysis of terminal non-reducing N-acetyl-D-glucosamine residues in N-acetyl-beta-D-glucosaminides. [EC:3.2.1.52, MetaCyc:3.2.1.52-RXN]' - }, - 'GO:0016232': { - 'name': 'HNK-1 sulfotransferase activity', - 'def': 'Catalysis of the synthesis of the HKK-1 carbohydrate epitope; adds a sulfate group to a precursor, GlcA-beta-(1->3)-Gal-beta-(1->4)-GlcNAc-beta-(1->R), forming sulfo-3GlcA-beta-(1->3)-Gal-beta-(1->4)-GlcNAc-beta-(1->R). [PMID:9478973]' - }, - 'GO:0016233': { - 'name': 'telomere capping', - 'def': 'A process in which telomeres are protected from degradation and fusion, thereby ensuring chromosome stability by protecting the ends from both degradation and from being recognized as damaged DNA. May be mediated by specific single- or double-stranded telomeric DNA binding proteins. [GOC:mah, GOC:rn, PMID:11349150, PMID:11352055]' - }, - 'GO:0016234': { - 'name': 'inclusion body', - 'def': 'A discrete intracellular part formed of aggregated molecules such as proteins or other biopolymers. [GOC:mah, PMID:11121744]' - }, - 'GO:0016235': { - 'name': 'aggresome', - 'def': 'An inclusion body formed by dynein-dependent retrograde transport of an aggregated protein on microtubules. [PMID:11121744]' - }, - 'GO:0016236': { - 'name': 'macroautophagy', - 'def': 'The major inducible pathway for the general turnover of cytoplasmic constituents in eukaryotic cells, it is also responsible for the degradation of active cytoplasmic enzymes and organelles during nutrient starvation. Macroautophagy involves the formation of double-membrane-bounded autophagosomes which enclose the cytoplasmic constituent targeted for degradation in a membrane-bounded structure. Autophagosomes then fuse with a lysosome (or vacuole) releasing single-membrane-bounded autophagic bodies that are then degraded within the lysosome (or vacuole). Though once thought to be a purely non-selective process, it appears that some types of macroautophagy, e.g. macropexophagy, macromitophagy, may involve selective targeting of the targets to be degraded. [PMID:11099404, PMID:12914914, PMID:15798367, PMID:16973210, PMID:20159618, PMID:9412464]' - }, - 'GO:0016237': { - 'name': 'lysosomal microautophagy', - 'def': 'The transfer of cytosolic components into the lysosomal compartment by direct invagination of the lysosomal membrane without prior sequestration into an autophagosome. The engulfing membranes fuse, resulting in the lysosomal delivery of the cargo wrapped in a single membrane derived from the invaginated lysosomal membrane. In S. cerevisiae, the vacuole is the lysosomal compartment. [PMID:14679207, PMID:15798367, PMID:16973210, PMID:9566964]' - }, - 'GO:0016239': { - 'name': 'positive regulation of macroautophagy', - 'def': 'Any process, such as recognition of nutrient depletion, that activates or increases the rate of macroautophagy to bring cytosolic macromolecules to the vacuole/lysosome for degradation. [GOC:go_curators, PMID:9412464]' - }, - 'GO:0016240': { - 'name': 'autophagosome docking', - 'def': 'The initial attachment of an autophagosome membrane to the target membrane, mediated by proteins protruding from the membrane of the vesicle and the target membrane. Docking requires only that the two membranes come close enough for these proteins to interact and adhere. [GOC:autophagy, GOC:mah]' - }, - 'GO:0016241': { - 'name': 'regulation of macroautophagy', - 'def': 'Any process that modulates the frequency, rate or extent of macroautophagy. [GOC:krc]' - }, - 'GO:0016242': { - 'name': 'negative regulation of macroautophagy', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of macroautophagy. [GOC:go_curators]' - }, - 'GO:0016243': { - 'name': 'regulation of autophagosome size', - 'def': 'Any process that modulates the size of the autophagosome. [GOC:autophagy, GOC:krc]' - }, - 'GO:0016246': { - 'name': 'RNA interference', - 'def': "The process in which double-stranded RNAs silence cognate genes. Involves posttranscriptional gene inactivation ('silencing') both of transgenes or dsRNA introduced into a germline, and of the host gene(s) homologous to the transgenes or dsRNA. This silencing is triggered by the introduction of transgenes or double-stranded RNA (dsRNA), and can occur through a specific decrease in the level of mRNA, or by negative regulation of translation, of both host genes and transgenes. [GOC:ems, PMID:11201747, PMID:11713190, PMID:18771919]" - }, - 'GO:0016247': { - 'name': 'channel regulator activity', - 'def': 'Modulates the activity of a channel. A channel catalyzes energy-independent facilitated diffusion, mediated by passage of a solute through a transmembrane aqueous pore or channel. [GOC:mah]' - }, - 'GO:0016248': { - 'name': 'channel inhibitor activity', - 'def': 'Stops, prevents, or reduces the activity of a channel via direct interaction with the channel. A channel catalyzes energy-independent facilitated diffusion, mediated by passage of a solute through a transmembrane aqueous pore or channel. [GOC:mah]' - }, - 'GO:0016250': { - 'name': 'N-sulfoglucosamine sulfohydrolase activity', - 'def': 'Catalysis of the reaction: N-sulfo-D-glucosamine + H2O = D-glucosamine + sulfate. [EC:3.10.1.1]' - }, - 'GO:0016251': { - 'name': 'obsolete general RNA polymerase II transcription factor activity', - 'def': 'OBSOLETE. Any function that supports basal (unregulated) transcription of genes by core RNA polymerase II. Five general transcription factors are necessary and sufficient for such basal transcription in yeast: TFIIB, TFIID, TFIIE, TFIIF, TFIIH and TATA-binding protein (TBF). [PMID:10384286, PMID:9774831]' - }, - 'GO:0016252': { - 'name': 'obsolete nonspecific RNA polymerase II transcription factor activity', - 'def': 'OBSOLETE. Any function that supports transcription of genes by RNA polymerase II, and is not specific to a particular gene or gene set. [GOC:jl]' - }, - 'GO:0016254': { - 'name': 'preassembly of GPI anchor in ER membrane', - 'def': 'The stepwise addition of the components of the GPI anchor on to phosphatidylinositol lipids in the endoplasmic reticulum membrane. [ISBN:0879695595]' - }, - 'GO:0016255': { - 'name': 'attachment of GPI anchor to protein', - 'def': 'A transamidation reaction that results in the cleavage of the polypeptide chain and the concomitant transfer of the GPI anchor to the newly formed carboxy-terminal amino acid of the anchored protein. The cleaved C-terminal contains the C-terminal GPI signal sequence of the newly synthesized polypeptide chain. [ISBN:0879695595]' - }, - 'GO:0016256': { - 'name': 'N-glycan processing to lysosome', - 'def': 'The modification of high-mannose N-glycans by UDP-N-acetylglucosamine-lysosomal-enzyme N-acetylglucosaminephosphotransferase and the subsequent removal of the N-acetylglucosamine residues yielding mannose-6-P that occurs in the ER-Golgi apparatus to N-glycans destined for the lysosome. [ISBN:0879695595]' - }, - 'GO:0016257': { - 'name': 'N-glycan processing to secreted and cell-surface N-glycans', - 'def': 'The modification of high-mannose (Man9-Asn) N-glycans by mannosyl-oligosaccharide 1,2-alpha-mannosidase. This may result in Man8GlcNAc2-Asn N-glycans (which in yeast may be subsequently modified by the addition of further mannose residues) or Man5GlcNAc2-Asn N-glycans that are substrates for further diversification in the Golgi apparatus. [ISBN:0879695595]' - }, - 'GO:0016258': { - 'name': 'N-glycan diversification', - 'def': 'The generation, in the Golgi apparatus, of side chain diversity from high mannose Man5GlcNAc2-Asn N-glycans by specific glycosyltransferases and glycosidases. [ISBN:0879695595]' - }, - 'GO:0016259': { - 'name': 'selenocysteine metabolic process', - 'def': 'The chemical reactions and pathways involving selenocysteine, an essential component of glutathione peroxidase and some other proteins. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0016260': { - 'name': 'selenocysteine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of selenocysteine, an essential component of glutathione peroxidase and some other proteins. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0016261': { - 'name': 'selenocysteine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of selenocysteine, an essential component of glutathione peroxidase and some other proteins. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0016262': { - 'name': 'protein N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + protein = UDP + 4-N-(N-acetyl-D-glucosaminyl)-protein. [EC:2.4.1.94]' - }, - 'GO:0016263': { - 'name': 'glycoprotein-N-acetylgalactosamine 3-beta-galactosyltransferase activity', - 'def': 'Catalysis of the addition of a galactosyl residue to a non-reducing O-linked N-acetylgalactosamine residue in an O-glycan. [EC:2.4.1.122, GOC:ma]' - }, - 'GO:0016264': { - 'name': 'gap junction assembly', - 'def': 'Assembly of gap junctions, which are found in most animal tissues, and serve as direct connections between the cytoplasms of adjacent cells. They provide open channels through the plasma membrane, allowing ions and small molecules (less than approximately a thousand daltons) to diffuse freely between neighboring cells, but preventing the passage of proteins and nucleic acids. [GOC:jid, ISBN:0716731363]' - }, - 'GO:0016265': { - 'name': 'obsolete death', - 'def': 'OBSOLETE. A permanent cessation of all vital functions: the end of life; can be applied to a whole organism or to a part of an organism. [GOC:mah, GOC:mtg_apoptosis, ISBN:0877797099]' - }, - 'GO:0016266': { - 'name': 'O-glycan processing', - 'def': 'The stepwise addition of carbohydrate or carbohydrate derivative residues to the initially added O-linked residue (usually GalNAc) to form a core O-glycan structure. [GOC:mah, GOC:pr, PMID:10580130]' - }, - 'GO:0016267': { - 'name': 'O-glycan processing, core 1', - 'def': 'The stepwise addition of carbohydrate or carbohydrate derivative residues to the initially added O-linked residue (usually GalNAc) to form the core 1 O-glycan structure, Gal-beta-(1->3)-GalNAc. [GOC:mah, GOC:pr, PMID:10580130]' - }, - 'GO:0016268': { - 'name': 'O-glycan processing, core 2', - 'def': 'The stepwise addition of carbohydrate or carbohydrate derivative residues to the initially added O-linked residue (usually GalNAc) to form the core 2 O-glycan structure, GlcNAc-beta-(1->6)[Gal-beta-(1->3)]-GalNAc. [GOC:mah, GOC:pr, PMID:10580130]' - }, - 'GO:0016269': { - 'name': 'O-glycan processing, core 3', - 'def': 'The stepwise addition of carbohydrate or carbohydrate derivative residues to the initially added O-linked residue (usually GalNAc) to form the core 3 O-glycan structure, GlcNAc-beta-(1->3)-GalNAc. [GOC:mah, GOC:pr, PMID:10580130]' - }, - 'GO:0016270': { - 'name': 'O-glycan processing, core 4', - 'def': 'The stepwise addition of carbohydrate or carbohydrate derivative residues to the initially added O-linked residue (usually GalNAc) to form the core 4 O-glycan structure, GlcNAc-beta-(1->6)[GalNAc-beta-(1->3)]-GalNAc. [GOC:mah, GOC:pr, PMID:10580130]' - }, - 'GO:0016271': { - 'name': 'obsolete tissue death', - 'def': 'OBSOLETE. A permanent cessation of all vital functions of a tissue. [GOC:dph, GOC:mtg_apoptosis]' - }, - 'GO:0016272': { - 'name': 'prefoldin complex', - 'def': 'A multisubunit chaperone that is capable of delivering unfolded proteins to cytosolic chaperonin, which it acts as a cofactor for. In humans, the complex is a heterohexamer of two PFD-alpha and four PFD-beta type subunits. In Saccharomyces cerevisiae, it also acts in the nucleus to regulate the rate of elongation by RNA polymerase II via a direct effect on histone dynamics. [GOC:jl, PMID:17384227, PMID:24068951, PMID:9630229]' - }, - 'GO:0016273': { - 'name': 'arginine N-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to an amino group of an arginine residue. [GOC:mah]' - }, - 'GO:0016274': { - 'name': 'protein-arginine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (protein)-arginine = S-adenosyl-L-homocysteine + (protein)-N-methyl-arginine. [GOC:mah, PMID:12351636]' - }, - 'GO:0016275': { - 'name': '[cytochrome c]-arginine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (cytochrome c)-arginine = S-adenosyl-L-homocysteine + (cytochrome c)-N(omega)-methyl-arginine. [EC:2.1.1.124, GOC:ma]' - }, - 'GO:0016277': { - 'name': '[myelin basic protein]-arginine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (myelin basic protein)-arginine = S-adenosyl-L-homocysteine + (myelin basic protein)-N(omega)-methyl-arginine. [PMID:6177833]' - }, - 'GO:0016278': { - 'name': 'lysine N-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to the epsilon-amino group of a lysine residue. [GOC:mah]' - }, - 'GO:0016279': { - 'name': 'protein-lysine N-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to the epsilon-amino group of a lysine residue in a protein substrate. [PMID:12054878]' - }, - 'GO:0016281': { - 'name': 'eukaryotic translation initiation factor 4F complex', - 'def': "The eukaryotic translation initiation factor 4F complex is composed of eIF4E, eIF4A and eIF4G; it is involved in the recognition of the mRNA cap, ATP-dependent unwinding of the 5'-terminal secondary structure and recruitment of the mRNA to the ribosome. [GOC:hb, PMID:8449919]" - }, - 'GO:0016282': { - 'name': 'eukaryotic 43S preinitiation complex', - 'def': 'A protein complex composed of the 40S ribosomal subunit plus eIF1A, eIF3, and eIF2-GTP-bound methionyl-initiator methionine tRNA. [GOC:hjd, PMID:15145049]' - }, - 'GO:0016284': { - 'name': 'obsolete alanine aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal amino acid, preferentially alanine, from an oligopeptide or polypeptide. [GOC:jl]' - }, - 'GO:0016285': { - 'name': 'obsolete cytosol alanyl aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal amino acid, preferentially alanine, from a wide range of peptides, amides and arylamides. [EC:3.4.11.14]' - }, - 'GO:0016286': { - 'name': 'small conductance calcium-activated potassium channel activity', - 'def': 'Enables the transmembrane transfer of potassium by a channel with a unit conductance of 2 to 20 picoSiemens that opens in response to stimulus by internal calcium ions. Small conductance calcium-activated potassium channels are more sensitive to calcium than are large conductance calcium-activated potassium channels. Transport by a channel involves catalysis of facilitated diffusion of a solute (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel, without evidence for a carrier-mediated mechanism. [GOC:mtg_transport, OMIM:602754]' - }, - 'GO:0016287': { - 'name': 'glycerone-phosphate O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + glycerone phosphate = 1-acylglycerone 3-phosphate + CoA. [EC:2.3.1.42, RHEA:17660]' - }, - 'GO:0016289': { - 'name': 'CoA hydrolase activity', - 'def': 'Catalysis of the reaction: X-CoA + H2O = X + CoA; X may be any group. [GOC:ai]' - }, - 'GO:0016290': { - 'name': 'palmitoyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: palmitoyl-CoA + H2O = CoA + palmitate. [EC:3.1.2.2]' - }, - 'GO:0016295': { - 'name': 'myristoyl-[acyl-carrier-protein] hydrolase activity', - 'def': 'Catalysis of the reaction: myristoyl-[acyl-carrier protein] + H2O = [acyl-carrier protein] + myristate. [EC:3.1.2.14, MetaCyc:RXN-10727]' - }, - 'GO:0016296': { - 'name': 'palmitoyl-[acyl-carrier-protein] hydrolase activity', - 'def': 'Catalysis of the reaction: palmitoyl-[acyl-carrier protein] + H2O = [acyl-carrier protein] + palmitate. [EC:3.1.2.14, MetaCyc:RXN-9549]' - }, - 'GO:0016297': { - 'name': 'acyl-[acyl-carrier-protein] hydrolase activity', - 'def': 'Catalysis of the reaction: acyl-[acyl-carrier protein] + H2O = [acyl-carrier protein] + a fatty acid. [EC:3.1.2.14, MetaCyc:RXN-7902]' - }, - 'GO:0016298': { - 'name': 'lipase activity', - 'def': 'Catalysis of the hydrolysis of a lipid or phospholipid. [GOC:mah]' - }, - 'GO:0016299': { - 'name': 'obsolete regulator of G-protein signaling activity', - 'def': 'OBSOLETE. Inhibits signal transduction the GTPase activity of G-protein alpha subunits, thereby driving them into their inactive GDP-bound form. [GOC:curators]' - }, - 'GO:0016300': { - 'name': 'tRNA (uracil) methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from a donor to a uracil residue in a tRNA molecule. [GOC:mah]' - }, - 'GO:0016301': { - 'name': 'kinase activity', - 'def': 'Catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. [ISBN:0198506732]' - }, - 'GO:0016303': { - 'name': '1-phosphatidylinositol-3-kinase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol + ATP = a 1-phosphatidyl-1D-myo-inositol 3-phosphate + ADP + 2 H(+). [EC:2.7.1.137, RHEA:12712]' - }, - 'GO:0016304': { - 'name': 'obsolete phosphatidylinositol 3-kinase activity, class I', - 'def': 'OBSOLETE. A heterodimeric phosphoinositide 3-kinase which can phosphorylate phosphatidylinositol, phosphatidylinositol-4-phosphate or phosphatidylinositol-4,5-bisphosphate. Also possesses intrinsic protein kinase activity. [PMID:9759495]' - }, - 'GO:0016305': { - 'name': 'obsolete phosphatidylinositol 3-kinase activity, class II', - 'def': 'OBSOLETE. A phosphoinositide 3-kinase which can phosphorylate phosphatidylinositol and phosphatidylinositol-4-phosphate; the human form can phosphorylate phosphatidylinositol-4,5-bisphosphate in the presence of phosphatidylserine. [PMID:9759495]' - }, - 'GO:0016306': { - 'name': 'obsolete phosphatidylinositol 3-kinase activity, class III', - 'def': 'OBSOLETE. A phosphoinositide 3-kinase which can only phosphorylate phosphatidylinositol. [PMID:9759495]' - }, - 'GO:0016307': { - 'name': 'phosphatidylinositol phosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + a phosphatidylinositol phosphate = ADP + a phosphatidylinositol bisphosphate. [EC:2.7.1.-, PMID:9759495]' - }, - 'GO:0016308': { - 'name': '1-phosphatidylinositol-4-phosphate 5-kinase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol 4-phosphate + ATP = 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate + ADP + 2 H(+). [EC:2.7.1.68, RHEA:14428]' - }, - 'GO:0016309': { - 'name': '1-phosphatidylinositol-5-phosphate 4-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1-phosphatidyl-1D-myo-inositol 5-phosphate = ADP + 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate. [EC:2.7.1.149]' - }, - 'GO:0016310': { - 'name': 'phosphorylation', - 'def': 'The process of introducing a phosphate group into a molecule, usually with the formation of a phosphoric ester, a phosphoric anhydride or a phosphoric amide. [ISBN:0198506732]' - }, - 'GO:0016311': { - 'name': 'dephosphorylation', - 'def': 'The process of removing one or more phosphoric (ester or anhydride) residues from a molecule. [ISBN:0198506732]' - }, - 'GO:0016312': { - 'name': 'inositol bisphosphate phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol bisphosphate + H2O = myo-inositol phosphate + phosphate. [GOC:hb]' - }, - 'GO:0016313': { - 'name': 'obsolete inositol-1,4,5-trisphosphate phosphatase', - 'def': 'OBSOLETE. The removal of one of the phosphate groups from an inositol triphosphate to produce an inositol bisphosphate. [GOC:hb]' - }, - 'GO:0016314': { - 'name': 'phosphatidylinositol-3,4,5-trisphosphate 3-phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylinositol-3,4,5-trisphosphate + H2O = phosphatidylinositol-4,5-bisphosphate + phosphate. [EC:3.1.3.67]' - }, - 'GO:0016316': { - 'name': 'phosphatidylinositol-3,4-bisphosphate 4-phosphatase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-myo-inositol 3,4-bisphosphate + H2O = 1-phosphatidyl-1D-myo-inositol 3-phosphate + phosphate. [EC:3.1.3.66, GOC:hb]' - }, - 'GO:0016318': { - 'name': 'ommatidial rotation', - 'def': 'The process in which photoreceptors are arranged in ommatidia in the dorsal and ventral fields to be mirror images. The polarity is established in the imaginal discs concurrently with cell fate specification. [PMID:10725247]' - }, - 'GO:0016319': { - 'name': 'mushroom body development', - 'def': 'The process whose specific outcome is the progression of the mushroom body over time, from its formation to the mature structure. The mushroom body is composed of the prominent neuropil structures of the insect central brain, thought to be crucial for olfactory associated learning. These consist mainly of a bulbous calyx and tightly packaged arrays of thin parallel fibers of the Kenyon cells. [PMID:8790424]' - }, - 'GO:0016320': { - 'name': 'endoplasmic reticulum membrane fusion', - 'def': 'The joining of 2 or more lipid bilayer membranes that surround the endoplasmic reticulum. [GOC:elh, GOC:jid]' - }, - 'GO:0016321': { - 'name': 'female meiosis chromosome segregation', - 'def': 'The cell cycle process in which genetic material, in the form of chromosomes, is organized and then physically separated and apportioned to two or more sets during the meiotic cell cycle in a female. [GOC:ai]' - }, - 'GO:0016322': { - 'name': 'neuron remodeling', - 'def': 'The developmentally regulated remodeling of neuronal projections such as pruning to eliminate the extra dendrites and axons projections set up in early stages of nervous system development. [GOC:hb]' - }, - 'GO:0016323': { - 'name': 'basolateral plasma membrane', - 'def': 'The region of the plasma membrane that includes the basal end and sides of the cell. Often used in reference to animal polarized epithelial membranes, where the basal membrane is the part attached to the extracellular matrix, or in plant cells, where the basal membrane is defined with respect to the zygotic axis. [GOC:go_curators]' - }, - 'GO:0016324': { - 'name': 'apical plasma membrane', - 'def': 'The region of the plasma membrane located at the apical end of the cell. [GOC:curators]' - }, - 'GO:0016325': { - 'name': 'oocyte microtubule cytoskeleton organization', - 'def': 'Formation and maintenance of a polarized microtubule array originating from a microtubule-organizing center (MTOC) in the oocyte. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11231123]' - }, - 'GO:0016326': { - 'name': 'obsolete kinesin motor activity', - 'def': 'OBSOLETE. The hydrolysis of ATP (and GTP) that drives the microtubular motor along microtubules. [GOC:hb]' - }, - 'GO:0016327': { - 'name': 'apicolateral plasma membrane', - 'def': 'The apical end of the lateral plasma membrane of epithelial cells. [GOC:hb]' - }, - 'GO:0016328': { - 'name': 'lateral plasma membrane', - 'def': 'The portion of the plasma membrane at the lateral side of the cell. In epithelial cells, lateral plasma membranes are on the sides of cells which lie at the interface of adjacent cells. [GOC:hb, GOC:mah, GOC:pr]' - }, - 'GO:0016329': { - 'name': 'obsolete apoptosis regulator activity', - 'def': 'OBSOLETE. The function held by products which directly regulate any step in the process of apoptosis. [GOC:jl]' - }, - 'GO:0016330': { - 'name': 'second mitotic wave involved in compound eye morphogenesis', - 'def': 'A discrete cell cycle in the third instar eye imaginal disc after progression of the morphogenetic furrow that contributes to compound eye morphogenesis. It is essential for generation of a sufficient pool of uncommitted cells to develop complete ommatidia. [PMID:11257224]' - }, - 'GO:0016331': { - 'name': 'morphogenesis of embryonic epithelium', - 'def': 'The process in which the anatomical structures of embryonic epithelia are generated and organized. [GOC:jl]' - }, - 'GO:0016332': { - 'name': 'establishment or maintenance of polarity of embryonic epithelium', - 'def': 'Any cellular process that results in the specification, formation or maintenance of anisotropic intracellular organization of epithelial cells in an embryo. [GOC:isa_complete, GOC:mah]' - }, - 'GO:0016333': { - 'name': 'morphogenesis of follicular epithelium', - 'def': 'The process in which the anatomical structures of a follicular epithelium are generated and organized. [GOC:jl]' - }, - 'GO:0016334': { - 'name': 'establishment or maintenance of polarity of follicular epithelium', - 'def': 'Any cellular process that results in the specification, formation or maintenance of a polarized follicular epithelial sheet. [GOC:bf, GOC:mah]' - }, - 'GO:0016335': { - 'name': 'morphogenesis of larval imaginal disc epithelium', - 'def': 'The process in which the anatomical structures of a larval imaginal disc epithelium are generated and organized. [GOC:jl]' - }, - 'GO:0016336': { - 'name': 'establishment or maintenance of polarity of larval imaginal disc epithelium', - 'def': 'Any cellular process that results in the specification, formation or maintenance of a polarized larval imaginal disc epithelium. [GOC:jl, GOC:mah]' - }, - 'GO:0016337': { - 'name': 'single organismal cell-cell adhesion', - 'def': 'The attachment of one cell to another cell via adhesion molecules, where both cells are part of the same organism. [GOC:hb]' - }, - 'GO:0016338': { - 'name': 'calcium-independent cell-cell adhesion via plasma membrane cell-adhesion molecules', - 'def': 'The attachment of one cell to another cell via adhesion molecules that do not require the presence of calcium for the interaction. [GOC:hb]' - }, - 'GO:0016339': { - 'name': 'calcium-dependent cell-cell adhesion via plasma membrane cell adhesion molecules', - 'def': 'The attachment of one cell to another cell via adhesion molecules that require the presence of calcium for the interaction. [GOC:hb]' - }, - 'GO:0016340': { - 'name': 'calcium-dependent cell-matrix adhesion', - 'def': 'The binding of a cell to the extracellular matrix via adhesion molecules that require the presence of calcium for the interaction. [GOC:hb]' - }, - 'GO:0016341': { - 'name': 'obsolete other collagen', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0016342': { - 'name': 'catenin complex', - 'def': 'Complex of peripheral cytoplasmic proteins (alpha-, beta- and gamma-catenin) that interact with the cytoplasmic region of uvomorulin/E-cadherin to connect it to the actin cytoskeleton. [ISBN:0198599323]' - }, - 'GO:0016343': { - 'name': 'obsolete cytoskeletal anchoring activity', - 'def': 'OBSOLETE. The direct or indirect linkage of cytoskeletal filaments to the plasma membrane. [ISBN:0198599323]' - }, - 'GO:0016344': { - 'name': 'meiotic chromosome movement towards spindle pole', - 'def': 'The cell cycle process in which the directed movement of chromosomes from the center of the spindle towards the spindle poles takes place, mediated by the shortening of microtubules attached to the chromosomes. This occurs during meiosis. [GOC:ai]' - }, - 'GO:0016345': { - 'name': 'female meiotic chromosome movement towards spindle pole', - 'def': 'The directed movement of chromosomes in the center of the spindle towards the spindle poles, mediated by the shortening of microtubules attached to the chromosomes, during female meiosis. [GOC:ai]' - }, - 'GO:0016346': { - 'name': 'male meiotic chromosome movement towards spindle pole', - 'def': 'The directed movement of chromosomes in the center of the spindle towards the spindle poles, mediated by the shortening of microtubules attached to the chromosomes, during male meiosis. [GOC:ai]' - }, - 'GO:0016347': { - 'name': 'obsolete calcium-independent cell adhesion molecule activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0016348': { - 'name': 'imaginal disc-derived leg joint morphogenesis', - 'def': 'The process in which the anatomical structures of an imaginal disc-derived leg joint are generated and organized. The leg joint is a flexible region that separates the rigid sections of a leg to allow movement in a controlled manner. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0016351': { - 'name': 'obsolete drug susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0016352': { - 'name': 'obsolete insecticide susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0016353': { - 'name': 'obsolete carbamate susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0016354': { - 'name': 'obsolete cyclodiene susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0016355': { - 'name': 'obsolete DDT susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0016356': { - 'name': 'obsolete organophosphorus susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0016357': { - 'name': 'obsolete pyrethroid susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0016358': { - 'name': 'dendrite development', - 'def': 'The process whose specific outcome is the progression of the dendrite over time, from its formation to the mature structure. A dendrite is a freely branching protoplasmic process of a nerve cell. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016360': { - 'name': 'sensory organ precursor cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a sensory organ precursor cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators]' - }, - 'GO:0016361': { - 'name': 'activin receptor activity, type I', - 'def': 'Combining with activin-bound type II activin receptor to initiate a change in cell activity; upon binding, acts as a downstream transducer of activin signals. [GOC:mah, PMID:8622651]' - }, - 'GO:0016362': { - 'name': 'activin receptor activity, type II', - 'def': 'Combining with activin to initiate a change in cell activity; upon ligand binding, binds to and catalyses the phosphorylation of a type I activin receptor. [GOC:mah, PMID:8622651]' - }, - 'GO:0016363': { - 'name': 'nuclear matrix', - 'def': 'The dense fibrillar network lying on the inner side of the nuclear membrane. [ISBN:0582227089]' - }, - 'GO:0016401': { - 'name': 'palmitoyl-CoA oxidase activity', - 'def': 'Catalysis of the reaction: palmitoyl-CoA + O2 = trans-2,3-dehydropalmitoyl-CoA + hydrogen peroxide. [GOC:jsg]' - }, - 'GO:0016402': { - 'name': 'pristanoyl-CoA oxidase activity', - 'def': 'Catalysis of the reaction: pristanoyl-CoA + O2 = trans-2,3-dehydropristanoyl-CoA + hydrogen peroxide. [GOC:jsg]' - }, - 'GO:0016403': { - 'name': 'dimethylargininase activity', - 'def': 'Catalysis of the reaction: N(G),N(G)-dimethyl-L-arginine + H2O = dimethylamine + L-citrulline. [EC:3.5.3.18]' - }, - 'GO:0016404': { - 'name': '15-hydroxyprostaglandin dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: (5Z,13E)-(15S)-11-alpha,15-dihydroxy-9-oxoprost-13-enoate + NAD+ = (5Z,13E)-11-alpha-hydroxy-9,15-dioxoprost-13-enoate + NADH + H+. [EC:1.1.1.141]' - }, - 'GO:0016405': { - 'name': 'CoA-ligase activity', - 'def': 'Catalysis of the reaction: substrate + ATP + CoASH = AMP + diphosphate + substrate-CoA. [GOC:ai]' - }, - 'GO:0016406': { - 'name': 'carnitine O-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group to an oxygen atom on the carnitine molecule. [GOC:ai]' - }, - 'GO:0016407': { - 'name': 'acetyltransferase activity', - 'def': 'Catalysis of the transfer of an acetyl group to an acceptor molecule. [GOC:ai]' - }, - 'GO:0016408': { - 'name': 'C-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group to a carbon atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016409': { - 'name': 'palmitoyltransferase activity', - 'def': 'Catalysis of the transfer of a palmitoyl (CH3-[CH2]14-CO-) group to an acceptor molecule. [GOC:ai]' - }, - 'GO:0016410': { - 'name': 'N-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group to a nitrogen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016411': { - 'name': 'acylglycerol O-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group to an oxygen atom on the acylglycerol molecule. [GOC:ai]' - }, - 'GO:0016412': { - 'name': 'serine O-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group to an oxygen atom on the serine molecule. [GOC:ai]' - }, - 'GO:0016413': { - 'name': 'O-acetyltransferase activity', - 'def': 'Catalysis of the transfer of an acetyl group to an oxygen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016414': { - 'name': 'O-octanoyltransferase activity', - 'def': 'Catalysis of the transfer of an octanoyl group to an oxygen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016415': { - 'name': 'octanoyltransferase activity', - 'def': 'Catalysis of the transfer of an octanoyl (CH3-[CH2]6-CO-) group to an acceptor molecule. [GOC:ai]' - }, - 'GO:0016416': { - 'name': 'O-palmitoyltransferase activity', - 'def': 'Catalysis of the transfer of a palmitoyl group to an oxygen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016417': { - 'name': 'S-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group to a sulfur atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016418': { - 'name': 'S-acetyltransferase activity', - 'def': 'Catalysis of the transfer of an acetyl group to a sulfur atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016419': { - 'name': 'S-malonyltransferase activity', - 'def': 'Catalysis of the transfer of a malonyl group to a sulfur atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016420': { - 'name': 'malonyltransferase activity', - 'def': 'Catalysis of the transfer of a malonyl (HOOC-CH2-CO-) group to an acceptor molecule. [GOC:ai]' - }, - 'GO:0016421': { - 'name': 'CoA carboxylase activity', - 'def': 'Catalysis of the joining of a carboxyl group to a molecule that is attached to CoA, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [GOC:mah]' - }, - 'GO:0016422': { - 'name': "mRNA (2'-O-methyladenosine-N6-)-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + m(7)G(5')pppAm = S-adenosyl-L-homocysteine + m(7)G(5')pppm(6)Am. [EC:2.1.1.62]" - }, - 'GO:0016423': { - 'name': 'tRNA (guanine) methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing methylguanine. [EC:2.1.1.-]' - }, - 'GO:0016426': { - 'name': 'tRNA (adenine) methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing methyladenine. [EC:2.1.1.-]' - }, - 'GO:0016427': { - 'name': 'tRNA (cytosine) methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing methylcytosine. [EC:2.1.1.-]' - }, - 'GO:0016428': { - 'name': 'tRNA (cytosine-5-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing 5-methylcytosine. [EC:2.1.1.29]' - }, - 'GO:0016429': { - 'name': 'tRNA (adenine-N1-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing N1-methyladenine. [EC:2.1.1.36]' - }, - 'GO:0016430': { - 'name': 'tRNA (adenine-N6-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing N6-methyladenine. [EC:2.1.1.55]' - }, - 'GO:0016432': { - 'name': 'tRNA-uridine aminocarboxypropyltransferase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + tRNA uridine = 5'-methylthioadenosine + tRNA 3-(3-amino-3-carboxypropyl)-uridine. [EC:2.5.1.25]" - }, - 'GO:0016433': { - 'name': 'rRNA (adenine) methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing methyladenine. [EC:2.1.1.-]' - }, - 'GO:0016434': { - 'name': 'rRNA (cytosine) methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing methylcytosine. [EC:2.1.1.-]' - }, - 'GO:0016435': { - 'name': 'rRNA (guanine) methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing methylguanine. [EC:2.1.1.-]' - }, - 'GO:0016436': { - 'name': 'rRNA (uridine) methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing methyluridine. [EC:2.1.1.-]' - }, - 'GO:0016437': { - 'name': 'tRNA cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: CTP + tRNA(n) = diphosphate + tRNA(n+1). [EC:2.7.7.21]' - }, - 'GO:0016438': { - 'name': 'tRNA-queuosine beta-mannosyltransferase activity', - 'def': "Catalysis of the reaction: GDP-mannose + tRNA(Asp)-queuosine = GDP + tRNA(Asp)-O-5''-beta-D-mannosylqueuosine. [EC:2.4.1.110]" - }, - 'GO:0016441': { - 'name': 'posttranscriptional gene silencing', - 'def': 'The inactivation of gene expression by a posttranscriptional mechanism. [GOC:mah, PMID:15020054]' - }, - 'GO:0016442': { - 'name': 'RISC complex', - 'def': 'A ribonucleoprotein complex that contains members of the Argonaute family of proteins, small interfering RNAs (siRNAs) or microRNAs (miRNAs), and miRNA or siRNA-complementary mRNAs, in addition to a number of accessory factors. The RISC complex is involved in posttranscriptional repression of gene expression through downregulation of translation or induction of mRNA degradation. [PMID:10749213, PMID:15145345]' - }, - 'GO:0016443': { - 'name': 'bidentate ribonuclease III activity', - 'def': 'Catalysis of the digestion of double-stranded RNAs into 20 to 30-nucleotide products. These products typically associate to the RNA-induced silencing complex and serve as guide RNAs for posttranslational RNA interference. [PMID:15242644]' - }, - 'GO:0016444': { - 'name': 'somatic cell DNA recombination', - 'def': 'Recombination occurring within or between DNA molecules in somatic cells. [GOC:ma]' - }, - 'GO:0016445': { - 'name': 'somatic diversification of immunoglobulins', - 'def': 'The somatic process that results in the generation of sequence diversity of immunoglobulins. [GOC:add, GOC:ma, ISBN:0781735149]' - }, - 'GO:0016446': { - 'name': 'somatic hypermutation of immunoglobulin genes', - 'def': 'Mutations occurring somatically that result in amino acid changes in the rearranged V regions of immunoglobulins. [GOC:add, ISBN:0781735149, PMID:11205330, PMID:11205333, PMID:14975236, PMID:7813007]' - }, - 'GO:0016447': { - 'name': 'somatic recombination of immunoglobulin gene segments', - 'def': 'The process in which immunoglobulin genes are formed through recombination of the germline genetic elements, as known as immunoglobulin gene segments, within a single locus. [GOC:add, ISBN:0781735149]' - }, - 'GO:0016453': { - 'name': 'C-acetyltransferase activity', - 'def': 'Catalysis of the transfer of an acetyl group to a carbon atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016454': { - 'name': 'C-palmitoyltransferase activity', - 'def': 'Catalysis of the transfer of a palmitoyl group to a carbon atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016456': { - 'name': 'X chromosome located dosage compensation complex, transcription activating', - 'def': 'An RNA-protein complex localized to the X chromosome of males where it is required for the hyper-transcriptional activation of the X chromosome. An example of this is found in Drosophila melanogaster. [GOC:ma, GOC:mr, GOC:mtg_sensu, https://en.wikipedia.org/wiki/XY_sex-determination_system, PMID:20622855]' - }, - 'GO:0016457': { - 'name': 'dosage compensation complex assembly involved in dosage compensation by hyperactivation of X chromosome', - 'def': 'The aggregation, arrangement and bonding together of proteins on DNA to form the complex that mediates dosage compensation on the X chromosome of the heterogametic sex, ultimately resulting in a two-fold increase in transcription from this chromosome. An example of this is found in Drosophila melanogaster. [GOC:jl]' - }, - 'GO:0016458': { - 'name': 'gene silencing', - 'def': 'Any process carried out at the cellular level that results in either long-term transcriptional repression via action on chromatin structure or RNA mediated, post-transcriptional repression of gene expression. [GOC:dos, GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0016459': { - 'name': 'myosin complex', - 'def': 'A protein complex, formed of one or more myosin heavy chains plus associated light chains and other proteins, that functions as a molecular motor; uses the energy of ATP hydrolysis to move actin filaments or to move vesicles or other cargo on fixed actin filaments; has magnesium-ATPase activity and binds actin. Myosin classes are distinguished based on sequence features of the motor, or head, domain, but also have distinct tail regions that are believed to bind specific cargoes. [GOC:mah, http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html, ISBN:96235764]' - }, - 'GO:0016460': { - 'name': 'myosin II complex', - 'def': 'A myosin complex containing two class II myosin heavy chains, two myosin essential light chains and two myosin regulatory light chains. Also known as classical myosin or conventional myosin, the myosin II class includes the major muscle myosin of vertebrate and invertebrate muscle, and is characterized by alpha-helical coiled coil tails that self assemble to form a variety of filament structures. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html, ISBN:96235764]' - }, - 'GO:0016461': { - 'name': 'unconventional myosin complex', - 'def': 'A portmanteau term for myosins other than myosin II. [GOC:ma]' - }, - 'GO:0016462': { - 'name': 'pyrophosphatase activity', - 'def': 'Catalysis of the hydrolysis of a pyrophosphate bond between two phosphate groups, leaving one phosphate on each of the two fragments. [EC:3.6.1.-, GOC:curators]' - }, - 'GO:0016463': { - 'name': 'zinc-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Zn2+(in) -> ADP + phosphate + Zn2+(out). [EC:3.6.3.5]' - }, - 'GO:0016464': { - 'name': 'chloroplast protein-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O = ADP + phosphate; drives the transport of proteins into the chloroplast stroma. [EC:3.6.3.52]' - }, - 'GO:0016465': { - 'name': 'chaperonin ATPase complex', - 'def': 'Multisubunit protein complex with 2x7 (Type I, in most cells) or 2x8 (Type II, in Archaea) ATP-binding sites involved in maintaining an unfolded polypeptide structure before folding or to entry into mitochondria and chloroplasts. [EC:3.6.4.9]' - }, - 'GO:0016466': { - 'name': 'obsolete hydrogen-translocating A-type ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + H+(in) = ADP + phosphate + H+(out). Found in archae. [TC:3.A.2.3.1]' - }, - 'GO:0016467': { - 'name': 'obsolete hydrogen-translocating F-type ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + H+(in) = ADP + phosphate + H+(out). Found in eukaryotic mitochondria and chloroplasts and in bacteria. [TC:3.A.2.1.1, TC:3.A.2.1.3]' - }, - 'GO:0016468': { - 'name': 'obsolete sodium-translocating F-type ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O + Na+(in) = ADP + phosphate + Na+(out). Found in eukaryotic mitochondria and chloroplasts and in bacteria. [TC:3.A.2.1.2]' - }, - 'GO:0016469': { - 'name': 'proton-transporting two-sector ATPase complex', - 'def': 'A large protein complex that catalyzes the synthesis or hydrolysis of ATP by a rotational mechanism, coupled to the transport of protons across a membrane. The complex comprises a membrane sector (F0, V0, or A0) that carries out proton transport and a cytoplasmic compartment sector (F1, V1, or A1) that catalyzes ATP synthesis or hydrolysis. Two major types have been characterized: V-type ATPases couple ATP hydrolysis to the transport of protons across a concentration gradient, whereas F-type ATPases, also known as ATP synthases, normally run in the reverse direction to utilize energy from a proton concentration or electrochemical gradient to synthesize ATP. A third type, A-type ATPases have been found in archaea, and are closely related to eukaryotic V-type ATPases but are reversible. [GOC:mah, ISBN:0716743663, PMID:16691483]' - }, - 'GO:0016471': { - 'name': 'vacuolar proton-transporting V-type ATPase complex', - 'def': 'A proton-transporting two-sector ATPase complex found in the vacuolar membrane, where it acts as a proton pump to mediate acidification of the vacuolar lumen. [GOC:mah, ISBN:0716743663, PMID:16449553]' - }, - 'GO:0016472': { - 'name': 'sodium ion-transporting two-sector ATPase complex', - 'def': 'A large protein complex that catalyzes the synthesis or hydrolysis of ATP by a rotational mechanism, coupled to the transport of sodium ions across a membrane. The complex comprises a membrane sector (F0 or V0) that carries out ion transport and a cytoplasmic compartment sector (F1 or V1) that catalyzes ATP synthesis or hydrolysis. [GOC:mah, PMID:14656431]' - }, - 'GO:0016473': { - 'name': 'sodium ion-transporting F-type ATPase complex', - 'def': 'A sodium ion-transporting two-sector ATPase complex that catalyzes the phosphorylation of ADP to ATP. The complex comprises a membrane sector (F0) that carries out proton transport and a cytoplasmic compartment sector (F1) that catalyzes ATP synthesis by a rotational mechanism. [GOC:mah, PMID:14656431]' - }, - 'GO:0016474': { - 'name': 'sodium ion-transporting V-type ATPase complex', - 'def': 'A sodium ion-transporting two-sector ATPase complex that couples ATP hydrolysis to the transport of sodium ions across a concentration gradient. The complex comprises a membrane sector (V0) that carries out proton transport and a cytoplasmic compartment sector (V1) that catalyzes ATP hydrolysis. [GOC:mah, PMID:15802565]' - }, - 'GO:0016475': { - 'name': 'detection of nuclear:cytoplasmic ratio', - 'def': 'The process in which the size of the nucleus with respect to its cytoplasm is sensed by a cell. [GOC:jl]' - }, - 'GO:0016476': { - 'name': 'regulation of embryonic cell shape', - 'def': 'Any process that modulates the surface configuration of an embryonic cell. [GOC:dph, GOC:tb]' - }, - 'GO:0016477': { - 'name': 'cell migration', - 'def': 'The controlled self-propelled movement of a cell from one site to a destination guided by molecular cues. Cell migration is a central process in the development and maintenance of multicellular organisms. [GOC:cjm, GOC:dph, GOC:ems, GOC:pf, http://en.wikipedia.org/wiki/Cell_migration]' - }, - 'GO:0016479': { - 'name': 'negative regulation of transcription from RNA polymerase I promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase I promoter. [GOC:go_curators]' - }, - 'GO:0016480': { - 'name': 'negative regulation of transcription from RNA polymerase III promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase III promoter. [GOC:go_curators]' - }, - 'GO:0016482': { - 'name': 'cytosolic transport', - 'def': 'The directed movement of substances or organelles within the cytosol. [GOC:ai]' - }, - 'GO:0016483': { - 'name': 'tryptophan hydroxylase activator activity', - 'def': 'Increases the activity of the enzyme tryptophase hydroxylase. [GOC:ai]' - }, - 'GO:0016484': { - 'name': 'obsolete proprotein convertase 2 activator activity', - 'def': 'OBSOLETE. Required for the maturation and activation of proprotein convertase 2. [GOC:ma, PMID:10749852]' - }, - 'GO:0016485': { - 'name': 'protein processing', - 'def': 'Any protein maturation process achieved by the cleavage of a peptide bond or bonds within a protein. Protein maturation is the process leading to the attainment of the full functional capacity of a protein. [GOC:curators, GOC:jl, GOC:jsg]' - }, - 'GO:0016486': { - 'name': 'peptide hormone processing', - 'def': 'The generation of a mature peptide hormone by posttranslational processing of a prohormone. [GOC:mah]' - }, - 'GO:0016487': { - 'name': 'farnesol metabolic process', - 'def': 'The chemical reactions and pathways involving the sesquiterpenoid alcohol farnesol, 3,7,11-trimethyl-2,6,10,dodecatrien-1-ol. [GOC:go_curators]' - }, - 'GO:0016488': { - 'name': 'farnesol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the sesquiterpenoid alcohol farnesol, 3,7,11-trimethyl-2,6,10,dodecatrien-1-ol. [GOC:go_curators]' - }, - 'GO:0016490': { - 'name': 'structural constituent of peritrophic membrane', - 'def': 'The action of a molecule that contributes to the structural integrity of the peritrophic membrane, a tubular sheath of cuticle that shields the epithelial cells of the midgut from the gut contents. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0016491': { - 'name': 'oxidoreductase activity', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction, a reversible chemical reaction in which the oxidation state of an atom or atoms within a molecule is altered. One substrate acts as a hydrogen or electron donor and becomes oxidized, while the other acts as hydrogen or electron acceptor and becomes reduced. [GOC:go_curators]' - }, - 'GO:0016492': { - 'name': 'G-protein coupled neurotensin receptor activity', - 'def': 'Combining with the tridecapeptide neurotensin to initiate a G-protein mediated change in cell activity. A G-protein is a signal transduction molecule that alternates between an inactive GDP-bound and an active GTP-bound state. [PMID:10390649]' - }, - 'GO:0016493': { - 'name': 'C-C chemokine receptor activity', - 'def': 'Combining with a C-C chemokine and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. C-C chemokines do not have an amino acid between the first two cysteines of the characteristic four-cysteine motif. [GOC:signaling, PMID:8662823]' - }, - 'GO:0016494': { - 'name': 'C-X-C chemokine receptor activity', - 'def': 'Combining with a C-X-C chemokine and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. A C-X-C chemokine has a single amino acid between the first two cysteines of the characteristic four cysteine motif. [GOC:signaling, PMID:8662823]' - }, - 'GO:0016495': { - 'name': 'C-X3-C chemokine receptor activity', - 'def': 'Combining with a C-X3-C chemokine and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. A C-X3-C chemokine has three amino acids between the first two cysteines of the characteristic four-cysteine motif. [GOC:dph, GOC:signaling]' - }, - 'GO:0016496': { - 'name': 'substance P receptor activity', - 'def': 'Combining with substance P, the peptide Arg-Pro-Lys-Pro-Gln-Gln-Phe-Phe-Gly-Leu-Met, to initiate a change in cell activity. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0016497': { - 'name': 'substance K receptor activity', - 'def': 'Combining with substance K, the peptide His-Lys-Thr-Asp-Ser-Phe-Val-Gly-Leu-Met, to initiate a change in cell activity. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0016498': { - 'name': 'neuromedin K receptor activity', - 'def': 'Combining with neuromedin K, the peptide Asp-Met-His-Asp-Phe-Phe-Val-Gly-Leu-Met to initiate a change in cell activity. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0016499': { - 'name': 'orexin receptor activity', - 'def': 'Combining with orexin to initiate a change in cell activity. [GOC:ai]' - }, - 'GO:0016500': { - 'name': 'protein-hormone receptor activity', - 'def': 'Combining with a protein hormone to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0016501': { - 'name': 'prostacyclin receptor activity', - 'def': 'Combining with prostacyclin (PGI(2)) to initiate a change in cell activity. [ISBN:0198506732]' - }, - 'GO:0016502': { - 'name': 'nucleotide receptor activity', - 'def': 'Combining with a nucleotide and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. A nucleotide is a compound that consists of a nucleoside esterified with a phosphate molecule. [GOC:signaling, ISBN:0198506732]' - }, - 'GO:0016503': { - 'name': 'pheromone receptor activity', - 'def': 'Combining with a pheromone to initiate a change in cell activity. A pheromone is a substance used in olfactory communication between organisms of the same species eliciting a change in sexual or social behavior. [CHEBI:26013, GOC:hjd, ISBN:0198506732]' - }, - 'GO:0016504': { - 'name': 'peptidase activator activity', - 'def': 'Binds to and increases the activity of a peptidase, any enzyme that catalyzes the hydrolysis peptide bonds. [GOC:ai]' - }, - 'GO:0016505': { - 'name': 'peptidase activator activity involved in apoptotic process', - 'def': 'Increases the activity of a peptidase that is involved in the apoptotic process. [GOC:BHF, GOC:mah, GOC:mtg_apoptosis, GOC:rl]' - }, - 'GO:0016506': { - 'name': 'obsolete apoptosis activator activity', - 'def': 'OBSOLETE. The function held by products which directly activate any step in the process of apoptosis. [GOC:hb]' - }, - 'GO:0016507': { - 'name': 'mitochondrial fatty acid beta-oxidation multienzyme complex', - 'def': 'A complex that includes the long-chain 3-hydroxyacyl-CoA dehydrogenase and long-chain enoyl-CoA hydratase activities in two subunits (alpha and beta), catalyzing two steps of the fatty acid beta-oxidation cycle within the mitochondrial matrix. [GOC:ma]' - }, - 'GO:0016508': { - 'name': 'long-chain-enoyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: a long-chain (3S)-3-hydroxyacyl-CoA = a long-chain trans-2-enoyl-CoA + H2O. A long-chain acyl-CoA is an acyl-CoA thioester where the acyl chain contains 13 to 22 carbon atoms. [EC:4.2.1.74]' - }, - 'GO:0016509': { - 'name': 'long-chain-3-hydroxyacyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxyacyl-CoA + NAD(P)+ = 3-oxoacyl-CoA + NAD(P)H + H+, where the acyl group is a long-chain fatty acid residue. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, EC:1.1.1.211, GOC:pde]' - }, - 'GO:0016511': { - 'name': 'obsolete endothelin-converting enzyme activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016512': { - 'name': 'obsolete endothelin-converting enzyme 1 activity', - 'def': 'OBSOLETE. Catalysis of the formation of endothelin 1 by cleavage of the Trp21-Val22 bond in the precursor. [EC:3.4.24.71]' - }, - 'GO:0016513': { - 'name': 'core-binding factor complex', - 'def': "A heterodimeric transcription factor complex that contains an alpha subunit (Runx1, Runx2 or Runx3 in human) that binds DNA and a non-DNA-binding beta subunit (CBFbeta), and binds to a consensus sequence 5'-YGYGGTY-3' found in several enhancers and promoters; the beta subunit enhances the DNA binding of the alpha subunit. [PMID:15156179, PMID:8497254]" - }, - 'GO:0016514': { - 'name': 'SWI/SNF complex', - 'def': 'A SWI/SNF-type complex that contains nine or more proteins, including both conserved (core) and nonconserved components; the Swi2/Snf2 ATPase is one of the core components. [GOC:mah, PMID:12672490]' - }, - 'GO:0016515': { - 'name': 'interleukin-13 receptor activity', - 'def': 'Combining with interleukin-13 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0016516': { - 'name': 'interleukin-4 receptor complex', - 'def': 'A protein complex that binds interleukin-4 (IL-4) and consists of an alpha chain that binds IL-4 with high affinity and a gamma common chain that also forms part of the interleukin-2 receptor. [PMID:10358772]' - }, - 'GO:0016517': { - 'name': 'interleukin-12 receptor activity', - 'def': 'Combining with interleukin-12 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0016518': { - 'name': 'interleukin-14 receptor activity', - 'def': 'Combining with interleukin-14 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0016519': { - 'name': 'gastric inhibitory peptide receptor activity', - 'def': 'Combining with gastric inhibitory peptide (GIP) and transmitting the signal across the membrane to activate an associated G-protein. [GOC:mah, PMID:8243312]' - }, - 'GO:0016520': { - 'name': 'growth hormone-releasing hormone receptor activity', - 'def': 'Combining with growth hormone-releasing hormone to initiate a change in cell activity. [PMID:12529933]' - }, - 'GO:0016521': { - 'name': 'pituitary adenylate cyclase activating polypeptide activity', - 'def': 'The action characteristic of pituitary adenylate cyclase activating polypeptide, a peptide produced in the hypothalamus that binds to receptors to exert pleiotropic effects including control of neurotransmitter release, vasodilation, bronchodilation, activation of intestinal motility, increase in insulin and histamine secretion, immune modulation, and stimulation of cell proliferation and differentiation. [GOC:mah, PMID:19805477]' - }, - 'GO:0016524': { - 'name': 'latrotoxin receptor activity', - 'def': 'Combining with alpha-latrotoxin, a potent presynaptic neurotoxin, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling, PMID:10025961]' - }, - 'GO:0016525': { - 'name': 'negative regulation of angiogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of angiogenesis. [GOC:go_curators]' - }, - 'GO:0016527': { - 'name': 'obsolete brain-specific angiogenesis inhibitor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016528': { - 'name': 'sarcoplasm', - 'def': 'The cytoplasm of a muscle cell; includes the sarcoplasmic reticulum. [ISBN:0198547684]' - }, - 'GO:0016529': { - 'name': 'sarcoplasmic reticulum', - 'def': 'A fine reticular network of membrane-limited elements that pervades the sarcoplasm of a muscle cell; continuous over large portions of the cell and with the nuclear envelope; that part of the endoplasmic reticulum specialized for calcium release, uptake and storage. [GOC:mtg_muscle, ISBN:0124325653, ISBN:0198547684]' - }, - 'GO:0016530': { - 'name': 'metallochaperone activity', - 'def': 'Assists in the delivery of metal ions to target proteins or compartments. [GOC:jl, PMID:11739376]' - }, - 'GO:0016531': { - 'name': 'copper chaperone activity', - 'def': 'Assists in the delivery of copper ions to target proteins or compartments. [PMID:10790544, PMID:11739376]' - }, - 'GO:0016532': { - 'name': 'superoxide dismutase copper chaperone activity', - 'def': 'A copper chaperone activity that specifically delivers copper to the Cu-Zn superoxide dismutase, to activate superoxide dismutase activity. [GOC:vw, http://link.springer-ny.com/link/service/journals/00335/papers/0011005/00110409.html, PMID:15064408, PMID:9295278]' - }, - 'GO:0016533': { - 'name': 'cyclin-dependent protein kinase 5 holoenzyme complex', - 'def': 'A protein complex that activates cyclin-dependent kinase 5; composed of regulatory and catalytic subunits. [PMID:15689152]' - }, - 'GO:0016534': { - 'name': 'cyclin-dependent protein kinase 5 activator activity', - 'def': 'Binds to and increases the activity of cyclin-dependent protein kinase 5. [GOC:mah]' - }, - 'GO:0016536': { - 'name': 'obsolete cyclin-dependent protein kinase 5 activator regulator activity', - 'def': 'OBSOLETE. Modulation of the activity of cyclin-dependent protein kinase 5 activator. [GOC:ai]' - }, - 'GO:0016538': { - 'name': 'cyclin-dependent protein serine/threonine kinase regulator activity', - 'def': 'Modulates the activity of a cyclin-dependent protein serine/threonine kinase, enzymes of the protein kinase family that are regulated through association with cyclins and other proteins. [GOC:pr, GOC:rn, PMID:7877684, PMID:9442875]' - }, - 'GO:0016539': { - 'name': 'intein-mediated protein splicing', - 'def': 'The removal of an internal amino acid sequence (an intein) from a protein during protein maturation; the excision of inteins is precise and the N- and C-terminal exteins are joined by a normal peptide bond. Protein splicing involves 4 nucleophilic displacements by the 3 conserved splice junction residues. [GOC:ma, http://www.neb.com/neb/inteins.html]' - }, - 'GO:0016540': { - 'name': 'protein autoprocessing', - 'def': 'Processing which a protein carries out itself. This involves actions such as the autolytic removal of residues to generate the mature form of the protein. [GOC:ai, PMID:9335337]' - }, - 'GO:0016541': { - 'name': 'obsolete intein', - 'def': 'OBSOLETE. Intervening protein sequence excised from a protein precursor in protein splicing; inteins catalyze their own excision and many also possess endonuclease activity. [GOC:mah, http://www.neb.com/neb/inteins.html, PMID:8165123]' - }, - 'GO:0016543': { - 'name': 'male courtship behavior, orientation prior to leg tapping and wing vibration', - 'def': 'The process during courtship, where the male orients towards a potential partner. An example of this is found in Drosophila melanogaster. [GOC:sensu, PMID:11092827]' - }, - 'GO:0016544': { - 'name': 'male courtship behavior, tapping to detect pheromone', - 'def': 'The process during courtship where the male insect taps the female with his frontal leg. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11092827]' - }, - 'GO:0016545': { - 'name': 'male courtship behavior, veined wing vibration', - 'def': 'The process during courtship where the male insect vibrates his wings. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11092827]' - }, - 'GO:0016546': { - 'name': 'male courtship behavior, proboscis-mediated licking', - 'def': 'The process during courtship where the male fly licks the genitalia of a stationary female fly with his proboscis. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11092827]' - }, - 'GO:0016550': { - 'name': 'obsolete insertion or deletion editing', - 'def': 'OBSOLETE. The insertion into or deletion from an RNA molecule of nucleotide residues not encoded in DNA; takes place during or after transcription. [PMID:11092837]' - }, - 'GO:0016551': { - 'name': 'obsolete posttranscriptional insertion or deletion editing', - 'def': 'OBSOLETE. The insertion into or deletion from an RNA molecule of nucleotide residues not encoded in DNA; takes place after transcription. [PMID:11092837]' - }, - 'GO:0016552': { - 'name': 'obsolete cotranscriptional insertion or deletion editing', - 'def': 'OBSOLETE. The insertion into or deletion from an RNA molecule of nucleotide residues not encoded in DNA; takes place during transcription. [PMID:11092837]' - }, - 'GO:0016553': { - 'name': 'base conversion or substitution editing', - 'def': 'Any base modification or substitution events that result in alterations in the coding potential or structural properties of RNAs as a result of changes in the base-pairing properties of the modified ribonucleoside(s). [PMID:11092837]' - }, - 'GO:0016554': { - 'name': 'cytidine to uridine editing', - 'def': 'The conversion of a cytosine residue to uridine in an RNA molecule by deamination. [PMID:11092837]' - }, - 'GO:0016555': { - 'name': 'uridine to cytidine editing', - 'def': 'The conversion of a uridine residue to cytosine in an RNA molecule by amination. [PMID:11092837]' - }, - 'GO:0016556': { - 'name': 'mRNA modification', - 'def': 'The covalent alteration of one or more nucleotides within an mRNA molecule to produce an mRNA molecule with a sequence that differs from that coded genetically. [GOC:curators]' - }, - 'GO:0016557': { - 'name': 'peroxisome membrane biogenesis', - 'def': 'The process in which a peroxisome membrane is synthesized, aggregates, and bonds together. [GOC:mah]' - }, - 'GO:0016558': { - 'name': 'protein import into peroxisome matrix', - 'def': 'The import of proteins into the peroxisomal matrix. A peroxisome targeting signal (PTS) binds to a soluble receptor protein in the cytosol, and the resulting complex then binds to a receptor protein in the peroxisome membrane and is imported. The cargo protein is then released into the peroxisome matrix. [ISBN:0716731363, PMID:11687502, PMID:11988772]' - }, - 'GO:0016559': { - 'name': 'peroxisome fission', - 'def': 'The division of a mature peroxisome within a cell to form two or more separate peroxisome compartments. [GOC:mah, PMID:11687502, PMID:14754507]' - }, - 'GO:0016560': { - 'name': 'protein import into peroxisome matrix, docking', - 'def': 'The process in which a complex formed of a peroxisome targeting sequence (PTS) receptor bound to a PTS-bearing protein docks with translocation machinery in the peroxisomal membrane. [PMID:11687502, PMID:11988772, PMID:14754507]' - }, - 'GO:0016561': { - 'name': 'protein import into peroxisome matrix, translocation', - 'def': 'The process in which proteins are moved across the peroxisomal membrane into the matrix. It is likely that the peroxisome targeting sequence receptor remains associated with cargo proteins during translocation. [PMID:11687502]' - }, - 'GO:0016562': { - 'name': 'protein import into peroxisome matrix, receptor recycling', - 'def': 'The process in which peroxisome targeting sequence receptors dissociates from cargo proteins and are returned to the cytosol. [PMID:11687502]' - }, - 'GO:0016563': { - 'name': 'obsolete transcription activator activity', - 'def': 'OBSOLETE. Any transcription regulator activity required for initiation or upregulation of transcription. [GOC:jl, ISBN:0124325653]' - }, - 'GO:0016564': { - 'name': 'obsolete transcription repressor activity', - 'def': 'OBSOLETE. Any transcription regulator activity that prevents or downregulates transcription. [GOC:mah]' - }, - 'GO:0016565': { - 'name': 'obsolete general transcriptional repressor activity', - 'def': 'OBSOLETE. Any activity that stops or downregulates transcription of genes globally, and is not specific to a particular gene or gene set. [GOC:mah]' - }, - 'GO:0016566': { - 'name': 'obsolete specific transcriptional repressor activity', - 'def': 'OBSOLETE. Any activity that stops or downregulates transcription of specific genes or sets of genes. [GOC:mah]' - }, - 'GO:0016567': { - 'name': 'protein ubiquitination', - 'def': 'The process in which one or more ubiquitin groups are added to a protein. [GOC:ai]' - }, - 'GO:0016569': { - 'name': 'covalent chromatin modification', - 'def': 'The alteration of DNA or protein in chromatin by the covalent addition or removal of chemical groups. [GOC:mah, GOC:vw]' - }, - 'GO:0016570': { - 'name': 'histone modification', - 'def': 'The covalent alteration of one or more amino acid residues within a histone protein. [GOC:krc]' - }, - 'GO:0016571': { - 'name': 'histone methylation', - 'def': 'The modification of histones by addition of methyl groups. [GOC:ai]' - }, - 'GO:0016572': { - 'name': 'histone phosphorylation', - 'def': 'The modification of histones by addition of phosphate groups. [GOC:ai]' - }, - 'GO:0016573': { - 'name': 'histone acetylation', - 'def': 'The modification of a histone by the addition of an acetyl group. [GOC:ai]' - }, - 'GO:0016574': { - 'name': 'histone ubiquitination', - 'def': 'The modification of histones by addition of ubiquitin groups. [GOC:ai]' - }, - 'GO:0016575': { - 'name': 'histone deacetylation', - 'def': 'The modification of histones by removal of acetyl groups. [GOC:ai]' - }, - 'GO:0016576': { - 'name': 'histone dephosphorylation', - 'def': 'The modification of histones by removal of phosphate groups. [GOC:ai]' - }, - 'GO:0016577': { - 'name': 'histone demethylation', - 'def': 'The modification of histones by removal of methyl groups. [GOC:ai]' - }, - 'GO:0016578': { - 'name': 'histone deubiquitination', - 'def': 'The modification of histones by removal of ubiquitin groups. [GOC:ai]' - }, - 'GO:0016579': { - 'name': 'protein deubiquitination', - 'def': 'The removal of one or more ubiquitin groups from a protein. [GOC:ai]' - }, - 'GO:0016580': { - 'name': 'Sin3 complex', - 'def': 'A multiprotein complex that functions broadly in eukaryotic organisms as a transcriptional repressor of protein-coding genes, through the gene-specific deacetylation of histones. Amongst its subunits, the Sin3 complex contains Sin3-like proteins, and a number of core proteins that are shared with the NuRD complex (including histone deacetylases and histone binding proteins). The Sin3 complex does not directly bind DNA itself, but is targeted to specific genes through protein-protein interactions with DNA-binding proteins. [PMID:10589671, PMID:11743021, PMID:12865422]' - }, - 'GO:0016581': { - 'name': 'NuRD complex', - 'def': 'An approximately 2 MDa multi-subunit complex that exhibits ATP-dependent chromatin remodeling activity in addition to histone deacetylase (HDAC) activity, and has been shown to establish transcriptional repression of a number of target genes in vertebrates, invertebrates and fungi. Amongst its subunits, the NuRD complex contains histone deacetylases, histone binding proteins and Mi-2-like proteins. [PMID:10589671, PMID:11743021, PMID:17289569]' - }, - 'GO:0016582': { - 'name': 'obsolete non-covalent chromatin modification', - 'def': 'OBSOLETE. The alteration of DNA or protein in chromatin by the non-covalent addition or removal of chemical groups. [GOC:jl, GOC:vw]' - }, - 'GO:0016583': { - 'name': 'obsolete nucleosome modeling', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0016584': { - 'name': 'nucleosome positioning', - 'def': 'Ordering of successions of nucleosomes into regular arrays so that nucleosomes are positioned at defined distances from one another. [GOC:bf, PMID:11447119, PMID:8676389]' - }, - 'GO:0016585': { - 'name': 'obsolete chromatin remodeling complex', - 'def': 'OBSOLETE: Any complex that mediates dynamic changes in eukaryotic chromatin. [GOC:mah]' - }, - 'GO:0016586': { - 'name': 'RSC complex', - 'def': 'A protein complex similar to, but more abundant than, the Swi/Snf complex. The RSC complex is generally recruited to RNA polymerase III promoters and is specifically recruited to RNA polymerase II promoters by transcriptional activators and repressors; it is also involved in non-homologous end joining. [GOC:rb, PMID:11937489, PMID:12672490, PMID:15870268, PMID:19355820, PMID:8980231]' - }, - 'GO:0016587': { - 'name': 'Isw1 complex', - 'def': 'A protein complex that contains an Isw1 subunit from the ISWI-family of ATPases and acts to modify chromatin structure. [GOC:krc, GOC:mah, PMID:15020051, PMID:15284901, PMID:16568949, PMID:21810179]' - }, - 'GO:0016589': { - 'name': 'NURF complex', - 'def': 'An ISWI complex that contains an ATPase subunit of the ISWI family (SNF2L in mammals), a NURF301 homolog (BPTF in humans), and additional subunits, though the composition of these additional subunits varies slightly with species. NURF is involved in regulation of transcription from TRNA polymerase II promoters. [GOC:bf, GOC:krc, PMID:10779516, PMID:11279013, PMID:15284901, PMID:16568949, PMID:21810179]' - }, - 'GO:0016590': { - 'name': 'ACF complex', - 'def': 'An ISWI complex that contains an ATPase subunit of the ISWI family (SNF2H in mammals, Isw2 in S. cerevisiae), an ACF1 homolog, and generally no other subunits, though Xenopus is an exception with a third non-conserved subunit. ACF plays roles in regulation of RNA polymerase II transcription and in DNA replication and repair. [GOC:bf, GOC:krc, PMID:12192034, PMID:15284901, PMID:16568949, PMID:21810179]' - }, - 'GO:0016591': { - 'name': 'DNA-directed RNA polymerase II, holoenzyme', - 'def': 'A nuclear DNA-directed RNA polymerase complex containing an RNA polymerase II core enzyme as well as additional proteins and transcription factor complexes, that are capable of promoter recognition and transcription initiation from an RNA polymerase II promoter in vivo. These additional components may include general transcription factor complexes TFIIA, TFIID, TFIIE, TFIIF, or TFIIH, as well as Mediator, SWI/SNF, GCN5, or SRBs and confer the ability to recognize promoters. [GOC:jl, GOC:krc, PMID:16858867, Wikipedia:Rna_polymerase_ii]' - }, - 'GO:0016592': { - 'name': 'mediator complex', - 'def': 'A protein complex that interacts with the carboxy-terminal domain of the largest subunit of RNA polymerase II and plays an active role in transducing the signal from a transcription factor to the transcriptional machinery. The mediator complex is required for activation of transcription of most protein-coding genes, but can also act as a transcriptional corepressor. The Saccharomyces complex contains several identifiable subcomplexes: a head domain comprising Srb2, -4, and -5, Med6, -8, and -11, and Rox3 proteins; a middle domain comprising Med1, -4, and -7, Nut1 and -2, Cse2, Rgr1, Soh1, and Srb7 proteins; a tail consisting of Gal11p, Med2p, Pgd1p, and Sin4p; and a regulatory subcomplex comprising Ssn2, -3, and -8, and Srb8 proteins. Metazoan mediator complexes have similar modular structures and include homologs of yeast Srb and Med proteins. [PMID:11454195, PMID:16168358, PMID:17870225]' - }, - 'GO:0016593': { - 'name': 'Cdc73/Paf1 complex', - 'def': 'A multiprotein complex that associates with RNA polymerase II and general RNA polymerase II transcription factor complexes and may be involved in both transcriptional initiation and elongation. In Saccharomyces the complex contains Paf1p, Cdc73p, Ctr9p, Rtf1p, and Leo1p. [PMID:11884586]' - }, - 'GO:0016594': { - 'name': 'glycine binding', - 'def': 'Interacting selectively and non-covalently with glycine, aminoethanoic acid. [GOC:ai]' - }, - 'GO:0016595': { - 'name': 'glutamate binding', - 'def': 'Interacting selectively and non-covalently with glutamate, the anion of 2-aminopentanedioic acid. [GOC:ai]' - }, - 'GO:0016596': { - 'name': 'thienylcyclohexylpiperidine binding', - 'def': 'Interacting selectively and non-covalently with thienylcyclohexylpiperidine. [GOC:jl]' - }, - 'GO:0016597': { - 'name': 'amino acid binding', - 'def': 'Interacting selectively and non-covalently with an amino acid, organic acids containing one or more amino substituents. [GOC:ai]' - }, - 'GO:0016598': { - 'name': 'protein arginylation', - 'def': 'The conjugation of arginine to the N-terminal aspartate or glutamate of a protein; required for the degradation of the protein via the ubiquitin pathway. [PMID:17896865]' - }, - 'GO:0016600': { - 'name': 'flotillin complex', - 'def': 'A protein complex that contains flotillin-1 and flotillin-2, and may contain associated proteins. Flotillins associate into membrane microdomains resembling caveolae. [PMID:17206938, PMID:17600709]' - }, - 'GO:0016601': { - 'name': 'Rac protein signal transduction', - 'def': 'A series of molecular signals within the cell that are mediated by a member of the Rac family of proteins switching to a GTP-bound active state. [GOC:bf]' - }, - 'GO:0016602': { - 'name': 'CCAAT-binding factor complex', - 'def': 'A heteromeric transcription factor complex that binds to the CCAAT-box upstream of promoters; functions as both an activator and a repressor, depending on its interacting cofactors. Typically trimeric consisting of NFYA, NFYB and NFYC subunits. In Saccharomyces, it activates the transcription of genes in response to growth in a nonfermentable carbon source and consists of four known subunits: HAP2, HAP3, HAP4 and HAP5. [GOC:bm, PMID:7828851]' - }, - 'GO:0016603': { - 'name': 'glutaminyl-peptide cyclotransferase activity', - 'def': 'Catalysis of the reaction: L-glutaminyl-peptide = 5-oxoprolyl-peptide + NH3. [EC:2.3.2.5]' - }, - 'GO:0016604': { - 'name': 'nuclear body', - 'def': 'Extra-nucleolar nuclear domains usually visualized by confocal microscopy and fluorescent antibodies to specific proteins. [GOC:ma, PMID:10330182]' - }, - 'GO:0016605': { - 'name': 'PML body', - 'def': 'A class of nuclear body; they react against SP100 auto-antibodies (PML, promyelocytic leukemia); cells typically contain 10-30 PML bodies per nucleus; alterations in the localization of PML bodies occurs after viral infection. [GOC:ma, PMID:10944585]' - }, - 'GO:0016606': { - 'name': 'LYSP100-associated nuclear domain', - 'def': 'A nuclear body that is enriched in the lymphoid cell-specific protein LYSp100B; LANDs are globular, electron-dense structures and are morphologically distinct from the annular structures characteristic of PML bodies. [PMID:10921892, PMID:8695863]' - }, - 'GO:0016607': { - 'name': 'nuclear speck', - 'def': 'A discrete extra-nucleolar subnuclear domain, 20-50 in number, in which splicing factors are seen to be localized by immunofluorescence microscopy. [http://www.cellnucleus.com/]' - }, - 'GO:0016608': { - 'name': 'growth hormone-releasing hormone activity', - 'def': 'The action characteristic of growth hormone-releasing hormone, any of a family of peptide hormones that act on the anterior pituitary to stimulate the secretion of growth hormone and exert a trophic effect on the gland. [ISBN:0198506732]' - }, - 'GO:0016610': { - 'name': 'nitrogenase complex', - 'def': 'An enzyme complex composed of two proteins, dinitrogenase and nitrogenase reductase; dinitrogenase is tetrameric with an alpha2-beta2 structure and nitrogenase reductase is a homodimer, and both are associated with metal ions, which differ between species. Both proteins are required for the enzyme activity of the complex, the formation of oxidized ferredoxin and ammonia from reduced ferredoxin and nitrogen. [EC:1.18.6.1, MetaCyc:CPLX-186, MetaCyc:CPLX-525]' - }, - 'GO:0016611': { - 'name': 'iron-iron nitrogenase complex', - 'def': 'An enzyme complex containing an iron-iron cluster found in species such as the photosynthetic bacterium Rhodobacter capsulatus. It is composed of two main subunits, dinitrogenase and nitrogenase reductase. Dinitrogenase, the iron-iron containing subunit, has an alpha1-beta2 or alpha2-beta2 structure, and the nitrogenase reductase subunit is a homodimer. Functions in the catalysis of the formation of oxidized ferredoxin and ammonia from reduced ferredoxin and nitrogen. [EC:1.18.6.1, GOC:jl, PMID:11848850]' - }, - 'GO:0016612': { - 'name': 'molybdenum-iron nitrogenase complex', - 'def': 'An enzyme complex containing a molybdenum-iron cluster found in many species. It is composed of two proteins, dinitrogenase and nitrogenase reductase; dinitrogenase, the molybdenum-iron protein, is tetrameric with an alpha2-beta2 structure, and nitrogenase reductase is a homodimer. [EC:1.18.6.1]' - }, - 'GO:0016613': { - 'name': 'vanadium-iron nitrogenase complex', - 'def': 'An enzyme complex containing a vanadium-iron cluster found in some species, such as Azotobacter vinelandii. It is composed of two proteins, dinitrogenase and nitrogenase reductase; dinitrogenase, the vanadium-iron protein, is tetrameric with an alpha2-beta2 structure, and nitrogenase reductase is a homodimer. [EC:1.18.6.1, PMID:3474027]' - }, - 'GO:0016614': { - 'name': 'oxidoreductase activity, acting on CH-OH group of donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-OH group act as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016615': { - 'name': 'malate dehydrogenase activity', - 'def': 'Catalysis of the reversible conversion of pyruvate or oxaloacetate to malate. [GOC:mah, ISBN:0582227089]' - }, - 'GO:0016616': { - 'name': 'oxidoreductase activity, acting on the CH-OH group of donors, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-OH group acts as a hydrogen or electron donor and reduces NAD+ or NADP. [EC:1.1.1.-, GOC:ai]' - }, - 'GO:0016617': { - 'name': '4-oxoproline reductase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-L-proline + NAD+ = 4-oxoproline + NADH + H+. [EC:1.1.1.104]' - }, - 'GO:0016618': { - 'name': 'hydroxypyruvate reductase activity', - 'def': 'Catalysis of the reaction: D-glycerate + NADP+ = hydroxypyruvate + NADPH + H+. [EC:1.1.1.81]' - }, - 'GO:0016620': { - 'name': 'oxidoreductase activity, acting on the aldehyde or oxo group of donors, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an aldehyde or ketone (oxo) group acts as a hydrogen or electron donor and reduces NAD or NADP. [GOC:jl]' - }, - 'GO:0016621': { - 'name': 'cinnamoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: cinnamaldehyde + CoA + NADP+ = cinnamoyl-CoA + NADPH + H+. [EC:1.2.1.44]' - }, - 'GO:0016622': { - 'name': 'oxidoreductase activity, acting on the aldehyde or oxo group of donors, cytochrome as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an aldehyde or ketone (oxo) group acts as a hydrogen or electron donor and reduces a cytochrome. [GOC:jl]' - }, - 'GO:0016623': { - 'name': 'oxidoreductase activity, acting on the aldehyde or oxo group of donors, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an aldehyde or ketone (oxo) group acts as a hydrogen or electron donor and reduces oxygen. [GOC:jl]' - }, - 'GO:0016624': { - 'name': 'oxidoreductase activity, acting on the aldehyde or oxo group of donors, disulfide as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an aldehyde or ketone (oxo) group acts as a hydrogen or electron donor and reduces a disulfide. [GOC:jl]' - }, - 'GO:0016625': { - 'name': 'oxidoreductase activity, acting on the aldehyde or oxo group of donors, iron-sulfur protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an aldehyde or ketone (oxo) group acts as a hydrogen or electron donor and reduces an iron-sulfur protein. [GOC:jl]' - }, - 'GO:0016626': { - 'name': 'obsolete oxidoreductase activity, acting on the aldehyde or oxo group of donors, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which an aldehyde or ketone (oxo) group acts as a hydrogen or electron donor and reduces an acceptor other than NAD, NADP, oxygen, an iron-sulfur protein, disulphide or a cytochrome. [GOC:jl]' - }, - 'GO:0016627': { - 'name': 'oxidoreductase activity, acting on the CH-CH group of donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-CH group acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016628': { - 'name': 'oxidoreductase activity, acting on the CH-CH group of donors, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-CH group acts as a hydrogen or electron donor and reduces NAD or NADP. [GOC:jl]' - }, - 'GO:0016629': { - 'name': '12-oxophytodienoate reductase activity', - 'def': 'Catalysis of the reaction: 8-[(1R,2R)-3-oxo-2-{(Z)-pent-2-en-1-yl}cyclopentyl]octanoate + NADP(+) = (15Z)-12-oxophyto-10,15-dienoate + H(+) + NADPH. [EC:1.3.1.42, RHEA:21891]' - }, - 'GO:0016630': { - 'name': 'protochlorophyllide reductase activity', - 'def': 'Catalysis of the reaction: chlorophyllide a + NADP+ = protochlorophyllide + NADPH + H+. [EC:1.3.1.33]' - }, - 'GO:0016631': { - 'name': 'enoyl-[acyl-carrier-protein] reductase activity', - 'def': 'Catalysis of the reaction: acyl-[acyl-carrier protein] + NAD(P)+ = trans-2,3-dehydroacyl-[acyl-carrier protein] + NAD(P)H + H+. [EC:1.3.1.9, GOC:rb]' - }, - 'GO:0016632': { - 'name': 'oxidoreductase activity, acting on the CH-CH group of donors, cytochrome as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-CH group acts as a hydrogen or electron donor and reduces a cytochrome. [GOC:jl]' - }, - 'GO:0016633': { - 'name': 'galactonolactone dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-galactono-1,4-lactone + 2 ferricytochrome c = L-ascorbate + 2 ferrocytochrome c. [EC:1.3.2.3]' - }, - 'GO:0016634': { - 'name': 'oxidoreductase activity, acting on the CH-CH group of donors, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-CH group acts as a hydrogen or electron donor and reduces oxygen. [GOC:jl]' - }, - 'GO:0016635': { - 'name': 'oxidoreductase activity, acting on the CH-CH group of donors, quinone or related compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-CH group acts as a hydrogen or electron donor and reduces a quinone or related compound. [GOC:jl]' - }, - 'GO:0016636': { - 'name': 'oxidoreductase activity, acting on the CH-CH group of donors, iron-sulfur protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-CH group acts as a hydrogen or electron donor and reduces an iron-sulfur protein. [GOC:jl]' - }, - 'GO:0016637': { - 'name': 'obsolete oxidoreductase activity, acting on the CH-CH group of donors, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which a CH-CH group acts as a hydrogen or electron donor and reduces an acceptor other than quinone or related compound, a cytochrome, an iron-sulfur protein, NAD, NADP or oxygen. [GOC:jl]' - }, - 'GO:0016638': { - 'name': 'oxidoreductase activity, acting on the CH-NH2 group of donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH2 group acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016639': { - 'name': 'oxidoreductase activity, acting on the CH-NH2 group of donors, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH2 group acts as a hydrogen or electron donor and reduces NAD+ or NADP. [GOC:ai]' - }, - 'GO:0016640': { - 'name': 'oxidoreductase activity, acting on the CH-NH2 group of donors, cytochrome as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH2 group acts as a hydrogen or electron donor and reduces a cytochrome molecule. [GOC:ai]' - }, - 'GO:0016641': { - 'name': 'oxidoreductase activity, acting on the CH-NH2 group of donors, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH2 group acts as a hydrogen or electron donor and reduces an oxygen molecule. [GOC:ai]' - }, - 'GO:0016642': { - 'name': 'oxidoreductase activity, acting on the CH-NH2 group of donors, disulfide as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH2 group acts as a hydrogen or electron donor and reduces a disulfide group. [GOC:ai]' - }, - 'GO:0016643': { - 'name': 'oxidoreductase activity, acting on the CH-NH2 group of donors, iron-sulfur protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH2 group acts as a hydrogen or electron donor and reduces an iron-sulfur protein. [GOC:ai]' - }, - 'GO:0016644': { - 'name': 'obsolete oxidoreductase activity, acting on the CH-NH2 group of donors, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH2 group acts as a hydrogen or electron donor and reduces an acceptor other than a cytochrome, disulfide, an iron-sulfur protein, NAD, NADP or oxygen. [GOC:ai]' - }, - 'GO:0016645': { - 'name': 'oxidoreductase activity, acting on the CH-NH group of donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH group acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016646': { - 'name': 'oxidoreductase activity, acting on the CH-NH group of donors, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH group acts as a hydrogen or electron donor and reduces NAD or NADP. [GOC:jl]' - }, - 'GO:0016647': { - 'name': 'oxidoreductase activity, acting on the CH-NH group of donors, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH group acts as a hydrogen or electron donor and reduces oxygen. [GOC:jl]' - }, - 'GO:0016648': { - 'name': 'oxidoreductase activity, acting on the CH-NH group of donors, disulfide as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH group acts as a hydrogen or electron donor and reduces disulfide. [GOC:jl]' - }, - 'GO:0016649': { - 'name': 'oxidoreductase activity, acting on the CH-NH group of donors, quinone or similar compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH group acts as a hydrogen or electron donor and reduces quinone or similar compound. [GOC:jl]' - }, - 'GO:0016650': { - 'name': 'obsolete oxidoreductase activity, acting on the CH-NH group of donors, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH group acts as a hydrogen or electron donor and reduces an acceptor other than quinone or similar compound, disulfide, NAD, NADP, oxygen or a flavin. [GOC:jl]' - }, - 'GO:0016651': { - 'name': 'oxidoreductase activity, acting on NAD(P)H', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which NADH or NADPH acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016652': { - 'name': 'oxidoreductase activity, acting on NAD(P)H, NAD(P) as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which NADH or NADPH acts as a hydrogen or electron donor and reduces NAD+ or NADP. [GOC:ai]' - }, - 'GO:0016653': { - 'name': 'oxidoreductase activity, acting on NAD(P)H, heme protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which NADH or NADPH acts as a hydrogen or electron donor and reduces a heme protein. [GOC:ai]' - }, - 'GO:0016655': { - 'name': 'oxidoreductase activity, acting on NAD(P)H, quinone or similar compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which NADH or NADPH acts as a hydrogen or electron donor and reduces a quinone or a similar acceptor molecule. [GOC:ai]' - }, - 'GO:0016656': { - 'name': 'monodehydroascorbate reductase (NADH) activity', - 'def': 'Catalysis of the reaction: NADH + H+ + 2 monodehydroascorbate = NAD+ + 2 ascorbate. [EC:1.6.5.4]' - }, - 'GO:0016657': { - 'name': 'oxidoreductase activity, acting on NAD(P)H, nitrogenous group as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which NADH or NADPH acts as a hydrogen or electron donor and reduces a nitrogenous group. [GOC:ai]' - }, - 'GO:0016658': { - 'name': 'obsolete oxidoreductase activity, acting on NADH or NADPH, flavin as acceptor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0016659': { - 'name': 'obsolete oxidoreductase activity, acting on NADH or NADPH, other acceptor', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which NADH or NADPH acts as a hydrogen or electron donor and reduces an acceptor other than disulfide, a heme protein, NAD, NADP, a nitrogenous group, a quinone or similar compound or oxygen. [GOC:jl]' - }, - 'GO:0016661': { - 'name': 'oxidoreductase activity, acting on other nitrogenous compounds as donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a nitrogenous group, excluding NH and NH2 groups, acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016662': { - 'name': 'oxidoreductase activity, acting on other nitrogenous compounds as donors, cytochrome as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a nitrogenous group, excluding NH and NH2 groups, acts as a hydrogen or electron donor and reduces a cytochrome. [GOC:jl]' - }, - 'GO:0016663': { - 'name': 'oxidoreductase activity, acting on other nitrogenous compounds as donors, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a nitrogenous group, excluding NH and NH2 groups, acts as a hydrogen or electron donor and reduces oxygen. [GOC:jl]' - }, - 'GO:0016664': { - 'name': 'oxidoreductase activity, acting on other nitrogenous compounds as donors, iron-sulfur protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a nitrogenous group, excluding NH and NH2 groups, acts as a hydrogen or electron donor and reduces an iron-sulfur protein. [GOC:jl]' - }, - 'GO:0016665': { - 'name': 'obsolete oxidoreductase activity, acting on other nitrogenous compounds as donors, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which a nitrogenous group, excluding NH and NH2 groups, acts as a hydrogen or electron donor and reduces an acceptor other than a cytochrome, an iron-sulfur protein, oxygen, NAD or NADP. [GOC:jl]' - }, - 'GO:0016667': { - 'name': 'oxidoreductase activity, acting on a sulfur group of donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a sulfur-containing group acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016668': { - 'name': 'oxidoreductase activity, acting on a sulfur group of donors, NAD(P) as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a sulfur-containing group acts as a hydrogen or electron donor and reduces NAD or NADP. [GOC:jl]' - }, - 'GO:0016669': { - 'name': 'oxidoreductase activity, acting on a sulfur group of donors, cytochrome as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a sulfur-containing group acts as a hydrogen or electron donor and reduces a cytochrome. [GOC:jl]' - }, - 'GO:0016670': { - 'name': 'oxidoreductase activity, acting on a sulfur group of donors, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a sulfur-containing group acts as a hydrogen or electron donor and reduces oxygen. [GOC:jl]' - }, - 'GO:0016671': { - 'name': 'oxidoreductase activity, acting on a sulfur group of donors, disulfide as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a sulfur-containing group acts as a hydrogen or electron donor and reduces disulfide. [GOC:jl]' - }, - 'GO:0016672': { - 'name': 'oxidoreductase activity, acting on a sulfur group of donors, quinone or similar compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a sulfur-containing group acts as a hydrogen or electron donor and reduces quinone or a related compound. [GOC:jl]' - }, - 'GO:0016673': { - 'name': 'oxidoreductase activity, acting on a sulfur group of donors, iron-sulfur protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a sulfur-containing group acts as a hydrogen or electron donor and reduces an iron-sulfur protein. [GOC:jl]' - }, - 'GO:0016674': { - 'name': 'obsolete oxidoreductase activity, acting on sulfur group of donors, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which a sulfur-containing group acts as a hydrogen or electron donor and reduces an acceptor other than quinone or a related compound, oxygen, NAD, NADP, an iron-sulfur protein, disulfide or a cytochrome. [GOC:jl]' - }, - 'GO:0016675': { - 'name': 'oxidoreductase activity, acting on a heme group of donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a heme group acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016676': { - 'name': 'oxidoreductase activity, acting on a heme group of donors, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a heme group acts as a hydrogen or electron donor and reduces oxygen. [GOC:jl]' - }, - 'GO:0016677': { - 'name': 'oxidoreductase activity, acting on a heme group of donors, nitrogenous group as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a heme group acts as a hydrogen or electron donor and reduces a nitrogenous group. [GOC:jl]' - }, - 'GO:0016678': { - 'name': 'obsolete oxidoreductase activity, acting on heme group of donors, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which a heme group acts as a hydrogen or electron donor and reduces an acceptor other than a nitrogenous group or oxygen. [GOC:jl]' - }, - 'GO:0016679': { - 'name': 'oxidoreductase activity, acting on diphenols and related substances as donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a diphenol or related substance acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016680': { - 'name': 'oxidoreductase activity, acting on diphenols and related substances as donors, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a diphenol, or related compound, acts as a hydrogen or electron donor and reduces NAD or NADP. [GOC:jl]' - }, - 'GO:0016681': { - 'name': 'oxidoreductase activity, acting on diphenols and related substances as donors, cytochrome as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a diphenol, or related compound, acts as a hydrogen or electron donor and reduces a cytochrome. [GOC:jl]' - }, - 'GO:0016682': { - 'name': 'oxidoreductase activity, acting on diphenols and related substances as donors, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a diphenol, or related compound, acts as a hydrogen or electron donor and reduces oxygen. [GOC:jl]' - }, - 'GO:0016683': { - 'name': 'obsolete oxidoreductase activity, acting on diphenols and related substances as donors, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which a diphenol, or related compound, acts as a hydrogen or electron donor and reduces an acceptor other than a cytochrome, NAD, NADP or oxygen. [GOC:jl]' - }, - 'GO:0016684': { - 'name': 'oxidoreductase activity, acting on peroxide as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which the peroxide group acts as a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016688': { - 'name': 'L-ascorbate peroxidase activity', - 'def': 'Catalysis of the reaction: L-ascorbate + hydrogen peroxide = dehydroascorbate + 2 H2O. [EC:1.11.1.11]' - }, - 'GO:0016689': { - 'name': 'manganese peroxidase activity', - 'def': 'Catalysis of the reaction: 2 Mn2+ + 2 H+ + hydrogen peroxide = 2 Mn3+ + 2 H2O. [EC:1.11.1.13]' - }, - 'GO:0016690': { - 'name': 'diarylpropane peroxidase activity', - 'def': 'Catalysis of the reaction: (3,4-dimethoxyphenyl)methanol + H2O2 = 3,4-dimethoxybenzaldehyde + 2 H2O. [EC:1.11.1.14]' - }, - 'GO:0016691': { - 'name': 'chloride peroxidase activity', - 'def': 'Catalysis of the reaction: 2 R-H + 2 chloride + hydrogen peroxide = 2 R-Cl + 2 H2O. [EC:1.11.1.10]' - }, - 'GO:0016692': { - 'name': 'NADH peroxidase activity', - 'def': 'Catalysis of the reaction: H(2)O(2) + H(+) + NADH = 2 H(2)O + NAD(+). [EC:1.11.1.1, RHEA:18512]' - }, - 'GO:0016694': { - 'name': 'obsolete bacterial catalase-peroxidase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016695': { - 'name': 'oxidoreductase activity, acting on hydrogen as donor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen acts as an electron donor. [GOC:jl]' - }, - 'GO:0016696': { - 'name': 'oxidoreductase activity, acting on hydrogen as donor, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen acts as an electron donor and reduces NAD or NADP. [GOC:jl]' - }, - 'GO:0016697': { - 'name': 'oxidoreductase activity, acting on hydrogen as donor, cytochrome as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen acts as an electron donor and reduces a cytochrome. [GOC:jl]' - }, - 'GO:0016699': { - 'name': 'oxidoreductase activity, acting on hydrogen as donor, iron-sulfur protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen acts as an electron donor and reduces an iron-sulfur protein. [GOC:jl]' - }, - 'GO:0016700': { - 'name': 'obsolete oxidoreductase activity, acting on hydrogen as donor, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which hydrogen is the electron donor and reduces an acceptor other than a cytochrome, an iron-sulfur protein, NAD, NADP or a quinone or similar compound. [GOC:ai]' - }, - 'GO:0016701': { - 'name': 'oxidoreductase activity, acting on single donors with incorporation of molecular oxygen', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from one donor, and molecular oxygen is incorporated into a donor. [GOC:mah]' - }, - 'GO:0016702': { - 'name': 'oxidoreductase activity, acting on single donors with incorporation of molecular oxygen, incorporation of two atoms of oxygen', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from one donor, and two oxygen atoms is incorporated into a donor. [GOC:mah]' - }, - 'GO:0016703': { - 'name': 'oxidoreductase activity, acting on single donors with incorporation of molecular oxygen, incorporation of one atom of oxygen (internal monooxygenases or internal mixed function oxidases)', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from one donor, and one oxygen atom is incorporated into a donor. [GOC:mah]' - }, - 'GO:0016704': { - 'name': 'obsolete oxidoreductase activity, acting on single donors with incorporation of molecular oxygen, miscellaneous', - 'def': 'OBSOLETE. A grouping term for oxidoreductases acting on single donors with incorporation of molecular oxygen that cannot be more accurated categorized. [GOC:ai]' - }, - 'GO:0016705': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from each of two donors, and molecular oxygen is reduced or incorporated into a donor. [GOC:mah]' - }, - 'GO:0016706': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, 2-oxoglutarate as one donor, and incorporation of one atom each of oxygen into both donors', - 'def': 'Catalysis of the reaction: A + 2-oxoglutarate + O2 = B + succinate + CO2. This is an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from 2-oxoglutarate and one other donor, and one atom of oxygen is incorporated into each donor. [GOC:mah]' - }, - 'GO:0016707': { - 'name': 'gibberellin 3-beta-dioxygenase activity', - 'def': 'Catalysis of the reaction: a gibberellin + 2-oxoglutarate + O2 = a 3-beta-hydroxy-gibberellin + succinate + CO2. [EC:1.14.11.15, GOC:kad]' - }, - 'GO:0016708': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, NAD(P)H as one donor, and incorporation of two atoms of oxygen into one donor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from NADH or NADPH and one other donor, and two atoms of oxygen are incorporated into one donor. [GOC:mah]' - }, - 'GO:0016709': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, NAD(P)H as one donor, and incorporation of one atom of oxygen', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from NADH or NADPH and one other donor, and one atom of oxygen is incorporated into one donor. [GOC:mah]' - }, - 'GO:0016710': { - 'name': 'trans-cinnamate 4-monooxygenase activity', - 'def': 'Catalysis of the reaction: trans-cinnamate + NADPH + H+ + O2 = 4-hydroxycinnamate + NADP+ + H2O. [EC:1.14.13.11]' - }, - 'GO:0016711': { - 'name': "flavonoid 3'-monooxygenase activity", - 'def': "Catalysis of the reaction: a flavonoid + NADPH + H+ + O2 = 3'-hydroxyflavonoid + NADP+ + H2O. [EC:1.14.13.21]" - }, - 'GO:0016712': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, reduced flavin or flavoprotein as one donor, and incorporation of one atom of oxygen', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from reduced flavin or flavoprotein and one other donor, and one atom of oxygen is incorporated into one donor. [GOC:mah]' - }, - 'GO:0016713': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, reduced iron-sulfur protein as one donor, and incorporation of one atom of oxygen', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from reduced iron-sulfur protein and one other donor, and one atom of oxygen is incorporated into one donor. [GOC:mah]' - }, - 'GO:0016714': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, reduced pteridine as one donor, and incorporation of one atom of oxygen', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from reduced pteridine and one other donor, and one atom of oxygen is incorporated into one donor. [GOC:mah]' - }, - 'GO:0016715': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, reduced ascorbate as one donor, and incorporation of one atom of oxygen', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from reduced ascorbate and one other donor, and one atom of oxygen is incorporated into one donor. [GOC:mah]' - }, - 'GO:0016716': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, another compound as one donor, and incorporation of one atom of oxygen', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from each of two donors, and one atom of oxygen is incorporated into one donor. [GOC:mah]' - }, - 'GO:0016717': { - 'name': 'oxidoreductase activity, acting on paired donors, with oxidation of a pair of donors resulting in the reduction of molecular oxygen to two molecules of water', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from each of two donors, and molecular oxygen is reduced to two molecules of water. [GOC:mah]' - }, - 'GO:0016718': { - 'name': 'obsolete oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, miscellaneous', - 'def': 'OBSOLETE. A grouping term for oxidoreductases, acting on paired donors with incorporation or reduction of molecular oxygen, that cannot be more accurately categorized. [GOC:ai]' - }, - 'GO:0016719': { - 'name': 'carotene 7,8-desaturase activity', - 'def': 'Catalysis of the reaction: neurosporene + donor-H2 + O2 = lycopene + acceptor + 2 H2O. [EC:1.14.99.30]' - }, - 'GO:0016720': { - 'name': 'delta12-fatty acid dehydrogenase activity', - 'def': 'Catalysis of the reaction: AH(2) + linoleate + O(2) = A + crepenynate + 2 H(2)O. [EC:1.14.99.33, RHEA:23459]' - }, - 'GO:0016721': { - 'name': 'oxidoreductase activity, acting on superoxide radicals as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a superoxide radical (O2- or O2.-) acts as a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016722': { - 'name': 'oxidoreductase activity, oxidizing metal ions', - 'def': 'Catalysis of an oxidation-reduction in which the oxidation state of metal ion is altered. [GOC:mah]' - }, - 'GO:0016723': { - 'name': 'oxidoreductase activity, oxidizing metal ions, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction in which the oxidation state of metal ion is altered and NAD+ or NADP+ acts as an electron acceptor. [GOC:mah]' - }, - 'GO:0016724': { - 'name': 'oxidoreductase activity, oxidizing metal ions, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction in which the oxidation state of metal ion is altered and oxygen acts as an electron acceptor. [GOC:mah]' - }, - 'GO:0016725': { - 'name': 'oxidoreductase activity, acting on CH or CH2 groups', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH2 group acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016726': { - 'name': 'oxidoreductase activity, acting on CH or CH2 groups, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH2 group acts as a hydrogen or electron donor and reduces NAD+ or NADP. [GOC:ai]' - }, - 'GO:0016727': { - 'name': 'oxidoreductase activity, acting on CH or CH2 groups, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH2 group acts as a hydrogen or electron donor and reduces an oxygen molecule. [GOC:ai]' - }, - 'GO:0016728': { - 'name': 'oxidoreductase activity, acting on CH or CH2 groups, disulfide as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH2 group acts as a hydrogen or electron donor and reduces a disulfide group. [GOC:ai]' - }, - 'GO:0016729': { - 'name': 'obsolete oxidoreductase activity, acting on CH2 groups, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which a CH2 group acts as a hydrogen or electron donor and reduces an acceptor other than disulfide, NAD, NADP or oxygen. [GOC:jl]' - }, - 'GO:0016730': { - 'name': 'oxidoreductase activity, acting on iron-sulfur proteins as donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an iron-sulfur protein acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016731': { - 'name': 'oxidoreductase activity, acting on iron-sulfur proteins as donors, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an iron-sulfur protein acts as a hydrogen or electron donor and reduces NAD or NADP. [GOC:jl]' - }, - 'GO:0016732': { - 'name': 'oxidoreductase activity, acting on iron-sulfur proteins as donors, dinitrogen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an iron-sulfur protein acts as a hydrogen or electron donor and reduces dinitrogen. [GOC:jl]' - }, - 'GO:0016733': { - 'name': 'obsolete iron-iron nitrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: 8 reduced ferredoxin + 8 H+ + N2 + 16 ATP = 8 oxidized ferredoxin + 2 NH3 + 16 ADP + 16 phosphate. [EC:1.18.6.1]' - }, - 'GO:0016734': { - 'name': 'obsolete molybdenum-iron nitrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: 8 reduced ferredoxin + 8 H+ + N2 + 16 ATP = 8 oxidized ferredoxin + 2 NH3 + 16 ADP + 16 phosphate. [EC:1.18.6.1]' - }, - 'GO:0016735': { - 'name': 'obsolete vanadium-iron nitrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: 8 reduced ferredoxin + 8 H+ + nitrogen + 16 ATP = 8 oxidized ferredoxin + 2 NH3 + 16 ADP + 16 phosphate. [EC:1.18.6.1]' - }, - 'GO:0016737': { - 'name': 'oxidoreductase activity, acting on reduced flavodoxin as donor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which reduced flavodoxin acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016738': { - 'name': 'oxidoreductase activity, acting on reduced flavodoxin as donor, dinitrogen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which reduced flavodoxin acts as a hydrogen or electron donor and reduces dinitrogen. [GOC:jl]' - }, - 'GO:0016739': { - 'name': 'obsolete oxidoreductase activity, acting on other substrates', - 'def': 'OBSOLETE. A grouping term for oxidoreductase that cannot be more accurately categorized. [GOC:ai]' - }, - 'GO:0016740': { - 'name': 'transferase activity', - 'def': 'Catalysis of the transfer of a group, e.g. a methyl group, glycosyl group, acyl group, phosphorus-containing, or other groups, from one compound (generally regarded as the donor) to another compound (generally regarded as the acceptor). Transferase is the systematic name for any enzyme of EC class 2. [ISBN:0198506732]' - }, - 'GO:0016741': { - 'name': 'transferase activity, transferring one-carbon groups', - 'def': 'Catalysis of the transfer of a one-carbon group from one compound (donor) to another (acceptor). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016742': { - 'name': 'hydroxymethyl-, formyl- and related transferase activity', - 'def': 'Catalysis of the transfer of a hydroxymethyl- or formyl group from one compound (donor) to another (acceptor). [EC:2.1.2, GOC:mah]' - }, - 'GO:0016743': { - 'name': 'carboxyl- or carbamoyltransferase activity', - 'def': 'Catalysis of the transfer of a carboxyl- or carbamoyl group from one compound (donor) to another (acceptor). [GOC:jl]' - }, - 'GO:0016744': { - 'name': 'transferase activity, transferring aldehyde or ketonic groups', - 'def': 'Catalysis of the transfer of an aldehyde or ketonic group from one compound (donor) to another (acceptor). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016746': { - 'name': 'transferase activity, transferring acyl groups', - 'def': 'Catalysis of the transfer of an acyl group from one compound (donor) to another (acceptor). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016747': { - 'name': 'transferase activity, transferring acyl groups other than amino-acyl groups', - 'def': 'Catalysis of the transfer of an acyl group, other than amino-acyl, from one compound (donor) to another (acceptor). [GOC:jl]' - }, - 'GO:0016748': { - 'name': 'succinyltransferase activity', - 'def': 'Catalysis of the transfer of a succinyl (3-carboxypropanoyl) group to an acceptor molecule. [GOC:ai]' - }, - 'GO:0016749': { - 'name': 'N-succinyltransferase activity', - 'def': 'Catalysis of the transfer of a succinyl group to a nitrogen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016750': { - 'name': 'O-succinyltransferase activity', - 'def': 'Catalysis of the transfer of a succinyl group to an oxygen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016751': { - 'name': 'S-succinyltransferase activity', - 'def': 'Catalysis of the transfer of a succinyl group to a sulfur atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016752': { - 'name': 'sinapoyltransferase activity', - 'def': 'Catalysis of the transfer of a sinapoyl group to an acceptor molecule. [GOC:ai]' - }, - 'GO:0016753': { - 'name': 'O-sinapoyltransferase activity', - 'def': 'Catalysis of the transfer of a sinapoyl group to an oxygen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0016754': { - 'name': 'sinapoylglucose-malate O-sinapoyltransferase activity', - 'def': 'Catalysis of the reaction: (S)-malate + 1-O-sinapoyl-beta-D-glucose = D-glucose + sinapoyl (S)-malate. [EC:2.3.1.92, RHEA:12628]' - }, - 'GO:0016755': { - 'name': 'transferase activity, transferring amino-acyl groups', - 'def': 'Catalysis of the transfer of an amino-acyl group from one compound (donor) to another (acceptor). [GOC:jl]' - }, - 'GO:0016756': { - 'name': 'glutathione gamma-glutamylcysteinyltransferase activity', - 'def': 'Catalysis of the reaction: glutathione + Glu(-Cys)(n)-Gly = Gly + Glu(-Cys)(n+1)-Gly. [EC:2.3.2.15]' - }, - 'GO:0016757': { - 'name': 'transferase activity, transferring glycosyl groups', - 'def': 'Catalysis of the transfer of a glycosyl group from one compound (donor) to another (acceptor). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016758': { - 'name': 'transferase activity, transferring hexosyl groups', - 'def': 'Catalysis of the transfer of a hexosyl group from one compound (donor) to another (acceptor). [GOC:jl]' - }, - 'GO:0016759': { - 'name': 'cellulose synthase activity', - 'def': 'Catalysis of the reaction: nucleoside-disphosphate-glucose + ((1,4)-beta-D-glucosyl)(n) = nucleoside-disphosphate + ((1,4)-beta-D-glucosyl)(n+1). [EC:2.4.1.12, EC:2.4.1.29]' - }, - 'GO:0016760': { - 'name': 'cellulose synthase (UDP-forming) activity', - 'def': 'Catalysis of the reaction: UDP-glucose + ((1,4)-beta-D-glucosyl)(n) = UDP + ((1,4)-beta-D-glucosyl)(n+1). [EC:2.4.1.12]' - }, - 'GO:0016761': { - 'name': 'cellulose synthase (GDP-forming) activity', - 'def': 'Catalysis of the reaction: GDP-glucose + ((1,4)-beta-D-glucosyl)(n) = GDP + ((1,4)-beta-D-glucosyl)(n+1). [EC:2.4.1.29]' - }, - 'GO:0016762': { - 'name': 'xyloglucan:xyloglucosyl transferase activity', - 'def': 'Catalysis of the cleavage of a beta-(1->4) bond in the backbone of a xyloglucan and transfers the xyloglucanyl segment on to O-4 of the non-reducing terminal glucose residue of an acceptor, which can be a xyloglucan or an oligosaccharide of xyloglucan. [EC:2.4.1.207]' - }, - 'GO:0016763': { - 'name': 'transferase activity, transferring pentosyl groups', - 'def': 'Catalysis of the transfer of a pentosyl group from one compound (donor) to another (acceptor). [GOC:jl]' - }, - 'GO:0016764': { - 'name': 'obsolete transferase activity, transferring other glycosyl groups', - 'def': 'OBSOLETE. Catalysis of the transfer of a glycosyl group, other than hexosyl or pentosyl, from one compound (donor) to another (acceptor). [GOC:jl]' - }, - 'GO:0016765': { - 'name': 'transferase activity, transferring alkyl or aryl (other than methyl) groups', - 'def': 'Catalysis of the transfer of an alkyl or aryl (but not methyl) group from one compound (donor) to another (acceptor). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016767': { - 'name': 'geranylgeranyl-diphosphate geranylgeranyltransferase activity', - 'def': 'Catalysis of the reaction: 2 geranylgeranyl diphosphate = diphosphate + prephytoene diphosphate. [EC:2.5.1.32]' - }, - 'GO:0016768': { - 'name': 'spermine synthase activity', - 'def': "Catalysis of the reaction: S-adenosylmethioninamine + spermidine = 5'-methylthioadenosine + spermine. [EC:2.5.1.22]" - }, - 'GO:0016769': { - 'name': 'transferase activity, transferring nitrogenous groups', - 'def': 'Catalysis of the transfer of a nitrogenous group from one compound (donor) to another (acceptor). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016770': { - 'name': 'oximinotransaminase activity', - 'def': 'Catalysis of the reversible transfer of an oxime group to an acceptor. [GOC:ai]' - }, - 'GO:0016771': { - 'name': 'obsolete transferase activity, transferring other nitrogenous groups', - 'def': 'OBSOLETE. Catalysis of the transfer of a nitrogenous group, other than amino, amidino or oxime, from one compound (donor) to another (acceptor). [GOC:ai]' - }, - 'GO:0016772': { - 'name': 'transferase activity, transferring phosphorus-containing groups', - 'def': 'Catalysis of the transfer of a phosphorus-containing group from one compound (donor) to another (acceptor). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016773': { - 'name': 'phosphotransferase activity, alcohol group as acceptor', - 'def': 'Catalysis of the transfer of a phosphorus-containing group from one compound (donor) to an alcohol group (acceptor). [GOC:jl]' - }, - 'GO:0016774': { - 'name': 'phosphotransferase activity, carboxyl group as acceptor', - 'def': 'Catalysis of the transfer of a phosphorus-containing group from one compound (donor) to a carboxyl group (acceptor). [GOC:jl]' - }, - 'GO:0016775': { - 'name': 'phosphotransferase activity, nitrogenous group as acceptor', - 'def': 'Catalysis of the transfer of a phosphorus-containing group from one compound (donor) to a nitrogenous group (acceptor). [GOC:jl]' - }, - 'GO:0016776': { - 'name': 'phosphotransferase activity, phosphate group as acceptor', - 'def': 'Catalysis of the transfer of a phosphorus-containing group from one compound (donor) to a phosphate group (acceptor). [GOC:jl]' - }, - 'GO:0016778': { - 'name': 'diphosphotransferase activity', - 'def': 'Catalysis of the transfer of a diphosphate group from one compound (donor) to a another (acceptor). [GOC:jl, http://www.chem.qmul.ac.uk/iubmb/enzyme/EC2/intro.html]' - }, - 'GO:0016779': { - 'name': 'nucleotidyltransferase activity', - 'def': 'Catalysis of the transfer of a nucleotidyl group to a reactant. [ISBN:0198506732]' - }, - 'GO:0016780': { - 'name': 'phosphotransferase activity, for other substituted phosphate groups', - 'def': 'Catalysis of the transfer of a substituted phosphate group, other than diphosphate or nucleotidyl residues, from one compound (donor) to a another (acceptor). [GOC:jl, http://www.chem.qmul.ac.uk/iubmb/enzyme/EC2/intro.html]' - }, - 'GO:0016781': { - 'name': 'phosphotransferase activity, paired acceptors', - 'def': 'Catalysis of the transfer of two phosphate groups from a donor, such as ATP, to two different acceptors. [GOC:jl, http://www.chem.qmul.ac.uk/iubmb/enzyme/EC2/intro.html]' - }, - 'GO:0016782': { - 'name': 'transferase activity, transferring sulfur-containing groups', - 'def': 'Catalysis of the transfer of a sulfur-containing group from one compound (donor) to another (acceptor). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016783': { - 'name': 'sulfurtransferase activity', - 'def': 'Catalysis of the transfer of sulfur atoms from one compound (donor) to another (acceptor). [GOC:ai, ISBN:0721662544]' - }, - 'GO:0016784': { - 'name': '3-mercaptopyruvate sulfurtransferase activity', - 'def': 'Catalysis of the reaction: 3-mercaptopyruvate + cyanide = pyruvate + thiocyanate. [EC:2.8.1.2]' - }, - 'GO:0016785': { - 'name': 'transferase activity, transferring selenium-containing groups', - 'def': 'Catalysis of the transfer of a selenium-containing group from one compound (donor) to another (acceptor). [GOC:jl, ISBN:0198506732]' - }, - 'GO:0016787': { - 'name': 'hydrolase activity', - 'def': 'Catalysis of the hydrolysis of various bonds, e.g. C-O, C-N, C-C, phosphoric anhydride bonds, etc. Hydrolase is the systematic name for any enzyme of EC class 3. [ISBN:0198506732]' - }, - 'GO:0016788': { - 'name': 'hydrolase activity, acting on ester bonds', - 'def': 'Catalysis of the hydrolysis of any ester bond. [GOC:jl]' - }, - 'GO:0016790': { - 'name': 'thiolester hydrolase activity', - 'def': "Catalysis of the reaction: RCO-SR' + H2O = RCOOH + HSR'. This reaction is the hydrolysis of a thiolester bond, an ester formed from a carboxylic acid and a thiol (i.e., RCO-SR'), such as that found in acetyl-coenzyme A. [http://www.onelook.com]" - }, - 'GO:0016791': { - 'name': 'phosphatase activity', - 'def': 'Catalysis of the hydrolysis of phosphoric monoesters, releasing inorganic phosphate. [EC:3.1.3, EC:3.1.3.41, GOC:curators, GOC:pg]' - }, - 'GO:0016793': { - 'name': 'triphosphoric monoester hydrolase activity', - 'def': 'Catalysis of the hydrolysis of a triphosphoester to give a triphosphate group and a free hydroxyl group. [GOC:ai]' - }, - 'GO:0016794': { - 'name': 'diphosphoric monoester hydrolase activity', - 'def': 'Catalysis of the hydrolysis of a diphosphoester to give a diphosphate group and a free hydroxyl group. [GOC:ai]' - }, - 'GO:0016795': { - 'name': 'phosphoric triester hydrolase activity', - 'def': 'Catalysis of the hydrolysis of a phosphoric triester. [EC:3.1.8, GOC:curators]' - }, - 'GO:0016796': { - 'name': "exonuclease activity, active with either ribo- or deoxyribonucleic acids and producing 5'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within nucleic acids by removing nucleotide residues from the 3' or 5' end to yield 5' phosphomonoesters. [GOC:mah]" - }, - 'GO:0016797': { - 'name': "exonuclease activity, active with either ribo- or deoxyribonucleic acids and producing 3'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within nucleic acids by removing nucleotide residues from the 3' or 5' end to yield 3' phosphomonoesters. [GOC:mah]" - }, - 'GO:0016798': { - 'name': 'hydrolase activity, acting on glycosyl bonds', - 'def': 'Catalysis of the hydrolysis of any glycosyl bond. [GOC:jl]' - }, - 'GO:0016799': { - 'name': 'hydrolase activity, hydrolyzing N-glycosyl compounds', - 'def': 'Catalysis of the hydrolysis of any N-glycosyl bond. [GOC:jl]' - }, - 'GO:0016801': { - 'name': 'hydrolase activity, acting on ether bonds', - 'def': 'Catalysis of the hydrolysis of any ether or thioether bond, -O- or -S- respectively. [GOC:ai, GOC:jl]' - }, - 'GO:0016802': { - 'name': 'trialkylsulfonium hydrolase activity', - 'def': 'Catalysis of the hydrolysis of a thioether bond, -S-. [EC:3.3.1.-, GOC:ai]' - }, - 'GO:0016803': { - 'name': 'ether hydrolase activity', - 'def': 'Catalysis of the hydrolysis of an ether bond, -O-. [EC:3.3.2.-, GOC:ai]' - }, - 'GO:0016804': { - 'name': 'obsolete prolyl aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of a N-terminal proline from a peptide. [EC:3.4.11.5]' - }, - 'GO:0016805': { - 'name': 'dipeptidase activity', - 'def': 'Catalysis of the hydrolysis of a dipeptide. [http://www.onelook.com]' - }, - 'GO:0016806': { - 'name': 'obsolete dipeptidyl-peptidase and tripeptidyl-peptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of N-terminal di- or tripeptides from a polypeptide chain. [GOC:ai]' - }, - 'GO:0016807': { - 'name': 'cysteine-type carboxypeptidase activity', - 'def': 'Catalysis of the hydrolysis of C-terminal peptide bonds in a polypeptide chain by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CARBOXYPEPTIDASE, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE]' - }, - 'GO:0016808': { - 'name': 'obsolete proprotein convertase activity', - 'def': 'OBSOLETE. Was not defined before being made obsolete. [GOC:mah]' - }, - 'GO:0016810': { - 'name': 'hydrolase activity, acting on carbon-nitrogen (but not peptide) bonds', - 'def': 'Catalysis of the hydrolysis of any carbon-nitrogen bond, C-N, with the exception of peptide bonds. [GOC:jl]' - }, - 'GO:0016811': { - 'name': 'hydrolase activity, acting on carbon-nitrogen (but not peptide) bonds, in linear amides', - 'def': 'Catalysis of the hydrolysis of any non-peptide carbon-nitrogen bond in a linear amide. [GOC:ai]' - }, - 'GO:0016812': { - 'name': 'hydrolase activity, acting on carbon-nitrogen (but not peptide) bonds, in cyclic amides', - 'def': 'Catalysis of the hydrolysis of any non-peptide carbon-nitrogen bond in a cyclic amide. [GOC:ai]' - }, - 'GO:0016813': { - 'name': 'hydrolase activity, acting on carbon-nitrogen (but not peptide) bonds, in linear amidines', - 'def': 'Catalysis of the hydrolysis of any non-peptide carbon-nitrogen bond in a linear amidine, a compound of the form R-C(=NH)-NH2. [ISBN:0198506732]' - }, - 'GO:0016814': { - 'name': 'hydrolase activity, acting on carbon-nitrogen (but not peptide) bonds, in cyclic amidines', - 'def': 'Catalysis of the hydrolysis of any non-peptide carbon-nitrogen bond in a cyclic amidine, a compound of the form R-C(=NH)-NH2. [ISBN:0198506732]' - }, - 'GO:0016815': { - 'name': 'hydrolase activity, acting on carbon-nitrogen (but not peptide) bonds, in nitriles', - 'def': 'Catalysis of the hydrolysis of any non-peptide carbon-nitrogen bond in a nitrile, a compound containing the cyano radical, -CN. [http://www.onelook.com/]' - }, - 'GO:0016816': { - 'name': 'obsolete hydrolase activity, acting on carbon-nitrogen (but not peptide) bonds, in other compounds', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of any non-peptide carbon-nitrogen bond in substances other than amides, amidines and nitriles. [GOC:ai]' - }, - 'GO:0016817': { - 'name': 'hydrolase activity, acting on acid anhydrides', - 'def': 'Catalysis of the hydrolysis of any acid anhydride. [GOC:jl]' - }, - 'GO:0016818': { - 'name': 'hydrolase activity, acting on acid anhydrides, in phosphorus-containing anhydrides', - 'def': 'Catalysis of the hydrolysis of any acid anhydride which contains phosphorus. [GOC:jl]' - }, - 'GO:0016819': { - 'name': 'hydrolase activity, acting on acid anhydrides, in sulfonyl-containing anhydrides', - 'def': 'Catalysis of the hydrolysis of any acid anhydride which contains a sulfonyl group, -SO2-. [GOC:ai]' - }, - 'GO:0016820': { - 'name': 'hydrolase activity, acting on acid anhydrides, catalyzing transmembrane movement of substances', - 'def': 'Catalysis of the hydrolysis of an acid anhydride to directly drive the transport of a substance across a membrane. [GOC:mah]' - }, - 'GO:0016821': { - 'name': 'obsolete hydrolase activity, acting on acid anhydrides, involved in cellular and subcellular movement', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016822': { - 'name': 'hydrolase activity, acting on acid carbon-carbon bonds', - 'def': 'Catalysis of the hydrolysis of any acid carbon-carbon bond. [GOC:jl]' - }, - 'GO:0016823': { - 'name': 'hydrolase activity, acting on acid carbon-carbon bonds, in ketonic substances', - 'def': 'Catalysis of the hydrolysis of any acid carbon-carbon bond in a ketonic substance, a substance containing a keto (C=O) group. [GOC:ai]' - }, - 'GO:0016824': { - 'name': 'hydrolase activity, acting on acid halide bonds', - 'def': 'Catalysis of the hydrolysis of any acid halide bond. [GOC:jl]' - }, - 'GO:0016825': { - 'name': 'hydrolase activity, acting on acid phosphorus-nitrogen bonds', - 'def': 'Catalysis of the hydrolysis of any acid phosphorus-nitrogen bond. [GOC:jl]' - }, - 'GO:0016826': { - 'name': 'hydrolase activity, acting on acid sulfur-nitrogen bonds', - 'def': 'Catalysis of the hydrolysis of any acid sulfur-nitrogen bond. [GOC:jl]' - }, - 'GO:0016827': { - 'name': 'hydrolase activity, acting on acid carbon-phosphorus bonds', - 'def': 'Catalysis of the hydrolysis of any acid carbon-phosphorus bond. [GOC:jl]' - }, - 'GO:0016828': { - 'name': 'hydrolase activity, acting on acid sulfur-sulfur bonds', - 'def': 'Catalysis of the hydrolysis of any acid sulfur-sulfur bond. [GOC:jl]' - }, - 'GO:0016829': { - 'name': 'lyase activity', - 'def': 'Catalysis of the cleavage of C-C, C-O, C-N and other bonds by other means than by hydrolysis or oxidation, or conversely adding a group to a double bond. They differ from other enzymes in that two substrates are involved in one reaction direction, but only one in the other direction. When acting on the single substrate, a molecule is eliminated and this generates either a new double bond or a new ring. [EC:4.-.-.-, ISBN:0198547684]' - }, - 'GO:0016830': { - 'name': 'carbon-carbon lyase activity', - 'def': 'Catalysis of the cleavage of C-C bonds by other means than by hydrolysis or oxidation, or conversely adding a group to a double bond. [GOC:jl]' - }, - 'GO:0016831': { - 'name': 'carboxy-lyase activity', - 'def': 'Catalysis of the nonhydrolytic addition or removal of a carboxyl group to or from a compound. [http://www.mercksource.com/]' - }, - 'GO:0016832': { - 'name': 'aldehyde-lyase activity', - 'def': 'Catalysis of the cleavage of a C-C bond in a molecule containing a hydroxyl group and a carbonyl group to form two smaller molecules, each being an aldehyde or a ketone. [http://www.mercksource.com/]' - }, - 'GO:0016833': { - 'name': 'oxo-acid-lyase activity', - 'def': 'Catalysis of the cleavage of a C-C bond by other means than by hydrolysis or oxidation, of a 3-hydroxy acid. [EC:4.1.3, GOC:jl]' - }, - 'GO:0016834': { - 'name': 'obsolete other carbon-carbon lyase activity', - 'def': 'OBSOLETE. A grouping term for carbon-carbon lyases that cannot be more accurately categorized. [GOC:ai]' - }, - 'GO:0016835': { - 'name': 'carbon-oxygen lyase activity', - 'def': 'Catalysis of the breakage of a carbon-oxygen bond. [EC:4.2.-.-]' - }, - 'GO:0016836': { - 'name': 'hydro-lyase activity', - 'def': 'Catalysis of the cleavage of a carbon-oxygen bond by elimination of water. [EC:4.2.1]' - }, - 'GO:0016837': { - 'name': 'carbon-oxygen lyase activity, acting on polysaccharides', - 'def': 'Catalysis of the cleavage of a carbon-oxygen bond by the elimination of an alcohol from a polysaccharide. [EC:4.2.-.-]' - }, - 'GO:0016838': { - 'name': 'carbon-oxygen lyase activity, acting on phosphates', - 'def': 'Catalysis of the cleavage of a carbon-oxygen bond by elimination of a phosphate. [EC:4.2.-.-]' - }, - 'GO:0016839': { - 'name': 'obsolete other carbon-oxygen lyase activity', - 'def': "OBSOLETE. Catalysis of the cleavage of a carbon-oxygen bond. Enzymes with this activity are 'miscellaneous' carbon-oxygen lyases that cannot be grouped into one of the specific subclasses of the carbon-oxygen lyases. [GOC:krc]" - }, - 'GO:0016840': { - 'name': 'carbon-nitrogen lyase activity', - 'def': 'Catalysis of the release of ammonia or one of its derivatives, with the formation of a double bond or ring. Enzymes with this activity may catalyze the actual elimination of the ammonia, amine or amide, e.g. CH-CH(-NH-R) = C=CH- + NH2-R. Others, however, catalyze elimination of another component, e.g. water, which is followed by spontaneous reactions that lead to breakage of the C-N bond, e.g. L-serine ammonia-lyase (EC:4.3.1.17), so that the overall reaction is C(-OH)-CH(-NH2) = CH2-CO- + NH3, i.e. an elimination with rearrangement. The sub-subclasses of EC:4.3 are the ammonia-lyases (EC:4.3.1), lyases acting on amides, amidines, etc. (EC:4.3.2), the amine-lyases (EC:4.3.3), and other carbon-nitrogen lyases (EC:4.3.99). [EC:4.3.-.-]' - }, - 'GO:0016841': { - 'name': 'ammonia-lyase activity', - 'def': 'Catalysis of the release of ammonia by the cleavage of a carbon-nitrogen bond or the reverse reaction with ammonia as a substrate. [EC:4.3.-.-, GOC:krc]' - }, - 'GO:0016842': { - 'name': 'amidine-lyase activity', - 'def': 'Catalysis of the release of amides or amidines by the cleavage of a carbon-nitrogen bond or the reverse reaction with an amide or amidine as a substrate. [EC:4.3.-.-, GOC:krc]' - }, - 'GO:0016843': { - 'name': 'amine-lyase activity', - 'def': 'Catalysis of the release of amides by the cleavage of a carbon-nitrogen bond or the reverse reaction with an amine as a substrate. [EC:4.3.-.-, GOC:krc]' - }, - 'GO:0016844': { - 'name': 'strictosidine synthase activity', - 'def': 'Catalysis of the reaction: 3alpha(S)-strictosidine + H(2)O = secologanin + tryptamine. [EC:4.3.3.2, RHEA:15016]' - }, - 'GO:0016845': { - 'name': 'obsolete other carbon-nitrogen lyase activity', - 'def': "OBSOLETE. Catalysis of the cleavage of a carbon-nitrogen bond. Enzymes with this activity are 'miscellaneous' carbon-nitrogen lyases that cannot be grouped into one of the specific subclasses of the carbon-nitrogen lyases. [GOC:krc]" - }, - 'GO:0016846': { - 'name': 'carbon-sulfur lyase activity', - 'def': 'Catalysis of the elimination of hydrogen sulfide or substituted H2S. [EC:4.4.-.-]' - }, - 'GO:0016847': { - 'name': '1-aminocyclopropane-1-carboxylate synthase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine(1+) = 1-aminocyclopropane-1-carboxylate + S-methyl-5'-thioadenosine + H(+). [EC:4.4.1.14, RHEA:21747]" - }, - 'GO:0016848': { - 'name': 'carbon-halide lyase activity', - 'def': 'Catalysis of the breakage of a bond between carbon and any halogen atom. [GOC:mah]' - }, - 'GO:0016849': { - 'name': 'phosphorus-oxygen lyase activity', - 'def': 'Catalysis of the cleavage of a phosphorus-oxygen bond by other means than by hydrolysis or oxidation, or conversely adding a group to a double bond. [GOC:jl]' - }, - 'GO:0016850': { - 'name': 'obsolete other lyase activity', - 'def': 'OBSOLETE. A grouping term for lyases that cannot be more accurately categorized. [GOC:ai]' - }, - 'GO:0016851': { - 'name': 'magnesium chelatase activity', - 'def': 'Catalysis of the reaction: ATP + H(2)O + Mg(2+) + protoporphyrin IX = ADP + 2 H(+) + magnesium protoporphyrin IX + phosphate. [EC:6.6.1.1, RHEA:13964]' - }, - 'GO:0016852': { - 'name': 'sirohydrochlorin cobaltochelatase activity', - 'def': 'Catalysis of the reaction: sirohydrochlorin + Co2+ = cobalt-sirohydrochlorin + 2 H+. [EC:4.99.1.3]' - }, - 'GO:0016853': { - 'name': 'isomerase activity', - 'def': 'Catalysis of the geometric or structural changes within one molecule. Isomerase is the systematic name for any enzyme of EC class 5. [ISBN:0198506732]' - }, - 'GO:0016854': { - 'name': 'racemase and epimerase activity', - 'def': 'Catalysis of a reaction that alters the configuration of one or more chiral centers in a molecule. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0016855': { - 'name': 'racemase and epimerase activity, acting on amino acids and derivatives', - 'def': 'Catalysis of a reaction that alters the configuration of one or more chiral centers in an amino acid. [GOC:mah]' - }, - 'GO:0016856': { - 'name': 'racemase and epimerase activity, acting on hydroxy acids and derivatives', - 'def': 'Catalysis of a reaction that alters the configuration of one or more chiral centers in a hydroxy acid molecule. [GOC:mah]' - }, - 'GO:0016857': { - 'name': 'racemase and epimerase activity, acting on carbohydrates and derivatives', - 'def': 'Catalysis of a reaction that alters the configuration of one or more chiral centers in a carbohydrate molecule. [GOC:mah]' - }, - 'GO:0016858': { - 'name': 'obsolete racemase and epimerase activity, acting on other compounds', - 'def': 'OBSOLETE. Racemase and epimerase activity on compounds other than amino acids, hydroxy acids, carbohydrates or their derivatives. [GOC:ai]' - }, - 'GO:0016859': { - 'name': 'cis-trans isomerase activity', - 'def': 'Catalysis of a reaction that interconverts cis and trans isomers. Atoms or groups are termed cis or trans to one another when they lie respectively on the same or on opposite sides of a reference plane identifiable as common among stereoisomers. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0016860': { - 'name': 'intramolecular oxidoreductase activity', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which the hydrogen donor and acceptor are the same molecule, and no oxidized product appears. [EC:5.3.-.-]' - }, - 'GO:0016861': { - 'name': 'intramolecular oxidoreductase activity, interconverting aldoses and ketoses', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which the hydrogen donor and acceptor, which is an aldose or a ketose, are the same molecule, and no oxidized product appears. [GOC:jl]' - }, - 'GO:0016862': { - 'name': 'intramolecular oxidoreductase activity, interconverting keto- and enol-groups', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which the hydrogen donor and acceptor, which is a keto- or an enol-group, are the same molecule, and no oxidized product appears. [GOC:jl]' - }, - 'GO:0016863': { - 'name': 'intramolecular oxidoreductase activity, transposing C=C bonds', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which the hydrogen donor and acceptor are the same molecule, one or more carbon-carbon double bonds in the molecule are rearranged, and no oxidized product appears. [EC:5.3.3, GOC:mah]' - }, - 'GO:0016864': { - 'name': 'intramolecular oxidoreductase activity, transposing S-S bonds', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which the hydrogen donor and acceptor are the same molecule, one or more sulfur-sulfur bonds in the molecule are rearranged, and no oxidized product appears. [EC:5.3.4, GOC:mah]' - }, - 'GO:0016865': { - 'name': 'obsolete intramolecular oxidoreductase activity, other intramolecular oxidoreductases', - 'def': 'OBSOLETE. A grouping term for intramolecular oxidoreductases that cannot be more accurately categorized. [GOC:ai]' - }, - 'GO:0016866': { - 'name': 'intramolecular transferase activity', - 'def': 'Catalysis of the transfer of a functional group from one position to another within a single molecule. [GOC:mah]' - }, - 'GO:0016867': { - 'name': 'intramolecular transferase activity, transferring acyl groups', - 'def': 'Catalysis of the transfer of an acyl group from one position to another within a single molecule. [GOC:mah]' - }, - 'GO:0016868': { - 'name': 'intramolecular transferase activity, phosphotransferases', - 'def': 'Catalysis of the transfer of a phosphate group from one position to another within a single molecule. [GOC:mah]' - }, - 'GO:0016869': { - 'name': 'intramolecular transferase activity, transferring amino groups', - 'def': 'Catalysis of the transfer of an amino group from one position to another within a single molecule. [GOC:mah]' - }, - 'GO:0016870': { - 'name': 'obsolete intramolecular transferase activity, transferring other groups', - 'def': 'OBSOLETE. A grouping term for intramolecular transferases that cannot be more accurately categorized. [GOC:ai]' - }, - 'GO:0016871': { - 'name': 'cycloartenol synthase activity', - 'def': 'Catalysis of the reaction: (S)-2,3-epoxysqualene = cycloartenol. [EC:5.4.99.8, RHEA:21311]' - }, - 'GO:0016872': { - 'name': 'intramolecular lyase activity', - 'def': 'The catalysis of certain rearrangements of a molecule to break or form a ring. [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0016873': { - 'name': 'obsolete other isomerase activity', - 'def': 'OBSOLETE. A grouping term for isomerases that cannot be more accurately categorized. [GOC:ai]' - }, - 'GO:0016874': { - 'name': 'ligase activity', - 'def': 'Catalysis of the joining of two substances, or two groups within a single molecule, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [EC:6, GOC:mah]' - }, - 'GO:0016875': { - 'name': 'ligase activity, forming carbon-oxygen bonds', - 'def': 'Catalysis of the joining of two molecules via a carbon-oxygen bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [EC:6.1, GOC:mah]' - }, - 'GO:0016876': { - 'name': 'ligase activity, forming aminoacyl-tRNA and related compounds', - 'def': 'Catalysis of the joining of an amino acid and a nucleic acid (usually tRNA) or poly(ribitol phosphate), with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. The reaction forms an aminoacyl-tRNA or a related compound. [EC:6.1.1, GOC:mah]' - }, - 'GO:0016877': { - 'name': 'ligase activity, forming carbon-sulfur bonds', - 'def': 'Catalysis of the joining of two molecules via a carbon-sulfur bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [EC:6.2, GOC:mah]' - }, - 'GO:0016878': { - 'name': 'acid-thiol ligase activity', - 'def': 'Catalysis of the joining of an acid and a thiol via a carbon-sulfur bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [EC:6.2.1, GOC:mah]' - }, - 'GO:0016879': { - 'name': 'ligase activity, forming carbon-nitrogen bonds', - 'def': 'Catalysis of the joining of two molecules, or two groups within a single molecule, via a carbon-nitrogen bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [EC:6.3, GOC:mah]' - }, - 'GO:0016880': { - 'name': 'acid-ammonia (or amide) ligase activity', - 'def': 'Catalysis of the ligation of an acid to ammonia (NH3) or an amide via a carbon-nitrogen bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [GOC:jl, GOC:mah]' - }, - 'GO:0016881': { - 'name': 'acid-amino acid ligase activity', - 'def': 'Catalysis of the ligation of an acid to an amino acid via a carbon-nitrogen bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [GOC:jl, GOC:mah]' - }, - 'GO:0016882': { - 'name': 'cyclo-ligase activity', - 'def': 'Catalysis of the joining of two groups within a single molecule via a carbon-nitrogen bond, forming heterocyclic ring, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [EC:6.3.3.1, EC:6.3.3.2, EC:6.3.3.4, GOC:jl, GOC:mah]' - }, - 'GO:0016883': { - 'name': 'obsolete other carbon-nitrogen ligase activity', - 'def': 'OBSOLETE. A grouping term for carbon-nitrogen ligases that cannot be more accurately categorized. [GOC:ai]' - }, - 'GO:0016884': { - 'name': 'carbon-nitrogen ligase activity, with glutamine as amido-N-donor', - 'def': 'Catalysis of the transfer of the amide nitrogen of glutamine to a variety of substrates. GATases catalyze two separate reactions at two active sites, which are located either on a single polypeptide chain or on different subunits. In the glutaminase reaction, glutamine is hydrolyzed to glutamate and ammonia, which is added to an acceptor substrate in the synthase reaction. [PMID:12360532]' - }, - 'GO:0016885': { - 'name': 'ligase activity, forming carbon-carbon bonds', - 'def': 'Catalysis of the joining of two molecules via a carbon-carbon bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [EC:6.4, GOC:jl, GOC:mah]' - }, - 'GO:0016886': { - 'name': 'ligase activity, forming phosphoric ester bonds', - 'def': 'Catalysis of the joining of two molecules, or two groups within a single molecule, via a phosphoric ester bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [EC:6.5, GOC:mah]' - }, - 'GO:0016887': { - 'name': 'ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate + 2 H+. May or may not be coupled to another reaction. [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0016888': { - 'name': "endodeoxyribonuclease activity, producing 5'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within deoxyribonucleic acids by creating internal breaks to yield 5'-phosphomonoesters. [GOC:ai]" - }, - 'GO:0016889': { - 'name': "endodeoxyribonuclease activity, producing 3'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within deoxyribonucleic acids by creating internal breaks to yield 3'-phosphomonoesters. [GOC:ai]" - }, - 'GO:0016890': { - 'name': 'site-specific endodeoxyribonuclease activity, specific for altered base', - 'def': 'Catalysis of the hydrolysis of ester linkages at specific sites within a deoxyribonucleic acid molecule by creating internal breaks. [GOC:jl]' - }, - 'GO:0016891': { - 'name': "endoribonuclease activity, producing 5'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within ribonucleic acids by creating internal breaks to yield 5'-phosphomonoesters. [GOC:ai]" - }, - 'GO:0016892': { - 'name': "endoribonuclease activity, producing 3'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within ribonucleic acids by creating internal breaks to yield 3'-phosphomonoesters. [GOC:ai]" - }, - 'GO:0016893': { - 'name': "endonuclease activity, active with either ribo- or deoxyribonucleic acids and producing 5'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within nucleic acids by creating internal breaks to yield 5'-phosphomonoesters. [GOC:mah]" - }, - 'GO:0016894': { - 'name': "endonuclease activity, active with either ribo- or deoxyribonucleic acids and producing 3'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within nucleic acids by creating internal breaks to yield 3'-phosphomonoesters. [GOC:mah]" - }, - 'GO:0016895': { - 'name': "exodeoxyribonuclease activity, producing 5'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within deoxyribonucleic acids by removing nucleotide residues from the 3' or 5' end to yield 5' phosphomonoesters. [GOC:ai]" - }, - 'GO:0016896': { - 'name': "exoribonuclease activity, producing 5'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within ribonucleic acids by removing nucleotide residues from the 3' or 5' end to yield 5' phosphomonoesters. [GOC:ai]" - }, - 'GO:0016897': { - 'name': "exoribonuclease activity, producing 3'-phosphomonoesters", - 'def': "Catalysis of the hydrolysis of ester linkages within ribonucleic acids by removing nucleotide residues from the 3' or 5' end to yield 3' phosphomonoesters. [GOC:ai]" - }, - 'GO:0016898': { - 'name': 'oxidoreductase activity, acting on the CH-OH group of donors, cytochrome as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-OH group acts as a hydrogen or electron donor and reduces a cytochrome molecule. [GOC:ai]' - }, - 'GO:0016899': { - 'name': 'oxidoreductase activity, acting on the CH-OH group of donors, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-OH group acts as a hydrogen or electron donor and reduces an oxygen molecule. [GOC:ai]' - }, - 'GO:0016900': { - 'name': 'oxidoreductase activity, acting on the CH-OH group of donors, disulfide as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-OH group acts as a hydrogen or electron donor and reduces a disulfide molecule. [GOC:ai]' - }, - 'GO:0016901': { - 'name': 'oxidoreductase activity, acting on the CH-OH group of donors, quinone or similar compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-OH group acts as a hydrogen or electron donor and reduces a quinone or a similar acceptor molecule. [GOC:ai]' - }, - 'GO:0016902': { - 'name': 'obsolete oxidoreductase activity, acting on the CH-OH group of donors, other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which a CH-OH group acts as a hydrogen or electron donor and reduces an acceptor other than a cytochrome, disulfide, NAD, NADP, oxygen or a quinone or similar compound. [GOC:ai]' - }, - 'GO:0016903': { - 'name': 'oxidoreductase activity, acting on the aldehyde or oxo group of donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an aldehyde or ketone (oxo) group acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:ai]' - }, - 'GO:0016905': { - 'name': 'myosin heavy chain kinase activity', - 'def': 'Catalysis of the reaction: ATP + myosin-heavy-chain = ADP + myosin-heavy-chain phosphate. [EC:2.7.11.7]' - }, - 'GO:0016906': { - 'name': 'sterol 3-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a sterol = UDP + an O-glucosylsterol. [EC:2.4.1.173]' - }, - 'GO:0016907': { - 'name': 'G-protein coupled acetylcholine receptor activity', - 'def': 'Combining with acetylcholine and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:fj, GOC:mah]' - }, - 'GO:0016909': { - 'name': 'SAP kinase activity', - 'def': 'Catalysis of the phosphorylation of proteins. A family of protein kinases that perform a crucial step in relaying signals from the plasma membrane to the nucleus. Strongly activated by stress signals such as heat or osmotic shock, DNA-damaging agents, inhibitors of protein synthesis and pro-inflammatory cytokines. [GOC:ma]' - }, - 'GO:0016910': { - 'name': 'obsolete SAP kinase 3 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016911': { - 'name': 'obsolete SAP kinase 4 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016912': { - 'name': 'obsolete SAP kinase 5 activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0016913': { - 'name': 'follicle-stimulating hormone activity', - 'def': 'The action characteristic of follicle-stimulating hormone (FSH), a gonadotrophic glycoprotein hormone secreted, in mammals, by the anterior pituitary gland. Upon receptor binding, FSH stimulates growth of Graafian follicles in the ovaries in females, and stimulates the epithelium of the seminiferous tubules to increase spermatogenesis. [ISBN:0198547684]' - }, - 'GO:0016914': { - 'name': 'follicle-stimulating hormone complex', - 'def': 'A gonadotrophic glycoprotein hormone secreted, in mammals, by the anterior pituitary gland; consists of alpha and beta subunits, the latter of which confers hormonal specificity. [ISBN:0198547684]' - }, - 'GO:0016915': { - 'name': 'obsolete activin', - 'def': 'OBSOLETE. A nonsteroidal regulator, composed of two covalently linked beta subunits, that is synthesized in the pituitary gland and gonads and stimulates the secretion of follicle-stimulating hormone. [ISBN:0198506732, ISBN:0721662544]' - }, - 'GO:0016916': { - 'name': 'obsolete inhibin', - 'def': 'OBSOLETE. Either of two glycoproteins (designated A and B), secreted by the gonads and present in seminal plasma and follicular fluid, that inhibit pituitary production of follicle-stimulating hormone. [ISBN:0198506732, ISBN:0721662544]' - }, - 'GO:0016917': { - 'name': 'GABA receptor activity', - 'def': 'Combining with gamma-aminobutyric acid (GABA), and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. (GABA, 4-aminobutyrate) is an amino acid which acts as a neurotransmitter in some organisms. [GOC:jl, GOC:signaling, PMID:10637650]' - }, - 'GO:0016918': { - 'name': 'retinal binding', - 'def': 'Interacting selectively and non-covalently with retinal, one of the forms of vitamin A. Retinal plays an important role in the visual process in most vertebrates, combining with opsins to form visual pigments in the retina. [CHEBI:15035, GOC:curators, ISBN:0198506732]' - }, - 'GO:0016919': { - 'name': 'obsolete nardilysin activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of polypeptides, preferably at the first bond of Xaa-Arg-Lys, and less commonly at the first bond of Arg-Arg-Xaa, in which Xaa is not Arg or Lys. [EC:3.4.24.61]' - }, - 'GO:0016920': { - 'name': 'pyroglutamyl-peptidase activity', - 'def': 'Catalysis of the release of the N-terminal pyroglutamyl group from a peptide or protein. [EC:3.4.19.3, EC:3.4.19.6, GOC:mah]' - }, - 'GO:0016921': { - 'name': 'obsolete pyroglutamyl-peptidase II activity', - 'def': 'OBSOLETE. Catalysis of the release of the N-terminal pyroglutamyl group from pGlu-His-Xaa tripeptides and pGlu-His-Xaa-Gly tetrapeptides. [EC:3.4.19.6]' - }, - 'GO:0016922': { - 'name': 'ligand-dependent nuclear receptor binding', - 'def': 'Interacting selectively and non-covalently, in a ligand dependent manner, with a nuclear receptor protein. [GOC:mah, PMID:7776974]' - }, - 'GO:0016923': { - 'name': 'obsolete ligand-dependent thyroid hormone receptor interactor activity', - 'def': 'OBSOLETE. Ligand dependent interaction with the thyroid hormone receptor. [PMID:7776974]' - }, - 'GO:0016925': { - 'name': 'protein sumoylation', - 'def': 'The process in which a SUMO protein (small ubiquitin-related modifier) is conjugated to a target protein via an isopeptide bond between the carboxyl terminus of SUMO with an epsilon-amino group of a lysine residue of the target protein. [GOC:jl, PMID:11265250]' - }, - 'GO:0016926': { - 'name': 'protein desumoylation', - 'def': 'The process in which a SUMO protein (small ubiquitin-related modifier) is cleaved from its target protein. [GOC:jl, PMID:11265250]' - }, - 'GO:0016929': { - 'name': 'SUMO-specific protease activity', - 'def': 'Catalysis of the hydrolysis of SUMO, a small ubiquitin-related modifier, from previously sumoylated substrates. [GOC:rn, PMID:10094048, PMID:11031248, PMID:11265250]' - }, - 'GO:0016933': { - 'name': 'extracellular-glycine-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when extracellular glycine has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0016934': { - 'name': 'extracellular-glycine-gated chloride channel activity', - 'def': 'Enables the transmembrane transfer of a chloride ion by a channel that opens when extracellular glycine has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0016935': { - 'name': 'glycine-gated chloride channel complex', - 'def': 'A protein complex that forms a transmembrane channel through which chloride ions may pass in response to glycine binding to the channel complex or one of its constituent parts. [GOC:mah]' - }, - 'GO:0016936': { - 'name': 'galactoside binding', - 'def': 'Interacting selectively and non-covalently with any glycoside in which the sugar group is galactose. [CHEBI:24163, GOC:jl, ISBN:0198506732]' - }, - 'GO:0016937': { - 'name': 'short-branched-chain-acyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + acceptor = 2,3-dehydroacyl-CoA + reduced acceptor, where the acyl group is a short branched chain fatty acid residue. [GOC:mah]' - }, - 'GO:0016938': { - 'name': 'kinesin I complex', - 'def': 'A complex of two kinesin heavy chains and two kinesin light chains. [http://www.csfic.mi.cnr.it/centro/lines/8/ric.html]' - }, - 'GO:0016939': { - 'name': 'kinesin II complex', - 'def': 'A complex consisting of two distinct motor subunits that form a heterodimer complexed with a third non-motor accessory subunit, the kinesin associated protein or KAP; the KIF3 heterodimer interacts via its C-terminal portion with KAP, which is thought to regulate the binding of the motor to cargo membranes. [http://www.csfic.mi.cnr.it/centro/lines/8/ric.html]' - }, - 'GO:0016941': { - 'name': 'natriuretic peptide receptor activity', - 'def': 'Combining with a natriuretic peptide and transmitting the signal to initiate a change in cell activity. [GOC:mah, GOC:signaling]' - }, - 'GO:0016942': { - 'name': 'insulin-like growth factor binding protein complex', - 'def': 'A complex of proteins which includes the insulin-like growth factor (IGF) and a number of IGF-binding proteins. The complex plays a role in growth and development. [GOC:jl]' - }, - 'GO:0016943': { - 'name': 'obsolete RNA polymerase I transcription elongation factor activity', - 'def': 'OBSOLETE. Any activity that modulates the rate of transcription elongation, the addition of ribonucleotides to an RNA molecule catalyzed by RNA polymerase I following transcription initiation. [GOC:mah]' - }, - 'GO:0016944': { - 'name': 'obsolete RNA polymerase II transcription elongation factor activity', - 'def': 'OBSOLETE. Any activity that modulates the rate of transcription elongation, the addition of ribonucleotides to an RNA molecule catalyzed by RNA polymerase II following transcription initiation. [GOC:mah]' - }, - 'GO:0016945': { - 'name': 'obsolete RNA polymerase III transcription elongation factor activity', - 'def': 'OBSOLETE. Any activity that modulates the rate of transcription elongation, the addition of ribonucleotides to an RNA molecule catalyzed by RNA polymerase III following transcription initiation. [GOC:mah]' - }, - 'GO:0016946': { - 'name': 'obsolete cathepsin F activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds. Cleavage of substrates with Phe and Leu in P2. [EC:3.4.22.41]' - }, - 'GO:0016962': { - 'name': 'obsolete receptor-associated protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0016963': { - 'name': 'obsolete alpha-2 macroglobulin receptor-associated protein activity', - 'def': 'OBSOLETE. Interaction with the alpha-2 macroglobulin receptor and glycoprotein gp330 forming a complex with the alpha-2 macroglobulin receptor light and heavy chains. [GOC:curators]' - }, - 'GO:0016964': { - 'name': 'alpha-2 macroglobulin receptor activity', - 'def': 'Combining with alpha-2 macroglobulin and delivering alpha-2 macroglobulin into the cell via receptor-mediated endocytosis. [GOC:bf, GOC:ma, PMID:6188403]' - }, - 'GO:0016966': { - 'name': 'nitric oxide reductase activity', - 'def': 'Catalysis of the reaction: H(2)O + 2 ferricytochrome c + nitrous oxide = 2 H(+) + 2 ferrocytochrome c + 2 nitric oxide. [EC:1.7.2.5]' - }, - 'GO:0016969': { - 'name': 'obsolete hemerythrin', - 'def': 'OBSOLETE. An oxygen carrier found in a few groups of invertebrates, e.g. sipunculid worms, certain molluscs, and crustaceans. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0016970': { - 'name': 'obsolete hemocyanin', - 'def': 'OBSOLETE. A blue, copper-containing oxygen carrier present in many molluscs and arthropods. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0016971': { - 'name': 'flavin-linked sulfhydryl oxidase activity', - 'def': 'Catalysis of the formation of disulfide bridges. [PMID:10899311]' - }, - 'GO:0016972': { - 'name': 'thiol oxidase activity', - 'def': "Catalysis of the reaction: 4 R'C(R)SH + O2 = 2 R'C(R)S-S(R)CR' + 2 H2O. [EC:1.8.3.2]" - }, - 'GO:0016973': { - 'name': 'poly(A)+ mRNA export from nucleus', - 'def': 'The directed movement of poly(A)+ mRNA out of the nucleus into the cytoplasm. [GOC:ai]' - }, - 'GO:0016975': { - 'name': 'obsolete alpha-2 macroglobulin', - 'def': 'OBSOLETE. Inhibition of proteinase by a mechanism involving a bait region which contains specific sites, cleavage of which induces a conformational change that results in trapping of the proteinase; following cleavage in the bait region a thiolester bond is hydrolyzed and mediates the covalent binding of the protein to the proteinase; subsequently epsilon-amino groups of the proteinase react with thiolester linkages in the inhibitor to form stable amide links; the entrapped proteinase can now only act on low molecular mass substrates. [ISBN:0198547684]' - }, - 'GO:0016977': { - 'name': 'chitosanase activity', - 'def': 'Catalysis of the endohydrolysis of beta-1,4-linkages between N-acetyl-D-glucosamine and D-glucosamine residues in a partly acetylated chitosan. [EC:3.2.1.132]' - }, - 'GO:0016979': { - 'name': 'lipoate-protein ligase activity', - 'def': 'Catalysis of the formation of carbon-nitrogen bonds between lipoate (5-(1,2-dithiolan-3-yl)pentanoate) and a protein. [EC:6.3.4.-]' - }, - 'GO:0016980': { - 'name': 'creatinase activity', - 'def': 'Catalysis of the reaction: creatine + H(2)O = sarcosine + urea. [EC:3.5.3.3, RHEA:22459]' - }, - 'GO:0016984': { - 'name': 'ribulose-bisphosphate carboxylase activity', - 'def': 'Catalysis of the reaction: D-ribulose 1,5-bisphosphate + CO2 + H2O = 2 3-phospho-D-glycerate. [EC:4.1.1.39]' - }, - 'GO:0016985': { - 'name': 'mannan endo-1,4-beta-mannosidase activity', - 'def': 'Catalysis of the random hydrolysis of (1->4)-beta-D-mannosidic linkages in mannans, galactomannans, glucomannans, and galactoglucomannans. [EC:3.2.1.78]' - }, - 'GO:0016986': { - 'name': 'obsolete transcription initiation factor activity', - 'def': 'OBSOLETE. Plays a role in regulating transcription initiation. [GOC:curators]' - }, - 'GO:0016987': { - 'name': 'sigma factor activity', - 'def': 'A sigma factor is the promoter specificity subunit of eubacterial-type multisubunit RNA polymerases, those whose core subunit composition is often described as alpha(2)-beta-beta-prime. (This type of multisubunit RNA polymerase complex is known to be found in eubacteria and plant plastids). Although sigma does not bind DNA on its own, when combined with the core to form the holoenzyme, this binds specifically to promoter sequences, with the sigma factor making sequence specific contacts with the promoter elements. The sigma subunit is released from the elongating form of the polymerase and is thus free to act catalytically for multiple RNA polymerase core enzymes. [GOC:krc, GOC:txnOH]' - }, - 'GO:0016988': { - 'name': 'obsolete transcription initiation factor antagonist activity', - 'def': 'OBSOLETE. The function of binding to a transcription factor and stopping, preventing or reducing the rate of its transcriptional activity. [GOC:jl]' - }, - 'GO:0016989': { - 'name': 'sigma factor antagonist activity', - 'def': 'The function of binding to a sigma factor and stopping, preventing or reducing the rate of its transcriptional activity. [GOC:jl, GOC:txnOH, Wikipedia:Anti-sigma_factors]' - }, - 'GO:0016990': { - 'name': 'arginine deiminase activity', - 'def': 'Catalysis of the reaction: L-arginine + H2O = L-citrulline + NH3. [EC:3.5.3.6]' - }, - 'GO:0016992': { - 'name': 'lipoate synthase activity', - 'def': "Catalysis of the reaction: protein N6-(octanoyl)lysine + 2 sulfur + 2 S-adenosyl-L-methionine = protein N6-(lipoyl)lysine + 2 L-methionine + 2 5'-deoxyadenosyl. [EC:2.8.1.8, PMID:18307109]" - }, - 'GO:0016993': { - 'name': 'precorrin-8X methylmutase activity', - 'def': 'Catalysis of the reaction: precorrin-8X = hydrogenobyrinate. [EC:5.4.1.2]' - }, - 'GO:0016994': { - 'name': 'precorrin-6A reductase activity', - 'def': 'Catalysis of the reaction: precorrin-6B + NADP+ = precorrin-6A + NADPH + H+. [EC:1.3.1.54]' - }, - 'GO:0016995': { - 'name': 'cholesterol oxidase activity', - 'def': 'Catalysis of the reaction: cholesterol + O2 = cholest-5-en-3-one + H2O2. [EC:1.1.3.6, RHEA:21331]' - }, - 'GO:0016996': { - 'name': 'endo-alpha-(2,8)-sialidase activity', - 'def': 'Catalysis of the endohydrolysis of (2->8)-alpha-sialosyl linkages in oligo- or poly(sialic) acids. [EC:3.2.1.129]' - }, - 'GO:0016997': { - 'name': 'alpha-sialidase activity', - 'def': 'Catalysis of the hydrolysis of alpha-glycosidic linkages in oligo- or poly(sialic) acids. [GOC:mah]' - }, - 'GO:0016998': { - 'name': 'cell wall macromolecule catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of macromolecules that form part of a cell wall. [GOC:go_curators]' - }, - 'GO:0016999': { - 'name': 'antibiotic metabolic process', - 'def': 'The chemical reactions and pathways involving an antibiotic, a substance produced by or derived from certain fungi, bacteria, and other organisms, that can destroy or inhibit the growth of other microorganisms. [GOC:cab2]' - }, - 'GO:0017000': { - 'name': 'antibiotic biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an antibiotic, a substance produced by or derived from certain fungi, bacteria, and other organisms, that can destroy or inhibit the growth of other microorganisms. [GOC:go_curators]' - }, - 'GO:0017001': { - 'name': 'antibiotic catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of antibiotic, a substance produced by or derived from certain fungi, bacteria, and other organisms, that can destroy or inhibit the growth of other microorganisms. [GOC:go_curators]' - }, - 'GO:0017002': { - 'name': 'activin-activated receptor activity', - 'def': 'Combining with activin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. Activin is one of two gonadal glycoproteins related to transforming growth factor beta. [GOC:mah, GOC:signaling, ISBN:0198506732]' - }, - 'GO:0017003': { - 'name': 'protein-heme linkage', - 'def': 'The covalent linkage of heme and a protein. [GOC:ma]' - }, - 'GO:0017004': { - 'name': 'cytochrome complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a cytochrome complex. A cytochrome complex is a protein complex in which at least one of the proteins is a cytochrome, i.e. a heme-containing protein involved in catalysis of redox reactions. [GOC:jl, GOC:mah]' - }, - 'GO:0017005': { - 'name': "3'-tyrosyl-DNA phosphodiesterase activity", - 'def': "Catalysis of the hydrolysis of 3'-phosphotyrosyl groups formed as covalent intermediates (in DNA backbone breakage) between DNA topoisomerase I and DNA. [PMID:10521354, PMID:16751265]" - }, - 'GO:0017006': { - 'name': 'protein-tetrapyrrole linkage', - 'def': 'The covalent linking of a tetrapyrrole to a protein. [GOC:ai]' - }, - 'GO:0017007': { - 'name': 'protein-bilin linkage', - 'def': 'The covalent linkage of bilin and a protein. [GOC:ai]' - }, - 'GO:0017008': { - 'name': 'protein-phycobiliviolin linkage', - 'def': 'The linkage of the chromophore phycobiliviolin to phycoerythrocyanin. [RESID:AA0258]' - }, - 'GO:0017009': { - 'name': 'protein-phycocyanobilin linkage', - 'def': 'The linkage of the chromophore phycocyanobilin to phycocyanin or allophycocyanin. [RESID:AA0131]' - }, - 'GO:0017010': { - 'name': 'protein-phycourobilin linkage', - 'def': 'The linkage of the chromophore phycourobilin to phycoerythrins. [RESID:AA0260]' - }, - 'GO:0017011': { - 'name': 'protein-phycoerythrobilin linkage', - 'def': 'The linkage of the chromophore phycoerythrobilin to phycoerythrins. [RESID:AA0132, RESID:AA0259]' - }, - 'GO:0017012': { - 'name': 'protein-phytochromobilin linkage', - 'def': 'The linkage of the chromophore phytochromobilin to phycocyanin or allophycocyanin. [RESID:AA0133]' - }, - 'GO:0017013': { - 'name': 'protein flavinylation', - 'def': 'The addition of a flavin group to a protein amino acid. [GOC:ai]' - }, - 'GO:0017014': { - 'name': 'protein nitrosylation', - 'def': 'The covalent addition of a nitric oxide group to an amino acid within a protein. [GOC:ai, PMID:20972426]' - }, - 'GO:0017015': { - 'name': 'regulation of transforming growth factor beta receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of activity of any TGF-beta receptor signaling pathway. [GOC:mah]' - }, - 'GO:0017016': { - 'name': 'Ras GTPase binding', - 'def': 'Interacting selectively and non-covalently with any member of the Ras superfamily of monomeric GTPases. [GOC:mah]' - }, - 'GO:0017017': { - 'name': 'MAP kinase tyrosine/serine/threonine phosphatase activity', - 'def': 'Catalysis of the reaction: MAP kinase serine/threonine/tyrosine phosphate + H2O = MAP kinase serine/threonine/tyrosine + phosphate. [GOC:mah, PMID:12184814]' - }, - 'GO:0017018': { - 'name': 'myosin phosphatase activity', - 'def': 'Catalysis of the reaction: phosphomyosin + H2O = myosin + phosphate. [EC:3.1.3.16]' - }, - 'GO:0017020': { - 'name': 'myosin phosphatase regulator activity', - 'def': 'Modulation of the activity of the enzyme myosin phosphatase. [EC:3.1.3.16, GOC:ai]' - }, - 'GO:0017021': { - 'name': 'obsolete myosin phosphatase myosin binding', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0017022': { - 'name': 'myosin binding', - 'def': 'Interacting selectively and non-covalently with any part of a myosin complex; myosins are any of a superfamily of molecular motor proteins that bind to actin and use the energy of ATP hydrolysis to generate force and movement along actin filaments. [GOC:mah, http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0017023': { - 'name': 'myosin phosphatase complex', - 'def': 'An enzyme complex that catalyzes the removal of the phosphate group from phosphomyosin. [EC:3.1.3.16]' - }, - 'GO:0017024': { - 'name': 'myosin I binding', - 'def': 'Interacting selectively and non-covalently with a class I myosin; myosin I heavy chains are single-headed, possess tails of various lengths, and do not self-associate into bipolar filaments. [GOC:bf, GOC:mah, http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0017025': { - 'name': 'TBP-class protein binding', - 'def': 'Interacting selectively and non-covalently with a member of the class of TATA-binding proteins (TBP), including any of the TBP-related factors (TRFs). [GOC:jl, GOC:txnOH, http://www.mblab.gla.ac.uk/, PMID:16858867]' - }, - 'GO:0017026': { - 'name': 'obsolete procollagen C-endopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of the C-terminal propeptide at Ala-Asp in type I and II procollagens and at Arg-Asp in type III. [EC:3.4.24.19]' - }, - 'GO:0017027': { - 'name': 'obsolete transmembrane receptor protein serine/threonine kinase receptor-associated protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0017028': { - 'name': 'obsolete protein stabilization activity', - 'def': 'OBSOLETE. Strengthening of a bond between proteins. Proteins are large molecules composed of one or more chains of amino acids. The amino acids are joined in a specific order by peptide bonds. [GOC:jid, http://biotech.icmb.utexas.edu]' - }, - 'GO:0017029': { - 'name': 'obsolete lysosomal protein stabilization', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0017030': { - 'name': 'obsolete beta-galactosidase stabilization activity', - 'def': 'OBSOLETE. Stabilization of the structure of beta-galactosidase. [GOC:ai]' - }, - 'GO:0017032': { - 'name': 'potassium:amino acid symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: amino acid(out) + K+(out) = amino acid(in) + K+(in). [GOC:ai]' - }, - 'GO:0017034': { - 'name': 'Rap guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase of the Rap family. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:mah]' - }, - 'GO:0017038': { - 'name': 'protein import', - 'def': 'The targeting and directed movement of proteins into a cell or organelle. Not all import involves an initial targeting event. [GOC:ai]' - }, - 'GO:0017039': { - 'name': 'obsolete dipeptidyl-peptidase III activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal dipeptide from a peptide comprising four or more residues, with broad specificity; also acts on dipeptidyl 2-naphthylamides. [EC:3.4.14.4]' - }, - 'GO:0017040': { - 'name': 'ceramidase activity', - 'def': 'Catalysis of the reaction: N-acylsphingosine + H2O = a fatty acid + sphingosine. [EC:3.5.1.23]' - }, - 'GO:0017041': { - 'name': 'galactosylgalactosylglucosylceramidase activity', - 'def': 'Catalysis of the reaction: D-galactosyl-D-galactosyl-D-glucosyl-N-acylsphingosine + H2O = lactosyl-N-acylsphingosine + D-galactose. [EC:3.2.1.47]' - }, - 'GO:0017042': { - 'name': 'glycosylceramidase activity', - 'def': 'Catalysis of the reaction: glycosyl-N-acylsphingosine + H2O = a sugar + N-acylsphingosine. [EC:3.2.1.62]' - }, - 'GO:0017043': { - 'name': 'obsolete adrenocorticotropin', - 'def': 'OBSOLETE. A polypeptide hormone which stimulates the adrenal cortex to synthesize and secrete glucocorticoid hormones. [ISBN:0198506732]' - }, - 'GO:0017044': { - 'name': 'melanocyte-stimulating hormone activity', - 'def': 'The action characteristic of melanocyte-stimulating hormone, any of three peptide hormones that are produced by the intermediate lobe of the pituitary gland and, upon receptor binding, cause dispersal of melanosomes in melanophores of poikilothermic vertebrates. [ISBN:0198506732]' - }, - 'GO:0017045': { - 'name': 'corticotropin-releasing hormone activity', - 'def': 'The action characteristic of corticotropin-releasing hormone (CRH), any of a number of peptides released by the mammalian hypothalamus into the hypophyseal-portal circulation in response to neural and/or chemical stimuli. Upon receptor binding, CRH increases the rate of corticotropin secretion by the anterior pituitary. [ISBN:0198506732]' - }, - 'GO:0017046': { - 'name': 'peptide hormone binding', - 'def': 'Interacting selectively and non-covalently with any peptide with hormonal activity in animals. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0017048': { - 'name': 'Rho GTPase binding', - 'def': 'Interacting selectively and non-covalently with Rho protein, any member of the Rho subfamily of the Ras superfamily of monomeric GTPases. Proteins in the Rho subfamily are involved in relaying signals from cell-surface receptors to the actin cytoskeleton. [ISBN:0198547684, PMID:12581856]' - }, - 'GO:0017049': { - 'name': 'GTP-Rho binding', - 'def': 'Interacting selectively and non-covalently with the GTP-bound form of the Rho protein. [GOC:mah]' - }, - 'GO:0017050': { - 'name': 'D-erythro-sphingosine kinase activity', - 'def': 'Catalysis of the reaction: sphingosine + ATP = sphingosine 1-phosphate + ADP. [MetaCyc:RXN3DJ-11417]' - }, - 'GO:0017051': { - 'name': 'retinol dehydratase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + retinol = adenosine 3',5'-bisphosphate + anhydroretinol. [PMID:9857081]" - }, - 'GO:0017052': { - 'name': 'obsolete insulin-like growth factor binding protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0017053': { - 'name': 'transcriptional repressor complex', - 'def': 'A protein complex that possesses activity that prevents or downregulates transcription. [GOC:mah]' - }, - 'GO:0017054': { - 'name': 'negative cofactor 2 complex', - 'def': 'A heterodimeric protein complex that can stably associate with TATA-binding protein on promoters, thereby preventing the assembly of transcription factors TFIIA and TFIIB and leading to repression of RNA polymerase II transcription. The two subunits, NC2alpha (Drap1) and NC2beta (Dr1), dimerize through histone fold domains of the H2A/H2B type present in the amino termini. [PMID:15574413]' - }, - 'GO:0017055': { - 'name': 'negative regulation of RNA polymerase II transcriptional preinitiation complex assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of RNA polymerase II transcriptional preinitiation complex assembly. [GOC:go_curators]' - }, - 'GO:0017056': { - 'name': 'structural constituent of nuclear pore', - 'def': 'The action of a molecule that contributes to the structural integrity of the nuclear pore complex. [GOC:mah]' - }, - 'GO:0017057': { - 'name': '6-phosphogluconolactonase activity', - 'def': 'Catalysis of the reaction: 6-O-phosphono-D-glucono-1,5-lactone + H(2)O = 6-phospho-D-gluconate + H(+). [EC:3.1.1.31, RHEA:12559]' - }, - 'GO:0017058': { - 'name': 'FH1 domain binding', - 'def': 'Interacting selectively and non-covalently with a FH1 domain of a protein, a proline-rich domain, usually located in front of a FH2 domain. [GOC:go_curators]' - }, - 'GO:0017059': { - 'name': 'serine C-palmitoyltransferase complex', - 'def': 'An enzyme complex that catalyzes the transfer of a palmitoyl on to serine, forming 3-dehydro-D-sphinganine. [EC:2.3.1.50]' - }, - 'GO:0017060': { - 'name': '3-galactosyl-N-acetylglucosaminide 4-alpha-L-fucosyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-L-fucose + beta-D-galactosyl-(1,3)-N-acetyl-D-glucosaminyl-R = GDP + beta-D-galactosyl-(1,3)-[alpha-L-fucosyl-(1,4)]-N-acetyl-D-glucosaminyl-R. [EC:2.4.1.65]' - }, - 'GO:0017061': { - 'name': 'S-methyl-5-thioadenosine phosphorylase activity', - 'def': "Catalysis of the reaction: 5'-methylthioadenosine + phosphate = adenine + 5-methylthio-D-ribose 1-phosphate. [EC:2.4.2.28]" - }, - 'GO:0017062': { - 'name': 'respiratory chain complex III assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the cytochrome bc(1) complex, a transmembrane lipoprotein complex that it catalyzes the reduction of cytochrome c by accepting reducing equivalents from Coenzyme Q, by the aggregation, arrangement and bonding together of its constituents. [GOC:jl, http://www.brainyencyclopedia.com/]' - }, - 'GO:0017063': { - 'name': 'obsolete phosphatidylserine-specific phospholipase A1 activity', - 'def': 'OBSOLETE. Catalysis of the reaction: phosphatidylcholine + H2O = 2-acylglycerophosphocholine + a fatty acid anion. [EC:3.1.1.32]' - }, - 'GO:0017064': { - 'name': 'fatty acid amide hydrolase activity', - 'def': 'Catalysis of the hydrolysis of a fatty acid amide to yield a fatty acid. [PMID:15952893]' - }, - 'GO:0017065': { - 'name': 'single-strand selective uracil DNA N-glycosylase activity', - 'def': "Catalysis of the cleavage of the N-C1' glycosidic bond between the damaged DNA base and the deoxyribose sugar, releasing a free base and leaving an apyrimidinic (AP) site. Enzymes with this activity recognize and remove uracil bases present in single-stranded DNA. [GOC:elh, PMID:9224623]" - }, - 'GO:0017067': { - 'name': 'tyrosine-ester sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + L-tyrosine methyl ester = L-tyrosine methyl ester 4-sulfate + adenosine 3',5'-diphosphate + H(+). [EC:2.8.2.9, RHEA:19980]" - }, - 'GO:0017069': { - 'name': 'snRNA binding', - 'def': 'Interacting selectively and non-covalently with a small nuclear RNA (snRNA). [GOC:mah]' - }, - 'GO:0017070': { - 'name': 'U6 snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U6 small nuclear RNA (U6 snRNA). [GOC:mah]' - }, - 'GO:0017071': { - 'name': 'intracellular cyclic nucleotide activated cation channel complex', - 'def': 'A protein complex that forms a transmembrane channel through which cations ions may pass in response to an intracellular cyclic nucleotide binding to the channel complex or one of its constituent parts. [GOC:mah]' - }, - 'GO:0017072': { - 'name': 'obsolete tubulin-specific chaperone activity', - 'def': 'OBSOLETE. Assists in the correct, non-covalent assembly of tubulin-containing structures in vivo, but is not a component of the assembled structures when performing its normal biological function. [GOC:jl, PMID:11847227]' - }, - 'GO:0017074': { - 'name': 'obsolete procollagen N-endopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of the N-propeptide of collagen chain alpha-1(I) at Pro-Gln and of alpha-1(II) and alpha-2(I) chains at Ala-Gln. [EC:3.4.24.14]' - }, - 'GO:0017075': { - 'name': 'syntaxin-1 binding', - 'def': 'Interacting selectively and non-covalently with the SNAP receptor syntaxin-1. [GOC:ai]' - }, - 'GO:0017076': { - 'name': 'purine nucleotide binding', - 'def': 'Interacting selectively and non-covalently with purine nucleotides, any compound consisting of a purine nucleoside esterified with (ortho)phosphate. [GOC:ai]' - }, - 'GO:0017077': { - 'name': 'oxidative phosphorylation uncoupler activity', - 'def': 'Catalysis of the transfer of protons from mitochondrial intermembrane space into mitochondrial matrix, dissipating the proton gradient across the mitochondrial inner membrane established by the electron transport chain during the oxidative phosphorylation (proton leak). Proton leak uncouples the processes of electron transport/proton generation and ATP synthesis. [PMID:15738989, PMID:16179945]' - }, - 'GO:0017078': { - 'name': 'obsolete Hsc70 protein regulator activity', - 'def': 'OBSOLETE. Binds to and modulates the activity of the molecular chaperone Hsc70. [GOC:jl, PMID:11121403]' - }, - 'GO:0017080': { - 'name': 'sodium channel regulator activity', - 'def': 'Modulates the activity of a sodium channel. [GOC:mah]' - }, - 'GO:0017081': { - 'name': 'chloride channel regulator activity', - 'def': 'Modulates the activity of a chloride channel. [GOC:mah]' - }, - 'GO:0017082': { - 'name': 'mineralocorticoid receptor activity', - 'def': 'Combining with a mineralocorticoid and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. [GOC:signaling, PMID:20932876]' - }, - 'GO:0017083': { - 'name': '4-galactosyl-N-acetylglucosaminide 3-alpha-L-fucosyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-beta-L-fucose + beta-D-galactosyl-(1,4)-N-acetyl-D-glucosaminyl-R = GDP + 1,4-beta-D-galactosyl-(1,4)-[alpha-L-fucosyl-(1,4)]-N-acetyl-D-glucosaminyl-R. [EC:2.4.1.152]' - }, - 'GO:0017084': { - 'name': 'delta1-pyrroline-5-carboxylate synthetase activity', - 'def': 'Catalysis of the reaction: L-glutamate + ATP + NADPH = ADP + L-glutamate gamma-semialdehyde + NADP+ + phosphate. [MetaCyc:PROLINE-MULTI]' - }, - 'GO:0017085': { - 'name': 'response to insecticide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an insecticide stimulus. Insecticides are chemicals used to kill insects. [GOC:curators]' - }, - 'GO:0017086': { - 'name': '3-methyl-2-oxobutanoate dehydrogenase (lipoamide) complex', - 'def': 'A protein complex that catalyzes the reaction 3-methyl-2-oxobutanoate + lipoamide = S-(2-methylpropanoyl)-dihydrolipoamide + carbon dioxide (CO2). This requires thiamine diphosphate; the enzyme also acts on (S)-3-methyl-2-oxopentanoate and 4-methyl-2-oxo-pentanoate. [EC:1.2.4.4]' - }, - 'GO:0017087': { - 'name': 'mitochondrial processing peptidase complex', - 'def': 'A protein complex that consists of a catalytic alpha subunit (alpha-MPP) and a regulatory beta subunit (beta-MPP), and catalyzes the release of N-terminal targeting peptides from precursor proteins imported into the mitochondrion. [BRENDA:3.4.24.64, EC:3.4.24.64, GOC:mah]' - }, - 'GO:0017088': { - 'name': 'obsolete X-Pro dipeptidyl-peptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of the terminal bond of Xaa-Pro-Xaa motifs to release unblocked, N-terminal dipeptides from substrates including Ala-Pro-para-nitroanilide and (sequentially, at the second, fourth and sixth bonds) of the motif Tyr-Pro-Phe-Pro-Gly-Pro-Ile. [EC:3.4.14.11]' - }, - 'GO:0017089': { - 'name': 'glycolipid transporter activity', - 'def': 'Enables the directed movement of glycolipids, compounds containing (usually) 1-4 linked monosaccharide residues joined by a glycosyl linkage to a lipid, into, out of or within a cell, or between cells. [GOC:ai]' - }, - 'GO:0017090': { - 'name': 'meprin A complex', - 'def': 'A protein complex that is located in the cell membrane, and is involved in the metabolism of peptides, including neuropeptides. The complex has metalloendopeptidase activity that catalyzes the hydrolysis of protein and peptide substrates, preferentially on carboxyl side of hydrophobic residues. [EC:3.4.24.18, GOC:mah, MEROPS_fam:M12]' - }, - 'GO:0017091': { - 'name': 'AU-rich element binding', - 'def': 'Interacting selectively and non-covalently with a region of RNA containing frequent adenine and uridine bases. [GOC:bf, GOC:mah, PMID:7892223, PMID:8578590]' - }, - 'GO:0017092': { - 'name': 'obsolete sterol regulatory element-binding protein site 2 protease activity', - 'def': 'OBSOLETE. Catalysis of the cleavage, within the membrane-spanning helix, of the amino-terminal half (the intermediate form) of sterol regulatory element binding protein (SREBP). This activity releases the transcription factor domain of SREBP from the membrane, freeing it to enter the nucleus. [GOC:bf, PMID:12923525]' - }, - 'GO:0017093': { - 'name': 'obsolete sterol regulatory element-binding protein protease activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of peptide bonds within a sterol regulatory element binding protein (SREBP). SREBPs are transcription factors that bind sterol regulatory elements (SREs), DNA motifs found in the promoters of target genes. [GOC:bf, PMID:12923525]' - }, - 'GO:0017094': { - 'name': 'obsolete sterol regulatory element-binding protein site 1 protease activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of a Leu-Ser bond within the luminal loop of a sterol regulatory element binding protein (SREBP). This activity is the first of two sequential cleavage reactions and cleaves SREBP into two membrane-bound halves. [GOC:bf, PMID:12923525]' - }, - 'GO:0017095': { - 'name': 'heparan sulfate 6-O-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + heparan sulfate = adenosine 3',5'-bisphosphate + heparan sulfate 6-O-sulfate; results in 6-O-sulfation of glucosamine residues in heparan sulfate. [PMID:8631808]" - }, - 'GO:0017096': { - 'name': 'acetylserotonin O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + N-acetylserotonin = S-adenosyl-L-homocysteine + melatonin. Melatonin is also known as N-acetyl-5-methoxytryptamine. [EC:2.1.1.4]' - }, - 'GO:0017098': { - 'name': 'sulfonylurea receptor binding', - 'def': 'Interacting selectively and non-covalently with the sulfonylurea receptor, a regulatory subunit of the ATP-sensitive potassium ion channel. [GOC:ceb, PMID:11938023]' - }, - 'GO:0017099': { - 'name': 'very-long-chain-acyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + acceptor = 2,3-dehydroacyl-CoA + reduced acceptor, where the acyl group is a very long chain fatty acid residue. A very long-chain fatty acid is a fatty acid which has a chain length greater than C22. [CHEBI:27283, GOC:mah]' - }, - 'GO:0017101': { - 'name': 'aminoacyl-tRNA synthetase multienzyme complex', - 'def': "A multienzyme complex found in all multicellular eukaryotes composed of eight proteins with aminoacyl-tRNA synthetase activities (abbreviated as: ArgRS, AspRS, GluProRS, GlnRS, IleRS, LeuRS, LysRS, MetRS where RS is the enzyme, preceded by the amino acid it uses as a substrate) as well as three non-synthetase proteins (p43, p38, and p18) with diverse functions. Several of these subunits are known dimers, so the total polypeptide count in the multisynthetase complex is at least fifteen. All of the enzymes in this assembly catalyze the same reaction, the covalent attachment of an amino acid to either the 2'- or 3'-hydroxyl of the 3'-terminal adenosine of tRNA, but using different substrates. [GOC:jl, PMID:16169847]" - }, - 'GO:0017102': { - 'name': 'methionyl glutamyl tRNA synthetase complex', - 'def': 'A complex consisting of methionyl- and glutamyl-tRNA synthetases. The tRNA synthetases present in the complex bind to their cognate tRNAs more efficiently than they do as monomers. [GOC:mcc, PMID:11069915]' - }, - 'GO:0017103': { - 'name': 'UTP:galactose-1-phosphate uridylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-galactose 1-phosphate + UTP = diphosphate + UDP-D-galactose. [EC:2.7.7.10, RHEA:14212]' - }, - 'GO:0017105': { - 'name': 'acyl-CoA delta11-desaturase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + reduced acceptor + O2 = delta11-acyl-CoA + acceptor + 2 H2O. [EC:1.14.19.5]' - }, - 'GO:0017106': { - 'name': 'obsolete activin inhibitor activity', - 'def': 'OBSOLETE. Acts to negatively regulate the activity of activin, a nonsteroidal regulator synthesized in the pituitary gland and gonads that stimulates the secretion of follicle-stimulating hormone. [ISBN:0198506732, ISBN:0721662544]' - }, - 'GO:0017107': { - 'name': 'anion exchanger adaptor activity', - 'def': 'The binding activity of a molecule that brings together an anion exchanger and one or more other molecules, permitting them to function in a coordinated way. [GOC:mtg_MIT_16mar07]' - }, - 'GO:0017108': { - 'name': "5'-flap endonuclease activity", - 'def': "Catalysis of the cleavage of a 5' flap structure in DNA, but not other DNA structures; processes the 5' ends of Okazaki fragments in lagging strand DNA synthesis. [PMID:9778254]" - }, - 'GO:0017109': { - 'name': 'glutamate-cysteine ligase complex', - 'def': 'An enzyme complex that catalyzes the ligation of glutamate to cysteine, forming glutamylcysteine. [EC:6.3.2.2]' - }, - 'GO:0017110': { - 'name': 'nucleoside-diphosphatase activity', - 'def': 'Catalysis of the reaction: a nucleoside diphosphate + H2O = a nucleotide + phosphate. [EC:3.6.1.6]' - }, - 'GO:0017111': { - 'name': 'nucleoside-triphosphatase activity', - 'def': 'Catalysis of the reaction: a nucleoside triphosphate + H2O = nucleoside diphosphate + phosphate. [EC:3.6.1.15]' - }, - 'GO:0017112': { - 'name': 'Rab guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase of the Rab family. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:mah]' - }, - 'GO:0017113': { - 'name': 'dihydropyrimidine dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: 5,6-dihydrouracil + NADP+ = uracil + NADPH + H+. [EC:1.3.1.2]' - }, - 'GO:0017114': { - 'name': 'obsolete wide-spectrum protease inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of a protease by a wide-spectrum protease inhibitor. A wide-spectrum protease inhibitor is a protein having a peptide stretch which contains specific cleavage sites for different proteinases enabling inhibition of all four classes of proteinases by formation of a covalent bond between the inhibitor and the protease. [GOC:dph, GOC:tb]' - }, - 'GO:0017116': { - 'name': 'single-stranded DNA-dependent ATP-dependent DNA helicase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, in the presence of single-stranded DNA; drives the unwinding of a DNA helix. [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0017117': { - 'name': 'single-stranded DNA-dependent ATP-dependent DNA helicase complex', - 'def': 'A protein complex that possesses single-stranded DNA-dependent DNA helicase activity. [GOC:mah]' - }, - 'GO:0017118': { - 'name': 'lipoyltransferase activity', - 'def': 'Catalysis of the transfer of the lipoyl group from lipoyl-AMP to the lysine residue of lipoate-dependent enzyme. [PMID:10103005]' - }, - 'GO:0017119': { - 'name': 'Golgi transport complex', - 'def': 'A multisubunit tethering complex of the CATCHR family (complexes associated with tethering containing helical rods) that has a role in tethering vesicles to the Golgi prior to fusion. In yeast, this complex is called the Sec34/35 complex and is composed of eight subunits (Sec34p, Sec35p, Dor1p, Cod1p, Cod2p, Cod3p, Cod4p, and Cod5p). In mammals the subunits are named COG1-8. [GOC:krc, PMID:11980916, PMID:20972446, PMID:9792665]' - }, - 'GO:0017120': { - 'name': 'obsolete polyphosphatidylinositol phosphatase activity', - 'def': 'OBSOLETE. Catalysis of the conversion of phosphatidylinositol-3-phosphate, phosphatidylinositol-4-phosphate, and phosphatidylinositol-3,5-bisphosphate, but not PI-4,5-bisphosphate, to phosphatidylinositol; PPIPase activity is a key regulator of membrane trafficking and actin cytoskeleton organization. [PMID:10224048]' - }, - 'GO:0017121': { - 'name': 'phospholipid scrambling', - 'def': 'The movement of a population of phospholipid molecules from one leaflet of the plasma membrane bilayer to the opposite leaflet, resulting in loss of lipid asymmetry and surface exposure of phosphatidylserine (PS) and phosphatidylethanolamine (PE). [GOC:cjm, PMID:20043909, PMID:20302864]' - }, - 'GO:0017122': { - 'name': 'protein N-acetylglucosaminyltransferase complex', - 'def': 'Heterotrimeric enzyme complex, which in humans is composed of two large subunits of the same size, and one smaller subunit. Functions in the addition of nucleotide-activated sugars onto the polypeptide. [PMID:15247246]' - }, - 'GO:0017124': { - 'name': 'SH3 domain binding', - 'def': 'Interacting selectively and non-covalently with a SH3 domain (Src homology 3) of a protein, small protein modules containing approximately 50 amino acid residues found in a great variety of intracellular or membrane-associated proteins. [GOC:go_curators, Pfam:PF00018]' - }, - 'GO:0017125': { - 'name': 'deoxycytidyl transferase activity', - 'def': 'Catalysis of the insertion of a dCMP residue opposite a template abasic site in DNA. [PMID:10535901]' - }, - 'GO:0017126': { - 'name': 'nucleologenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a nucleolus, a small, dense body one or more of which are present in the nucleus of eukaryotic cells. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0017127': { - 'name': 'cholesterol transporter activity', - 'def': 'Enables the directed movement of cholesterol into, out of or within a cell, or between cells. Cholesterol is the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:ai]' - }, - 'GO:0017128': { - 'name': 'phospholipid scramblase activity', - 'def': 'Catalysis of the movement of phospholipids from one membrane bilayer leaflet to the other, by an ATP-independent mechanism. [GOC:cjm, PMID:20043909, PMID:20302864]' - }, - 'GO:0017129': { - 'name': 'triglyceride binding', - 'def': 'Interacting selectively and non-covalently with any triester of glycerol. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0017130': { - 'name': 'poly(C) RNA binding', - 'def': 'Interacting selectively and non-covalently with a sequence of cytosine residues in an RNA molecule. [GOC:mah]' - }, - 'GO:0017131': { - 'name': 'uridine-rich cytoplasmic polyadenylylation element binding', - 'def': "Interacting selectively and non-covalently with U-rich sequence in the 3'-end of nuclear-transcribed mRNAs; required for cytoplasmic polyadenylylation. [GOC:krc, PMID:7954828]" - }, - 'GO:0017132': { - 'name': 'cyclic nucleotide-dependent guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase; dependent on the presence of a cyclic nucleotide. [GOC:mah, PMID:9856955]' - }, - 'GO:0017133': { - 'name': 'mitochondrial electron transfer flavoprotein complex', - 'def': 'A protein complex located in the mitochondrion. It contains flavin adenine dinucleotide (FAD) that, together with an acyl-CoA dehydrogenase, forms a system that oxidizes an acyl-CoA molecule and reduces ubiquinone and other acceptors in the mitochondrial electron transport system. [GOC:mtg_sensu, ISBN:0198506732]' - }, - 'GO:0017134': { - 'name': 'fibroblast growth factor binding', - 'def': 'Interacting selectively and non-covalently with a fibroblast growth factor. [PMID:9806903]' - }, - 'GO:0017135': { - 'name': 'obsolete membrane-associated protein with guanylate kinase activity interacting', - 'def': 'OBSOLETE. The interaction with synapse-associated membrane-associated protein with guanylate kinase activity. [PMID:10207005]' - }, - 'GO:0017136': { - 'name': 'NAD-dependent histone deacetylase activity', - 'def': 'Catalysis of the reaction: histone N6-acetyl-L-lysine + H2O = histone L-lysine + acetate. This reaction requires the presence of NAD, and represents the removal of an acetyl group from a histone. [EC:3.5.1.17, RHEA:24551]' - }, - 'GO:0017137': { - 'name': 'Rab GTPase binding', - 'def': 'Interacting selectively and non-covalently with Rab protein, any member of the Rab subfamily of the Ras superfamily of monomeric GTPases. [GOC:mah]' - }, - 'GO:0017139': { - 'name': 'obsolete arsenate sensitivity/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0017141': { - 'name': 'obsolete antibiotic susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0017142': { - 'name': 'obsolete toxin susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0017143': { - 'name': 'insecticide metabolic process', - 'def': 'The chemical reactions and pathways involving insecticides, chemicals used to kill insects. [GOC:ai]' - }, - 'GO:0017144': { - 'name': 'drug metabolic process', - 'def': 'The chemical reactions and pathways involving a drug, a substance used in the diagnosis, treatment or prevention of a disease; as used here antibiotic substances (see antibiotic metabolism) are considered to be drugs, even if not used in medical or veterinary practice. [GOC:cab2]' - }, - 'GO:0017145': { - 'name': 'stem cell division', - 'def': 'The self-renewing division of a stem cell. A stem cell is an undifferentiated cell, in the embryo or adult, that can undergo unlimited division and give rise to one or several different cell types. [GOC:jid, ISBN:0582227089]' - }, - 'GO:0017146': { - 'name': 'NMDA selective glutamate receptor complex', - 'def': 'An assembly of four or five subunits which form a structure with an extracellular N-terminus and a large loop that together form the ligand binding domain. The C-terminus is intracellular. The ionotropic glutamate receptor complex itself acts as a ligand gated ion channel; on binding glutamate, charged ions pass through a channel in the center of the receptor complex. NMDA receptors are composed of assemblies of NR1 subunits (Figure 3) and NR2 subunits, which can be one of four separate gene products (NR2A-D). Expression of both subunits are required to form functional channels. The glutamate binding domain is formed at the junction of NR1 and NR2 subunits. NMDA receptors are permeable to calcium ions as well as being permeable to other ions. Thus NMDA receptor activation leads to a calcium influx into the post-synaptic cells, a signal thought to be crucial for the induction of NMDA-receptor dependent LTP and LTD. [http://www.bris.ac.uk/Depts/Synaptic/info/glutamate.html]' - }, - 'GO:0017147': { - 'name': 'Wnt-protein binding', - 'def': 'Interacting selectively and non-covalently with Wnt-protein, a secreted growth factor involved in signaling. [GOC:jl]' - }, - 'GO:0017148': { - 'name': 'negative regulation of translation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of proteins by the translation of mRNA. [GOC:isa_complete]' - }, - 'GO:0017149': { - 'name': 'obsolete protein biosynthetic process inhibitor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0017150': { - 'name': 'tRNA dihydrouridine synthase activity', - 'def': 'Catalysis of the reaction: tRNA-uracil + acceptor = tRNA-dihydrouridine + reduced acceptor. [PMID:11983710]' - }, - 'GO:0017151': { - 'name': 'DEAD/H-box RNA helicase binding', - 'def': 'Interacting selectively and non-covalently with the enzyme DEAD/H-box RNA helicase. [GOC:jl]' - }, - 'GO:0017153': { - 'name': 'sodium:dicarboxylate symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: dicarboxylate(out) + Na+(out) = dicarboxylate(in) + Na+(in). [GOC:ai]' - }, - 'GO:0017154': { - 'name': 'semaphorin receptor activity', - 'def': 'Combining with a semaphorin, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:mah, GOC:signaling, PMID:15239958]' - }, - 'GO:0017155': { - 'name': 'obsolete sodium:hydrogen antiporter regulator activity', - 'def': 'OBSOLETE. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0017156': { - 'name': 'calcium ion regulated exocytosis', - 'def': 'The release of intracellular molecules (e.g. hormones, matrix proteins) contained within a membrane-bounded vesicle by fusion of the vesicle with the plasma membrane of a cell, induced by a rise in cytosolic calcium-ion levels. [GOC:go_curators]' - }, - 'GO:0017157': { - 'name': 'regulation of exocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of exocytosis. [GOC:go_curators]' - }, - 'GO:0017158': { - 'name': 'regulation of calcium ion-dependent exocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of calcium ion-dependent exocytosis. [GOC:go_curators]' - }, - 'GO:0017159': { - 'name': 'pantetheine hydrolase activity', - 'def': 'Catalysis of the reaction: (R)-pantetheine + H(2)O = (R)-pantothenate + cysteamine. [EC:3.5.1.92, RHEA:13448]' - }, - 'GO:0017160': { - 'name': 'Ral GTPase binding', - 'def': 'Interacting selectively and non-covalently with Ral protein, any member of the Ral subfamily of the Ras superfamily of monomeric GTPases. [GOC:mah]' - }, - 'GO:0017161': { - 'name': 'inositol-1,3,4-trisphosphate 4-phosphatase activity', - 'def': 'Catalysis of the reaction: D-myo-inositol 1,3,4-trisphosphate + H2O = myo-inositol 1,3-bisphosphate + phosphate. [GOC:ai]' - }, - 'GO:0017162': { - 'name': 'aryl hydrocarbon receptor binding', - 'def': 'Interacting selectively and non-covalently with an aryl hydrocarbon receptor. [GOC:ai]' - }, - 'GO:0017163': { - 'name': 'obsolete basal transcription repressor activity', - 'def': 'OBSOLETE. Any transcription regulator activity that prevents or downregulates basal transcription. Basal transcription results from transcription that is controlled by the minimal complement of proteins necessary to reconstitute transcription from a minimal promoter. [GOC:dph, GOC:tb, http://tfib.med.harvard.edu/transcription/basaltx.html]' - }, - 'GO:0017164': { - 'name': 'obsolete nicotinic acetylcholine receptor-associated protein activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0017165': { - 'name': 'obsolete dipeptidase E activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of dipeptides Asp-Xaa; does not act on peptides with N-terminal Glu, Asn or Gln, nor does it cleave isoaspartyl peptides. [EC:3.4.13.21]' - }, - 'GO:0017166': { - 'name': 'vinculin binding', - 'def': 'Interacting selectively and non-covalently with vinculin, a protein found in muscle, fibroblasts, and epithelial cells that binds actin and appears to mediate attachment of actin filaments to integral proteins of the plasma membrane. [ISBN:0721662544]' - }, - 'GO:0017168': { - 'name': '5-oxoprolinase (ATP-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: 5-oxo-L-proline + ATP + 2 H(2)O = L-glutamate + ADP + 2 H(+) + phosphate. [EC:3.5.2.9, RHEA:10351]' - }, - 'GO:0017169': { - 'name': 'CDP-alcohol phosphatidyltransferase activity', - 'def': 'Catalysis of the reaction: CDP + alcohol = CMP + phosphatidyl alcohol. [GOC:ai]' - }, - 'GO:0017170': { - 'name': 'obsolete KU70 binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with Ku70, a protein involved in non-homologous DNA end joining. [GOC:mah, PMID:14739985]' - }, - 'GO:0017171': { - 'name': 'serine hydrolase activity', - 'def': 'Catalysis of the hydrolysis of a substrate by a catalytic mechanism that involves a catalytic triad consisting of a serine nucleophile that is activated by a proton relay involving an acidic residue (e.g. aspartate or glutamate) and a basic residue (usually histidine). [Wikipedia:Serine_hydrolase]' - }, - 'GO:0017172': { - 'name': 'cysteine dioxygenase activity', - 'def': 'Catalysis of the reaction: L-cysteine + O(2) = 3-sulfino-L-alanine + H(+). [EC:1.13.11.20, RHEA:20444]' - }, - 'GO:0017174': { - 'name': 'glycine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + glycine = S-adenosyl-L-homocysteine + sarcosine. [EC:2.1.1.20]' - }, - 'GO:0017175': { - 'name': "obsolete IMP-GMP specific 5'-nucleotidase activity", - 'def': "OBSOLETE. Catalysis of the conversion of 5'-ribonucleotides to ribonucleosides and phosphate, with specificity for IMP or GMP 5'-ribonucleotides and H2O as a nucleophile. [EC:3.1.3.5, GOC:krc]" - }, - 'GO:0017176': { - 'name': 'phosphatidylinositol N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + phosphatidylinositol = UDP + N-acetyl-D-glucosaminylphosphatidylinositol. [EC:2.4.1.198]' - }, - 'GO:0017177': { - 'name': 'glucosidase II complex', - 'def': 'A heterodimeric complex that catalyzes the trimming of glucose residues from N-linked core glycans on newly synthesized glycoproteins. [PMID:10464333, PMID:8910335]' - }, - 'GO:0017178': { - 'name': 'diphthine-ammonia ligase activity', - 'def': 'Catalysis of the reaction: ATP + diphthine + NH(4)(+) = ADP + diphthamide + H(+) + phosphate. [EC:6.3.1.14, RHEA:19756]' - }, - 'GO:0017179': { - 'name': 'peptidyl-diphthine metabolic process', - 'def': 'The chemical reactions and pathways involving peptidyl-diphthine, a modified histidine residue. [GOC:go_curators]' - }, - 'GO:0017180': { - 'name': 'peptidyl-diphthine biosynthetic process from peptidyl-histidine', - 'def': 'The chemical reactions and pathways resulting in the formation of peptidyl-diphthine from other compounds, including peptidyl-histidine. [GOC:go_curators]' - }, - 'GO:0017181': { - 'name': 'peptidyl-diphthine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of peptidyl-diphthine, a modified histidine residue. [GOC:go_curators]' - }, - 'GO:0017182': { - 'name': 'peptidyl-diphthamide metabolic process', - 'def': 'The chemical reactions and pathways involving peptidyl-diphthamide, a modified histidine residue. [GOC:go_curators]' - }, - 'GO:0017183': { - 'name': 'peptidyl-diphthamide biosynthetic process from peptidyl-histidine', - 'def': "The modification of peptidyl-histidine to 2'-(3-carboxamido-3-(trimethylammonio)propyl)-L-histidine, known as diphthamide, found in translation elongation factor EF-2. The process occurs in eukaryotes and archaea but not eubacteria. [GOC:pde, PMID:20559380, RESID:AA0040]" - }, - 'GO:0017184': { - 'name': 'peptidyl-diphthamide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of peptidyl-diphthamide, a modified histidine residue. [GOC:go_curators]' - }, - 'GO:0017185': { - 'name': 'peptidyl-lysine hydroxylation', - 'def': 'The hydroxylation of peptidyl-lysine to form peptidyl-hydroxylysine. [GOC:ai]' - }, - 'GO:0017186': { - 'name': 'peptidyl-pyroglutamic acid biosynthetic process, using glutaminyl-peptide cyclotransferase', - 'def': 'The chemical reactions and pathways resulting in the formation of peptidyl-pyroglutamic acid, catalyzed by glutaminyl-peptide cyclotransferase. [RESID:AA0031]' - }, - 'GO:0017187': { - 'name': 'peptidyl-glutamic acid carboxylation', - 'def': 'The gamma-carboxylation of peptidyl-glutamic acid; catalyzed by the vitamin K dependent gamma-glutamyl carboxylase. [RESID:AA0032]' - }, - 'GO:0017188': { - 'name': 'aspartate N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-aspartate + acetyl-CoA = N-acetyl-L-aspartate + CoA + H(+). [EC:2.3.1.17, RHEA:14168]' - }, - 'GO:0017189': { - 'name': 'N-terminal peptidyl-alanine acetylation', - 'def': 'The acetylation of the N-terminal alanine of proteins; catalyzed by peptide alpha-N-acetyltransferase or other enzymes of this class, such as ribosomal-protein-alanine N-acetyltransferase. [RESID:AA0041]' - }, - 'GO:0017190': { - 'name': 'N-terminal peptidyl-aspartic acid acetylation', - 'def': 'The acetylation of the N-terminal aspartic acid of proteins; catalyzed by aspartate N-acetyltransferase. [RESID:AA0042]' - }, - 'GO:0017192': { - 'name': 'N-terminal peptidyl-glutamine acetylation', - 'def': 'The acetylation of a glutamine residue in protein to form the N5-methyl-L-glutamine derivative. The occurrence of this modification has not been confirmed. Its annotation in sequence databases is either due to the misidentification of 2-pyrrolidone-5-carboxylic acid, or to inappropriate homolog comparisons when proteolytic modification is more probable. [RESID:AA0045]' - }, - 'GO:0017193': { - 'name': 'N-terminal peptidyl-glycine acetylation', - 'def': 'The acetylation of the N-terminal glycine of proteins to form the derivative N-acetylglycine. [RESID:AA0046]' - }, - 'GO:0017194': { - 'name': 'N-terminal peptidyl-isoleucine acetylation', - 'def': 'The acetylation of the N-terminal isoleucine of proteins to form the derivative N-acetyl-L-isoleucine. The occurrence of this modification has not been confirmed. [RESID:AA0047]' - }, - 'GO:0017195': { - 'name': 'N-terminal peptidyl-lysine N2-acetylation', - 'def': 'The acetylation of the N-terminal lysine of proteins to form the derivative N2-acetyl-L-lysine. The occurrence of this modification has not been confirmed. [RESID:AA0048]' - }, - 'GO:0017196': { - 'name': 'N-terminal peptidyl-methionine acetylation', - 'def': 'The acetylation of the N-terminal methionine of proteins to form the derivative N-acetyl-L-methionine. [RESID:AA0049]' - }, - 'GO:0017197': { - 'name': 'N-terminal peptidyl-proline acetylation', - 'def': 'The acetylation of the N-terminal proline of proteins to form the derivative N-acetyl-L-proline. [RESID:AA0050]' - }, - 'GO:0017198': { - 'name': 'N-terminal peptidyl-serine acetylation', - 'def': 'The acetylation of the N-terminal serine of proteins to form the derivative N-acetyl-L-serine. [RESID:AA0051]' - }, - 'GO:0017199': { - 'name': 'N-terminal peptidyl-threonine acetylation', - 'def': 'The acetylation of the N-terminal threonine of proteins to form the derivative N-acetyl-L-threonine; catalyzed by peptide alpha-N-acetyltransferase. [RESID:AA0052]' - }, - 'GO:0018000': { - 'name': 'N-terminal peptidyl-tyrosine acetylation', - 'def': 'The acetylation of the N-terminal tyrosine of proteins to form the derivative N-acetyl-L-tyrosine. [RESID:AA0053]' - }, - 'GO:0018001': { - 'name': 'N-terminal peptidyl-valine acetylation', - 'def': 'The acetylation of the N-terminal tyrosine of proteins to form the derivative N-acetyl-L-valine. [RESID:AA0054]' - }, - 'GO:0018002': { - 'name': 'N-terminal peptidyl-glutamic acid acetylation', - 'def': 'The acetylation of the N-terminal glutamic acid of proteins to form the derivate acetyl-glutamic acid. [RESID:AA0044]' - }, - 'GO:0018003': { - 'name': 'peptidyl-lysine N6-acetylation', - 'def': 'The acetylation of the peptidyl-lysine of proteins to form the derivative peptidyl-N6-acetyl-L-lysine. [RESID:AA0055]' - }, - 'GO:0018004': { - 'name': 'N-terminal protein formylation', - 'def': 'The formylation of the N-terminal amino acid of proteins. [GOC:ai]' - }, - 'GO:0018005': { - 'name': 'N-terminal peptidyl-glycine N-formylation', - 'def': 'The formylation of the N-terminal glycine of proteins to form the derivative N-formylglycine. [RESID:AA0057]' - }, - 'GO:0018006': { - 'name': 'N-terminal protein amino acid glucuronylation', - 'def': 'The glucuronylation of the N-terminal amino acid of proteins. [GOC:ai]' - }, - 'GO:0018007': { - 'name': 'N-terminal peptidyl-glycine N-glucuronylation', - 'def': 'The glucuronylation of the N-terminal glycine of proteins to form the derivative D-glucuronyl-N-glycine. [RESID:AA0058]' - }, - 'GO:0018008': { - 'name': 'N-terminal peptidyl-glycine N-myristoylation', - 'def': 'The myristoylation of the N-terminal glycine of proteins to form the derivative N-myristoyl-glycine. [RESID:AA0059]' - }, - 'GO:0018009': { - 'name': 'N-terminal peptidyl-L-cysteine N-palmitoylation', - 'def': 'The covalent attachment of a palmitoyl group to a nitrogen (N) atom in an N-terminal cysteine residue to form N-palmitoyl-L-cysteine. [RESID:AA0060]' - }, - 'GO:0018010': { - 'name': 'glycoprotein N-palmitoyltransferase activity', - 'def': 'Catalysis of the reaction: palmitoyl-CoA + glycoprotein = CoA + N-palmitoylglycoprotein. [EC:2.3.1.96]' - }, - 'GO:0018011': { - 'name': 'N-terminal peptidyl-alanine methylation', - 'def': 'The methylation of the N-terminal alanine of proteins. [RESID:AA0061, RESID:AA0062]' - }, - 'GO:0018012': { - 'name': 'N-terminal peptidyl-alanine trimethylation', - 'def': 'The trimethylation of the N-terminal alanine of proteins to form the derivative peptidyl-N,N,N-trimethyl-L-alanine. [RESID:AA0062]' - }, - 'GO:0018013': { - 'name': 'N-terminal peptidyl-glycine methylation', - 'def': 'The methylation of the N-terminal glycine of proteins to form the derivative N-methylglycine. [RESID:AA0063]' - }, - 'GO:0018014': { - 'name': 'N-terminal peptidyl-methionine methylation', - 'def': 'The methylation of the N-terminal methionine of proteins to form the derivative N-methyl-L-methionine. [RESID:AA0064]' - }, - 'GO:0018015': { - 'name': 'N-terminal peptidyl-phenylalanine methylation', - 'def': 'The methylation of the N-terminal phenylalanine of proteins to form the derivative N-methyl-L-phenylalanine. [RESID:AA0065]' - }, - 'GO:0018016': { - 'name': 'N-terminal peptidyl-proline dimethylation', - 'def': 'The methylation of the N-terminal proline of proteins to form the derivative N,N-dimethyl-L-proline. [RESID:AA0066]' - }, - 'GO:0018019': { - 'name': 'N-terminal peptidyl-glutamine methylation', - 'def': 'The methylation of a glutamine residue in proteins to form the peptidyl-N5-methyl-L-glutamine derivative. [RESID:AA0071]' - }, - 'GO:0018020': { - 'name': 'peptidyl-glutamic acid methylation', - 'def': 'The addition of a methyl group to a glutamic acid residue in a protein. [GOC:mah]' - }, - 'GO:0018021': { - 'name': 'peptidyl-histidine methylation', - 'def': "The methylation of peptidyl-L-histidine to form peptidyl-L-1'-methyl-L-histidine (otherwise known as tau-methylhistidine, tele-methylhistidine) or peptidyl-L-3'-methyl-L-histidine (otherwise known as pi-methylhistidine, pros-methylhistidine). [RESID:AA0073, RESID:AA0317]" - }, - 'GO:0018022': { - 'name': 'peptidyl-lysine methylation', - 'def': 'The methylation of peptidyl-lysine to form either the mono-, di- or trimethylated derivative. [GOC:ai]' - }, - 'GO:0018023': { - 'name': 'peptidyl-lysine trimethylation', - 'def': 'The methylation of peptidyl-lysine to form peptidyl-N6,N6,N6-trimethyl-L-lysine. [RESID:AA0074]' - }, - 'GO:0018024': { - 'name': 'histone-lysine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + histone L-lysine = S-adenosyl-L-homocysteine + histone N6-methyl-L-lysine. The methylation of peptidyl-lysine in histones forms N6-methyl-L-lysine, N6,N6-dimethyl-L-lysine and N6,N6,N6-trimethyl-L-lysine derivatives. [EC:2.1.1.43, RESID:AA0074, RESID:AA0075, RESID:AA0076]' - }, - 'GO:0018025': { - 'name': 'calmodulin-lysine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + calmodulin L-lysine = S-adenosyl-L-homocysteine + calmodulin N6-methyl-L-lysine. [EC:2.1.1.60]' - }, - 'GO:0018026': { - 'name': 'peptidyl-lysine monomethylation', - 'def': 'The methylation of peptidyl-lysine to form peptidyl-N6-methyl-L-lysine. [RESID:AA0076]' - }, - 'GO:0018027': { - 'name': 'peptidyl-lysine dimethylation', - 'def': 'The methylation of peptidyl-lysine to form peptidyl-N6,N6-dimethyl-L-lysine. [RESID:AA0075]' - }, - 'GO:0018028': { - 'name': 'peptidyl-lysine myristoylation', - 'def': 'The myristoylation of peptidyl-lysine to form peptidyl-N6-myristoyl-L-lysine. [RESID:AA0078]' - }, - 'GO:0018029': { - 'name': 'peptidyl-lysine palmitoylation', - 'def': 'The palmitoylation of peptidyl-lysine to form peptidyl-N6-palmitoyl-L-lysine. [RESID:AA0077]' - }, - 'GO:0018030': { - 'name': 'peptidyl-lysine N6-myristoyltransferase activity', - 'def': 'Catalysis of the transfer of a myristoyl group to the N6 nitrogen atom on a lysine residue of a peptide or protein molecule. [GOC:mah]' - }, - 'GO:0018031': { - 'name': 'peptidyl-lysine N6-palmitoyltransferase activity', - 'def': 'Catalysis of the transfer of a palmitoyl group to the N6 nitrogen atom on a lysine residue of a peptide or protein molecule. [GOC:mah]' - }, - 'GO:0018032': { - 'name': 'protein amidation', - 'def': 'Addition of an amide group from a glycine to a protein amino acid. [UniProtKB-KW:KW-0027]' - }, - 'GO:0018033': { - 'name': 'protein C-terminal amidation', - 'def': 'The formation of a C-terminal amide by hydrolysis and oxidation of an interior peptide in a secreted protein. [GOC:ai]' - }, - 'GO:0018034': { - 'name': 'C-terminal peptidyl-alanine amidation', - 'def': 'The formation of a C-terminal peptidyl-alanine amide by hydrolysis and oxidation of an interior Ala-Gly peptide in a secreted protein. [RESID:AA0081]' - }, - 'GO:0018035': { - 'name': 'C-terminal peptidyl-arginine amidation', - 'def': 'The formation of a C-terminal peptidyl-arginine amide by hydrolysis and oxidation of an interior Arg-Gly peptide in a secreted protein. [RESID:AA0082]' - }, - 'GO:0018036': { - 'name': 'C-terminal peptidyl-asparagine amidation', - 'def': 'The formation of a C-terminal peptidyl-asparagine amide by hydrolysis and oxidation of an interior Asn-Gly peptide in a secreted protein. [RESID:AA0083]' - }, - 'GO:0018037': { - 'name': 'C-terminal peptidyl-aspartic acid amidation', - 'def': 'The formation of a C-terminal peptidyl-aspartic acid 1-amide by hydrolysis and oxidation of an interior Asp-Gly peptide in a secreted protein. [RESID:AA0084]' - }, - 'GO:0018038': { - 'name': 'C-terminal peptidyl-cysteine amidation', - 'def': 'The formation of a C-terminal peptidyl-cysteine amide by hydrolysis and oxidation of an interior Cys-Gly peptide in a secreted protein. [RESID:AA0085]' - }, - 'GO:0018039': { - 'name': 'C-terminal peptidyl-glutamine amidation', - 'def': 'The formation of a C-terminal peptidyl-glutamine amide by hydrolysis and oxidation of an interior Gln-Gly peptide in a secreted protein. [RESID:AA0086]' - }, - 'GO:0018040': { - 'name': 'C-terminal peptidyl-glutamic acid amidation', - 'def': 'The formation of a C-terminal peptidyl-glutamic acid amide by hydrolysis and oxidation of an interior Glu-Gly peptide in a secreted protein. [RESID:AA0087]' - }, - 'GO:0018041': { - 'name': 'C-terminal peptidyl-glycine amidation', - 'def': 'The formation of a C-terminal peptidyl-glycine acid amide by hydrolysis and oxidation of an interior Gly-Gly peptide in a secreted protein. [RESID:AA0088]' - }, - 'GO:0018042': { - 'name': 'C-terminal peptidyl-histidine amidation', - 'def': 'The formation of a C-terminal peptidyl-histidine amide by hydrolysis and oxidation of an interior His-Gly peptide in a secreted protein. [RESID:AA0089]' - }, - 'GO:0018043': { - 'name': 'C-terminal peptidyl-isoleucine amidation', - 'def': 'The formation of a C-terminal peptidyl-isoleucine amide by hydrolysis and oxidation of an interior Ile-Gly peptide in a secreted protein. [RESID:AA0090]' - }, - 'GO:0018044': { - 'name': 'C-terminal peptidyl-leucine amidation', - 'def': 'The formation of a C-terminal peptidyl-leucine amide by hydrolysis and oxidation of an interior Leu-Gly peptide in a secreted protein. [RESID:AA0091]' - }, - 'GO:0018045': { - 'name': 'C-terminal peptidyl-lysine amidation', - 'def': 'The formation of a C-terminal peptidyl-lysine amide by hydrolysis and oxidation of an interior Lys-Gly peptide in a secreted protein. [RESID:AA0092]' - }, - 'GO:0018046': { - 'name': 'C-terminal peptidyl-methionine amidation', - 'def': 'The formation of a C-terminal peptidyl-methionine amide by hydrolysis and oxidation of an interior Met-Gly peptide in a secreted protein. [RESID:AA0093]' - }, - 'GO:0018047': { - 'name': 'C-terminal peptidyl-phenylalanine amidation', - 'def': 'The formation of a C-terminal peptidyl-phenylalanine amide by hydrolysis and oxidation of an interior Phe-Gly peptide in a secreted protein. [RESID:AA0094]' - }, - 'GO:0018048': { - 'name': 'C-terminal peptidyl-proline amidation', - 'def': 'The formation of a C-terminal peptidyl-proline amide by hydrolysis and oxidation of an interior Pro-Gly peptide in a secreted protein. [RESID:AA0095]' - }, - 'GO:0018049': { - 'name': 'C-terminal peptidyl-serine amidation', - 'def': 'The formation of a C-terminal peptidyl-serine amide by hydrolysis and oxidation of an interior Ser-Gly peptide in a secreted protein. [RESID:AA0096]' - }, - 'GO:0018050': { - 'name': 'C-terminal peptidyl-threonine amidation', - 'def': 'The formation of a C-terminal peptidyl-threonine amide by hydrolysis and oxidation of an interior Thr-Gly peptide in a secreted protein. [RESID:AA0097]' - }, - 'GO:0018051': { - 'name': 'C-terminal peptidyl-tryptophan amidation', - 'def': 'The formation of a C-terminal peptidyl-tryptophan amide by hydrolysis and oxidation of an interior Trp-Gly peptide in a secreted protein. [RESID:AA0098]' - }, - 'GO:0018052': { - 'name': 'C-terminal peptidyl-tyrosine amidation', - 'def': 'The formation of a C-terminal peptidyl-tyrosine amide by hydrolysis and oxidation of an interior Tyr-Gly peptide in a secreted protein. [RESID:AA0099]' - }, - 'GO:0018053': { - 'name': 'C-terminal peptidyl-valine amidation', - 'def': 'The formation of a C-terminal peptidyl-valine amide by hydrolysis and oxidation of an interior Val-Gly peptide in a secreted protein. [RESID:AA0100]' - }, - 'GO:0018054': { - 'name': 'peptidyl-lysine biotinylation', - 'def': 'The covalent modification of peptidyl-lysine by biotin to form peptidyl-N6-biotinyl-L-lysine. [RESID:AA0117]' - }, - 'GO:0018055': { - 'name': 'peptidyl-lysine lipoylation', - 'def': 'The lipoylation of peptidyl-lysine to form peptidyl-N6-lipoyl-L-lysine. [RESID:AA0118]' - }, - 'GO:0018057': { - 'name': 'peptidyl-lysine oxidation', - 'def': 'The oxidation of the terminal amino-methylene groups of peptidyl-L-lysine or peptidyl-5-hydroxy-L-lysine to aldehyde groups to form allysine or hydroxyallysine residues, respectively; these are intermediates in the formation of covalent cross-links between adjacent polypeptide chains in proteins such as collagens. [ISBN:0198547684, RESID:AA0121]' - }, - 'GO:0018058': { - 'name': 'N-terminal protein amino acid deamination, from amino carbon', - 'def': 'The oxidative deamination of the alpha carbon of an encoded N-terminal amino acid, to form pyruvic acid retaining an amide bond between its 1-carboxyl group and the adjacent residue. The pyruvate 2-oxo group may become an enzyme active site, or it may be reduced to an alcohol. [RESID:AA0127, RESID:AA0128, RESID:AA0129]' - }, - 'GO:0018059': { - 'name': 'N-terminal peptidyl-serine deamination', - 'def': 'The oxidative deamination of N-terminal peptidyl-serine to form pyruvic acid with an amide bond between its 1-carboxyl group and the N-terminal residue. [RESID:AA0127]' - }, - 'GO:0018060': { - 'name': 'N-terminal peptidyl-cysteine deamination', - 'def': 'The oxidative deamination of N-terminal peptidyl-cysteine to form pyruvic acid with an amide bond between its 1-carboxyl group and the N-terminal residue. [RESID:AA0127]' - }, - 'GO:0018061': { - 'name': 'peptidyl-L-3-phenyllactic acid biosynthetic process from peptidyl-phenylalanine', - 'def': 'The modification of a N-terminal peptidyl-phenylalanine residue by either oxidative deamination or by transamination and subsequent reduction to form peptidyl-L-3-phenyllactic acid. [RESID:AA0128]' - }, - 'GO:0018062': { - 'name': 'peptidyl-tryptophan succinylation', - 'def': 'The modification of an N-terminal peptidyl-tryptophan residue to form peptidyl-N2-succinyl-L-tryptophan. [RESID:AA0130]' - }, - 'GO:0018063': { - 'name': 'cytochrome c-heme linkage', - 'def': 'The linkage of cytochromes and other heme proteins to heme. [RESID:AA0134, RESID:AA0135]' - }, - 'GO:0018064': { - 'name': 'protein-histidine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + protein L-histidine = S-adenosyl-L-homocysteine + protein N-methyl-L-histidine. [EC:2.1.1.85]' - }, - 'GO:0018065': { - 'name': 'protein-cofactor linkage', - 'def': 'The covalent attachment of a cofactor to a protein. [GOC:ai]' - }, - 'GO:0018067': { - 'name': "peptidyl-L-3',4'-dihydroxyphenylalanine biosynthetic process from peptidyl-tyrosine", - 'def': "The modification of protein tyrosine to peptidyl-L-3',4'-dihydroxyphenylalanine (DOPA). [RESID:AA0146]" - }, - 'GO:0018068': { - 'name': "peptidyl-L-2',4',5'-topaquinone biosynthetic process from peptidyl-tyrosine", - 'def': "The modification of protein tyrosine to L-2',4',5'-topaquinone, characteristic of the active site of copper amine oxidases. [RESID:AA0147]" - }, - 'GO:0018069': { - 'name': "peptide cross-linking via 4'-(L-tryptophan)-L-tryptophyl quinone", - 'def': "The cross-linking of a tryptophan residue to tryptophyl quinone to form 4'-(L-tryptophan)-L-tryptophyl quinone, a cofactor found at the active site of methylamine dehydrogenase. [RESID:AA0149]" - }, - 'GO:0018070': { - 'name': 'peptidyl-serine phosphopantetheinylation', - 'def': 'The phosphopantetheinylation of peptidyl-serine to form peptidyl-O-phosphopantetheine-L-serine. [RESID:AA0150]' - }, - 'GO:0018071': { - 'name': 'NAD(P)-cysteine ADP-ribosyltransferase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + L-cysteine = nicotinamide + N2-(ADP-D-ribosyl)-L-cysteine. [EC:2.4.2.-]' - }, - 'GO:0018072': { - 'name': 'peptidyl-L-glutamyl 5-glycerylphosphorylethanolamine biosynthetic process from peptidyl-glutamic acid', - 'def': 'The modification of peptidyl-glutamic acid residues by the covalent attachment of ethanolamine, itself further modified by the addition of a phosphoglycerol unit. [PMID:2569467, RESID:AA0170]' - }, - 'GO:0018073': { - 'name': 'protein bromination', - 'def': 'The addition of one or more bromine atoms to an amino acid residue in a protein. [GOC:mah]' - }, - 'GO:0018074': { - 'name': 'peptidyl-histidine bromination', - 'def': 'The bromination of peptidyl-histidine to form peptidyl-L-bromohistidine; the position of the bromine substitution is unknown. [RESID:AA0173]' - }, - 'GO:0018075': { - 'name': 'peptidyl-phenylalanine bromination', - 'def': 'The bromination of phenylalanine. [RESID:AA0174, RESID:AA0175, RESID:AA0176]' - }, - 'GO:0018076': { - 'name': 'N-terminal peptidyl-lysine acetylation', - 'def': 'The acetylation of the N-terminal lysine of proteins. [GOC:ai]' - }, - 'GO:0018077': { - 'name': 'protein iodination', - 'def': 'The addition of one or more iodine atoms to an amino acid residue in a protein. [GOC:mah]' - }, - 'GO:0018078': { - 'name': 'peptidyl-thyronine iodination', - 'def': 'The iodination of peptidyl-thyronine, formed from tyrosine. [RESID:AA0177, RESID:AA0178]' - }, - 'GO:0018079': { - 'name': 'protein halogenation', - 'def': 'The addition of a halogen to a protein amino acid. [GOC:ai]' - }, - 'GO:0018080': { - 'name': 'peptidyl-tryptophan bromination', - 'def': "The bromination of peptidyl-tryptophan, to form peptidyl-L-6'-bromotryptophan. [RESID:AA0179]" - }, - 'GO:0018081': { - 'name': 'peptide cross-linking via lanthionine or 3-methyl-lanthionine', - 'def': 'The synthesis of (2R,6R)-lanthionine, sn-(2S,6R)-lanthionine or (2S,3S,6R)-3-methyl-lanthionine, forming an intra-polypeptide cross-link between peptidyl-cysteine, and peptidyl-serine or peptidyl-threonine; dehydration of the serine or threonine residue to the alpha,beta-unsaturated amino acid is the first step; a bond then forms between the ethylene (ethene) group thus formed and the sulfur atom of a cysteine, with the inversion of the configuration of the alpha carbon of the serine or threonine occurring during the process. [ISBN:0198547684, RESID:AA0110, RESID:AA0111, RESID:AA0112]' - }, - 'GO:0018082': { - 'name': 'peptidyl-(Z)-dehydrobutyrine biosynthetic process from peptidyl-threonine', - 'def': 'The formation of (Z)-dehydrobutyrine by the dehydration of peptidyl-threonine. [RESID:AA0182]' - }, - 'GO:0018083': { - 'name': 'peptidyl-L-3-oxoalanine biosynthetic process from peptidyl-cysteine or peptidyl-serine', - 'def': 'The modification of peptidyl-cysteine or peptidyl-serine to peptidyl-L-3-oxoalanine; characteristic of the active sites of arylsulfatases. [RESID:AA0185]' - }, - 'GO:0018084': { - 'name': 'peptidyl-lactic acid biosynthetic process from peptidyl-serine', - 'def': 'The modification of N-terminal peptidyl-serine to lactic acid. [RESID:AA0186]' - }, - 'GO:0018085': { - 'name': 'peptidyl-L-amino acid racemization', - 'def': 'The process of conversion of a L-amino acid into its enantiomer, the corresponding D-amino acid. [GOC:ma]' - }, - 'GO:0018086': { - 'name': 'obsolete alanine racemization', - 'def': 'OBSOLETE (was not defined before being made obsolete). [RESID:AA0191]' - }, - 'GO:0018091': { - 'name': 'peptidyl-asparagine racemization', - 'def': 'The racemization of peptidyl-asparagine. [RESID:AA0196]' - }, - 'GO:0018094': { - 'name': 'protein polyglycylation', - 'def': 'The addition of glycyl units covalently bound to the gamma carboxyl group peptidyl-glutamic acid. [RESID:AA0201]' - }, - 'GO:0018095': { - 'name': 'protein polyglutamylation', - 'def': 'The addition of one or more alpha-linked glutamyl units to the gamma carboxyl group of peptidyl-glutamic acid. [RESID:AA0202]' - }, - 'GO:0018096': { - 'name': 'peptide cross-linking via S-(2-aminovinyl)-D-cysteine', - 'def': 'The synthesis of (S,Z)-S-(2-aminovinyl)cysteine forming an intra-polypeptide cross-link between serine and cysteine. [RESID:AA0204]' - }, - 'GO:0018097': { - 'name': 'protein-chromophore linkage via peptidyl-S-4-hydroxycinnamyl-L-cysteine', - 'def': 'The synthesis of the chromophore S-4-hydroxycinnamyl-L-cysteine. [RESID:AA0207]' - }, - 'GO:0018101': { - 'name': 'protein citrullination', - 'def': 'The hydrolysis of peptidyl-arginine to form peptidyl-citrulline. [PMID:23175390, RESID:AA0214]' - }, - 'GO:0018102': { - 'name': 'peptidyl-arginine hydroxylation to peptidyl-4-hydroxy-L-arginine', - 'def': 'The hydroxylation of peptidyl-arginine to form peptidyl-4-hydroxy-L-arginine. [RESID:AA0215]' - }, - 'GO:0018103': { - 'name': 'protein C-linked glycosylation', - 'def': 'A protein glycosylation process in which a carbohydrate or carbohydrate derivative unit is added to a protein via a C atom. [GOC:pr, PMID:7947762, RESID:AA0217]' - }, - 'GO:0018104': { - 'name': 'peptidoglycan-protein cross-linking', - 'def': 'The process of covalently linking peptidoglycan (murein) to proteins. [GOC:jsg]' - }, - 'GO:0018105': { - 'name': 'peptidyl-serine phosphorylation', - 'def': 'The phosphorylation of peptidyl-serine to form peptidyl-O-phospho-L-serine. [RESID:AA0037]' - }, - 'GO:0018106': { - 'name': 'peptidyl-histidine phosphorylation', - 'def': "The phosphorylation of peptidyl-histidine to form peptidyl-1'-phospho-L-histidine (otherwise known as tau-phosphohistidine, tele-phosphohistidine) or peptidyl-3'-phospho-L-histidine (otherwise known as pi-phosphohistidine, pros-phosphohistidine). [RESID:AA0035, RESID:AA0036]" - }, - 'GO:0018107': { - 'name': 'peptidyl-threonine phosphorylation', - 'def': 'The phosphorylation of peptidyl-threonine to form peptidyl-O-phospho-L-threonine. [RESID:AA0038]' - }, - 'GO:0018108': { - 'name': 'peptidyl-tyrosine phosphorylation', - 'def': "The phosphorylation of peptidyl-tyrosine to form peptidyl-O4'-phospho-L-tyrosine. [RESID:AA0039]" - }, - 'GO:0018109': { - 'name': 'peptidyl-arginine phosphorylation', - 'def': 'The phosphorylation of peptidyl-arginine to form omega-N-phospho-L-arginine. [RESID:AA0222]' - }, - 'GO:0018110': { - 'name': 'histone arginine kinase activity', - 'def': 'Catalysis of the reaction: histone L-arginine + ATP = histone N(omega)-phospho-L-arginine + ADP + 2 H(+). [GOC:mah]' - }, - 'GO:0018111': { - 'name': 'methionine racemase activity', - 'def': 'Catalysis of the reaction: L-methionine = D-methionine. [EC:5.1.1.2, RHEA:12495]' - }, - 'GO:0018112': { - 'name': 'proline racemase activity', - 'def': 'Catalysis of the reaction: L-proline = D-proline. [EC:5.1.1.4, RHEA:10683]' - }, - 'GO:0018113': { - 'name': 'lysine racemase activity', - 'def': 'Catalysis of the reaction: L-lysine = D-lysine. [EC:5.1.1.5]' - }, - 'GO:0018114': { - 'name': 'threonine racemase activity', - 'def': 'Catalysis of the reaction: L-threonine = D-threonine. [EC:5.1.1.6, RHEA:13916]' - }, - 'GO:0018115': { - 'name': 'peptidyl-S-diphytanylglycerol diether-L-cysteine biosynthetic process from peptidyl-cysteine', - 'def': 'The modification of cysteine to form peptidyl-S-diphytanylglycerol diether-L-cysteine. [PMID:7797461, RESID:AA0223]' - }, - 'GO:0018116': { - 'name': 'peptidyl-lysine adenylylation', - 'def': "The adenylylation of peptidyl-lysine to form peptidyl-N6-(phospho-5'-adenosine)-L-lysine. [RESID:AA0227]" - }, - 'GO:0018117': { - 'name': 'protein adenylylation', - 'def': "The addition of an adenylyl group (adenosine 5'-monophosphate; AMP) to a protein amino acid. [GOC:ai, GOC:jsg, GOC:sart, PMID:21607083]" - }, - 'GO:0018118': { - 'name': 'peptidyl-L-cysteine glutathione disulfide biosynthetic process from peptidyl-cysteine', - 'def': 'The modification of peptidyl-cysteine by covalent addition of glutathione to form peptidyl-L-cysteine glutathione disulfide. [RESID:AA0229]' - }, - 'GO:0018119': { - 'name': 'peptidyl-cysteine S-nitrosylation', - 'def': 'The covalent addition of a nitric oxide (NO) group to the sulphur (S) atom of a cysteine residue in a protein, to form peptidyl-S-nitrosyl-L-cysteine. [RESID:AA0230]' - }, - 'GO:0018120': { - 'name': 'peptidyl-arginine ADP-ribosylation', - 'def': 'The transfer, from NAD, of ADP-ribose to peptidyl-arginine to form omega-N-(ADP-ribosyl)-L-arginine. [RESID:AA0168]' - }, - 'GO:0018121': { - 'name': 'NAD(P)-asparagine ADP-ribosyltransferase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + L-asparagine = nicotinamide + N2-(ADP-D-ribosyl)-L-asparagine. [EC:2.4.2.-]' - }, - 'GO:0018122': { - 'name': 'peptidyl-asparagine ADP-ribosylation', - 'def': 'The transfer, from NAD, of ADP-ribose to peptidyl-asparagine to form peptidyl-N4-(ADP-ribosyl)-L-asparagine. [RESID:AA0231]' - }, - 'GO:0018123': { - 'name': 'peptidyl-cysteine ADP-ribosylation', - 'def': 'The transfer, from NAD, of ADP-ribose to peptidyl-cysteine to form peptidyl-S-(ADP-ribosyl)-L-cysteine. [RESID:AA0169]' - }, - 'GO:0018124': { - 'name': "peptide cross-linking via 5'-(N6-L-lysine)-L-topaquinone", - 'def': 'The cross-linking of the epsilon-amino group of a peptidyl-lysine with peptidyl-topaquinone, a modified tyrosine residue. [RESID:AA0233]' - }, - 'GO:0018125': { - 'name': 'peptidyl-cysteine methylation', - 'def': 'The methylation of peptidyl-cysteine to form peptidyl-S-methyl-L-cysteine. [RESID:AA0234]' - }, - 'GO:0018126': { - 'name': 'protein hydroxylation', - 'def': 'The addition of a hydroxy group to a protein amino acid. [GOC:ai]' - }, - 'GO:0018127': { - 'name': 'NAD(P)-serine ADP-ribosyltransferase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + L-serine = nicotinamide + N2-(ADP-D-ribosyl)-L-serine. [EC:2.4.2.-]' - }, - 'GO:0018128': { - 'name': 'obsolete peptidyl-serine cyclase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0018129': { - 'name': 'peptidyl-oxazoline dehydrogenase activity', - 'def': 'Catalysis of the reduction of a peptide-linked oxazoline to oxazole. [GOC:mah, PMID:19058272]' - }, - 'GO:0018130': { - 'name': 'heterocycle biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of heterocyclic compounds, those with a cyclic molecular structure and at least two different atoms in the ring (or rings). [ISBN:0198547684]' - }, - 'GO:0018131': { - 'name': 'oxazole or thiazole biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of oxazole or thiazole, five-membered heterocyclic ring structures containing an oxygen and a sulfur, respectively, in the 1-position and a nitrogen in the 3-position. [CHEBI:35790, CHEBI:48901, GOC:curators]' - }, - 'GO:0018132': { - 'name': 'peptide cross-linking via L-cysteine oxazolecarboxylic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl serine-peptidyl cysteine cross-link by the condensation of a serine hydroxyl with the carbonyl of the preceding residue and alpha-beta dehydrogenation. [PMID:8895467, RESID:AA0238]' - }, - 'GO:0018133': { - 'name': 'peptide cross-linking via L-cysteine oxazolinecarboxylic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl serine-peptidyl cysteine cross-link by the condensation of a serine hydroxyl with the carbonyl of the preceding residue. [RESID:AA0239]' - }, - 'GO:0018134': { - 'name': 'peptide cross-linking via glycine oxazolecarboxylic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl serine-peptidyl glycine cross-link by the condensation of a serine hydroxyl with the carbonyl of the preceding residue and alpha-beta dehydrogenation. [RESID:AA0240]' - }, - 'GO:0018135': { - 'name': 'obsolete peptidyl-cysteine cyclase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0018136': { - 'name': 'peptidyl-thiazoline dehydrogenase activity', - 'def': 'Catalysis of the reduction of a peptide-linked thiazoline to thiazole. [GOC:mah, PMID:19058272]' - }, - 'GO:0018137': { - 'name': 'peptide cross-linking via glycine thiazolecarboxylic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl cysteine-peptidyl glycine cross-link by the condensation of a cysteine thiol with the carbonyl of the preceding residue and alpha-beta dehydrogenation. [RESID:AA0241]' - }, - 'GO:0018138': { - 'name': 'peptide cross-linking via L-serine thiazolecarboxylic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl cysteine-peptidyl serine cross-link by the condensation of a cysteine thiol with the carbonyl of the preceding residue and alpha-beta dehydrogenation. [RESID:AA0242]' - }, - 'GO:0018139': { - 'name': 'peptide cross-linking via L-phenylalanine thiazolecarboxylic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl cysteine-peptidyl phenylalanine cross-link by the condensation of a cysteine thiol with the carbonyl of the preceding residue and alpha-beta dehydrogenation. [RESID:AA0243]' - }, - 'GO:0018140': { - 'name': 'peptide cross-linking via L-cysteine thiazolecarboxylic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl cysteine-peptidyl cysteine cross-link by the condensation of a cysteine thiol with the carbonyl of the preceding residue and alpha-beta dehydrogenation. [RESID:AA0244]' - }, - 'GO:0018141': { - 'name': 'peptide cross-linking via L-lysine thiazolecarboxylic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl cysteine-peptidyl lysine cross-link by the condensation of a cysteine thiol with the carbonyl of the preceding residue and alpha-beta dehydrogenation. [RESID:AA0245]' - }, - 'GO:0018142': { - 'name': 'protein-DNA covalent cross-linking', - 'def': 'The formation of a covalent cross-link between DNA and a protein. [GOC:ma]' - }, - 'GO:0018143': { - 'name': 'nucleic acid-protein covalent cross-linking', - 'def': 'The formation of a covalent cross-link between a nucleic acid and a protein. [GOC:ma]' - }, - 'GO:0018144': { - 'name': 'RNA-protein covalent cross-linking', - 'def': 'The formation of a covalent cross-link between RNA and a protein. [GOC:ma]' - }, - 'GO:0018145': { - 'name': 'protein-DNA covalent cross-linking via peptidyl-serine', - 'def': "The formation of a covalent cross-link between DNA and a peptidyl-serine residue by the formation of O-(phospho-5'-DNA)-L-serine. [RESID:AA0246]" - }, - 'GO:0018146': { - 'name': 'keratan sulfate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of keratan sulfate, a glycosaminoglycan with repeat units consisting of beta-1,4-linked D-galactopyranosyl-beta-(1,4)-N-acetyl-D-glucosamine 6-sulfate and with variable amounts of fucose, sialic acid and mannose units; keratan sulfate chains are covalently linked by a glycosidic attachment through the trisaccharide galactosyl-galactosyl-xylose to peptidyl-threonine or serine residues. [ISBN:0198547684, RESID:AA0247]' - }, - 'GO:0018147': { - 'name': 'molybdenum incorporation via L-selenocysteinyl molybdenum bis(molybdopterin guanine dinucleotide)', - 'def': 'The incorporation of molybdenum into a protein via L-selenocysteinyl molybdenum bis(molybdopterin guanine dinucleotide). [RESID:AA0248]' - }, - 'GO:0018148': { - 'name': 'RNA-protein covalent cross-linking via peptidyl-tyrosine', - 'def': "The formation of a covalent cross-link between RNA and a peptidyl-tyrosine residue by the formation of O4'-(phospho-5'-RNA)-L-tyrosine. [RESID:AA0249]" - }, - 'GO:0018149': { - 'name': 'peptide cross-linking', - 'def': 'The formation of a covalent cross-link between or within protein chains. [GOC:jsg]' - }, - 'GO:0018150': { - 'name': "peptide cross-linking via 3-(3'-L-histidyl)-L-tyrosine", - 'def': "The modification of peptidyl-histidine and peptidyl-tyrosine to form a 3-(3'-L-histidyl)-L-tyrosine protein cross-link. [RESID:AA0250]" - }, - 'GO:0018151': { - 'name': 'peptide cross-linking via L-histidyl-L-tyrosine', - 'def': 'The modification of peptidyl-histidine and peptidyl-tyrosine to form a protein cross-link. [GOC:ai]' - }, - 'GO:0018152': { - 'name': "peptide cross-linking via 3'-(1'-L-histidyl)-L-tyrosine", - 'def': "The modification of peptidyl-histidine and peptidyl-tyrosine to form a 3'-(1'-L-histidyl)-L-tyrosine protein cross-link. [RESID:AA0270]" - }, - 'GO:0018153': { - 'name': 'isopeptide cross-linking via N6-(L-isoglutamyl)-L-lysine', - 'def': 'The formation of an isopeptide cross-link between peptidyl-lysine and peptidyl-glutamine to produce N6-(L-isoglutamyl)-L-lysine. [RESID:AA0124]' - }, - 'GO:0018154': { - 'name': 'peptide cross-linking via (2R,6R)-lanthionine', - 'def': 'The formation of a protein-protein cross-link between peptidyl-serine and peptidyl-cysteine by the synthesis of (2R,6R)-lanthionine (L-lanthionine). [RESID:AA0110]' - }, - 'GO:0018155': { - 'name': 'peptide cross-linking via sn-(2S,6R)-lanthionine', - 'def': 'The formation of a protein-protein cross-link between peptidyl-serine and peptidyl-cysteine by the synthesis of sn-(2S,6R)-lanthionine (meso-lanthione). [RESID:AA0111]' - }, - 'GO:0018156': { - 'name': 'peptide cross-linking via (2S,3S,6R)-3-methyl-lanthionine', - 'def': 'The formation of a protein-protein cross-link between peptidyl-threonine and peptidyl-cysteine by the synthesis of (2S,3S,6R)-3-methyl-lanthionine (3-methyl-L-lanthionine). [RESID:AA0112]' - }, - 'GO:0018157': { - 'name': 'peptide cross-linking via an oxazole or thiazole', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl serine-peptidyl glycine, or peptidyl cysteine-peptidyl glycine cross-link by the condensation of the serine hydroxyl or cysteine thiol with the carbonyl of the preceding residue and alpha-beta dehydrogenation. [GOC:jsg]' - }, - 'GO:0018158': { - 'name': 'protein oxidation', - 'def': 'The modification of a protein amino acid by oxidation. [GOC:ai]' - }, - 'GO:0018159': { - 'name': 'peptidyl-methionine oxidation', - 'def': 'The oxidation of peptidyl-L-methionine to peptidyl-L-methionine sulfone. [RESID:AA0251]' - }, - 'GO:0018160': { - 'name': 'peptidyl-pyrromethane cofactor linkage', - 'def': 'The covalent binding of a pyrromethane (dipyrrin) cofactor to protein via the sulfur atom of cysteine forming dipyrrolylmethanemethyl-L-cysteine. [CHEBI:30410, RESID:AA0252]' - }, - 'GO:0018161': { - 'name': 'dipyrrin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dipyrrins (pyrromethanes), compounds containing two pyrrole rings linked through a methine, -CH=, group. [http://www.chem.qmw.ac.uk/iupac/class/tetpy.html#03]' - }, - 'GO:0018162': { - 'name': 'peptide cross-linking via S-(2-aminovinyl)-3-methyl-D-cysteine', - 'def': 'The formation of a cross-link between peptidyl-cysteine and peptidyl-threonine via the formation of S-(2-aminovinyl)-3-methyl-D-cysteine. [RESID:AA0253]' - }, - 'GO:0018163': { - 'name': "protein-DNA covalent cross-linking via the 5'-end to peptidyl-tyrosine", - 'def': "The formation of a covalent cross-link between DNA and a peptidyl-tyrosine residue by the formation of O4'-(phospho-5'-DNA)-L-tyrosine. [RESID:AA0254]" - }, - 'GO:0018164': { - 'name': 'protein-DNA covalent cross-linking via peptidyl-threonine', - 'def': "The formation of a covalent cross-link between DNA and a peptidyl-threonine residue by the formation of O-(phospho-5'-DNA)-L-threonine. [RESID:AA0255]" - }, - 'GO:0018165': { - 'name': 'peptidyl-tyrosine uridylylation', - 'def': "The uridylylation of peptidyl-tyrosine to form peptidyl-O4'-(phospho-5'-uridine)-L-tyrosine, found in glutamine synthetase. [RESID:AA0256]" - }, - 'GO:0018166': { - 'name': 'C-terminal protein-tyrosinylation', - 'def': 'The ATP-dependent addition of a tyrosine residue to the C-terminus of a protein; typically the addition of tyrosine to the C-terminus of detyrosinated alpha-tubulin by the enzyme tubulin-tyrosine ligase. [RESID:AA0257]' - }, - 'GO:0018167': { - 'name': 'protein-phycoerythrobilin linkage via phycoerythrobilin-bis-L-cysteine', - 'def': 'The linkage of the chromophore phycoerythrobilin to phycoerythrin via phycoerythrobilin-bis-L-cysteine. [RESID:AA0259]' - }, - 'GO:0018168': { - 'name': 'protein-phycoerythrobilin linkage via S-phycoerythrobilin-L-cysteine', - 'def': 'The linkage of the chromophore phycoerythrobilin to phycoerythrocyanin via S-phycoerythrobilin-L-cysteine. [RESID:AA0132]' - }, - 'GO:0018169': { - 'name': 'ribosomal S6-glutamic acid ligase activity', - 'def': 'Catalysis of the posttranslational transfer of one or more glutamic acid residues to the C-terminus of ribosomal protein S6. [GOC:mah, PMID:2570347]' - }, - 'GO:0018170': { - 'name': 'C-terminal peptidyl-polyglutamic acid amidation', - 'def': 'The formation of a C-terminal peptidyl-polyglutamic acid to form a peptidyl-N-L-glutamyl-poly-L-glutamic acid C-terminus. [RESID:AA0261]' - }, - 'GO:0018171': { - 'name': 'peptidyl-cysteine oxidation', - 'def': 'The oxidation of peptidyl-cysteine to peptidyl-L-cysteine sulfinic acid or peptidyl-L-cysteine sulfenic acid. [PMID:9586994, RESID:AA0205, RESID:AA0262]' - }, - 'GO:0018172': { - 'name': "peptidyl-L-3',4',5'-trihydroxyphenylalanine biosynthetic process from peptidyl-tyrosine", - 'def': "The modification of protein tyrosine to peptidyl-L-3',4',5'-dihydroxyphenylalanine. [RESID:AA0263]" - }, - 'GO:0018173': { - 'name': 'peptidyl-1-thioglycine biosynthetic process from peptidyl-glycine', - 'def': 'The chemical reactions and pathways resulting in the formation of peptidyl-1-thioglycine from other compounds, including peptidyl-glycine. [http://www.uni-marburg.de/mpi/thauer/thauer_res.html, RESID:AA0265]' - }, - 'GO:0018174': { - 'name': 'protein-heme P460 linkage', - 'def': 'The linkage of protein to heme P460. [RESID:AA0266, RESID:AA0271]' - }, - 'GO:0018175': { - 'name': 'protein nucleotidylation', - 'def': 'The addition of a nucleotide to a protein amino acid. [GOC:ai]' - }, - 'GO:0018177': { - 'name': 'protein uridylylation', - 'def': 'The addition of phospho-uridine to a protein amino acid. [GOC:jsg]' - }, - 'GO:0018178': { - 'name': 'peptidyl-threonine adenylylation', - 'def': "The adenylylation of peptidyl-threonine to form peptidyl-O-(phospho-5'-adenosine)-L-threonine. [RESID:AA0267]" - }, - 'GO:0018179': { - 'name': 'obsolete peptidyl-cysteine desulfurization', - 'def': 'OBSOLETE. The desulfurization of peptidyl-L-cysteine to yield L-alanine and elemental sulfur; peptidyl-L-cysteine persulfide is an intermediate. [RESID:AA0269]' - }, - 'GO:0018180': { - 'name': 'protein desulfurization', - 'def': 'The removal of a sulfur group from a protein amino acid. [GOC:ai]' - }, - 'GO:0018181': { - 'name': 'peptidyl-arginine C5-methylation', - 'def': 'The methylation of peptidyl-arginine on the carbon 5 (C5) residue to form peptidyl-5-methyl-L-arginine. [GOC:bf, http://www.uni-marburg.de/mpi/thauer/thauer_res.html, RESID:AA0272]' - }, - 'GO:0018182': { - 'name': "protein-heme linkage via 3'-L-histidine", - 'def': "The covalent linkage of heme and a protein via 3'-L-histidine (otherwise known as pi-heme-histidine, pros-heme-histidine). [RESID:AA0276]" - }, - 'GO:0018183': { - 'name': 'obsolete enzyme active site formation via S-selenyl-L-cysteine', - 'def': 'OBSOLETE. The transient selenylation of peptidyl-cysteine to form S-selenyl-L-cysteine. [RESID:AA0277]' - }, - 'GO:0018184': { - 'name': 'protein polyamination', - 'def': 'The modification of a protein amino acid by polyamination. [GOC:ai]' - }, - 'GO:0018185': { - 'name': 'poly-N-methyl-propylamination', - 'def': 'The modification of peptidyl-lysine by the addition of an N6-propylamino and of propylmethylamino units, forming N6-(propylamino-poly(propylmethylamino)-propyldimethylamine)-L-lysine, typical of the silicate binding protein silaffin. [RESID:AA0278]' - }, - 'GO:0018186': { - 'name': 'peroxidase-heme linkage', - 'def': 'The covalent linkage of heme to peroxidase. [RESID:AA0279, RESID:AA0280]' - }, - 'GO:0018187': { - 'name': 'molybdenum incorporation via L-cysteinyl molybdopterin guanine dinucleotide', - 'def': 'The incorporation of molybdenum into a protein by L-cysteinyl molybdopterin guanine dinucleotide. [RESID:AA0281]' - }, - 'GO:0018188': { - 'name': 'peptidyl-proline di-hydroxylation', - 'def': 'The modification of peptidyl-proline to form trans-2,3-cis-3,4-dihydroxy-L-proline. [RESID:AA0282]' - }, - 'GO:0018189': { - 'name': 'pyrroloquinoline quinone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the cofactor pyrroloquinoline quinone (PQQ); it is synthesized from a small peptide containing tyrosine and glutamic acid; these amino acids in the peptide are multiply cross-linked and the rest of the peptide is removed. [PMID:7665488, RESID:AA0283]' - }, - 'GO:0018190': { - 'name': 'protein octanoylation', - 'def': 'The modification of a protein amino acid by formation of an ester or amide with octanoic acid. [GOC:jsg]' - }, - 'GO:0018191': { - 'name': 'peptidyl-serine octanoylation', - 'def': 'The octanoylation of peptidyl-serine to form peptidyl-O3-octanoyl-L-serine, typical of the protein ghrelin. [PMID:10604470, RESID:AA0290]' - }, - 'GO:0018192': { - 'name': 'enzyme active site formation via cysteine modification to L-cysteine persulfide', - 'def': 'The formation of an enzyme active site via modification of peptidyl-cysteine to peptidyl-L-cysteine persulfide. [PMID:11592406, RESID:AA0269]' - }, - 'GO:0018193': { - 'name': 'peptidyl-amino acid modification', - 'def': 'The alteration of an amino acid residue in a peptide. [GOC:mah]' - }, - 'GO:0018194': { - 'name': 'peptidyl-alanine modification', - 'def': 'The modification of peptidyl-alanine. [GOC:go_curators]' - }, - 'GO:0018195': { - 'name': 'peptidyl-arginine modification', - 'def': 'The modification of peptidyl-arginine. [GOC:go_curators]' - }, - 'GO:0018196': { - 'name': 'peptidyl-asparagine modification', - 'def': 'The modification of peptidyl-asparagine. [GOC:go_curators]' - }, - 'GO:0018197': { - 'name': 'peptidyl-aspartic acid modification', - 'def': 'The modification of peptidyl-aspartic acid. [GOC:ma]' - }, - 'GO:0018198': { - 'name': 'peptidyl-cysteine modification', - 'def': 'The modification of peptidyl-cysteine. [GOC:go_curators]' - }, - 'GO:0018199': { - 'name': 'peptidyl-glutamine modification', - 'def': 'The modification of peptidyl-glutamine. [GOC:go_curators]' - }, - 'GO:0018200': { - 'name': 'peptidyl-glutamic acid modification', - 'def': 'The modification of peptidyl-glutamic acid. [GOC:go_curators]' - }, - 'GO:0018201': { - 'name': 'peptidyl-glycine modification', - 'def': 'The modification of peptidyl-glycine. [GOC:go_curators]' - }, - 'GO:0018202': { - 'name': 'peptidyl-histidine modification', - 'def': 'The modification of peptidyl-histidine. [GOC:ma]' - }, - 'GO:0018203': { - 'name': 'peptidyl-isoleucine modification', - 'def': 'The modification of peptidyl-isoleucine. [GOC:go_curators]' - }, - 'GO:0018204': { - 'name': 'peptidyl-leucine modification', - 'def': 'The modification of peptidyl-leucine. [GOC:go_curators]' - }, - 'GO:0018205': { - 'name': 'peptidyl-lysine modification', - 'def': 'The modification of peptidyl-lysine. [GOC:go_curators]' - }, - 'GO:0018206': { - 'name': 'peptidyl-methionine modification', - 'def': 'The modification of peptidyl-methionine. [GOC:go_curators]' - }, - 'GO:0018207': { - 'name': 'peptidyl-phenylalanine modification', - 'def': 'The modification of peptidyl-phenylalanine. [GOC:go_curators]' - }, - 'GO:0018208': { - 'name': 'peptidyl-proline modification', - 'def': 'The modification of peptidyl-proline. [GOC:go_curators]' - }, - 'GO:0018209': { - 'name': 'peptidyl-serine modification', - 'def': 'The modification of peptidyl-serine. [GOC:go_curators]' - }, - 'GO:0018210': { - 'name': 'peptidyl-threonine modification', - 'def': 'The modification of peptidyl-threonine. [GOC:go_curators]' - }, - 'GO:0018211': { - 'name': 'peptidyl-tryptophan modification', - 'def': 'The chemical alteration of a tryptophan residue in a peptide. [GOC:isa_complete]' - }, - 'GO:0018212': { - 'name': 'peptidyl-tyrosine modification', - 'def': 'The modification of peptidyl-tyrosine. [GOC:go_curators]' - }, - 'GO:0018213': { - 'name': 'peptidyl-valine modification', - 'def': 'The modification of peptidyl-valine. [GOC:go_curators]' - }, - 'GO:0018214': { - 'name': 'protein carboxylation', - 'def': 'The addition of a carboxy group to a protein amino acid. [GOC:ai]' - }, - 'GO:0018215': { - 'name': 'protein phosphopantetheinylation', - 'def': 'The modification of a protein amino acid by phosphopantetheinylation. [GOC:ai]' - }, - 'GO:0018216': { - 'name': 'peptidyl-arginine methylation', - 'def': 'The addition of a methyl group to an arginine residue in a protein. [GOC:mah]' - }, - 'GO:0018217': { - 'name': 'peptidyl-aspartic acid phosphorylation', - 'def': 'The phosphorylation of peptidyl-aspartic acid. [GOC:jl]' - }, - 'GO:0018218': { - 'name': 'peptidyl-cysteine phosphorylation', - 'def': 'The phosphorylation of peptidyl-cysteine to form peptidyl-S-phospho-L-cysteine. [RESID:AA0034]' - }, - 'GO:0018219': { - 'name': 'peptidyl-cysteine S-acetylation', - 'def': 'The acetylation of peptidyl-cysteine to form peptidyl-S-acetyl-L-cysteine. [RESID:AA0056]' - }, - 'GO:0018220': { - 'name': 'peptidyl-threonine palmitoylation', - 'def': 'The covalent attachment of a palmitoyl group to an oxygen (O) atom in a threonine residue to form peptidyl-O-palmitoyl-L-threonine. [RESID:AA0079]' - }, - 'GO:0018221': { - 'name': 'peptidyl-serine palmitoylation', - 'def': 'The covalent attachment of a palmitoyl group to an oxygen (O) atom in a serine residue to form peptidyl-O-palmitoyl-L-serine. [RESID:AA0080]' - }, - 'GO:0018222': { - 'name': 'peptidyl-L-cysteine methyl disulfide biosynthetic process from peptidyl-cysteine', - 'def': 'The modification of peptidyl-cysteine to form peptidyl-L-cysteine methyl disulfide. [RESID:AA0101]' - }, - 'GO:0018226': { - 'name': 'peptidyl-S-farnesyl-L-cysteine biosynthetic process from peptidyl-cysteine', - 'def': 'The modification of peptidyl-cysteine to form peptidyl-S-farnesyl-L-cysteine; formation of S-farnesycysteine may be coupled with subsequent cleavage of a carboxy-terminal tripeptide for the CXXX motif and methyl esterification of the farnesylated cysteine; the residue may be found at the first position in the sequence motif C-X-X-(SAQCMT)* where the second and third positions are usually aliphatic. [RESID:AA0102]' - }, - 'GO:0018227': { - 'name': 'peptidyl-S-12-hydroxyfarnesyl-L-cysteine biosynthetic process from peptidyl-cysteine', - 'def': 'The modification of peptidyl-cysteine to form S-12-hydroxyfarnesyl-L-cysteine; formation of S-farnesycysteine may be coupled with subsequent cleavage of a carboxy-terminal tripeptide for the CXXX motif and methyl esterification of the farnesylated cysteine. [RESID:AA0103]' - }, - 'GO:0018228': { - 'name': 'peptidyl-S-geranylgeranyl-L-cysteine biosynthetic process from peptidyl-cysteine', - 'def': 'The modification of peptidyl-cysteine to form peptidyl-S-geranylgeranylcysteine; formation of S-geranylgeranyl-L-cysteine may be coupled with subsequent cleavage of a carboxy-terminal tripeptide for the CAAX motif and methyl esterification of the geranylgeranylated cysteine; methyl esterification but not cleavage occurs for the CXC motif. For the type II geranylgeranyltransferase the residue may be found at the first and final positions in the sequence motif C-X-C* or at the final position in the sequence motif C-C*. These motifs are necessary but not sufficient for modification. [RESID:AA0104]' - }, - 'GO:0018229': { - 'name': 'peptidyl-L-cysteine methyl ester biosynthetic process from peptidyl-cysteine', - 'def': 'The modification of a C-terminal peptidyl-cysteine to form peptidyl-L-cysteine methyl ester. [RESID:AA0105]' - }, - 'GO:0018230': { - 'name': 'peptidyl-L-cysteine S-palmitoylation', - 'def': 'The covalent attachment of a palmitoyl group to a sulfur (S) atom within a cysteine residue to form peptidyl-S-palmitoyl-L-cysteine. [RESID:AA0106]' - }, - 'GO:0018231': { - 'name': 'peptidyl-S-diacylglycerol-L-cysteine biosynthetic process from peptidyl-cysteine', - 'def': "The modification of peptidyl-cysteine to form peptidyl-S-diacylglycerol-L-cysteine; the oleate and palmitate actually represent mixtures of saturated (generally at 3') and unsaturated (generally at 2') fatty acids. [RESID:AA0107]" - }, - 'GO:0018232': { - 'name': 'peptide cross-linking via S-(L-isoglutamyl)-L-cysteine', - 'def': 'The modification of peptidyl-glutamine and peptidyl-cysteine to form a S-(L-isoglutamyl)-L-cysteine protein cross-link. [RESID:AA0108]' - }, - 'GO:0018233': { - 'name': "peptide cross-linking via 2'-(S-L-cysteinyl)-L-histidine", - 'def': "The modification of peptidyl-histidine and peptidyl-cysteine to form a 2'-(S-L-cysteinyl)-L-histidine protein cross-link. [RESID:AA0109]" - }, - 'GO:0018234': { - 'name': "peptide cross-linking via 3'-(S-L-cysteinyl)-L-tyrosine", - 'def': "The thioether cross-linking of a cysteine residue to a tyrosine residue to form 3'-(S-L-cysteinyl)-L-tyrosine, found in galactose oxidase. [RESID:AA0113]" - }, - 'GO:0018235': { - 'name': 'peptidyl-lysine carboxylation', - 'def': 'The modification of peptidyl-lysine to form peptidyl-N6-carboxy-L-lysine. [RESID:AA0114]' - }, - 'GO:0018237': { - 'name': 'urease activator activity', - 'def': 'Increases the activity of urease by promoting the incorporation of nickel into the active site. [GOC:mah, PMID:16244137]' - }, - 'GO:0018238': { - 'name': 'peptidyl-lysine carboxyethylation', - 'def': 'The modification of peptidyl-lysine to form peptidyl-N6-1-carboxyethyl-L-lysine. [RESID:AA0115]' - }, - 'GO:0018240': { - 'name': 'protein S-linked glycosylation via cysteine', - 'def': 'The glycosylation of protein via the sulfur atom of peptidyl-cysteine, forming S-glycosyl-L-cysteine. [RESID:AA0152]' - }, - 'GO:0018241': { - 'name': 'protein O-linked glycosylation via hydroxylysine', - 'def': 'The glycosylation of protein via the O5 atom of peptidyl-hydroxylysine, forming O5-glycosyl-L-hydroxylysine; the most common form is galactosyl hydroxylysine. [RESID:AA0153]' - }, - 'GO:0018242': { - 'name': 'protein O-linked glycosylation via serine', - 'def': 'The glycosylation of protein via the O3 atom of peptidyl-serine, forming O3-glycosyl-L-serine; the most common forms are N-acetylgalactosaminyl, mannosyl, galactosyl, and xylosyl serine. [RESID:AA0154]' - }, - 'GO:0018243': { - 'name': 'protein O-linked glycosylation via threonine', - 'def': 'The glycosylation of protein via the O3 atom of peptidyl-threonine, forming O3-glycosyl-L-threonine; the most common forms are N-acetylgalactosaminyl, mannosyl, and galactosyl threonine. [RESID:AA0155]' - }, - 'GO:0018244': { - 'name': 'protein N-linked glycosylation via tryptophan', - 'def': "The glycosylation of protein via peptidyl-tryptophan, 1'-glycosyl-L-tryptophan; results in the formation of an (S)-2-amino-3-(1-D-mannopyranosyloxy-1H-indol-3-yl)propanoic acid residue. [RESID:AA0156]" - }, - 'GO:0018245': { - 'name': 'protein O-linked glycosylation via tyrosine', - 'def': "The glycosylation of protein via the O4' atom of peptidyl-tyrosine, O4'-glycosyl-L-tyrosine; the carbohydrate is glucose, the origin for glycogen. [RESID:AA0157]" - }, - 'GO:0018246': { - 'name': 'protein-coenzyme A linkage', - 'def': 'The formation of a linkage between a protein amino acid and coenzyme A. [GOC:mah]' - }, - 'GO:0018247': { - 'name': 'protein-phosphoribosyl dephospho-coenzyme A linkage', - 'def': "The linkage of phosphoribosyl dephospho-coenzyme A to protein via peptidyl-serine, to form O-(phosphoribosyl dephospho-coenzyme A)-L-serine; it is uncertain whether the phosphoribosyl glycosidic attachment to the dephospho-coenzyme A is alpha or beta, and through the 2' or the 3' position. [RESID:AA0167]" - }, - 'GO:0018248': { - 'name': 'enzyme active site formation via peptidyl cysteine sulfation', - 'def': 'The formation of an enzyme active site via transient sulfation of peptidyl-cysteine to form S-sulfo-L-cysteine. [RESID:AA0171]' - }, - 'GO:0018249': { - 'name': 'protein dehydration', - 'def': 'The removal of a water group from a protein amino acid. [GOC:ai]' - }, - 'GO:0018250': { - 'name': 'peptidyl-dehydroalanine biosynthetic process from peptidyl-tyrosine or peptidyl-serine', - 'def': 'The formation of peptidyl-dehydroalanine from either peptidyl-tyrosine by phenyl transfer, or from peptidyl-serine, which is coupled with the formation of 5-imidazolinone by the two neighboring residues, produces an 4-methylidene-imidazole-5-one active site of some amino acid ammonia-lyases; the 4-methylidene-imidazole-5-one, is formed autocatalytically by cyclization and dehydration of the sequence ASG. [RESID:AA0181]' - }, - 'GO:0018251': { - 'name': 'peptidyl-tyrosine dehydrogenation', - 'def': 'The oxidation of the C alpha-C beta bond of peptidyl-tyrosine to form peptidyl-dehydrotyrosine coupled with cyclization of neighboring residues. [RESID:AA0183]' - }, - 'GO:0018252': { - 'name': 'peptide cross-linking via L-seryl-5-imidazolinone glycine', - 'def': 'The formation of the green fluorescent protein chromophore cross-link from the alpha-carboxyl carbon of residue n, a serine, to the alpha-amino nitrogen of residue n+2, a glycine, and a dehydration to form a double bond to the alpha-amino nitrogen of residue n+1. This cross-linking is coupled with a dehydrogenation of residue n+1 to form a double bond between the alpha and beta carbons. [RESID:AA0184]' - }, - 'GO:0018253': { - 'name': 'peptide cross-linking via 5-imidazolinone glycine', - 'def': 'The formation of a protein active site cross-link from the alpha-carboxyl carbon of residue n, an alanine, serine or cysteine, to the alpha-amino nitrogen of residue n+2, a glycine, and a dehydration to form a double bond to the alpha-amino nitrogen of residue n+1. This cross-linking is coupled with an oxidation of residue n+1 to form an active aldehyde. [RESID:AA0184, RESID:AA0187, RESID:AA0188]' - }, - 'GO:0018254': { - 'name': 'peptidyl-tyrosine adenylylation', - 'def': "The adenylylation of peptidyl-tyrosine to form peptidyl-O4'-(phospho-5'-adenosine)-L-tyrosine. [RESID:AA0203]" - }, - 'GO:0018255': { - 'name': 'peptide cross-linking via S-glycyl-L-cysteine', - 'def': 'The formation of S-(peptidyl-glycyl)-peptidyl-cysteine cross-links by the formation of a thiolester between cysteine and the carboxy-terminal glycine of ubiquitin and other proteins. [GOC:jh2, RESID:AA0206]' - }, - 'GO:0018256': { - 'name': 'protein formylation', - 'def': 'The addition of a formyl group to a protein amino acid. [GOC:ai]' - }, - 'GO:0018257': { - 'name': 'peptidyl-lysine formylation', - 'def': 'The modification of peptidyl-lysine to form peptidyl-N6-formyl-L-lysine. [RESID:AA0211]' - }, - 'GO:0018258': { - 'name': 'protein O-linked glycosylation via hydroxyproline', - 'def': 'The glycosylation of proteins via 04 atom of hydroxyproline to form O4-glycosyl-L-hydroxyproline; the most common form is arabinofuranosyl-4-proline. [RESID:AA0212]' - }, - 'GO:0018259': { - 'name': 'RNA-protein covalent cross-linking via peptidyl-serine', - 'def': "The formation of a covalent cross-link between RNA and a peptidyl-serine residue by the formation of O-(phospho-5'-5NA)-L-serine. [RESID:AA0213]" - }, - 'GO:0018260': { - 'name': 'protein guanylylation', - 'def': 'The addition of phospho-guanosine to a protein amino acid. [GOC:ai]' - }, - 'GO:0018261': { - 'name': 'peptidyl-lysine guanylylation', - 'def': "The guanylylation of peptidyl-lysine to form peptidyl-N6-(phospho-5'-guanosine)-L-lysine. [RESID:AA0228]" - }, - 'GO:0018262': { - 'name': 'isopeptide cross-linking', - 'def': 'The formation of a covalent cross-link between or within peptide chains, where either the amino group or the carboxyl group, or both, are not attached to the alpha carbon. [GOC:jsg]' - }, - 'GO:0018263': { - 'name': 'isopeptide cross-linking via N-(L-isoaspartyl)-L-cysteine', - 'def': 'The formation of an isopeptide cross-link between peptidyl-asparagine and peptidyl-cysteine to produce N-(L-isoaspartyl)-L-cysteine. [RESID:AA0216]' - }, - 'GO:0018264': { - 'name': 'isopeptide cross-linking via N-(L-isoaspartyl)-glycine', - 'def': 'The formation of an isopeptide cross-link between peptidyl-asparagine and peptidyl-glycine to produce N-(L-isoaspartyl)-glycine. [RESID:AA0126]' - }, - 'GO:0018265': { - 'name': 'GPI anchor biosynthetic process via N-asparaginyl-glycosylphosphatidylinositolethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a C-terminal peptidyl-asparagine ethanolamide-linked glycosylphosphatidylinositol (GPI) anchor following hydrolysis of a asparaginyl-peptide bond in the carboxy-terminal region of a membrane-associated protein. [RESID:AA0158]' - }, - 'GO:0018266': { - 'name': 'GPI anchor biosynthetic process via N-aspartyl-glycosylphosphatidylinositolethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a C-terminal peptidyl-aspartic acid ethanolamide-linked glycosylphosphatidylinositol (GPI) anchor following hydrolysis of a aspartyl-peptide bond in the carboxy-terminal region of a membrane-associated protein. [RESID:AA0159]' - }, - 'GO:0018267': { - 'name': 'GPI anchor biosynthetic process via N-cysteinyl-glycosylphosphatidylinositolethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a C-terminal peptidyl-cysteine ethanolamide-linked glycosylphosphatidylinositol (GPI) anchor following hydrolysis of a cysteinyl-peptide bond in the carboxy-terminal region of a membrane-associated protein. [RESID:AA0160]' - }, - 'GO:0018268': { - 'name': 'GPI anchor biosynthetic process via N-glycyl-glycosylphosphatidylinositolethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a C-terminal peptidyl-glycine ethanolamide-linked glycosylphosphatidylinositol (GPI) anchor following hydrolysis of a glycyl-peptide bond in the carboxy-terminal region of a membrane-associated protein. [RESID:AA0161]' - }, - 'GO:0018269': { - 'name': 'GPI anchor biosynthetic process via N-seryl-glycosylphosphatidylinositolethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a C-terminal peptidyl-serine ethanolamide-linked glycosylphosphatidylinositol (GPI) anchor following hydrolysis of a seryl-peptide bond in the carboxy-terminal region of a membrane-associated protein. [RESID:AA0162]' - }, - 'GO:0018270': { - 'name': 'GPI anchor biosynthetic process via N-alanyl-glycosylphosphatidylinositolethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a C-terminal peptidyl-alanine ethanolamide-linked glycosylphosphatidylinositol (GPI) anchor following hydrolysis of an alanyl-peptide bond in the carboxy-terminal region of a membrane-associated protein. [RESID:AA0163]' - }, - 'GO:0018271': { - 'name': 'biotin-protein ligase activity', - 'def': 'Catalysis of the reaction: ATP + biotin + protein = AMP + diphosphate + biotin-protein. [GOC:mah]' - }, - 'GO:0018272': { - 'name': 'protein-pyridoxal-5-phosphate linkage via peptidyl-N6-pyridoxal phosphate-L-lysine', - 'def': 'The modification of peptidyl-lysine to form N6-pyridoxal phosphate-L-lysine. [RESID:AA0119]' - }, - 'GO:0018273': { - 'name': 'protein-chromophore linkage via peptidyl-N6-retinal-L-lysine', - 'def': 'The modification of peptidyl-lysine to form N6-retinal-L-lysine. [RESID:AA0120]' - }, - 'GO:0018274': { - 'name': 'peptide cross-linking via L-lysinoalanine', - 'def': 'The modification of peptidyl-lysine and peptidyl-serine to form a (2Xi,9S)-L-lysinoalanine cross-link. [RESID:AA0123]' - }, - 'GO:0018275': { - 'name': 'N-terminal peptidyl-cysteine acetylation', - 'def': 'The acetylation of the N-terminal cysteine of proteins to form the derivative N-acetyl-L-cysteine. [RESID:AA0043]' - }, - 'GO:0018276': { - 'name': 'isopeptide cross-linking via N6-glycyl-L-lysine', - 'def': 'The formation of an isopeptide cross-link between peptidyl-lysine and peptidyl-glycine to produce N6-glycyl-L-lysine. This is distinct from the formation of the thiolester intermediate, which occurs during ubiquitination. [RESID:AA0125]' - }, - 'GO:0018277': { - 'name': 'protein deamination', - 'def': 'The removal of an amino group from a protein amino acid. [GOC:ai]' - }, - 'GO:0018278': { - 'name': 'N-terminal peptidyl-threonine deamination', - 'def': 'The deamination of N-terminal peptidyl-threonine to form peptidyl-2-oxobutanoic acid. [RESID:AA0129]' - }, - 'GO:0018279': { - 'name': 'protein N-linked glycosylation via asparagine', - 'def': 'The glycosylation of protein via the N4 atom of peptidyl-asparagine forming N4-glycosyl-L-asparagine; the most common form is N-acetylglucosaminyl asparagine; N-acetylgalactosaminyl asparagine and N4 glucosyl asparagine also occur. This modification typically occurs in extracellular peptides with an N-X-(ST) motif. Partial modification has been observed to occur with cysteine, rather than serine or threonine, in the third position; secondary structure features are important, and proline in the second or fourth positions inhibits modification. [GOC:jsg, RESID:AA0151, RESID:AA0420, RESID:AA0421]' - }, - 'GO:0018280': { - 'name': 'protein S-linked glycosylation', - 'def': 'A protein glycosylation process in which a carbohydrate or carbohydrate derivative unit is added to a protein via a sulfur atom of a peptidyl-amino-acid such as cysteine or methionine. [GOC:ai, GOC:jsg, GOC:pr]' - }, - 'GO:0018281': { - 'name': 'GSI anchor biosynthetic process via N-seryl-glycosylsphingolipidinositolethanolamine', - 'def': 'The formation of a C-terminal peptidyl-serine ethanolamide-linked glycosylsphingolipidinositol (GSI) anchor following hydrolysis of a seryl-peptide bond in the carboxy-terminal region of a membrane-associated protein. [RESID:AA0166]' - }, - 'GO:0018282': { - 'name': 'metal incorporation into metallo-sulfur cluster', - 'def': 'The formation of a cluster of several metal atoms, including iron, nickel, molybdenum, vanadium, or copper, with one or more bridging (mu-bond) sulfur atoms; amino acids residues in proteins that may ligate the metal sulfur cluster are cysteine, histidine, aspartate, glutamate, serine and cysteine persulfide. [GOC:jsg]' - }, - 'GO:0018283': { - 'name': 'iron incorporation into metallo-sulfur cluster', - 'def': 'The incorporation of iron into a metallo-sulfur cluster. [GOC:ai]' - }, - 'GO:0018284': { - 'name': 'iron incorporation into protein via tetrakis-L-cysteinyl iron', - 'def': 'The incorporation of iron into a protein via tetrakis-L-cysteinyl iron (there is no exogenous sulfur, so this modification by itself does not produce an iron-sulfur protein). [RESID:AA0136]' - }, - 'GO:0018285': { - 'name': 'iron incorporation into iron-sulfur cluster via tetrakis-L-cysteinyl diiron disulfide', - 'def': 'The incorporation of iron into a 2Fe-2S iron-sulfur cluster via tetrakis-L-cysteinyl diiron disulfide. [RESID:AA0137]' - }, - 'GO:0018286': { - 'name': 'obsolete iron incorporation into iron-sulfur cluster via hexakis-L-cysteinyl triiron trisulfide', - 'def': 'OBSOLETE. The incorporation of iron into a 3Fe-3S iron-sulfur cluster via hexakis-L-cysteinyl triiron trisulfide. The three-iron three-sulfur cluster probably does not exist except as an intermediate form. [RESID:AA0138]' - }, - 'GO:0018287': { - 'name': 'iron incorporation into iron-sulfur cluster via tris-L-cysteinyl triiron tetrasulfide', - 'def': 'The incorporation of iron into a 3Fe-4S iron-sulfur cluster via tris-L-cysteinyl triiron tetrasulfide. [RESID:AA0139]' - }, - 'GO:0018288': { - 'name': 'iron incorporation into iron-sulfur cluster via tetrakis-L-cysteinyl tetrairon tetrasulfide', - 'def': 'The incorporation of iron into a 4Fe-4S iron-sulfur cluster via tetrakis-L-cysteinyl tetrairon tetrasulfide. [RESID:AA0140]' - }, - 'GO:0018289': { - 'name': 'molybdenum incorporation into metallo-sulfur cluster', - 'def': 'The incorporation of molybdenum into a metallo-sulfur cluster. [GOC:ai]' - }, - 'GO:0018290': { - 'name': 'iron and molybdenum incorporation into iron-molybdenum-sulfur cluster via L-cysteinyl homocitryl molybdenum-heptairon-nonasulfide', - 'def': 'The incorporation of iron and molybdenum into a Mo-7Fe-8S iron-molybdenum-sulfur cluster via L-cysteinyl homocitryl molybdenum-heptairon-nonasulfide, found in nitrogenase. [RESID:AA0141]' - }, - 'GO:0018291': { - 'name': 'molybdenum incorporation into iron-sulfur cluster', - 'def': 'The incorporation of molybdenum into an iron-sulfur cluster. [GOC:ai]' - }, - 'GO:0018292': { - 'name': 'molybdenum incorporation via L-cysteinyl molybdopterin', - 'def': 'The incorporation of molybdenum into a protein via L-cysteinyl molybdopterin. [RESID:AA0142]' - }, - 'GO:0018293': { - 'name': 'protein-FAD linkage', - 'def': 'The formation of a linkage between a protein amino acid and flavin-adenine dinucleotide (FAD). [GOC:ai]' - }, - 'GO:0018294': { - 'name': 'protein-FAD linkage via S-(8alpha-FAD)-L-cysteine', - 'def': 'The formation of a protein-FAD linkage via S-(8-alpha-FAD)-L-cysteine. [RESID:AA0143]' - }, - 'GO:0018295': { - 'name': "protein-FAD linkage via 3'-(8alpha-FAD)-L-histidine", - 'def': "The formation of a protein-FAD linkage via 3'-(8-alpha-FAD)-L-histidine. [RESID:AA0144]" - }, - 'GO:0018296': { - 'name': "protein-FAD linkage via O4'-(8alpha-FAD)-L-tyrosine", - 'def': "The formation of a protein-FAD linkage via O4'-(8-alpha-FAD)-L-tyrosine. [RESID:AA0145]" - }, - 'GO:0018297': { - 'name': "protein-FAD linkage via 1'-(8alpha-FAD)-L-histidine", - 'def': "The formation of a protein-FAD linkage via 1'-(8-alpha-FAD)-L-histidine. [RESID:AA0221]" - }, - 'GO:0018298': { - 'name': 'protein-chromophore linkage', - 'def': 'The covalent or noncovalent attachment of a chromophore to a protein. [GOC:ma]' - }, - 'GO:0018299': { - 'name': 'iron incorporation into the Rieske iron-sulfur cluster via bis-L-cysteinyl bis-L-histidino diiron disulfide', - 'def': 'The incorporation of iron into a Rieske 4Fe-4S iron-sulfur cluster via bis-L-cysteinyl bis-L-histidino diiron disulfide. [RESID:AA0225]' - }, - 'GO:0018300': { - 'name': 'obsolete iron incorporation into iron-sulfur cluster via hexakis-L-cysteinyl hexairon hexasulfide', - 'def': 'OBSOLETE. The incorporation of iron into a 6Fe-6S cluster by hexakis-L-cysteinyl hexairon hexasulfide. [RESID:AA0226]' - }, - 'GO:0018301': { - 'name': 'iron incorporation into iron-sulfur cluster via tris-L-cysteinyl-L-cysteine persulfido-bis-L-glutamato-L-histidino tetrairon', - 'def': 'The incorporation of iron into an iron-sulfur cluster by tris-L-cysteinyl-L-cysteine persulfido-bis-L-glutamato-L-histidino tetrairon. [RESID:AA0268]' - }, - 'GO:0018302': { - 'name': "iron incorporation into iron-sulfur cluster via tris-L-cysteinyl-L-N1'-histidino tetrairon tetrasulfide", - 'def': "The incorporation of iron into a 4Fe-4S iron-sulfur cluster via tris-L-cysteinyl-L-N1'-histidino tetrairon tetrasulfide. [RESID:AA0284]" - }, - 'GO:0018303': { - 'name': "iron incorporation into iron-sulfur cluster via tris-L-cysteinyl-L-N3'-histidino tetrairon tetrasulfide", - 'def': "The incorporation of iron into a 4Fe-4S iron-sulfur cluster via tris-L-cysteinyl-L-N3'-histidino tetrairon tetrasulfide. [RESID:AA0285]" - }, - 'GO:0018304': { - 'name': 'iron incorporation into iron-sulfur cluster via tris-L-cysteinyl-L-aspartato tetrairon tetrasulfide', - 'def': 'The incorporation of iron into a 4Fe-4S iron-sulfur cluster via tris-L-cysteinyl-L-aspartato tetrairon tetrasulfide. [RESID:AA0286]' - }, - 'GO:0018305': { - 'name': 'iron incorporation into iron-sulfur cluster via tris-L-cysteinyl-L-serinyl tetrairon tetrasulfide', - 'def': 'The incorporation of iron into a 4Fe-4S iron-sulfur cluster via tris-L-cysteinyl-L-serinyl tetrairon tetrasulfide. [RESID:AA0288]' - }, - 'GO:0018306': { - 'name': "iron incorporation into iron-sulfur cluster via bis-L-cysteinyl-L-N3'-histidino-L-serinyl tetrairon tetrasulfide", - 'def': "The incorporation of iron into a 4Fe-4S iron-sulfur cluster via bis-L-cysteinyl-L-N3'-histidino-L-serinyl tetrairon tetrasulfide. [RESID:AA0289]" - }, - 'GO:0018307': { - 'name': 'enzyme active site formation', - 'def': 'The modification of part of an enzyme to form the active site. [GOC:ai]' - }, - 'GO:0018308': { - 'name': 'obsolete enzyme active site formation via N6-pyruvic acid 2-iminyl-L-lysine', - 'def': 'OBSOLETE. The transient modification of lysine by pyruvate to form N6-pyruvic acid 2-iminyl-L-lysine, found in the active site of dihydrodipicolinate synthase. [PMID:1463470, RESID:AA0287]' - }, - 'GO:0018309': { - 'name': 'protein-FMN linkage', - 'def': 'The formation of a linkage between a protein amino acid and flavin mononucleotide (FMN). [GOC:mah]' - }, - 'GO:0018310': { - 'name': 'protein-FMN linkage via S-(6-FMN)-L-cysteine', - 'def': 'The formation of a protein-FMN linkage via S-(6-FMN)-L-cysteine. [RESID:AA0220]' - }, - 'GO:0018311': { - 'name': 'peptidyl-N4-hydroxymethyl-L-asparagine biosynthetic process from peptidyl-asparagine', - 'def': 'The chemical reactions and pathways resulting in the formation of N4-hydroxymethyl-L-asparagine from other compounds, including peptidyl-asparagine. [RESID:AA0236]' - }, - 'GO:0018312': { - 'name': 'peptidyl-serine ADP-ribosylation', - 'def': 'The transfer, from NAD, of ADP-ribose to peptidyl-serine to form peptidyl-O-(ADP-ribosyl)-L-serine. [RESID:AA0237]' - }, - 'GO:0018313': { - 'name': 'peptide cross-linking via L-alanyl-5-imidazolinone glycine', - 'def': 'The formation of a protein active site cross-link from the alpha-carboxyl carbon of residue N, an alanine, to the alpha-amino nitrogen of residue N+2, a glycine, coupled with the formation of a double bond to the alpha-amino nitrogen of residue N+1 which loses one hydrogen, and the loss of a molecule of water. [RESID:AA0187]' - }, - 'GO:0018314': { - 'name': 'obsolete protein-pyrroloquinoline-quinone linkage', - 'def': 'OBSOLETE. The covalent cross-linking of pyrroloquinoline-quinone to peptidyl-glutamic acid and peptidyl-tyrosine. [PMID:7665488, RESID:AA0283]' - }, - 'GO:0018315': { - 'name': 'molybdenum incorporation into molybdenum-molybdopterin complex', - 'def': 'The incorporation of molybdenum into a molybdenum-molybdopterin complex. [GOC:ai]' - }, - 'GO:0018316': { - 'name': 'peptide cross-linking via L-cystine', - 'def': 'The oxidation of two peptidyl-cysteine residues to form a peptidyl-L-cystine (dicysteine) in which segments of peptide chain are linked by a disulfide bond; the cross-link may be between different or the same peptide chain. [RESID:AA0025]' - }, - 'GO:0018317': { - 'name': 'protein C-linked glycosylation via tryptophan', - 'def': 'The glycosylation of a carbon atom of a peptidyl-tryptophan residue. [GOC:ai]' - }, - 'GO:0018320': { - 'name': 'enzyme active site formation via S-methyl-L-cysteine', - 'def': 'The transient methylation of peptidyl-cysteine to form S-methyl-L-cysteine. [RESID:AA0234]' - }, - 'GO:0018321': { - 'name': 'protein glucuronylation', - 'def': 'The modification of a protein by amino acid glucuronylation, the addition of a glucuronate group, the uronic acid derived from glucose. [GOC:ai, GOC:pr]' - }, - 'GO:0018322': { - 'name': 'protein tyrosinylation', - 'def': 'The addition of a tyrosine molecule to a protein amino acid. [GOC:ai]' - }, - 'GO:0018323': { - 'name': 'enzyme active site formation via L-cysteine sulfinic acid', - 'def': 'The oxidation of peptidyl-cysteine to form peptidyl-L-cysteine sulfinic acid. [RESID:AA0262]' - }, - 'GO:0018324': { - 'name': 'enzyme active site formation via L-cysteine sulfenic acid', - 'def': 'The oxidation of peptidyl-cysteine to form peptidyl-L-cysteine sulfenic acid, found in the active site of NADH peroxidase, nitrile hydratase, and peptide methionine sulfoxide reductase. [PMID:2501303, RESID:AA0205]' - }, - 'GO:0018325': { - 'name': 'enzyme active site formation via S-phospho-L-cysteine', - 'def': 'The transient phosphorylation of peptidyl-cysteine to form S-phospho-L-cysteine. [RESID:AA0034]' - }, - 'GO:0018326': { - 'name': 'enzyme active site formation via S-acetyl-L-cysteine', - 'def': 'The transient acetylation of peptidyl-cysteine to form S-acetyl-L-cysteine. [RESID:AA0056]' - }, - 'GO:0018327': { - 'name': "enzyme active site formation via 1'-phospho-L-histidine", - 'def': "The transient phosphorylation of peptidyl-histidine to form 1'-phospho-L-histidine (otherwise known as tau-phosphohistidine, tele-phosphohistidine). [RESID:AA0035]" - }, - 'GO:0018328': { - 'name': "enzyme active site formation via 3'-phospho-L-histidine", - 'def': "The transient phosphorylation of peptidyl-histidine to form 3'-phospho-L-histidine (otherwise known as pi-phosphohistidine, pros-phosphohistidine). [RESID:AA0036]" - }, - 'GO:0018329': { - 'name': "enzyme active site formation via N6-(phospho-5'-adenosine)-L-lysine", - 'def': "The transient adenylylation of lysine to form N6-(phospho-5'-adenosine)-L-lysine, found in the active site of DNA ligase and RNA ligase. [RESID:AA0227]" - }, - 'GO:0018330': { - 'name': "enzyme active site formation via N6-(phospho-5'-guanosine)-L-lysine", - 'def': "The transient guanylylation of lysine to form N6-(phospho-5'-guanosine)-L-lysine, found in the guanylyltransferase active site of mRNA capping enzyme. [RESID:AA0228]" - }, - 'GO:0018331': { - 'name': 'enzyme active site formation via O-phospho-L-serine', - 'def': 'The transient phosphorylation of peptidyl-serine to form O-phospho-L-serine. [RESID:AA0037]' - }, - 'GO:0018332': { - 'name': "enzyme active site formation via O-(phospho-5'-adenosine)-L-threonine", - 'def': "The transient adenylylation of threonine to form N6-(phospho-5'-adenosine)-L-threonine, found in the active site of bovine phosphodiesterase I. [RESID:AA0267]" - }, - 'GO:0018333': { - 'name': 'enzyme active site formation via O-phospho-L-threonine', - 'def': 'The transient phosphorylation of peptidyl-threonine to form O-phospho-L-threonine. [RESID:AA0038]' - }, - 'GO:0018334': { - 'name': "enzyme active site formation via O4'-phospho-L-tyrosine", - 'def': 'The transient phosphorylation of peptidyl-tyrosine to form O-phospho-L-tyrosine. [RESID:AA0039]' - }, - 'GO:0018335': { - 'name': 'protein succinylation', - 'def': 'The modification of a protein by the addition of a succinyl group (CO-CH2-CH2-CO) to an amino acid residue. [CHEBI:37952, GOC:bf]' - }, - 'GO:0018336': { - 'name': 'peptidyl-tyrosine hydroxylation', - 'def': 'The hydroxylation of peptidyl-tyrosine to form peptidyl-dihydroxyphenylalanine. [GOC:ai]' - }, - 'GO:0018337': { - 'name': "obsolete enzyme active site formation via L-2',4',5'-topaquinone", - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0018338': { - 'name': 'obsolete protein amino acid cinnamylation', - 'def': 'OBSOLETE. The modification of a protein amino acid by cinnamylation. [GOC:ai]' - }, - 'GO:0018339': { - 'name': 'peptidyl-L-beta-methylthioaspartic acid biosynthetic process from peptidyl-aspartic acid', - 'def': 'The modification of peptidyl-aspartic acid to form peptidyl-L-beta-methylthioaspartic acid, typical of bacterial ribosomal protein S12. [RESID:AA0232]' - }, - 'GO:0018340': { - 'name': 'peptidyl-O-(sn-1-glycerophosphoryl)-L-serine biosynthetic process from peptidyl-serine', - 'def': 'The modification of peptidyl-serine to peptidyl-O-(sn-1-glycerophosphoryl)-L-serine. [RESID:AA0264]' - }, - 'GO:0018341': { - 'name': 'peptidyl-lysine modification to peptidyl-N6-pyruvic acid 2-iminyl-L-lysine', - 'def': 'The modification of peptidyl-lysine to form peptidyl-N6-pyruvic acid 2-iminyl-L-lysine. [PSI-MOD:00292]' - }, - 'GO:0018342': { - 'name': 'protein prenylation', - 'def': 'The covalent attachment of a prenyl group to a protein; geranyl, farnesyl, or geranylgeranyl groups may be added. [GOC:di, ISBN:0198506732]' - }, - 'GO:0018343': { - 'name': 'protein farnesylation', - 'def': 'The covalent attachment of a farnesyl group to a protein. [GOC:jl]' - }, - 'GO:0018344': { - 'name': 'protein geranylgeranylation', - 'def': 'The covalent attachment of a geranylgeranyl group to a protein. [GOC:jl]' - }, - 'GO:0018345': { - 'name': 'protein palmitoylation', - 'def': 'The covalent attachment of a palmitoyl group to a protein. [GOC:jl, PMID:15520806]' - }, - 'GO:0018350': { - 'name': 'protein esterification', - 'def': 'The addition of an ester group to a protein amino acid. [GOC:ai]' - }, - 'GO:0018351': { - 'name': 'peptidyl-cysteine esterification', - 'def': 'The addition of an ester group to a cysteine residue in a protein. [GOC:mah]' - }, - 'GO:0018352': { - 'name': 'protein-pyridoxal-5-phosphate linkage', - 'def': 'The formation of a linkage between a protein amino acid and pyridoxal-5-phosphate. [GOC:mah]' - }, - 'GO:0018353': { - 'name': 'protein-phycocyanobilin linkage via S-phycocyanobilin-L-cysteine', - 'def': 'The linkage of the chromophore phycocyanobilin to phycocyanin or allophycocyanin via S-phycocyanobilin-L-cysteine. [RESID:AA0131]' - }, - 'GO:0018355': { - 'name': 'protein-phosphoribosyl dephospho-coenzyme A linkage via O-(phosphoribosyl dephospho-coenzyme A)-L-serine', - 'def': 'The formation of a protein-phosphoribosyl dephospho-coenzyme A linkage via O-(phosphoribosyl dephospho-coenzyme A)-L-serine. [RESID:AA00167]' - }, - 'GO:0018356': { - 'name': 'protein-phycobiliviolin linkage via S-phycobiliviolin-L-cysteine', - 'def': 'The linkage of the chromophore phycobiliviolin to phycoerythrocyanin via S-phycobiliviolin-L-cysteine. [RESID:AA0258]' - }, - 'GO:0018357': { - 'name': 'protein-phycourobilin linkage via phycourobilin-bis-L-cysteine', - 'def': 'The linkage of the chromophore phycourobilin to phycoerythrins via phycourobilin-bis-L-cysteine. [RESID:AA0260]' - }, - 'GO:0018358': { - 'name': 'protein-phytochromobilin linkage via S-phytochromobilin-L-cysteine', - 'def': 'The linkage of the chromophore phytochromobilin to phycocyanin or allophycocyanin via S-phytochromobilin-L-cysteine. [RESID:AA0133]' - }, - 'GO:0018359': { - 'name': 'protein-heme P460 linkage via heme P460-bis-L-cysteine-L-tyrosine', - 'def': 'The linkage of protein to heme P460 via heme P460-bis-L-cysteine-L-tyrosine. [RESID:AA0266]' - }, - 'GO:0018360': { - 'name': 'protein-heme P460 linkage via heme P460-bis-L-cysteine-L-lysine', - 'def': 'The linkage of protein to heme P460 via heme P460-bis-L-cysteine-L-lysine. [RESID:AA0271]' - }, - 'GO:0018361': { - 'name': 'peptidyl-glutamine 2-methylation', - 'def': 'The methylation of glutamine to form 2-methyl-L-glutamine. [http://www.uni-marburg.de/mpi/thauer/thauer_res.html, RESID:AA0273]' - }, - 'GO:0018362': { - 'name': 'peroxidase-heme linkage via dihydroxyheme-L-aspartyl ester-L-glutamyl ester', - 'def': 'The covalent linkage of heme to peroxidase via dihydroxyheme-L-aspartyl ester-L-glutamyl ester. [RESID:AA0279]' - }, - 'GO:0018363': { - 'name': 'peroxidase-heme linkage via dihydroxyheme-L-aspartyl ester-L-glutamyl ester-L-methionine sulfonium', - 'def': 'The covalent linkage of heme to peroxidase via dihydroxyheme-L-aspartyl ester-L-glutamyl ester-L-methionine sulfonium. [RESID:AA0280]' - }, - 'GO:0018364': { - 'name': 'peptidyl-glutamine methylation', - 'def': 'The addition of a methyl group to a glutamine residue in a protein. [GOC:mah]' - }, - 'GO:0018365': { - 'name': 'protein-serine epimerase activity', - 'def': 'Catalysis of the reaction: (protein)-L-serine = (protein)-D-serine. [EC:5.1.1.16]' - }, - 'GO:0018366': { - 'name': 'chiral amino acid racemization', - 'def': 'The formation of a mixture of the two possible enantiomers from the D- or L-enantiomer of a chiral amino acid. [GOC:jsg, ISBN:0198506732]' - }, - 'GO:0018367': { - 'name': 'obsolete free L-amino acid racemization', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0018376': { - 'name': 'peptidyl-asparagine hydroxylation to form L-erythro-beta-hydroxyasparagine', - 'def': 'The hydroxylation of peptidyl-asparagine to form peptidyl-L-erythro-beta-hydroxyasparagine; catalyzed by peptide-aspartate beta-dioxygenase (EC:1.14.11.16). [RESID:AA0026]' - }, - 'GO:0018377': { - 'name': 'protein myristoylation', - 'def': 'The covalent attachment of a myristoyl group to a protein. [GOC:ai]' - }, - 'GO:0018378': { - 'name': 'cytochrome c-heme linkage via heme-L-cysteine', - 'def': 'The linkage of cytochromes and other heme proteins to heme via heme-L-cysteine. [RESID:AA0135]' - }, - 'GO:0018379': { - 'name': 'cytochrome c-heme linkage via heme-bis-L-cysteine', - 'def': 'The linkage of cytochromes and other heme proteins to heme via heme-bis-L-cysteine. [RESID:AA0134]' - }, - 'GO:0018386': { - 'name': 'N-terminal peptidyl-cysteine condensation with pyruvate to form N-pyruvic acid 2-iminyl-L-cysteine', - 'def': 'The condensation of pyruvate through the 2-oxo group with the N-terminal cysteine of proteins to form the derivative N-pyruvic acid 2-iminyl-L-cysteine. [RESID:AA0274]' - }, - 'GO:0018387': { - 'name': 'N-terminal peptidyl-amino acid deamination to pyruvic acid', - 'def': 'The oxidative deamination of N-terminal peptidyl-cysteine, or peptidyl-serine, to form pyruvic acid with an amide bond between its 1-carboxyl group and the N-terminal residue. [RESID:AA0127]' - }, - 'GO:0018388': { - 'name': 'N-terminal peptidyl-valine condensation with pyruvate to form N-pyruvic acid 2-iminyl-L-valine', - 'def': 'The condensation of pyruvate through the 2-oxo group with the N-terminal valine of proteins to form the derivative N-pyruvic acid 2-iminyl-L-valine. [RESID:AA0275]' - }, - 'GO:0018389': { - 'name': 'N-terminal peptidyl-valine deamination', - 'def': 'The deamination of the N-terminal valine residue of a protein to form isobutyrate. [GOC:ma, GOC:mah]' - }, - 'GO:0018390': { - 'name': 'peptidyl-L-glutamic acid 5-methyl ester biosynthetic process from peptidyl-glutamic acid or peptidyl-glutamine', - 'def': 'The methyl esterification of peptidyl-glutamic acid or peptidyl-glutamine to form the derivative glutamic acid 5-methyl ester. [RESID:AA0072]' - }, - 'GO:0018391': { - 'name': 'C-terminal peptidyl-glutamic acid tyrosinylation', - 'def': 'The ATP-dependent addition of a tyrosine residue to a glutamic acid residue at the C-terminus of a protein. [GOC:mah]' - }, - 'GO:0018392': { - 'name': 'glycoprotein 3-alpha-L-fucosyltransferase activity', - 'def': 'Catalysis of the reaction: N(4)-{N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->3)-[N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->6)]-beta-D-mannosyl-(1->4)-N-acetyl-beta-D-glucosaminyl-(1->4)-N-acetyl-beta-D-glucosaminyl}-L-asparagine + GDP-L-fucose = N(4)-{N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->3)-[N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->6)]-beta-D-mannosyl-(1->4)-N-acetyl-beta-D-glucosaminyl-(1->4)-[alpha-L-fucosyl-(1->3)]-N-acetyl-beta-D-glucosaminyl}-L-asparagine + GDP + H(+). [EC:2.4.1.214, RHEA:24447]' - }, - 'GO:0018393': { - 'name': 'internal peptidyl-lysine acetylation', - 'def': 'The addition of an acetyl group to a non-terminal lysine residue in a protein. [GOC:mah]' - }, - 'GO:0018394': { - 'name': 'peptidyl-lysine acetylation', - 'def': 'The acetylation of peptidyl-lysine. [GOC:mah]' - }, - 'GO:0018395': { - 'name': 'peptidyl-lysine hydroxylation to 5-hydroxy-L-lysine', - 'def': 'The hydroxylation of peptidyl-lysine to peptidyl-5-hydroxy-L-lysine. [RESID:AA0028]' - }, - 'GO:0018396': { - 'name': 'peptidyl-lysine hydroxylation to 4-hydroxy-L-lysine', - 'def': 'The hydroxylation of peptidyl-lysine to peptidyl-4-hydroxy-L-lysine. [RESID:AA0235]' - }, - 'GO:0018397': { - 'name': "peptidyl-phenylalanine bromination to L-2'-bromophenylalanine", - 'def': "The bromination of peptidyl-phenylalanine to form L-2'-bromophenylalanine. [RESID:AA0174]" - }, - 'GO:0018398': { - 'name': "peptidyl-phenylalanine bromination to L-3'-bromophenylalanine", - 'def': "The bromination of peptidyl-phenylalanine to form L-3'-bromophenylalanine. [RESID:AA0175]" - }, - 'GO:0018399': { - 'name': "peptidyl-phenylalanine bromination to L-4'-bromophenylalanine", - 'def': "The bromination of peptidyl-phenylalanine to form L-4'-bromophenylalanine. [RESID:AA0176]" - }, - 'GO:0018400': { - 'name': 'peptidyl-proline hydroxylation to 3-hydroxy-L-proline', - 'def': 'The modification of peptidyl-proline to form 3-hydroxy-L-proline; catalyzed by procollagen-proline 3-dioxygenase. [RESID:AA0029]' - }, - 'GO:0018401': { - 'name': 'peptidyl-proline hydroxylation to 4-hydroxy-L-proline', - 'def': 'The modification of peptidyl-proline to form 4-hydroxy-L-proline; catalyzed by procollagen-proline,2-oxoglutarate-4-dioxygenase. [RESID:AA0030]' - }, - 'GO:0018402': { - 'name': 'protein-chondroitin sulfate linkage via chondroitin sulfate D-glucuronyl-D-galactosyl-D-galactosyl-D-xylosyl-L-serine', - 'def': 'Chondroitin sulfate components are covalently linked to a core glycoprotein via O-glycosidic linkages between xylose and serine residues. [RESID:AA0208]' - }, - 'GO:0018403': { - 'name': 'protein-dermatan sulfate linkage via dermatan 4-sulfate D-glucuronyl-D-galactosyl-D-galactosyl-D-xylosyl-L-serine', - 'def': 'Dermatan sulfate components are covalently linked to a core glycoprotein via O-glycosidic linkages between xylose and serine residues. [PMID:7338506, RESID:AA0209]' - }, - 'GO:0018404': { - 'name': 'protein-heparan sulfate linkage via heparan sulfate D-glucuronyl-D-galactosyl-D-galactosyl-D-xylosyl-L-serine', - 'def': 'Heparan sulfate components are covalently linked to a core glycoprotein via O-glycosidic linkages between xylose and serine residues. [RESID:AA0210]' - }, - 'GO:0018405': { - 'name': 'protein-keratan sulfate linkage via keratan sulfate D-glucuronyl-D-galactosyl-D-galactosyl-D-xylosyl-L-threonine', - 'def': 'Keratan sulfate components are covalently linked to a core glycoprotein via O-glycosidic linkages between xylose and threonine residues. [RESID:AA0247]' - }, - 'GO:0018406': { - 'name': "protein C-linked glycosylation via 2'-alpha-mannosyl-L-tryptophan", - 'def': 'The glycosylation of a peptidyl-tryptophan residue by the transfer of alpha-mannopyranose from dolichyl-activated mannose to the indole ring. [PMID:7947762, PMID:9450955, RESID:AA0217]' - }, - 'GO:0018407': { - 'name': "peptidyl-thyronine iodination to form 3',3'',5'-triiodo-L-thyronine", - 'def': "The iodination of peptidyl-thyronine to form peptidyl-3',3'',5'-triiodo-L-thyronine (triiodothyronine). [RESID:AA0177]" - }, - 'GO:0018408': { - 'name': "peptidyl-thyronine iodination to form 3',3'',5',5''-tetraiodo-L-thyronine", - 'def': "The iodination of peptidyl-thyronine to form peptidyl-3',3'',5',5''-tetraiodo-L-thyronine (L-thyroxine). [RESID:AA0178]" - }, - 'GO:0018410': { - 'name': 'C-terminal protein amino acid modification', - 'def': 'The alteration of the C-terminal amino acid residue in a protein. [GOC:mah]' - }, - 'GO:0018411': { - 'name': 'protein glucuronidation', - 'def': 'The modification of a protein by amino acid glucuronidation. [GOC:ai]' - }, - 'GO:0018412': { - 'name': 'protein O-glucuronidation', - 'def': 'The modification of a protein by glucuronidation on an amino acid oxygen atom. [GOC:mah]' - }, - 'GO:0018413': { - 'name': 'peptidyl-serine O-glucuronidation', - 'def': 'The O-glucuronidation of peptidyl-serine to form peptidyl-O3-D-glucuronyl-L-serine. [RESID:AA0291]' - }, - 'GO:0018414': { - 'name': 'nickel incorporation into metallo-sulfur cluster', - 'def': 'The incorporation of nickel into a metallo-sulfur cluster. [GOC:ai]' - }, - 'GO:0018415': { - 'name': 'iron incorporation into iron-sulfur cluster via tris-L-cysteinyl L-cysteine persulfido bis-L-glutamato L-histidino nickel triiron disulfide trioxide', - 'def': 'The incorporation of iron into a 3Fe-2S cluster via tris-L-cysteinyl L-cysteine persulfido bis-L-glutamato L-histidino nickel triiron disulfide trioxide. [RESID:AA0292]' - }, - 'GO:0018416': { - 'name': 'nickel incorporation into iron-sulfur cluster via tris-L-cysteinyl L-cysteine persulfido bis-L-glutamato L-histidino nickel triiron disulfide trioxide', - 'def': 'The incorporation of nickel into a 3Fe-2S complex by tris-L-cysteinyl L-cysteine persulfido bis-L-glutamato L-histidino nickel triiron disulfide trioxide. [RESID:AA0292]' - }, - 'GO:0018417': { - 'name': 'iron incorporation into iron-sulfur cluster via tris-L-cysteinyl L-cysteine persulfido L-glutamato L-histidino L-serinyl nickel triiron disulfide trioxide', - 'def': 'The incorporation of iron into a 3Fe-2S cluster by tris-L-cysteinyl L-cysteine persulfido L-glutamato L-histidino L-serinyl nickel triiron disulfide trioxide. [RESID:AA0293]' - }, - 'GO:0018418': { - 'name': 'nickel incorporation into iron-sulfur cluster via tris-L-cysteinyl L-cysteine persulfido L-glutamato L-histidino L-serinyl nickel triiron disulfide trioxide', - 'def': 'The incorporation of nickel into a 3Fe-2S complex by tris-L-cysteinyl L-cysteine persulfido L-glutamato L-histidino L-serinyl nickel triiron disulfide trioxide. [RESID:AA0293]' - }, - 'GO:0018419': { - 'name': 'protein catenane formation', - 'def': 'The aggregation, arrangement and bonding together of a protein structure comprising two or more rings that are interlocked but not covalently joined; resembling the links of a chain. [ISBN:0198506732]' - }, - 'GO:0018420': { - 'name': 'peptide cross-linking via N6-(L-isoaspartyl)-L-lysine', - 'def': 'The formation of isopeptide bonds by ligation of peptidyl-lysine and peptidyl-asparagine residues. [RESID:AA0294]' - }, - 'GO:0018421': { - 'name': 'UDP-N-acetylglucosamine:serine-protein N-acetylglucosamine-1-phosphotransferase activity', - 'def': 'Catalysis of the transfer of N-acetylglucosamine-1-phosphate to a serine residue in a protein. [GOC:mah, PMID:9353330]' - }, - 'GO:0018422': { - 'name': 'GDP-mannose:serine-protein mannose-1-phosphotransferase activity', - 'def': 'Catalysis of the transfer of mannose-1-phosphate to a serine residue in a protein. [GOC:mah, PMID:10037765]' - }, - 'GO:0018423': { - 'name': 'protein C-terminal leucine carboxyl O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + protein L-leucine = S-adenosyl-L-homocysteine + protein L-leucine methyl ester. This modification occurs only at the oxygen atoms of the free alpha carboxyl group of a leucine residue at the C-terminus of the protein. [PMID:8514774]' - }, - 'GO:0018424': { - 'name': 'peptidyl-glutamic acid poly-ADP-ribosylation', - 'def': 'This modification produces peptidyl-glutamic acid poly-ADP-ribose found in a number of nuclear proteins under certain conditions including the repair of single strand DNA breaks. The activated form of the generating enzyme poly(ADP-ribose) polymerase is itself modified in this way. [RESID:AA0295]' - }, - 'GO:0018425': { - 'name': 'O3-(N-acetylglucosamine-1-phosphoryl)-L-serine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of O3-(N-acetylglucosamine-1-phosphoryl)-L-serine. The recovery of O-phosphorylserine from acid hydrolysates suggests N-acetylglucosamine-1-phosphate residues are esterified to peptidyl serines through phosphoester bonds. [RESID:AA0296]' - }, - 'GO:0018426': { - 'name': 'O3-(phosphoglycosyl-D-mannose-1-phosphoryl)-L-serine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of O3-(phosphoglycosyl-D-mannose-1-phosphoryl)-L-serine. The polypeptide backbones of glycoproteins and mucin-like proteoglycans are extensively modified with a complex array of phosphoglycan chains that are linked to Ser/Thr-rich domains via a common Man-alpha1-PO4-Ser linkage. [RESID:AA0297]' - }, - 'GO:0018427': { - 'name': 'copper incorporation into metallo-sulfur cluster', - 'def': 'The incorporation of copper into a metallo-sulfur cluster. [GOC:ai]' - }, - 'GO:0018428': { - 'name': 'copper incorporation into copper-sulfur cluster', - 'def': 'The incorporation of copper into a copper-sulfur cluster. [GOC:ai]' - }, - 'GO:0018429': { - 'name': 'copper incorporation into copper-sulfur cluster via heptakis-L-histidino tetracopper mu4-sulfide hydroxide', - 'def': 'The incorporation of copper into a 4Cu-S copper-sulfur cluster via heptakis-L-histidino tetracopper mu4-sulfide hydroxide. [RESID:AA0298]' - }, - 'GO:0018439': { - 'name': 'peptidyl-L-leucine methyl ester biosynthetic process from peptidyl-leucine', - 'def': 'The modification of a C-terminal peptidyl-leucine to form peptidyl-L-leucine methyl ester. [RESID:AA0299]' - }, - 'GO:0018441': { - 'name': 'iron incorporation into iron-sulfur cluster via hexakis-L-cysteinyl L-serinyl octairon heptasulfide', - 'def': 'The incorporation of iron into a 8Fe-7S iron-sulfur cluster via hexakis-L-cysteinyl L-serinyl octairon heptasulfide, found in nitrogenase. [PMID:9063865, RESID:AA0300]' - }, - 'GO:0018442': { - 'name': 'peptidyl-glutamic acid esterification', - 'def': 'The addition of an ester group to a glutamic acid residue in a protein. [GOC:mah]' - }, - 'GO:0018443': { - 'name': 'enzyme active site formation via L-aspartic 4-phosphoric anhydride', - 'def': 'The transient phosphorylation of peptidyl-aspartic acid to form L-aspartic 4-phosphoric anhydride. [RESID:AA0033]' - }, - 'GO:0018444': { - 'name': 'translation release factor complex', - 'def': 'A heterodimeric complex involved in the release of a nascent polypeptide chain from a ribosome. [ISBN:0198547684]' - }, - 'GO:0018445': { - 'name': 'prothoracicotrophic hormone activity', - 'def': 'The action characteristic of prothoracicotrophic hormone, a peptide hormone that is secreted by the brain and, upon receptor binding, acts on the prothoracic gland to stimulate the release of ecdysone in insects. [GOC:mah, PMID:3301403]' - }, - 'GO:0018446': { - 'name': 'pinocarveol dehydrogenase activity', - 'def': 'Catalysis of the reaction: pinocarveol = pinocarvone + 2 H+ + 2 e-. [UM-BBD_reactionID:r0717]' - }, - 'GO:0018447': { - 'name': 'chloral hydrate dehydrogenase activity', - 'def': 'Catalysis of the reactions: chloral hydrate = 3 H+ + 2 e- + trichloroacetate, and chloral hydrate + H2 = H2O + trichloroethanol. [UM-BBD_enzymeID:e0229]' - }, - 'GO:0018448': { - 'name': 'hydroxymethylmethylsilanediol oxidase activity', - 'def': 'Catalysis of the reaction: hydroxymethylmethylsilanediol + O2 + 2 H+ + 2 e- = formylmethylsilanediol + 2 H2O. [UM-BBD_reactionID:r0638]' - }, - 'GO:0018449': { - 'name': '1-phenylethanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-1-phenylethanol = acetophenone + H2. [UM-BBD_reactionID:r0032]' - }, - 'GO:0018450': { - 'name': 'myrtenol dehydrogenase activity', - 'def': 'Catalysis of the reaction: myrtenol + O2 + 2 H+ + 2 e- = 2 H2O + myrtenal. [UM-BBD_reactionID:r0710]' - }, - 'GO:0018451': { - 'name': 'epoxide dehydrogenase activity', - 'def': 'Catalysis of the reaction: ethene oxide + NAD+ + CoA-SH = NADH + H+ + acetyl-CoA. [UM-BBD_reactionID:r0595]' - }, - 'GO:0018452': { - 'name': '5-exo-hydroxycamphor dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5-exo-hydroxycamphor + NAD+ = NADH + H+ + 2,5-diketocamphane. [UM-BBD_reactionID:r0427]' - }, - 'GO:0018453': { - 'name': '2-hydroxytetrahydrofuran dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-hydroxytetrahydrofuran = 2 H+ + 2 e- + butyrolactone. [UM-BBD_reactionID:r0018]' - }, - 'GO:0018454': { - 'name': 'acetoacetyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxyacyl-CoA + NADP+ = 3-oxoacyl-CoA + NADPH + H+. [EC:1.1.1.36]' - }, - 'GO:0018455': { - 'name': 'alcohol dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: an alcohol + NAD(P)+ = an aldehyde + NAD(P)H + H+. [EC:1.1.1.71]' - }, - 'GO:0018456': { - 'name': 'aryl-alcohol dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: an aromatic alcohol + NAD+ = an aromatic aldehyde + NADH + H+. [EC:1.1.1.90]' - }, - 'GO:0018457': { - 'name': 'perillyl-alcohol dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(+) + perillyl alcohol = H(+) + NADH + perillyl aldehyde. [EC:1.1.1.144, RHEA:10667]' - }, - 'GO:0018458': { - 'name': 'isopiperitenol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (1S,6R)-isopiperitenol + NAD(+) = (6R)-isoperitenone + H(+) + NADH. [EC:1.1.1.223, RHEA:20863]' - }, - 'GO:0018459': { - 'name': 'carveol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (1S,5R)-carveol + NADP(+) = (R)-carvone + H(+) + NADPH. [EC:1.1.1.243, RHEA:13632]' - }, - 'GO:0018460': { - 'name': 'cyclohexanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: cyclohexanol + NAD+ = cyclohexanone + NADH + H+. [EC:1.1.1.245]' - }, - 'GO:0018461': { - 'name': 'fluoren-9-ol dehydrogenase activity', - 'def': 'Catalysis of the reaction: fluoren-9-ol + 2 NADP+ = fluoren-9-one + 2 NADPH + 2 H+. [EC:1.1.1.256]' - }, - 'GO:0018462': { - 'name': '4-(hydroxymethyl)benzenesulfonate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-(hydroxymethyl)benzenesulfonate + NAD(+) = 4-formylbenzenesulfonate + H(+) + NADH. [EC:1.1.1.257, RHEA:24415]' - }, - 'GO:0018463': { - 'name': '6-hydroxyhexanoate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 6-hydroxyhexanoate + NAD(+) = 6-oxohexanoate + H(+) + NADH. [EC:1.1.1.258, RHEA:14228]' - }, - 'GO:0018464': { - 'name': '3-hydroxypimeloyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxypimelyl-CoA + NAD(+) = 3-oxopimelyl-CoA + H(+) + NADH. [EC:1.1.1.259, RHEA:11171]' - }, - 'GO:0018465': { - 'name': 'vanillyl-alcohol oxidase activity', - 'def': 'Catalysis of the reaction: O(2) + vanillyl alcohol = H(2)O(2) + vanillin. [EC:1.1.3.38, RHEA:10039]' - }, - 'GO:0018466': { - 'name': 'limonene-1,2-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (1S,2S,4R)-limonene-1,2-diol + DCPIP+ = DCPIPH + H+ + (1S,4R)-1-hydroxy-2-oxolimonene. [UM-BBD_reactionID:r0735]' - }, - 'GO:0018467': { - 'name': 'formaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: formaldehyde + H(2)O + NAD(+) = formate + 2 H(+) + NADH. [EC:1.2.1.46, RHEA:16428]' - }, - 'GO:0018468': { - 'name': 'alcohol dehydrogenase (acceptor) activity', - 'def': 'Catalysis of the reaction: a primary alcohol + acceptor = an aldehyde + reduced acceptor. [EC:1.1.99.8]' - }, - 'GO:0018469': { - 'name': 'myrtenal dehydrogenase activity', - 'def': 'Catalysis of the reaction: myrtenal + H2O = 2 H+ + 2 e- + myrtenic acid. [UM-BBD_reactionID:r0711]' - }, - 'GO:0018470': { - 'name': '4-hydroxybutaraldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybutyraldehyde + H2O = 2 H+ + 2 e- + 4-hydroxybutanoate. [UM-BBD_reactionID:r0014]' - }, - 'GO:0018471': { - 'name': '4-chlorobenzaldehyde oxidase activity', - 'def': 'Catalysis of the reaction: 4-chlorobenzaldehyde + 2 H2O = 4-chlorobenzoate + 2 H+ + 2 e-. [UM-BBD_reactionID:r0447]' - }, - 'GO:0018472': { - 'name': '1-hydroxy-2-naphthaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 1-hydroxy-2-naphthaldehyde + NAD+ + H2O = NADH + H+ + 1-hydroxy-2-naphthoate. [UM-BBD_reactionID:r0485]' - }, - 'GO:0018473': { - 'name': 'cis-2-methyl-5-isopropylhexa-2,5-dienal dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-2-methyl-5-isopropylhexa-2,5-dienal + NAD+ + H2O = NADH + H+ + cis-2-methyl-5-isopropylhexa-2,5-dienoic acid. [UM-BBD_reactionID:r0744]' - }, - 'GO:0018474': { - 'name': '2-carboxybenzaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-carboxybenzaldehyde + NAD+ + H2O = NADH + 2 H+ + phthalate. [UM-BBD_reactionID:r0490]' - }, - 'GO:0018475': { - 'name': 'trans-2-methyl-5-isopropylhexa-2,5-dienal dehydrogenase activity', - 'def': 'Catalysis of the reaction: trans-2-methyl-5-isopropylhexa-2,5-dienal + NAD+ + H2O = NADH + H+ + trans-2-methyl-5-isopropylhexa-2,5-dienoic acid. [UM-BBD_reactionID:r0745]' - }, - 'GO:0018477': { - 'name': 'benzaldehyde dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: benzaldehyde + NADP+ + H2O = benzoate + NADPH + H+. [EC:1.2.1.7]' - }, - 'GO:0018478': { - 'name': 'malonate-semialdehyde dehydrogenase (acetylating) activity', - 'def': 'Catalysis of the reaction: 3-oxopropanoate + CoA + NADP+ = acetyl-CoA + CO2 + NADPH + H+. [EC:1.2.1.18]' - }, - 'GO:0018479': { - 'name': 'benzaldehyde dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: benzaldehyde + NAD+ + H2O = benzoate + NADH + H+. [EC:1.2.1.28]' - }, - 'GO:0018480': { - 'name': '5-carboxymethyl-2-hydroxymuconic-semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5-carboxymethyl-2-hydroxymuconate semialdehyde + H2O + NAD+ = 5-carboxymethyl-2-hydroxymuconate + NADH + H+. [EC:1.2.1.60]' - }, - 'GO:0018481': { - 'name': '4-hydroxymuconic-semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis,trans-4-hydroxymuconate semialdehyde + H(2)O + NAD(+) = 2 H(+) + maleylacetate + NADH. [EC:1.2.1.61, RHEA:22423]' - }, - 'GO:0018482': { - 'name': '4-formylbenzenesulfonate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-formylbenzenesulfonate + H(2)O + NAD(+) = 4-sulfobenzoate + 2 H(+) + NADH. [EC:1.2.1.62, RHEA:18836]' - }, - 'GO:0018483': { - 'name': '6-oxohexanoate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 6-oxohexanoate + NADP+ + H2O = adipate + NADPH + H+. [EC:1.2.1.63]' - }, - 'GO:0018484': { - 'name': '4-hydroxybenzaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybenzaldehyde + NAD+ + H2O = 4-hydroxybenzoate + NADH + H+. [EC:1.2.1.64]' - }, - 'GO:0018485': { - 'name': 'salicylaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: salicylaldehyde + NAD+ + H2O = salicylate + NADH + H+. [EC:1.2.1.65]' - }, - 'GO:0018486': { - 'name': '2-butanone oxidase activity', - 'def': 'Catalysis of the reaction: methyl ethyl ketone + O2 = H2O + ethyl acetate. [UM-BBD_reactionID:r0169]' - }, - 'GO:0018487': { - 'name': 'vanillate O-demethylase (anaerobic) activity', - 'def': 'Catalysis of the reaction: vanillate + Co+ = Co3+-CH3 + 3,4-dihydroxybenzoate. [UM-BBD_reactionID:r0758]' - }, - 'GO:0018488': { - 'name': 'aryl-aldehyde oxidase activity', - 'def': 'Catalysis of the reaction: an aromatic aldehyde + O2 + H2O = an aromatic acid + hydrogen peroxide. [EC:1.2.3.9]' - }, - 'GO:0018489': { - 'name': 'vanillate monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADH + O(2) + vanillate = 3,4-dihydroxybenzoate + formaldehyde + H(2)O + NAD(+). [EC:1.14.13.82, RHEA:13024]' - }, - 'GO:0018490': { - 'name': '4-hydroxyphenylpyruvate oxidase activity', - 'def': 'Catalysis of the reaction: 2 (4-hydroxyphenyl)pyruvate + O(2) = 2 (4-hydroxyphenyl)acetate + 2 CO(2). [EC:1.2.3.13, RHEA:17200]' - }, - 'GO:0018491': { - 'name': '2-oxobutyrate synthase activity', - 'def': 'Catalysis of the reaction: 2-oxobutanoate + CoA + oxidized ferredoxin = propanoyl-CoA + CO2 + reduced ferredoxin. [EC:1.2.7.2]' - }, - 'GO:0018492': { - 'name': 'carbon-monoxide dehydrogenase (acceptor) activity', - 'def': 'Catalysis of the reaction: CO + H2O + acceptor = CO2 + reduced acceptor. [EC:1.2.99.2]' - }, - 'GO:0018493': { - 'name': 'formylmethanofuran dehydrogenase activity', - 'def': 'Catalysis of the reaction: N-formylmethanofuran + A + H(2)O + H(+) = AH(2) + CO(2) + methanofuran. [EC:1.2.99.5, RHEA:19844]' - }, - 'GO:0018494': { - 'name': 'carvone reductase activity', - 'def': 'Catalysis of the reaction: carvone + 2 H+ + 2 e- = dihydrocarvone. [UM-BBD_reactionID:r0732]' - }, - 'GO:0018495': { - 'name': '2-hydroxycyclohexane-1-carboxyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-hydroxycyclohexane-1-carboxyl-CoA = 2 H+ + 2 e- + 2-ketocyclohexane-1-carboxyl-CoA. [UM-BBD_reactionID:r0192]' - }, - 'GO:0018496': { - 'name': '2,6-dihydroxycyclohexane-1-carboxyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2,6-dihydroxycyclohexane-1-carboxyl-CoA = 2 H+ + 2 e- + 6-oxo-2-hydroxycyclohexane-1-carboxyl-CoA. [UM-BBD_reactionID:r0205]' - }, - 'GO:0018497': { - 'name': '1-chloro-2,2-bis(4-chlorophenyl)ethane dehydrogenase activity', - 'def': 'Catalysis of the reaction: 1-chloro-2,2-bis(4-chlorophenyl)ethene + 2 H+ + 2 e- = 1-chloro-2,2-bis(4-chlorophenyl)ethane. 1-chloro-2,2-bis(4-chlorophenyl)ethene is also known as DDMU; 1-chloro-2,2-bis(4-chlorophenyl)ethane is also known as DDMS. [UM-BBD_reactionID:r0514]' - }, - 'GO:0018498': { - 'name': '2,3-dihydroxy-2,3-dihydro-phenylpropionate dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-3-(3-carboxyethyl)-3,5-cyclohexadiene-1,2-diol + NAD+ = NADH + H+ + 3-(2,3-dihydroxyphenyl)propionate. [UM-BBD_enzymeID:e0308]' - }, - 'GO:0018499': { - 'name': 'cis-2,3-dihydrodiol DDT dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-2,3-dihydrodiol DDT + NADP+ = NADPH + 2,3-dihydroxy DDT. [UM-BBD_reactionID:r0451]' - }, - 'GO:0018500': { - 'name': 'trans-9R,10R-dihydrodiolphenanthrene dehydrogenase activity', - 'def': 'Catalysis of the reaction: trans-9R,10R-dihydrodiolphenanthrene + NAD+ = NADH + H+ + 9,10-dihydroxyphenanthrene. [UM-BBD_reactionID:r0575]' - }, - 'GO:0018501': { - 'name': 'cis-chlorobenzene dihydrodiol dehydrogenase activity', - 'def': 'Catalysis of the conversion of a di- or tetrachlorinated dienol to the corresponding catechol. [UM-BBD_enzymeID:e0411]' - }, - 'GO:0018502': { - 'name': '2,5-dichloro-2,5-cyclohexadiene-1,4-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2,5-dichloro-2,5-cyclohexadiene-1,4-diol + NAD+ = NADH + H+ + 2,5-dichlorohydroquinone. [UM-BBD_reactionID:r0553]' - }, - 'GO:0018503': { - 'name': 'trans-1,2-dihydrodiolphenanthrene dehydrogenase activity', - 'def': 'Catalysis of the reaction: trans-1,2-dihydrodiolphenanthrene + NAD+ = H+ + NADH + 1,2-dihydroxyphenanthrene. [UM-BBD_reactionID:r0574]' - }, - 'GO:0018504': { - 'name': 'cis-1,2-dihydrobenzene-1,2-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-1,2-dihydrobenzene-1,2-diol + NAD+ = catechol + NADH + H+. [EC:1.3.1.19]' - }, - 'GO:0018505': { - 'name': 'cis-1,2-dihydro-1,2-dihydroxynaphthalene dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-1,2-dihydronaphthalene-1,2-diol + NAD+ = naphthalene-1,2-diol + NADH + H+. [EC:1.3.1.29]' - }, - 'GO:0018506': { - 'name': 'maleylacetate reductase activity', - 'def': 'Catalysis of the reaction: 3-oxoadipate + NAD(P)+ = 2-maleylacetate + NAD(P)H + H+. [EC:1.3.1.32]' - }, - 'GO:0018507': { - 'name': 'cis-3,4-dihydrophenanthrene-3,4-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (3S,4R)-3,4-dihydrophenanthrene-3,4-diol + NAD(+) = H(+) + NADH + phenanthrene-3,4-diol. [EC:1.3.1.49, RHEA:16256]' - }, - 'GO:0018508': { - 'name': 'cis-1,2-dihydroxycyclohexa-3,5-diene-1-carboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-1,2-dihydroxycyclohexa-3,5-diene-1-carboxylate + NAD+ = catechol + CO2 + NADH + H+. [MetaCyc:BENZOATE-CIS-DIOL-DEHYDROGENASE-RXN]' - }, - 'GO:0018509': { - 'name': 'cis-2,3-dihydrobiphenyl-2,3-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-3-phenylcyclohexa-3,5-diene-1,2-diol + NAD+ = biphenyl-2,3-diol + NADH + H+. [EC:1.3.1.56]' - }, - 'GO:0018510': { - 'name': 'phloroglucinol reductase activity', - 'def': 'Catalysis of the reaction: dihydrophloroglucinol + NADP(+) = H(+) + NADPH + phloroglucinol. [EC:1.3.1.57, RHEA:10083]' - }, - 'GO:0018511': { - 'name': '2,3-dihydroxy-2,3-dihydro-p-cumate dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-2,3-dihydroxy-2,3-dihydro-p-cumate + NAD(+) = 2,3-dihydroxy-p-cumate + H(+) + NADH. [EC:1.3.1.58, RHEA:23775]' - }, - 'GO:0018512': { - 'name': 'obsolete 1,6-dihydroxy-5-methylcyclohexa-2,4-dienecarboxylate dehydrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: 1,6-dihydroxy-5-methylcyclohexa-2,4-dienecarboxylate + NAD+ = 3-methylcatechol + CO2 + NADH + H+. [EC:1.3.1.59]' - }, - 'GO:0018513': { - 'name': 'dibenzothiophene dihydrodiol dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-1,2-dihydroxy-1,2-dihydrodibenzothiophene + NAD(+) = 1,2-dihydroxydibenzothiophene + H(+) + NADH. [EC:1.3.1.60, RHEA:24191]' - }, - 'GO:0018515': { - 'name': 'pimeloyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(+) + pimelyl-CoA = 2,3-didehydropimeloyl-CoA + H(+) + NADH. [EC:1.3.1.62, RHEA:19668]' - }, - 'GO:0018516': { - 'name': '2,4-dichlorobenzoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: 4-chlorobenzoyl-CoA + chloride + NADP(+) = 2,4-dichlorobenzoyl-CoA + NADPH. [EC:1.3.1.63, RHEA:23079]' - }, - 'GO:0018517': { - 'name': 'phthalate 4,5-cis-dihydrodiol dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-4,5-dihydroxycyclohexa-2,6-diene-1,2-dicarboxylate + NAD(+) = 4,5-dihydroxyphthalate + H(+) + NADH. [EC:1.3.1.64, RHEA:13840]' - }, - 'GO:0018518': { - 'name': '5,6-dihydroxy-3-methyl-2-oxo-1,2,5,6-tetrahydroquinoline dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5,6-dihydroxy-3-methyl-5,6-dihydroquinolin-2(1H)-one + NAD(+) = 5,6-dihydroxy-3-methyl-2-oxo-1,2-dihydroquinoline + H(+) + NADH. [EC:1.3.1.65, RHEA:24559]' - }, - 'GO:0018519': { - 'name': 'cis-dihydroethylcatechol dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-1,2-dihydro-3-ethylcatechol + NAD(+) = 3-ethylcatechol + H(+) + NADH. [EC:1.3.1.66, RHEA:18104]' - }, - 'GO:0018520': { - 'name': 'cis-1,2-dihydroxy-4-methylcyclohexa-3,5-diene-1-carboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-1,2-dihydroxy-4-methylcyclohexa-3,5-diene-1-carboxylate + NADP+ = 4-methylcatechol + NADPH + H+ + CO2. [EC:1.3.1.67]' - }, - 'GO:0018521': { - 'name': '1,2-dihydroxy-6-methylcyclohexa-3,5-dienecarboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 1,6-dihydroxy-2-methylcyclohexa-2,4-dienecarboxylate + NAD(+) = 3-methylcatechol + CO(2) + NADH. [EC:1.3.1.68, RHEA:15660]' - }, - 'GO:0018522': { - 'name': 'benzoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: 2 ADP + cyclohexa-1,5-diene-1-carbonyl-CoA + oxidized ferredoxin + 2 phosphate = 2 ATP + 2 H(2)O + benzoyl-CoA + reduced ferredoxin. [EC:1.3.7.8]' - }, - 'GO:0018523': { - 'name': 'quinoline 2-oxidoreductase activity', - 'def': 'Catalysis of the reaction: quinoline + acceptor + H2O = isoquinolin-1(2H)-one + reduced acceptor. [EC:1.3.99.17]' - }, - 'GO:0018524': { - 'name': 'acetophenone carboxylase activity', - 'def': 'Catalysis of the reaction: acetophenone + CO2 = H+ + benzoyl acetate. [UM-BBD_reactionID:r0033]' - }, - 'GO:0018525': { - 'name': '4-hydroxybenzoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: benzoyl-CoA + oxidized ferredoxin + H2O = 4-hydroxybenzoyl-CoA + reduced ferredoxin. [KEGG:R05316]' - }, - 'GO:0018526': { - 'name': '2-aminobenzoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: 2-aminobenzoyl-CoA + 2 H+ + 2 e- = NH3 + benzoyl-CoA. [UM-BBD_reactionID:r0342]' - }, - 'GO:0018527': { - 'name': 'cyclohexylamine oxidase activity', - 'def': 'Catalysis of the reaction: cyclohexylamine + O2 + H2O = cyclohexanone + NH3 + hydrogen peroxide. [EC:1.4.3.12]' - }, - 'GO:0018528': { - 'name': 'iminodiacetate dehydrogenase activity', - 'def': 'Catalysis of the reaction: iminodiacetate + OH- = H+ + 2 e- + glyoxylate + glycine. [UM-BBD_reactionID:r0589]' - }, - 'GO:0018529': { - 'name': 'nitrilotriacetate monooxygenase activity', - 'def': 'Catalysis of the reaction: nitrilotriacetate + NADH + H+ + O2 = NAD+ + H2O + glyoxylate + iminodiacetate. [UM-BBD_reactionID:r0587]' - }, - 'GO:0018530': { - 'name': '(R)-6-hydroxynicotine oxidase activity', - 'def': 'Catalysis of the reaction: (R)-6-hydroxynicotine + H(2)O + O(2) = 6-hydroxypseudooxynicotine + H(2)O(2). [EC:1.5.3.6, RHEA:10015]' - }, - 'GO:0018531': { - 'name': '(S)-6-hydroxynicotine oxidase activity', - 'def': 'Catalysis of the reaction: (S)-6-hydroxynicotine + H(2)O + O(2) = 6-hydroxypseudooxynicotine + H(2)O(2). [EC:1.5.3.5, RHEA:11883]' - }, - 'GO:0018532': { - 'name': '5,10-methenyl-5,6,7,8-tetrahydromethanopterin dehydrogenase activity', - 'def': 'Catalysis of the reaction: N5,N10-methenyltetrahydromethanopterin + H2 = N5,N10-methylenetetrahydromethanopterin. [UM-BBD_reactionID:r0353]' - }, - 'GO:0018533': { - 'name': 'peptidyl-cysteine acetylation', - 'def': 'The acetylation of peptidyl-cysteine. [GOC:mah]' - }, - 'GO:0018534': { - 'name': 'nitrilotriacetate dehydrogenase activity', - 'def': 'Catalysis of the reaction: nitrilotriacetate + OH- = H+ + 2 e- + glyoxylate + iminodiacetate. [UM-BBD_reactionID:r0588]' - }, - 'GO:0018535': { - 'name': 'nicotine dehydrogenase activity', - 'def': 'Catalysis of the reaction: nicotine + acceptor + H2O = (S)-6-hydroxynicotine + reduced acceptor. [EC:1.5.99.4]' - }, - 'GO:0018537': { - 'name': 'coenzyme F420-dependent N5,N10-methenyltetrahydromethanopterin reductase activity', - 'def': 'Catalysis of the reaction: 5-methyltetrahydromethanopterin + coenzyme F420 + H(+) = 5,10-methylenetetrahydromethanopterin + reduced coenzyme F420. [EC:1.5.99.11, RHEA:21147]' - }, - 'GO:0018538': { - 'name': 'epoxide carboxylase activity', - 'def': 'Catalysis of the generic reaction: epoxide + CO2 + NAD+ + electron donor = beta-keto acid + NADH + reduced electron donor; the electron donor may be NADPH or a dithiol. This reaction is the ring opening and carboxylation of an epoxide; for example: epoxypropane + CO2 + NAD+ + NADPH = acetoacetate + NADH + NADP+. [PMID:9555888]' - }, - 'GO:0018541': { - 'name': 'p-benzoquinone reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: 1,4-benzoquinone + H(+) + NADPH = hydroquinone + NADP(+). [EC:1.6.5.6, RHEA:23491]' - }, - 'GO:0018542': { - 'name': '2,3-dihydroxy DDT 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxy DDT + O2 = 6-oxo-2-hydroxy-7-(4-chlorophenyl)-3,8,8,8-tetrachloroocta-2E,4E-dienoate. [UM-BBD_reactionID:r0452]' - }, - 'GO:0018543': { - 'name': '4-amino-2-nitroso-6-nitrotoluene reductase activity', - 'def': 'Catalysis of the reaction: 4-amino-2-hydroxylamino-6-nitrotoluene + NADP+ = NADPH + H+ + 4-amino-2-nitroso-6-nitrotoluene. [UM-BBD_reactionID:r0464]' - }, - 'GO:0018544': { - 'name': "4-carboxy-4'-sulfoazobenzene reductase activity", - 'def': "Catalysis of the reaction: 4-carboxy-4'-sulfoazobenzene + 4 H+ + 4 e- = 4-aminobenzoate + 4-aminobenzenesulfonate. [UM-BBD_reactionID:r0543]" - }, - 'GO:0018545': { - 'name': 'NAD(P)H nitroreductase activity', - 'def': 'Catalysis of the conversion of a nitrate group to an amino or hydroxylamino group on toluene or a toluene derivative. [UM-BBD_enzymeID:e0346]' - }, - 'GO:0018546': { - 'name': 'nitrobenzene nitroreductase activity', - 'def': 'Catalysis of the reaction: nitrobenzene + 2 NADPH + 2 H+ = hydroxyaminobenzene + 2 NADP+ + H2O. [MetaCyc:RXN-8815]' - }, - 'GO:0018547': { - 'name': 'nitroglycerin reductase activity', - 'def': 'Catalysis of the removal of one or more nitrite (NO2-) groups from nitroglycerin or a derivative. [UM-BBD_enzymeID:e0038]' - }, - 'GO:0018548': { - 'name': 'pentaerythritol trinitrate reductase activity', - 'def': 'Catalysis of the reaction: pentaerythritol trinitrate + NADPH = NADP+ + nitrate + pentaerythritol dinitrate. [UM-BBD_reactionID:r0025]' - }, - 'GO:0018549': { - 'name': 'methanethiol oxidase activity', - 'def': 'Catalysis of the reaction: methanethiol + O2 + H2O = formaldehyde + hydrogen sulfide + hydrogen peroxide. [EC:1.8.3.4]' - }, - 'GO:0018550': { - 'name': 'tetrachloro-p-hydroquinone reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: 2,3,5,6-tetrachlorohydroquinone + 2 glutathione = 2,3,6-trichlorohydroquinone + glutathione disulfide + HCl. [UM-BBD_reactionID:r0314]' - }, - 'GO:0018551': { - 'name': 'hydrogensulfite reductase activity', - 'def': 'Catalysis of the reaction: trithionate + acceptor + 2 H2O + OH- = 3 HSO3- + reduced acceptor. [EC:1.8.99.3]' - }, - 'GO:0018553': { - 'name': '3-(2,3-dihydroxyphenyl)propionate 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3-(2,3-dihydroxyphenyl)propionate + O2 = 2-hydroxy-6-keto-nona-2,4-dienedioate. [UM-BBD_enzymeID:e0309]' - }, - 'GO:0018554': { - 'name': '1,2-dihydroxynaphthalene dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxynaphthalene + O2 = 2-hydroxychromene-2-carboxylate. C6 of the substrate molecular may have an NH2 group attached. [UM-BBD_enzymeID:e0255]' - }, - 'GO:0018555': { - 'name': 'phenanthrene dioxygenase activity', - 'def': 'Catalysis of the reaction: phenanthrene + NADH + H+ + O2 = NAD+ + cis-3,4-dihydroxy-3,4-dihydrophenanthrene. [UM-BBD_reactionID:r0455]' - }, - 'GO:0018556': { - 'name': "2,2',3-trihydroxybiphenyl dioxygenase activity", - 'def': "Catalysis of the reaction: 2,3-dihydroxybenzenoid + O2 = H+ + distal extradiol ring cleavage. Substrates are 2,2',3-trihydroxybiphenyl (forms 2-hydroxy-6-oxo-6-(2-hydroxyphenyl)-hexa-2,4-dienoate) and 2,2',3-trihydroxydiphenylether (forms 2,3-hydroxy-6-oxo-6-(2-hydroxyphenyl)-hexa-2,4-dienoate). [UM-BBD_enzymeID:e0032]" - }, - 'GO:0018557': { - 'name': '1,2-dihydroxyfluorene 1,1-alpha-dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxyfluorene + O2 = 2-hydroxy-4-(2-oxo-1,3-dihydro-2H-inden-1-ylidene) but-2-enoic acid. [UM-BBD_reactionID:r0422]' - }, - 'GO:0018558': { - 'name': '5,6-dihydroxy-3-methyl-2-oxo-1,2-dihydroquinoline dioxygenase activity', - 'def': 'Catalysis of the reaction: 5,6-dihydroxy-3-methyl-2-oxo-1,2-dihydroquinoline + O2 = 3-methyl-5-hydroxy-6-(3-carboxy-3-oxopropenyl)-1H-2-pyridon. [UM-BBD_reactionID:r0049]' - }, - 'GO:0018559': { - 'name': '1,1-dichloro-2-(dihydroxy-4-chlorophenyl)-(4-chlorophenyl)ethene 1,2-dioxygenase activity', - 'def': "Catalysis of the reaction: 1,1-dichloro-2-(dihydroxy-4'-chorophenyl)-2-(4-chlorophenyl)ethene + O2 = 6-oxo-2-hydroxy-7-(4-chlorophenyl)-3,8,8-trichloroocta-2E,4E,7-trienoate. [UM-BBD_reactionID:r0442]" - }, - 'GO:0018560': { - 'name': 'protocatechuate 3,4-dioxygenase type II activity', - 'def': 'Catalysis of the reaction: 4-sulfocatechol + O2 = 3-sulfomuconate. [UM-BBD_reactionID:r0581]' - }, - 'GO:0018561': { - 'name': "2'-aminobiphenyl-2,3-diol 1,2-dioxygenase activity", - 'def': "Catalysis of the reaction: 2'-aminobiphenyl-2,3-diol + O2 = H+ + 2-hydroxy-6-oxo-(2'-aminophenyl)-hexa-2,4-dienoate. [UM-BBD_reactionID:r0457]" - }, - 'GO:0018562': { - 'name': '3,4-dihydroxyfluorene 4,4-alpha-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxyfluorene + O2 = 2-hydroxy-4-(1-oxo-1,3-dihydro-2H-inden-2-ylidene) but-2-enoic acid. [UM-BBD_reactionID:r0415]' - }, - 'GO:0018563': { - 'name': '2,3-dihydroxy-ethylbenzene 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxyethylbenzene + O2 = H+ + 2-hydroxy-6-oxoocta-2,4-dienoate. [UM-BBD_reactionID:r0310]' - }, - 'GO:0018564': { - 'name': 'carbazole 1,9a-dioxygenase activity', - 'def': "Catalysis of the reaction: carbazole + NADH + O2 + H+ = NAD+ + 2'-aminobiphenyl-2,3-diol. [UM-BBD_reactionID:r0456]" - }, - 'GO:0018565': { - 'name': 'dihydroxydibenzothiophene dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxydibenzothiophene + O2 = cis-4-(2-(3-hydroxy)-thionaphthenyl)-2-oxo-3-butenoate. [UM-BBD_reactionID:r0162]' - }, - 'GO:0018566': { - 'name': '1,2-dihydroxynaphthalene-6-sulfonate 1,8a-dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxynaphthalene-6-sulfonate + O2 = H+ + (Z)-4-(2-hydroxy-5-sulfonatophenyl)-2-oxo-3-butenoate. [UM-BBD_reactionID:r0324]' - }, - 'GO:0018567': { - 'name': 'styrene dioxygenase activity', - 'def': 'Catalysis of the reaction: styrene + O2 + NADH + H+ = NAD+ + styrene cis-glycol. [UM-BBD_reactionID:r0256]' - }, - 'GO:0018568': { - 'name': '3,4-dihydroxyphenanthrene dioxygenase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxyphenanthrene + O2 = H+ + 2-hydroxy-2 H-benzo[h]chromene-2-carboxylate. [UM-BBD_reactionID:r0501]' - }, - 'GO:0018569': { - 'name': 'hydroquinone 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: hydroquinone + O2 = cis,trans-4-hydroxymuconic semialdehyde. [UM-BBD_reactionID:r0228]' - }, - 'GO:0018570': { - 'name': 'p-cumate 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: p-cumate + NADH + H+ + O2 = NAD+ + cis-2,3-dihydroxy-2,3-dihydro-p-cumate. [UM-BBD_reactionID:r0395]' - }, - 'GO:0018571': { - 'name': '2,3-dihydroxy-p-cumate dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxy-p-cumate + O2 = 2-hydroxy-3-carboxy-6-oxo-7-methylocta-2,4-dienoate. [MetaCyc:RXN-666, UM-BBD_reactionID:r0397]' - }, - 'GO:0018572': { - 'name': '3,5-dichlorocatechol 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3,5-dichlorocatechol + O2 = 2 H+ + 2,4-dichloro-cis,cis-muconate. [UM-BBD_reactionID:r0276]' - }, - 'GO:0018573': { - 'name': '2-aminophenol 1,6-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-aminophenol + O2 = 2-aminomuconic semialdehyde. [UM-BBD_reactionID:r0305]' - }, - 'GO:0018574': { - 'name': '2,6-dichloro-p-hydroquinone 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,6-dichlorohydroquinone + O2 + H2O = HCl + 2 H+ + 2-chloromaleylacetate. [UM-BBD_enzymeID:e0422]' - }, - 'GO:0018575': { - 'name': 'chlorocatechol 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3,6-dichlorocatechol + O2 = 2 H+ + 2,5-dichloro-cis,cis-muconate. [UM-BBD_reactionID:r0655]' - }, - 'GO:0018576': { - 'name': 'catechol 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: catechol + O2 = cis,cis-muconate. [EC:1.13.11.1]' - }, - 'GO:0018577': { - 'name': 'catechol 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: catechol + O2 = 2-hydroxymuconate semialdehyde. [EC:1.13.11.2]' - }, - 'GO:0018578': { - 'name': 'protocatechuate 3,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxybenzoate + O2 = 3-carboxy-cis,cis-muconate. [EC:1.13.11.3]' - }, - 'GO:0018579': { - 'name': 'protocatechuate 4,5-dioxygenase activity', - 'def': 'Catalysis of the reaction: protocatechuate + O2 = 4-carboxy-2-hydroxymuconate semialdehyde. [EC:1.13.11.8]' - }, - 'GO:0018580': { - 'name': 'nitronate monooxygenase activity', - 'def': 'Catalysis of the reaction: ethylnitronate + O(2) = acetaldehyde + nitrite. [EC:1.13.12.16, RHEA:28770]' - }, - 'GO:0018581': { - 'name': 'hydroxyquinol 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: benzene-1,2,4-triol + O2 = 3-hydroxy-cis,cis-muconate. [EC:1.13.11.37]' - }, - 'GO:0018582': { - 'name': '1-hydroxy-2-naphthoate 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 1-hydroxy-2-naphthoate + O2 = (3E)-4-(2-carboxyphenyl)-2-oxobut-3-enoate. [EC:1.13.11.38]' - }, - 'GO:0018583': { - 'name': 'biphenyl-2,3-diol 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: biphenyl-2,3-diol + O2 = 2-hydroxy-6-oxo-6-phenylhexa-2,4-dienoate + H2O. [EC:1.13.11.39]' - }, - 'GO:0018584': { - 'name': '2,4,5-trichlorophenoxyacetic acid oxygenase activity', - 'def': 'Catalysis of the reaction: 2,4,5-trichlorophenoxyacetic acid + 1/2 O2 = glyoxylate + 2,4,5-trichlorophenol. [UM-BBD_reactionID:r0359]' - }, - 'GO:0018585': { - 'name': 'fluorene oxygenase activity', - 'def': 'Catalysis of the reaction: fluorene + 2 H+ + 2 e- + O2 = H2O + 9-fluorenol. [UM-BBD_reactionID:r0407]' - }, - 'GO:0018586': { - 'name': 'mono-butyltin dioxygenase activity', - 'def': 'Catalysis of the reaction: butyltin + O2 + 2 H+ + 2 e- = H2O + beta-hydroxybutyltin. [UM-BBD_reactionID:r0647]' - }, - 'GO:0018587': { - 'name': 'obsolete limonene 8-monooxygenase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0018588': { - 'name': 'tri-n-butyltin dioxygenase activity', - 'def': 'Catalysis of the reaction: tri-n-butyltin + O2 + 2 H+ + 2 e- = H2O + beta-hydroxybutyldibutyltin. [UM-BBD_reactionID:r0643]' - }, - 'GO:0018589': { - 'name': 'di-n-butyltin dioxygenase activity', - 'def': 'Catalysis of the reaction: dibutyltin + O2 + 2 H+ + 2 e- = H2O + beta-hydroxybutylbutyltin. [UM-BBD_reactionID:r0645]' - }, - 'GO:0018590': { - 'name': 'methylsilanetriol hydroxylase activity', - 'def': 'Catalysis of the reaction: methylsilanetriol + O2 + 2 H+ + 2 e- = H2O + hydroxymethylsilanetriol. [UM-BBD_reactionID:r0640]' - }, - 'GO:0018591': { - 'name': 'methyl tertiary butyl ether 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: methyl tert-butyl ether + 1/2 O2 = tert-butyl alcohol + formaldehyde. [UM-BBD_reactionID:r1023]' - }, - 'GO:0018592': { - 'name': '4-nitrocatechol 4-monooxygenase activity', - 'def': 'Catalysis of the reaction: 4-nitrocatechol + O2 + 4 e- + 3 H+ = H2O + nitrite + 1,2,4-benzenetriol. [UM-BBD_reactionID:r0231]' - }, - 'GO:0018593': { - 'name': '4-chlorophenoxyacetate monooxygenase activity', - 'def': 'Catalysis of the reaction: 4-chlorophenoxyacetate + 1/2 O2 = glyoxylate + 4-chlorophenol. [UM-BBD_reactionID:r0281]' - }, - 'GO:0018594': { - 'name': 'tert-butanol 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: tert-butanol + 1/2 O2 = 2-methyl-2-hydroxy-1-propanol. [UM-BBD_reactionID:r0615]' - }, - 'GO:0018595': { - 'name': 'alpha-pinene monooxygenase activity', - 'def': 'Catalysis of the reaction: alpha-pinene + O2 + 2 H+ + 2 e- = H2O + pinocarveol. [UM-BBD_reactionID:r0716]' - }, - 'GO:0018596': { - 'name': 'dimethylsilanediol hydroxylase activity', - 'def': 'Catalysis of the reaction: dimethylsilanediol + O2 + 2 H+ + 2 e- = H2O + hydroxymethylmethylsilanediol. [UM-BBD_reactionID:r0637]' - }, - 'GO:0018597': { - 'name': 'ammonia monooxygenase activity', - 'def': 'Catalysis of the oxidation of alkanes (up to C8) to alcohols and alkenes (up to C5) to epoxides and alcohols in the presence of ammonium ions. [PMID:16347810]' - }, - 'GO:0018598': { - 'name': 'hydroxymethylsilanetriol oxidase activity', - 'def': 'Catalysis of the reaction: hydroxymethylsilanetriol + O2 + 2 H+ + 2 e- = 2 H2O + formylsilanetriol. [UM-BBD_reactionID:r0641]' - }, - 'GO:0018599': { - 'name': '2-hydroxyisobutyrate 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-hydroxyisobutyrate + 1/2 O2 = 2,3-dihydroxy-2-methyl propionate. [UM-BBD_reactionID:r0619]' - }, - 'GO:0018600': { - 'name': 'alpha-pinene dehydrogenase activity', - 'def': 'Catalysis of the reaction: alpha-pinene + O2 + 2 H+ + 2 e- = H2O + myrtenol. [UM-BBD_reactionID:r0709]' - }, - 'GO:0018601': { - 'name': '4-nitrophenol 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: 4-nitrophenol + H(+) + NADH + O(2) = 4-nitrocatechol + H(2)O + NAD(+). [EC:1.14.13.29, RHEA:12571]' - }, - 'GO:0018602': { - 'name': '2,4-dichlorophenoxyacetate alpha-ketoglutarate dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,4-dichlorophenoxyacetate + 2-oxoglutarate + oxygen = 2,4-dichlorophenol + glyoxylate + succinate + CO2. [UM-BBD_reactionID:r0274]' - }, - 'GO:0018603': { - 'name': 'nitrobenzene 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: nitrobenzene + NADH + O2 = NAD+ + nitrite + catechol. [UM-BBD_reactionID:r0306]' - }, - 'GO:0018604': { - 'name': '4-aminobenzoate 3,4-dioxygenase (deaminating) activity', - 'def': 'Catalysis of the reaction: 4-aminobenzoate + 2 H+ + O2 + 2 e- = NH3 + 3,4-dihydroxybenzoate. [UM-BBD_reactionID:r0566]' - }, - 'GO:0018606': { - 'name': 'benzenesulfonate dioxygenase activity', - 'def': 'Catalysis of the reaction: toluene-4-sulfonate + NADH + O2 + H+ = NAD+ + HSO3(-) + 4-methylcatechol. [UM-BBD_reactionID:r0295]' - }, - 'GO:0018607': { - 'name': '1-indanone monooxygenase activity', - 'def': 'Catalysis of the reaction: 1-indanone + NADPH + 1/2 O2 = NADP+ + 3,4-dihydrocoumarin. [UM-BBD_reactionID:r0417]' - }, - 'GO:0018608': { - 'name': '1-indanone dioxygenase activity', - 'def': 'Catalysis of the reaction: 1-indanone + NADPH + 1/2 O2 = NADP+ + 3-hydroxy-1-indanone. [UM-BBD_reactionID:r0416]' - }, - 'GO:0018609': { - 'name': 'chlorobenzene dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-unsubstituted benzenoid + O2 + NAD(P)H + H+ = 2,3-cis-dihydroxydihydrobenzenoid + NAD(P)+. Substrates include 1,4-dichlorobenzene (forms 3,6-dichloro-cis-1,2-dihydroxycyclohexa-3,5-diene), 1,2,3,4-tetrachlorobenzene (forms cis-chlorobenzene dihydrodiol) and 1,2,4-trichlorobenzene (forms 3,4,6-trichloro-cis-1,2-dihydroxycyclohexa-3,5-diene). [UM-BBD_enzymeID:e0062]' - }, - 'GO:0018610': { - 'name': 'dibenzofuran 4,4a-dioxygenase activity', - 'def': "Catalysis of the reaction: dibenzofuran + NADH + H+ + O2 = 2,2',3-trihydroxybiphenyl + NAD+. [MetaCyc:R606-RXN]" - }, - 'GO:0018611': { - 'name': 'toluate dioxygenase activity', - 'def': 'Catalysis of the reaction: methylbenzoate + NADH + O2 + H+ = NAD+ + 1,2-dihydroxymethylcyclohexa-3,5-dienecarboxylate. [UM-BBD_enzymeID:e0190]' - }, - 'GO:0018612': { - 'name': 'dibenzothiophene dioxygenase activity', - 'def': 'Catalysis of the reaction: dibenzothiophene + NADH + O2 + H+ = NAD+ + cis-1,2-dihydroxy-1,2-dihydrodibenzothiophene. [UM-BBD_reactionID:r0160]' - }, - 'GO:0018613': { - 'name': '9-fluorenone dioxygenase activity', - 'def': 'Catalysis of the reaction: 9-fluorenone + 2 NADPH + O2 = 2 NADP+ + 3,4-dihydroxy-3,4-dihydro-9-fluorenone. [UM-BBD_reactionID:r0409]' - }, - 'GO:0018614': { - 'name': 'ethylbenzene dioxygenase activity', - 'def': 'Catalysis of the reaction: ethylbenzene + O2 + NADH + H+ = NAD+ + cis-2,3-dihydroxy-2,3-dihydroethylbenzene. [UM-BBD_reactionID:r0247]' - }, - 'GO:0018615': { - 'name': '2-indanone monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-indanone + NADPH + 1/2 O2 = NADP+ + 3-isochromanone. [UM-BBD_reactionID:r0424]' - }, - 'GO:0018616': { - 'name': 'trihydroxytoluene dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3,5-trihydroxytoluene + O2 = 2,4,6-trioxoheptanoate. [MetaCyc:R305-RXN, UM-BBD_reactionID:r0093]' - }, - 'GO:0018617': { - 'name': '4-aminobenzenesulfonate 3,4-dioxygenase (deaminating) activity', - 'def': 'Catalysis of the reaction: 4-aminobenzenesulfonate + 2 H+ + O2 + 2 e- = NH3 + 4-sulfocatechol. [UM-BBD_reactionID:r0580]' - }, - 'GO:0018618': { - 'name': 'anthranilate 1,2-dioxygenase (deaminating, decarboxylating) activity', - 'def': 'Catalysis of the reaction: anthranilate + NADPH + H+ + O2 = catechol + CO2 + NADP+ + NH3. [EC:1.14.12.1]' - }, - 'GO:0018619': { - 'name': 'benzene 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: benzene + H(+) + NADH + O(2) = cis-cyclohexa-3,5-diene-1,2-diol + NAD(+). [EC:1.14.12.3, RHEA:13816]' - }, - 'GO:0018620': { - 'name': 'phthalate 4,5-dioxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADH + O(2) + phthalate = cis-4,5-dihydroxycyclohexa-2,6-diene-1,2-dicarboxylate + NAD(+). [EC:1.14.12.7, RHEA:17492]' - }, - 'GO:0018621': { - 'name': '4-sulfobenzoate 3,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: 4-sulfobenzoate + H(+) + NADH + O(2) = 3,4-dihydroxybenzoate + NAD(+) + sulfite. [EC:1.14.12.8, RHEA:13940]' - }, - 'GO:0018622': { - 'name': '4-chlorophenylacetate 3,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: 4-chlorophenylacetate + NADH + O(2) = 3,4-dihydroxyphenylacetate + chloride + NAD(+). [EC:1.14.12.9, RHEA:14692]' - }, - 'GO:0018623': { - 'name': 'benzoate 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: benzoate + NADH + H+ + O2 = catechol + CO2 + NAD+. [EC:1.14.12.10]' - }, - 'GO:0018624': { - 'name': 'toluene dioxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADH + O(2) + toluene = (1S,2R)-3-methylcyclohexa-3,5-diene-1,2-diol + NAD(+). [EC:1.14.12.11, RHEA:16740]' - }, - 'GO:0018625': { - 'name': 'naphthalene 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: naphthalene + NADH + H+ + O2 = (1R,2S)-1,2-dihydronaphthalene-1,2-diol + NAD+. [EC:1.14.12.12]' - }, - 'GO:0018626': { - 'name': '2-chlorobenzoate 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-chlorobenzoate + NADH + H+ + O2 = catechol + chloride + NAD+ + CO2. [EC:1.14.12.13]' - }, - 'GO:0018627': { - 'name': '2-aminobenzenesulfonate 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-aminobenzenesulfonate + 2 H(+) + NADH + O(2) = 2,3-dihydroxybenzenesulfonate + NAD(+) + NH(4)(+). 2,3-dihydroxybenzenesulfonate is also known as 3-sulfocatechol. [EC:1.14.12.14, RHEA:23471]' - }, - 'GO:0018628': { - 'name': 'terephthalate 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADH + O(2) + terephthalate = (3S,4R)-3,4-dihydroxycyclohexa-1,5-diene-1,4-dicarboxylate + NAD(+). [EC:1.14.12.15, RHEA:10315]' - }, - 'GO:0018629': { - 'name': '2-hydroxyquinoline 5,6-dioxygenase activity', - 'def': 'Catalysis of the reaction: quinolin-2-ol + NADH + H+ + O2 = 2,5,6-trihydroxy-5,6-dihydroquinoline + NAD+. [EC:1.14.12.16]' - }, - 'GO:0018630': { - 'name': '3,5-xylenol methylhydroxylase activity', - 'def': 'Catalysis of the reaction: 3-hydroxytoluene + NADH + O2 = NAD+ + OH- + 3-hydroxybenzyl alcohol. [UM-BBD_reactionID:r0081]' - }, - 'GO:0018631': { - 'name': 'phenylacetate hydroxylase activity', - 'def': 'Catalysis of the reaction: phenylacetate + NADH + O2 = NAD+ + OH- + 2-hydroxyphenylacetate. [UM-BBD_reactionID:r0036]' - }, - 'GO:0018632': { - 'name': '4-nitrophenol 4-monooxygenase activity', - 'def': 'Catalysis of the reaction: p-nitrophenol + O2 + NADPH = H2O + NADP+ + nitrite + p-benzoquinone. [UM-BBD_reactionID:r0226]' - }, - 'GO:0018633': { - 'name': 'dimethyl sulfide monooxygenase activity', - 'def': 'Catalysis of the reaction: dimethyl sulfide + NADH + O2 = NAD+ + OH- + methanethiol + formaldehyde. [UM-BBD_reactionID:r0208]' - }, - 'GO:0018634': { - 'name': 'alpha-pinene monooxygenase [NADH] activity', - 'def': 'Catalysis of the reaction: alpha-pinene + NADH + H+ + O2 = NAD+ + H2O + alpha-pinene oxide. [UM-BBD_reactionID:r0742]' - }, - 'GO:0018635': { - 'name': '(R)-limonene 1,2-monooxygenase activity', - 'def': 'Catalysis of the reaction: (4R)-limonene + NAD(P)H + H+ + O2 = NAD(P)+ + H2O + (4R)-limonene-1,2-epoxide. [UM-BBD_enzymeID:e0462]' - }, - 'GO:0018636': { - 'name': 'phenanthrene 9,10-monooxygenase activity', - 'def': 'Catalysis of the reaction: phenanthrene + O2 + NADH + H+ = H2O + NAD+ + phenanthrene-9,10-oxide. [UM-BBD_reactionID:r0495]' - }, - 'GO:0018637': { - 'name': '1-hydroxy-2-naphthoate hydroxylase activity', - 'def': 'Catalysis of the reaction: 1-hydroxy-2-naphthoate + O2 + NADPH + 2 H+ = NADP+ + H2O + CO2 + 1,2-dihydroxynaphthalene. [UM-BBD_reactionID:r0491]' - }, - 'GO:0018638': { - 'name': 'toluene 4-monooxygenase activity', - 'def': 'Catalysis of the reaction: toluene + 1/2 O2 = 4-hydroxytoluene. [UM-BBD_enzymeID:e0225]' - }, - 'GO:0018639': { - 'name': 'xylene monooxygenase activity', - 'def': 'Catalysis of the reactions: toluene + 1/2 O2 = benzyl alcohol, and xylene + 1/2 O2 = methylbenzyl alcohol. [UM-BBD_enzymeID:e0172]' - }, - 'GO:0018640': { - 'name': 'dibenzothiophene monooxygenase activity', - 'def': 'Catalysis of the reaction: dibenzothiophene + NADH + H+ + O2 = dibenzothiophene-5-oxide + NAD+ + H2O. [MetaCyc:RXN-621]' - }, - 'GO:0018641': { - 'name': '6-hydroxy-3-methyl-2-oxo-1,2-dihydroquinoline 6-monooxygenase activity', - 'def': 'Catalysis of the reaction: 6-hydroxy-3-methyl-2-oxo-1,2-dihydroquinoline + O2 + 2 H+ + 2 e- = H2O + 5,6-dihydroxy-3-methyl-2-oxo-1,2-dihydroquinoline. [UM-BBD_reactionID:r0048]' - }, - 'GO:0018642': { - 'name': 'chlorophenol 4-monooxygenase activity', - 'def': 'Catalysis of the addition or substitution of an OH group on C4 of a halogenated phenol. [UM-BBD_enzymeID:e0252]' - }, - 'GO:0018643': { - 'name': 'carbon disulfide oxygenase activity', - 'def': 'Catalysis of the reaction: carbon disulfide + NADH + H+ + O2 = [S] + H2O + NAD+ + carbonyl sulfide. [UM-BBD_reactionID:r0599]' - }, - 'GO:0018644': { - 'name': 'toluene 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: toluene + 1/2 O2 = 2-hydroxytoluene. [UM-BBD_enzymeID:e0222]' - }, - 'GO:0018645': { - 'name': 'alkene monooxygenase activity', - 'def': 'Catalysis of the reaction: propene + NADH + H+ + O2 = 1,2-epoxypropane + NAD+ + H2O. [EC:1.14.13.69]' - }, - 'GO:0018646': { - 'name': '1-hydroxy-2-oxolimonene 1,2-monooxygenase activity', - 'def': 'Catalysis of the reaction: (1S,4R)-1-hydroxy-2-oxolimonene + NADPH + O2 = NADP+ + OH- + (3R)-3-isopropenyl-6-oxoheptanoate. [UM-BBD_reactionID:r0736]' - }, - 'GO:0018647': { - 'name': 'phenanthrene 1,2-monooxygenase activity', - 'def': 'Catalysis of the reaction: phenanthrene + O2 + NADH + H+ = H2O + NAD+ + phenanthrene-1,2-oxide. [UM-BBD_enzymeID:e0333]' - }, - 'GO:0018648': { - 'name': 'methanesulfonate monooxygenase activity', - 'def': 'Catalysis of the reaction: methanesulfonate + NADH + H+ + O2 = formaldehyde + NAD+ + sulfite + H2O. [EC:1.14.13.111]' - }, - 'GO:0018649': { - 'name': 'tetrahydrofuran hydroxylase activity', - 'def': 'Catalysis of the reaction: tetrahydrofuran + O2 + 2 H+ + 2 e- = H2O + 2-hydroxytetrahydrofuran. [UM-BBD_reactionID:r0017]' - }, - 'GO:0018650': { - 'name': 'styrene monooxygenase activity', - 'def': 'Catalysis of the reaction: styrene + NADPH + FADH + O2 = NADP+ + FAD+ + H2O + styrene oxide. [UM-BBD_reactionID:r0225]' - }, - 'GO:0018651': { - 'name': 'toluene-4-sulfonate monooxygenase activity', - 'def': 'Catalysis of the reaction: toluene-4-sulfonate + 1/2 O2 + H+ = HSO3(-) + 4-hydroxytoluene. [UM-BBD_reactionID:r0296]' - }, - 'GO:0018652': { - 'name': 'toluene-sulfonate methyl-monooxygenase activity', - 'def': 'Catalysis of the reaction: toluene-4-sulfonate + NADH + O2 = NAD+ + OH- + 4-sulfobenzyl alcohol. [UM-BBD_reactionID:r0290]' - }, - 'GO:0018653': { - 'name': '3-methyl-2-oxo-1,2-dihydroquinoline 6-monooxygenase activity', - 'def': 'Catalysis of the reaction: 3-methyl-2-oxo-1,2-dihydroquinoline + O2 + 2 H+ + 2 e- = H2O + 6-hydroxy-3-methyl-2-oxo-1,2-dihydroquinoline. [EC:1.14.13.-]' - }, - 'GO:0018654': { - 'name': '2-hydroxy-phenylacetate hydroxylase activity', - 'def': 'Catalysis of the reaction: 2-hydroxyphenylacetate + NADH + O2 = NAD+ + OH- + homogentisate. [UM-BBD_reactionID:r0252]' - }, - 'GO:0018655': { - 'name': '2-oxo-delta3-4,5,5-trimethylcyclopentenylacetyl-CoA 1,2-monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-oxo-delta3-4,5,5-trimethylcyclopentenylacetyl-CoA + NADH + H+ + O2 = NAD+ + H2O + delta2,5-3,4,4-trimethylpimelyl-CoA. [UM-BBD_reactionID:r0430]' - }, - 'GO:0018656': { - 'name': 'phenanthrene 3,4-monooxygenase activity', - 'def': 'Catalysis of the reaction: phenanthrene + O2 + NADH + H+ = H2O + NAD+ + phenanthrene-3,4-oxide. [UM-BBD_reactionID:r0508]' - }, - 'GO:0018657': { - 'name': 'toluene 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: toluene + 1/2 O2 = 3-hydroxytoluene. [UM-BBD_enzymeID:e0224]' - }, - 'GO:0018658': { - 'name': 'salicylate 1-monooxygenase activity', - 'def': 'Catalysis of the reaction: salicylate + NADH + H+ + O2 = catechol + NAD+ + H2O + CO2. [EC:1.14.13.1]' - }, - 'GO:0018659': { - 'name': '4-hydroxybenzoate 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybenzoate + NADPH + H+ + O2 = protocatechuate + NADP+ + H2O. [EC:1.14.13.2]' - }, - 'GO:0018660': { - 'name': '4-hydroxyphenylacetate,NADH:oxygen oxidoreductase (3-hydroxylating) activity', - 'def': 'Catalysis of the reaction: 4-hydroxyphenylacetate + NADH + H+ + O2 = 3,4-dihydroxyphenylacetate + NAD+ + H2O. [KEGG:R02698]' - }, - 'GO:0018661': { - 'name': 'orcinol 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADH + O(2) + orcinol = 2,3,5-trihydroxytoluene + H(2)O + NAD(+). [EC:1.14.13.6, RHEA:19604]' - }, - 'GO:0018662': { - 'name': 'phenol 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: phenol + NADPH + H+ + O2 = catechol + NADP+ + H2O. [EC:1.14.13.7]' - }, - 'GO:0018663': { - 'name': '2,6-dihydroxypyridine 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: 2,6-dihydroxypyridine + H(+) + NADH + O(2) = 2,3,6-trihydroxypyridine + H(2)O + NAD(+). [EC:1.14.13.10, RHEA:16920]' - }, - 'GO:0018664': { - 'name': 'benzoate 4-monooxygenase activity', - 'def': 'Catalysis of the reaction: benzoate + H(+) + NADPH + O(2) = 4-hydroxybenzoate + H(2)O + NADP(+). [EC:1.14.13.12, RHEA:18036]' - }, - 'GO:0018665': { - 'name': '4-hydroxyphenylacetate 1-monooxygenase activity', - 'def': 'Catalysis of the reaction: 4-hydroxyphenylacetate + NADPH + H+ + O2 = homogentisate + NADP+ + H2O. [EC:1.14.13.18]' - }, - 'GO:0018666': { - 'name': '2,4-dichlorophenol 6-monooxygenase activity', - 'def': 'Catalysis of the reaction: 2,4-dichlorophenol + NADPH + H+ + O2 = 3,5-dichlorocatechol + NADP+ + H2O. [EC:1.14.13.20]' - }, - 'GO:0018667': { - 'name': 'cyclohexanone monooxygenase activity', - 'def': 'Catalysis of the reaction: cyclohexanone + NADPH + H+ + O2 = 6-hexanolide + NADP+ + H2O. [EC:1.14.13.22]' - }, - 'GO:0018668': { - 'name': '3-hydroxybenzoate 4-monooxygenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxybenzoate + H(+) + NADPH + O(2) = 3,4-dihydroxybenzoate + H(2)O + NADP(+). [EC:1.14.13.23, RHEA:11483]' - }, - 'GO:0018669': { - 'name': '3-hydroxybenzoate 6-monooxygenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxybenzoate + H(+) + NADH + O(2) = 2,5-dihydroxybenzoate + H(2)O + NAD(+). [EC:1.14.13.24, RHEA:22695]' - }, - 'GO:0018670': { - 'name': '4-aminobenzoate 1-monooxygenase activity', - 'def': 'Catalysis of the reaction: 4-aminobenzoate + NADPH + H+ + O2 = 4-hydroxyaniline + NADP+ + H2O + CO2. [EC:1.14.13.27]' - }, - 'GO:0018671': { - 'name': '4-hydroxybenzoate 3-monooxygenase [NAD(P)H] activity', - 'def': 'Catalysis of the reaction: 4-hydroxybenzoate + NAD(P)H + H+ + O2 = 3,4-dihydroxybenzoate + NAD(P)+ + H2O. [EC:1.14.13.33]' - }, - 'GO:0018672': { - 'name': 'anthranilate 3-monooxygenase (deaminating) activity', - 'def': 'Catalysis of the reaction: anthranilate + 2 H(+) + NADPH + O(2) = 2,3-dihydroxybenzoate + NADP(+) + NH(4)(+). [EC:1.14.13.35, RHEA:21239]' - }, - 'GO:0018673': { - 'name': 'anthraniloyl-CoA monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-aminobenzoyl-CoA + 2 NADPH + 2 H+ + O2 = 2-amino-5-oxocyclohex-1-enecarboxyl-CoA + H2O + 2 NADP+. [EC:1.14.13.40]' - }, - 'GO:0018674': { - 'name': '(S)-limonene 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: (4S)-limonene + H(+) + NADPH + O(2) = (1S,6R)-isopiperitenol + H(2)O + NADP(+). [EC:1.14.13.47, RHEA:15132]' - }, - 'GO:0018675': { - 'name': '(S)-limonene 6-monooxygenase activity', - 'def': 'Catalysis of the reaction: (-)-limonene + NADPH + H+ + O2 = (-)-trans-carveol + NADP+ + H2O. [EC:1.14.13.48]' - }, - 'GO:0018676': { - 'name': '(S)-limonene 7-monooxygenase activity', - 'def': 'Catalysis of the reaction: (4S)-limonene + H(+) + NADPH + O(2) = (4S)-perillyl alcohol + H(2)O + NADP(+). [EC:1.14.13.49, RHEA:23435]' - }, - 'GO:0018677': { - 'name': 'pentachlorophenol monooxygenase activity', - 'def': 'Catalysis of the reaction: pentachlorophenol + NADPH + H+ + O2 = tetrachlorohydroquinone + NADP+ + chloride. [EC:1.14.13.50]' - }, - 'GO:0018678': { - 'name': '4-hydroxybenzoate 1-hydroxylase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybenzoate + NADPH + H+ + O2 = hydroquinone + NADP+ + H2O + CO2. [EC:1.14.13.64]' - }, - 'GO:0018679': { - 'name': 'dibenzothiophene-5,5-dioxide monooxygenase activity', - 'def': "Catalysis of the reaction: dibenzothiophene-5,5-dioxide + O2 + 2 NADH + H+ = 2 NAD+ + H2O + 2'-hydroxybiphenyl-2-sulfinate. [UM-BBD_reactionID:r0235]" - }, - 'GO:0018680': { - 'name': 'deethylatrazine monooxygenase activity', - 'def': 'Catalysis of the reaction: 2 deethylatrazine + O2 = 2 CH3COCH3 + 2 deisopropyldeethylatrazine. [UM-BBD_reactionID:r0128]' - }, - 'GO:0018681': { - 'name': 'deisopropylatrazine monooxygenase activity', - 'def': 'Catalysis of the reaction: 2 deisopropylatrazine + O2 = 2 acetaldehyde + 2 deisopropyldeethylatrazine. [KEGG:R05567]' - }, - 'GO:0018682': { - 'name': 'atrazine N-dealkylase activity', - 'def': 'Catalysis of the reaction: atrazine + O2 + 2 H+ = deethylatrazine + acetaldehyde + H2O. [MetaCyc:R461-RXN, UM-BBD_reactionID:r0127]' - }, - 'GO:0018683': { - 'name': 'camphor 5-monooxygenase activity', - 'def': 'Catalysis of the reaction: (+)-camphor + putidaredoxin + O2 = (+)-exo-5-hydroxycamphor + oxidized putidaredoxin + H2O. [EC:1.14.15.1]' - }, - 'GO:0018684': { - 'name': 'camphor 1,2-monooxygenase activity', - 'def': 'Catalysis of the reaction: (1R)-bornane-2,5-dione + reduced rubredoxin + O2 = 5-oxo-1,2-campholide + oxidized rubredoxin + H2O. [EC:1.14.15.2]' - }, - 'GO:0018685': { - 'name': 'alkane 1-monooxygenase activity', - 'def': 'Catalysis of the reaction: octane + reduced rubredoxin + O2 = 1-octanol + oxidized rubredoxin + H2O. [EC:1.14.15.3]' - }, - 'GO:0018686': { - 'name': '6-hydroxy pseudo-oxynicotine monooxygenase activity', - 'def': 'Catalysis of the reaction: 2 6-hydroxypseudooxynicotine + O2 = 2 2,6-dihydroxypseudooxynicotine. [UM-BBD_reactionID:r0480]' - }, - 'GO:0018687': { - 'name': 'biphenyl 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: biphenyl + NADH + H+ + O2 = (2R,3S)-3-phenylcyclohexa-3,5-diene-1,2-diol + NAD+. This reaction requires Fe2+. [EC:1.14.12.18]' - }, - 'GO:0018688': { - 'name': 'DDT 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,1,1-trichloro-2,2-bis-(4-chlorophenyl)ethane + O2 + 2 H+ + 2 e- = cis-2,3-dihydrodiol DDT. 1,1,1-trichloro-2,2-bis-(4-chlorophenyl)ethane is also known as DDT. [UM-BBD_reactionID:r0450]' - }, - 'GO:0018689': { - 'name': 'naphthalene disulfonate 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: (1/2)-unsubstituted naphthalenoid-(2/1)-sulfonate + 2 H+ + 2 e- + O2 = 1,2-dihydroxynaphthalene derivative + HSO3(-). Substrates include naphthalene-1,6-disulfonate (forms 1,2-dihydroxynaphthalene-6-sulfonate), naphthalene-1-sulfonate (forms 1,2-dihydroxynaphthalene), naphthalene-2,6-disulfonate (forms 1,2-dihydroxynaphthalene-6-sulfonate) and naphthalene-2-sulfonate (forms 1,2-dihydroxynaphthalene). [UM-BBD_enzymeID:e0249]' - }, - 'GO:0018690': { - 'name': '4-methoxybenzoate monooxygenase (O-demethylating) activity', - 'def': 'Catalysis of the reaction: 4-methoxybenzoate + AH(2) + O(2) = 4-hydroxybenzoate + A + formaldehyde + H(2)O. [EC:1.14.99.15, RHEA:18616]' - }, - 'GO:0018693': { - 'name': 'ethylbenzene hydroxylase activity', - 'def': 'Catalysis of the reaction: A + ethylbenzene + H(2)O = (S)-1-phenylethanol + AH(2). [EC:1.17.99.2, RHEA:17900]' - }, - 'GO:0018694': { - 'name': 'p-cymene methyl hydroxylase activity', - 'def': 'Catalysis of the reaction: p-cymene + NADH + O2 = NAD+ + OH- + p-cumic alcohol. [UM-BBD_reactionID:r0392]' - }, - 'GO:0018695': { - 'name': '4-cresol dehydrogenase (hydroxylating) activity', - 'def': 'Catalysis of the reaction: 4-cresol + acceptor + H2O = 4-hydroxybenzaldehyde + reduced acceptor. [EC:1.17.99.1]' - }, - 'GO:0018697': { - 'name': 'carbonyl sulfide nitrogenase activity', - 'def': 'Catalysis of the reaction: carbonyl sulfide + 2 H+ + 2 e- = hydrogen sulfide + carbon monoxide. [UM-BBD_reactionID:r0600]' - }, - 'GO:0018698': { - 'name': 'vinyl chloride reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: vinyl chloride + 2 H+ + 2 e- = HCl + ethene. [UM-BBD_reactionID:r0352]' - }, - 'GO:0018699': { - 'name': '1,1,1-trichloroethane reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: 1,1,1-trichloroethane + 2 H+ + 2 e- = 1,1-dichloroethane + HCl. [UM-BBD_reactionID:r1007]' - }, - 'GO:0018700': { - 'name': '2-chloro-N-isopropylacetanilide reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: 2-chloro-N-isopropylacetanilide + H+ + 2 e- = Cl- + N-isopropylacetanilide. [UM-BBD_reactionID:r0719]' - }, - 'GO:0018701': { - 'name': '2,5-dichlorohydroquinone reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: organohalide + 2 H+ + 2 e- = R-H + HCl. Reactants include chlorohydroquinone (forms hydroquinone) and 2,5-dichlorohydroquinone (forms chlorohydroquinone). [UM-BBD_enzymeID:e0366]' - }, - 'GO:0018702': { - 'name': '1,1-dichloro-2,2-bis(4-chlorophenyl)ethene dehalogenase activity', - 'def': 'Catalysis of the reaction: 1,1-dichloro-2,2-bis(4-chlorophenyl)ethene + H+ + 2 e- = Cl- + 1-chloro-2,2-bis(4-chlorophenyl)ethene. 1,1-dichloro-2,2-bis(4-chlorophenyl)ethene is also known as DDE; 1-chloro-2,2-bis(4-chlorophenyl)ethene is also known as DDMU. [UM-BBD_reactionID:r0440]' - }, - 'GO:0018703': { - 'name': '2,4-dichlorophenoxyacetate dehalogenase activity', - 'def': 'Catalysis of the reaction: 2,4-dichlorophenoxyacetic acid + H+ + 2 e- = Cl- + 4-chlorophenoxyacetate. [UM-BBD_reactionID:r0280]' - }, - 'GO:0018704': { - 'name': 'obsolete 5-chloro-2-hydroxymuconic semialdehyde dehalogenase activity', - 'def': 'Catalysis of the reaction: 5-chloro-2-hydroxymuconic semialdehyde + H+ + 2 e- = Cl- + 2-hydroxymuconic semialdehyde. [UM-BBD_enzymeID:e0237]' - }, - 'GO:0018705': { - 'name': '1,2-dichloroethene reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: 1,2-dichloroethene + 2 H+ + 2 e- = HCl + vinyl chloride. [UM-BBD_enzymeID:e0272]' - }, - 'GO:0018706': { - 'name': 'pyrogallol hydroxytransferase activity', - 'def': 'Catalysis of the reaction: 1,2,3,5-tetrahydroxybenzene + 1,2,3-trihydroxybenzene = 1,3,5-trihydroxybenzene + 1,2,3,5-tetrahydroxybenzene. [EC:1.97.1.2]' - }, - 'GO:0018707': { - 'name': '1-phenanthrol methyltransferase activity', - 'def': 'Catalysis of the reaction: 1-phenanthrol + X-CH3 = X + 1-methoxyphenanthrene. [UM-BBD_reactionID:r0493]' - }, - 'GO:0018708': { - 'name': 'thiol S-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + a thiol = S-adenosyl-L-homocysteine + a thioether. [EC:2.1.1.9]' - }, - 'GO:0018710': { - 'name': 'acetone carboxylase activity', - 'def': 'Catalysis of the reaction: acetone + ATP + CO(2) + 2 H(2)O = acetoacetate + AMP + 4 H(+) + 2 phosphate. [EC:6.4.1.6, RHEA:18388]' - }, - 'GO:0018711': { - 'name': 'benzoyl acetate-CoA thiolase activity', - 'def': 'Catalysis of the reaction: benzoyl acetyl-CoA + CoA = acetyl-CoA + benzoyl-CoA. [UM-BBD_reactionID:r0243]' - }, - 'GO:0018712': { - 'name': '3-hydroxybutyryl-CoA thiolase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-5-oxohexanoyl-CoA + CoASH = 3-hydroxybutyryl-CoA + acetyl-CoA. [UM-BBD_reactionID:r0010]' - }, - 'GO:0018713': { - 'name': '3-ketopimelyl-CoA thiolase activity', - 'def': 'Catalysis of the reaction: 3-ketopimeloyl-CoA + CoA = glutaryl-CoA + acetyl-CoA. [UM-BBD_reactionID:r0197]' - }, - 'GO:0018715': { - 'name': '9-phenanthrol UDP-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: 9-phenanthrol + UDP-glucuronate = 9-phenanthryl-beta-D-glucuronide + UDP. [UM-BBD_reactionID:r0567]' - }, - 'GO:0018716': { - 'name': '1-phenanthrol glycosyltransferase activity', - 'def': 'Catalysis of the reaction: 1-phenanthrol + glucose = 1-phenanthryl-beta-D-glucopyranoside + H2O. [UM-BBD_reactionID:r0525]' - }, - 'GO:0018717': { - 'name': '9-phenanthrol glycosyltransferase activity', - 'def': 'Catalysis of the reaction: 9-phenanthrol + glucose = 9-phenanthryl-beta-D-glucopyranoside + H2O. [UM-BBD_reactionID:r0511]' - }, - 'GO:0018718': { - 'name': '1,2-dihydroxy-phenanthrene glycosyltransferase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxyphenanthrene + UDP-glucose = 2-hydroxy-1-phenanthryl-beta-D-glucopyranoside + UDP. [UM-BBD_reactionID:r0569]' - }, - 'GO:0018719': { - 'name': '6-aminohexanoate transaminase activity', - 'def': 'Catalysis of the reaction: 6-aminohexanoate + alpha-ketoglutarate = glutamate + 6-oxohexanoate. [UM-BBD_reactionID:r0449]' - }, - 'GO:0018720': { - 'name': 'phenol kinase activity', - 'def': 'Catalysis of the reaction: phenol + X-HPO3- = XH + phenylphosphate. [UM-BBD_reactionID:r0155]' - }, - 'GO:0018721': { - 'name': 'trans-9R,10R-dihydrodiolphenanthrene sulfotransferase activity', - 'def': 'Catalysis of the reaction: trans-9R,10R-dihydrodiolphenanthrene + 2 X-SO3(-) = 2 HX + phenanthrene-9,10-dihydrodiolsulfate conjugate. [UM-BBD_reactionID:r0559]' - }, - 'GO:0018722': { - 'name': '1-phenanthrol sulfotransferase activity', - 'def': 'Catalysis of the reaction: 1-phenanthrol + X-SO3(-) = HX + 1-phenanthrylsulfate. [UM-BBD_reactionID:r0565]' - }, - 'GO:0018723': { - 'name': '3-phenanthrol sulfotransferase activity', - 'def': 'Catalysis of the reaction: 3-phenanthrol + X-SO3(-) = HX + 3-phenanthrylsulfate. [UM-BBD_reactionID:r0561]' - }, - 'GO:0018724': { - 'name': '4-phenanthrol sulfotransferase activity', - 'def': 'Catalysis of the reaction: 4-phenanthrol + X-SO3(-) = HX + 4-phenanthrylsulfate. [UM-BBD_reactionID:r0562]' - }, - 'GO:0018725': { - 'name': 'trans-3,4-dihydrodiolphenanthrene sulfotransferase activity', - 'def': 'Catalysis of the reaction: trans-3,4-dihydrodiolphenanthrene + 2 X-SO3(-) = 2 HX + phenanthrene-3,4-dihydrodiolsulfate conjugate. [UM-BBD_reactionID:r0558]' - }, - 'GO:0018726': { - 'name': '9-phenanthrol sulfotransferase activity', - 'def': 'Catalysis of the reaction: 9-phenanthrol + X-SO3(-) = HX + 9-phenanthrylsulfate. [UM-BBD_reactionID:r0564]' - }, - 'GO:0018727': { - 'name': '2-phenanthrol sulfotransferase activity', - 'def': 'Catalysis of the reaction: 2-phenanthrol + X-SO3(-) = HX + 2-phenanthrylsulfate. [UM-BBD_reactionID:r0563]' - }, - 'GO:0018729': { - 'name': 'propionate CoA-transferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + propanoate = acetate + propanoyl-CoA. [EC:2.8.3.1]' - }, - 'GO:0018730': { - 'name': 'glutaconate CoA-transferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + (E)-glutaconate = acetate + glutaconyl-1-CoA. [EC:2.8.3.12]' - }, - 'GO:0018731': { - 'name': '1-oxa-2-oxocycloheptane lactonase activity', - 'def': 'Catalysis of the reaction: 1-oxa-2-oxocycloheptane + H2O = 6-hydroxyhexanoate. [UM-BBD_reactionID:r0167]' - }, - 'GO:0018732': { - 'name': 'sulfolactone hydrolase activity', - 'def': 'Catalysis of the reaction: 4-sulfolactone + OH- = HSO3(-) + maleylacetate. [UM-BBD_reactionID:r0583]' - }, - 'GO:0018733': { - 'name': '3,4-dihydrocoumarin hydrolase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydrocoumarin + H2O = 3-(2-hydroxyphenyl) propionate. [UM-BBD_reactionID:r0419]' - }, - 'GO:0018734': { - 'name': 'butyrolactone hydrolase activity', - 'def': 'Catalysis of the reaction: butyrolactone + H2O = 4-hydroxybutanoate. [UM-BBD_reactionID:r0016]' - }, - 'GO:0018736': { - 'name': '6-oxo-2-hydroxycyclohexane-1-carboxyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: 6-oxo-2-hydroxycyclohexane-1-carboxyl-CoA + H2O = 3-hydroxypimeloyl-CoA. [UM-BBD_reactionID:r0206]' - }, - 'GO:0018737': { - 'name': '2-ketocyclohexane-1-carboxyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: 2-ketocyclohexane-1-carboxyl-CoA + H2O = pimeloyl-CoA. [UM-BBD_reactionID:r0193]' - }, - 'GO:0018738': { - 'name': 'S-formylglutathione hydrolase activity', - 'def': 'Catalysis of the reaction: S-formylglutathione + H(2)O = formate + glutathione + H(+). [EC:3.1.2.12, RHEA:14964]' - }, - 'GO:0018739': { - 'name': '4-hydroxybenzoyl-CoA thioesterase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybenzoyl-CoA + H(2)O = 4-hydroxybenzoate + CoA + H(+). [EC:3.1.2.23, RHEA:11951]' - }, - 'GO:0018740': { - 'name': "2'-hydroxybiphenyl-2-sulfinate desulfinase activity", - 'def': "Catalysis of the reaction: 2'-hydroxybiphenyl-2-sulfinate + H(2)O = biphenyl-2-ol + sulfite. [EC:3.13.1.3, RHEA:12948]" - }, - 'GO:0018741': { - 'name': 'alkyl sulfatase activity', - 'def': 'Catalysis of the reaction: dodecyl sulfate + H2O = sulfate + H+ + 1-dodecanol. [UM-BBD_reactionID:r0602]' - }, - 'GO:0018742': { - 'name': 'epoxide hydrolase B activity', - 'def': 'Catalysis of the hydrolysis of the ether in chloro- or hydroxyepoxypropane to produce chloropropane diol or glycerol. Acts on R enantiomers. [UM-BBD_enzymeID:e0051]' - }, - 'GO:0018743': { - 'name': 'phenanthrene-9,10-epoxide hydrolase (9R,10R-forming) activity', - 'def': 'Catalysis of the reaction: phenanthrene-9,10-oxide + H2O = trans-9R,10R-dihydrodiolphenanthrene. [UM-BBD_reactionID:r0560]' - }, - 'GO:0018744': { - 'name': 'limonene-1,2-epoxide hydrolase activity', - 'def': 'Catalysis of the reaction: limonene-1,2-epoxide + H2O = limonene-1,2-diol. Other substrates include alicyclic and 1-methyl-substituted epoxides, such as 1-methylcyclohexene oxide, indene oxide and cyclohexene oxide. [EC:3.3.2.8]' - }, - 'GO:0018745': { - 'name': 'epoxide hydrolase A activity', - 'def': 'Catalysis of the hydrolysis of the ether in chloro-, bromo- or hydroxyepoxypropane to produce a chloro- or bromopropane diol or glycerol. [UM-BBD_enzymeID:e0049]' - }, - 'GO:0018746': { - 'name': 'phenanthrene-3,4-epoxide hydrolase activity', - 'def': 'Catalysis of the reaction: phenanthrene-3,4-oxide + H2O = trans-3,4-dihydrodiolphenanthrene. [UM-BBD_reactionID:r0535]' - }, - 'GO:0018747': { - 'name': 'phenanthrene-1,2-epoxide hydrolase activity', - 'def': 'Catalysis of the reaction: phenanthrene-1,2-oxide + H2O = trans-1,2-dihydrodiolphenanthrene. [UM-BBD_reactionID:r0536]' - }, - 'GO:0018748': { - 'name': 'iprodione amidohydrolase activity', - 'def': 'Catalysis of the reaction: iprodione + OH- = 3,5-dichlorophenylcarboximide + N-isopropylcarbamate. [UM-BBD_reactionID:r0706]' - }, - 'GO:0018749': { - 'name': '(3,5-dichlorophenylurea)acetate amidohydrolase activity', - 'def': 'Catalysis of the reaction: (3,5-dichlorophenylurea)acetate + OH- = 3,5-dichloroaniline + N-carboxyglycine. [UM-BBD_reactionID:r0708]' - }, - 'GO:0018750': { - 'name': 'biuret amidohydrolase activity', - 'def': 'Catalysis of the reaction: biuret + H2O = urea + CO2 + NH3. [EC:3.5.1.84]' - }, - 'GO:0018751': { - 'name': '3,5-dichlorophenylcarboximide hydrolase activity', - 'def': 'Catalysis of the reaction: 3,5-dichlorophenylcarboximide + OH- = (3,5-dichlorophenylurea)acetate. [UM-BBD_reactionID:r0707]' - }, - 'GO:0018752': { - 'name': 'epsilon-caprolactam lactamase activity', - 'def': 'Catalysis of the reaction: epsilon-caprolactam + H2O = H+ + 6-aminohexanoate. [UM-BBD_reactionID:r0448]' - }, - 'GO:0018753': { - 'name': 'cyanuric acid amidohydrolase activity', - 'def': 'Catalysis of the reaction: cyanuric acid + H2O = biuret + CO2. [EC:3.5.2.15]' - }, - 'GO:0018754': { - 'name': 'ammelide aminohydrolase activity', - 'def': 'Catalysis of the reaction: ammelide + H2O = cyanuric acid + NH3. [PMID:1991731]' - }, - 'GO:0018755': { - 'name': '2-chloro-4-hydroxy-6-amino-1,3,5-triazine aminohydrolase activity', - 'def': 'Catalysis of the reaction: 2-chloro-4-hydroxy-6-amino-1,3,5-triazine + OH- = 2,4-dihydroxy-6-amino-1,3,5-triazine + Cl-. [UM-BBD_reactionID:r1414]' - }, - 'GO:0018756': { - 'name': 'ammeline aminohydrolase activity', - 'def': 'Catalysis of the reaction: ammeline + H2O = ammelide + NH3. [PMID:1991731]' - }, - 'GO:0018757': { - 'name': 'deisopropylhydroxyatrazine aminohydrolase activity', - 'def': "Catalysis of the reaction: deisopropylhydroxyatrazine + H2O = NH3 + 2,4-dihydroxy-6-(N'-ethyl)amino-1,3,5-triazine. [UM-BBD_reactionID:r0121]" - }, - 'GO:0018758': { - 'name': "2,4-dihydroxy-6-(N'-ethyl)amino-1,3,5-triazine aminohydrolase activity", - 'def': "Catalysis of the reaction: 2,4-dihydroxy-6-(N'-ethyl)amino-1,3,5-triazine + H2O = CH3CH2NH2 + cyanuric acid. [UM-BBD_reactionID:r0122]" - }, - 'GO:0018759': { - 'name': 'methenyltetrahydromethanopterin cyclohydrolase activity', - 'def': 'Catalysis of the reaction: 5,10-methenyl-5,6,7,8-tetrahydromethanopterin + H(2)O = N(5)-formyl-5,6,7,8-tetrahydromethanopterin + H(+). [EC:3.5.4.27, RHEA:19056]' - }, - 'GO:0018760': { - 'name': 'thiocyanate hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + 2 H(+) + thiocyanate = carbonyl sulfide + NH(4)(+). [EC:3.5.5.8, RHEA:21467]' - }, - 'GO:0018761': { - 'name': 'bromoxynil nitrilase activity', - 'def': 'Catalysis of the reaction: 3,5-dibromo-4-hydroxybenzonitrile + 2 H(2)O = 3,5-dibromo-4-hydroxybenzoate + NH(4)(+). Involved in the bacterial degradation of the herbicide bromoxynil. [EC:3.5.5.6, RHEA:22103]' - }, - 'GO:0018762': { - 'name': 'aliphatic nitrilase activity', - 'def': 'Catalysis of the reaction: R-CN + H2O = R-COOH + NH3. [EC:3.5.5.7]' - }, - 'GO:0018763': { - 'name': 'hydroxydechloroatrazine ethylaminohydrolase activity', - 'def': 'Catalysis of the reaction: 4-(ethylamino)-2-hydroxy-6-(isopropylamino)-1,3,5-triazine + H2O = N-isopropylammelide + ethylamine. [EC:3.5.99.3]' - }, - 'GO:0018764': { - 'name': 'N-isopropylammelide isopropylaminohydrolase activity', - 'def': 'Catalysis of the reaction: N-isopropylammelide + H2O = cyanuric acid + isopropylamine. [EC:3.5.99.4]' - }, - 'GO:0018765': { - 'name': '2-hydroxy-6-oxohepta-2,4-dienoate hydrolase activity', - 'def': 'Catalysis of the reaction: cis,cis-2-hydroxy-6-oxohept-2,4-dienoate + OH- = cis-2-hydroxypenta-2,4-dienoate + acetate. [UM-BBD_reactionID:r0263]' - }, - 'GO:0018766': { - 'name': 'dihydrophloroglucinol hydrolase activity', - 'def': 'Catalysis of the reaction: dihydrophloroglucinol + OH- = 3-hydroxy-5-oxohexanoate. [UM-BBD_reactionID:r0008]' - }, - 'GO:0018767': { - 'name': '2-hydroxy-6-oxo-7-methylocta-2,4-dienoate hydrolase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-6-oxo-7-methylocta-2,4-dienoate + H2O = cis-2-hydroxypenta-2,4-dienoate + isobutyrate. [UM-BBD_reactionID:r0399]' - }, - 'GO:0018768': { - 'name': "2-hydroxy-6-oxo-6-(2'-aminophenyl)hexa-2,4-dienoate hydrolase activity", - 'def': "Catalysis of the reaction: 2-hydroxy-6-oxo-(2'-aminophenyl)-hexa-2,4-dienoate + H2O = 2-aminobenzoate + cis-2-hydroxypenta-2,4-dienoate. [UM-BBD_reactionID:r0458]" - }, - 'GO:0018769': { - 'name': '2-hydroxy-6-oxoocta-2,4-dienoate hydrolase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-6-oxoocta-2,4-dienoate + H2O = H+ + propanoate + cis-2-hydroxypenta-2,4-dienoate. [UM-BBD_reactionID:r0311]' - }, - 'GO:0018770': { - 'name': "6-oxo-2-hydroxy-7-(4'-chlorophenyl)-3,8,8-trichloroocta-2E,4E,7-trienoate hydrolase activity", - 'def': "Catalysis of the reaction: 6-oxo-2-hydroxy-7-(4'-chlorophenyl)-3,8,8-trichloroocta-2Z,4Z,7-trienoate + H2O = 2-(4'-chlorophenyl)-3,3-dichloropropenoate + cis-2-Hydroxy-3-chloropenta-2,4-dienone + H+. [UM-BBD_reactionID:r0444]" - }, - 'GO:0018771': { - 'name': '2-hydroxy-6-oxonona-2,4-dienedioate hydrolase activity', - 'def': 'Catalysis of the reaction: (2E,4Z)-2-hydroxy-6-oxonona-2,4-dienedioate + H2O = (2E)-2-hydroxypenta-2,4-dienoate + H+ + succinate. [RHEA:24792]' - }, - 'GO:0018772': { - 'name': 'trioxoheptanoate hydrolase activity', - 'def': 'Catalysis of the reaction: 2,4,6-trioxoheptanoate + H2O = acetylpyruvate + acetate. [MetaCyc:R306-RXN, UM-BBD_reactionID:r0094]' - }, - 'GO:0018773': { - 'name': 'acetylpyruvate hydrolase activity', - 'def': 'Catalysis of the reaction: acetylpyruvate + H(2)O = acetate + H(+) + pyruvate. [EC:3.7.1.6, RHEA:16100]' - }, - 'GO:0018774': { - 'name': '2,6-dioxo-6-phenylhexa-3-enoate hydrolase activity', - 'def': 'Catalysis of the reaction: 2,6-dioxo-6-phenylhexa-3-enoate + H2O = benzoate + 2-oxopent-4-enoate. [EC:3.7.1.8]' - }, - 'GO:0018775': { - 'name': '2-hydroxymuconate-semialdehyde hydrolase activity', - 'def': 'Catalysis of the reaction: 2-hydroxymuconate semialdehyde + H2O = formate + 2-oxopent-4-enoate. [EC:3.7.1.9]' - }, - 'GO:0018776': { - 'name': 'trans-chloroacrylic acid dehalogenase activity', - 'def': 'Catalysis of the reaction: trans-3-chloroacrylic acid + H2O = H+ + malonate semialdehyde. [UM-BBD_reactionID:r0689]' - }, - 'GO:0018777': { - 'name': '1,3,4,6-tetrachloro-1,4-cyclohexadiene halidohydrolase activity', - 'def': 'Catalysis of the reaction: alkyl halide + H2O = alcohol + HCl. Substrates are 1,3(R),4,6(R)-tetrachloro-1,4-cyclohexadiene (forms 2,4,5-trichloro-2,5-cyclohexadiene-1-ol) and 2,4,5-trichloro-2,5-cyclohexadiene-1-ol (forms 2,5-dichloro-2,5-cyclohexadiene-1,4-diol). [PMID:10464214]' - }, - 'GO:0018778': { - 'name': 'DL-2 haloacid dehalogenase activity', - 'def': 'Catalysis of the reaction: trichloroacetate + 2 H2O = 3 H+ + 3 Cl- + oxalate. [UM-BBD_reactionID:r0382]' - }, - 'GO:0018779': { - 'name': 'obsolete 2-chloro-4,6-dihydroxy-1,3,5-triazine hydrolase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0018780': { - 'name': 'dichloroacetate halidohydrolase activity', - 'def': 'Catalysis of the reaction: dichloroacetate + H2O = 2 HCl + glyoxylate. [UM-BBD_reactionID:r0383]' - }, - 'GO:0018781': { - 'name': 'S-triazine hydrolase activity', - 'def': 'Catalysis of the reaction: 1-halo or 1-pseudohalo-S-triazine = 1-hydroxy-S-triazine. [UM-BBD_ruleID:bt0330]' - }, - 'GO:0018782': { - 'name': 'cis-chloroacrylic acid dehalogenase activity', - 'def': 'Catalysis of the reaction: cis-3-chloroacrylic acid + H2O = H+ + HCl + malonate semialdehyde. [UM-BBD_reactionID:r0688]' - }, - 'GO:0018783': { - 'name': 'deisopropyldeethylatrazine hydrolase activity', - 'def': 'Catalysis of the reaction: deisopropyldeethylatrazine + H2O = 2-chloro-4-hydroxy-6-amino-1,3,5-triazine + NH3. [UM-BBD_reactionID:0129]' - }, - 'GO:0018784': { - 'name': '(S)-2-haloacid dehalogenase activity', - 'def': 'Catalysis of the reaction: (S)-2-haloacid + H2O = (R)-2-hydroxyacid + halide. [EC:3.8.1.2]' - }, - 'GO:0018785': { - 'name': 'haloacetate dehalogenase activity', - 'def': 'Catalysis of the reaction: haloacetate + H2O = glycolate + halide. [EC:3.8.1.3]' - }, - 'GO:0018786': { - 'name': 'haloalkane dehalogenase activity', - 'def': 'Catalysis of the reaction: 1-haloalkane + H2O = a primary alcohol + halide. [EC:3.8.1.5]' - }, - 'GO:0018787': { - 'name': '4-chlorobenzoyl-CoA dehalogenase activity', - 'def': 'Catalysis of the reaction: 4-chlorobenzoyl-CoA + H2O = 4-hydroxybenzoyl CoA + chloride. [EC:3.8.1.7]' - }, - 'GO:0018788': { - 'name': 'atrazine chlorohydrolase activity', - 'def': 'Catalysis of the reaction: atrazine + H(2)O = 4-(ethylamino)-2-hydroxy-6-(isopropylamino)-1,3,5-triazine + chloride + H(+). [EC:3.8.1.8, RHEA:11315]' - }, - 'GO:0018789': { - 'name': 'cyclamate sulfohydrolase activity', - 'def': 'Catalysis of the reaction: cyclohexylsulfamate + H(2)O = cyclohexylamine + sulfate. [EC:3.10.1.2, RHEA:18484]' - }, - 'GO:0018791': { - 'name': '2-hydroxy-3-carboxy-6-oxo-7-methylocta-2,4-dienoate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-3-carboxy-6-oxo-7-methylocta-2,4-dienoate = CO2 + 2-hydroxy-6-oxo-7-methylocta-2,4-dienoate. [UM-BBD_reactionID:r0398]' - }, - 'GO:0018792': { - 'name': 'bis(4-chlorophenyl)acetate decarboxylase activity', - 'def': 'Catalysis of the reaction: bis(4-chlorophenyl)acetate + H+ = CO2 + bis(4-chlorophenyl)methane. Bis(4-chlorophenyl)acetate is also known as DDA; bis(4-chlorophenyl)methane is also known as DDM. [UM-BBD_reactionID:r0520]' - }, - 'GO:0018793': { - 'name': '3,5-dibromo-4-hydroxybenzoate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3,5-dibromo-4-hydroxybenzoate + H+ = CO2 + 2,6-dibromophenol. [UM-BBD_reactionID:r0546]' - }, - 'GO:0018794': { - 'name': '2-hydroxyisobutyrate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2-hydroxyisobutyrate + H+ = CO2 + 2-propanol. [UM-BBD_reactionID:r0617]' - }, - 'GO:0018795': { - 'name': '2-hydroxy-2-methyl-1,3-dicarbonate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-2-methyl-1,3-dicarbonate + H+ = CO2 + L-lactate. [UM-BBD_reactionID:r0621]' - }, - 'GO:0018796': { - 'name': '4,5-dihydroxyphthalate decarboxylase activity', - 'def': 'Catalysis of the reaction: 4,5-dihydroxyphthalate = 3,4-dihydroxybenzoate + CO2. [EC:4.1.1.55]' - }, - 'GO:0018798': { - 'name': 'gallate decarboxylase activity', - 'def': 'Catalysis of the reaction: gallate + H(+) = CO(2) + pyrogallol. [EC:4.1.1.59, RHEA:12752]' - }, - 'GO:0018799': { - 'name': '4-hydroxybenzoate decarboxylase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybenzoate + H(+) = CO(2) + phenol. [EC:4.1.1.61, RHEA:10879]' - }, - 'GO:0018800': { - 'name': '5-oxopent-3-ene-1,2,5-tricarboxylate decarboxylase activity', - 'def': 'Catalysis of the reaction: 5-oxopent-3-ene-1,2,5-tricarboxylate = 2-oxohept-3-enedioate + CO2. [EC:4.1.1.68]' - }, - 'GO:0018801': { - 'name': 'glutaconyl-CoA decarboxylase activity', - 'def': 'Catalysis of the reaction: trans-glutaconyl-CoA + H(+) = but-2-enoyl-CoA + CO(2). [EC:4.1.1.70, RHEA:23975]' - }, - 'GO:0018802': { - 'name': '2,4-dihydroxyhept-2-ene-1,7-dioate aldolase activity', - 'def': 'Catalysis of the reaction: 2,4-dihydroxy-hept-trans-2-ene-1,7-dioate = pyruvate + succinic semialdehyde. [UM-BBD_reactionID:r0370]' - }, - 'GO:0018803': { - 'name': '4-(2-carboxyphenyl)-2-oxobut-3-enoate aldolase activity', - 'def': 'Catalysis of the reaction: (3E)-4-(2-carboxyphenyl)-2-oxobut-3-enoate = 2-carboxybenzaldehyde + pyruvate. [EC:4.1.2.34]' - }, - 'GO:0018805': { - 'name': 'benzylsuccinate synthase activity', - 'def': 'Catalysis of the reaction: fumarate + toluene = 2-benzylsuccinate. [EC:4.1.99.11, RHEA:10419]' - }, - 'GO:0018807': { - 'name': '6-hydroxycyclohex-1-ene-1-carboxyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: 6-hydroxycyclohex-1-ene-1-carboxyl-CoA + H2O = 2,6-dihydroxycyclohexane-1-carboxyl-CoA. [UM-BBD_reactionID:r0204]' - }, - 'GO:0018808': { - 'name': "trans-4-(1'-hydroxynaphth-2'-yl)-2-oxobut-3-enoate hydratase-aldolase activity", - 'def': "Catalysis of the reaction: trans-4-(1'-hydroxynaphth-2'-yl)-2-oxobut-3-enoate + H2O = pyruvate + 1-hydroxy-2-naphthaldehyde. [UM-BBD_reactionID:r0484]" - }, - 'GO:0018809': { - 'name': 'E-phenylitaconyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: E-phenylitaconyl-CoA + H2O = (hydroxymethylphenyl)succinyl-CoA. [UM-BBD_reactionID:r0331]' - }, - 'GO:0018810': { - 'name': 'trans-4-[2-(3-hydroxy)-thionaphthenyl]-2-oxo-3-butenoate hydratase activity', - 'def': 'Catalysis of the reaction: trans-4-(2-(3-hydroxy)-thionaphthenyl)-2-oxo-3-butenoate + H2O = pyruvate + 3-hydroxy-2-formylbenzothiophene. [UM-BBD_reactionID:r0164]' - }, - 'GO:0018811': { - 'name': 'cyclohex-1-ene-1-carboxyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: cyclohex-1-ene-1-carboxyl-CoA + H2O = 2-hydroxycyclohexane-1-carboxyl-CoA. [MetaCyc:R266-RXN, UM-BBD_reactionID:r0191]' - }, - 'GO:0018812': { - 'name': '3-hydroxyacyl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: alkene-CoA + H2O = alcohol-CoA. Substrates are crotonoyl-CoA (producing 3-hydroxyacyl-CoA) and 2,3-didehydro-pimeloyl-CoA (producing 3-hydroxypimeloyl-CoA). [UM-BBD_ruleID:bt0291]' - }, - 'GO:0018813': { - 'name': 'trans-o-hydroxybenzylidenepyruvate hydratase-aldolase activity', - 'def': 'Catalysis of the reaction: 2-oxo-3-enoate-4-benzenoid + H2O = pyruvate + benzaldehyde derivative. Substrates are (3E)-4-(5-amino-2-hydroxy-phenyl)-2-oxo-but-3-ene-1-oic-acid (forms 5-aminosalicylaldehyde) and trans-o-hydroxybenzylidenepyruvate (forms salicylaldehyde). [UM-BBD_enzymeID:e0257]' - }, - 'GO:0018814': { - 'name': 'phenylacetaldoxime dehydratase activity', - 'def': 'Catalysis of the reaction: (trans)-phenylacetaldoxime = H(2)O + phenylacetonitrile. [EC:4.99.1.7, RHEA:20072]' - }, - 'GO:0018815': { - 'name': '3-methyl-5-hydroxy-6-(3-carboxy-3-oxopropenyl)-1H-2-pyridon hydratase-aldolase activity', - 'def': 'Catalysis of the reaction: 3-methyl-5-hydroxy-6-(3-carboxy-3-oxopropenyl)-1H-2-pyridon + H2O = 2-oxobut-3-enanoate + 2,5,6-trihydroxy-3-methylpyridine. [MetaCyc:RXN-645, UM-BBD_reactionID:r0051]' - }, - 'GO:0018816': { - 'name': '2-hydroxyisobutyrate dehydratase activity', - 'def': 'Catalysis of the reaction: 2-hydroxyisobutyrate = H2O + methacrylate. [UM-BBD_reactionID:r0618]' - }, - 'GO:0018817': { - 'name': '2-oxo-hept-3-ene-1,7-dioate hydratase activity', - 'def': 'Catalysis of the reaction: cis-2-oxohept-3-ene-1,7-dioate + H2O = 2,4-dihydroxy-hept-trans-2-ene-1,7-dioate. [UM-BBD_reactionID:r0369]' - }, - 'GO:0018818': { - 'name': 'acetylene hydratase activity', - 'def': 'Catalysis of the reaction: acetaldehyde = acetylene + H(2)O. [EC:4.2.1.112, RHEA:17888]' - }, - 'GO:0018819': { - 'name': 'lactoyl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: lactoyl-CoA = acryloyl-CoA + H2O. [EC:4.2.1.54]' - }, - 'GO:0018820': { - 'name': 'cyanamide hydratase activity', - 'def': 'Catalysis of the reaction: urea = cyanamide + H(2)O. [EC:4.2.1.69, RHEA:23059]' - }, - 'GO:0018822': { - 'name': 'nitrile hydratase activity', - 'def': 'Catalysis of the reaction: an aliphatic amide = a nitrile + H2O. [EC:4.2.1.84]' - }, - 'GO:0018823': { - 'name': 'cyclohexa-1,5-dienecarbonyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: cyclohexa-1,5-diene-1-carbonyl-CoA + H(2)O = 6-hydroxycyclohex-1-enecarbonyl-CoA. [EC:4.2.1.100, RHEA:21859]' - }, - 'GO:0018824': { - 'name': '(hydroxyamino)benzene mutase activity', - 'def': 'Catalysis of the reaction: (hydroxyamino)benzene = 2-aminophenol. [EC:5.4.4.1, UM-BBD_reactionID:r0304]' - }, - 'GO:0018825': { - 'name': 'triethanolamine lyase activity', - 'def': 'Catalysis of the reaction: triethanolamine = diethanolamine + acetaldehyde. [UM-BBD_enzymeID:e0421]' - }, - 'GO:0018826': { - 'name': 'methionine gamma-lyase activity', - 'def': 'Catalysis of the reaction: L-methionine = methanethiol + NH3 + 2-oxobutanoate. [EC:4.4.1.11]' - }, - 'GO:0018827': { - 'name': '1-chloro-2,2-bis(4-chlorophenyl)ethane dehydrochlorinase activity', - 'def': 'Catalysis of the reaction: 1-chloro-2,2-bis(4-chlorophenyl)ethane = HCl + unsym-bis(4-chlorophenyl)ethene. 1-chloro-2,2-bis(4-chlorophenyl)ethane is also known as DDMS; unsym-bis(4-chlorophenyl)ethene is also known as DDNU. [UM-BBD_reactionID:r0515]' - }, - 'GO:0018828': { - 'name': 'halohydrin hydrogen-halide-lyase A activity', - 'def': 'Catalysis of the elimination of HCl from a chloro- or bromopropanol, yielding an epoxypropane. [UM-BBD_enzymeID:e0048]' - }, - 'GO:0018829': { - 'name': '1,1-dichloro-2,2-bis(4-chlorophenyl)ethane dehydrochlorinase activity', - 'def': 'Catalysis of the reaction: 1,1-dichloro-2,2-bis(4-chlorophenyl)ethane = HCl + 1-chloro-2,2-bis(4-chlorophenyl)ethene. 1,1-dichloro-2,2-bis(4-chlorophenyl)ethane is also known as DDD; 1-chloro-2,2-bis(4-chlorophenyl)ethene is also known as DDMU. [UM-BBD_reactionID:r0513]' - }, - 'GO:0018830': { - 'name': 'gamma-hexachlorocyclohexane dehydrochlorinase activity', - 'def': 'Catalysis of the reaction: gamma-hexachlorocyclohexane + HCl = 1,3(R),4(S),5(S),6(R)-pentachlorocyclohexene. [UM-BBD_enzymeID:e0359]' - }, - 'GO:0018831': { - 'name': '5-chloro-1,2,4-trihydroxybenzene dechlorinase activity', - 'def': 'Catalysis of the reaction: 5-chloro-1,2,4-trihydroxybenzene = Cl- + H+ + 2-hydroxy-1,4-benzoquinone. [UM-BBD_reactionID:r0666]' - }, - 'GO:0018832': { - 'name': 'halohydrin hydrogen-halide-lyase B activity', - 'def': 'Catalysis of the elimination of HCl from a chloropropanol, yielding an epoxypropane. [UM-BBD_enzymeID:e0050]' - }, - 'GO:0018833': { - 'name': 'DDT-dehydrochlorinase activity', - 'def': 'Catalysis of the reaction: 1,1,1-trichloro-2,2-bis(4-chlorophenyl)ethane = 1,1-dichloro-2,2-bis(4-chlorophenyl)ethylene + chloride + H(+). [EC:4.5.1.1, RHEA:19220]' - }, - 'GO:0018834': { - 'name': 'dichloromethane dehalogenase activity', - 'def': 'Catalysis of the reaction: dichloromethane + H(2)O = 2 chloride + formaldehyde + 2 H(+). [EC:4.5.1.3, RHEA:15400]' - }, - 'GO:0018835': { - 'name': 'carbon phosphorus lyase activity', - 'def': 'Catalysis of the reaction: alkylphosphonic acid = R-CH3 + phosphate. Substrates include aminomethylphosphonic acid (AMPA) (forms methylamine), dimethylphosphinic acid (forms methylphosphonic acid), glyphosate (forms sarcosine) and methylphosphonic acid (forms phosphate). [PMID:3804975]' - }, - 'GO:0018836': { - 'name': 'alkylmercury lyase activity', - 'def': 'Catalysis of the reaction: R-Hg+ + H+ = R-H + Hg2+. [EC:4.99.1.2]' - }, - 'GO:0018837': { - 'name': '2-hydroxy-2H-benzo[h]chromene-2-carboxylate isomerase activity', - 'def': "Catalysis of the reaction: 2-hydroxy-2 H-benzo[h]chromene-2-carboxylate = cis -4-(1'-hydroxynaphth-2'-yl)-2-oxobut-3-enoate. [UM-BBD_reactionID:r0502]" - }, - 'GO:0018838': { - 'name': 'mandelate racemase activity', - 'def': 'Catalysis of the reaction: (S)-mandelate = (R)-mandelate. [EC:5.1.2.2]' - }, - 'GO:0018839': { - 'name': 'cis-4-[2-(3-hydroxy)-thionaphthenyl]-2-oxo-3-butenoate isomerase activity', - 'def': 'Catalysis of the reaction: cis-4-(2-(3-hydroxy)-thionaphthenyl)-2-oxo-3-butenoate = trans-4-(2-(3-hydroxy)-thionaphthenyl)-2-oxo-3-butenoate. [UM-BBD_reactionID:r0163]' - }, - 'GO:0018842': { - 'name': '3-carboxymuconate cycloisomerase type II activity', - 'def': 'Catalysis of the reaction: 3-sulfomuconate = 4-sulfolactone. [UM-BBD_reactionID:r0582]' - }, - 'GO:0018844': { - 'name': '2-hydroxytetrahydrofuran isomerase activity', - 'def': 'Catalysis of the reaction: 2-hydroxytetrahydrofuran = 4-hydroxybutyraldehyde. [UM-BBD_reactionID:r0019]' - }, - 'GO:0018845': { - 'name': '2-hydroxychromene-2-carboxylate isomerase activity', - 'def': 'Catalysis of the reaction: 2-hydroxychromene-2-carboxylate = (3E)-4-(2-hydroxyphenyl)-2-oxobut-3-enoate. (3E)-4-(2-hydroxyphenyl)-2-oxobut-3-enoate is also known as trans-o-hydroxybenzylidenepyruvate. [RHEA:27404]' - }, - 'GO:0018846': { - 'name': 'styrene-oxide isomerase activity', - 'def': 'Catalysis of the reaction: styrene oxide = phenylacetaldehyde. [EC:5.3.99.7, RHEA:21607]' - }, - 'GO:0018847': { - 'name': 'alpha-pinene lyase activity', - 'def': 'Catalysis of the reaction: alpha-pinene = limonene. [UM-BBD_reactionID:r0712]' - }, - 'GO:0018848': { - 'name': 'pinocarveol isomerase activity', - 'def': 'Catalysis of the reaction: pinocarveol = carveol. [UM-BBD_reactionID:r0715]' - }, - 'GO:0018849': { - 'name': 'muconate cycloisomerase activity', - 'def': 'Catalysis of the reaction: 2,5-dihydro-5-oxofuran-2-acetate = cis,cis-hexadienedioate. [EC:5.5.1.1]' - }, - 'GO:0018850': { - 'name': 'chloromuconate cycloisomerase activity', - 'def': 'Catalysis of the reaction: 2-chloro-2,5-dihydro-5-oxofuran-2-acetate = 3-chloro-cis,cis-muconate. [EC:5.5.1.7]' - }, - 'GO:0018851': { - 'name': 'alpha-pinene-oxide decyclase activity', - 'def': 'Catalysis of the reaction: alpha-pinene oxide = (Z)-2-methyl-5-isopropylhexa-2,5-dienal. [EC:5.5.1.10, RHEA:16696]' - }, - 'GO:0018852': { - 'name': 'dichloromuconate cycloisomerase activity', - 'def': 'Catalysis of the reaction: 2,4-dichloro-2,5-dihydro-5-oxofuran-2-acetate = 2,4-dichloro-cis,cis-muconate. [EC:5.5.1.11]' - }, - 'GO:0018853': { - 'name': 'obsolete perillyl-CoA synthetase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: perillic acid + CoA-SH + ATP = H2O + ADP/AMP + mono/diphosphate + perillyl-CoA. [UM-BBD_reactionID:r0731]' - }, - 'GO:0018854': { - 'name': '3-isopropenyl-6-oxoheptanoyl-CoA synthetase activity', - 'def': 'Catalysis of the reaction: (3R)-3-isopropenyl-6-oxoheptanoate + CoA-SH + ATP = H2O + ADP/AMP + mono/diphosphate + (3R)-3-isopropenyl-6-oxoheptanoyl-CoA. [UM-BBD_reactionID:r0737]' - }, - 'GO:0018855': { - 'name': '2-oxo-delta3-4,5,5-trimethylcyclopentenylacetyl-CoA synthetase activity', - 'def': 'Catalysis of the reaction: 2-oxo-delta3-4,5,5-trimethylcyclopentenylacetate + ATP + CoA = AMP + diphosphate + 2-oxo-delta3-4,5,5-trimethylcyclopentenylacetyl-CoA. [UM-BBD_reactionID:r0429]' - }, - 'GO:0018856': { - 'name': 'benzoyl acetate-CoA ligase activity', - 'def': 'Catalysis of the reaction: 3-oxo-3-phenylpropionate + CoA + ATP = AMP + diphosphate + benzoyl acetyl-CoA. [UM-BBD_reactionID:r0242]' - }, - 'GO:0018857': { - 'name': '2,4-dichlorobenzoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: 2,4-dichlorobenzoate + ATP + CoASH = AMP + diphosphate + 2,4-dichlorobenzoyl-CoA. [UM-BBD_reactionID:r0137]' - }, - 'GO:0018858': { - 'name': 'benzoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + benzoate + CoA = AMP + benzoyl-CoA + diphosphate + H(+). [EC:6.2.1.25, RHEA:10135]' - }, - 'GO:0018859': { - 'name': '4-hydroxybenzoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + 4-hydroxybenzoate + CoA = AMP + diphosphate + 4-hydroxybenzoyl-CoA. [EC:6.2.1.27]' - }, - 'GO:0018860': { - 'name': 'anthranilate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + anthranilate + CoA = AMP + diphosphate + anthranilyl-CoA. [EC:6.2.1.32]' - }, - 'GO:0018861': { - 'name': '4-chlorobenzoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: 4-chlorobenzoate + CoA + ATP = 4-chlorobenzoyl-CoA + AMP + diphosphate. This reaction requires magnesium and is part of the bacterial 2,4-dichlorobenzoate degradation pathway. [EC:6.2.1.33]' - }, - 'GO:0018862': { - 'name': 'phenylphosphate carboxylase activity', - 'def': 'Catalysis of the reaction: phenylphosphate + CO2 + H2O = H+ + phosphate + 4-hydroxybenzoate. [UM-BBD_reactionID:r0157]' - }, - 'GO:0018863': { - 'name': 'phenanthrene-9,10-epoxide hydrolase (9S,10S-forming) activity', - 'def': 'Catalysis of the reaction: phenanthrene-9,10-oxide + H2O = trans-9(S),10(S)-dihydrodiolphenanthrene. [UM-BBD_reactionID:r0496]' - }, - 'GO:0018864': { - 'name': 'acetylene metabolic process', - 'def': 'The chemical reactions and pathways involving acetylene, formula CH2CH2, the simplest of the alkynes. [ISBN:0721662544]' - }, - 'GO:0018865': { - 'name': 'acrylonitrile metabolic process', - 'def': 'The chemical reactions and pathways involving acrylonitrile, a colorless, volatile liquid with a pungent odor. Acrylonitrile is used in the production of acrylic fibers, plastics, and synthetic rubbers. [http://www.iversonsoftware.com/reference/chemistry/a/acrylonitrile.htm]' - }, - 'GO:0018866': { - 'name': 'adamantanone metabolic process', - 'def': 'The chemical reactions and pathways involving adamantanone, tricyclo(3.3.1.13,7)decanone, a white crystalline solid used as an intermediate for microelectronics in the production of photoresists. [GOC:ai]' - }, - 'GO:0018867': { - 'name': 'alpha-pinene metabolic process', - 'def': 'The chemical reactions and pathways involving alpha-pinene, a monoterpene that may be a significant factor affecting bacterial activities in nature. It is a major component in tea-tree oils, and gives off a piney smelling odor. [UM-BBD_pathwayID:apn]' - }, - 'GO:0018868': { - 'name': '2-aminobenzenesulfonate metabolic process', - 'def': 'The chemical reactions and pathways involving 2-aminobenzenesulfonate, aniline-o-sulfonic acid, an aromatic sulfonate used in organic synthesis and in the manufacture of various dyes and medicines. [UM-BBD_pathwayID:abs]' - }, - 'GO:0018870': { - 'name': 'anaerobic 2-aminobenzoate metabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-aminobenzoate, a derivative of benzoic acid with an NH2 group attached to C2, that occurs in the absence of oxygen. [GOC:ai]' - }, - 'GO:0018871': { - 'name': '1-aminocyclopropane-1-carboxylate metabolic process', - 'def': 'The chemical reactions and pathways involving 1-aminocyclopropane-1-carboxylate, the anion of 1-aminocyclopropane-1-carboxylic acid, a natural product found in plant tissues. It is a key intermediate in the biosynthesis of ethylene (ethene), a fruit-ripening hormone in plants. [UM-BBD_pathwayID:acp]' - }, - 'GO:0018872': { - 'name': 'arsonoacetate metabolic process', - 'def': 'The chemical reactions and pathways involving arsonoacetate, a synthetic, organic compound containing a single arsenic atom. Arsonoacetate and other arsenic containing compounds are used in agricultural applications as animal feed additives, cotton defoliants and post-emergence grass herbicides. [UM-BBD_pathwayID:ara]' - }, - 'GO:0018873': { - 'name': 'atrazine metabolic process', - 'def': 'The chemical reactions and pathways involving atrazine, a triazine ring-containing compound, widely used as a herbicide. [UM-BBD_pathwayID:atr]' - }, - 'GO:0018874': { - 'name': 'benzoate metabolic process', - 'def': 'The chemical reactions and pathways involving benzoate, the anion of benzoic acid (benzenecarboxylic acid), a fungistatic compound widely used as a food preservative; it is conjugated to glycine in the liver and excreted as hippuric acid. [ISBN:0721662544]' - }, - 'GO:0018875': { - 'name': 'anaerobic benzoate metabolic process', - 'def': 'The chemical reactions and pathways involving benzoate, the anion of benzoic acid (benzenecarboxylic acid) that occur in the absence of oxygen. [GOC:ai]' - }, - 'GO:0018876': { - 'name': 'benzonitrile metabolic process', - 'def': 'The chemical reactions and pathways involving benzonitrile. Benzonitrile is used as a solvent and chemical intermediate in the pharmaceutical, dyestuffs and rubber industries. It is highly toxic and harmful in contact with skin. [UM-BBD_pathwayID:bzn]' - }, - 'GO:0018877': { - 'name': 'beta-1,2,3,4,5,6-hexachlorocyclohexane metabolic process', - 'def': 'The chemical reactions and pathways involving beta-1,2,3,4,5,6-hexachlorocyclohexane, a halogenated organic insecticide that has been used worldwide for agriculture and public health. [UM-BBD_pathwayID:hch]' - }, - 'GO:0018878': { - 'name': 'aerobic beta-1,2,3,4,5,6-hexachlorocyclohexane metabolic process', - 'def': 'The chemical reactions and pathways involving beta-1,2,3,4,5,6-hexachlorocyclohexane that occur in presence of oxygen. [GOC:ai]' - }, - 'GO:0018879': { - 'name': 'biphenyl metabolic process', - 'def': 'The chemical reactions and pathways involving biphenyl, a toxic aromatic hydrocarbon used as a heat transfer agent, as a fungistat in packaging citrus fruits and in plant disease control. Biphenyl can be chlorinated with 1-10 chlorine molecules to form polychlorinated biphenyls (PCBs). [GOC:jl]' - }, - 'GO:0018880': { - 'name': '4-chlorobiphenyl metabolic process', - 'def': 'The chemical reactions and pathways involving 4-chlorobiphenyl, a member of the polychlorinated biphenyl (PCB) group of compounds, a very stable group of synthetic organic compounds composed of a biphenyl nucleus with 1-10 chlorine substituents. 4-chlorobiphenyl has been used as a model substrate to investigate PCB degradation. [GOC:jl]' - }, - 'GO:0018881': { - 'name': 'bromoxynil metabolic process', - 'def': 'The chemical reactions and pathways involving bromoxynil, C7H3Br2NO, a dibrominated phenol derivative with a cyano (-CN) group attached. Bromoxynil is used as a herbicide for post-emergent control of annual broadleaf weeds and works by inhibiting photosynthesis in the target plants. [GOC:ai]' - }, - 'GO:0018882': { - 'name': '(+)-camphor metabolic process', - 'def': 'The chemical reactions and pathways involving (+)-camphor, a bicyclic monoterpene ketone which is one of the major components in the leaves of common sage. Camphor exists in two enantiomers, but the (+)-isomer is more widely distributed. [UM-BBD_pathwayID:cam]' - }, - 'GO:0018883': { - 'name': 'caprolactam metabolic process', - 'def': 'The chemical reactions and pathways involving caprolactam, hexahydro-2h-azepin-2-one, a cyclic amide of caproic acid used in manufacture of synthetic fibers of the polyamide type. It can cause local irritation. [CHEBI:23000, GOC:curators]' - }, - 'GO:0018884': { - 'name': 'carbazole metabolic process', - 'def': 'The chemical reactions and pathways involving carbazole, a heterocyclic aromatic compound containing a dibenzopyrrole system that is produced during coal gasification and is present in cigarette smoke. Coal tar produced at high temperature contains an average of 1.5% carbazole. It is used widely in synthesis of dyes, pharmaceuticals, and plastics and is a suspected carcinogen. [GOC:jl]' - }, - 'GO:0018885': { - 'name': 'carbon tetrachloride metabolic process', - 'def': 'The chemical reactions and pathways involving carbon tetrachloride, a toxic, carcinogenic compound which is used as a general solvent in industrial degreasing operations. It is also used as grain fumigant and a chemical intermediate in the production of refrigerants. [UM-BBD_pathwayID:ctc]' - }, - 'GO:0018886': { - 'name': 'anaerobic carbon tetrachloride metabolic process', - 'def': 'The chemical reactions and pathways involving carbon tetrachloride, a toxic, carcinogenic compound which is used as a general solvent in industrial degreasing operations, that occur in the absence of oxygen. [GOC:ai]' - }, - 'GO:0018887': { - 'name': "4-carboxy-4'-sulfoazobenzene metabolic process", - 'def': "The chemical reactions and pathways involving 4-carboxy-4'-sulfoazobenzene, a sulfonated azo compound synthesized by nitro-amine condensation from sulfanilic acid and 4-nitrobenzoic acid. [PMID:9603860]" - }, - 'GO:0018888': { - 'name': '3-chloroacrylic acid metabolic process', - 'def': 'The chemical reactions and pathways involving 3-chloroacrylic acid, ClHC=CHCOOH, a chlorinated derivative of acrylic acid. [GOC:ai]' - }, - 'GO:0018889': { - 'name': '2-chloro-N-isopropylacetanilide metabolic process', - 'def': 'The chemical reactions and pathways involving 2-chloro-N-isopropylacetanilide, an acylanide herbicide widely used to protect corn, onion, cabbage, rose bushes, and ornamental plants. [UM-BBD_pathwayID:ppc]' - }, - 'GO:0018890': { - 'name': 'cyanamide metabolic process', - 'def': 'The chemical reactions and pathways involving cyanamide, NCNH2, a cyanide compound which has been used as a fertilizer, defoliant and in many manufacturing processes. It often occurs as the calcium salt, sometimes also referred to as cyanamide. The citrated calcium salt is used in the treatment of alcoholism. [CHEBI:16698, GOC:curators]' - }, - 'GO:0018891': { - 'name': 'cyclohexanol metabolic process', - 'def': 'The chemical reactions and pathways involving cyclohexanol, the monohydroxy derivative of cyclohexane. It is used as a solvent and blending agent. [ISBN:0721662544]' - }, - 'GO:0018892': { - 'name': 'cyclohexylsulfamate metabolic process', - 'def': 'The chemical reactions and pathways involving cyclohexylsulfamate, also known as cyclamic acid. Sodium cyclohexylsulfamate (CHS-Na) was a widely used sweetening agent but was banned because of the suspicion of carcinogenicity and metabolic conversion to cyclohexylamine (CHA), a toxic substance. It is now used as a fungicide. [UM-BBD_pathwayID:chs]' - }, - 'GO:0018893': { - 'name': 'dibenzofuran metabolic process', - 'def': 'The chemical reactions and pathways involving dibenzofuran, a substance composed of two benzene rings linked by one ether bond and one carbon-carbon bond. Dibenzofuran is a white crystalline solid created from the production of coal tar and used as an insecticide and an intermediate in the production of other chemicals. [GOC:ai, UM-BBD_pathwayID:dbf]' - }, - 'GO:0018894': { - 'name': 'dibenzo-p-dioxin metabolic process', - 'def': 'The chemical reactions and pathways involving dibenzo-p-dioxin, a substance composed of two benzene rings linked by two ether bonds. Dibenzo-p-dioxins are generated as by-products in the manufacturing of herbicides, insecticides, fungicides, paper pulp bleaching, and in incineration, and can accumulate in milk and throughout the food chain, creating significant health concern. [UM-BBD_pathwayID:dpd]' - }, - 'GO:0018895': { - 'name': 'dibenzothiophene metabolic process', - 'def': 'The chemical reactions and pathways involving dibenzothiophene, a substance composed of two benzene rings linked by one sulfide bond and one carbon-carbon bond. Dibenzothiophene derivatives can be detected in diesel oil following hydrodesulfurization treatment to remove sulfur compounds that would otherwise generate sulfur oxides during combustion. [PMID:12147483]' - }, - 'GO:0018896': { - 'name': 'dibenzothiophene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dibenzothiophene, a substance composed of two benzene rings linked by one sulfide bond and one carbon-carbon bond. [GOC:ai]' - }, - 'GO:0018897': { - 'name': 'dibenzothiophene desulfurization', - 'def': 'The removal of the sulfur atom from dibenzothiophene, a substance composed of two benzene rings linked by one sulfide bond and one carbon-carbon bond. [GOC:ai]' - }, - 'GO:0018898': { - 'name': '2,4-dichlorobenzoate metabolic process', - 'def': 'The chemical reactions and pathways involving 2,4-dichlorobenzoate, a chlorinated aromatic compound which is a key intermediate in the aerobic degradation of polychlorinated biphenyls (PCBs). [GOC:jl, UM-BBD_pathwayID:dcb]' - }, - 'GO:0018899': { - 'name': '1,2-dichloroethane metabolic process', - 'def': 'The chemical reactions and pathways involving 1,2-dichloroethane, a major commodity chemical used, for example, in the manufacture of vinyl chloride. [GOC:jl]' - }, - 'GO:0018900': { - 'name': 'dichloromethane metabolic process', - 'def': 'The chemical reactions and pathways involving dichloromethane, a dichlorinated derivative of methane. It is a colorless organic liquid with a sweet, chloroform-like odor, often used as a paint remover. [UM-BBD_pathwayID:dcm]' - }, - 'GO:0018901': { - 'name': '2,4-dichlorophenoxyacetic acid metabolic process', - 'def': 'The chemical reactions and pathways involving 2,4-dichlorophenoxyacetic acid, a chlorinated phenoxy compound which functions as a systemic herbicide and is used to control many types of broadleaf weeds. [UM-BBD_pathwayID:2\\,4d]' - }, - 'GO:0018902': { - 'name': '1,3-dichloro-2-propanol metabolic process', - 'def': 'The chemical reactions and pathways involving 1,3-dichloro-2-propanol (DCP), a halohydrin suspected of being carcinogenic, mutagenic and genotoxic. DCP is used as a general solvent, as an intermediate in organic synthesis and in paints, varnishes, lacquers, water colors, binders and photographic lacquers. [GOC:jl, UM-BBD_pathwayID:dcp]' - }, - 'GO:0018903': { - 'name': '1,3-dichloropropene metabolic process', - 'def': 'The chemical reactions and pathways involving members of the 1,3-dichloropropene family, which includes cis- and trans-1,3-dichloropropene. The 1,3-dichloropropenes are chlorinated hydrocarbons and the major active ingredients of commercial products for control of plant-parasitic nematodes. [UM-BBD_pathwayID:cpr]' - }, - 'GO:0018904': { - 'name': 'ether metabolic process', - 'def': 'The chemical reactions and pathways involving organic ethers, any anhydride of the general formula R1-O-R2, formed between two identical or nonidentical organic hydroxy compounds. [GOC:pr, ISBN:0198506732]' - }, - 'GO:0018905': { - 'name': 'dimethyl ether metabolic process', - 'def': 'The chemical reactions and pathways involving dimethyl ether, CH3-O-CH3, the simplest ether. Dimethyl ether, also known wood ether and methyl ether, is a colorless gas that has been used in refrigeration applications. [UM-BBD_pathwayID:dme]' - }, - 'GO:0018906': { - 'name': 'methyl tert-butyl ether metabolic process', - 'def': 'The chemical reactions and pathways involving methyl tert-butyl ether, 2-methoxy-2-methylpropane. Methyl tert-butyl ether is a synthetic chemical which is mixed with gasoline for use in reformulated gasoline. It was first introduced as an additive for unleaded gasoline in the 1980s. It is also used as a laboratory reagent and a pharmaceutical agent. [UM-BBD_pathwayID:mtb]' - }, - 'GO:0018907': { - 'name': 'dimethyl sulfoxide metabolic process', - 'def': 'The chemical reactions and pathways involving dimethyl sulfoxide, DMSO (C2H6OS), an alkyl sulfoxide that is practically odorless in its purified form. As a highly polar organic liquid, it is a powerful solvent. Its biological activities include the ability to penetrate plant and animal tissues and to preserve living cells during freezing. [CHEBI:28262, GOC:curators]' - }, - 'GO:0018908': { - 'name': 'organosulfide cycle', - 'def': 'A cyclic series of interconversions involving dimethyl sulfide, methanethiol and hydrogen sulfide. Dimethylsulfoxide can also be converted to dimethyl sulfide, which enters the cycle. [UM-BBD_pathwayID:sulf]' - }, - 'GO:0018909': { - 'name': 'dodecyl sulfate metabolic process', - 'def': 'The chemical reactions and pathways involving dodecyl sulfate, commonly found as sodium dodecyl sulfate (SDS), a component of a variety of synthetic surfactants. [UM-BBD_pathwayID:dds]' - }, - 'GO:0018910': { - 'name': 'benzene metabolic process', - 'def': 'The chemical reactions and pathways involving benzene, C6H6, a volatile, very inflammable liquid, contained in the naphtha produced by the destructive distillation of coal, from which it is separated by fractional distillation. [CHEBI:16716, GOC:ai]' - }, - 'GO:0018911': { - 'name': '1,2,4-trichlorobenzene metabolic process', - 'def': 'The chemical reactions and pathways involving 1,2,4-trichlorobenzene, a derivative of benzene with chlorine atoms attached to positions 1, 2 and 4 of the ring. It is a colorless liquid used as a solvent in chemical manufacturing, in dyes and intermediates, dielectric fluid, synthetic transformer oils, lubricants, heat-transfer medium and insecticides. [http://www.speclab.com/compound/c120821.htm]' - }, - 'GO:0018912': { - 'name': '1,4-dichlorobenzene metabolic process', - 'def': 'The chemical reactions and pathways involving 1,4-dichlorobenzene (p-dichlorobenzene or paramoth), a derivative of benzene with two chlorine atoms attached at opposite positions on the ring. It forms white crystals at room temperature and is used as an insecticidal fumigant, particularly in mothballs. [http://www.speclab.com/compound/c106467.htm]' - }, - 'GO:0018913': { - 'name': 'anaerobic ethylbenzene metabolic process', - 'def': 'The chemical reactions and pathways involving ethylbenzene (phenylethane), a benzene derivative with an ethyl group attached to the ring, that occur in the absence of oxygen. [GOC:ai]' - }, - 'GO:0018914': { - 'name': 'chlorobenzene metabolic process', - 'def': 'The chemical reactions and pathways involving chlorobenzene, a derivative of benzene with a chlorine atoms attached to the ring. It is a colorless liquid that is manufactured for use as a solvent. It quickly evaporates in the air and is degraded by hydroxyl radicals that are produced photochemically. The gas acts as a source of ClOx, which helps in the breakdown of stratospheric ozone. [http://www.shsu.edu/]' - }, - 'GO:0018915': { - 'name': 'ethylbenzene metabolic process', - 'def': 'The chemical reactions and pathways involving ethylbenzene (phenylethane), a benzene derivative with an ethyl group attached to the ring. It is a colorless liquid with a pungent odor used as a solvent and as a component of automotive and aviation fuels. [http://www.speclab.com/compound/c100414.htm]' - }, - 'GO:0018916': { - 'name': 'nitrobenzene metabolic process', - 'def': 'The chemical reactions and pathways involving nitrobenzene (nitrobenzol), a derivative of benzene with an NO2 group attached to the ring. It is a yellow aromatic liquid used in perfumery and manufactured in large quantities in the preparation of aniline. [CHEBI:27798, GOC:curators]' - }, - 'GO:0018917': { - 'name': 'fluorene metabolic process', - 'def': 'The chemical reactions and pathways involving fluorene, a tricyclic polycyclic aromatic hydrocarbon containing a five-membered ring. It is a major component of fossil fuels and their derivatives and is also a by-product of coal-conversion and energy-related industries. It is commonly found in vehicle exhaust emissions, crude oils, motor oils, coal and oil combustion products, waste incineration, and industrial effluents. [UM-BBD_pathwayID:flu]' - }, - 'GO:0018918': { - 'name': 'gallate metabolic process', - 'def': 'The chemical reactions and pathways involving gallate, the anion of gallic acid (3,4,5-trihydroxybenzoic acid). The esters and polyesters are widely distributed in angiosperms. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0018919': { - 'name': 'gamma-1,2,3,4,5,6-hexachlorocyclohexane metabolic process', - 'def': 'The chemical reactions and pathways involving gamma-1,2,3,4,5,6-hexachlorocyclohexane (also known as Lindane), the most common form of hexachlorohexane, a halogenated organic insecticide that has been used worldwide for agriculture and public health. [UM-BBD_pathwayID:ghch]' - }, - 'GO:0018920': { - 'name': 'glyphosate metabolic process', - 'def': 'The chemical reactions and pathways involving glyphosate, a broad-spectrum herbicide also known by the trade name Roundup. It is a member of a broad class of compounds known as phosphonic acids, which contain a direct carbon-to-phosphorus (C-P) bond. [UM-BBD_pathwayID:gly]' - }, - 'GO:0018921': { - 'name': '3-hydroxybenzyl alcohol metabolic process', - 'def': 'The chemical reactions and pathways involving 3-hydroxybenzyl alcohol, an aromatic compound which is an intermediate in several metabolic pathways, including the biosynthesis of patulin, a toxin and antiviral agent produced by some moulds such as Penicillium patulinum. [UM-BBD_pathwayID:mcr]' - }, - 'GO:0018922': { - 'name': 'iprodione metabolic process', - 'def': 'The chemical reactions and pathways involving prodione, a colorless, odorless crystal. It is used as a dicarboximide contact fungicide to control a wide variety of crop diseases by inhibiting the germination of spores and the growth of the fungal mat (mycelium). [UM-BBD_pathwayID:ipd]' - }, - 'GO:0018923': { - 'name': 'limonene metabolic process', - 'def': 'The chemical reactions and pathways involving limonene (4-isopropenyl-1-methyl-cyclohexene), a monocyclic monoterpene. [UM-BBD_pathwayID:lim]' - }, - 'GO:0018924': { - 'name': 'mandelate metabolic process', - 'def': 'The chemical reactions and pathways involving mandelate, the anion of mandelic acid. Mandelic acid (alpha-hydroxybenzeneacetic acid) is an 8-carbon alpha-hydroxy acid (AHA) that is used in organic chemistry and as a urinary antiseptic. [GOC:jl]' - }, - 'GO:0018925': { - 'name': 'm-cresol metabolic process', - 'def': 'The chemical reactions and pathways involving m-cresol (3-hydroxytoluene), the meta-isoform of cresol. Used to produce agricultural chemicals, and in specialty resins, pharmaceuticals and pressure-sensitive dyes. [GOC:jl]' - }, - 'GO:0018926': { - 'name': 'methanesulfonic acid metabolic process', - 'def': 'The chemical reactions and pathways involving methanesulfonic acid, a strong acid produced by the oxidation of dimethyl sulfide. [UM-BBD_pathwayID:msa]' - }, - 'GO:0018927': { - 'name': 'obsolete methionine and threonine metabolic process', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0018928': { - 'name': 'methyl ethyl ketone metabolic process', - 'def': 'The chemical reactions and pathways involving methyl ethyl ketone, a clear, colorless liquid with a fragrant, mint-like odor. It is used as a solvent and in making plastics, textiles and paints. [UM-BBD_pathwayID:mek]' - }, - 'GO:0018929': { - 'name': 'methyl fluoride metabolic process', - 'def': 'The chemical reactions and pathways involving methyl fluoride, fluorine-substituted methane, a gaseous halogenated hydrocarbon that has been investigated as an inhibitor of methanotrophy and nitrification in soils. [UM-BBD_pathwayID:mf]' - }, - 'GO:0018930': { - 'name': '3-methylquinoline metabolic process', - 'def': 'The chemical reactions and pathways involving 3-methylquinoline, C10H9N, an aromatic compound composed of a benzene ring and a heterocyclic N-containing ring. [GOC:ai]' - }, - 'GO:0018931': { - 'name': 'naphthalene metabolic process', - 'def': 'The chemical reactions and pathways involving naphthalene, a fused ring bicyclic aromatic hydrocarbon commonly found in crude oil and oil products. Naphthalene is familiar as the compound that gives mothballs their odor; it is used in the manufacture of plastics, dyes, solvents, and other chemicals, as well as being used as an antiseptic and insecticide. [http://www.iversonsoftware.com/reference/chemistry/n/Naphthalene.htm]' - }, - 'GO:0018933': { - 'name': 'nicotine metabolic process', - 'def': 'The chemical reactions and pathways involving nicotine, (S)(-)-3-(1-methyl-2-pyrrolidinyl)pyridine. [GOC:sm, ISBN:0198547684]' - }, - 'GO:0018934': { - 'name': 'nitrilotriacetate metabolic process', - 'def': 'The chemical reactions and pathways involving nitrilotriacetate, an aminotricarboxylic acid that binds bivalent metal ions in a ratio of 1:1. As an important industrial chelating agent, NTA has been widely used for various radionuclide processing and decontamination procedures, such as textile, paper and pulp processing and water treatment. [UM-BBD_pathwayID:nta]' - }, - 'GO:0018935': { - 'name': 'aerobic nitrilotriacetate metabolic process', - 'def': 'The chemical reactions and pathways involving nitrilotriacetate, the aminotricarboxylic acid N(CH2COO-)3, that occur in the presence of oxygen. [GOC:ai]' - }, - 'GO:0018936': { - 'name': 'anaerobic nitrilotriacetate metabolic process', - 'def': 'The chemical reactions and pathways involving nitrilotriacetate, the aminotricarboxylic acid N(CH2COO-)3, that occur in the absence of oxygen. [GOC:ai]' - }, - 'GO:0018937': { - 'name': 'nitroglycerin metabolic process', - 'def': 'The chemical reactions and pathways involving nitroglycerin, a well-known nitrate ester and an important component of dynamite and other propellants. Toxic to algae, invertebrate, and vertebrates. [UM-BBD_pathwayID:ng]' - }, - 'GO:0018938': { - 'name': '2-nitropropane metabolic process', - 'def': 'The chemical reactions and pathways involving 2-nitropropane, a clear, colorless liquid with a mild, fruity odor. 2-nitropropane is used principally as a solvent and chemical intermediate. As a solvent, it is used in inks, paints, adhesives, varnishes, polymers, and synthetic materials. It is a feedstock for the manufacture of 2-nitro-2-methyl-1-propanol and 2-amino-2-methyl-1-propanol. [UM-BBD_pathwayID:npp]' - }, - 'GO:0018939': { - 'name': 'n-octane metabolic process', - 'def': 'The chemical reactions and pathways involving n-octane, the 8 carbon straight chain alkane used in organic syntheses, calibrations, and azeotropic distillations. It is a common component of gasoline and other petroleum products and the engine fuel antiknocking properties of an isomer of n-octane are used as a comparative standard in the Octane Rating System. [UM-BBD_pathwayID:oct]' - }, - 'GO:0018940': { - 'name': 'orcinol metabolic process', - 'def': 'The chemical reactions and pathways involving orcinol (5-methyl-1,3-benzenediol), an aromatic compound derived from the fermentation of lichen, and synthesized, probably as a fungicide, by some higher plants. [GOC:jl]' - }, - 'GO:0018941': { - 'name': 'organomercury metabolic process', - 'def': 'The chemical reactions and pathways involving organomercury compound, any organic compound containing a mercury atom. [ISBN:0198506732]' - }, - 'GO:0018942': { - 'name': 'organometal metabolic process', - 'def': 'The chemical reactions and pathways involving organometals, any metal-containing organic compound, especially one in which the metal atom is linked directly to one of more carbon atoms. [ISBN:0198506732]' - }, - 'GO:0018943': { - 'name': 'organotin metabolic process', - 'def': 'The chemical reactions and pathways involving organotin, an organic compound containing a tin atom. [ISBN:0198506732]' - }, - 'GO:0018944': { - 'name': 'tri-n-butyltin metabolic process', - 'def': 'The chemical reactions and pathways involving tri-n-butyltin, an organometallic compound composed of three butyl chains attached to a tin atom. Tri-n-butyltin is used as an antifouling agent in ship bottom paints and can be toxic to many marine organisms. [GOC:ai, UM-BBD_pathwayID:tbt]' - }, - 'GO:0018945': { - 'name': 'organosilicon metabolic process', - 'def': 'The chemical reactions and pathways involving any organosilicon, organic compounds that contain silicon, a nonmetal element analogous to carbon. [GOC:jl]' - }, - 'GO:0018946': { - 'name': 'aerobic organosilicon metabolic process', - 'def': 'The chemical reactions and pathways involving organosilicons, organic compounds that contain silicon, in the presence of oxygen. [GOC:jl]' - }, - 'GO:0018947': { - 'name': 'anaerobic organosilicon metabolic process', - 'def': 'The chemical reactions and pathways involving organosilicons, organic compounds that contain silicon, in the absence of oxygen. [GOC:jl]' - }, - 'GO:0018948': { - 'name': 'xylene metabolic process', - 'def': 'The chemical reactions and pathways involving xylene, a mixture of three colorless, aromatic hydrocarbon liquids, ortho-, meta- and para-xylene. [GOC:jl]' - }, - 'GO:0018949': { - 'name': 'm-xylene metabolic process', - 'def': 'The chemical reactions and pathways involving m-xylene, (1,3-dimethylbenzene) a colorless, liquid aromatic hydrocarbon. [GOC:jl]' - }, - 'GO:0018950': { - 'name': 'o-xylene metabolic process', - 'def': 'The chemical reactions and pathways involving o-xylene, (1,2-dimethylbenzene) a colorless, liquid aromatic hydrocarbon. [GOC:jl]' - }, - 'GO:0018951': { - 'name': 'p-xylene metabolic process', - 'def': 'The chemical reactions and pathways involving p-xylene, (1,4-dimethylbenzene) a colorless, liquid aromatic hydrocarbon. [GOC:jl]' - }, - 'GO:0018952': { - 'name': 'parathion metabolic process', - 'def': 'The chemical reactions and pathways involving parathion, a highly toxic organophosphate compound formerly used as a broad spectrum insecticide, acaricide, fumigant and nematocide. Degradation of parathion by sunlight or liver enzymes can result in the formation of the active compound paraoxon which interferes with the nervous system through cholinesterase inhibition. [UM-BBD_pathwayID:pthn]' - }, - 'GO:0018953': { - 'name': 'p-cymene metabolic process', - 'def': 'The chemical reactions and pathways involving p-cymene, 1-methyl-4-isopropylbenzene, one of the alkyl-substituted aromatic hydrocarbons found in volatile oils from over 100 plants. [UM-BBD_pathwayID:pcy]' - }, - 'GO:0018954': { - 'name': 'pentaerythritol tetranitrate metabolic process', - 'def': 'The chemical reactions and pathways involving pentaerythritol tetranitrate, C(CH2-O-NO2)4, a substance produced for use as an explosive and a vasodilator. [UM-BBD_pathwayID:petn]' - }, - 'GO:0018955': { - 'name': 'phenanthrene metabolic process', - 'def': 'The chemical reactions and pathways involving phenanthrene, a tricyclic aromatic hydrocarbon used in explosives and in the synthesis of dyes and drugs. Although phenanthrene is not mutagenic or carcinogenic, it has been shown to be toxic to marine diatoms, gastropods, mussels, crustaceans, and fish. [GOC:jl, UM-BBD_pathwayID:pha]' - }, - 'GO:0018956': { - 'name': 'phenanthrene catabolic process via trans-9(R),10(R)-dihydrodiolphenanthrene', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenanthrene, a tricyclic aromatic hydrocarbon, where trans-9(R),10(R)-dihydrodiolphenanthrene is the principal intermediate metabolite. [UM-BBD_pathwayID:pha3]' - }, - 'GO:0018957': { - 'name': 'phenanthrene catabolic process via trans-9(S),10(S)-dihydrodiolphenanthrene', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenanthrene, a tricyclic aromatic hydrocarbon, where trans-9(S),10(S)-dihydrodiolphenanthrene is the principal intermediate metabolite. [UM-BBD_pathwayID:pha2]' - }, - 'GO:0018958': { - 'name': 'phenol-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a phenol, any compound containing one or more hydroxyl groups directly attached to an aromatic carbon ring. [CHEBI:33853, ISBN:0198506732]' - }, - 'GO:0018959': { - 'name': 'aerobic phenol-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a phenol, any compound containing one or more hydroxyl groups directly attached to an aromatic carbon ring, in the presence of oxygen. [CHEBI:33853, ISBN:0198506732]' - }, - 'GO:0018960': { - 'name': '4-nitrophenol metabolic process', - 'def': 'The chemical reactions and pathways involving 4-nitrophenol, a nitroaromatic compound which is used in the production of dyes, leather treatment agents, fungicides and as an intermediate in the production of the insecticide parathion. [GOC:jl]' - }, - 'GO:0018961': { - 'name': 'pentachlorophenol metabolic process', - 'def': 'The chemical reactions and pathways involving pentachlorophenol, a chlorinated insecticide and fungicide used primarily to protect timber from fungal rot and wood boring insects. Pentachlorophenol is significantly toxic to mammals, plants, and many microorganisms. [UM-BBD_pathwayID:pcp]' - }, - 'GO:0018962': { - 'name': '3-phenylpropionate metabolic process', - 'def': 'The chemical reactions and pathways involving 3-phenylpropionate, the anion of phenylpropanoic acid. It is produced from putrefaction of proteins in soil or breakdown of several constituents of plants, such as lignin, various oils and resins. [GOC:ai, UM-BBD_pathwayID:ppa]' - }, - 'GO:0018963': { - 'name': 'phthalate metabolic process', - 'def': 'The chemical reactions and pathways involving phthalate, the anion of phthalic acid. Phthalic acid diesters are used industrially in the production of a variety of household and consumer goods including plastic polymers, lubricating oils, and carriers for perfumes in cosmetics, while phthalic acid itself is used industrially as a plasticizer. Terephthalate is used in the synthesis of polyethylene terephthalate (polyethene terephthlate, abbreviated PET or PETE), a plastic polymer with many commercial uses. [UM-BBD_pathwayID:pth]' - }, - 'GO:0018964': { - 'name': 'propylene metabolic process', - 'def': 'The chemical reactions and pathways involving propylene, an alkene produced by catalytic or thermal cracking of hydrocarbons or as a by-product of petroleum refining. It is used mainly in the preparation of alkylates for gasoline and in the production of polypropylene, acrylonitrile, propylene oxide and a number of other industrial chemicals. [GOC:jl]' - }, - 'GO:0018965': { - 'name': 's-triazine compound metabolic process', - 'def': 'The chemical reactions and pathways involving any s-triazine compound. These compounds include many pesticides of widespread use in agriculture, and are characterized by a symmetrical hexameric ring consisting of alternating carbon and nitrogen atoms. [UM-BBD_pathwayID:tria]' - }, - 'GO:0018966': { - 'name': 'styrene metabolic process', - 'def': 'The chemical reactions and pathways involving styrene, an aromatic hydrocarbon liquid soluble in ether and alcohol. When heated, exposed to light or added to a peroxide catalyst, it undergoes polymerization to form polystyrene, a versatile material used in the manufacture of plastics, synthetic rubber, thermal insulation, and packaging. Styrene is a classified mutagen and a suspected carcinogen. [GOC:jl, UM-BBD_pathwayID:sty]' - }, - 'GO:0018967': { - 'name': 'tetrachloroethylene metabolic process', - 'def': 'The chemical reactions and pathways involving tetrachloroethylene (tetrachloroethene), a derivative of ethene with the hydrogen atoms replaced by chlorines. Tetrachloroethene has been used primarily as a solvent in dry-cleaning industries and to a lesser extent as a degreasing solvent. [http://www.who.int/water_sanitation_health/GDWQ/Chemicals/tetrachloroethenesum.htm]' - }, - 'GO:0018968': { - 'name': 'tetrahydrofuran metabolic process', - 'def': 'The chemical reactions and pathways involving tetrahydrofuran, a cyclic 4 carbon ether. It is one of the most polar ethers and is a widely used solvent for polar reagents. Since THF is very soluble in water and has a relatively low boiling point, significant amounts are often released into the environment, causing contamination problems. [UM-BBD_pathwayID:thf]' - }, - 'GO:0018969': { - 'name': 'thiocyanate metabolic process', - 'def': 'The chemical reactions and pathways involving thiocyanate, the anion of thiocyanic acid, a toxic cyanide derivative commonly formed as a by-product in the production of gas for fuel, coke, and substances for chemical industries. [GOC:jl]' - }, - 'GO:0018970': { - 'name': 'toluene metabolic process', - 'def': 'The chemical reactions and pathways involving toluene, a volatile monoaromatic hydrocarbon found in crude petroleum and petroleum products such as gasoline and commonly used as a paint thinning agent and in other solvent applications. [UM-BBD_pathwayID:tol]' - }, - 'GO:0018971': { - 'name': 'anaerobic toluene metabolic process', - 'def': 'The chemical reactions and pathways involving toluene, a volatile monoaromatic hydrocarbon found in crude petroleum and petroleum products, that occur in the absence of oxygen. [GOC:ai]' - }, - 'GO:0018972': { - 'name': 'toluene-4-sulfonate metabolic process', - 'def': 'The chemical reactions and pathways involving toluene-4-sulfonate, the anion of 4-toluene sulfonic acid, a white crystalline solid which is highly hygroscopic and soluble in water. [GOC:ai]' - }, - 'GO:0018973': { - 'name': 'trinitrotoluene metabolic process', - 'def': 'The chemical reactions and pathways involving trinitrotoluene, a methylated benzene molecule with three NO2 groups attached to it. This includes the explosive TNT, 1-methyl-2,4,6-trinitrobenzene. [GOC:ai]' - }, - 'GO:0018974': { - 'name': '2,4,6-trinitrotoluene metabolic process', - 'def': 'The chemical reactions and pathways involving 2,4,6-trinitrotoluene, 1-methyl-2,4,6-trinitrobenzene, a highly explosive pale yellow crystalline solid. It is prepared from toluene treated with concentrated sulfuric and nitric acids and is used in shells, bombs, and blasting explosives. [ISBN:0333781767]' - }, - 'GO:0018975': { - 'name': 'anaerobic 2,4,6-trinitrotoluene metabolic process', - 'def': 'The chemical reactions and pathways involving 2,4,6-trinitrotoluene, 1-methyl-2,4,6-trinitrobenzene, a highly explosive pale yellow crystalline solid, that occur in the absence of oxygen. [GOC:ai]' - }, - 'GO:0018976': { - 'name': '1,2,3-tribromopropane metabolic process', - 'def': 'The chemical reactions and pathways involving 1,2,3-tribromopropane, a toxic and volatile organic compound commonly used as a nematocide in agriculture. [GOC:jl]' - }, - 'GO:0018977': { - 'name': '1,1,1-trichloro-2,2-bis-(4-chlorophenyl)ethane metabolic process', - 'def': 'The chemical reactions and pathways involving 1,1,1-trichloro-2,2-bis-(4-chlorophenyl)ethane (DDT), a chlorinated broad spectrum contact insecticide. [GOC:jl]' - }, - 'GO:0018978': { - 'name': 'anaerobic 1,1,1-trichloro-2,2-bis-(4-chlorophenyl)ethane metabolic process', - 'def': 'The chemical reactions and pathways involving 1,1,1-trichloro-2,2-bis-(4-chlorophenyl)ethane (DDT), a chlorinated, broad spectrum, contact insecticide, in the absence of oxygen. [GOC:jl]' - }, - 'GO:0018979': { - 'name': 'trichloroethylene metabolic process', - 'def': 'The chemical reactions and pathways involving trichloroethylene, a toxic, colorless, photoreactive, chlorinated hydrocarbon liquid, commonly used as a metal degreaser and solvent. [GOC:jl]' - }, - 'GO:0018980': { - 'name': '2,4,5-trichlorophenoxyacetic acid metabolic process', - 'def': 'The chemical reactions and pathways involving 2,4,5-trichlorophenoxyacetic acid, a chlorinated aromatic compound which is widely used as a herbicide, often as a weed killer for home lawns. [UM-BBD_pathwayID:2\\,4\\,5-t]' - }, - 'GO:0018981': { - 'name': 'triethanolamine metabolic process', - 'def': 'The chemical reactions and pathways involving triethanolamine, a combustible, hygroscopic, colorless liquid commonly used in dry-cleaning solutions, cosmetics, detergents, textile processing, wool scouring, and as a corrosion inhibitor and pharmaceutical alkalizing agent. [GOC:jl]' - }, - 'GO:0018982': { - 'name': 'vanillin metabolic process', - 'def': 'The chemical reactions and pathways involving vanillin, an aromatic hydrocarbon which occurs naturally in black vanilla bean pods and can be obtained as a by-product of the pulp and paper industry by the oxidative breakdown of lignin. [GOC:jl]' - }, - 'GO:0018983': { - 'name': 'Z-phenylacetaldoxime metabolic process', - 'def': 'The chemical reactions and pathways involving Z-phenylacetaldoxime, a member of the glucosinolate group of compounds, a class of natural products that are gaining increasing interest as cancer-preventing agents and crop protectants. [UM-BBD_pathwayID:car]' - }, - 'GO:0018984': { - 'name': 'naphthalenesulfonate metabolic process', - 'def': 'The chemical reactions and pathways involving naphthalenesulfonate, sulfonated derivatives of naphthalene. [GOC:ai]' - }, - 'GO:0018985': { - 'name': 'pronuclear envelope synthesis', - 'def': 'Synthesis and ordering of the envelope of pronuclei. [GOC:ems]' - }, - 'GO:0018988': { - 'name': 'obsolete molting cycle, protein-based cuticle', - 'def': 'OBSOLETE. The periodic shedding of part or all of a protein-based cuticle, which is then replaced by a new protein-based cuticle. A cuticle is the outer layer of an animal which acts to prevent water loss. [GOC:ems, GOC:mtg_sensu]' - }, - 'GO:0018989': { - 'name': 'apolysis', - 'def': 'The first process of molting, characterized by the detachment of the old cuticle from the underlying epidermal cells. [GOC:jl]' - }, - 'GO:0018990': { - 'name': 'ecdysis, chitin-based cuticle', - 'def': 'The shedding of the old chitin-based cuticlar fragments during the molting cycle. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0018991': { - 'name': 'oviposition', - 'def': 'The deposition of eggs (either fertilized or not) upon a surface or into a medium such as water. [GOC:ems]' - }, - 'GO:0018992': { - 'name': 'germ-line sex determination', - 'def': "The determination of sex and sexual phenotype in an organism's germ line. [GOC:ems]" - }, - 'GO:0018993': { - 'name': 'somatic sex determination', - 'def': "The determination of sex and sexual phenotypes in an organism's soma. [GOC:ems]" - }, - 'GO:0018995': { - 'name': 'host', - 'def': 'Any organism in which another organism, especially a parasite or symbiont, spends part or all of its life cycle and from which it obtains nourishment and/or protection. [ISBN:0198506732]' - }, - 'GO:0018996': { - 'name': 'molting cycle, collagen and cuticulin-based cuticle', - 'def': 'The periodic shedding of part or all of a collagen and cuticulin-based cuticle, which is then replaced by a new collagen and cuticulin-based cuticle. An example of this is found in the Nematode worm, Caenorhabditis elegans. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0018997': { - 'name': 'obsolete electron transfer carrier', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0018998': { - 'name': 'obsolete metaxin', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0019000': { - 'name': 'obsolete endonuclease G activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [PMID:12444964, PMID:12928502, PMID:12941691]' - }, - 'GO:0019001': { - 'name': 'guanyl nucleotide binding', - 'def': 'Interacting selectively and non-covalently with guanyl nucleotides, any compound consisting of guanosine esterified with (ortho)phosphate. [ISBN:0198506732]' - }, - 'GO:0019002': { - 'name': 'GMP binding', - 'def': 'Interacting selectively and non-covalently with GMP, guanosine monophosphate. [GOC:ai]' - }, - 'GO:0019003': { - 'name': 'GDP binding', - 'def': "Interacting selectively and non-covalently with GDP, guanosine 5'-diphosphate. [GOC:ai]" - }, - 'GO:0019005': { - 'name': 'SCF ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex in which a cullin from the Cul1 subfamily and a RING domain protein form the catalytic core; substrate specificity is conferred by a Skp1 adaptor and an F-box protein. SCF complexes are involved in targeting proteins for degradation by the proteasome. The best characterized complexes are those from yeast and mammals (with core subunits named Cdc53/Cul1, Rbx1/Hrt1/Roc1). [PMID:15571813, PMID:15688063]' - }, - 'GO:0019008': { - 'name': 'molybdopterin synthase complex', - 'def': 'A protein complex that possesses molybdopterin synthase activity. In E. coli, the complex is a heterotetramer consisting of two MoaD and two MoaE subunits. [GOC:mah, PMID:12571227, PMID:15709772]' - }, - 'GO:0019010': { - 'name': 'farnesoic acid O-methyltransferase activity', - 'def': 'Catalysis of the reaction: farnesoic acid + S-adenosyl-methionine = methyl farnesoate + S-adenosyl-L-homocysteine. [PMID:12135499]' - }, - 'GO:0019011': { - 'name': 'obsolete DNA replication accessory factor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0019012': { - 'name': 'virion', - 'def': 'The complete fully infectious extracellular virus particle. [ISBN:0781718325]' - }, - 'GO:0019013': { - 'name': 'viral nucleocapsid', - 'def': 'The complete protein-nucleic acid complex that is the packaged form of the genome in a virus particle. [ISBN:0781702534]' - }, - 'GO:0019015': { - 'name': 'viral genome', - 'def': 'The whole of the genetic information of a virus, contained as either DNA or RNA. [ISBN:0198506732]' - }, - 'GO:0019016': { - 'name': 'non-segmented viral genome', - 'def': 'A viral genome that consists of one continuous nucleic acid molecule. [GOC:pk]' - }, - 'GO:0019017': { - 'name': 'segmented viral genome', - 'def': 'A viral genome that is divided into two or more physically separate molecules of nucleic acid and packaged into a single virion. [ISBN:0121585336]' - }, - 'GO:0019018': { - 'name': 'bipartite viral genome', - 'def': 'A segmented viral genome consisting of two sub-genomic nucleic acids but each nucleic acid is packaged into a different virion. [ISBN:0121585336]' - }, - 'GO:0019019': { - 'name': 'tripartite viral genome', - 'def': 'A segmented viral genome consisting of three sub-genomic nucleic acids but each nucleic acid is packaged into a different virion. [ISBN:0121585336]' - }, - 'GO:0019020': { - 'name': 'multipartite viral genome', - 'def': 'A segmented viral genome consisting of more than three sub-genomic nucleic acids but each nucleic acid is packaged into a different virion. [ISBN:0121585336]' - }, - 'GO:0019021': { - 'name': 'DNA viral genome', - 'def': 'A viral genome composed of deoxyribonucleic acid. [ISBN:0121585336]' - }, - 'GO:0019022': { - 'name': 'RNA viral genome', - 'def': 'A viral genome composed of ribonucleic acid. This results in genome replication and expression of genetic information being inextricably linked. [ISBN:0121585336]' - }, - 'GO:0019023': { - 'name': 'dsRNA viral genome', - 'def': 'A viral genome composed of double stranded RNA. [ISBN:0121585336]' - }, - 'GO:0019024': { - 'name': 'ssRNA viral genome', - 'def': 'A viral genome composed of single stranded RNA of either positive or negative sense. [ISBN:0121585336]' - }, - 'GO:0019025': { - 'name': 'positive sense viral genome', - 'def': 'A single stranded RNA genome with the same nucleotide polarity as mRNA. [ISBN:0121585336]' - }, - 'GO:0019026': { - 'name': 'negative sense viral genome', - 'def': 'A single stranded RNA genome with the opposite nucleotide polarity as mRNA. [ISBN:0121585336]' - }, - 'GO:0019027': { - 'name': 'ambisense viral genome', - 'def': 'A RNA genome that contains coding regions that are either positive sense or negative sense on the same RNA molecule. [ISBN:0121585336]' - }, - 'GO:0019028': { - 'name': 'viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles. It comprises numerous regularly arranged subunits, or capsomeres. [GOC:mtg_sensu, ISBN:0198506732]' - }, - 'GO:0019029': { - 'name': 'helical viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles; the subunits are arranged to form a protein helix with the genetic material contained within. Tobacco mosaic virus has such a capsid structure. [ISBN:071673706X, UniProtKB-KW:KW-1139, VZ:885]' - }, - 'GO:0019030': { - 'name': 'icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles; the subunits are arranged to form an icosahedron, a solid with 20 faces and 12 vertices. Icosahedral capsids have 12 pentamers plus 10(T-1) hexamers, where T is the triangulation number. Tobacco satellite necrosis virus has such a capsid structure. [GOC:bm, ISBN:0198506732, ISBN:071673706X, VZ:885, Wikipedia:Capsid]' - }, - 'GO:0019031': { - 'name': 'viral envelope', - 'def': 'The lipid bilayer of a virion that surrounds the protein capsid. May also contain glycoproteins. [GOC:bf, GOC:bm, GOC:jl, ISBN:0781718325, Wikipedia:Viral_envelope]' - }, - 'GO:0019032': { - 'name': 'obsolete viral glycoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0019033': { - 'name': 'viral tegument', - 'def': 'A structure lying between the capsid and envelope of a virus, varying in thickness and often distributed asymmetrically. [ISBN:0721662544]' - }, - 'GO:0019034': { - 'name': 'viral replication complex', - 'def': 'Specific locations and structures in the virus infected cell involved in replicating the viral genome. [ISBN:0781718325]' - }, - 'GO:0019035': { - 'name': 'viral integration complex', - 'def': 'A nucleoprotein complex containing viral genetic material and associated viral and host proteins, which is capable of inserting a viral genome into a host genome. [ISBN:0781718325, PMID:16712776, Wikipedia:Pre-integration_complex]' - }, - 'GO:0019036': { - 'name': 'viral transcriptional complex', - 'def': 'Specific locations and structures in the virus infected cell involved in transcribing the viral genome. [ISBN:0781718325]' - }, - 'GO:0019037': { - 'name': 'viral assembly intermediate', - 'def': 'Specific locations and structures in the virus infected cell involved in assembling new virions. [ISBN:0781718325]' - }, - 'GO:0019038': { - 'name': 'provirus', - 'def': 'The name given to a viral genome after it has been integrated into the host genome; particularly applies to retroviruses and is a required part of the retroviral replication cycle. [ISBN:0121585336]' - }, - 'GO:0019039': { - 'name': 'obsolete viral-cell fusion molecule activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0019040': { - 'name': 'obsolete viral host shutoff protein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0019042': { - 'name': 'viral latency', - 'def': 'The process by which, after initial infection, a virus lies dormant within a cell and viral production ceases. The process ends when the virus switches from latency and starts to replicate. [GOC:jl]' - }, - 'GO:0019043': { - 'name': 'establishment of viral latency', - 'def': 'A process by which a virus establishes a latent state within its host, either as an integrated provirus within the host genome or as an episome, where viral genome remains in the cytoplasm or nucleus as distinct objects. [GOC:jl]' - }, - 'GO:0019044': { - 'name': 'maintenance of viral latency', - 'def': 'The perpetuation of a latent state, generally by repressing the viruses own lytic genes expression and ensuring expression of viral genes which function to keep the viral genome from being detected by the host defense mechanisms. [GOC:jl]' - }, - 'GO:0019045': { - 'name': 'latent virus replication', - 'def': 'Any process required for latent viral replication in a cell. [ISBN:0781702534]' - }, - 'GO:0019046': { - 'name': 'release from viral latency', - 'def': 'The process by which a virus begins to replicate following a latency replication decision (switch). [GOC:jl] {comment=GOC:dos}' - }, - 'GO:0019048': { - 'name': 'modulation by virus of host morphology or physiology', - 'def': 'The process in which a virus effects a change in the structure or processes of its host organism. [GOC:bf, GOC:jl, ISBN:0781718325, UniProtKB-KW:KW-0945]' - }, - 'GO:0019049': { - 'name': 'evasion or tolerance of host defenses by virus', - 'def': "Any process, either active or passive, by which a virus avoids or tolerates the effects of its host organism's defense(s). Host defenses may be induced by the presence of the virus or may be preformed (e.g. physical barriers). The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:1555811272]" - }, - 'GO:0019050': { - 'name': 'suppression by virus of host apoptotic process', - 'def': 'Any viral process that inhibits apoptosis of infected host cells, facilitating prolonged cell survival during viral replication. [GOC:mtg_apoptosis, ISBN:0781718325]' - }, - 'GO:0019051': { - 'name': 'induction by virus of host apoptotic process', - 'def': 'The set of viral processes that induce an apoptotic process in infected host cells, facilitating release and spread of progeny virions. [GOC:mtg_apoptosis, ISBN:0781718325]' - }, - 'GO:0019054': { - 'name': 'modulation by virus of host process', - 'def': 'The process in which a virus effects a change in the processes and activities of its host organism. [GOC:jl]' - }, - 'GO:0019055': { - 'name': 'modification by virus of host cell cycle regulation', - 'def': 'Interactions, directly with the host cell macromolecular machinery, to allow a virus to modulate the rate of the host cell cycle to facilitate virus replication. [GOC:dph, ISBN:0781718325]' - }, - 'GO:0019056': { - 'name': 'modulation by virus of host transcription', - 'def': "Any process in which a virus modulates the frequency, rate or extent of its host's transcription. [ISBN:0781718325]" - }, - 'GO:0019057': { - 'name': 'modulation by virus of host translation', - 'def': 'Any process in which a virus modulates the frequency, rate or extent of translation of host mRNA. [ISBN:0781718325]' - }, - 'GO:0019058': { - 'name': 'viral life cycle', - 'def': 'A set of processes which all viruses follow to ensure survival; includes attachment and entry of the virus particle, decoding of genome information, translation of viral mRNA by host ribosomes, genome replication, and assembly and release of viral particles containing the genome. [ISBN:1555811272]' - }, - 'GO:0019059': { - 'name': 'obsolete initiation of viral infection', - 'def': 'OBSOLETE. The set of processes involved in the start of virus infection of cells. [ISBN:0781702534]' - }, - 'GO:0019060': { - 'name': 'intracellular transport of viral protein in host cell', - 'def': 'The directed movement of a viral protein within the host cell. [GOC:ai, ISBN:0781702534, ISBN:0781718325, PMID:11581394, PMID:9188566]' - }, - 'GO:0019061': { - 'name': 'uncoating of virus', - 'def': 'The process by which an incoming virus is disassembled in the host cell to release a replication-competent viral genome. [GOC:plm, ISBN:0781702534, PMID:8162442]' - }, - 'GO:0019062': { - 'name': 'virion attachment to host cell', - 'def': 'The process by which a virion protein binds to molecules on the host cellular surface or host cell surface projection. [GOC:bf, GOC:jl, UniProtKB-KW:KW-1161, VZ:956]' - }, - 'GO:0019064': { - 'name': 'fusion of virus membrane with host plasma membrane', - 'def': 'Fusion of a viral membrane with the host cell membrane during viral entry. Results in release of the virion contents into the cytoplasm. [GOC:bf, GOC:jl]' - }, - 'GO:0019065': { - 'name': 'receptor-mediated endocytosis of virus by host cell', - 'def': 'Any receptor-mediated endocytosis that is involved in the uptake of a virus into a host cell; successive instances of virus endocytosis result in the accumulation of virus particles within the cell. [GOC:bf, GOC:jl, ISBN:0781702534]' - }, - 'GO:0019066': { - 'name': 'obsolete translocation of virus into host cell', - 'def': 'OBSOLETE. The translocation of an entire virus particle across the host cell plasma membrane. [ISBN:0781702534]' - }, - 'GO:0019068': { - 'name': 'virion assembly', - 'def': 'A late phase of the viral life cycle during which all the components necessary for the formation of a mature virion collect at a particular site in the cell and the basic structure of the virus particle is formed. [ISBN:0121585336]' - }, - 'GO:0019069': { - 'name': 'viral capsid assembly', - 'def': 'The assembly of a virus capsid from its protein subunits. [ISBN:0781702534, UniProtKB-KW:KW-0118]' - }, - 'GO:0019070': { - 'name': 'viral genome maturation', - 'def': 'The processes involved in creating a mature, stable viral genome. Begins after genome replication with a newly synthesized nucleic acid and ends when the genome is ready to be packaged. Includes the addition of proteins to the newly synthesized genome, and DNA repair processes. [GOC:pk, PMID:21490093]' - }, - 'GO:0019071': { - 'name': 'viral DNA cleavage involved in viral genome maturation', - 'def': 'The cleavage of viral DNA into singular functional units. [ISBN:0121585336]' - }, - 'GO:0019072': { - 'name': 'viral genome packaging', - 'def': 'The encapsulation of the viral genome within the capsid. [ISBN:0121585336]' - }, - 'GO:0019073': { - 'name': 'viral DNA genome packaging', - 'def': 'The packing of viral DNA into a capsid. [ISBN:0781702534]' - }, - 'GO:0019074': { - 'name': 'viral RNA genome packaging', - 'def': 'The packaging of viral RNA (single-stranded or double-stranded) into a nucleocapsid. [ISBN:0781718325]' - }, - 'GO:0019075': { - 'name': 'virus maturation', - 'def': 'The refolding and structural rearrangements of virion parts to transition from the intermediate virion to the more mature virion. Maturation usually involves proteolysis events and changes in the folding of the virion proteins. Can occur inside the host cell or after release. [ISBN:0781718325]' - }, - 'GO:0019076': { - 'name': 'viral release from host cell', - 'def': 'The dissemination of mature viral particles from the host cell, e.g. by cell lysis or the budding of virus particles from the cell membrane. [GOC:jl]' - }, - 'GO:0019078': { - 'name': 'obsolete lytic viral budding', - 'def': 'OBSOLETE. A form of viral release in which the viral particles bud out through cellular membranes, resulting in cell lysis. It is also a form of viral envelopment. [ISBN:0781702534]' - }, - 'GO:0019079': { - 'name': 'viral genome replication', - 'def': 'Any process involved directly in viral genome replication, including viral nucleotide metabolism. [ISBN:0781702534]' - }, - 'GO:0019080': { - 'name': 'viral gene expression', - 'def': 'A process by which a viral gene is converted into a mature gene product or products (proteins or RNA). This includes viral transcription, processing to produce a mature RNA product, and viral translation. [GOC:bf, GOC:jl, ISBN:0121585336]' - }, - 'GO:0019081': { - 'name': 'viral translation', - 'def': 'A process by which viral mRNA is translated into viral protein, using the host cellular machinery. [GOC:bf, GOC:jl, ISBN:0781702534]' - }, - 'GO:0019082': { - 'name': 'viral protein processing', - 'def': 'Any protein maturation process achieved by the cleavage of a peptide bond or bonds within a viral protein. [GOC:bf, GOC:jl, ISBN:0781702534]' - }, - 'GO:0019083': { - 'name': 'viral transcription', - 'def': 'The process by which a viral genome, or part of a viral genome, is transcribed within the host cell. [GOC:jl, ISBN:0781702534]' - }, - 'GO:0019084': { - 'name': 'middle viral transcription', - 'def': 'The viral transcription that takes place after early transcription in the viral life cycle, and which involves the transcription of genes required for replication. [GOC:bf, GOC:jl]' - }, - 'GO:0019085': { - 'name': 'early viral transcription', - 'def': 'The first phase of viral transcription that occurs after entry of the virus into the host cell, but prior to viral genome replication. It involves the transcription of genes for non-structural proteins, and for lytic viruses, the early gene products are involved in establishing control over the host cell. [GOC:bf, GOC:jh2, GOC:jl]' - }, - 'GO:0019086': { - 'name': 'late viral transcription', - 'def': "The transcription of the final group of viral genes of the viral life cycle, following middle transcription, or where middle transcription doesn't occur, following early transcription. Involves the transcription of genes encoding structural proteins. [GOC:bf, GOC:jh2, GOC:jl]" - }, - 'GO:0019087': { - 'name': 'transformation of host cell by virus', - 'def': 'Any virus-induced change in the morphological, biochemical, or growth parameters of a cell. [ISBN:0781702534]' - }, - 'GO:0019088': { - 'name': 'immortalization of host cell by virus', - 'def': 'A virus-induced cellular transformation arising in immortalized cells, or cells capable of indefinite replication, due to their ability to produce their own telomerase. [ISBN:0781702534, PMID:24373315]' - }, - 'GO:0019089': { - 'name': 'transmission of virus', - 'def': 'The transfer of virions in order to create new infection. [ISBN:0781702534]' - }, - 'GO:0019090': { - 'name': 'mitochondrial rRNA export from mitochondrion', - 'def': 'The directed movement of mitochondrial rRNA out of a mitochondrion. [GOC:ai]' - }, - 'GO:0019091': { - 'name': 'mitochondrial lrRNA export from mitochondrion', - 'def': 'The directed movement of mitochondrial lrRNA out of a mitochondrion. [GOC:ai]' - }, - 'GO:0019092': { - 'name': 'mitochondrial srRNA export from mitochondrion', - 'def': 'The directed movement of mitochondrial srRNA out of a mitochondrion. [GOC:ai]' - }, - 'GO:0019093': { - 'name': 'mitochondrial RNA localization', - 'def': 'Any process in which mitochondrial RNA is transported to, or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0019094': { - 'name': 'pole plasm mRNA localization', - 'def': 'Any process in which mRNA is transported to, or maintained in, the oocyte pole plasm. An example of this is found in Drosophila melanogaster. [GOC:ai]' - }, - 'GO:0019095': { - 'name': 'pole plasm mitochondrial rRNA localization', - 'def': 'Any process in which mitochondrial ribosomal RNA is transported to, or maintained in, the oocyte pole plasm. An example of this is found in Drosophila melanogaster. [ISBN:0879694238]' - }, - 'GO:0019096': { - 'name': 'pole plasm mitochondrial lrRNA localization', - 'def': 'Any process in which mitochondrial large ribosomal RNA is transported to, or maintained in, the oocyte pole plasm. An example of this is found in Drosophila melanogaster. [ISBN:0879694238]' - }, - 'GO:0019097': { - 'name': 'pole plasm mitochondrial srRNA localization', - 'def': 'Any process in which mitochondrial small ribosomal RNA is transported to, or maintained in, the oocyte pole plasm. An example of this is found in Drosophila melanogaster. [ISBN:0879694238]' - }, - 'GO:0019098': { - 'name': 'reproductive behavior', - 'def': 'The specific behavior of an organism that is associated with reproduction. [GOC:jl, GOC:pr]' - }, - 'GO:0019099': { - 'name': 'female germ-line sex determination', - 'def': "The determination of sex and sexual phenotype in a female organism's germ line. [GOC:mah]" - }, - 'GO:0019100': { - 'name': 'male germ-line sex determination', - 'def': "The determination of sex and sexual phenotype in a male organism's germ line. [GOC:mah]" - }, - 'GO:0019101': { - 'name': 'female somatic sex determination', - 'def': "The determination of sex and sexual phenotypes in a female organism's soma. [GOC:mah]" - }, - 'GO:0019102': { - 'name': 'male somatic sex determination', - 'def': "The determination of sex and sexual phenotypes in a male organism's soma. [GOC:mah]" - }, - 'GO:0019103': { - 'name': 'pyrimidine nucleotide binding', - 'def': 'Interacting selectively and non-covalently with pyrimidine nucleotide, any compound consisting of a pyrimidine nucleoside esterified with (ortho)phosphate. [GOC:ai]' - }, - 'GO:0019104': { - 'name': 'DNA N-glycosylase activity', - 'def': "Catalysis of the removal of damaged bases by cleaving the N-C1' glycosidic bond between the target damaged DNA base and the deoxyribose sugar. The reaction releases a free base and leaves an apurinic/apyrimidinic (AP) site. [GOC:elh, PMID:11554296]" - }, - 'GO:0019105': { - 'name': 'N-palmitoyltransferase activity', - 'def': 'Catalysis of the transfer of a palmitoyl group to a nitrogen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0019107': { - 'name': 'myristoyltransferase activity', - 'def': 'Catalysis of the transfer of a myristoyl (CH3-[CH2]12-CO-) group to an acceptor molecule. [GOC:ai]' - }, - 'GO:0019108': { - 'name': 'aryl-aldehyde dehydrogenase (NAD) activity', - 'def': 'Catalysis of the reaction: an aromatic aldehyde + NAD+ + H2O = an aromatic acid + NADH + H+. [EC:1.2.1.29]' - }, - 'GO:0019111': { - 'name': 'phenanthrol sulfotransferase activity', - 'def': 'Catalysis of the reaction: phenanthrol + X-SO3(-) = HX + phenanthrylsulfate. [EC:2.8.2.-]' - }, - 'GO:0019112': { - 'name': 'phenanthrol glycosyltransferase activity', - 'def': 'Catalysis of the reaction: phenanthrol + glucose = phenanthryl-beta-D-glucopyranoside + H2O. [GOC:ai]' - }, - 'GO:0019113': { - 'name': 'limonene monooxygenase activity', - 'def': 'Catalysis of a monooxygenase reaction in which oxygen is incorporated into limonene. [GOC:mah]' - }, - 'GO:0019114': { - 'name': 'catechol dioxygenase activity', - 'def': 'Catalysis of the reaction: catechol + O2 = a muconate. [GOC:mah, MetaCyc:CATECHOL-12-DIOXYGENASE-RXN, MetaCyc:CATECHOL-23-DIOXYGENASE-RXN]' - }, - 'GO:0019115': { - 'name': 'benzaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: benzaldehyde + NAD(P)+ + H2O = benzoate + NAD(P)H + H+. [EC:1.2.1.28, EC:1.2.1.7]' - }, - 'GO:0019116': { - 'name': 'hydroxy-nicotine oxidase activity', - 'def': 'Catalysis of the reaction: 6-hydroxynicotine + H2O + O2 = 1-(6-hydroxypyrid-3-yl)-4-(methylamino)butan-1-one + hydrogen peroxide. [GOC:jl, http://umbbd.ahc.umn.edu/]' - }, - 'GO:0019117': { - 'name': 'dihydroxyfluorene dioxygenase activity', - 'def': 'Catalysis of the reaction: a dihydroxyfluorene + O2 = the corresponding 2-hydroxy-4-(oxo-1,3-dihydro-2H-inden-ylidene) but-2-enoic acid. [GOC:mah, UM-BBD_reactionID:r0415, UM-BBD_reactionID:r0422]' - }, - 'GO:0019118': { - 'name': 'phenanthrene-epoxide hydrolase activity', - 'def': 'Catalysis of the reaction: a phenanthrene dioxide + H2O = a dihydrodiolphenanthrene. [GOC:mah, UM-BBD_reactionID:r0535, UM-BBD_reactionID:r0536]' - }, - 'GO:0019119': { - 'name': 'phenanthrene-9,10-epoxide hydrolase activity', - 'def': 'Catalysis of the reaction: phenanthrene-9,10-oxide + H2O = trans-9,10-dihydrodiolphenanthrene. [GOC:mah, UM-BBD_reactionID:r0496, UM-BBD_reactionID:r0560]' - }, - 'GO:0019120': { - 'name': 'hydrolase activity, acting on acid halide bonds, in C-halide compounds', - 'def': 'Catalysis of the hydrolysis of any acid halide bond in substances containing halogen atoms in organic linkage. [ISBN:0198506732]' - }, - 'GO:0019121': { - 'name': 'peptidoglycan-protein cross-linking via N6-mureinyl-L-lysine', - 'def': 'The process of linking a protein to peptidoglycan via the epsilon amino group of lysine to the diaminopimelic acid of the peptidoglycan. [RESID:AA0218]' - }, - 'GO:0019122': { - 'name': 'peptidyl-D-alanine racemization', - 'def': 'The formation of peptidyl-D-alanine, by either racemization or from peptidyl-L-serine. [RESID:AA0191]' - }, - 'GO:0019123': { - 'name': 'peptidyl-methionine racemization', - 'def': 'The racemization of peptidyl-methionine. [RESID:AA0193]' - }, - 'GO:0019124': { - 'name': 'peptidyl-isoleucine racemization', - 'def': 'The racemization of peptidyl-isoleucine. [RESID:AA0192]' - }, - 'GO:0019125': { - 'name': 'peptidyl-phenylalanine racemization', - 'def': 'The racemization of peptidyl-phenylalanine. [RESID:AA0194]' - }, - 'GO:0019126': { - 'name': 'peptidyl-serine racemization', - 'def': 'The racemization of peptidyl-serine. [RESID:AA0195]' - }, - 'GO:0019128': { - 'name': 'peptidyl-tryptophan racemization', - 'def': 'The racemization of peptidyl-tryptophan. [RESID:AA0198]' - }, - 'GO:0019129': { - 'name': 'peptidyl-leucine racemization', - 'def': 'The racemization of peptidyl-leucine. [RESID:AA0197]' - }, - 'GO:0019131': { - 'name': 'obsolete tripeptidyl-peptidase I activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal tripeptide from a polypeptide; requires acid pH. [EC:3.4.14.9]' - }, - 'GO:0019132': { - 'name': 'obsolete C-terminal processing peptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of peptides after specific recognition of a C-terminal tripeptide, Xaa-Yaa-Zaa, in which Xaa is preferably Ala or Leu, Yaa is preferably Ala or Tyr, and Zaa is preferably Ala. Cleavage is at a variable distance from the C-terminus; a typical cleavage is -Ala-Ala-Arg-Ala-Ala-Lys-Glu-Asn-Tyr-Ala-Leu-Ala-Ala. [EC:3.4.21.102]' - }, - 'GO:0019133': { - 'name': 'choline monooxygenase activity', - 'def': 'Catalysis of the reaction: choline + 2 reduced ferredoxin + O2 + 2 H+ = betaine aldehyde hydrate + 2 oxidized ferredoxin + H2O. [EC:1.14.15.7]' - }, - 'GO:0019134': { - 'name': 'glucosamine-1-phosphate N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucosamine 1-phosphate + acetyl-CoA = N-acetyl-alpha-D-glucosamine 1-phosphate + CoA + H(+). [EC:2.3.1.157, RHEA:13728]' - }, - 'GO:0019135': { - 'name': 'deoxyhypusine monooxygenase activity', - 'def': 'Catalysis of the reaction: protein N6-(4-aminobutyl)-L-lysine + donor-H2 + O2 = protein N6-((R)-4-amino-2-hydroxybutyl)-L-lysine + acceptor + H2O. [EC:1.14.99.29]' - }, - 'GO:0019136': { - 'name': 'deoxynucleoside kinase activity', - 'def': "Catalysis of the reaction: ATP + 2'-deoxynucleoside = ADP + 2'-deoxynucleoside 5'-phosphate. [EC:2.7.1.145]" - }, - 'GO:0019137': { - 'name': 'thioglucosidase activity', - 'def': 'Catalysis of the reaction: a thioglucoside + H2O = a thiol + a sugar. [EC:3.2.1.147]' - }, - 'GO:0019139': { - 'name': 'cytokinin dehydrogenase activity', - 'def': 'Catalysis of the reaction: N6-dimethylallyladenine + acceptor + H2O = adenine + 3-methylbut-2-enal + reduced electron acceptor. [EC:1.5.99.12]' - }, - 'GO:0019140': { - 'name': 'inositol 3-kinase activity', - 'def': 'Catalysis of the reaction: ATP + myo-inositol = ADP + 1D-myo-inositol 3-phosphate. [EC:2.7.1.64]' - }, - 'GO:0019141': { - 'name': '2-dehydropantolactone reductase (B-specific) activity', - 'def': 'Catalysis of the reaction: (R)-pantolactone + NADP+ = 2-dehydropantolactone + NADPH + H+. The reaction is B-specific (i.e. the pro-S hydrogen is transferred from the 4-position of reduced nicotinamide cofactor) with respect to NADP+. [EC:1.1.1.214]' - }, - 'GO:0019142': { - 'name': '2-hydroxyglutarate synthase activity', - 'def': 'Catalysis of the reaction: glyoxylate + H(2)O + propanoyl-CoA = 2-hydroxyglutarate + CoA + H(+). [EC:2.3.3.11, RHEA:19188]' - }, - 'GO:0019143': { - 'name': '3-deoxy-manno-octulosonate-8-phosphatase activity', - 'def': 'Catalysis of the reaction: 8-phospho-3-deoxy-D-manno-oct-2-ulosonate + H(2)O = 3-deoxy-D-manno-octulosonate + phosphate. [EC:3.1.3.45, RHEA:11503]' - }, - 'GO:0019144': { - 'name': 'ADP-sugar diphosphatase activity', - 'def': 'Catalysis of the reaction: ADP-sugar + H2O = AMP + sugar 1-phosphate. [EC:3.6.1.21]' - }, - 'GO:0019145': { - 'name': 'aminobutyraldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-aminobutanal + NAD+ + H2O = 4-aminobutanoate + NADH + 2 H+. [EC:1.2.1.19]' - }, - 'GO:0019146': { - 'name': 'arabinose-5-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-arabinose 5-phosphate = D-ribulose 5-phosphate + 2 H(+). [EC:5.3.1.13, RHEA:23107]' - }, - 'GO:0019147': { - 'name': '(R)-aminopropanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-1-aminopropan-2-ol + NAD(+) = aminoacetone + H(+) + NADH. [EC:1.1.1.75, RHEA:16520]' - }, - 'GO:0019148': { - 'name': 'D-cysteine desulfhydrase activity', - 'def': 'Catalysis of the reaction: D-cysteine + H2O = sulfide + NH3 + pyruvate. [EC:4.4.1.15]' - }, - 'GO:0019149': { - 'name': '3-chloro-D-alanine dehydrochlorinase activity', - 'def': 'Catalysis of the reaction: 3-chloro-D-alanine + H2O = pyruvate + chloride + NH3. [EC:4.5.1.2]' - }, - 'GO:0019150': { - 'name': 'D-ribulokinase activity', - 'def': 'Catalysis of the reaction: ATP + D-ribulose = ADP + D-ribulose 5-phosphate. [EC:2.7.1.47]' - }, - 'GO:0019151': { - 'name': 'galactose 1-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-galactose + NAD+ = D-galactono-1,4-lactone + NADH + H+. [EC:1.1.1.48]' - }, - 'GO:0019152': { - 'name': 'acetoin dehydrogenase activity', - 'def': 'Catalysis of the reaction: acetoin + NAD+ = diacetyl + NADH + H+. [MetaCyc:ACETOINDEHYDROG-RXN]' - }, - 'GO:0019153': { - 'name': 'protein-disulfide reductase (glutathione) activity', - 'def': 'Catalysis of the reaction: 2 glutathione + protein-disulfide = oxidized glutathione + protein-dithiol. [EC:1.8.4.2]' - }, - 'GO:0019154': { - 'name': 'glycolate dehydrogenase activity', - 'def': 'Catalysis of the reaction: A + glycolate = AH(2) + glyoxylate. [EC:1.1.99.14, RHEA:21267]' - }, - 'GO:0019155': { - 'name': '3-(imidazol-5-yl)lactate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-3-(imidazol-5-yl)lactate + NADP+ = 3-(imidazol-5-yl)pyruvate + NADPH + H+. [EC:1.1.1.111]' - }, - 'GO:0019156': { - 'name': 'isoamylase activity', - 'def': 'Catalysis of the hydrolysis of alpha-(1,6)-D-glucosidic branch linkages in glycogen, amylopectin and their beta-limits dextrins. [EC:3.2.1.68]' - }, - 'GO:0019157': { - 'name': 'malate oxidase activity', - 'def': 'Catalysis of the reaction: (S)-malate + O(2) = H(2)O(2) + oxaloacetate. [EC:1.1.3.3, RHEA:10515]' - }, - 'GO:0019158': { - 'name': 'mannokinase activity', - 'def': 'Catalysis of the reaction: ATP + D-mannose = ADP + D-mannose 6-phosphate. [EC:2.7.1.7]' - }, - 'GO:0019159': { - 'name': 'nicotinamide-nucleotide amidase activity', - 'def': 'Catalysis of the reaction: beta-nicotinamide D-ribonucleotide + H2O = beta-nicotinate D-ribonucleotide + NH3. [EC:3.5.1.42]' - }, - 'GO:0019160': { - 'name': 'NMN nucleosidase activity', - 'def': 'Catalysis of the reaction: H(2)O + nicotinamide mononucleotide = D-ribose 5-phosphate + H(+) + nicotinamide. [EC:3.2.2.14, RHEA:23143]' - }, - 'GO:0019161': { - 'name': 'diamine transaminase activity', - 'def': 'Catalysis of the reaction: an alpha,omega-diamine + 2-oxoglutarate = an omega-aminoaldehyde + L-glutamate. [EC:2.6.1.29]' - }, - 'GO:0019162': { - 'name': 'pyridoxamine-oxaloacetate transaminase activity', - 'def': 'Catalysis of the reaction: oxaloacetate + pyridoxamine = L-aspartate + pyridoxal. [EC:2.6.1.31, RHEA:10847]' - }, - 'GO:0019163': { - 'name': 'pyridoxamine-phosphate transaminase activity', - 'def': "Catalysis of the reaction: pyridoxamine 5'-phosphate + 2-oxoglutarate = pyridoxal 5'-phosphate + D-glutamate. [EC:2.6.1.54]" - }, - 'GO:0019164': { - 'name': 'pyruvate synthase activity', - 'def': 'Catalysis of the reaction: pyruvate + CoA + 2 oxidized ferredoxin = acetyl-CoA + CO2 + 2 reduced ferredoxin + 2 H+. [KEGG:R01196]' - }, - 'GO:0019165': { - 'name': 'thiamine kinase activity', - 'def': 'Catalysis of the reaction: ATP + thiamine = ADP + 2 H(+) + thiamine phosphate. [EC:2.7.1.89, RHEA:12015]' - }, - 'GO:0019166': { - 'name': 'trans-2-enoyl-CoA reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: acyl-CoA + NADP+ = trans-2,3-dehydroacyl-CoA + NADPH + H+. [EC:1.3.1.38]' - }, - 'GO:0019168': { - 'name': '2-octaprenylphenol hydroxylase activity', - 'def': 'Catalysis of the reaction: 2-octaprenylphenol + NADPH + O2 + H+ = 2-octaprenyl-6-hydroxyphenol + NADP+ + H2O. [MetaCyc:2-OCTAPRENYLPHENOL-HYDROX-RXN]' - }, - 'GO:0019170': { - 'name': 'methylglyoxal reductase (NADH-dependent) activity', - 'def': 'Catalysis of the reaction: (R)-lactaldehyde + NAD+ = methylglyoxal + NADH + H+. [EC:1.1.1.78]' - }, - 'GO:0019171': { - 'name': '3-hydroxyacyl-[acyl-carrier-protein] dehydratase activity', - 'def': 'Catalysis of the reaction: a (3R)-3-hydroxyacyl-[acyl-carrier protein] = H2O + a trans-delta2-enoyl-acyl-[acyl-carrier protein]. [MetaCyc:3-HYDROXYDECANOYL-ACP-DEHYDR-RXN]' - }, - 'GO:0019172': { - 'name': 'glyoxalase III activity', - 'def': 'Catalysis of the reaction: methylglyoxal + H2O = D-lactate. [EC:4.2.1.130, GOC:mcc, http://www.brenda-enzymes.org/php/result_flat.php4?ecno=4.2.1.130, MetaCyc:GLYOXIII-RXN, PMID:21696459, PMID:7848303, RHEA:27757]' - }, - 'GO:0019174': { - 'name': 'tetrahydrothiophene 1-oxide reductase activity', - 'def': 'Catalysis of the reaction: tetrahydrothiophene 1-oxide + reduced acceptor = tetrahydrothiophene + acceptor. [MetaCyc:THTOREDUCT-RXN]' - }, - 'GO:0019176': { - 'name': 'dihydroneopterin monophosphate phosphatase activity', - 'def': 'Catalysis of the reaction: dihydroneopterin monophosphate = dihydroneopterin + phosphate. [MetaCyc:DIHYDRONEOPTERIN-MONO-P-DEPHOS-RXN]' - }, - 'GO:0019177': { - 'name': 'dihydroneopterin triphosphate pyrophosphohydrolase activity', - 'def': 'Catalysis of the reaction: dihydroneopterin triphosphate = dihydroneopterin phosphate + diphosphate. [MetaCyc:H2NEOPTERINP3PYROPHOSPHOHYDRO-RXN]' - }, - 'GO:0019178': { - 'name': 'NADP phosphatase activity', - 'def': 'Catalysis of the reaction: H2O + NADP+ = NAD+ + phosphate. [MetaCyc:NADPPHOSPHAT-RXN]' - }, - 'GO:0019179': { - 'name': 'dTDP-4-amino-4,6-dideoxy-D-glucose transaminase activity', - 'def': 'Catalysis of the reaction: dTDP-4-amino-4,6-dideoxy-D-glucose + 2-oxoglutarate = dTDP-4-dehydro-6-deoxy-D-glucose + L-glutamate. [EC:2.6.1.33]' - }, - 'GO:0019180': { - 'name': 'dTDP-4-amino-4,6-dideoxygalactose transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + dTDP-4-amino-4,6-dideoxy-D-galactose = L-glutamate + dTDP-4-dehydro-6-deoxy-D-galactose. [EC:2.6.1.59, RHEA:10371]' - }, - 'GO:0019181': { - 'name': 'halohydrin hydrogen-halide-lyase activity', - 'def': 'Catalysis of the reaction: a halohydrin = an epoxide + a hydrogen halide. [PMID:8017917]' - }, - 'GO:0019182': { - 'name': 'histamine-gated chloride channel activity', - 'def': 'Enables the transmembrane transfer of a chloride ion by a channel that opens when histamine has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0019183': { - 'name': 'histamine-gated chloride channel complex', - 'def': 'A protein complex that forms a transmembrane channel through which chloride ions may pass in response to histamine binding to the channel complex or one of its constituent parts. [GOC:mah]' - }, - 'GO:0019184': { - 'name': 'nonribosomal peptide biosynthetic process', - 'def': 'The biosynthetic process in which peptide bond formation occurs in the absence of the translational machinery. Examples include the synthesis of antibiotic peptides, and glutathione. [ISBN:0198506732]' - }, - 'GO:0019185': { - 'name': 'snRNA-activating protein complex', - 'def': 'A protein complex that recognizes the proximal sequence element of RNA polymerase II and III snRNA promoters. [PMID:7715707, PMID:9003788]' - }, - 'GO:0019186': { - 'name': 'acyl-CoA N-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group from acyl-CoA to a nitrogen atom on an acceptor molecule. [GOC:mah]' - }, - 'GO:0019187': { - 'name': 'beta-1,4-mannosyltransferase activity', - 'def': 'Catalysis of the transfer of a mannose residue to an oligosaccharide, forming a beta-(1->4) linkage. [GOC:mcc, PMID:8166646]' - }, - 'GO:0019191': { - 'name': 'cellobiose transmembrane transporter activity', - 'def': 'Enables the transfer of cellobiose from one side of the membrane to the other. Cellobiose, or 4-O-beta-D-glucopyranosyl-D-glucose, is a disaccharide that represents the basic repeating unit of cellulose. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0019194': { - 'name': 'sorbose transmembrane transporter activity', - 'def': 'Enables the transfer of sorbose from one side of the membrane to the other. Sorbose is the ketohexose xylo-2-hexulose; L-sorbose is formed by bacterial oxidation of sorbitol. Sorbose is produced commercially by fermentation and is used as an intermediate in the manufacture of ascorbic acid. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0019196': { - 'name': 'galactosamine transmembrane transporter activity', - 'def': 'Enables the transfer of galactosamine from one side of the membrane to the other. Galactosamine is an aminodeoxysugar; D-galactosamine is a constituent of some glycolipids and glycosaminoglycans, commonly as its N-acetyl derivative. [GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0019197': { - 'name': 'phosphoenolpyruvate-dependent sugar phosphotransferase complex', - 'def': 'Includes phosphoenolpyruvate-protein phosphatase (enzyme I of the phosphotransferase system) and protein-N(PI)-phosphohistidine-sugar phosphotransferase (enzyme II of the phosphotransferase system). [GOC:ma]' - }, - 'GO:0019198': { - 'name': 'transmembrane receptor protein phosphatase activity', - 'def': 'Combining with a signal and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: a phosphoprotein + H2O = a protein + phosphate. [GOC:hjd]' - }, - 'GO:0019199': { - 'name': 'transmembrane receptor protein kinase activity', - 'def': 'Combining with a signal and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: a protein + ATP = a phosphoprotein + ADP. [GOC:mah]' - }, - 'GO:0019200': { - 'name': 'carbohydrate kinase activity', - 'def': 'Catalysis of the transfer of a phosphate group, usually from ATP, to a carbohydrate substrate molecule. [GOC:jl]' - }, - 'GO:0019201': { - 'name': 'nucleotide kinase activity', - 'def': 'Catalysis of the reaction: ATP + nucleoside monophosphate = ADP + nucleoside diphosphate. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0019202': { - 'name': 'amino acid kinase activity', - 'def': 'Catalysis of the transfer of a phosphate group, usually from ATP, to an amino acid substrate. [GOC:jl]' - }, - 'GO:0019203': { - 'name': 'carbohydrate phosphatase activity', - 'def': 'Catalysis of the reaction: carbohydrate phosphate + H2O = carbohydrate + phosphate. [GOC:mah]' - }, - 'GO:0019204': { - 'name': 'obsolete nucleotide phosphatase activity', - 'def': 'OBSOLETE: Catalysis of the reaction: phosphopolynucleotide + H2O = polynucleotide + phosphate. [GOC:mah]' - }, - 'GO:0019205': { - 'name': 'nucleobase-containing compound kinase activity', - 'def': 'Catalysis of the transfer of a phosphate group, usually from ATP or GTP, to a nucleobase, nucleoside, nucleotide or polynucleotide substrate. [GOC:jl]' - }, - 'GO:0019206': { - 'name': 'nucleoside kinase activity', - 'def': 'Catalysis of the reaction: ATP + nucleoside = ADP + nucleoside monophosphate. [GOC:ai]' - }, - 'GO:0019207': { - 'name': 'kinase regulator activity', - 'def': 'Modulates the activity of a kinase, an enzyme which catalyzes of the transfer of a phosphate group, usually from ATP, to a substrate molecule. [GOC:ai]' - }, - 'GO:0019208': { - 'name': 'phosphatase regulator activity', - 'def': 'Modulates the activity of a phosphatase, an enzyme which catalyzes of the removal of a phosphate group from a substrate molecule. [GOC:ai]' - }, - 'GO:0019209': { - 'name': 'kinase activator activity', - 'def': 'Binds to and increases the activity of a kinase, an enzyme which catalyzes of the transfer of a phosphate group, usually from ATP, to a substrate molecule. [GOC:ai]' - }, - 'GO:0019210': { - 'name': 'kinase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a kinase, an enzyme which catalyzes of the transfer of a phosphate group, usually from ATP, to a substrate molecule. [GOC:mah]' - }, - 'GO:0019211': { - 'name': 'phosphatase activator activity', - 'def': 'Increases the activity of a phosphatase, an enzyme which catalyzes of the removal of a phosphate group from a substrate molecule. [GOC:ai]' - }, - 'GO:0019212': { - 'name': 'phosphatase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a phosphatase, an enzyme which catalyzes of the removal of a phosphate group from a substrate molecule. [GOC:ai]' - }, - 'GO:0019213': { - 'name': 'deacetylase activity', - 'def': 'Catalysis of the hydrolysis of an acetyl group or groups from a substrate molecule. [GOC:jl]' - }, - 'GO:0019214': { - 'name': 'obsolete surfactant activity', - 'def': 'OBSOLETE. The action of reducing the surface tension of a liquid. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019215': { - 'name': 'intermediate filament binding', - 'def': 'Interacting selectively and non-covalently with an intermediate filament, a distinct elongated structure, characteristically 10 nm in diameter, that occurs in the cytoplasm of higher eukaryotic cells. Intermediate filaments form a fibrous system, composed of chemically heterogeneous subunits and involved in mechanically integrating the various components of the cytoplasmic space. [ISBN:0198506732]' - }, - 'GO:0019216': { - 'name': 'regulation of lipid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving lipids. [GOC:go_curators]' - }, - 'GO:0019217': { - 'name': 'regulation of fatty acid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving fatty acids. [GOC:go_curators]' - }, - 'GO:0019218': { - 'name': 'regulation of steroid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving steroids. [GOC:go_curators]' - }, - 'GO:0019219': { - 'name': 'regulation of nucleobase-containing compound metabolic process', - 'def': 'Any cellular process that modulates the frequency, rate or extent of the chemical reactions and pathways involving nucleobases, nucleosides, nucleotides and nucleic acids. [GOC:go_curators]' - }, - 'GO:0019220': { - 'name': 'regulation of phosphate metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving phosphates. [GOC:go_curators]' - }, - 'GO:0019221': { - 'name': 'cytokine-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a cytokine to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling, PMID:19295629]' - }, - 'GO:0019222': { - 'name': 'regulation of metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways within a cell or an organism. [GOC:go_curators]' - }, - 'GO:0019226': { - 'name': 'transmission of nerve impulse', - 'def': 'The neurological system process in which a signal is transmitted through the nervous system by a combination of action potential propagation and synaptic transmission. [GOC:curators, ISBN:0815316194]' - }, - 'GO:0019227': { - 'name': 'neuronal action potential propagation', - 'def': 'The propagation of an action potential along an axon, away from the soma. [GOC:isa_complete]' - }, - 'GO:0019228': { - 'name': 'neuronal action potential', - 'def': 'An action potential that occurs in a neuron. [GOC:dph, GOC:isa_complete, GOC:tb]' - }, - 'GO:0019229': { - 'name': 'regulation of vasoconstriction', - 'def': 'Any process that modulates the frequency, rate or extent of reductions in the diameter of blood vessels. [GOC:jl]' - }, - 'GO:0019230': { - 'name': 'proprioception', - 'def': 'The series of events by which an organism senses the position, location, orientation, and movement of the body and its parts. Proprioception is mediated by proprioceptors, sensory nerve terminals found in muscles, tendons, and joint capsules, which give information concerning movements and position of the body. The receptors in the labyrinth are sometimes also considered proprioceptors. [http://www.onelook.com/, ISBN:072168677X]' - }, - 'GO:0019231': { - 'name': 'perception of static position', - 'def': 'The perception of the orientation of different parts of the body with respect to one another. [ISBN:072168677X]' - }, - 'GO:0019232': { - 'name': 'perception of rate of movement', - 'def': 'The series of events by which an organism senses the speed and direction of movement of the body and its parts. [GOC:mah]' - }, - 'GO:0019233': { - 'name': 'sensory perception of pain', - 'def': 'The series of events required for an organism to receive a painful stimulus, convert it to a molecular signal, and recognize and characterize the signal. Pain is medically defined as the physical sensation of discomfort or distress caused by injury or illness, so can hence be described as a harmful stimulus which signals current (or impending) tissue damage. Pain may come from extremes of temperature, mechanical damage, electricity or from noxious chemical substances. This is a neurological process. [http://www.onelook.com/]' - }, - 'GO:0019234': { - 'name': 'sensory perception of fast pain', - 'def': 'The series of events required for an organism to receive a fast pain stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. Fast pain is often subjectively described as a sharp or stabbing pain; in humans, the signals from a fast pain stimulus are perceived and relayed along myelinated A-delta fibers to the central nervous system, reaching their target in about 0.1 seconds. [http://www.spine-health.com/]' - }, - 'GO:0019235': { - 'name': 'sensory perception of slow pain', - 'def': 'The series of events required for an organism to receive a slow pain stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. Slow pain is often subjectively described as an aching or throbbing pain; in humans, the signals from a slow pain stimulus are perceived and relayed along unmyelinated C fibers to the central nervous system, reaching their target in about 1 second. Slow pain is often associated with tissue destruction. [http://www.people.vcu.edu/~mikuleck/ssspain/, http://www.spine-health.com/]' - }, - 'GO:0019236': { - 'name': 'response to pheromone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pheromone stimulus. [GOC:jl]' - }, - 'GO:0019237': { - 'name': 'centromeric DNA binding', - 'def': 'Interacting selectively and non-covalently with a centromere, a region of chromosome where the spindle fibers attach during mitosis and meiosis. [GOC:jl, SO:0000577]' - }, - 'GO:0019238': { - 'name': 'cyclohydrolase activity', - 'def': 'Catalysis of the hydrolysis of any non-peptide carbon-nitrogen bond in a cyclic amidine, a compound of the form R-C(=NH)-NH2, in a reaction that involves the opening of a ring. [GOC:mah]' - }, - 'GO:0019239': { - 'name': 'deaminase activity', - 'def': 'Catalysis of the removal of an amino group from a substrate, producing ammonia (NH3). [GOC:jl]' - }, - 'GO:0019240': { - 'name': 'citrulline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of citrulline, N5-carbamoyl-L-ornithine, an alpha amino acid not found in proteins. [ISBN:0198506732]' - }, - 'GO:0019241': { - 'name': 'citrulline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of citrulline, N5-carbamoyl-L-ornithine, an alpha amino acid not found in proteins. [ISBN:0198506732]' - }, - 'GO:0019242': { - 'name': 'methylglyoxal biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of methylglyoxal, CH3-CO-CHO, the aldehyde of pyruvic acid. [GOC:ai]' - }, - 'GO:0019243': { - 'name': 'methylglyoxal catabolic process to D-lactate via S-lactoyl-glutathione', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methylglyoxal, CH3-CO-CHO, into D-lactate via the intermediate S-lactoyl-glutathione. Glutathione is used in the first step of the pathway and then regenerated in the second step. [GOC:ai, GOC:dph, PMID:2198020]' - }, - 'GO:0019244': { - 'name': 'lactate biosynthetic process from pyruvate', - 'def': 'The chemical reactions and pathways resulting in the formation of lactate from other compounds, including pyruvate. [GOC:go_curators]' - }, - 'GO:0019245': { - 'name': 'D(-)-lactate biosynthetic process from pyruvate', - 'def': 'The chemical reactions and pathways resulting in the formation of D(-)-lactate from other compounds, including pyruvate. [GOC:go_curators]' - }, - 'GO:0019246': { - 'name': 'L(+)-lactate biosynthetic process from pyruvate', - 'def': 'The chemical reactions and pathways resulting in the formation of L(+)-lactate from other compounds, including pyruvate. [GOC:go_curators]' - }, - 'GO:0019247': { - 'name': 'lactate racemization', - 'def': 'Partial conversion of one lactate enantiomer into another so that the specific optical rotation is decreased, or even reduced to zero, in the resulting mixture. [GOC:curators, PMID:16166538]' - }, - 'GO:0019248': { - 'name': 'D-lactate biosynthetic process from methylglyoxal via (R)-lactaldehyde', - 'def': 'The chemical reactions and pathways resulting in the formation of D-lactate from methylglyoxal, via the intermediate (R)-lactaldehyde. [GOC:dph, GOC:go_curators, MetaCyc:MGLDLCTANA-PWY]' - }, - 'GO:0019249': { - 'name': 'lactate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lactate, the anion of lactic acid. [GOC:go_curators]' - }, - 'GO:0019250': { - 'name': 'aerobic cobalamin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cobalamin (vitamin B12) in the presence of oxygen. [GOC:go_curators]' - }, - 'GO:0019251': { - 'name': 'anaerobic cobalamin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cobalamin (vitamin B12) in the absence of oxygen. [GOC:go_curators]' - }, - 'GO:0019252': { - 'name': 'starch biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of starch, the most important reserve polysaccharide in plants. [GOC:ai]' - }, - 'GO:0019253': { - 'name': 'reductive pentose-phosphate cycle', - 'def': 'The fixation of carbon dioxide (CO2) as glucose in the chloroplasts of C3 plants; uses ATP and NADPH formed in the light reactions of photosynthesis; carbon dioxide reacts with ribulose 1,5-bisphosphate (catalyzed by the function of ribulose-bisphosphate carboxylase) to yield two molecules of 3-phosphoglycerate; these are then phosphorylated by ATP to 1,3-bisphosphateglyceraldehyde which, in turn, is then reduced by NADPH to glyceraldehyde 3-phosphate. The glyceraldehyde 3-phosphate is converted to fructose 5-phosphate and ribulose 5-phosphate by aldolase and other enzymes; the ribulose 5-phosphate is phosphorylated by ATP to ribulose 1,5-bisphosphate. [ISBN:0198547684]' - }, - 'GO:0019254': { - 'name': 'carnitine metabolic process, CoA-linked', - 'def': 'The chemical reactions and pathways involving carnitine, where metabolism is linked to CoA. [GOC:go_curators]' - }, - 'GO:0019255': { - 'name': 'glucose 1-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving glucose 1-phosphate, a monophosphorylated derivative of glucose with the phosphate group attached to C-1. [GOC:ai]' - }, - 'GO:0019256': { - 'name': 'acrylonitrile catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acrylonitrile, a colorless, volatile liquid with a pungent odor. Acrylonitrile is used in the production of acrylic fibers, plastics, and synthetic rubbers. [GOC:ai]' - }, - 'GO:0019257': { - 'name': '4-nitrotoluene metabolic process', - 'def': 'The chemical reactions and pathways involving 4-nitrotoluene, 1-methyl-4-nitrobenzene. It is a light yellow liquid with a weak aromatic odor. [GOC:ai]' - }, - 'GO:0019258': { - 'name': '4-nitrotoluene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 4-nitrotoluene, 1-methyl-4-nitrobenzene. [GOC:ai]' - }, - 'GO:0019260': { - 'name': '1,2-dichloroethane catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1,2-dichloroethane, a major commodity chemical used, for example, in the manufacture of vinyl chloride. [GOC:go_curators]' - }, - 'GO:0019261': { - 'name': '1,4-dichlorobenzene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1,4-dichlorobenzene (p-dichlorobenzene or paramoth), a derivative of benzene with two chlorine atoms attached at opposite positions on the ring. [GOC:ai]' - }, - 'GO:0019262': { - 'name': 'N-acetylneuraminate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of N-acetylneuraminate, the anion of 5-(acetylamino)-3,5-dideoxy-D-glycero-D-galacto-non-3-ulosonic acid. [ISBN:0198506732]' - }, - 'GO:0019263': { - 'name': 'adamantanone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of adamantanone, tricyclo(3.3.1.13,7)decanone, a white crystalline solid used as an intermediate for microelectronics in the production of photoresists. [GOC:ai]' - }, - 'GO:0019264': { - 'name': 'glycine biosynthetic process from serine', - 'def': 'The chemical reactions and pathways resulting in the formation of glycine from other compounds, including serine. [GOC:go_curators]' - }, - 'GO:0019265': { - 'name': 'glycine biosynthetic process, by transamination of glyoxylate', - 'def': 'The chemical reactions and pathways resulting in the formation of glycine by the transamination of glyoxylate. [GOC:go_curators]' - }, - 'GO:0019266': { - 'name': 'asparagine biosynthetic process from oxaloacetate', - 'def': 'The chemical reactions and pathways resulting in the formation of asparagine from other compounds, including oxaloacetate. [GOC:go_curators]' - }, - 'GO:0019267': { - 'name': 'asparagine biosynthetic process from cysteine', - 'def': 'The chemical reactions and pathways resulting in the formation of asparagine from other compounds, including cysteine. [GOC:go_curators]' - }, - 'GO:0019268': { - 'name': 'obsolete glutamate biosynthetic process, using glutamate dehydrogenase (NAD(P)+)', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of glutamate, catalyzed by the enzyme glutamate dehydrogenase (NADP+). [GOC:go_curators]' - }, - 'GO:0019269': { - 'name': 'obsolete glutamate biosynthetic process, using glutamate synthase (NADPH)', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of glutamate, catalyzed by the enzyme glutamate synthase (NADPH). [GOC:go_curators]' - }, - 'GO:0019270': { - 'name': 'aerobactin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aerobactin (C22H36N4O13), a hydroxamate iron transport compound. It is a conjugate of 6-(N-acetyl-N-hydroxylamine)-2-aminohexanoic acid and citric acid. [GOC:ai]' - }, - 'GO:0019271': { - 'name': 'aerobactin transport', - 'def': 'The directed movement of the hydroxamate iron transport compound aerobactin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Aerobactin (C22H36N4O13) is a conjugate of 6-(N-acetyl-N-hydroxylamine)-2-aminohexanoic acid and citric acid. [GOC:ai]' - }, - 'GO:0019272': { - 'name': 'L-alanine biosynthetic process from pyruvate', - 'def': 'The chemical reactions and pathways resulting in the formation of alanine from other compounds, including pyruvate. [GOC:go_curators]' - }, - 'GO:0019273': { - 'name': 'L-alanine biosynthetic process via ornithine', - 'def': 'The chemical reactions and pathways resulting in the formation of L-alanine, via the intermediate ornithine. [GOC:go_curators]' - }, - 'GO:0019276': { - 'name': 'UDP-N-acetylgalactosamine metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-N-acetylgalactosamine, a substance composed of N-acetylgalactosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0019277': { - 'name': 'UDP-N-acetylgalactosamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-N-acetylgalactosamine, a substance composed of N-acetylgalactosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0019278': { - 'name': 'UDP-N-acetylgalactosamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of UDP-N-acetylgalactosamine, a substance composed of N-acetylgalactosamine, a common structural unit of oligosaccharides, in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0019279': { - 'name': 'L-methionine biosynthetic process from L-homoserine via cystathionine', - 'def': 'The chemical reactions and pathways resulting in the formation of L-methionine from other compounds, including L-homoserine, via the intermediate cystathionine. [GOC:go_curators]' - }, - 'GO:0019280': { - 'name': 'L-methionine biosynthetic process from homoserine via O-acetyl-L-homoserine and cystathionine', - 'def': 'The chemical reactions and pathways resulting in the formation of methionine from other compounds, including homoserine, via the intermediates O-acetyl-L-homoserine and cystathionine. [GOC:go_curators]' - }, - 'GO:0019281': { - 'name': 'L-methionine biosynthetic process from homoserine via O-succinyl-L-homoserine and cystathionine', - 'def': 'The chemical reactions and pathways resulting in the formation of L-methionine from other compounds, including homoserine, via the intermediates O-succinyl-L-homoserine and cystathionine. [GOC:go_curators]' - }, - 'GO:0019283': { - 'name': 'L-methionine biosynthetic process from O-phospho-L-homoserine and cystathionine', - 'def': 'The chemical reactions and pathways resulting in the formation of L-methionine from other compounds, including O-phospho-L-homoserine and cystathionine. [GOC:go_curators]' - }, - 'GO:0019284': { - 'name': 'L-methionine salvage from S-adenosylmethionine', - 'def': 'The chemical reactions and pathways resulting in the formation of L-methionine from S-adenosylmethionine. [GOC:go_curators, GOC:vw]' - }, - 'GO:0019285': { - 'name': 'glycine betaine biosynthetic process from choline', - 'def': 'The chemical reactions and pathways resulting in the formation of betaine (N-trimethylglycine) from the oxidation of choline. [GOC:jl]' - }, - 'GO:0019286': { - 'name': 'glycine betaine biosynthetic process from glycine', - 'def': 'The chemical reactions and pathways resulting in the formation of glycine betaine from other compounds, including glycine. [GOC:go_curators]' - }, - 'GO:0019287': { - 'name': 'isopentenyl diphosphate biosynthetic process, mevalonate pathway', - 'def': 'The chemical reactions and pathways resulting in the formation of isopentenyl diphosphate, via the intermediate mevalonate. This pathway converts acetate, in the form of acetyl-CoA, to isopentenyl diphosphate (IPP), the fundamental unit in isoprenoid biosynthesis, through a series of mevalonate intermediates. [GOC:go_curators, MetaCyc:PWY-922]' - }, - 'GO:0019288': { - 'name': 'isopentenyl diphosphate biosynthetic process, methylerythritol 4-phosphate pathway', - 'def': 'The chemical reactions and pathways resulting in the formation of isopentenyl diphosphate by the mevalonate-independent pathway. Isopentenyl diphosphate (IPP) is the fundamental unit in isoprenoid biosynthesis and is biosynthesized from pyruvate and glyceraldehyde 3-phosphate via intermediates, including 1-deoxy-D-xylulose 5-phosphate. [GOC:go_curators, MetaCyc:NONMEVIPP-PWY, PMID:18948055]' - }, - 'GO:0019289': { - 'name': 'rhizobactin 1021 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of rhizobactin 1021, (E)-4-((3-(acetylhydroxyamino)propyl)-amino)-2-hydroxy-(2-(2-(3-(hydroxy(1-oxo-2-decenyl)amino)propyl)amino)-2-oxoethyl)-4-oxobutanoic acid, a siderophore produced by Sinorhizobium meliloti. [MetaCyc:PWY-761, PMID:11274118]' - }, - 'GO:0019290': { - 'name': 'siderophore biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of siderophores, low molecular weight Fe(III)-chelating substances made by aerobic or facultatively anaerobic bacteria, especially when growing under iron deficient conditions. The complexes of Fe(3+)-siderophores have very high stability constants and are taken up by specific transport systems by microorganisms; the subsequent release of iron requires enzymatic action. [GOC:go_curators]' - }, - 'GO:0019292': { - 'name': 'tyrosine biosynthetic process from chorismate via 4-hydroxyphenylpyruvate', - 'def': 'The chemical reactions and pathways resulting in the formation of tyrosine from other compounds, including chorismate, via the intermediate 4-hydroxyphenylpyruvate. [GOC:go_curators]' - }, - 'GO:0019293': { - 'name': 'tyrosine biosynthetic process, by oxidation of phenylalanine', - 'def': 'The chemical reactions and pathways resulting in the formation of tyrosine by the oxidation of phenylalanine. [GOC:go_curators]' - }, - 'GO:0019294': { - 'name': 'keto-3-deoxy-D-manno-octulosonic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of keto-3-deoxy-D-manno-octulosonic acid, an acidic sugar present in lipopolysaccharides of the outer membranes of some Gram-negative bacteria. [CHEBI:32817, ISBN:0198506732]' - }, - 'GO:0019295': { - 'name': 'coenzyme M biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of coenzyme M (2-thioethansulfonate), a coenzyme involved in the utilization of methane by methanogenic prokaryotes. [ISBN:0198547684]' - }, - 'GO:0019296': { - 'name': 'coenzyme M metabolic process', - 'def': 'The chemical reactions and pathways involving coenzyme M (2-thioethansulfonate), a coenzyme involved in the utilization of methane by methanogenic prokaryotes. [GOC:go_curators]' - }, - 'GO:0019297': { - 'name': 'coenzyme B metabolic process', - 'def': 'The chemical reactions and pathways involving coenzyme B (7-mercaptoheptanoylthreonine phosphate), a coenzyme involved in the utilization of methane by methanogenic prokaryotes. [GOC:go_curators]' - }, - 'GO:0019298': { - 'name': 'coenzyme B biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of coenzyme B (7-mercaptoheptanoylthreonine phosphate), a coenzyme involved in the utilization of methane by methanogenic prokaryotes. [PMID:10940051]' - }, - 'GO:0019299': { - 'name': 'rhamnose metabolic process', - 'def': 'The chemical reactions and pathways involving rhamnose, the hexose 6-deoxy-L-mannose. Rhamnose occurs commonly as a compound of plant glycosides, in polysaccharides of gums and mucilages, and in bacterial polysaccharides. It is also a component of some plant cell wall polysaccharides and frequently acts as the sugar components of flavonoids. [ISBN:0198506732]' - }, - 'GO:0019300': { - 'name': 'rhamnose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of rhamnose, the hexose 6-deoxy-L-mannose. [ISBN:0198506732]' - }, - 'GO:0019301': { - 'name': 'rhamnose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of rhamnose, the hexose 6-deoxy-L-mannose. [ISBN:0198506732]' - }, - 'GO:0019302': { - 'name': 'D-ribose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-ribose, (ribo-pentose). [ISBN:0198506732]' - }, - 'GO:0019303': { - 'name': 'D-ribose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-ribose (ribo-pentose). [ISBN:0198506732]' - }, - 'GO:0019304': { - 'name': 'anaerobic rhamnose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of rhamnose, the hexose 6-deoxy-L-mannose, that occurs in the absence of oxygen. [GOC:ai]' - }, - 'GO:0019305': { - 'name': 'dTDP-rhamnose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dTDP-rhamnose, a substance composed of rhamnose in glycosidic linkage with deoxyribosylthymine diphosphate. [GOC:ai]' - }, - 'GO:0019306': { - 'name': 'GDP-D-rhamnose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of GDP-D-rhamnose, a substance composed of rhamnose in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0019307': { - 'name': 'mannose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mannose, the aldohexose manno-hexose, the C-2 epimer of glucose. [GOC:ai]' - }, - 'GO:0019308': { - 'name': 'dTDP-mannose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dTDP-mannose, a substance composed of mannose in glycosidic linkage with deoxyribosylthymine diphosphate. [GOC:ai]' - }, - 'GO:0019309': { - 'name': 'mannose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mannose, the aldohexose manno-hexose, the C-2 epimer of glucose. [GOC:ai]' - }, - 'GO:0019310': { - 'name': 'inositol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of inositol, 1,2,3,4,5,6-cyclohexanehexol, a growth factor for animals and microorganisms. [CHEBI:24848, GOC:go_curators]' - }, - 'GO:0019311': { - 'name': 'sorbose metabolic process', - 'def': 'The chemical reactions and pathways involving sorbose, the ketohexose xylo-2-hexulose. Sorbose is produced commercially by fermentation and is used as an intermediate in the manufacture of ascorbic acid. [ISBN:0198506732]' - }, - 'GO:0019312': { - 'name': 'L-sorbose metabolic process', - 'def': 'The chemical reactions and pathways involving sorbose, the L-enantiomer of the ketohexose xylo-2-hexulose. L-sorbose is formed by bacterial oxidation of sorbitol. [CHEBI:17266, GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0019313': { - 'name': 'allose metabolic process', - 'def': 'The chemical reactions and pathways involving allose, allo-hexose, an aldohexose similar to glucose, differing only in the configuration of the hydroxyl group of C-3. [ISBN:0198506732]' - }, - 'GO:0019314': { - 'name': 'D-allose metabolic process', - 'def': 'The chemical reactions and pathways involving D-allose, the D-enantiomer of allo-hexose, an aldohexose similar to glucose. [CHEBI:17393, GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0019315': { - 'name': 'D-allose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-allose, the D-enantiomer of allo-hexose, an aldohexose similar to glucose. [CHEBI:17393, GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0019316': { - 'name': 'D-allose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-allose, the D-enantiomer of allo-hexose, an aldohexose similar to glucose. [CHEBI:17393, GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0019317': { - 'name': 'fucose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fucose (6-deoxygalactose). [GOC:jl]' - }, - 'GO:0019318': { - 'name': 'hexose metabolic process', - 'def': 'The chemical reactions and pathways involving a hexose, any monosaccharide with a chain of six carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019319': { - 'name': 'hexose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hexose, any monosaccharide with a chain of six carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019320': { - 'name': 'hexose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hexose, any monosaccharide with a chain of six carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019321': { - 'name': 'pentose metabolic process', - 'def': 'The chemical reactions and pathways involving a pentose, any monosaccharide with a chain of five carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019322': { - 'name': 'pentose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a pentose, any monosaccharide with a chain of five carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019323': { - 'name': 'pentose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a pentose, any monosaccharide with a chain of five carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019324': { - 'name': 'L-lyxose metabolic process', - 'def': 'The chemical reactions and pathways involving L-lyxose, the L-enantiomer of aldopentose lyxo-pentose, the C-2 epimer of xylose. [GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0019325': { - 'name': 'anaerobic fructose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fructose that occurs in the absence of oxygen. [GOC:ai]' - }, - 'GO:0019326': { - 'name': 'nitrotoluene metabolic process', - 'def': 'The chemical reactions and pathways involving nitrotoluene, any methylbenzene molecule with NO2 group(s) attached. [GOC:ai]' - }, - 'GO:0019327': { - 'name': 'lead sulfide oxidation', - 'def': 'The chemical reactions and pathways resulting in the conversion of lead sulfide to lead sulfate. [MetaCyc:P301-PWY]' - }, - 'GO:0019328': { - 'name': 'anaerobic gallate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gallate, the anion of gallic acid, in the absence of oxygen. [GOC:jl]' - }, - 'GO:0019329': { - 'name': 'ammonia oxidation', - 'def': 'The chemical reactions and pathways by which ammonia or ammonium is converted to molecular nitrogen or another nitrogen compound, with accompanying loss of electrons. [GOC:mah, MetaCyc:AMMOXID-PWY, MetaCyc:P303-PWY, MetaCyc:PWY-2242]' - }, - 'GO:0019330': { - 'name': 'aldoxime metabolic process', - 'def': 'The chemical reactions and pathways involving aldoximes, compounds derived by the reaction of an aldose with hydroxylamine, thus containing the aldoxime group -HC=NOH. [CHEBI:22307, GOC:curators]' - }, - 'GO:0019331': { - 'name': 'anaerobic respiration, using ammonium as electron donor', - 'def': 'The oxidation of ammonium (NH4) to nitrogen (N2) in the absence of oxygen, using nitrite (NO2) as the electron acceptor. It is suggested that hydroxylamine and ammonium are combined to yield hydrazine, which is subsequently oxidized to N2. [MetaCyc:P303-PWY]' - }, - 'GO:0019332': { - 'name': 'aerobic respiration, using nitrite as electron donor', - 'def': 'The oxidation of nitrite (NO2) to nitrate (NO3), using oxygen (O2) as the electron acceptor. Nitrite oxidation is the final step in nitrification, the oxidation of ammonia to nitrate, and nitrite oxidoreductase (NOR) is the key enzyme complex that catalyzes the conversion of nitrite to nitrate in nitrite oxidizing species. [MetaCyc:P282-PWY]' - }, - 'GO:0019333': { - 'name': 'denitrification pathway', - 'def': 'The reduction of nitrate to dinitrogen by four reactions; each intermediate is transformed to the next lower oxidation state; also part of cellular bioenergetics; the nitrogen compounds can serve as terminal acceptors for electron transport phosphorylation in place of oxygen. [MetaCyc:DENITRIFICATION-PWY]' - }, - 'GO:0019334': { - 'name': 'p-cymene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of p-cymene, 1-methyl-4-isopropylbenzene, one of the alkyl-substituted aromatic hydrocarbons found in volatile oils from over 100 plants. [GOC:ai]' - }, - 'GO:0019335': { - 'name': '3-methylquinoline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3-methylquinoline, C10H9N, an aromatic compound composed of a benzene ring and a heterocyclic N-containing ring. [GOC:ai]' - }, - 'GO:0019336': { - 'name': 'phenol-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a phenol, any compound containing one or more hydroxyl groups directly attached to an aromatic carbon ring. [CHEBI:33853, GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0019337': { - 'name': 'tetrachloroethylene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tetrachloroethylene, a derivative of ethene with the hydrogen atoms replaced by chlorines. [GOC:ai]' - }, - 'GO:0019338': { - 'name': 'pentachlorophenol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pentachlorophenol, a chlorinated insecticide and fungicide used primarily to protect timber from fungal rot and wood boring insects. Pentachlorophenol is significantly toxic to mammals, plants, and many microorganisms. [GOC:go_curators]' - }, - 'GO:0019339': { - 'name': 'parathion catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of parathion, a highly toxic organophosphate compound. Degradation of parathion by sunlight or liver enzymes can result in the formation of the active compound paraoxon which interferes with the nervous system through cholinesterase inhibition. [UM-BBD_pathwayID:pthn]' - }, - 'GO:0019340': { - 'name': 'dibenzofuran catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dibenzofuran, a substance composed of two benzene rings linked by one ether bond and one carbon-carbon bond. [GOC:ai]' - }, - 'GO:0019341': { - 'name': 'dibenzo-p-dioxin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dibenzo-p-dioxin, a substance composed of two benzene rings linked by two ether bonds. [GOC:ai]' - }, - 'GO:0019342': { - 'name': 'trypanothione biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of trypanothione (N1,N6,-bis(glutathionyl)spermidine) in two steps from glutathione and spermidine via an N1- or N8-glutathionylspermidine intermediate. Trypanothione appears to be an essential redox intermediate in intracellular thiol redox regulation. It also plays a role in protecting against oxidative stress. [MetaCyc:TRYPANOSYN-PWY, PMID:9677355]' - }, - 'GO:0019343': { - 'name': 'cysteine biosynthetic process via cystathionine', - 'def': 'The chemical reactions and pathways resulting in the formation of cysteine, via the intermediate cystathionine. [GOC:go_curators]' - }, - 'GO:0019344': { - 'name': 'cysteine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cysteine, 2-amino-3-mercaptopropanoic acid. [GOC:go_curators]' - }, - 'GO:0019345': { - 'name': 'cysteine biosynthetic process via S-sulfo-L-cysteine', - 'def': 'The chemical reactions and pathways resulting in the formation of cysteine, via the intermediate S-sulfo-L-cysteine. [GOC:go_curators]' - }, - 'GO:0019346': { - 'name': 'transsulfuration', - 'def': 'The interconversion of homocysteine and cysteine via cystathionine. In contrast with enteric bacteria and mammals, Saccharomyces cerevisiae has two transsulfuration pathways employing two separate sets of enzymes. [MetaCyc:PWY-801]' - }, - 'GO:0019347': { - 'name': 'GDP-alpha-D-mannosylchitobiosyldiphosphodolichol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of GDP-alpha-D-mannosylchitobiosyldiphosphodolichol, a substance composed of mannosylchitobiosyldiphosphodolichol in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0019348': { - 'name': 'dolichol metabolic process', - 'def': 'The chemical reactions and pathways involving dolichols, any 2,3-dihydropolyprenol derived from four or more linked isoprene units. [ISBN:0198506732]' - }, - 'GO:0019349': { - 'name': 'ribitol metabolic process', - 'def': 'The chemical reactions and pathways involving ribitol, a pentitol derived formally by reduction of the -CHO group of either D- or L-ribose. It occurs free in some plants and is a component of riboflavin. [ISBN:0198506732]' - }, - 'GO:0019350': { - 'name': 'teichoic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of teichoic acid, any polymer occurring in the cell wall, membrane or capsule of Gram-positive bacteria and containing chains of glycerol phosphate or ribitol phosphate residues. [ISBN:0198506732]' - }, - 'GO:0019351': { - 'name': 'dethiobiotin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dethiobiotin, a derivative of biotin in which the sulfur atom has been replaced by two hydrogen atoms. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0019352': { - 'name': 'protoporphyrinogen IX biosynthetic process from glycine', - 'def': 'The chemical reactions and pathways resulting in the formation of protoporphyrinogen IX from other compounds, including glycine. [GOC:go_curators]' - }, - 'GO:0019353': { - 'name': 'protoporphyrinogen IX biosynthetic process from glutamate', - 'def': 'The chemical reactions and pathways resulting in the formation of protoporphyrinogen IX from other compounds, including glutamate. [GOC:go_curators]' - }, - 'GO:0019354': { - 'name': 'siroheme biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of siroheme, a tetrahydroporphyrin with adjacent, reduced pyrrole rings. [ISBN:0198506732]' - }, - 'GO:0019355': { - 'name': 'nicotinamide nucleotide biosynthetic process from aspartate', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide nucleotide from other compounds, including aspartate. [GOC:go_curators]' - }, - 'GO:0019356': { - 'name': 'nicotinate nucleotide biosynthetic process from tryptophan', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinate nucleotide from other compounds, including tryptophan. [GOC:go_curators]' - }, - 'GO:0019357': { - 'name': 'nicotinate nucleotide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide nucleotides, any nucleotide that contains combined nicotinate (pyridine 3-carboxylic acid). [GOC:go_curators]' - }, - 'GO:0019358': { - 'name': 'nicotinate nucleotide salvage', - 'def': 'The generation of nicotinate nucleotide without de novo synthesis. [GOC:go_curators]' - }, - 'GO:0019359': { - 'name': 'nicotinamide nucleotide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide nucleotides, any nucleotide that contains combined nicotinamide. [GOC:go_curators]' - }, - 'GO:0019360': { - 'name': 'nicotinamide nucleotide biosynthetic process from niacinamide', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide nucleotide from other compounds, including niacinamide. [GOC:go_curators]' - }, - 'GO:0019361': { - 'name': "2'-(5''-triphosphoribosyl)-3'-dephospho-CoA biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of 2'-(5''-triphosphoribosyl)-3'-dephospho-CoA, a derivative of coenzyme A. [GOC:ai]" - }, - 'GO:0019362': { - 'name': 'pyridine nucleotide metabolic process', - 'def': 'The chemical reactions and pathways involving a pyridine nucleotide, a nucleotide characterized by a pyridine derivative as a nitrogen base. [GOC:jl]' - }, - 'GO:0019363': { - 'name': 'pyridine nucleotide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a pyridine nucleotide, a nucleotide characterized by a pyridine derivative as a nitrogen base. [GOC:jl, GOC:pde, GOC:vw]' - }, - 'GO:0019364': { - 'name': 'pyridine nucleotide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a pyridine nucleotide, a nucleotide characterized by a pyridine derivative as a nitrogen base. [GOC:jl, GOC:pde, GOC:vw]' - }, - 'GO:0019365': { - 'name': 'pyridine nucleotide salvage', - 'def': 'Any process that generates a pyridine nucleotide, a nucleotide characterized by a pyridine derivative as a nitrogen base, from derivatives of them without de novo synthesis. [GOC:jl]' - }, - 'GO:0019367': { - 'name': 'fatty acid elongation, saturated fatty acid', - 'def': 'Elongation of a saturated fatty acid chain. [GOC:mah]' - }, - 'GO:0019368': { - 'name': 'fatty acid elongation, unsaturated fatty acid', - 'def': 'Elongation of a fatty acid chain into which one or more C-C double bonds have been introduced. [GOC:mah]' - }, - 'GO:0019369': { - 'name': 'arachidonic acid metabolic process', - 'def': 'The chemical reactions and pathways involving arachidonic acid, a straight chain fatty acid with 20 carbon atoms and four double bonds per molecule. Arachidonic acid is the all-Z-(5,8,11,14)-isomer. [ISBN:0198506732]' - }, - 'GO:0019370': { - 'name': 'leukotriene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of leukotriene, a pharmacologically active substance derived from a polyunsaturated fatty acid, such as arachidonic acid. [GOC:go_curators]' - }, - 'GO:0019371': { - 'name': 'cyclooxygenase pathway', - 'def': 'The chemical reactions and pathways by which prostaglandins are formed from arachidonic acid, and in which prostaglandin-endoperoxide synthase (cyclooxygenase) catalyzes the committed step in the conversion of arachidonic acid to the prostaglandin-endoperoxides PGG2 and PGH2. [PMID:19854273]' - }, - 'GO:0019372': { - 'name': 'lipoxygenase pathway', - 'def': 'The chemical reactions and pathways by which an unsaturated fatty acid (such as arachidonic acid or linolenic acid) is converted to other compounds, and in which the first step is hydroperoxide formation catalyzed by lipoxygenase. [GOC:mah, PMID:17163881]' - }, - 'GO:0019373': { - 'name': 'epoxygenase P450 pathway', - 'def': 'The chemical reactions and pathways by which arachidonic acid is converted to other compounds including epoxyeicosatrienoic acids and dihydroxyeicosatrienoic acids. [GOC:mah, PMID:17979511]' - }, - 'GO:0019374': { - 'name': 'galactolipid metabolic process', - 'def': 'The chemical reactions and pathways involving galactolipids, any glycolipid containing one of more residues of galactose and/or N-acetylgalactosamine. [ISBN:0198506732]' - }, - 'GO:0019375': { - 'name': 'galactolipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of galactolipids, any glycolipid containing one of more residues of galactose and/or N-acetylgalactosamine. [ISBN:0198506732]' - }, - 'GO:0019376': { - 'name': 'galactolipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactolipids, any glycolipid containing one of more residues of galactose and/or N-acetylgalactosamine. [ISBN:0198506732]' - }, - 'GO:0019377': { - 'name': 'glycolipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycolipid, a class of 1,2-di-O-acylglycerols joined at oxygen 3 by a glycosidic linkage to a carbohydrate part (usually a mono-, di- or tri-saccharide). [CHEBI:33563, GOC:go_curators]' - }, - 'GO:0019379': { - 'name': 'sulfate assimilation, phosphoadenylyl sulfate reduction by phosphoadenylyl-sulfate reductase (thioredoxin)', - 'def': 'The pathway by which inorganic sulfate is processed and incorporated into sulfated compounds, where the phosphoadenylyl sulfate reduction step is catalyzed by the enzyme phosphoadenylyl-sulfate reductase (thioredoxin) (EC:1.8.4.8). [GOC:jl]' - }, - 'GO:0019380': { - 'name': '3-phenylpropionate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3-phenylpropionate, the anion of phenylpropanoic acid. [GOC:ai]' - }, - 'GO:0019381': { - 'name': 'atrazine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of atrazine, a triazine ring-containing herbicide. [GOC:jl, UM-BBD_pathwayID:atr]' - }, - 'GO:0019382': { - 'name': 'carbon tetrachloride catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbon tetrachloride, a toxic, carcinogenic compound which is used as a general solvent in industrial degreasing operations. It is also used as grain fumigant and a chemical intermediate in the production of refrigerants. [GOC:go_curators]' - }, - 'GO:0019383': { - 'name': '(+)-camphor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (+)-camphor, a bicyclic monoterpene ketone. [UM-BBD_pathwayID:cam]' - }, - 'GO:0019384': { - 'name': 'caprolactam catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of caprolactam, hexahydro-2h-azepin-2-one, a cyclic amide of caproic acid. [CHEBI:23000, GOC:curators]' - }, - 'GO:0019385': { - 'name': 'methanogenesis, from acetate', - 'def': 'The formation of methane, a colorless, odorless, flammable gas with the formula CH4, from other components, including acetate. [GOC:ai]' - }, - 'GO:0019386': { - 'name': 'methanogenesis, from carbon dioxide', - 'def': 'The chemical reactions and pathways resulting in the formation of methane, a colorless, odorless, flammable gas with the formula CH4, from other compounds, including carbon dioxide (CO2). [GOC:ai]' - }, - 'GO:0019387': { - 'name': 'methanogenesis, from methanol', - 'def': 'The formation of methane, a colorless, odorless, flammable gas with the formula CH4, from other components, including methanol. [GOC:ai]' - }, - 'GO:0019388': { - 'name': 'galactose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactose, the aldohexose galacto-hexose. [ISBN:0198506732]' - }, - 'GO:0019389': { - 'name': 'glucuronoside metabolic process', - 'def': 'The chemical reactions and pathways involving glucuronosides, any compound formed by combination in glycosidic linkage of a hydroxy compound with the anomeric carbon atom of a glucuronate. [ISBN:0198506732]' - }, - 'GO:0019390': { - 'name': 'glucuronoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucuronosides, compound composed of a hydroxy compound linked to a glucuronate residue. [ISBN:0198506732]' - }, - 'GO:0019391': { - 'name': 'glucuronoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucuronosides, compound composed of a hydroxy compound linked to a glucuronate residue. [ISBN:0198506732]' - }, - 'GO:0019392': { - 'name': 'glucarate metabolic process', - 'def': 'The chemical reactions and pathways involving glucarate, the dianion of glucaric acid, an aldaric acid derived from either glucose or gulose. There are two enantiomers L- and D-glucarate. [ISBN:0198506732]' - }, - 'GO:0019393': { - 'name': 'glucarate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucarate, the anion of glucaric acid. [ISBN:0198506732]' - }, - 'GO:0019394': { - 'name': 'glucarate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucarate, the anion of glucaric acid. [ISBN:0198506732]' - }, - 'GO:0019395': { - 'name': 'fatty acid oxidation', - 'def': 'The removal of one or more electrons from a fatty acid, with or without the concomitant removal of a proton or protons, by reaction with an electron-accepting substance, by addition of oxygen or by removal of hydrogen. [ISBN:0198506732, MetaCyc:FAO-PWY]' - }, - 'GO:0019396': { - 'name': 'gallate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gallate, the anion of gallic acid (3,4,5-trihydroxybenzoic acid). [GOC:jl]' - }, - 'GO:0019397': { - 'name': 'gallate catabolic process via 2-pyrone-4,6-dicarboxylate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gallate, the anion of gallic acid, via the intermediate 2-pyrone-4,6-dicarboxylate. [GOC:jl]' - }, - 'GO:0019398': { - 'name': 'gallate catabolic process via gallate dioxygenase activity', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gallate, the anion of gallic acid, where the first step is the conversion of gallate to (1E)-4-oxobut-1-ene-1,2,4-tricarboxylate catalyzed by gallate dioxygenase. [GOC:bf, GOC:jl]' - }, - 'GO:0019399': { - 'name': 'cyclohexanol oxidation', - 'def': 'The cyclohexanol metabolic process in which cyclohexanol is converted to adipate. [MetaCyc:CYCLOHEXANOL-OXIDATION-PWY]' - }, - 'GO:0019400': { - 'name': 'alditol metabolic process', - 'def': 'The chemical reactions and pathways involving alditols, any polyhydric alcohol derived from the acyclic form of a monosaccharide by reduction of its aldehyde or keto group to an alcoholic group. [ISBN:0198506732]' - }, - 'GO:0019401': { - 'name': 'alditol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alditols, any polyhydric alcohol derived from the acyclic form of a monosaccharide by reduction of its aldehyde or keto group to an alcoholic group. [ISBN:0198506732]' - }, - 'GO:0019402': { - 'name': 'galactitol metabolic process', - 'def': 'The chemical reactions and pathways involving galactitol, the hexitol derived by the reduction of the aldehyde group of either D- or L-galactose. [ISBN:0198506732]' - }, - 'GO:0019403': { - 'name': 'galactitol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of galactitol, the hexitol derived by the reduction of the aldehyde group of either D- or L-galactose. [ISBN:0198506732]' - }, - 'GO:0019404': { - 'name': 'galactitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactitol, the hexitol derived by the reduction of the aldehyde group of either D- or L-galactose. [ISBN:0198506732]' - }, - 'GO:0019405': { - 'name': 'alditol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alditols, any polyhydric alcohol derived from the acyclic form of a monosaccharide by reduction of its aldehyde or keto group to an alcoholic group. [ISBN:0198506732]' - }, - 'GO:0019406': { - 'name': 'hexitol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hexitols, any alditol with a chain of six carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019407': { - 'name': 'hexitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hexitols, any alditol with a chain of six carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019408': { - 'name': 'dolichol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dolichols, any 2,3-dihydropolyprenol derived from four or more linked isoprene units. [ISBN:0198506732]' - }, - 'GO:0019409': { - 'name': 'aerobic respiration, using ammonia as electron donor', - 'def': 'The metabolic process in which ammonia (NH3) is oxidized to nitrite (NO2) in the presence of oxygen; enzymatic reactions convert ammonia to hydrazine, and hydrazine to nitrite. [MetaCyc:AMMOXID-PWY]' - }, - 'GO:0019410': { - 'name': 'aerobic respiration, using carbon monoxide as electron donor', - 'def': 'The metabolic process in which carbon monoxide (CO) is oxidized to carbon dioxide (CO2) to generate energy. Conservation of energy in this process likely uses sodium ion gradients for ATP synthesis and is coupled to quantitative sulfide methylation. [PMID:18024677]' - }, - 'GO:0019411': { - 'name': 'aerobic respiration, using ferrous ions as electron donor', - 'def': 'The metabolic process in which ferrous ions (Fe2+) are oxidized to ferric ions (Fe3+) to generate energy, coupled to the reduction of carbon dioxide. [ISBN:3131084111]' - }, - 'GO:0019412': { - 'name': 'aerobic respiration, using hydrogen as electron donor', - 'def': 'The oxidation of hydrogen (H2) to water (H2O), using oxygen (O2) as the electron acceptor. A hydrogenase enzyme binds H2 and the hydrogen atoms are passed through an electron transfer chain to O2 to form water. [MetaCyc:P283-PWY]' - }, - 'GO:0019413': { - 'name': 'acetate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acetate, the anion of acetic acid. [GOC:go_curators]' - }, - 'GO:0019414': { - 'name': 'aerobic respiration, using sulfur or sulfate as electron donor', - 'def': 'An aerobic respiration process in which a sulfur-containing molecule (hydrogen sulfide, sulfur, sulfite, thiosulfate, and various polythionates) is oxidized. [PMID:11425697]' - }, - 'GO:0019415': { - 'name': 'acetate biosynthetic process from carbon monoxide', - 'def': 'The chemical reactions and pathways resulting in the formation of acetate from other compounds, including carbon monoxide. [GOC:go_curators]' - }, - 'GO:0019416': { - 'name': 'polythionate oxidation', - 'def': 'The chemical reactions and pathways resulting in the conversion of thiosulfate to tetrathionate, using cytochrome c as an electron acceptor. [MetaCyc:THIOSULFOX-PWY]' - }, - 'GO:0019417': { - 'name': 'sulfur oxidation', - 'def': 'The chemical reactions and pathways resulting the addition of oxygen to elemental sulfur. [GOC:jl, MetaCyc:FESULFOX-PWY, MetaCyc:SULFUROX-PWY]' - }, - 'GO:0019418': { - 'name': 'sulfide oxidation', - 'def': 'The chemical reactions and pathways resulting in the conversion of sulfide to elemental sulfur in a higher oxidation state, or to sulfite or sulfate. [MetaCyc:P222-PWY, MetaCyc:P223-PWY, MetaCyc:PWY-5274, MetaCyc:PWY-5285]' - }, - 'GO:0019419': { - 'name': 'sulfate reduction', - 'def': 'The chemical reactions and pathways resulting in the reduction of sulfate to another sulfur-containing ion or compound such as hydrogen sulfide, adenosine-phosphosulfate (APS) or thiosulfate. [MetaCyc:DISSULFRED-PWY, MetaCyc:P224-PWY, MetaCyc:SO4ASSIM-PWY, MetaCyc:SULFMETII-PWY]' - }, - 'GO:0019420': { - 'name': 'dissimilatory sulfate reduction', - 'def': 'The reduction of sulfate to hydrogen sulfide, which acts as a terminal electron acceptor. Sulfate is activated to adenosine-phosphosulfate (APS) which is then reduced to sulfite, which is in turn reduced to hydrogen sulfide. [GOC:jl, MetaCyc:DISSULFRED-PWY]' - }, - 'GO:0019422': { - 'name': 'disproportionation of elemental sulfur', - 'def': 'The process in which sulfur compounds with an intermediate oxidation state serve as both electron donors and electron acceptors in an energy-generating redox process. The reaction takes place anaerobically, in light and in the absence of CO2. [MetaCyc:P203-PWY]' - }, - 'GO:0019423': { - 'name': 'sulfur oxidation, ferric ion-dependent', - 'def': 'A sulfur oxidation process that proceeds via the reaction catalyzed by sulfur:ferric ion oxidoreductase, and requires the presence of ferric ion (Fe3+). [MetaCyc:FESULFOX-PWY]' - }, - 'GO:0019424': { - 'name': 'sulfide oxidation, using siroheme sulfite reductase', - 'def': 'A sulfide oxidation process that proceeds via the reaction catalyzed by siroheme sulfite reductase. [MetaCyc:P223-PWY]' - }, - 'GO:0019426': { - 'name': 'bisulfite reduction', - 'def': 'The chemical reactions and pathways resulting in the reduction of sulfate to thiosulfate via bisulfite. [MetaCyc:P224-PWY]' - }, - 'GO:0019427': { - 'name': 'acetyl-CoA biosynthetic process from acetate', - 'def': 'The chemical reactions and pathways resulting in the formation of acetyl-CoA from acetate, either directly or via acetylphosphate. [MetaCyc:ACETATEUTIL-PWY]' - }, - 'GO:0019428': { - 'name': 'allantoin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of allantoin, (2,5-dioxo-4-imidazolidinyl)urea. [GOC:go_curators]' - }, - 'GO:0019429': { - 'name': 'fluorene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fluorene, a tricyclic polycyclic aromatic hydrocarbon containing a five-membered ring. It is a major component of fossil fuels and their derivatives and is also a by-product of coal-conversion and energy-related industries. It is commonly found in vehicle exhaust emissions, crude oils, motor oils, coal and oil combustion products, waste incineration, and industrial effluents. [GOC:go_curators]' - }, - 'GO:0019430': { - 'name': 'removal of superoxide radicals', - 'def': 'Any process, acting at the cellular level, involved in removing superoxide radicals (O2-) from a cell or organism, e.g. by conversion to dioxygen (O2) and hydrogen peroxide (H2O2). [CHEBI:18421, GOC:jl]' - }, - 'GO:0019431': { - 'name': 'acetyl-CoA biosynthetic process from ethanol', - 'def': 'The chemical reactions and pathways resulting in the formation of acetyl-CoA from ethanol via acetaldehyde. [GOC:go_curators]' - }, - 'GO:0019432': { - 'name': 'triglyceride biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a triglyceride, any triester of glycerol. [ISBN:0198506732]' - }, - 'GO:0019433': { - 'name': 'triglyceride catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a triglyceride, any triester of glycerol. [ISBN:0198506732]' - }, - 'GO:0019434': { - 'name': 'sophorosyloxydocosanoate metabolic process', - 'def': "The chemical reactions and pathways involving sophorosyloxydocosanoate, 13-sophorosyloxydocosanoate 6',6''-diacetate, an aromatic hydrocarbon. [MetaCyc:DIGLUCODIACETYL-DOCOSANOATE]" - }, - 'GO:0019435': { - 'name': 'sophorosyloxydocosanoate biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of sophorosyloxydocosanoate, 13-sophorosyloxydocosanoate 6',6''-diacetate. [GOC:ai]" - }, - 'GO:0019436': { - 'name': 'sophorosyloxydocosanoate catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of sophorosyloxydocosanoate, 13-sophorosyloxydocosanoate 6',6''-diacetate. [GOC:ai]" - }, - 'GO:0019438': { - 'name': 'aromatic compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aromatic compounds, any substance containing an aromatic carbon ring. [GOC:ai]' - }, - 'GO:0019439': { - 'name': 'aromatic compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aromatic compounds, any substance containing an aromatic carbon ring. [GOC:ai]' - }, - 'GO:0019440': { - 'name': 'tryptophan catabolic process to indole-3-acetate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tryptophan into other compounds, including indole-3-acetate. [GOC:go_curators]' - }, - 'GO:0019441': { - 'name': 'tryptophan catabolic process to kynurenine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tryptophan into other compounds, including kynurenine. [GOC:go_curators]' - }, - 'GO:0019442': { - 'name': 'tryptophan catabolic process to acetyl-CoA', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tryptophan into other compounds, including acetyl-CoA. [GOC:go_curators]' - }, - 'GO:0019443': { - 'name': 'obsolete tryptophan catabolic process, using tryptophanase', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of tryptophan, catalyzed by the enzyme tryptophanase (EC:4.1.99.1). [GOC:jl]' - }, - 'GO:0019444': { - 'name': 'tryptophan catabolic process to catechol', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tryptophan into other compounds, including catechol. [GOC:go_curators]' - }, - 'GO:0019445': { - 'name': 'tyrosine catabolic process to fumarate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tyrosine into other compounds, including fumarate. [GOC:go_curators]' - }, - 'GO:0019446': { - 'name': 'tyrosine catabolic process to phosphoenolpyruvate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tyrosine into other compounds, including phosphoenolpyruvate. [GOC:go_curators]' - }, - 'GO:0019447': { - 'name': 'D-cysteine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-cysteine, (S)-2-amino-3-mercaptopropanoic acid, which occurs naturally in firefly luciferin. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0019448': { - 'name': 'L-cysteine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-cysteine, the L-enantiomer of 2-amino-3-mercaptopropanoic acid, i.e. (2R)-2-amino-3-mercaptopropanoic acid. [CHEBI:17561, GOC:go_curators, GOC:jsg, GOC:mah]' - }, - 'GO:0019449': { - 'name': 'L-cysteine catabolic process to hypotaurine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-cysteine into other compounds, including hypotaurine. [GOC:go_curators]' - }, - 'GO:0019450': { - 'name': 'L-cysteine catabolic process to pyruvate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-cysteine into other compounds, including pyruvate. [GOC:go_curators]' - }, - 'GO:0019451': { - 'name': 'L-cysteine catabolic process to pyruvate, using cysteine dioxygenase', - 'def': 'The chemical reactions and pathways resulting in the breakdown into pyruvate of L-cystine, catalyzed by the enzyme cysteine dioxygenase (EC:1.13.11.20). [GOC:jl]' - }, - 'GO:0019452': { - 'name': 'L-cysteine catabolic process to taurine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-cysteine into other compounds, including taurine. [GOC:go_curators]' - }, - 'GO:0019453': { - 'name': 'L-cysteine catabolic process via cystine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-cysteine, via the intermediate cystine. [GOC:go_curators]' - }, - 'GO:0019454': { - 'name': 'L-cysteine catabolic process via cystine, using glutathione-cystine transhydrogenase', - 'def': 'The chemical reactions and pathways resulting in the breakdown, via the compound cystine, of L-cysteine, catalyzed by the enzyme glutathione-cystine transhydrogenase (EC:1.8.4.4). [GOC:jl]' - }, - 'GO:0019455': { - 'name': 'L-cysteine catabolic process via cystine, using cystine reductase', - 'def': 'The chemical reactions and pathways resulting in the breakdown, via the compound cystine, of L-cysteine, catalyzed by the enzyme cystine reductase (EC:1.8.1.6). [GOC:jl]' - }, - 'GO:0019456': { - 'name': 'L-cysteine catabolic process via cystine, using cysteine transaminase', - 'def': 'The chemical reactions and pathways resulting in the breakdown, via the compound cystine, of L-cysteine, catalyzed by the enzyme cysteine transaminase (EC:2.6.1.3). [GOC:jl]' - }, - 'GO:0019457': { - 'name': 'methionine catabolic process to succinyl-CoA', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methionine into other compounds, including succinyl-CoA. [GOC:go_curators]' - }, - 'GO:0019458': { - 'name': 'methionine catabolic process via 2-oxobutanoate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methionine, via the intermediate 2-oxobutanoate. [GOC:go_curators]' - }, - 'GO:0019460': { - 'name': 'glutamine catabolic process to fumarate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamine into other compounds, including fumarate. [GOC:go_curators]' - }, - 'GO:0019461': { - 'name': 'glutamine catabolic process to fumarate, using glutamate synthase (NADPH)', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamine into fumarate, beginning with the conversion of glutamine to glutamate catalyzed by the enzyme glutamate synthase (NADPH) (EC:1.4.1.13). [GOC:bf, GOC:jl]' - }, - 'GO:0019462': { - 'name': 'glutamine catabolic process to fumarate, using glutaminase', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamine into fumarate, beginning with conversion of glutamine into glutamate catalyzed by the enzyme glutaminase (EC:3.5.1.2). [GOC:bf, GOC:jl]' - }, - 'GO:0019463': { - 'name': 'glycine catabolic process to creatine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycine into other compounds, including creatine. [GOC:go_curators]' - }, - 'GO:0019464': { - 'name': 'glycine decarboxylation via glycine cleavage system', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycine by oxidative cleavage to carbon dioxide, ammonia, and a methylene group, mediated by enzymes of the glycine cleavage complex. [MetaCyc:GLYCLEAV-PWY]' - }, - 'GO:0019465': { - 'name': 'aspartate transamidation', - 'def': 'The exchange of the amino group of aspartate, the anion derived from aspartic acid, for another amino group. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0019466': { - 'name': 'ornithine catabolic process via proline', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ornithine, via the intermediate proline. [GOC:go_curators]' - }, - 'GO:0019467': { - 'name': 'ornithine catabolic process, by decarboxylation', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ornithine by decarboxylation. [GOC:go_curators]' - }, - 'GO:0019468': { - 'name': 'nopaline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nopaline (N-(I-carboxy-4-guanidinobutyl)glutamic acid), a rare amino-acid derivative. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019469': { - 'name': 'octopine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of octopine (N-(1-carboxy-4-guanidinobutyl)-L-alanine), an amino acid derived opine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019470': { - 'name': '4-hydroxyproline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 4-hydroxyproline, C5H9NO3, a derivative of the amino acid proline. [GOC:ai]' - }, - 'GO:0019471': { - 'name': '4-hydroxyproline metabolic process', - 'def': 'The chemical reactions and pathways involving 4-hydroxyproline, C5H9NO3, a derivative of the amino acid proline. The presence of hydroxyproline is essential to produce stable triple helical tropocollagen, hence the problems caused by ascorbate deficiency in scurvy. This unusual amino acid is also present in considerable amounts in the major glycoprotein of primary plant cell walls. [CHEBI:20392, GOC:ai]' - }, - 'GO:0019472': { - 'name': '4-hydroxyproline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 4-hydroxyproline, C5H9NO3, a derivative of the amino acid proline. [GOC:ai]' - }, - 'GO:0019473': { - 'name': 'L-lysine catabolic process to glutarate, by acetylation', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-lysine into other compounds, including glutarate, by acetylation. [GOC:go_curators]' - }, - 'GO:0019474': { - 'name': 'L-lysine catabolic process to acetyl-CoA', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-lysine into other compounds, including acetyl-CoA. [GOC:go_curators]' - }, - 'GO:0019475': { - 'name': 'L-lysine catabolic process to acetate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-lysine into other compounds, including acetate. [GOC:go_curators]' - }, - 'GO:0019476': { - 'name': 'D-lysine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-lysine, the D-enantiomer of lysine; i.e. (2R)-2,6-diaminohexanoic acid. [CHEBI:16855, GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0019477': { - 'name': 'L-lysine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-lysine, the L-enantiomer of (S)-2,6-diaminohexanoic acid. [GOC:go_curators, GOC:jsg, GOC:mah]' - }, - 'GO:0019478': { - 'name': 'D-amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-amino acids, the D-enantiomers of amino acids. [GOC:ai, GOC:jsg]' - }, - 'GO:0019479': { - 'name': 'L-alanine oxidation to D-lactate and ammonia', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-alanine to D-lactate and ammonia. [MetaCyc:ALACAT2-PWY]' - }, - 'GO:0019480': { - 'name': 'L-alanine oxidation to pyruvate via D-alanine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-alanine to pyruvate, with D-alanine as an intermediate. [MetaCyc:ALADEG-PWY]' - }, - 'GO:0019481': { - 'name': 'L-alanine catabolic process, by transamination', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-alanine by transamination. [GOC:go_curators]' - }, - 'GO:0019482': { - 'name': 'beta-alanine metabolic process', - 'def': 'The chemical reactions and pathways involving beta-alanine (3-aminopropanoic acid), an achiral amino acid and an isomer of alanine. It occurs free (e.g. in brain) and in combination (e.g. in pantothenate) but it is not a constituent of proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019483': { - 'name': 'beta-alanine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-alanine (3-aminopropanoic acid), an achiral amino acid and an isomer of alanine. It occurs free (e.g. in brain) and in combination (e.g. in pantothenate) but it is not a constituent of proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019484': { - 'name': 'beta-alanine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of beta-alanine (3-aminopropanoic acid), an achiral amino acid and an isomer of alanine. It occurs free (e.g. in brain) and in combination (e.g. in pantothenate) but it is not a constituent of proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019485': { - 'name': 'beta-alanine catabolic process to L-alanine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of beta-alanine into other compounds, including L-alanine. [GOC:go_curators]' - }, - 'GO:0019486': { - 'name': 'beta-alanine catabolic process to mevalonate semialdehyde, by transamination', - 'def': 'The chemical reactions and pathways resulting in the breakdown of beta-alanine into other compounds, including mevalonate semialdehyde, by transamination. [GOC:go_curators]' - }, - 'GO:0019487': { - 'name': 'anaerobic acetylene catabolic process', - 'def': 'The chemical reactions and pathways involving acetylene, a colorless, volatile, explosive gas, that occur in the absence of oxygen. [ISBN:0721662544]' - }, - 'GO:0019488': { - 'name': 'ribitol catabolic process to xylulose 5-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ribitol to form xylulose 5-phosphate. Ribitol is initially converted to D-ribulose, which is phosphorylated to form ribulose 5-phosphate, which is then converted into xylulose 5-phosphate. [MetaCyc:RIBITOLUTIL-PWY]' - }, - 'GO:0019489': { - 'name': 'methylgallate metabolic process', - 'def': 'The chemical reactions and pathways involving methylgallate, trihydroxymethylbenzoate, the anion of methylgallic acid. [GOC:ai]' - }, - 'GO:0019490': { - 'name': '2-aminobenzenesulfonate desulfonation', - 'def': 'The removal of the sulfonate group from 2-aminobenzenesulfonate, an aromatic sulfonate used in organic synthesis and in the manufacture of various dyes and medicines. [UM-BBD_pathwayID:abs]' - }, - 'GO:0019491': { - 'name': 'ectoine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ectoine (1,4,5,6-tetrahydro-2-methyl-4-pyrimidinecarboxylic acid), a tetrahydropyrimidine commonly synthesized by halophilic bacteria. [GOC:jl, PMID:11823218]' - }, - 'GO:0019492': { - 'name': 'proline salvage', - 'def': 'Any process which produces the amino acid proline from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0019493': { - 'name': 'arginine catabolic process to proline', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arginine into other compounds, including proline. [GOC:go_curators]' - }, - 'GO:0019495': { - 'name': 'proline catabolic process to 2-oxoglutarate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of proline into other compounds, including 2-oxoglutarate. [GOC:go_curators]' - }, - 'GO:0019496': { - 'name': 'serine-isocitrate lyase pathway', - 'def': 'A one-carbon metabolic process in which acetyl-CoA is produced from formaldehyde and carbon dioxide. [ISBN:0387961534]' - }, - 'GO:0019497': { - 'name': 'hexachlorocyclohexane metabolic process', - 'def': 'The chemical reactions and pathways involving hexachlorocyclohexane, a cyclohexane derivative with 6 chlorine atoms attached to the hexane ring. Hexachlorocyclohexane consists of a mixture of 8 different isomers and was used a commercial insecticide. It is persistent in the environment, causing serious soil pollution. [UM-BBD_pathwayID:ghch, UM-BBD_pathwayID:hch]' - }, - 'GO:0019498': { - 'name': 'n-octane oxidation', - 'def': 'The chemical reactions and pathways resulting in the conversion of n-octane to octanoyl-CoA. [MetaCyc:P221-PWY]' - }, - 'GO:0019499': { - 'name': 'cyanide metabolic process', - 'def': 'The chemical reactions and pathways involving cyanide, NC-, the anion of hydrocyanic acid. Cyanide is a potent inhibitor of respiration, reacting with the ferric form of cytochrome aa3 and thus blocking the electron transport chain. [ISBN:0198506732]' - }, - 'GO:0019500': { - 'name': 'cyanide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cyanide, NC-, the anion of hydrocyanic acid. Cyanide is a potent inhibitor of respiration. [ISBN:0198506732]' - }, - 'GO:0019501': { - 'name': 'arsonoacetate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arsonoacetate, a synthetic, organic compound containing a single arsenic atom. [GOC:jl]' - }, - 'GO:0019502': { - 'name': 'stachydrine metabolic process', - 'def': 'The chemical reactions and pathways involving stachydrine, N-methylproline methylbetaine, the betaine derivative of L-proline found in alfalfa, chrysanthemum, and citrus plants. [GOC:curators, MetaCyc:CPD-821]' - }, - 'GO:0019503': { - 'name': 'stachydrine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of stachydrine, N-methylproline methylbetaine, the betaine derivative of L-proline. [GOC:ai]' - }, - 'GO:0019504': { - 'name': 'stachydrine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of stachydrine, N-methylproline methylbetaine, the betaine derivative of L-proline. [GOC:ai]' - }, - 'GO:0019505': { - 'name': 'resorcinol metabolic process', - 'def': 'The chemical reactions and pathways involving resorcinol (C6H4(OH)2), a benzene derivative with many applications, including dyes, explosives, resins and as an antiseptic. [GOC:jl, http://www.speclab.com/compound/c108463.htm]' - }, - 'GO:0019506': { - 'name': 'phenylmercury acetate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenylmercury acetate, an organomercurial compound composed of a mercury atom attached to a benzene ring and an acetate group. [GOC:ai]' - }, - 'GO:0019507': { - 'name': 'pyridine metabolic process', - 'def': 'The chemical reactions and pathways involving pyridine, a nitrogenous base (C5H5N) obtained from the distillation of bone oil or coal tar, and by the decomposition of certain alkaloids, as a colorless liquid with a peculiar pungent odor. [CHEBI:16227, GOC:curators]' - }, - 'GO:0019508': { - 'name': '2,5-dihydroxypyridine catabolic process to fumarate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2,5-dihydroxypyridine to form fumarate. 2,5-dihydroxypyridine is dioxygenated to give maleamate and formate; the maleamate from this reaction is then converted to maleate, which is then isomerized to fumurate. [MetaCyc:PWY-722]' - }, - 'GO:0019509': { - 'name': 'L-methionine salvage from methylthioadenosine', - 'def': 'The generation of L-methionine (2-amino-4-(methylthio)butanoic acid) from methylthioadenosine. [GOC:jl, MetaCyc:PWY-4361]' - }, - 'GO:0019510': { - 'name': 'S-adenosylhomocysteine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of S-adenosylhomocysteine, forming homocysteine and then methionine. [ISBN:0198506732]' - }, - 'GO:0019511': { - 'name': 'peptidyl-proline hydroxylation', - 'def': 'The hydroxylation of peptidyl-proline to form peptidyl-hydroxyproline. [GOC:mah]' - }, - 'GO:0019512': { - 'name': 'lactose catabolic process via tagatose-6-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lactose, via the intermediate tagatose-6-phosphate. [GOC:go_curators]' - }, - 'GO:0019513': { - 'name': 'lactose catabolic process, using glucoside 3-dehydrogenase', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lactose, catalyzed by the enzyme glucoside 3-dehydrogenase (EC:1.1.99.13). [GOC:jl]' - }, - 'GO:0019514': { - 'name': 'obsolete lactose hydrolysis', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0019515': { - 'name': 'lactose catabolic process via UDP-galactose', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lactose, via the intermediate UDP-galactose. [GOC:go_curators]' - }, - 'GO:0019516': { - 'name': 'lactate oxidation', - 'def': 'The chemical reactions and pathways resulting in the conversion of lactate to other compounds, such as pyruvate, with concomitant loss of electrons. [GOC:mah]' - }, - 'GO:0019517': { - 'name': 'L-threonine catabolic process to D-lactate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L- threonine (the L-enantiomer of 2-amino-3-hydroxybutyric acid) to form the compound methylglyoxal, which is subsequently converted to D-lactate. [GOC:bf, GOC:jl, MetaCyc:PWY-901, MetaCyc:THRDLCTCAT-PWY]' - }, - 'GO:0019518': { - 'name': 'L-threonine catabolic process to glycine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-threonine (the L-enantiomer of 2-amino-3-hydroxybutyric acid) to form to form 2-amino-3-oxobutanoate, which is subsequently converted to glycine. [GOC:bf, GOC:mah, MetaCyc:THREONINE-DEG2-PWY]' - }, - 'GO:0019519': { - 'name': 'pentitol metabolic process', - 'def': 'The chemical reactions and pathways involving pentitols, any alditol with a chain of five carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019520': { - 'name': 'aldonic acid metabolic process', - 'def': 'The chemical reactions and pathways involving aldonic acid, a monocarboxylic acid with a chain of three or more carbon atoms, derived from an aldose by oxidation of the aldehydic group. [ISBN:0198506732]' - }, - 'GO:0019521': { - 'name': 'D-gluconate metabolic process', - 'def': 'The chemical reactions and pathways involving D-gluconate, the anion of D-gluconic acid, the aldonic acid derived from glucose. [ISBN:0198506732]' - }, - 'GO:0019522': { - 'name': 'ketogluconate metabolic process', - 'def': 'The chemical reactions and pathways involving ketogluconate, the anion of ketogluconic acid, an aldonic acid derived from glucose containing a ketonic carbonyl group. [ISBN:0198506732]' - }, - 'GO:0019523': { - 'name': 'L-idonate metabolic process', - 'def': 'The chemical reactions and pathways involving L-idonate, the anion of idonic acid, an aldonic acid derived from L-idose, an aldohexose which is epimeric with D-glucose. [CHEBI:17796, GOC:ai]' - }, - 'GO:0019524': { - 'name': 'keto-D-gluconate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of keto-D-gluconate, the anion of keto-D-gluconic acid, an aldonic acid derived from glucose. [ISBN:0198506732]' - }, - 'GO:0019525': { - 'name': 'keto-D-gluconate metabolic process', - 'def': 'The chemical reactions and pathways involving keto-D-gluconate, the anion of keto-D-gluconic acid, an aldonic acid derived from glucose. [ISBN:0198506732]' - }, - 'GO:0019526': { - 'name': 'pentitol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pentitols, any alditol with a chain of five carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019527': { - 'name': 'pentitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pentitols, any alditol with a chain of five carbon atoms in the molecule. [ISBN:0198506732]' - }, - 'GO:0019528': { - 'name': 'D-arabitol catabolic process to xylulose 5-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-arabitol to form xylulose 5-phosphate. D-arabitol is converted into D-xylulose, which is then phosphorylated to form D-xylulose-5-phosphate. [MetaCyc:DARABITOLUTIL-PWY]' - }, - 'GO:0019529': { - 'name': 'taurine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of taurine (2-aminoethanesulfonic acid), a sulphur-containing amino acid derivative important in the metabolism of fats. [GOC:jl, ISBN:0198600461]' - }, - 'GO:0019530': { - 'name': 'taurine metabolic process', - 'def': 'The chemical reactions and pathways involving taurine (2-aminoethanesulfonic acid), a sulphur-containing amino acid derivative important in the metabolism of fats. [GOC:jl, ISBN:0198600461]' - }, - 'GO:0019531': { - 'name': 'oxalate transmembrane transporter activity', - 'def': 'Enables the transfer of oxalate from one side of the membrane to the other. Oxalate, or ethanedioic acid, occurs in many plants and is highly toxic to animals. [ISBN:0198506732]' - }, - 'GO:0019532': { - 'name': 'oxalate transport', - 'def': 'The directed movement of oxalate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Oxalate, or ethanedioic acid, occurs in many plants and is highly toxic to animals. [ISBN:0198506732]' - }, - 'GO:0019533': { - 'name': 'cellobiose transport', - 'def': 'The directed movement of cellobiose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Cellobiose, or 4-O-beta-D-glucopyranosyl-D-glucose, is a disaccharide that represents the basic repeating unit of cellulose. [GOC:ai]' - }, - 'GO:0019534': { - 'name': 'toxin transporter activity', - 'def': 'Enables the directed movement of a toxin into, out of or within a cell, or between cells. A toxin is a poisonous compound (typically a protein) that is produced by cells or organisms and that can cause disease when introduced into the body or tissues of an organism. [ISBN:0198506732]' - }, - 'GO:0019535': { - 'name': 'ferric-vibriobactin transmembrane transporter activity', - 'def': 'Enables the transfer of ferric-vibriobactin ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0019536': { - 'name': 'vibriobactin metabolic process', - 'def': 'The chemical reactions and pathways involving vibriobactin, the major siderophore produced by Vibrio cholerae. [GOC:jl, PMID:11112537]' - }, - 'GO:0019537': { - 'name': 'vibriobactin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of vibriobactin, the major siderophore produced by Vibrio cholerae. [GOC:jl, PMID:11112537]' - }, - 'GO:0019538': { - 'name': 'protein metabolic process', - 'def': 'The chemical reactions and pathways involving a specific protein, rather than of proteins in general. Includes protein modification. [GOC:ma]' - }, - 'GO:0019539': { - 'name': 'siderophore biosynthetic process from hydroxamic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a siderophore from other compounds, including hydroxamic acid. [GOC:go_curators]' - }, - 'GO:0019540': { - 'name': 'siderophore biosynthetic process from catechol', - 'def': 'The chemical reactions and pathways resulting in the formation of a siderophore from other compounds, including catechol. [GOC:go_curators]' - }, - 'GO:0019541': { - 'name': 'propionate metabolic process', - 'def': 'The chemical reactions and pathways involving propionate, the anion derived from propionic (propanoic) acid, a carboxylic acid important in the energy metabolism of ruminants. [GOC:go_curators, ISBN:0198506732, KEGG:C00163, MetaCyc:PROPIONATE]' - }, - 'GO:0019542': { - 'name': 'propionate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of propionate, the anion derived from propionic acid. [GOC:go_curators]' - }, - 'GO:0019543': { - 'name': 'propionate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of propionate, the anion derived from propionic acid. [GOC:go_curators]' - }, - 'GO:0019544': { - 'name': 'arginine catabolic process to glutamate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arginine into other compounds, including glutamate. [GOC:go_curators]' - }, - 'GO:0019545': { - 'name': 'arginine catabolic process to succinate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arginine into other compounds, including succinate. [GOC:go_curators]' - }, - 'GO:0019546': { - 'name': 'arginine deiminase pathway', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arginine into other compounds, including ornithine and CO2, using the enzyme arginine deiminase. [GOC:mah, MetaCyc:ARGDEGRAD-PWY]' - }, - 'GO:0019547': { - 'name': 'arginine catabolic process to ornithine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arginine into other compounds, including ornithine. [GOC:go_curators]' - }, - 'GO:0019548': { - 'name': 'arginine catabolic process to spermine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arginine into other compounds, including spermine. [GOC:go_curators]' - }, - 'GO:0019549': { - 'name': 'glutamate catabolic process to succinate via succinate semialdehyde', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate into succinate, that includes the conversion of 4-aminobutyrate to succinate semialdehyde by the pyruvate-dependent gamma aminobutyrate (GABA) transaminase. [GOC:bf, GOC:go_curators, MetaCyc:PWY-4321]' - }, - 'GO:0019550': { - 'name': 'glutamate catabolic process to aspartate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate into other compounds, including aspartate. [GOC:go_curators]' - }, - 'GO:0019551': { - 'name': 'glutamate catabolic process to 2-oxoglutarate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate into other compounds, including 2-oxoglutarate. [GOC:go_curators]' - }, - 'GO:0019552': { - 'name': 'glutamate catabolic process via 2-hydroxyglutarate', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glutamate, via the intermediate 2-hydroxyglutarate, yielding energy in the form of ATP. [MetaCyc:P162-PWY]' - }, - 'GO:0019553': { - 'name': 'glutamate catabolic process via L-citramalate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate, via the intermediate L-citramalate. [GOC:go_curators]' - }, - 'GO:0019554': { - 'name': 'glutamate catabolic process to oxaloacetate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate into other compounds, including oxaloacetate. [GOC:go_curators]' - }, - 'GO:0019555': { - 'name': 'glutamate catabolic process to ornithine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate into other compounds, including ornithine. [GOC:go_curators]' - }, - 'GO:0019556': { - 'name': 'histidine catabolic process to glutamate and formamide', - 'def': 'The chemical reactions and pathways resulting in the breakdown of histidine into other compounds, including glutamate and formamide. [GOC:go_curators]' - }, - 'GO:0019557': { - 'name': 'histidine catabolic process to glutamate and formate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of histidine into other compounds, including glutamate and formate. [GOC:go_curators]' - }, - 'GO:0019558': { - 'name': 'histidine catabolic process to 2-oxoglutarate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of histidine into other compounds, including 2-oxoglutarate. [GOC:go_curators]' - }, - 'GO:0019559': { - 'name': 'histidine catabolic process to imidazol-5-yl-lactate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of histidine into other compounds, including imidazol-5-yl-lactate. [GOC:go_curators]' - }, - 'GO:0019560': { - 'name': 'histidine catabolic process to hydantoin-5-propionate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of histidine into other compounds, including hydantoin-5-propionate. [GOC:go_curators]' - }, - 'GO:0019561': { - 'name': 'anaerobic phenylalanine oxidation', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenylalanine under anaerobic conditions; occurs via the intermediates phenylpyruvate and phenylacetaldehyde. [GOC:mah, MetaCyc:ANAPHENOXI-PWY]' - }, - 'GO:0019562': { - 'name': 'phenylalanine catabolic process to phosphoenolpyruvate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenylalanine into other compounds, including phosphoenolpyruvate. [GOC:go_curators]' - }, - 'GO:0019563': { - 'name': 'glycerol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycerol, 1,2,3-propanetriol, a sweet, hygroscopic, viscous liquid, widely distributed in nature as a constituent of many lipids. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0019564': { - 'name': 'aerobic glycerol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycerol, 1,2,3-propanetriol, in the presence of oxygen. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0019566': { - 'name': 'arabinose metabolic process', - 'def': 'The chemical reactions and pathways involving arabinose, arabino-pentose. L-Arabinose occurs both free, for example in the heartwood of many conifers, and in the combined state, as a constituent of plant hemicelluloses, bacterial polysaccharides etc. D-arabinose is a constituent of arabinonucleosides. [ISBN:0198506732]' - }, - 'GO:0019567': { - 'name': 'arabinose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of arabinose, arabino-pentose. [GOC:ai]' - }, - 'GO:0019568': { - 'name': 'arabinose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arabinose, arabino-pentose. [GOC:ai]' - }, - 'GO:0019569': { - 'name': 'L-arabinose catabolic process to xylulose 5-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-arabinose into other compounds, including xylulose 5-phosphate. [GOC:go_curators]' - }, - 'GO:0019570': { - 'name': 'L-arabinose catabolic process to 2-oxoglutarate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-arabinose into other compounds, including 2-oxoglutarate. [GOC:go_curators]' - }, - 'GO:0019571': { - 'name': 'D-arabinose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-arabinose, the D-enantiomer of arabino-pentose. [CHEBI:17108, GOC:go_curators, GOC:jsg, GOC:mah]' - }, - 'GO:0019572': { - 'name': 'L-arabinose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-arabinose, the L-enantiomer of arabino-pentose. [CHEBI:30849, GOC:go_curators, GOC:jsg, GOC:mah]' - }, - 'GO:0019573': { - 'name': 'D-arabinose catabolic process to xylulose 5-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-arabinose to form xylulose 5-phosphate. D-arabinose is converted into D-ribulose, which is phosphorylated to ribulose-5-phosphate, which is isomerized to give D-xylulose-5-phosphate. [GOC:go_curators]' - }, - 'GO:0019574': { - 'name': "sucrose catabolic process via 3'-ketosucrose", - 'def': "The chemical reactions and pathways resulting in the breakdown of sucrose, which proceeds via the conversion of sucrose to 3'-ketosucrose. 3'-ketosucrose is hydrolyzed to 3-ketoglucose and fructose, and the 3-ketoglucose is then be converted to glucose. [GOC:bf, GOC:dgf, MetaCyc:SUCROSEUTIL2-PWY]" - }, - 'GO:0019575': { - 'name': 'obsolete sucrose catabolic process, using beta-fructofuranosidase', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of sucrose, catalyzed by the enzyme beta-fructofuranosidase (EC:3.2.1.26). [GOC:jl]' - }, - 'GO:0019576': { - 'name': 'aerobic fructose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fructose that occurs in the presence of oxygen. [GOC:ai]' - }, - 'GO:0019577': { - 'name': 'aldaric acid metabolic process', - 'def': 'The chemical reactions and pathways involving aldaric acid, any dicarboxylic acid formed by oxidation of by the terminal groups of an aldose to carboxyl group. [ISBN:0198506732]' - }, - 'GO:0019578': { - 'name': 'aldaric acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aldaric acid, any dicarboxylic acid formed by oxidation of by the terminal groups of an aldose to carboxyl group. [ISBN:0198506732]' - }, - 'GO:0019579': { - 'name': 'aldaric acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aldaric acid, any dicarboxylic acid formed by oxidation of by the terminal groups of an aldose to carboxyl group. [ISBN:0198506732]' - }, - 'GO:0019580': { - 'name': 'galactarate metabolic process', - 'def': 'The chemical reactions and pathways involving galactarate, an anion of galactaric acid, the meso-aldaric acid derived from both D- and L-galactose. [GOC:pr, ISBN:0198506732]' - }, - 'GO:0019583': { - 'name': 'galactonate metabolic process', - 'def': 'The chemical reactions and pathways involving galactonate, the anion of galactonic acid, an organic acid derived from the sugar galactose. [GOC:ai]' - }, - 'GO:0019584': { - 'name': 'galactonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactonate, the anion of galactonic acid. [GOC:ai]' - }, - 'GO:0019585': { - 'name': 'glucuronate metabolic process', - 'def': 'The chemical reactions and pathways involving glucuronate, any salt or ester of glucuronic acid, the uronic acid formally derived from glucose by oxidation of the hydroxymethylene group at C-6 to a carboxyl group. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0019586': { - 'name': 'galacturonate metabolic process', - 'def': 'The chemical reactions and pathways involving galacturonate, the anion of galacturonic acid, the uronic acid formally derived from galactose by oxidation of the hydroxymethylene group at C-6 to a carboxyl group. [ISBN:0198506732]' - }, - 'GO:0019588': { - 'name': 'anaerobic glycerol catabolic process', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glycerol, yielding energy in the form of ATP. [GOC:mah]' - }, - 'GO:0019589': { - 'name': 'anaerobic glycerol catabolic process to propane-1,3-diol', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glycerol into propane-1,3-diol and water. [GOC:jl, MetaCyc:GOLPDLCAT-PWY]' - }, - 'GO:0019590': { - 'name': 'L-arabitol catabolic process to xylulose 5-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-arabitol to form xylulose 5-phosphate. L-arabitol is converted into L-xylulose, which is then phosphorylated to L-xylulose-5-phosphate. This is converted to D-xylulose-5-phosphate via the intermediate L-ribulose-5-phosphate. [MetaCyc:LARABITOLUTIL-PWY]' - }, - 'GO:0019592': { - 'name': 'mannitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mannitol, the alditol derived from D-mannose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0019593': { - 'name': 'mannitol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mannitol, the alditol derived from D-mannose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0019594': { - 'name': 'mannitol metabolic process', - 'def': 'The chemical reactions and pathways involving mannitol, the alditol derived from D-mannose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0019595': { - 'name': 'non-phosphorylated glucose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of non-phosphorylated forms of glucose. [GOC:ai]' - }, - 'GO:0019596': { - 'name': 'mandelate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mandelate, the anion of mandelic acid. Mandelic acid (alpha-hydroxybenzeneacetic acid) is an 8-carbon alpha-hydroxy acid (AHA) that is used in organic chemistry and as a urinary antiseptic. [GOC:go_curators]' - }, - 'GO:0019597': { - 'name': '(R)-mandelate catabolic process to benzoate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (R)-mandelate into other compounds, including benzoate. [GOC:go_curators]' - }, - 'GO:0019598': { - 'name': '(R)-mandelate catabolic process to catechol', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (R)-mandelate into other compounds, including catechol. [GOC:go_curators]' - }, - 'GO:0019599': { - 'name': '(R)-4-hydroxymandelate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (R)-4-hydroxymandelate, the anion of (R)-4-hydroxymandelic acid. [GOC:ai]' - }, - 'GO:0019600': { - 'name': 'toluene oxidation', - 'def': 'The chemical reactions and pathways resulting in the loss of electrons from one or more atoms in toluene. [GOC:mah]' - }, - 'GO:0019601': { - 'name': 'toluene oxidation via 2-hydroxytoluene', - 'def': 'The degradation of toluene to form pyruvate and acetaldehyde; the first step in the pathway is the oxidation of toluene to form 2-hydroxytoluene (o-cresol). [MetaCyc:TOLUENE-DEG-2-OH-PWY]' - }, - 'GO:0019602': { - 'name': 'toluene oxidation via 3-hydroxytoluene', - 'def': 'The degradation of toluene to form pyruvate and acetaldehyde; the first step in the pathway is the oxidation of toluene to form 3-hydroxytoluene (m-cresol). [MetaCyc:TOLUENE-DEG-3-OH-PWY]' - }, - 'GO:0019603': { - 'name': 'toluene oxidation via 4-hydroxytoluene', - 'def': 'The degradation of toluene to form p-hydroxybenzoate; the first step in the pathway is the oxidation of toluene to form 4-hydroxytoluene (4-cresol). [MetaCyc:TOLUENE-DEG-4-OH-PWY]' - }, - 'GO:0019604': { - 'name': 'toluene oxidation to catechol', - 'def': 'The formation from toluene of catechol, dihydroxybenzene, by successive oxidations followed by loss of carbon dioxide (CO2). [MetaCyc:TOLUENE-DEG-CATECHOL-PWY]' - }, - 'GO:0019605': { - 'name': 'butyrate metabolic process', - 'def': 'The chemical reactions and pathways involving any butyrate, the anions of butyric acid (butanoic acid), a saturated, unbranched aliphatic acid. [ISBN:0198506732]' - }, - 'GO:0019606': { - 'name': '2-oxobutyrate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-oxobutyrate, the anion of the organic acid 2-oxobutyric acid, which contains a ketone group on carbon 2. [ISBN:0198506732]' - }, - 'GO:0019607': { - 'name': 'phenylethylamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenylethylamine, an amine with pharmacological properties similar to those of amphetamine, occurs naturally as a neurotransmitter in the brain, and is present in chocolate and oil of bitter almonds. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0019608': { - 'name': 'nicotine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nicotine, (S)(-)-3-(1-methyl-2-pyrrolidinyl)pyridine. [GOC:sm, ISBN:0198547684]' - }, - 'GO:0019609': { - 'name': '3-hydroxyphenylacetate metabolic process', - 'def': 'The chemical reactions and pathways involving 3-hydroxyphenylacetate, 1,3-benzenediol monoacetate, also known as resorcinol monoacetate. [http://chemfinder.cambridgesoft.com/]' - }, - 'GO:0019610': { - 'name': '3-hydroxyphenylacetate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3-hydroxyphenylacetate, 1,3-benzenediol monoacetate, also known as resorcinol monoacetate. [http://chemfinder.cambridgesoft.com/]' - }, - 'GO:0019611': { - 'name': '4-toluenecarboxylate metabolic process', - 'def': 'The chemical reactions and pathways involving 4-toluenecarboxylate, 4-methylbenzenecarboxylate, the anion of carboxylic acid attached to a methylbenzene molecule. [GOC:ai]' - }, - 'GO:0019612': { - 'name': '4-toluenecarboxylate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 4-toluenecarboxylate, 4-methylbenzenecarboxylate, the anion of carboxylic acid attached to a methylbenzene molecule. [GOC:ai]' - }, - 'GO:0019614': { - 'name': 'catechol-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of catechol-containing compounds. Catechol is a compound containing a pyrocatechol nucleus or substituent. [GOC:go_curators]' - }, - 'GO:0019615': { - 'name': 'catechol catabolic process, ortho-cleavage', - 'def': 'The chemical reactions and pathways resulting in the breakdown of catechol via the ortho-cleavage pathway, in which the catechol aromatic ring is broken between the two carbon atoms bearing hydroxyl groups. [GOC:jl, http://www.ence.umd.edu/]' - }, - 'GO:0019616': { - 'name': 'catechol catabolic process, meta-cleavage', - 'def': 'The chemical reactions and pathways resulting in the breakdown of catechol via the meta-cleavage pathway, in which the catechol aromatic ring is broken between a hydroxylated carbon atom and an adjacent unsubstituted carbon atom. [GOC:jl, http://www.ence.umd.edu/]' - }, - 'GO:0019617': { - 'name': 'protocatechuate catabolic process, meta-cleavage', - 'def': 'The chemical reactions and pathways resulting in the breakdown of protocatechuate, the anion of 3,4-dihydroxybenzoic acid, to yield oxaloacetate and pyruvate. [MetaCyc:P184-PWY]' - }, - 'GO:0019618': { - 'name': 'protocatechuate catabolic process, ortho-cleavage', - 'def': 'The chemical reactions and pathways resulting in the breakdown of protocatechuate, the anion of 3,4-dihydroxybenzoic acid, to yield beta-ketoadipate. [MetaCyc:PROTOCATECHUATE-ORTHO-CLEAVAGE-PWY]' - }, - 'GO:0019619': { - 'name': '3,4-dihydroxybenzoate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3,4-dihydroxybenzoate. [GOC:ai]' - }, - 'GO:0019620': { - 'name': 'aerobic benzoate metabolic process', - 'def': 'The chemical reactions and pathways involving benzoate, the anion of benzoic acid (benzenecarboxylic acid) that occur in the presence of oxygen. [GOC:ai]' - }, - 'GO:0019621': { - 'name': 'creatinine catabolic process to formate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of creatinine into other compounds, including formate. [GOC:go_curators]' - }, - 'GO:0019622': { - 'name': '3-(3-hydroxy)phenylpropionate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3-(3-hydroxy)phenylpropionate, a hydroxylated derivative of phenylpropionate. [GOC:ai]' - }, - 'GO:0019623': { - 'name': 'atrazine catabolic process to urea', - 'def': 'The chemical reactions and pathways resulting in the breakdown of atrazine, a triazine ring-containing herbicide, into urea. [GOC:jl]' - }, - 'GO:0019624': { - 'name': 'atrazine catabolic process to isopropylamine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of atrazine, a triazine ring-containing herbicide, into isopropylamine. [GOC:jl]' - }, - 'GO:0019625': { - 'name': 'atrazine catabolic process to cyanuric acid', - 'def': 'The chemical reactions and pathways resulting in the breakdown of atrazine, a triazine ring-containing herbicide, into cyanuric acid. [GOC:jl]' - }, - 'GO:0019626': { - 'name': 'short-chain fatty acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fatty acids with a chain length of less than C6. [CHEBI:26666, ISBN:0198506732]' - }, - 'GO:0019627': { - 'name': 'urea metabolic process', - 'def': 'The chemical reactions and pathways involving urea, the water soluble compound O=C-(NH2)2. [ISBN:0198506732]' - }, - 'GO:0019628': { - 'name': 'urate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of urate, the anion of uric acid, 2,6,8-trioxypurine. [ISBN:0198506732]' - }, - 'GO:0019629': { - 'name': 'propionate catabolic process, 2-methylcitrate cycle', - 'def': 'The chemical reactions and pathways resulting in the breakdown of propionate that occurs in the 2-methylcitrate cycle. [GOC:go_curators]' - }, - 'GO:0019630': { - 'name': 'quinate metabolic process', - 'def': 'The chemical reactions and pathways involving quinate, the anion of quinic acid. The acid occurs commonly in plants, either free or as esters, and is used as a medicine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019631': { - 'name': 'quinate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of quinate, the anion of quinic acid. [GOC:jl]' - }, - 'GO:0019632': { - 'name': 'shikimate metabolic process', - 'def': 'The chemical reactions and pathways involving shikimate, (3R,4S,5R)--3,4,5-trihydroxycyclohex-1-ene-1-carboxylate, the anion of shikimic acid. It is an important intermediate in the biosynthesis of aromatic amino acids. [CHEBI:36208, GOC:sm, ISBN:0198547684]' - }, - 'GO:0019633': { - 'name': 'shikimate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of shikimate, (3R,4S,5R)--3,4,5-trihydroxycyclohex-1-ene-1-carboxylate, the anion of shikimic acid. [CHEBI:36208, GOC:go_curators]' - }, - 'GO:0019634': { - 'name': 'organic phosphonate metabolic process', - 'def': 'The chemical reactions and pathways involving phosphonates, any organic compounds containing one or more C-PO(OH)2 or C-PO(OR)2 (with R=alkyl, aryl) groups. Metabolism of phosphonic acid itself, an inorganic compound without the biochemically relevant C-P bond, is not included. [GOC:js, ISBN:0721662544]' - }, - 'GO:0019635': { - 'name': '2-aminoethylphosphonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-aminoethylphosphonate, also known as ciliatine. [GOC:ai]' - }, - 'GO:0019636': { - 'name': 'phosphonoacetate metabolic process', - 'def': 'The chemical reactions and pathways involving phosphonoacetate, C2H4PO5, a substance composed of an acetate and a phosphonic acid residue. [MetaCyc:P483-PWY]' - }, - 'GO:0019637': { - 'name': 'organophosphate metabolic process', - 'def': 'The chemical reactions and pathways involving organophosphates, any phosphate-containing organic compound. [ISBN:0198506732]' - }, - 'GO:0019638': { - 'name': '6-hydroxycineole metabolic process', - 'def': 'The chemical reactions and pathways involving 6-hydroxycineole (6-hydroxy-1,8-epoxy-p-menthane), a hydrocarbon with the formula C10H18O2. [GOC:ai]' - }, - 'GO:0019639': { - 'name': '6-hydroxycineole catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 6-hydroxycineole (6-hydroxy-1,8-epoxy-p-menthane), a hydrocarbon with the formula C10H18O2. [GOC:ai]' - }, - 'GO:0019640': { - 'name': 'glucuronate catabolic process to xylulose 5-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucuronate into other compounds, including xylulose 5-phosphate. [GOC:go_curators]' - }, - 'GO:0019643': { - 'name': 'reductive tricarboxylic acid cycle', - 'def': 'A pathway leading to the fixation of two molecules of CO2 and the production of one molecule of acetyl-CoA; essentially the oxidative TCA cycle running in reverse. Acetyl-CoA is reductively carboxylated to pyruvate, from which all other central metabolites can be formed. Most of the enzymes of reductive and oxidative TCA cycle are shared, with the exception of three key enzymes that allow the cycle to run in reverse: ATP citrate lyase, 2-oxoglutarate:ferredoxin oxidoreductase, and fumarate reductase. 2-oxoglutarate:ferredoxin oxidoreductase catalyzes the carboxylation of succinyl-CoA to 2-oxoglutarate, ATP citrate lyase the ATP-dependent cleavage of citrate to acetyl-CoA and oxaloacetate, and fumarate reductase the reduction of fumarate forming succinate. [GOC:jl, PMID:15838028]' - }, - 'GO:0019645': { - 'name': 'anaerobic electron transport chain', - 'def': 'A process in which a series of electron carriers operate together to transfer electrons from donors such as NADH and FADH2 to any of several different terminal electron acceptors other than oxygen to generate a transmembrane electrochemical gradient. [GOC:ai, GOC:mtg_electron_transport]' - }, - 'GO:0019646': { - 'name': 'aerobic electron transport chain', - 'def': 'A process in which a series of electron carriers operate together to transfer electrons from donors such as NADH and FADH2 to oxygen to generate a transmembrane electrochemical gradient. [GOC:ai, GOC:mtg_electron_transport]' - }, - 'GO:0019647': { - 'name': 'formaldehyde assimilation via ribulose monophosphate cycle', - 'def': 'The pathway in which formaldehyde is used as a carbon source in the ribulose monophosphate cycle. Methanotrophic bacteria produce formaldehyde from the oxidation of methane and methanol, and then assimilate it via the ribulose monophosphate cycle to form intermediates of the central metabolic routes that are subsequently used for biosynthesis of cell material. Three molecules of formaldehyde are assimilated, forming a three-carbon intermediate of central metabolism; in this pathway, all cellular carbon is assimilated at the oxidation level of formaldehyde. [MetaCyc:PWY-1861]' - }, - 'GO:0019648': { - 'name': 'formaldehyde assimilation via xylulose monophosphate cycle', - 'def': 'The pathway in which formaldehyde is used as a carbon source in the xylulose monophosphate cycle. Methylotrophic yeasts, but not bacteria, utilize the xylulose monophosphate cycle to fix formaldehyde and convert it into metabolically useful organic compounds. [MetaCyc:P185-PWY]' - }, - 'GO:0019649': { - 'name': 'formaldehyde assimilation', - 'def': 'The pathways in which formaldehyde is processed and used as a carbon source for the cell. [GOC:ai]' - }, - 'GO:0019650': { - 'name': 'glycolytic fermentation to butanediol', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glucose into butanediol; effected by some members of the Enterobacteriaceae, e.g. Enterobacter, Erwinia, Klebsiella, and Serratia. [GOC:dph, GOC:nr, ISBN:0198506732]' - }, - 'GO:0019651': { - 'name': 'citrate catabolic process to diacetyl', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of citrate to diacetyl, yielding energy in the form of ATP. [MetaCyc:P126-PWY]' - }, - 'GO:0019652': { - 'name': 'lactate fermentation to propionate and acetate', - 'def': 'The anaerobic enzymatic conversion of lactate to propionate, concomitant with the oxidation of lactate to acetate and CO2 and yielding energy in the form of adenosine triphosphate (ATP). [GOC:jl, MetaCyc:PROPFERM-PWY]' - }, - 'GO:0019653': { - 'name': 'anaerobic purine nucleobase catabolic process', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of purine nucleobases, yielding energy in the form of ATP. [CHEBI:26386, GOC:mah]' - }, - 'GO:0019654': { - 'name': 'acetate fermentation', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of acetate, yielding energy in the form of ATP. [CHEBI:30089, GOC:jl, MetaCyc:P142-PWY]' - }, - 'GO:0019655': { - 'name': 'glycolytic fermentation to ethanol', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glucose; it is converted into ethanol and carbon dioxide (CO2), producing two molecules of ATP for each molecule of glucose. [GOC:dph, GOC:nr, ISBN:0716720094]' - }, - 'GO:0019656': { - 'name': 'glucose catabolic process to D-lactate and ethanol', - 'def': 'The anaerobic chemical reactions and pathways resulting in the enzymatic breakdown of D-glucose to D-lactate and ethanol, yielding energy in the form of adenosine triphosphate (ATP) at the rate of one ATP per glucose molecule. [GOC:jl, MetaCyc:P122-PWY]' - }, - 'GO:0019657': { - 'name': 'glycolytic fermentation to propionate', - 'def': 'Glycolytic fermentation resulting in the catabolism of glucose to propionate, yielding energy in the form of ATP; an alternative to the acrylate pathway to produce propionate. [GOC:dph, GOC:nr, MetaCyc:P108-PWY]' - }, - 'GO:0019658': { - 'name': 'glucose fermentation to lactate and acetate', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glucose to lactate and acetate, yielding energy in the form of ATP. [MetaCyc:P124-PWY]' - }, - 'GO:0019659': { - 'name': 'glucose catabolic process to lactate', - 'def': 'The anaerobic enzymatic chemical reactions and pathways resulting in the breakdown of glucose to lactate, and possibly ethanol, yielding energy in the form of adenosine triphosphate (ATP). [GOC:jl]' - }, - 'GO:0019660': { - 'name': 'glycolytic fermentation', - 'def': 'Fermentation that includes the anaerobic conversion of glucose to pyruvate via the glycolytic pathway. [GOC:curators]' - }, - 'GO:0019661': { - 'name': 'glucose catabolic process to lactate via pyruvate', - 'def': 'The anaerobic enzymatic chemical reactions and pathways resulting in the breakdown of glucose to lactate, via canonical glycolysis, yielding energy in the form of adenosine triphosphate (ATP). [GOC:jl]' - }, - 'GO:0019662': { - 'name': 'non-glycolytic fermentation', - 'def': 'Fermentation that does not include the anaerobic conversion of glucose to pyruvate via the glycolytic pathway. [GOC:jl, MetaCyc:Fermentation]' - }, - 'GO:0019664': { - 'name': 'mixed acid fermentation', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glucose into ethanol, lactate, formate, succinate, and acetate, yielding energy in the form of ATP. [MetaCyc:FERMENTATION-PWY, PMID:124925502]' - }, - 'GO:0019665': { - 'name': 'anaerobic amino acid catabolic process', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of amino acids, yielding energy in the form of ATP. [GOC:curators, GOC:jl, MetaCyc:Fermentation]' - }, - 'GO:0019666': { - 'name': 'nitrogenous compound fermentation', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of a nitrogen-containing compound, yielding energy in the form of ATP. [GOC:mah]' - }, - 'GO:0019667': { - 'name': 'anaerobic L-alanine catabolic process', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of L-alanine, yielding energy in the form of ATP. [GOC:jl]' - }, - 'GO:0019668': { - 'name': 'anaerobic catabolism of pairs of amino acids', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of amino acids; in these reactions, one amino acid is oxidised (acts as an electron donor) and a different amino acid is reduced (acts as an electron acceptor); oxidation of the electron-donating amino acid yields energy in the form of ATP. [GOC:mah, PMID:13140081]' - }, - 'GO:0019669': { - 'name': 'anaerobic glycine catabolic process', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glycine, yielding energy in the form of ATP. [GOC:jl]' - }, - 'GO:0019670': { - 'name': 'anaerobic glutamate catabolic process', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glutamate, yielding energy in the form of ATP. [GOC:jl]' - }, - 'GO:0019671': { - 'name': 'glutamate catabolic process via mesaconate and citramalate', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glutamate via the intermediates mesaconate and S-citramalate, yielding energy in the form of ATP. [MetaCyc:GLUDEG-II-PWY]' - }, - 'GO:0019672': { - 'name': 'ethanol-acetate fermentation to butyrate and caproate', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of ethanol and acetate to butyrate and caproate, yielding energy in the form of ATP. [MetaCyc:P127-PWY]' - }, - 'GO:0019673': { - 'name': 'GDP-mannose metabolic process', - 'def': 'The chemical reactions and pathways involving GDP-mannose, a substance composed of mannose in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0019674': { - 'name': 'NAD metabolic process', - 'def': 'The chemical reactions and pathways involving nicotinamide adenine dinucleotide (NAD), a coenzyme present in most living cells and derived from the B vitamin nicotinic acid. [GOC:jl, ISBN:0618254153]' - }, - 'GO:0019675': { - 'name': 'obsolete NAD phosphorylation and dephosphorylation', - 'def': 'OBSOLETE. The addition or removal of a phosphate group from nicotinamide adenine dinucleotide (NAD), a coenzyme present in most living cells and derived from the B vitamin nicotinic acid. [GOC:jl, ISBN:0618254153]' - }, - 'GO:0019676': { - 'name': 'ammonia assimilation cycle', - 'def': 'The pathway by which ammonia is processed and incorporated into a cell. In an energy-rich (glucose-containing), nitrogen-poor environment, glutamine synthetase and glutamate synthase form an ammonia assimilatory cycle, in which ammonia is incorporated into L-glutamate to form L-glutamine, which then combines with alpha-ketoglutarate to regenerate L-glutamate. This ATP-dependent cycle is essential for nitrogen-limited growth and for steady-state growth with some sources of nitrogen. [MetaCyc:AMMASSIM-PWY]' - }, - 'GO:0019677': { - 'name': 'NAD catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nicotinamide adenine dinucleotide, a coenzyme present in most living cells and derived from the B vitamin nicotinic acid; catabolism may be of either the oxidized form, NAD, or the reduced form, NADH. [GOC:jl, ISBN:0618254153]' - }, - 'GO:0019678': { - 'name': 'propionate metabolic process, methylmalonyl pathway', - 'def': 'The chemical reactions and pathways involving propionate that occur in the methylmalonyl pathway. [GOC:go_curators]' - }, - 'GO:0019679': { - 'name': 'propionate metabolic process, methylcitrate cycle', - 'def': 'The chemical reactions and pathways involving propionate that occur in the methylcitrate cycle. [GOC:go_curators]' - }, - 'GO:0019680': { - 'name': 'L-methylmalonyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-methylmalonyl-CoA, the L-enantiomer of 2-carboxypropanoyl-CoA. [GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0019681': { - 'name': 'acetyl-CoA assimilation pathway', - 'def': 'The pathways by which acetyl-CoA is processed and converted into alpha-ketoglutarate (2-oxoglutarate); methanogenic archaea use these pathways to assimilate acetyl-CoA into the cell. [MetaCyc:P22-PWY]' - }, - 'GO:0019682': { - 'name': 'glyceraldehyde-3-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving glyceraldehyde-3-phosphate, an important intermediate in glycolysis. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0019683': { - 'name': 'glyceraldehyde-3-phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glyceraldehyde-3-phosphate, an important intermediate in glycolysis. [ISBN:0198506732]' - }, - 'GO:0019684': { - 'name': 'photosynthesis, light reaction', - 'def': 'The light reactions of photosynthesis, which take place in photosystems II and I. Light energy is harvested and used to power the transfer of electrons among a series of electron donors and acceptors. The final electron acceptor is NADP+, which is reduced to NADPH. NADPH generated from light reactions is used in sugar synthesis in dark reactions. Light reactions also generate a proton motive force across the thylakoid membrane, and the proton gradient is used to synthesize ATP. There are two chemical reactions involved in the light reactions: water oxidation in photosystem II, and NADP reduction in photosystem I. [http://www.arabidopsis.org]' - }, - 'GO:0019685': { - 'name': 'photosynthesis, dark reaction', - 'def': "A complex cycle of enzyme-mediated reactions which catalyzes the reduction of carbon dioxide to sugar. As well as carbon dioxide the cycle requires reducing power in the form of reduced nicotinamide adenine dinucleotide phosphate (NADP) and chemical energy in the form of adenosine triphosphate (ATP). The reduced NADP (NADPH) and ATP are produced by the 'light' reactions. [ISBN:0582015952]" - }, - 'GO:0019686': { - 'name': 'purine nucleoside interconversion', - 'def': 'The chemical reactions and pathways by which a purine nucleoside is synthesized from another purine nucleoside. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0019687': { - 'name': 'pyruvate biosynthetic process from acetate', - 'def': 'The chemical reactions and pathways resulting in the formation of pyruvate from other compounds, including acetate. [GOC:go_curators]' - }, - 'GO:0019688': { - 'name': 'purine deoxyribonucleoside interconversion', - 'def': 'The chemical reactions and pathways by which a purine deoxyribonucleoside is synthesized from another purine deoxyribonucleoside. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0019689': { - 'name': 'pyrimidine nucleoside interconversion', - 'def': 'The chemical reactions and pathways by which a pyrimidine nucleoside is synthesized from another pyrimidine nucleoside. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0019690': { - 'name': 'pyrimidine deoxyribonucleoside interconversion', - 'def': 'The chemical reactions and pathways by which a pyrimidine deoxyribonucleoside is synthesized from another deoxyribopyrimidine nucleoside. [GOC:mah, ISBN:0306444747, ISBN:0471394831]' - }, - 'GO:0019692': { - 'name': 'deoxyribose phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving deoxyribose phosphate, the phosphorylated sugar 2-deoxy-erythro-pentose. [ISBN:0198506732]' - }, - 'GO:0019693': { - 'name': 'ribose phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving ribose phosphate, any phosphorylated ribose sugar. [GOC:ai]' - }, - 'GO:0019694': { - 'name': 'alkanesulfonate metabolic process', - 'def': 'The chemical reactions and pathways involving alkanesulfonates, the anion of alkanesulfonic acids, sulfonic acid derivatives containing an aliphatic hydrocarbon group. [GOC:ai]' - }, - 'GO:0019695': { - 'name': 'choline metabolic process', - 'def': 'The chemical reactions and pathways involving choline (2-hydroxyethyltrimethylammonium), an amino alcohol that occurs widely in living organisms as a constituent of certain types of phospholipids and in the neurotransmitter acetylcholine. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0019696': { - 'name': 'toluene oxidation via toluene-cis-1,2-dihydrodiol', - 'def': 'The degradation of toluene to form pyruvate and acetaldehyde; the first step in the pathway is the oxidation of toluene to form toluene-cis-1,2-dihydrodiol. [MetaCyc:TOLUENE-DEG-DIOL-PWY]' - }, - 'GO:0019697': { - 'name': 'L-xylitol catabolic process to xylulose 5-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-xylitol to form xylulose 5-phosphate. L-xylitol is converted into L-xylulose, which is then phosphorylated to L-xylulose-5-phosphate. This is converted to D-xylulose-5-phosphate via the intermediate L-ribulose-5-phosphate. [MetaCyc:LARABITOLUTIL-PWY]' - }, - 'GO:0019698': { - 'name': 'D-galacturonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-galacturonate, the D-enantiomer of galacturonate, the anion of galacturonic acid. [GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0019700': { - 'name': 'organic phosphonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphonates, any organic compound containing one or more C-PO(OH)2 or C-PO(OR)2 (with R=alkyl, aryl) groups. Catabolism of phosphonic acid itself, an inorganic compound without the biochemically relevant C-P bond, is not included. [GOC:js]' - }, - 'GO:0019701': { - 'name': 'peptidyl-arginine N5-methylation', - 'def': 'The methylation of peptidyl-arginine on the internal nitrogen-5 (N5) atom (also called delta-nitrogen) to form peptidyl-N5-methyl-L-arginine. [GOC:bf, PMID:9792625, RESID:AA0305]' - }, - 'GO:0019702': { - 'name': 'protein-arginine N5-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to the delta-nitrogen atom of peptidyl-arginine residues. The reaction is S-adenosyl-L-methionine + [protein]-L-arginine = S-adenosyl-L-homocysteine + [protein]-N5-methyl-L-arginine. [EC:2.1.1.322, PMID:9873020]' - }, - 'GO:0019703': { - 'name': 'coenzyme A-peptidyl-cysteine covalent linking', - 'def': 'The covalent linkage of coenzyme A and peptidyl-cysteine to form L-cysteine coenzyme A disulfide. [RESID:AA0306]' - }, - 'GO:0019704': { - 'name': 'peptidyl-S-myristoyl-L-cysteine biosynthetic process from peptidyl-cysteine', - 'def': 'The modification of peptidyl-cysteine to form peptidyl-S-myristoyl-L-cysteine. [RESID:AA0307]' - }, - 'GO:0019705': { - 'name': 'protein-cysteine S-myristoyltransferase activity', - 'def': 'Catalysis of the transfer of a myristoyl group to a sulfur atom on a cysteine residue of a protein molecule. [GOC:ai]' - }, - 'GO:0019706': { - 'name': 'protein-cysteine S-palmitoyltransferase activity', - 'def': 'Catalysis of the transfer of a palmitoyl group to a sulfur atom on the cysteine of a protein molecule. [EC:2.3.1.225, GOC:ai, GOC:pr]' - }, - 'GO:0019707': { - 'name': 'protein-cysteine S-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group to a sulfur atom on the cysteine of a protein molecule. [GOC:ai]' - }, - 'GO:0019708': { - 'name': 'peptidyl-glycine cholesteryl ester biosynthesis from peptidyl-glycine', - 'def': 'The synthesis of peptidyl-glycine cholest-5-en-3-beta-ol ester at the carboxy-terminus of autolytically cleaved proteins. [RESID:AA0309]' - }, - 'GO:0019709': { - 'name': 'iron incorporation into iron-sulfur cluster via pentakis-L-cysteinyl L-histidino nickel tetrairon pentasulfide', - 'def': 'The incorporation of iron into a nickel-iron-sulfur cluster via pentakis-L-cysteinyl L-histidino nickel tetrairon pentasulfide, found in carbon monoxide dehydrogenase. [RESID:AA0310]' - }, - 'GO:0019710': { - 'name': 'peptidyl-asparagine methylation', - 'def': 'The methylation of peptidyl-asparagine to form peptidyl-N4-methyl-L-asparagine or peptidyl-N4,N4-dimethyl-L-asparagine. [RESID:AA0070, RESID:AA0311]' - }, - 'GO:0019711': { - 'name': 'peptidyl-beta-carboxyaspartic acid biosynthetic process from peptidyl-aspartic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of peptidyl-beta-carboxyaspartic acid from other compounds, including peptidyl-aspartic acid. [GOC:go_curators]' - }, - 'GO:0019712': { - 'name': 'peptidyl-L-glutamic acid 5-methyl ester biosynthetic process from glutamic acid', - 'def': 'The methyl esterification of peptidyl-glutamic acid. [RESID:AA0072]' - }, - 'GO:0019713': { - 'name': 'peptidyl-L-glutamic acid 5-methyl ester biosynthetic process from glutamine', - 'def': 'The coupled methyl esterification and deamidation of peptidyl-glutamine. [RESID:AA0072]' - }, - 'GO:0019714': { - 'name': 'peptidyl-glutamine esterification', - 'def': 'The addition of an ester group to a glutamine residue in a protein. [GOC:mah]' - }, - 'GO:0019715': { - 'name': 'peptidyl-aspartic acid hydroxylation to form L-erythro-beta-hydroxyaspartic acid', - 'def': 'The hydroxylation of peptidyl-aspartic acid to form peptidyl-L-erythro-beta-hydroxyaspartic acid; catalyzed by peptide-aspartate beta-dioxygenase (EC:1.14.11.16). [RESID:AA0027]' - }, - 'GO:0019716': { - 'name': 'N-terminal peptidyl-alanine monomethylation', - 'def': 'The monomethylation of the N-terminal alanine of proteins to form the derivative peptidyl-N-methyl-L-alanine. [RESID:AA0061]' - }, - 'GO:0019717': { - 'name': 'obsolete synaptosome', - 'def': 'OBSOLETE: Any of the discrete particles (nerve-ending particles) formed from the clublike presynaptic nerve endings that resist disruption and are snapped or torn off their attachments when brain tissue is homogenized in media isosmotic to plasma. [ISBN:0198506732]' - }, - 'GO:0019718': { - 'name': 'obsolete rough microsome', - 'def': 'OBSOLETE: Vesicular particles formed from disrupted endoplasmic reticulum membranes and studded with ribosomes on the outside. [ISBN:0198506732]' - }, - 'GO:0019719': { - 'name': 'obsolete smooth microsome', - 'def': 'OBSOLETE: Vesicular particles formed from disrupted endoplasmic reticulum and plasma membranes without any adhering ribosomes. [ISBN:0198506732]' - }, - 'GO:0019720': { - 'name': 'Mo-molybdopterin cofactor metabolic process', - 'def': 'The chemical reactions and pathways involving the Mo-molybdopterin cofactor, essential for the catalytic activity of some enzymes. The cofactor consists of a mononuclear molybdenum (Mo) ion coordinated by one or two molybdopterin ligands. [http://www.sunysb.edu/biochem/BIOCHEM/facultypages/schindelin/, ISSN:09498257]' - }, - 'GO:0019722': { - 'name': 'calcium-mediated signaling', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell via calcium ions. [GOC:signaling]' - }, - 'GO:0019724': { - 'name': 'B cell mediated immunity', - 'def': 'Any process involved with the carrying out of an immune response by a B cell, through, for instance, the production of antibodies or cytokines, or antigen presentation to T cells. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0019725': { - 'name': 'cellular homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state at the level of the cell. [GOC:isa_complete, GOC:jl, ISBN:0395825172]' - }, - 'GO:0019726': { - 'name': 'mevaldate reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: (R)-mevalonate + NADP(+) = H(+) + mevaldate + NADPH. [EC:1.1.1.33, RHEA:20196]' - }, - 'GO:0019727': { - 'name': 'mevaldate reductase (NAD+) activity', - 'def': 'Catalysis of the reaction: (R)-mevalonate + NAD(+) = H(+) + mevaldate + NADH. [EC:1.1.1.32, RHEA:13224]' - }, - 'GO:0019728': { - 'name': 'peptidyl-allysine oxidation to 2-aminoadipic acid', - 'def': 'The oxidation of allysine to 2-aminoadipic acid. [RESID:AA0122]' - }, - 'GO:0019729': { - 'name': 'peptide cross-linking via 2-imino-glutaminyl-5-imidazolinone glycine', - 'def': 'The formation of the fluorescent protein FP583 chromophore cross-link from the alpha-carboxyl carbon of residue n, a glutamine, to the alpha-amino nitrogen of residue n+2, a glycine, and a dehydration to form a double bond to the alpha-amino nitrogen of residue n+1. This cross-linking is coupled with a dehydrogenation of residue n+1 to form a double bond between the alpha and beta carbons. [RESID:AA0189]' - }, - 'GO:0019730': { - 'name': 'antimicrobial humoral response', - 'def': 'An immune response against microbes mediated through a body fluid. Examples of this process are seen in the antimicrobial humoral response of Drosophila melanogaster and Mus musculus. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0019731': { - 'name': 'antibacterial humoral response', - 'def': 'An immune response against bacteria mediated through a body fluid. Examples of this process are the antibacterial humoral responses in Mus musculus and Drosophila melanogaster. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0019732': { - 'name': 'antifungal humoral response', - 'def': 'An immune response against a fungus mediated through a body fluid. An example of this process is the antifungal humoral response in Drosophila melanogaster. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0019736': { - 'name': 'peptidyl-sarcosine incorporation', - 'def': 'The incorporation of sarcosine (N-methylglycine) into non-coded peptides. [RESID:AA0063]' - }, - 'GO:0019740': { - 'name': 'nitrogen utilization', - 'def': "A series of processes that forms an integrated mechanism by which a cell or an organism detects the depletion of primary nitrogen source, usually ammonia, and then activates genes to scavenge the last traces of the primary nitrogen source and to transport and metabolize alternative nitrogen sources. The utilization process begins when the cell or organism detects nitrogen levels, includes the activation of genes whose products detect, transport or metabolize nitrogen-containing substances, and ends when nitrogen is incorporated into the cell or organism's metabolism. [GOC:mah, GOC:mlg]" - }, - 'GO:0019741': { - 'name': 'pentacyclic triterpenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pentacyclic triterpenoid compounds, terpenoids with six isoprene units and 5 carbon rings. [ISBN:0198506732]' - }, - 'GO:0019742': { - 'name': 'pentacyclic triterpenoid metabolic process', - 'def': 'The chemical reactions and pathways involving pentacyclic triterpenoid compounds, terpenoids with six isoprene units and 5 carbon rings. [ISBN:0198506732]' - }, - 'GO:0019743': { - 'name': 'hopanoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hopanoids, pentacyclic sterol-like compounds based on the hopane nucleus. [ISBN:0198547684]' - }, - 'GO:0019744': { - 'name': 'hopanoid metabolic process', - 'def': 'The chemical reactions and pathways involving hopanoids, pentacyclic sterol-like compounds based on the hopane nucleus. [ISBN:0198547684]' - }, - 'GO:0019745': { - 'name': 'pentacyclic triterpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pentacyclic triterpenoid compounds, terpenoids with six isoprene units and 5 carbon rings. [ISBN:0198506732]' - }, - 'GO:0019746': { - 'name': 'hopanoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hopanoids, pentacyclic sterol-like compounds based on the hopane nucleus. [ISBN:0198547684]' - }, - 'GO:0019747': { - 'name': 'regulation of isoprenoid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving isoprenoids. [GOC:go_curators]' - }, - 'GO:0019748': { - 'name': 'secondary metabolic process', - 'def': 'The chemical reactions and pathways resulting in many of the chemical changes of compounds that are not necessarily required for growth and maintenance of cells, and are often unique to a taxon. In multicellular organisms secondary metabolism is generally carried out in specific cell types, and may be useful for the organism as a whole. In unicellular organisms, secondary metabolism is often used for the production of antibiotics or for the utilization and acquisition of unusual nutrients. [GOC:go_curators]' - }, - 'GO:0019749': { - 'name': 'cytoskeleton-dependent cytoplasmic transport, nurse cell to oocyte', - 'def': 'The directed movement of substances along cytoskeletal elements, such as microfilaments or microtubules, from a nurse cell to an oocyte. [GOC:ai]' - }, - 'GO:0019750': { - 'name': 'chloroplast localization', - 'def': 'Any process in which a chloroplast is transported to, and/or maintained in, a specific location within the cell. A chloroplast is a chlorophyll-containing plastid found in cells of algae and higher plants. [GOC:bf, GOC:jl, ISBN:0198506732]' - }, - 'GO:0019751': { - 'name': 'polyol metabolic process', - 'def': 'The chemical reactions and pathways involving a polyol, any alcohol containing three or more hydroxyl groups attached to saturated carbon atoms. [CHEBI:26191, GOC:go_curators]' - }, - 'GO:0019752': { - 'name': 'carboxylic acid metabolic process', - 'def': 'The chemical reactions and pathways involving carboxylic acids, any organic acid containing one or more carboxyl (COOH) groups or anions (COO-). [ISBN:0198506732]' - }, - 'GO:0019755': { - 'name': 'one-carbon compound transport', - 'def': 'The directed movement of one-carbon compounds into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0019756': { - 'name': 'cyanogenic glycoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cyanogenic glycosides, any glycoside containing a cyano group that is released as hydrocyanic acid on acid hydrolysis; such compounds occur in the kernels of various fruits. [ISBN:0198506732]' - }, - 'GO:0019757': { - 'name': 'glycosinolate metabolic process', - 'def': 'The chemical reactions and pathways involving glycosinolates, substituted thioglycosides found in rapeseed products and related cruciferae. [GOC:mah, http://www.gardeneaters.net/family_characteristics.html]' - }, - 'GO:0019758': { - 'name': 'glycosinolate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycosinolates, substituted thioglycosides found in rapeseed products and related cruciferae. [GOC:mah, http://www.gardeneaters.net/family_characteristics.html]' - }, - 'GO:0019759': { - 'name': 'glycosinolate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycosinolates, substituted thioglycosides found in rapeseed products and related cruciferae. [GOC:mah, http://www.gardeneaters.net/family_characteristics.html]' - }, - 'GO:0019760': { - 'name': 'glucosinolate metabolic process', - 'def': 'The chemical reactions and pathways involving glucosinolates, substituted thioglucosides found in rapeseed products and related cruciferae. They are metabolized to a variety of toxic products which are most likely the cause of hepatocytic necrosis in animals and humans. [CHEBI:24279, GOC:curators]' - }, - 'GO:0019761': { - 'name': 'glucosinolate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucosinolates, substituted thioglucosides found in rapeseed products and related cruciferae. [GOC:ai]' - }, - 'GO:0019762': { - 'name': 'glucosinolate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucosinolates, substituted thioglucosides found in rapeseed products and related cruciferae. [GOC:ai]' - }, - 'GO:0019763': { - 'name': 'immunoglobulin receptor activity', - 'def': 'Combining with the Fc region of an immunoglobulin protein and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:signaling, ISBN:0198547684]' - }, - 'GO:0019764': { - 'name': 'obsolete high affinity Fc receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:add]' - }, - 'GO:0019765': { - 'name': 'obsolete low affinity Fc receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:add]' - }, - 'GO:0019766': { - 'name': 'IgA receptor activity', - 'def': 'Combining with an immunoglobulin of an IgA isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0019767': { - 'name': 'IgE receptor activity', - 'def': 'Combining with an immunoglobulin of the IgE isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0019768': { - 'name': 'high-affinity IgE receptor activity', - 'def': 'Combining with high affinity with an immunoglobulin of the IgE isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0019769': { - 'name': 'low-affinity IgE receptor activity', - 'def': 'Combining with low affinity with an immunoglobulin of the IgE isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0019770': { - 'name': 'IgG receptor activity', - 'def': 'Combining with an immunoglobulin of an IgG isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0019771': { - 'name': 'high-affinity IgG receptor activity', - 'def': 'Combining with high affinity with an immunoglobulin of an IgG isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0019772': { - 'name': 'low-affinity IgG receptor activity', - 'def': 'Combining with low affinity with an immunoglobulin of an IgG isotype via the Fc region, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0019773': { - 'name': 'proteasome core complex, alpha-subunit complex', - 'def': 'The proteasome core subcomplex that constitutes the two outer rings of the proteasome core complex. An example of this component is found in Mus musculus. [GOC:jl, GOC:mtg_sensu, GOC:rb, PMID:10854779]' - }, - 'GO:0019774': { - 'name': 'proteasome core complex, beta-subunit complex', - 'def': 'The proteasome core subcomplex that constitutes the two inner rings of the proteasome core complex. An example of this component is found in Mus musculus. [GOC:jl, GOC:mtg_sensu, GOC:rb, PMID:10854779]' - }, - 'GO:0019775': { - 'name': 'FAT10 transferase activity', - 'def': 'Catalysis of the transfer of FAT10 from one protein to another via the reaction X-FAT10 + Y --> Y-FAT10 + X, where both X-FAT10 and Y-FAT10 are covalent linkages. [GOC:dph, GOC:mah, PMID:12826404]' - }, - 'GO:0019776': { - 'name': 'Atg8 ligase activity', - 'def': 'Catalysis of the covalent attachment of the ubiquitin-like protein Atg8 to substrate molecules; phosphatidylethanolamine is a known substrate. [GOC:mah, PMID:12826404]' - }, - 'GO:0019777': { - 'name': 'Atg12 transferase activity', - 'def': 'Catalysis of the transfer of ATG12 from one protein to another via the reaction X-ATG12 + Y --> Y-ATG12 + X, where both X-ATG12 and Y-ATG12 are covalent linkages. [GOC:mah, PMID:12826404]' - }, - 'GO:0019778': { - 'name': 'Atg12 activating enzyme activity', - 'def': 'Catalysis of the activation of the small ubiquitin-related modifier APG12, through the formation of an ATP-dependent high-energy thiolester bond. [GOC:mah]' - }, - 'GO:0019779': { - 'name': 'Atg8 activating enzyme activity', - 'def': 'Catalysis of the activation of the small ubiquitin-related modifier APG8, through the formation of an ATP-dependent high-energy thiolester bond. [GOC:mah]' - }, - 'GO:0019780': { - 'name': 'FAT10 activating enzyme activity', - 'def': 'Catalysis of the activation of the small ubiquitin-related modifier FAT10, through the formation of an ATP-dependent high-energy thiolester bond. [GOC:mah]' - }, - 'GO:0019781': { - 'name': 'NEDD8 activating enzyme activity', - 'def': 'Catalysis of the initiation of the NEDD8 (RUB1) conjugation cascade. [PMID:12646924]' - }, - 'GO:0019782': { - 'name': 'ISG15 activating enzyme activity', - 'def': 'Catalysis of the activation of the small ubiquitin-related modifier ISG15, through the formation of an ATP-dependent high-energy thiolester bond. [GOC:mah]' - }, - 'GO:0019783': { - 'name': 'ubiquitin-like protein-specific protease activity', - 'def': 'Catalysis of the hydrolysis of peptide or isopeptide bonds within small proteins such as ubiquitin or ubiquitin-like proteins (e.g. APG8, ISG15, NEDD8, SUMO), or between the small protein and a larger protein to which it has been conjugated. [GOC:ma, GOC:mah]' - }, - 'GO:0019784': { - 'name': 'NEDD8-specific protease activity', - 'def': 'Catalysis of the hydrolysis of NEDD8, a small ubiquitin-related modifier, from previously neddylated substrates. [GOC:mah]' - }, - 'GO:0019785': { - 'name': 'ISG15-specific protease activity', - 'def': 'Catalysis of the hydrolysis of ISG15, a small ubiquitin-related modifier, from previously modified substrates. [GOC:mah]' - }, - 'GO:0019786': { - 'name': 'Atg8-specific protease activity', - 'def': 'Catalysis of the hydrolysis of APG8, a small ubiquitin-related modifier. [GOC:mah]' - }, - 'GO:0019787': { - 'name': 'ubiquitin-like protein transferase activity', - 'def': 'Catalysis of the transfer of a ubiquitin-like from one protein to another via the reaction X-ULP + Y --> Y-ULP + X, where both X-ULP and Y-ULP are covalent linkages. ULP represents a ubiquitin-like protein. [GOC:mah, GOC:rn, PMID:10806345, PMID:10884686]' - }, - 'GO:0019788': { - 'name': 'NEDD8 transferase activity', - 'def': 'Catalysis of the transfer of NEDD8 from one protein to another via the reaction X-NEDD8 + Y --> Y-NEDD8 + X, where both X-NEDD8 and Y-NEDD8 are covalent linkages. [GOC:mah]' - }, - 'GO:0019789': { - 'name': 'SUMO transferase activity', - 'def': 'Catalysis of the transfer of SUMO from one protein to another via the reaction X-SUMO + Y --> Y-SUMO + X, where both X-SUMO and Y-SUMO are covalent linkages. [GOC:rn, PMID:11031248, PMID:11265250]' - }, - 'GO:0019790': { - 'name': 'obsolete ubiquitin-like hydrolase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0019791': { - 'name': 'obsolete FAT10 hydrolase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0019792': { - 'name': 'obsolete APG12 hydrolase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0019793': { - 'name': 'obsolete ISG15 carrier activity', - 'def': 'OBSOLETE. Catalysis of the transfer of ISG15 (interferon-stimulated gene-15) from one side of the membrane to the other. [GOC:jl, http://www.copewithcytokines.de/]' - }, - 'GO:0019794': { - 'name': 'obsolete nonprotein amino acid metabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways involving any amino acid not found, or rarely found, in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019795': { - 'name': 'obsolete nonprotein amino acid biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of any amino acid that does not normally occur as a constituent residue of proteins. [GOC:ma]' - }, - 'GO:0019796': { - 'name': 'obsolete nonprotein amino acid catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of any amino acid not found, or rarely found, in peptide linkage in proteins. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019797': { - 'name': 'procollagen-proline 3-dioxygenase activity', - 'def': 'Catalysis of the reaction: procollagen L-proline + 2-oxoglutarate + O2 = procollagen trans-3-hydroxy-L-proline + succinate + CO2. [EC:1.14.11.7]' - }, - 'GO:0019798': { - 'name': 'procollagen-proline dioxygenase activity', - 'def': 'Catalysis of the reaction: procollagen L-proline + 2-oxoglutarate + O2 = procollagen trans-hydroxy-L-proline + succinate + CO2. [EC:1.14.11.2, EC:1.14.11.7, GOC:mah]' - }, - 'GO:0019799': { - 'name': 'tubulin N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + (alpha-tubulin) L-lysine = CoA + (alpha-tubulin) N6-acetyl-L-lysine. [EC:2.3.1.108]' - }, - 'GO:0019800': { - 'name': 'peptide cross-linking via chondroitin 4-sulfate glycosaminoglycan', - 'def': 'The formation of a cross-link between peptide chains mediated by a chondroitin 4-sulfate glycosaminoglycan that originates from a typical O-glycosidic link to serine of one chain; the other chain is esterified, via the alpha-carbon of its C-terminal Asp, to C-6 of an internal N-acetylgalactosamine of the glycosaminoglycan chain. [PMID:1898736, RESID:AA0219]' - }, - 'GO:0019801': { - 'name': 'cyclization of asparagine involved in intein-mediated protein splicing', - 'def': 'The cyclization of asparagine to yield an L-aspartimide (otherwise known as alpha-aminosuccinimide) residue at the C-terminus of an excised intein during protein splicing. [RESID:AA0302]' - }, - 'GO:0019802': { - 'name': 'cyclization of glutamine involved in intein-mediated protein splicing', - 'def': 'The cyclization of glutamine to yield an L-glutamimide residue at the C-terminus of an excised intein during protein splicing. [GOC:dph, GOC:tb, RESID:AA0303]' - }, - 'GO:0019803': { - 'name': 'peptidyl-aspartic acid carboxylation', - 'def': 'The carboxylation of peptidyl-aspartic acid to form peptidyl-L-beta-carboxyaspartic acid. [RESID:AA0304]' - }, - 'GO:0019804': { - 'name': 'obsolete quinolinate synthetase complex', - 'def': 'OBSOLETE. A heterodimer which acts as a quinolinate synthetase; quinolinate synthetase B (L-aspartate oxidase) catalyzes the oxidation of L-aspartate to L-iminoaspartate; quinolinate synthetase A condenses L-imidoaspartate and dihydroxyacetone to quinolinate. [UniProtKB:P10902]' - }, - 'GO:0019805': { - 'name': 'quinolinate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of quinolinate, the anion of quinolinic acid, also known as 2,3-pyridinedicarboxylic acid. [GOC:ai]' - }, - 'GO:0019806': { - 'name': 'bromide peroxidase activity', - 'def': 'Catalysis of the reaction: 2 R-H + 2 bromide + hydrogen peroxide = 2 R-Br + 2 H2O. Enzymes with this activity often accept other halide ions as substrates, including chloride and iodide. [EC:1.11.1.10]' - }, - 'GO:0019807': { - 'name': 'aspartoacylase activity', - 'def': 'Catalysis of the reaction: N-acyl-L-aspartate + H2O = a fatty acid anion + L-aspartate. [EC:3.5.1.15]' - }, - 'GO:0019808': { - 'name': 'polyamine binding', - 'def': 'Interacting selectively and non-covalently with polyamines, organic compounds containing two or more amino groups. [GOC:ai]' - }, - 'GO:0019809': { - 'name': 'spermidine binding', - 'def': 'Interacting selectively and non-covalently with spermidine, N-(3-aminopropyl)-1,4-diaminobutane. [GOC:ai]' - }, - 'GO:0019810': { - 'name': 'putrescine binding', - 'def': 'Interacting selectively and non-covalently with putrescine, 1,4-diaminobutane, the polyamine formed by decarboxylation of ornithine and the metabolic precursor of spermidine and spermine. [GOC:ai]' - }, - 'GO:0019811': { - 'name': 'cocaine binding', - 'def': 'Interacting selectively and non-covalently with cocaine (2-beta-carbomethoxy-3-beta-benzoxytropane), an alkaloid obtained from dried leaves of the South American shrub Erythroxylon coca or by chemical synthesis. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019812': { - 'name': 'Type I site-specific deoxyribonuclease complex', - 'def': 'A multisubunit complex composed of two copies of a restriction (R) subunit, two copies of a methylation (M) subunit, and one copy of a specificity (S) subunit. This complex recognizes specific short DNA sequences (through the S subunit), and binds to them. If the recognition site is hemimethylated, the complex acts as a methyltransferase which modifies the recognition site, using S-adenosylmethionine as the methyl donor. Only the M and S subunits are required for this reaction. If the complex binds to an unmethylated recognition site, then the complex translocates the DNA bidirectionally in an ATP-dependent manner. When the translocation is stalled by impact with another complex or unusual DNA structure, the enzyme functions as an endonuclease and cleavage of the DNA will occur, hundreds or thousands of base pairs away from the recognition site. These DNA restriction systems are used by bacteria to defend against phage and other foreign DNA that may enter a cell. [PMID:12654995, PMID:15788748]' - }, - 'GO:0019813': { - 'name': 'Type III site-specific deoxyribonuclease complex', - 'def': 'A heterodimeric enzyme complex composed of two subunits, Res and Mod, that functions as an endonuclease and cleaves DNA. Cleavage will only occur when there are two un-methylated copies of a specific recognition site in an inverse orientation on the DNA. Cleavage occurs at a specific distance away from one of the recognition sites. The Mod subunit can act alone as a methyltansferase. DNA restriction systems such as this are used by bacteria to defend against phage and other foreign DNA that may enter a cell. [PMID:12654995]' - }, - 'GO:0019814': { - 'name': 'immunoglobulin complex', - 'def': 'A protein complex that in its canonical form is composed of two identical immunoglobulin heavy chains and two identical immunoglobulin light chains, held together by disulfide bonds and sometimes complexed with additional proteins. An immunoglobulin complex may be embedded in the plasma membrane or present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, GOC:jl, ISBN:0781765196]' - }, - 'GO:0019815': { - 'name': 'B cell receptor complex', - 'def': 'An immunoglobulin complex that is present in the plasma membrane of B cells and that in its canonical form is composed of two identical immunoglobulin heavy chains and two identical immunoglobulin light chains and a signaling subunit, a heterodimer of the Ig-alpha and Ig-beta proteins. [GOC:add, ISBN:0781735149]' - }, - 'GO:0019816': { - 'name': 'obsolete B cell receptor accessory molecule complex', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0019817': { - 'name': 'vesicle fusion with peroxisome', - 'def': 'The joining of the lipid bilayer membrane around a vesicle with the lipid bilayer membrane around the peroxisome. [GOC:jid]' - }, - 'GO:0019819': { - 'name': 'P1 peroxisome', - 'def': 'A subform of peroxisome that corresponds to an intermediate in a peroxisome assembly pathway, which operates by conversion of peroxisomal subforms in the direction P1, P2 -> P3 -> P4 -> P5 -> P6. P1 peroxisomes are distinguished from the other subforms on the bases of buoyant density and protein content; they contain fewer peroxisomal proteins than the other subforms. [PMID:10629216]' - }, - 'GO:0019820': { - 'name': 'P2 peroxisome', - 'def': 'A subform of peroxisome that corresponds to an intermediate in a peroxisome assembly pathway, which operates by conversion of peroxisomal subforms in the direction P1, P2 -> P3 -> P4 -> P5 -> P6. P2 peroxisomes are distinguished from the other subforms on the bases of buoyant density and protein content; they are the least dense of the subforms observed. [PMID:10629216]' - }, - 'GO:0019821': { - 'name': 'P3 peroxisome', - 'def': 'A subform of peroxisome that corresponds to an intermediate in a peroxisome assembly pathway, which operates by conversion of peroxisomal subforms in the direction P1, P2 -> P3 -> P4 -> P5 -> P6. P3 peroxisomes are formed by fusion of P1 and P2 peroxisomes, and are distinguished from the other subforms on the bases of buoyant density and protein content. [PMID:10629216]' - }, - 'GO:0019822': { - 'name': 'P4 peroxisome', - 'def': 'A subform of peroxisome that corresponds to an intermediate in a peroxisome assembly pathway, which operates by conversion of peroxisomal subforms in the direction P1, P2 -> P3 -> P4 -> P5 -> P6. P4 peroxisomes are distinguished from the other subforms on the bases of buoyant density and protein content. [PMID:10629216]' - }, - 'GO:0019823': { - 'name': 'P5 peroxisome', - 'def': 'A subform of peroxisome that corresponds to an intermediate in a peroxisome assembly pathway, which operates by conversion of peroxisomal subforms in the direction P1, P2 -> P3 -> P4 -> P5 -> P6. P5 peroxisomes are distinguished from the other subforms on the bases of buoyant density and protein content. [PMID:10629216]' - }, - 'GO:0019824': { - 'name': 'P6 peroxisome', - 'def': 'A subform of peroxisome that corresponds to an intermediate in a peroxisome assembly pathway, which operates by conversion of peroxisomal subforms in the direction P1, P2 -> P3 -> P4 -> P5 -> P6. P6 peroxisomes are distinguished from the other subforms on the bases of buoyant density and protein content, and are equivalent to mature peroxisomes. [PMID:10629216]' - }, - 'GO:0019825': { - 'name': 'oxygen binding', - 'def': 'Interacting selectively and non-covalently with oxygen (O2). [GOC:jl]' - }, - 'GO:0019826': { - 'name': 'oxygen sensor activity', - 'def': 'Interacting selectively and non-covalently with and responding, e.g. by conformational change, to changes in the cellular level of oxygen (O2). [GOC:mah]' - }, - 'GO:0019827': { - 'name': 'stem cell population maintenance', - 'def': 'The process by which an organism or tissue maintains a population of stem cells of a single type. This can be achieved by a number of mechanisms: stem cell asymmetric division maintains stem cell numbers; stem cell symmetric division increases them; maintenance of a stem cell niche maintains the conditions for commitment to the stem cell fate for some types of stem cell; stem cells may arise de novo from other cell types. [GOC:mah, ISBN:0878932437]' - }, - 'GO:0019828': { - 'name': 'aspartic-type endopeptidase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of aspartic-type endopeptidases, enzymes that catalyze the hydrolysis of nonterminal peptide bonds in a polypeptide chain; the optimum reaction pH is below 5 due to an aspartic residue involved in the catalytic process. [GOC:ai]' - }, - 'GO:0019829': { - 'name': 'cation-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + cation(out) = ADP + phosphate + cation(in). [GOC:ai]' - }, - 'GO:0019830': { - 'name': 'obsolete cadmium sensitivity/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0019831': { - 'name': 'obsolete chromate sensitivity/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0019832': { - 'name': 'obsolete mercuric sensitivity/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0019833': { - 'name': 'obsolete ice nucleation activity', - 'def': "OBSOLETE. Catalysis of the formation of ice crystals in extracellular fluid at relatively high temperatures (up to -2 degrees C) to protect the organism from damage by intracellular ice formation. Ice nucleation proteins function by binding an ice crystal and then encouraging it to form larger crystals. Ice nucleation is a chemical process but these proteins can positively regulate it. There are two different uses of ice nucleation proteins: bacteria secrete them extracellularly to cause a host organism's cells to freeze and die, and fish use them to protect themselves from intracellular ice formation. [GOC:ai, GOC:jl]" - }, - 'GO:0019834': { - 'name': 'phospholipase A2 inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of the enzyme phospholipase A2. [GOC:ai]' - }, - 'GO:0019835': { - 'name': 'cytolysis', - 'def': 'The rupture of cell membranes and the loss of cytoplasm. [UniProtKB-KW:KW-0204]' - }, - 'GO:0019836': { - 'name': 'hemolysis by symbiont of host erythrocytes', - 'def': 'The cytolytic destruction of red blood cells, with the release of intracellular hemoglobin, in the host organism by a symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:add, UniProtKB-KW:KW-0354]' - }, - 'GO:0019837': { - 'name': 'obsolete herbicide susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0019838': { - 'name': 'growth factor binding', - 'def': 'Interacting selectively and non-covalently with any growth factor, proteins or polypeptides that stimulate a cell or organism to grow or proliferate. [GOC:curators]' - }, - 'GO:0019840': { - 'name': 'isoprenoid binding', - 'def': 'Interacting selectively and non-covalently with any isoprenoid compound, isoprene (2-methylbuta-1,3-diene) or compounds containing or derived from linked isoprene (3-methyl-2-butenylene) residues. [GOC:jl]' - }, - 'GO:0019841': { - 'name': 'retinol binding', - 'def': "Interacting selectively and non-covalently with retinol, vitamin A1, 2,6,6-trimethyl-1-(9'-hydroxy-3',7'-dimethylnona-1',3',5',7'-tetraenyl)cyclohex-1-ene, one of the three components that makes up vitamin A. Retinol is an intermediate in the vision cycle and it also plays a role in growth and differentiation. [CHEBI:50211, GOC:curators]" - }, - 'GO:0019842': { - 'name': 'vitamin binding', - 'def': 'Interacting selectively and non-covalently with a vitamin, one of a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. [GOC:ai]' - }, - 'GO:0019843': { - 'name': 'rRNA binding', - 'def': 'Interacting selectively and non-covalently with ribosomal RNA. [GOC:jl]' - }, - 'GO:0019844': { - 'name': 'obsolete endotoxin activity', - 'def': 'OBSOLETE. The function of any microbial toxin that cannot be easily separated from the structure of the cell. [ISBN:0198506732]' - }, - 'GO:0019845': { - 'name': 'obsolete exotoxin activity', - 'def': 'OBSOLETE. The function of a toxin formed by a microorganism and secreted into the surrounding medium. [ISBN:0198506732]' - }, - 'GO:0019846': { - 'name': 'obsolete enterotoxin activity', - 'def': 'OBSOLETE. Acts as to cause injury to the intestinal mucosa of other living organisms. [ISBN:0198506732]' - }, - 'GO:0019847': { - 'name': 'obsolete neurotoxin activity', - 'def': 'OBSOLETE. Acts to inhibit neural function in another living organism. [GOC:jl]' - }, - 'GO:0019848': { - 'name': 'obsolete conotoxin activity', - 'def': 'OBSOLETE. Acts to inhibit neural function in another organism by inhibiting voltage-gated calcium ion channels and neurotransmitter release. This function is thought to be specific to the venom of two marine snail species. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019849': { - 'name': 'obsolete cytotoxin activity', - 'def': 'OBSOLETE. Acts as to cause injury to other living cells. [GOC:jl]' - }, - 'GO:0019852': { - 'name': 'L-ascorbic acid metabolic process', - 'def': 'The chemical reactions and pathways involving L-ascorbic acid, (2R)-2-[(1S)-1,2-dihydroxyethyl]-4-hydroxy-5-oxo-2,5-dihydrofuran-3-olate; L-ascorbic acid is vitamin C and has co-factor and anti-oxidant activities in many species. [CHEBI:38290, GOC:jl, ISBN:0198506732]' - }, - 'GO:0019853': { - 'name': 'L-ascorbic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-ascorbic acid; L-ascorbic acid ionizes to give L-ascorbate, (2R)-2-[(1S)-1,2-dihydroxyethyl]-4-hydroxy-5-oxo-2,5-dihydrofuran-3-olate, which is required as a cofactor in the oxidation of prolyl residues to hydroxyprolyl, and other reactions. [CHEBI:38290, GOC:ma, ISBN:0198547684]' - }, - 'GO:0019854': { - 'name': 'L-ascorbic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-ascorbic acid; L-ascorbic acid ionizes to give L-ascorbate, (2R)-2-[(1S)-1,2-dihydroxyethyl]-4-hydroxy-5-oxo-2,5-dihydrofuran-3-olate, which is required as a cofactor in the oxidation of prolyl residues to hydroxyprolyl, and other reactions. [CHEBI:38290, GOC:go_curators]' - }, - 'GO:0019855': { - 'name': 'calcium channel inhibitor activity', - 'def': 'Stops, prevents, or reduces the activity of a calcium channel. [GOC:mah]' - }, - 'GO:0019856': { - 'name': 'pyrimidine nucleobase biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrimidine nucleobases, 1,3-diazine, organic nitrogenous bases. [CHEBI:26432, GOC:go_curators]' - }, - 'GO:0019857': { - 'name': '5-methylcytosine metabolic process', - 'def': 'The chemical reactions and pathways involving 5-methylcytosine, a methylated base of DNA. [GOC:ai]' - }, - 'GO:0019858': { - 'name': 'cytosine metabolic process', - 'def': 'The chemical reactions and pathways involving cytosine, 4-amino-2-hydroxypyrimidine, a pyrimidine derivative that is one of the five main bases found in nucleic acids; it occurs widely in cytidine derivatives. [GOC:ai]' - }, - 'GO:0019859': { - 'name': 'thymine metabolic process', - 'def': 'The chemical reactions and pathways involving thymine, 5-methyluracil, one of the two major pyrimidine bases present (as thymidine) in DNA but not found in RNA other than (as ribothymidine) in transfer RNA, where it is a minor base. [GOC:go_curators]' - }, - 'GO:0019860': { - 'name': 'uracil metabolic process', - 'def': 'The chemical reactions and pathways involving uracil, 2,4-dioxopyrimidine, one of the pyrimidine bases occurring in RNA, but not in DNA. [GOC:go_curators]' - }, - 'GO:0019861': { - 'name': 'obsolete flagellum', - 'def': 'OBSOLETE. Long whiplike or feathery structures borne either singly or in groups by the motile cells of many bacteria and unicellular eukaryotes and by the motile male gametes of many eukaryotic organisms, which propel the cell through a liquid medium. [UniProtKB-KW:KW-0282]' - }, - 'GO:0019862': { - 'name': 'IgA binding', - 'def': 'Interacting selectively and non-covalently with an immunoglobulin of an IgA isotype. [GOC:add, ISBN:0781735149]' - }, - 'GO:0019863': { - 'name': 'IgE binding', - 'def': 'Interacting selectively and non-covalently with an immunoglobulin of the IgE isotype. [GOC:add, ISBN:0781735149]' - }, - 'GO:0019864': { - 'name': 'IgG binding', - 'def': 'Interacting selectively and non-covalently with an immunoglobulin of an IgG isotype. [GOC:add, ISBN:0781735149]' - }, - 'GO:0019865': { - 'name': 'immunoglobulin binding', - 'def': 'Interacting selectively and non-covalently with an immunoglobulin. [GOC:ma]' - }, - 'GO:0019866': { - 'name': 'organelle inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of an organelle envelope; usually highly selective to most ions and metabolites. [GOC:mah]' - }, - 'GO:0019867': { - 'name': 'outer membrane', - 'def': 'The external membrane of Gram-negative bacteria or certain organelles such as mitochondria and chloroplasts; freely permeable to most ions and metabolites. [GOC:go_curators]' - }, - 'GO:0019869': { - 'name': 'chloride channel inhibitor activity', - 'def': 'Stops, prevents, or reduces the activity of a chloride channel. [GOC:mah]' - }, - 'GO:0019870': { - 'name': 'potassium channel inhibitor activity', - 'def': 'Stops, prevents, or reduces the activity of a potassium channel. [GOC:mah]' - }, - 'GO:0019871': { - 'name': 'sodium channel inhibitor activity', - 'def': 'Stops, prevents, or reduces the activity of a sodium channel. [GOC:mah]' - }, - 'GO:0019872': { - 'name': 'streptomycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of streptomycin, a commonly used antibiotic in cell culture media; it acts only on prokaryotes and blocks transition from initiation complex to chain elongating ribosome. [CHEBI:17076, GOC:curators]' - }, - 'GO:0019873': { - 'name': 'obsolete tellurium sensitivity/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0019874': { - 'name': '6-aminohexanoate-cyclic-dimer hydrolase activity', - 'def': 'Catalysis of the reaction: 1,8-diazacyclotetradecane-2,9-dione + H(2)O = N-(6-aminohexanoyl)-6-aminohexanoate. [EC:3.5.2.12, RHEA:16228]' - }, - 'GO:0019875': { - 'name': '6-aminohexanoate-dimer hydrolase activity', - 'def': 'Catalysis of the reaction: N-(6-aminohexanoyl)-6-aminohexanoate + H2O = 2 6-aminohexanoate. [EC:3.5.1.46]' - }, - 'GO:0019876': { - 'name': 'nylon catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nylon, a polymer where the main polymer chain comprises recurring amide groups; these compounds are generally formed from combinations of diamines, diacids and amino acids. [UniProtKB-KW:KW-0549]' - }, - 'GO:0019877': { - 'name': 'diaminopimelate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of diaminopimelate, both as an intermediate in lysine biosynthesis and as a component (as meso-diaminopimelate) of the peptidoglycan of Gram-negative bacterial cell walls. [GOC:ma, ISBN:0198547684]' - }, - 'GO:0019878': { - 'name': 'lysine biosynthetic process via aminoadipic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of lysine by the aminoadipic pathway. [GOC:go_curators]' - }, - 'GO:0019879': { - 'name': 'peptidyl-thyronine biosynthetic process from peptidyl-tyrosine', - 'def': 'The formation of peptidyl-thyronine from peptidyl-tyrosine in thyroglobulin by phenyl transfer coupled with the formation of peptidyl-dehydroalanine. [GOC:jsg]' - }, - 'GO:0019880': { - 'name': 'obsolete bacteriocin susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0019881': { - 'name': 'obsolete streptomycin susceptibility/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0019882': { - 'name': 'antigen processing and presentation', - 'def': 'The process in which an antigen-presenting cell expresses antigen (peptide or lipid) on its cell surface in association with an MHC protein complex. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149, PMID:15771591, PMID:15928678]' - }, - 'GO:0019883': { - 'name': 'antigen processing and presentation of endogenous antigen', - 'def': 'The process in which an antigen-presenting cell expresses antigen (peptide or lipid) of endogenous origin on its cell surface in association with an MHC protein complex. [GOC:add, ISBN:0781735149, PMID:15771591, PMID:15928678]' - }, - 'GO:0019884': { - 'name': 'antigen processing and presentation of exogenous antigen', - 'def': 'The process in which an antigen-presenting cell expresses antigen (peptide or lipid) of exogenous origin on its cell surface in association with an MHC protein complex. [GOC:add, ISBN:0781735149, PMID:15771591, PMID:15928678]' - }, - 'GO:0019885': { - 'name': 'antigen processing and presentation of endogenous peptide antigen via MHC class I', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of endogenous origin on its cell surface in association with an MHC class I protein complex. The peptide antigen is typically, but not always, processed from a whole protein. Class I here refers to classical class I molecules. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0019886': { - 'name': 'antigen processing and presentation of exogenous peptide antigen via MHC class II', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of exogenous origin on its cell surface in association with an MHC class II protein complex. The peptide antigen is typically, but not always, processed from a whole protein. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0019887': { - 'name': 'protein kinase regulator activity', - 'def': 'Modulates the activity of a protein kinase, an enzyme which phosphorylates a protein. [GOC:ai]' - }, - 'GO:0019888': { - 'name': 'protein phosphatase regulator activity', - 'def': 'Modulates the activity of a protein phosphatase, an enzyme which catalyzes of the removal of a phosphate group from a protein substrate molecule. [GOC:ai]' - }, - 'GO:0019889': { - 'name': 'pteridine metabolic process', - 'def': 'The chemical reactions and pathways involving pteridine, pyrazino(2,3-dipyrimidine), the parent structure of pterins and the pteroyl group. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0019893': { - 'name': 'obsolete DNA replication inhibitor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0019894': { - 'name': 'kinesin binding', - 'def': 'Interacting selectively and non-covalently and stoichiometrically with kinesin, a member of a superfamily of microtubule-based motor proteins that perform force-generating tasks such as organelle transport and chromosome segregation. [GOC:curators, PMID:8606779]' - }, - 'GO:0019895': { - 'name': 'kinesin-associated mitochondrial adaptor activity', - 'def': 'The activity of linking kinesins, cytoplasmic proteins responsible for moving vesicles and organelles towards the distal end of microtubules, to mitochondria. [PMID:12495622]' - }, - 'GO:0019896': { - 'name': 'axonal transport of mitochondrion', - 'def': 'The directed movement of mitochondria along microtubules in nerve cell axons. [GOC:ai]' - }, - 'GO:0019897': { - 'name': 'extrinsic component of plasma membrane', - 'def': 'The component of a plasma membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:curators, GOC:dos]' - }, - 'GO:0019898': { - 'name': 'extrinsic component of membrane', - 'def': 'The component of a membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:jl, GOC:mah]' - }, - 'GO:0019899': { - 'name': 'enzyme binding', - 'def': 'Interacting selectively and non-covalently with any enzyme. [GOC:jl]' - }, - 'GO:0019900': { - 'name': 'kinase binding', - 'def': 'Interacting selectively and non-covalently with a kinase, any enzyme that catalyzes the transfer of a phosphate group. [GOC:jl]' - }, - 'GO:0019901': { - 'name': 'protein kinase binding', - 'def': 'Interacting selectively and non-covalently with a protein kinase, any enzyme that catalyzes the transfer of a phosphate group, usually from ATP, to a protein substrate. [GOC:jl]' - }, - 'GO:0019902': { - 'name': 'phosphatase binding', - 'def': 'Interacting selectively and non-covalently with any phosphatase. [GOC:jl]' - }, - 'GO:0019903': { - 'name': 'protein phosphatase binding', - 'def': 'Interacting selectively and non-covalently with any protein phosphatase. [GOC:jl]' - }, - 'GO:0019904': { - 'name': 'protein domain specific binding', - 'def': 'Interacting selectively and non-covalently with a specific domain of a protein. [GOC:go_curators]' - }, - 'GO:0019905': { - 'name': 'syntaxin binding', - 'def': 'Interacting selectively and non-covalently with a syntaxin, a SNAP receptor involved in the docking of synaptic vesicles at the presynaptic zone of a synapse. [ISBN:0198506732]' - }, - 'GO:0019907': { - 'name': 'cyclin-dependent protein kinase activating kinase holoenzyme complex', - 'def': 'A cyclin-dependent kinase activating kinase complex capable of activating cyclin-dependent kinases by threonine phosphorylation, thus regulating cell cycle progression. consists of a kinase, cyclin and optional assembly factors, in human CDK7, CCNH and MNAT1. CAK activity is itself regulated throughout the cell cycle by T-loop phosphorylation of its kinase component (CDK7 in human). Phosphorylation of serine residues during mitosis inactivates the enzyme. Also capable of CAK phosphorylating the carboxyl-terminal domain (CTD) of RNA polymerase II and other transcription activating proteins, as part of the general transcription factor TFIIH. [GOC:bhm, PMID:8752210]' - }, - 'GO:0019908': { - 'name': 'nuclear cyclin-dependent protein kinase holoenzyme complex', - 'def': 'Cyclin-dependent protein kinase (CDK) complex found in the nucleus. [GOC:krc]' - }, - 'GO:0019909': { - 'name': '[pyruvate dehydrogenase (lipoamide)] phosphatase regulator activity', - 'def': 'Modification of the activity of the enzyme [pyruvate dehydrogenase (lipoamide)] phosphatase. [EC:3.1.3.43, GOC:ai]' - }, - 'GO:0019910': { - 'name': 'mitochondrial pyruvate dehydrogenase (lipoamide) phosphatase complex', - 'def': 'A mitochondrial complex of a regulatory and catalytic subunit that catalyzes the dephosphorylation and concomitant reactivation of the alpha subunit of the E1 component of the pyruvate dehydrogenase complex. An example of this component is found in Mus musculus. [GOC:mtg_sensu, PMID:9395502]' - }, - 'GO:0019911': { - 'name': 'structural constituent of myelin sheath', - 'def': 'The action of a molecule that contributes to the structural integrity of the myelin sheath of a nerve. [GOC:mah]' - }, - 'GO:0019912': { - 'name': 'cyclin-dependent protein kinase activating kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein; increases the activity of a cyclin-dependent protein kinase (CDK). [GOC:go_curators]' - }, - 'GO:0019914': { - 'name': 'cyclin-dependent protein kinase activating kinase regulator activity', - 'def': 'Modulation of the activity of the enzyme cyclin-dependent protein kinase activating kinase. [GOC:ai]' - }, - 'GO:0019915': { - 'name': 'lipid storage', - 'def': 'The accumulation and maintenance in cells or tissues of lipids, compounds soluble in organic solvents but insoluble or sparingly soluble in aqueous solvents. Lipid reserves can be accumulated during early developmental stages for mobilization and utilization at later stages of development. [GOC:dph, GOC:mah, GOC:tb, PMID:11102830]' - }, - 'GO:0019916': { - 'name': 'peptidyl-D-alanine racemization, direct', - 'def': 'The racemization of peptidyl-alanine. [RESID:AA0191]' - }, - 'GO:0019917': { - 'name': 'peptidyl-D-alanine racemization via peptidyl-L-serine', - 'def': 'The dehydration of peptidyl-serine, followed by hydrogenation to produce peptidyl-D-alanine. [RESID:AA0191]' - }, - 'GO:0019918': { - 'name': 'peptidyl-arginine methylation, to symmetrical-dimethyl arginine', - 'def': "The process of methylation of peptidyl-arginine to form peptidyl-N(omega),N'(omega)-dimethyl-L-arginine. [RESID:AA0067, RESID:AA0069]" - }, - 'GO:0019919': { - 'name': 'peptidyl-arginine methylation, to asymmetrical-dimethyl arginine', - 'def': 'The process of methylation of peptidyl-arginine to form peptidyl-N(omega),N(omega)-dimethyl-L-arginine. [RESID:AA0068, RESID:AA0069]' - }, - 'GO:0019920': { - 'name': 'peptidyl-1-thioglycine biosynthetic process, internal', - 'def': 'The chemical reactions and pathways resulting in the formation of internal peptidyl-1-thioglycine, which has an internal C=S bond, instead of an internal C=O bond, in the peptide. [GOC:go_curators, http://www.uni-marburg.de/mpi/thauer/thauer_res.html, RESID:AA0265]' - }, - 'GO:0019921': { - 'name': 'peptidyl-1-thioglycine biosynthetic process, carboxy-terminal', - 'def': 'The chemical reactions and pathways resulting in the formation of carboxy-terminal peptidyl-1-thioglycine, which has a carboxy-terminal thiocarboxy-C(=O)-SH bond. [GOC:go_curators, http://www.uni-marburg.de/mpi/thauer/thauer_res.html, RESID:AA0265]' - }, - 'GO:0019922': { - 'name': 'protein-chromophore linkage via peptidyl-cysteine', - 'def': 'The covalent linking of a chromophore to a protein via peptidyl-cysteines. [GOC:ma]' - }, - 'GO:0019923': { - 'name': 'alpha-1-microglobulin-chromophore linkage', - 'def': 'The covalent linking of the alpha-1-microglobulin chromophore to the protein; the structure of the chromophore is not known. It is probably heterogeneous and involving two cysteines in thioether bonds. [RESID:AA0224]' - }, - 'GO:0019926': { - 'name': 'peptidyl-tryptophan oxidation to tryptophyl quinone', - 'def': 'The oxidation of peptidyl-tryptophan to form tryptophan-6,7-dione, otherwise known as tryptophyl quinone, which is further modified by cross-linking to either tryptophan or cysteine. [PMID:2028257, RESID:AA0148]' - }, - 'GO:0019927': { - 'name': "peptide cross-linking via 4'-(S-L-cysteinyl)-L-tryptophyl quinone", - 'def': "The cross-linking of a cysteine residue to tryptophyl quinone to form 4'-(S-L-cysteinyl)-L-tryptophyl quinone, a cofactor found at the active site of amine dehydrogenase. [PDB:1JJU, PMID:11555656, PMID:11717396, RESID:AA0313]" - }, - 'GO:0019928': { - 'name': 'peptide cross-linking via 3-(S-L-cysteinyl)-L-aspartic acid', - 'def': 'The cross-linking of a cysteine residue to an aspartic acid residue to form 3-(S-L-cysteinyl)-L-aspartic acid. [PDB:1JJU, PMID:11555656, PMID:11717396, RESID:AA0314]' - }, - 'GO:0019929': { - 'name': 'peptide cross-linking via 4-(S-L-cysteinyl)-L-glutamic acid', - 'def': 'The cross-linking of a cysteine residue to a glutamic acid residue to form 4-(S-L-cysteinyl)-L-glutamic acid. [RESID:AA0315]' - }, - 'GO:0019930': { - 'name': 'cis-14-hydroxy-10,13-dioxo-7-heptadecenoic acid peptidyl-aspartate ester biosynthetic process from peptidyl-aspartic acid', - 'def': 'The modification of peptidyl-aspartic acid to form peptidyl-cis-14-hydroxy-10,13-dioxo-7-heptadecenoic acid aspartate ester, typical of the barley lipid transfer protein 1. [RESID:AA0316]' - }, - 'GO:0019931': { - 'name': 'protein-chromophore linkage via peptidyl-N6-3-dehydroretinal-L-lysine', - 'def': 'The modification of peptidyl-lysine to form N6-3,4-didehydroretinylidene-L-lysine. [RESID:AA0312]' - }, - 'GO:0019932': { - 'name': 'second-messenger-mediated signaling', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell via a second messenger; a small molecule or ion that can be quickly generated or released from intracellular stores, and can diffuse within the cell. Second-messenger signaling includes production or release of the second messenger, and effectors downstream of the second messenger that further transmit the signal within the cell. [GOC:signaling, ISBN:0815316194, PMID:15221855, Wikipedia:Second_messenger_system]' - }, - 'GO:0019933': { - 'name': 'cAMP-mediated signaling', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell via cyclic AMP (cAMP). Includes production of cAMP, and downstream effectors that further transmit the signal within the cell. [GOC:signaling]' - }, - 'GO:0019934': { - 'name': 'cGMP-mediated signaling', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell via cyclic GMP (cGMP). Includes production of cGMP, and downstream effectors that further transmit the signal within the cell. [GOC:signaling]' - }, - 'GO:0019935': { - 'name': 'cyclic-nucleotide-mediated signaling', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell via a cyclic nucleotide. Includes production or release of the cyclic nucleotide, and downstream effectors that further transmit the signal within the cell. [GOC:signaling]' - }, - 'GO:0019936': { - 'name': 'obsolete inositol phospholipid-mediated signaling', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ceb]' - }, - 'GO:0019937': { - 'name': 'protein catenane formation via N6-(L-isoaspartyl)-L-lysine, autocatalytic', - 'def': 'The autocatalytic formation of isopeptide bonds by ligation of peptidyl-lysine and peptidyl-asparagine residues; known to occur in the capsid of some bacteriophage, such as HK97, where it is thought to provide a mechanism for stabilizing the capsid. [RESID:AA0294]' - }, - 'GO:0019938': { - 'name': 'peptide cross-linking via N6-(L-isoaspartyl)-L-lysine, presumed catalytic', - 'def': 'The formation of isopeptide bonds by ligation of peptidyl-lysine and peptidyl-asparagine residues; occurs in mammals in proteins as yet unidentified by a mechanism probably analogous to that of transglutaminase reactions. [RESID:AA0294]' - }, - 'GO:0019939': { - 'name': 'peptidyl-S-palmitoleyl-L-cysteine biosynthetic process from peptidyl-cysteine', - 'def': 'The modification of peptidyl-cysteine to form peptidyl-S-palmitoleyl-L-cysteine specifically. [RESID:AA0308]' - }, - 'GO:0019940': { - 'name': 'obsolete SUMO-dependent protein catabolic process', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0019941': { - 'name': 'modification-dependent protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by the covalent modification of the target protein. [GOC:go_curators]' - }, - 'GO:0019942': { - 'name': 'obsolete NEDD8 class-dependent protein catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by covalent attachment of the ubiquitin-like protein NEDD8 (RUB1) to the target protein. [GOC:jl]' - }, - 'GO:0019948': { - 'name': 'SUMO activating enzyme activity', - 'def': 'Catalysis of the activation of the proteolytically processed small ubiquitin-related modifier SUMO, through the formation of an ATP-dependent high-energy thiolester bond. [GOC:rn, PMID:10187858, PMID:11265250]' - }, - 'GO:0019950': { - 'name': 'SMT3-dependent protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by covalent attachment of the ubiquitin-like protein SMT3 to the target protein. [GOC:jl, PMID:9435231]' - }, - 'GO:0019951': { - 'name': 'Smt3-protein conjugation', - 'def': 'The covalent addition to a protein of Smt3, a ubiquitin-like protein. [GOC:jl]' - }, - 'GO:0019953': { - 'name': 'sexual reproduction', - 'def': 'A reproduction process that creates a new organism by combining the genetic material of two organisms. It occurs both in eukaryotes and prokaryotes: in multicellular eukaryotic organisms, an individual is created anew; in prokaryotes, the initial cell has additional or transformed genetic material. In a process called genetic recombination, genetic material (DNA) originating from two different individuals (parents) join up so that homologous sequences are aligned with each other, and this is followed by exchange of genetic information. After the new recombinant chromosome is formed, it is passed on to progeny. [GOC:jl, http://en.wikipedia.org/wiki/Sexual_reproduction, ISBN:0387520546]' - }, - 'GO:0019954': { - 'name': 'asexual reproduction', - 'def': 'The biological process in which new individuals are produced by either a single cell or a group of cells, in the absence of any sexual process. [ISBN:0387520546]' - }, - 'GO:0019955': { - 'name': 'cytokine binding', - 'def': 'Interacting selectively and non-covalently with a cytokine, any of a group of proteins that function to control the survival, growth and differentiation of tissues and cells, and which have autocrine and paracrine activity. [GOC:ai, GOC:bf, ISBN:0198599471]' - }, - 'GO:0019956': { - 'name': 'chemokine binding', - 'def': 'Interacting selectively and non-covalently with a chemokine. Chemokines are a family of small chemotactic cytokines; their name is derived from their ability to induce directed chemotaxis in nearby responsive cells. All chemokines possess a number of conserved cysteine residues involved in intramolecular disulfide bond formation. Some chemokines are considered pro-inflammatory and can be induced during an immune response to recruit cells of the immune system to a site of infection, while others are considered homeostatic and are involved in controlling the migration of cells during normal processes of tissue maintenance or development. Chemokines are found in all vertebrates, some viruses and some bacteria. [GOC:ai, GOC:BHF, GOC:rl, http://en.wikipedia.org/wiki/Chemokine, PMID:12183377]' - }, - 'GO:0019957': { - 'name': 'C-C chemokine binding', - 'def': 'Interacting selectively and non-covalently with a C-C chemokine; C-C chemokines do not have an amino acid between the first two cysteines of the characteristic four-cysteine motif. [GOC:ai]' - }, - 'GO:0019958': { - 'name': 'C-X-C chemokine binding', - 'def': 'Interacting selectively and non-covalently with a C-X-C chemokine; C-X-C chemokines have a single amino acid between the first two cysteines of the characteristic four cysteine motif. [GOC:ai]' - }, - 'GO:0019959': { - 'name': 'interleukin-8 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-8. [GOC:jl]' - }, - 'GO:0019960': { - 'name': 'C-X3-C chemokine binding', - 'def': 'Interacting selectively and non-covalently with a C-X3-C chemokine; C-X3-C chemokines have three amino acids between the first two cysteines of the characteristic four-cysteine motif. [GOC:ai]' - }, - 'GO:0019961': { - 'name': 'interferon binding', - 'def': 'Interacting selectively and non-covalently with an interferon, a protein produced by the immune systems of many animals in response to a challenge by a foreign agent. [PMID:9607096, Wikipedia:Interferon]' - }, - 'GO:0019962': { - 'name': 'type I interferon binding', - 'def': 'Interacting selectively and non-covalently with a type I interferon. Type I interferons include the interferon-alpha, beta, delta, epsilon, zeta, kappa, tau, and omega gene families. [GOC:add, ISBN:0126896631, PMID:15546383, PMID:16681834]' - }, - 'GO:0019964': { - 'name': 'interferon-gamma binding', - 'def': 'Interacting selectively and non-covalently with interferon-gamma. Interferon gamma is the only member of the type II interferon found so far. [GOC:add, GOC:ai, ISBN:0126896631, PMID:15546383, PR:000000017]' - }, - 'GO:0019966': { - 'name': 'interleukin-1 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-1. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0019969': { - 'name': 'interleukin-10 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-10. [GOC:jl]' - }, - 'GO:0019970': { - 'name': 'interleukin-11 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-11. [GOC:jl]' - }, - 'GO:0019972': { - 'name': 'interleukin-12 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-12. [GOC:jl]' - }, - 'GO:0019973': { - 'name': 'interleukin-13 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-13. [GOC:jl]' - }, - 'GO:0019974': { - 'name': 'interleukin-14 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-14. [GOC:jl]' - }, - 'GO:0019975': { - 'name': 'interleukin-17 binding', - 'def': 'Interacting selectively and non-covalently with any member of the interleukin-17 family of cytokines. [GOC:add, GOC:jl]' - }, - 'GO:0019976': { - 'name': 'interleukin-2 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-2. [GOC:jl]' - }, - 'GO:0019977': { - 'name': 'interleukin-21 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-21. [GOC:jl]' - }, - 'GO:0019978': { - 'name': 'interleukin-3 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-3. [GOC:jl]' - }, - 'GO:0019979': { - 'name': 'interleukin-4 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-4. [GOC:jl]' - }, - 'GO:0019980': { - 'name': 'interleukin-5 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-5. [GOC:jl]' - }, - 'GO:0019981': { - 'name': 'interleukin-6 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-6. [GOC:jl]' - }, - 'GO:0019982': { - 'name': 'interleukin-7 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-7. [GOC:jl]' - }, - 'GO:0019983': { - 'name': 'interleukin-9 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-9. [GOC:jl]' - }, - 'GO:0019985': { - 'name': 'translesion synthesis', - 'def': 'The replication of damaged DNA by synthesis across a lesion in the template strand; a specialized DNA polymerase or replication complex inserts a defined nucleotide across from the lesion which allows DNA synthesis to continue beyond the lesion. This process can be mutagenic depending on the damaged nucleotide and the inserted nucleotide. [GOC:elh, GOC:vw, PMID:10535901]' - }, - 'GO:0019987': { - 'name': 'obsolete negative regulation of anti-apoptosis', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of anti-apoptosis. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0019988': { - 'name': 'charged-tRNA amino acid modification', - 'def': 'The covalent alteration of an amino acid charged on a tRNA before it is incorporated into a protein, as in N-formylmethionine, selenocysteine or pyrrolysine. [GOC:jsg]' - }, - 'GO:0019990': { - 'name': 'pteridine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pteridine, pyrazino(2,3-dipyrimidine), the parent structure of pterins and the pteroyl group. [ISBN:0198506732]' - }, - 'GO:0019991': { - 'name': 'septate junction assembly', - 'def': 'The assembly of a septate junction, an intercellular junction found in invertebrate epithelia that is characterized by a ladder like appearance in electron micrographs and thought to provide structural strength and to provide a barrier to diffusion of solutes through the intercellular space. [GOC:ai, PMID:5272312]' - }, - 'GO:0019992': { - 'name': 'diacylglycerol binding', - 'def': 'Interacting selectively and non-covalently with diacylglycerol, a diester of glycerol and two fatty acids. [GOC:ma]' - }, - 'GO:0020002': { - 'name': 'host cell plasma membrane', - 'def': 'The plasma membrane surrounding a host cell. [GOC:mb]' - }, - 'GO:0020003': { - 'name': 'symbiont-containing vacuole', - 'def': 'Membrane-bounded vacuole within a host cell in which a symbiont organism resides. The vacuole membrane is derived from both the host and symbiont. [GOC:jl, GOC:mb]' - }, - 'GO:0020004': { - 'name': 'symbiont-containing vacuolar space', - 'def': 'The space between a symbiont plasma membrane and the symbiont-containing vacuole membrane. [GOC:jl, GOC:mb]' - }, - 'GO:0020005': { - 'name': 'symbiont-containing vacuole membrane', - 'def': 'The lipid bilayer surrounding a symbiont-containing vacuole, derived from both the host and symbiont. [GOC:jl, GOC:mb]' - }, - 'GO:0020006': { - 'name': 'symbiont-containing vacuolar membrane network', - 'def': 'Tubular network of extensions from the symbiont-containing vacuole membrane that protrude into the host cytoplasm. [GOC:jl, PMID:3528173]' - }, - 'GO:0020007': { - 'name': 'apical complex', - 'def': 'A group of cytoskeletal structures and associated membrane-bounded organelles found at the anterior end of adult obligate intracellular protozoan parasites in the phylum Apicomplexa. The apical complex is involved in attachment to and penetration of the host cell, and in parasite proliferation. [GOC:giardia, GOC:mb, PMID:16518471]' - }, - 'GO:0020008': { - 'name': 'rhoptry', - 'def': 'A large, club-shaped secretory organelle that forms part of the apical complex of an apicomplexan parasite, and consists of a bulbous body and a narrow electron-dense neck that extends through the conoid at the apical tip of the parasite. The rhoptry necks serve as ducts through which the contents of the rhoptries are secreted after attachment to the host has been completed and at the commencement of invasion. Rhoptry proteins function in the biogenesis and host organellar association of the parasitophorous vacuole. [ISBN:0521664470, PMID:11801218, PMID:16002398]' - }, - 'GO:0020009': { - 'name': 'microneme', - 'def': "A small, elongated secretory organelle that forms part of the apical complex, located along the main axis of an apicomplexan parasite cell within the extreme apical region and at the periphery under the inner membrane complex. Of the specialized secretory compartments identified in apicomplexans, micronemes discharge their contents first, during initial contact of the parasite's apical pole with the host cell surface. Micronemal proteins function during parasite attachment and penetration into the target cell. [ISBN:0521664470, PMID:11801218]" - }, - 'GO:0020010': { - 'name': 'conoid', - 'def': 'A spiral cytoskeletal structure located at the apical end of the apical complex in some apicomplexan parasites. Fibers form a left-handed spiral, and are comprised of tubulin protofilaments organized in a ribbon-like structure that differs from the conventional tubular structure characteristic of microtubules. [GOC:expert_dr, PMID:11901169, PMID:16518471]' - }, - 'GO:0020011': { - 'name': 'apicoplast', - 'def': 'The plastid organelle found in apicomplexans. [ISBN:0521664470]' - }, - 'GO:0020012': { - 'name': 'evasion or tolerance of host immune response', - 'def': "Any process, either active or passive, by which an organism avoids the effects of the host organism's immune response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mb]" - }, - 'GO:0020013': { - 'name': 'modulation by symbiont of host erythrocyte aggregation', - 'def': 'Any process in which a symbiont organism modulates the frequency, rate or extent of erythrocyte aggregation in its host organism, e.g. the binding of parasite-infected erythrocytes to uninfected erythrocytes. [GOC:add, GOC:dgh, GOC:mb, GOC:pr, PMID:19467172, PMID:21305024]' - }, - 'GO:0020014': { - 'name': 'schizogony', - 'def': 'Cell division by multiple fission in which nuclei and other organelles in the parent cell divide repeatedly and move to the cell periphery before internal membranes develop around them, producing a large number of daughter cells simultaneously. [GOC:mb]' - }, - 'GO:0020015': { - 'name': 'glycosome', - 'def': 'A membrane-bounded organelle found in organisms from the order Kinetoplastida that houses the enzymes of glycolysis. [GOC:mb]' - }, - 'GO:0020016': { - 'name': 'ciliary pocket', - 'def': 'Invagination of the plasma membrane from which a cilium (also called flagellum) protrudes. [GOC:cilia, GOC:mb]' - }, - 'GO:0020018': { - 'name': 'ciliary pocket membrane', - 'def': 'That part of the plasma membrane found in the ciliary pocket (also called flagellar pocket). [GOC:cilia, GOC:mb]' - }, - 'GO:0020020': { - 'name': 'food vacuole', - 'def': 'Vacuole within a parasite used for digestion of the host cell cytoplasm. An example of this component is found in the Apicomplexa. [GOC:mb]' - }, - 'GO:0020021': { - 'name': 'immortalization of host cell', - 'def': 'The modification of a host cell into an immortal cell line as a consequence of infection. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mb]' - }, - 'GO:0020022': { - 'name': 'acidocalcisome', - 'def': 'An electron-dense acidic membrane-bounded organelle which contains a matrix of pyrophosphate and polyphosphates with bound calcium and other cations. [GOC:mb]' - }, - 'GO:0020023': { - 'name': 'kinetoplast', - 'def': 'A sub-structure within the large single mitochondrion of kinetoplastid parasites and which is closely associated with the flagellar pocket and basal body of the flagellum. [GOC:mb]' - }, - 'GO:0020025': { - 'name': 'subpellicular microtubule', - 'def': 'Singlet microtubules that lie underneath the inner membrane complex and emanate from the basal ring of the conoid. [GOC:mb]' - }, - 'GO:0020026': { - 'name': 'merozoite dense granule', - 'def': 'Electron-dense organelle with a granular internal matrix found throughout the merozoite life cycle stage of apicomplexan parasites; contains proteins destined to be secreted into the parasitophorous vacuole following parasite invasion of a host cell. [GOC:mb, GOC:mtg_sensu]' - }, - 'GO:0020027': { - 'name': 'hemoglobin metabolic process', - 'def': 'The chemical reactions and pathways involving hemoglobin, including its uptake and utilization. [GOC:go_curators, GOC:jl]' - }, - 'GO:0020028': { - 'name': 'hemoglobin import', - 'def': 'The directed movement into a tissue, cell or organelle of externally available hemoglobin. [GOC:mb]' - }, - 'GO:0020030': { - 'name': 'infected host cell surface knob', - 'def': 'Protrusion that develops in the plasma membrane of a parasitized erythrocyte. An example of this component is found in Plasmodium species. [GOC:mb]' - }, - 'GO:0020031': { - 'name': 'polar ring of apical complex', - 'def': 'An electron dense ring at the most anterior position of the apical complex, from which the conoid fibers originate; formed during an invasive life cycle stage of an apicomplexan parasite. [GOC:mb, PMID:16518471]' - }, - 'GO:0020032': { - 'name': 'basal ring of apical complex', - 'def': 'An electron dense ring at the most posterior position of the apical complex, from which the subpellicular microtubules originate; formed during an invasive life cycle stage of an apicomplexan parasite. [GOC:mah, PMID:16518471]' - }, - 'GO:0020033': { - 'name': 'antigenic variation', - 'def': "Any process involved in the biological strategy of changing antigenic determinants on the surface that are exposed to another organism's immune system. [GOC:mb]" - }, - 'GO:0020035': { - 'name': 'cytoadherence to microvasculature, mediated by symbiont protein', - 'def': 'The adherence of symbiont-infected erythrocytes to microvascular endothelium via symbiont proteins embedded in the membrane of the erythrocyte. [GOC:mb]' - }, - 'GO:0020036': { - 'name': "Maurer's cleft", - 'def': 'A disk-like structure that appears at the periphery of a red blood cell infected by an apicomplexan parasite, characterized by a translucent lumen and an electron-dense coat of variable thickness; often appears to be tethered to the host cell membrane by fibrous connections with the erythrocyte cytoskeleton. [PMID:16705161]' - }, - 'GO:0020037': { - 'name': 'heme binding', - 'def': 'Interacting selectively and non-covalently with heme, any compound of iron complexed in a porphyrin (tetrapyrrole) ring. [CHEBI:30413, GOC:ai]' - }, - 'GO:0020038': { - 'name': 'subpellicular network', - 'def': 'A mechanically stable cytoskeletal structure associated with the cytoplasmic face of the pellicle and surrounding the microtubule-based cytoskeleton. [PMID:11420112]' - }, - 'GO:0020039': { - 'name': 'pellicle', - 'def': 'The structure enclosing an apicomplexan parasite cell; consists of the cell membrane with its associated infrastructure of microtubules, microfilaments and other organelles. [GOC:mah, GOC:mb]' - }, - 'GO:0021501': { - 'name': 'prechordal plate formation', - 'def': "The formation of the prechordal plate. The prechordal plate is a thickening of the endoderm at the cranial end of the primitive streak formed by the involution of Spemann's organizer cells. The prechordal plate and the notochord induce the formation of the neural plate from the overlying ectodermal cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]" - }, - 'GO:0021502': { - 'name': 'neural fold elevation formation', - 'def': 'The process in which the lateral borders of the neural plate begin to migrate upwards to form the neural folds, caused by the proliferation of the underlying mesoderm. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15806586]' - }, - 'GO:0021503': { - 'name': 'neural fold bending', - 'def': 'The morphogenesis of the neural fold elevations that results in the movement of the tips of the elevations towards each other in order to fuse. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15806586]' - }, - 'GO:0021504': { - 'name': 'neural fold hinge point formation', - 'def': 'The formation of the median and lateral hinge points in the neural folds. These are created by apical constriction and basal expansion of the underlying neural cells. The median hinge point extends for the entire length of the neural tube, and the lateral hinge points do not form in the spinal cord region of the neural tube. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:13679871, PMID:15806586]' - }, - 'GO:0021505': { - 'name': 'neural fold folding', - 'def': 'The process of folding the neuroepithelium around the medial hinge point to create the neural elevations, and around the lateral hinge points to produce convergence of the folds. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:13679871, PMID:15806586]' - }, - 'GO:0021506': { - 'name': 'anterior neuropore closure', - 'def': 'The joining together of the neural folds of the rostral opening of the neural tube. The anterior neuropore appears before the process of neural tube closure is complete. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021507': { - 'name': 'posterior neuropore closure', - 'def': 'The joining together of the neural folds of the caudal opening of the neural tube. The posterior neuropore appears before the process of neural tube closure is complete. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021508': { - 'name': 'floor plate formation', - 'def': 'The formation of a ventral region of glial cells in the neural tube that provides inductive signals for the specification of neuronal cell types. The floor plate is evident at the ventral midline by the neural fold stage. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021509': { - 'name': 'roof plate formation', - 'def': 'The formation of a single row of glia at the dorsal midline of the developing neural tube. This region provides inductive signals for the specification of neuronal cell types and of the specification of neural crest cells. The cells comprising the roof plate are the precursors to radial glial cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15936325]' - }, - 'GO:0021510': { - 'name': 'spinal cord development', - 'def': 'The process whose specific outcome is the progression of the spinal cord over time, from its formation to the mature structure. The spinal cord primarily conducts sensory and motor nerve impulses between the brain and the peripheral nervous tissues. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021511': { - 'name': 'spinal cord patterning', - 'def': 'The regionalization process that regulates the coordinated growth and establishes the non-random spatial arrangement of the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021512': { - 'name': 'spinal cord anterior/posterior patterning', - 'def': 'The process that regulates the coordinated growth and differentiation that establishes the non-random anterior-posterior spatial arrangement of the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021513': { - 'name': 'spinal cord dorsal/ventral patterning', - 'def': 'The process that regulates the coordinated growth and differentiation that establishes the non-random dorsal-ventral spatial arrangement of the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021514': { - 'name': 'ventral spinal cord interneuron differentiation', - 'def': 'The process in which neuroepithelial cells in the neural tube acquire specialized structural and/or functional features of ventral spinal cord interneurons. Ventral spinal cord interneurons are cells located in the ventral portion of the spinal cord that transmit signals between sensory and motor neurons and are required for reflexive responses. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021515': { - 'name': 'cell differentiation in spinal cord', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells of the spinal cord. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021516': { - 'name': 'dorsal spinal cord development', - 'def': 'The process whose specific outcome is the progression of the dorsal region of the spinal cord over time, from its formation to the mature structure. The dorsal region of the mature spinal cord contains neurons that process and relay sensory input. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11179871]' - }, - 'GO:0021517': { - 'name': 'ventral spinal cord development', - 'def': 'The process whose specific outcome is the progression of the ventral region of the spinal cord over time, from its formation to the mature structure. The neurons of the ventral region of the mature spinal cord participate in motor output. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021518': { - 'name': 'spinal cord commissural neuron specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a commissural neuron in an environment that is neutral with respect to the developmental pathway. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021519': { - 'name': 'spinal cord association neuron specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an association neuron in an environment that is neutral with respect to the developmental pathway. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021520': { - 'name': 'spinal cord motor neuron cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a motor neuron in an environment that is neutral with respect to the developmental pathway. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021521': { - 'name': 'ventral spinal cord interneuron specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a ventral spinal cord interneuron in an environment that is neutral with respect to the developmental pathway. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021522': { - 'name': 'spinal cord motor neuron differentiation', - 'def': 'The process in which neuroepithelial cells in the ventral neural tube acquire specialized structural and/or functional features of motor neurons. Motor neurons innervate an effector (muscle or glandular) tissue and are responsible for transmission of motor impulses from the brain to the periphery. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021523': { - 'name': 'somatic motor neuron differentiation', - 'def': 'The process in which neuroepithelial cells in the neural tube acquire specialized structural and/or functional features of somatic motor neurons. Somatic motor neurons innervate skeletal muscle targets and are responsible for transmission of motor impulses from the brain to the periphery. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021524': { - 'name': 'visceral motor neuron differentiation', - 'def': 'The process in which neuroepithelial cells in the neural tube acquire specialized structural and/or functional features of visceral motor neurons. Visceral motor neurons innervate glandular targets and are responsible for transmission of motor impulses from the brain to the periphery. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021525': { - 'name': 'lateral motor column neuron differentiation', - 'def': 'The process in which differentiating motor neurons in the neural tube acquire the specialized structural and/or functional features of lateral motor column neurons. Lateral motor column neurons are generated only on limb levels and send axons into the limb mesenchyme. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021526': { - 'name': 'medial motor column neuron differentiation', - 'def': 'The process in which differentiating motor neurons in the neural tube acquire the specialized structural and/or functional features of medial motor column neurons. Medial motor column neurons are generated at all rostrocaudal levels and send axons to the axial muscles (medial group) and to the body wall muscles (lateral group). Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021527': { - 'name': 'spinal cord association neuron differentiation', - 'def': 'The process in which neuroepithelial cells in the neural tube acquire specialized structural and/or functional features of association neurons. Association neurons are cells located in the dorsal portion of the spinal cord that integrate sensory input. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021528': { - 'name': 'commissural neuron differentiation in spinal cord', - 'def': 'The process in which neuroepithelial cells in the ventral neural tube acquire specialized structural and/or functional features of commissural neurons. Commissural neurons in both vertebrates and invertebrates transfer information from one side of their bodies to the other through the midline. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021529': { - 'name': 'spinal cord oligodendrocyte cell differentiation', - 'def': 'The process in which neuroepithelial cells in the neural tube acquire specialized structural and/or functional features of oligodendrocytes. Oligodendrocytes are non-neuronal cells. The primary function of oligodendrocytes is the myelination of nerve axons in the central nervous system. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021530': { - 'name': 'spinal cord oligodendrocyte cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an oligodendrocyte in an environment that is neutral with respect to the developmental pathway. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021531': { - 'name': 'spinal cord radial glial cell differentiation', - 'def': 'The process in which neuroepithelial cells in the ventral neural tube acquire specialized structural and/or functional features of radial glial cells. Radial cell precursors differentiate into both neuronal cell types and mature radial glial cells. Mature radial glial cells regulate the axon growth and pathfinding processes that occur during white matter patterning of the developing spinal cord. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16185248]' - }, - 'GO:0021532': { - 'name': 'neural tube patterning', - 'def': 'The regionalization process that regulates the coordinated growth that establishes the non-random spatial arrangement of the neural tube. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021533': { - 'name': 'cell differentiation in hindbrain', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the mature cells of the hindbrain. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021534': { - 'name': 'cell proliferation in hindbrain', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a cell population in the hindbrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021535': { - 'name': 'cell migration in hindbrain', - 'def': 'The orderly movement of a cell that will reside in the hindbrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021536': { - 'name': 'diencephalon development', - 'def': 'The process whose specific outcome is the progression of the diencephalon over time, from its formation to the mature structure. The diencephalon is the paired caudal parts of the prosencephalon from which the thalamus, hypothalamus, epithalamus and subthalamus are derived; these regions regulate autonomic, visceral and endocrine function, and process information directed to the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021537': { - 'name': 'telencephalon development', - 'def': 'The process whose specific outcome is the progression of the telencephalon over time, from its formation to the mature structure. The telencephalon is the paired anteriolateral division of the prosencephalon plus the lamina terminalis from which the olfactory lobes, cerebral cortex, and subcortical nuclei are derived. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021538': { - 'name': 'epithalamus development', - 'def': 'The progression of the epithalamus over time from its initial formation until its mature state. The epithalamus is the small dorsomedial area of the thalamus including the habenular nuclei and associated fiber bundles, the pineal body, and the epithelial roof of the third ventricle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021539': { - 'name': 'subthalamus development', - 'def': 'The process whose specific outcome is the progression of the subthalamus over time, from its formation to the mature structure. The subthalamus is the anterior part of the diencephalon that lies between the thalamus, hypothalamus, and tegmentum of the mesencephalon, including subthalamic nucleus, zona incerta, the fields of Forel, and the nucleus of ansa lenticularis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021540': { - 'name': 'corpus callosum morphogenesis', - 'def': 'The process in which the anatomical structures of the corpus callosum are generated and organized. The corpus callosum is a thick bundle of nerve fibers comprising a commissural plate connecting the two cerebral hemispheres. It consists of contralateral axon projections that provides communications between the right and left cerebral hemispheres. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021541': { - 'name': 'ammon gyrus development', - 'def': 'The process whose specific outcome is the progression of the ammon gyrus over time, from its formation to the mature structure. The ammon gyrus, often subdivided into the CA1 and CA3 regions, is one of the two interlocking gyri of the hippocampus that is rich in large pyramidal neurons. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021542': { - 'name': 'dentate gyrus development', - 'def': 'The process whose specific outcome is the progression of the dentate gyrus over time, from its formation to the mature structure. The dentate gyrus is one of two interlocking gyri of the hippocampus. It contains granule cells, which project to the pyramidal cells and interneurons of the CA3 region of the ammon gyrus. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021543': { - 'name': 'pallium development', - 'def': 'The process whose specific outcome is the progression of the pallium over time, from its formation to the mature structure. The pallium is the roof region of the telencephalon. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021544': { - 'name': 'subpallium development', - 'def': 'The process whose specific outcome is the progression of the subpallium over time, from its formation to the mature structure. The subpallium is the base region of the telencephalon. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021545': { - 'name': 'cranial nerve development', - 'def': 'The process whose specific outcome is the progression of the cranial nerves over time, from its formation to the mature structure. The cranial nerves are composed of twelve pairs of nerves that emanate from the nervous tissue of the hindbrain. These nerves are sensory, motor, or mixed in nature, and provide the motor and general sensory innervation of the head, neck and viscera. They mediate vision, hearing, olfaction and taste and carry the parasympathetic innervation of the autonomic ganglia that control visceral functions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021546': { - 'name': 'rhombomere development', - 'def': 'The process whose specific outcome is the progression of the rhombomere over time, from its formation to the mature structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021547': { - 'name': 'midbrain-hindbrain boundary initiation', - 'def': 'The regionalization process that gives rise to the midbrain-hindbrain boundary. The midbrain-hindbrain domain of the embryonic brain is comprised of the mesencephalic vesicle and the first rhombencephalic vesicle at early somitogenesis stages. An organizing center at the boundary patterns the midbrain and hindbrain primordia of the neural plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:isa_complete, GOC:jid, GOC:mtg_15jun06, PMID:15541513]' - }, - 'GO:0021548': { - 'name': 'pons development', - 'def': 'The process whose specific outcome is the progression of the pons over time, from its formation to the mature structure. The pons lies above the medulla and next to the cerebellum. The pons conveys information about movement from the cerebral hemisphere to the cerebellum. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021549': { - 'name': 'cerebellum development', - 'def': 'The process whose specific outcome is the progression of the cerebellum over time, from its formation to the mature structure. The cerebellum is the portion of the brain in the back of the head between the cerebrum and the pons. In mice, the cerebellum controls balance for walking and standing, modulates the force and range of movement and is involved in the learning of motor skills. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021550': { - 'name': 'medulla oblongata development', - 'def': 'The process whose specific outcome is the progression of the medulla oblongata over time, from its formation to the mature structure. The medulla oblongata lies directly above the spinal cord and controls vital autonomic functions such as digestion, breathing and the control of heart rate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021551': { - 'name': 'central nervous system morphogenesis', - 'def': 'The process in which the anatomical structure of the central nervous system is generated and organized. The central nervous system is the core nervous system that serves an integrating and coordinating function. In vertebrates it consists of the brain and spinal cord. In those invertebrates with a central nervous system it typically consists of a brain, cerebral ganglia and a nerve cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0582227089]' - }, - 'GO:0021552': { - 'name': 'midbrain-hindbrain boundary structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the midbrain-hindbrain boundary structure. The midbrain-hindbrain domain of the embryonic brain is comprised of the mesencephalic vesicle and the first rhombencephalic vesicle at early somitogenesis stages. An organizing center at the boundary patterns the midbrain and hindbrain primordia of the neural plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15541513]' - }, - 'GO:0021553': { - 'name': 'olfactory nerve development', - 'def': 'The process whose specific outcome is the progression of the olfactory nerve over time, from its formation to the mature structure. The olfactory nerve is a collection of sensory nerve rootlets that extend down from the olfactory bulb to the olfactory mucosa of the upper parts of the nasal cavity. This nerve conducts odor information to the brainstem. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021554': { - 'name': 'optic nerve development', - 'def': 'The process whose specific outcome is the progression of the optic nerve over time, from its formation to the mature structure. The sensory optic nerve originates from the bipolar cells of the retina and conducts visual information to the brainstem. The optic nerve exits the back of the eye in the orbit, enters the optic canal, and enters the central nervous system at the optic chiasm (crossing) where the nerve fibers become the optic tract just prior to entering the hindbrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021555': { - 'name': 'midbrain-hindbrain boundary morphogenesis', - 'def': 'The process in which the anatomical structure of the midbrain-hindbrain boundary is generated and organized. The midbrain-hindbrain domain of the embryonic brain is comprised of the mesencephalic vesicle and the first rhombencephalic vesicle at early somitogenesis stages. An organizing center at the boundary patterns the midbrain and hindbrain primordia of the neural plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15541513]' - }, - 'GO:0021556': { - 'name': 'central nervous system formation', - 'def': 'The process that gives rise to the central nervous system. This process pertains to the initial formation of a structure from unspecified parts. The central nervous system is the core nervous system that serves an integrating and coordinating function. In vertebrates it consists of the brain, spinal cord and spinal nerves. In those invertebrates with a central nervous system it typically consists of a brain, cerebral ganglia and a nerve cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0582227089]' - }, - 'GO:0021557': { - 'name': 'oculomotor nerve development', - 'def': 'The process whose specific outcome is the progression of the oculomotor nerve over time, from its formation to the mature structure. This motor nerve innervates all extraocular muscles except the superior oblique and the lateral rectus muscles. The superior division supplies the levator palpebrae superioris and superior rectus muscles. The inferior division supplies the medial rectus, inferior rectus and inferior oblique muscles. This nerve also innervates the striated muscles of the eyelid. Pupillary constriction and lens movement are mediated by this nerve for near vision. In the orbit the inferior division sends branches that enter the ciliary ganglion where they form functional contacts (synapses) with the ganglion cells. The ganglion cells send nerve fibers into the back of the eye where they travel to ultimately innervate the ciliary muscle and the constrictor pupillae muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021558': { - 'name': 'trochlear nerve development', - 'def': 'The process whose specific outcome is the progression of the trochlear nerve over time, from its formation to the mature structure. The trochlear nerve is a motor nerve and is the only cranial nerve to exit the brain dorsally. The trochlear nerve innervates the superior oblique muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021559': { - 'name': 'trigeminal nerve development', - 'def': 'The process whose specific outcome is the progression of the trigeminal nerve over time, from its formation to the mature structure. The trigeminal nerve is composed of three large branches. They are the ophthalmic (V1, sensory), maxillary (V2, sensory) and mandibular (V3, motor and sensory) branches. The sensory ophthalmic branch travels through the superior orbital fissure and passes through the orbit to reach the skin of the forehead and top of the head. The maxillary nerve contains sensory branches that reach the pterygopalatine fossa via the inferior orbital fissure (face, cheek and upper teeth) and pterygopalatine canal (soft and hard palate, nasal cavity and pharynx). The motor part of the mandibular branch is distributed to the muscles of mastication, the mylohyoid muscle and the anterior belly of the digastric. The mandibular nerve also innervates the tensor veli palatini and tensor tympani muscles. The sensory part of the mandibular nerve is composed of branches that carry general sensory information from the mucous membranes of the mouth and cheek, anterior two-thirds of the tongue, lower teeth, skin of the lower jaw, side of the head and scalp and meninges of the anterior and middle cranial fossae. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021560': { - 'name': 'abducens nerve development', - 'def': 'The process whose specific outcome is the progression of the abducens nerve over time, from its formation to the mature structure. The motor function of the abducens nerve is to contract the lateral rectus which results in abduction of the eye. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021561': { - 'name': 'facial nerve development', - 'def': 'The process whose specific outcome is the progression of the facial nerve over time, from its formation to the mature structure. This sensory and motor nerve supplies the muscles of facial expression and the expression and taste at the anterior two-thirds of the tongue. The principal branches are the superficial opthalmic, buccal, palatine and hyomandibular. The main trunk synapses within pterygopalatine ganglion in the parotid gland and this ganglion then gives off nerve branches which supply the lacrimal gland and the mucous secreting glands of the nasal and oral cavities. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021562': { - 'name': 'vestibulocochlear nerve development', - 'def': 'The process whose specific outcome is the progression of the vestibulocochlear nerve over time, from its formation to the mature structure. This sensory nerve innervates the membranous labyrinth of the inner ear. The vestibular branch innervates the vestibular apparatus that senses head position changes relative to gravity. The auditory branch innervates the cochlear duct, which is connected to the three bony ossicles which transduce sound waves into fluid movement in the cochlea. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021563': { - 'name': 'glossopharyngeal nerve development', - 'def': 'Various sensory and motor branches of the glossopharyngeal nerve supply nerve connections to the pharynx and back of the tongue. The branchial motor component contains motor fibers that innervate muscles that elevate the pharynx and larynx, and the tympanic branch supplies parasympathetic fibers to the otic ganglion. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021564': { - 'name': 'vagus nerve development', - 'def': 'The process whose specific outcome is the progression of the vagus nerve over time, from its formation to the mature structure. This nerve is primarily sensory but also has visceromotor components. It originates in the brain stem and controls many autonomic functions of the heart, lungs, stomach, pharynx, larynx, trachea, esophagus and other gastrointestinal tract components. It controls some motor functions such as speech. The sensory branches mediate sensation from the pharynx, larynx, thorax and abdomen; it also innervates taste buds in the epiglottis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021565': { - 'name': 'accessory nerve development', - 'def': 'The process whose specific outcome is the progression of the accessory nerve over time, from its formation to the mature structure. In mice, the spinal branch of this motor nerve innervates the trapezius and the sternocleidomastoid muscles. The cranial branch joins the vagus nerve and innervates the same targets as the vagus nerve. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021566': { - 'name': 'hypoglossal nerve development', - 'def': 'The process whose specific outcome is the progression of the hypoglossal nerve over time, from its formation to the mature structure. This motor nerve innervates all the intrinsic and all but one of the extrinsic muscles of the tongue. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021567': { - 'name': 'rhombomere 1 development', - 'def': 'The process whose specific outcome is the progression of rhombomere 1 over time, from its formation to the mature structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021568': { - 'name': 'rhombomere 2 development', - 'def': 'The process whose specific outcome is the progression of rhombomere 2 over time, from its formation to the mature structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021569': { - 'name': 'rhombomere 3 development', - 'def': 'The process whose specific outcome is the progression of rhombomere 3 over time, from its formation to the mature structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021570': { - 'name': 'rhombomere 4 development', - 'def': 'The process whose specific outcome is the progression of rhombomere 4 over time, from its formation to the mature structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021571': { - 'name': 'rhombomere 5 development', - 'def': 'The process whose specific outcome is the progression of rhombomere 5 over time, from its formation to the mature structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021572': { - 'name': 'rhombomere 6 development', - 'def': 'The process whose specific outcome is the progression of rhombomere 6 over time, from its formation to the mature structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021573': { - 'name': 'rhombomere 7 development', - 'def': 'The process whose specific outcome is the progression of rhombomere 7 over time, from its formation to the mature structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021574': { - 'name': 'rhombomere 8 development', - 'def': 'The process whose specific outcome is the progression of rhombomere 8 over time, from its formation to the mature structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021575': { - 'name': 'hindbrain morphogenesis', - 'def': 'The process in which the anatomical structure of the hindbrain is generated and organized. The hindbrain is the region consisting of the medulla, pons and cerebellum. Areas of the hindbrain control motor and autonomic functions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021576': { - 'name': 'hindbrain formation', - 'def': 'The process that gives rise to the hindbrain. This process pertains to the initial formation of a structure from unspecified parts. The hindbrain is the region consisting of the medulla, pons and cerebellum. Areas of the hindbrain control motor and autonomic functions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021577': { - 'name': 'hindbrain structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the hindbrain. This process pertains to the physical shaping of a rudimentary structure. The hindbrain is the region consisting of the medulla, pons and cerebellum. Areas of the hindbrain control motor and autonomic functions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021578': { - 'name': 'hindbrain maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the hindbrain to attain its fully functional state. The hindbrain is the region consisting of the medulla, pons and cerebellum. Areas of the hindbrain control motor and autonomic functions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021579': { - 'name': 'medulla oblongata morphogenesis', - 'def': 'The process in which the anatomical structure of the medulla oblongata is generated and organized. The medulla oblongata lies directly above the spinal cord and controls vital autonomic functions such as digestion, breathing and the control of heart rate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021580': { - 'name': 'medulla oblongata formation', - 'def': 'The process that gives rise to the medulla oblongata. This process pertains to the initial formation of a structure from unspecified parts. The medulla oblongata lies directly above the spinal cord and controls vital autonomic functions such as digestion, breathing and the control of heart rate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021581': { - 'name': 'medulla oblongata structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the medulla oblongata. This process pertains to the physical shaping of a rudimentary structure. The medulla oblongata lies directly above the spinal cord and controls vital autonomic functions such as digestion, breathing and the control of heart rate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021582': { - 'name': 'medulla oblongata maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the medulla oblongata to attain its fully functional state. The medulla oblongata lies directly above the spinal cord and controls vital autonomic functions such as digestion, breathing and the control of heart rate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021583': { - 'name': 'pons morphogenesis', - 'def': 'The process in which the anatomical structure of the pons is generated and organized. The pons lies above the medulla and next to the cerebellum. The pons conveys information about movement from the cerebral hemisphere to the cerebellum. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021584': { - 'name': 'pons formation', - 'def': 'The process that gives rise to the pons. This process pertains to the initial formation of a structure from unspecified parts. The pons lies above the medulla and next to the cerebellum. The pons conveys information about movement from the cerebral hemisphere to the cerebellum. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021585': { - 'name': 'pons structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the pons. This process pertains to the physical shaping of a rudimentary structure. The pons lies above the medulla and next to the cerebellum. The pons conveys information about movement from the cerebral hemisphere to the cerebellum. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021586': { - 'name': 'pons maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the pons to attain its fully functional state. The pons lies above the medulla and next to the cerebellum. The pons conveys information about movement from the cerebral hemisphere to the cerebellum. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021587': { - 'name': 'cerebellum morphogenesis', - 'def': 'The process in which the anatomical structure of the cerebellum is generated and organized. The cerebellum is the portion of the brain in the back of the head between the cerebrum and the pons. The cerebellum controls balance for walking and standing, modulates the force and range of movement and is involved in the learning of motor skills. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021588': { - 'name': 'cerebellum formation', - 'def': 'The process that gives rise to the cerebellum. This process pertains to the initial formation of a structure from unspecified parts. The cerebellum is the portion of the brain in the back of the head between the cerebrum and the pons. The cerebellum controls balance for walking and standing, modulates the force and range of movement and is involved in the learning of motor skills. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021589': { - 'name': 'cerebellum structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the cerebellum. This process pertains to the physical shaping of a rudimentary structure. The cerebellum is the portion of the brain in the back of the head between the cerebrum and the pons. The cerebellum controls balance for walking and standing, modulates the force and range of movement and is involved in the learning of motor skills. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021590': { - 'name': 'cerebellum maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the cerebellum to attain its fully functional state. The cerebellum is the portion of the brain in the back of the head between the cerebrum and the pons. The cerebellum controls balance for walking and standing, modulates the force and range of movement and is involved in the learning of motor skills. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021591': { - 'name': 'ventricular system development', - 'def': 'The process whose specific outcome is the progression of the brain ventricular system over time, from its formation to the mature structure. The brain ventricular system consists of four communicating cavities within the brain that are continuous with the central canal of the spinal cord. These cavities include two lateral ventricles, the third ventricle and the fourth ventricle. Cerebrospinal fluid fills the ventricles and is produced by the choroid plexus. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021592': { - 'name': 'fourth ventricle development', - 'def': 'The process whose specific outcome is the progression of the fourth ventricle over time, from its formation to the mature structure. The fourth ventricle is an irregularly shaped cavity in the rhombencephalon, between the medulla oblongata, the pons, and the isthmus in front, and the cerebellum behind. It is continuous with the central canal of the cord below and with the cerebral aqueduct above, and through its lateral and median apertures it communicates with the subarachnoid space. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0683400078]' - }, - 'GO:0021593': { - 'name': 'rhombomere morphogenesis', - 'def': 'The process in which the anatomical structure of the rhombomere is generated and organized. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021594': { - 'name': 'rhombomere formation', - 'def': 'The process that gives rise to the rhombomere. This process pertains to the initial formation of a structure from unspecified parts. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021595': { - 'name': 'rhombomere structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the rhombomere structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021597': { - 'name': 'central nervous system structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the central nervous system structure. The central nervous system is the core nervous system that serves an integrating and coordinating function. In vertebrates it consists of the brain, spinal cord and spinal nerves. In those invertebrates with a central nervous system it typically consists of a brain, cerebral ganglia and a nerve cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0582227089]' - }, - 'GO:0021598': { - 'name': 'abducens nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the abducens nerve is generated and organized. The motor function of the abducens nerve is to contract the lateral rectus which results in abduction of the eye. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021599': { - 'name': 'abducens nerve formation', - 'def': 'The process that gives rise to the abducens nerve. This process pertains to the initial formation of a structure from unspecified parts. The motor function of the abducens nerve is to contract the lateral rectus which results in abduction of the eye. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021600': { - 'name': 'abducens nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the abducens nerve. This process pertains to the physical shaping of a rudimentary structure. The motor function of the abducens nerve is to contract the lateral rectus which results in abduction of the eye. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021601': { - 'name': 'abducens nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the abducens nerve to attain its fully functional state. The motor function of the abducens nerve is to contract the lateral rectus which results in abduction of the eye. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021602': { - 'name': 'cranial nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the cranial nerves are generated and organized. The cranial nerves are composed of twelve pairs of nerves that emanate from the nervous tissue of the hindbrain. These nerves are sensory, motor, or mixed in nature, and provide the motor and general sensory innervation of the head, neck and viscera. They mediate vision, hearing, olfaction and taste and carry the parasympathetic innervation of the autonomic ganglia that control visceral functions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021603': { - 'name': 'cranial nerve formation', - 'def': 'The process that gives rise to the cranial nerves. This process pertains to the initial formation of a structure from unspecified parts. The cranial nerves are composed of twelve pairs of nerves that emanate from the nervous tissue of the hindbrain. These nerves are sensory, motor, or mixed in nature, and provide the motor and general sensory innervation of the head, neck and viscera. They mediate vision, hearing, olfaction and taste and carry the parasympathetic innervation of the autonomic ganglia that control visceral functions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021604': { - 'name': 'cranial nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the cranial nerves. This process pertains to the physical shaping of a rudimentary structure. The cranial nerves are composed of twelve pairs of nerves that emanate from the nervous tissue of the hindbrain. These nerves are sensory, motor, or mixed in nature, and provide the motor and general sensory innervation of the head, neck and viscera. They mediate vision, hearing, olfaction and taste and carry the parasympathetic innervation of the autonomic ganglia that control visceral functions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021605': { - 'name': 'cranial nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a cranial nerve to attain its fully functional state. The cranial nerves are composed of twelve pairs of nerves that emanate from the nervous tissue of the hindbrain. These nerves are sensory, motor, or mixed in nature, and provide the motor and general sensory innervation of the head, neck and viscera. They mediate vision, hearing, olfaction and taste and carry the parasympathetic innervation of the autonomic ganglia that control visceral functions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021606': { - 'name': 'accessory nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the accessory nerve to attain its fully functional state. The spinal branch of this motor nerve innervates the trapezius and the sternocleidomastoid muscles. The cranial branch joins the vagus nerve and innervates the same targets as the vagus nerve. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021607': { - 'name': 'accessory nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the accessory nerve is generated and organized. The spinal branch of this motor nerve innervates the trapezius and the sternocleidomastoid muscles. The cranial branch joins the vagus nerve and innervates the same targets as the vagus nerve. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021608': { - 'name': 'accessory nerve formation', - 'def': 'The process that gives rise to the accessory nerve. This process pertains to the initial formation of a structure from unspecified parts. The spinal branch of this motor nerve innervates the trapezius and the sternocleidomastoid muscles. The cranial branch joins the vagus nerve and innervates the same targets as the vagus nerve. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021609': { - 'name': 'accessory nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the accessory nerve This process pertains to the physical shaping of a rudimentary structure. The spinal branch of this motor nerve innervates the trapezius and the sternocleidomastoid muscles. The cranial branch joins the vagus nerve and innervates the same targets as the vagus nerve. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021610': { - 'name': 'facial nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the facial nerve is generated and organized. This sensory and motor nerve supplies the muscles of facial expression and the expression and taste at the anterior two-thirds of the tongue. The principal branches are the superficial opthalmic, buccal, palatine and hyomandibular. The main trunk synapses within pterygopalatine ganglion in the parotid gland and this ganglion then gives of nerve branches which supply the lacrimal gland and the mucous secreting glands of the nasal and oral cavities. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021611': { - 'name': 'facial nerve formation', - 'def': 'The process that gives rise to the facial nerve. This process pertains to the initial formation of a structure from unspecified parts. This sensory and motor nerve supplies the muscles of facial expression and the expression and taste at the anterior two-thirds of the tongue. The principal branches are the superficial opthalmic, buccal, palatine and hyomandibular. The main trunk synapses within pterygopalatine ganglion in the parotid gland and this ganglion then gives of nerve branches which supply the lacrimal gland and the mucous secreting glands of the nasal and oral cavities. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021612': { - 'name': 'facial nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the facial nerve. This process pertains to the physical shaping of a rudimentary structure. This sensory and motor nerve supplies the muscles of facial expression and the expression and taste at the anterior two-thirds of the tongue. The principal branches are the superficial opthalmic, buccal, palatine and hyomandibular. The main trunk synapses within pterygopalatine ganglion in the parotid gland and this ganglion then gives of nerve branches which supply the lacrimal gland and the mucous secreting glands of the nasal and oral cavities. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021613': { - 'name': 'facial nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the facial nerve to attain its fully functional state. This sensory and motor nerve supplies the muscles of facial expression and the expression and taste at the anterior two-thirds of the tongue. The principal branches are the superficial opthalmic, buccal, palatine and hyomandibular. The main trunk synapses within pterygopalatine ganglion in the parotid gland and this ganglion then gives of nerve branches which supply the lacrimal gland and the mucous secreting glands of the nasal and oral cavities. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021614': { - 'name': 'glossopharyngeal nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the glossopharyngeal nerve to attain its fully functional state. Various sensory and motor branches of the glossopharyngeal nerve supply nerve connections to the pharynx and back of the tongue. The branchial motor component contains motor fibers that innervate muscles that elevate the pharynx and larynx, and the tympanic branch supplies parasympathetic fibers to the otic ganglion. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021615': { - 'name': 'glossopharyngeal nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the glossopharyngeal nerve is generated and organized. Various sensory and motor branches of the glossopharyngeal nerve supply nerve connections to the pharynx and back of the tongue. The branchial motor component contains motor fibers that innervate muscles that elevate the pharynx and larynx, and the tympanic branch supplies parasympathetic fibers to the otic ganglion. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021616': { - 'name': 'glossopharyngeal nerve formation', - 'def': 'The process that gives rise to the glossopharyngeal nerve. This process pertains to the initial formation of a structure from unspecified parts. Various sensory and motor branches of the glossopharyngeal nerve supply nerve connections to the pharynx and back of the tongue. The branchial motor component contains motor fibers that innervate muscles that elevate the pharynx and larynx, and the tympanic branch supplies parasympathetic fibers to the otic ganglion. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021617': { - 'name': 'glossopharyngeal nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the glossopharyngeal nerve. This process pertains to the physical shaping of a rudimentary structure. Various sensory and motor branches of the glossopharyngeal nerve supply nerve connections to the pharynx and back of the tongue. The branchial motor component contains motor fibers that innervate muscles that elevate the pharynx and larynx, and the tympanic branch supplies parasympathetic fibers to the otic ganglion. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021618': { - 'name': 'hypoglossal nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the hypoglossal nerve is generated and organized. This motor nerve innervates all the intrinsic and all but one of the extrinsic muscles of the tongue. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021619': { - 'name': 'hypoglossal nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the hypoglossal nerve to attain its fully functional state. This motor nerve innervates all the intrinsic and all but one of the extrinsic muscles of the tongue. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021620': { - 'name': 'hypoglossal nerve formation', - 'def': 'The process that gives rise to the hypoglossal nerve. This process pertains to the initial formation of a structure from unspecified parts. This motor nerve innervates all the intrinsic and all but one of the extrinsic muscles of the tongue. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021621': { - 'name': 'hypoglossal nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the hypoglossal nerve. This process pertains to the physical shaping of a rudimentary structure. This motor nerve innervates all the intrinsic and all but one of the extrinsic muscles of the tongue. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021622': { - 'name': 'oculomotor nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the oculomotor nerve is generated and organized. This motor nerve innervates all extraocular muscles except the superior oblique and the lateral rectus muscles. The superior division supplies the levator palpebrae superioris and superior rectus muscles. The inferior division supplies the medial rectus, inferior rectus and inferior oblique muscles. This nerve also innervates the striated muscles of the eyelid. Pupillary constriction and lens movement are mediated by this nerve for near vision. In the orbit the inferior division sends branches that enter the ciliary ganglion where they form functional contacts (synapses) with the ganglion cells. The ganglion cells send nerve fibers into the back of the eye where they travel to ultimately innervate the ciliary muscle and the constrictor pupillae muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021623': { - 'name': 'oculomotor nerve formation', - 'def': 'The process that gives rise to the oculomotor nerve. This process pertains to the initial formation of a structure from unspecified parts. This motor nerve innervates all extraocular muscles except the superior oblique and the lateral rectus muscles. The superior division supplies the levator palpebrae superioris and superior rectus muscles. The inferior division supplies the medial rectus, inferior rectus and inferior oblique muscles. This nerve also innervates the striated muscles of the eyelid. Pupillary constriction and lens movement are mediated by this nerve for near vision. In the orbit the inferior division sends branches that enter the ciliary ganglion where they form functional contacts (synapses) with the ganglion cells. The ganglion cells send nerve fibers into the back of the eye where they travel to ultimately innervate the ciliary muscle and the constrictor pupillae muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021624': { - 'name': 'oculomotor nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the oculomotor nerve. This process pertains to the physical shaping of a rudimentary structure. This motor nerve innervates all extraocular muscles except the superior oblique and the lateral rectus muscles. The superior division supplies the levator palpebrae superioris and superior rectus muscles. The inferior division supplies the medial rectus, inferior rectus and inferior oblique muscles. This nerve also innervates the striated muscles of the eyelid. Pupillary constriction and lens movement are mediated by this nerve for near vision. In the orbit the inferior division sends branches that enter the ciliary ganglion where they form functional contacts (synapses) with the ganglion cells. The ganglion cells send nerve fibers into the back of the eye where they travel to ultimately innervate the ciliary muscle and the constrictor pupillae muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021625': { - 'name': 'oculomotor nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the oculomotor nerve to attain its fully functional state. This motor nerve innervates all extraocular muscles except the superior oblique and the lateral rectus muscles. The superior division supplies the levator palpebrae superioris and superior rectus muscles. The inferior division supplies the medial rectus, inferior rectus and inferior oblique muscles. This nerve also innervates the striated muscles of the eyelid. Pupillary constriction and lens movement are mediated by this nerve for near vision. In the orbit the inferior division sends branches that enter the ciliary ganglion where they form functional contacts (synapses) with the ganglion cells. The ganglion cells send nerve fibers into the back of the eye where they travel to ultimately innervate the ciliary muscle and the constrictor pupillae muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021626': { - 'name': 'central nervous system maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the central nervous system to attain its fully functional state. The central nervous system is the core nervous system that serves an integrating and coordinating function. In vertebrates it consists of the brain and spinal cord. In those invertebrates with a central nervous system it typically consists of a brain, cerebral ganglia and a nerve cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0582227089]' - }, - 'GO:0021627': { - 'name': 'olfactory nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the olfactory nerve is generated and organized. The olfactory nerve is a collection of sensory nerve rootlets that extend down from the olfactory bulb to the olfactory mucosa of the upper parts of the nasal cavity. This nerve conducts odor information to the brainstem. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021628': { - 'name': 'olfactory nerve formation', - 'def': 'The process that gives rise to the olfactory nerve. This process pertains to the initial formation of a structure from unspecified parts. The olfactory nerve is a collection of sensory nerve rootlets that extend down from the olfactory bulb to the olfactory mucosa of the upper parts of the nasal cavity. This nerve conducts odor information to the brainstem. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021629': { - 'name': 'olfactory nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the oculomotor nerve. This process pertains to the physical shaping of a rudimentary structure. The olfactory nerve is a collection of sensory nerve rootlets that extend down from the olfactory bulb to the olfactory mucosa of the upper parts of the nasal cavity. This nerve conducts odor information to the brainstem. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021630': { - 'name': 'olfactory nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the olfactory nerve to attain its fully functional state. The olfactory nerve is a collection of sensory nerve rootlets that extend down from the olfactory bulb to the olfactory mucosa of the upper parts of the nasal cavity. This nerve conducts odor information to the brainstem. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021631': { - 'name': 'optic nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the optic nerve is generated and organized. The sensory optic nerve originates from the bipolar cells of the retina and conducts visual information to the brainstem. The optic nerve exits the back of the eye in the orbit, enters the optic canal, and enters the central nervous system at the optic chiasm (crossing) where the nerve fibers become the optic tract just prior to entering the hindbrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021632': { - 'name': 'optic nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the optic nerve to attain its fully functional state. The sensory optic nerve originates from the bipolar cells of the retina and conducts visual information to the brainstem. The optic nerve exits the back of the eye in the orbit, enters the optic canal, and enters the central nervous system at the optic chiasm (crossing) where the nerve fibers become the optic tract just prior to entering the hindbrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021633': { - 'name': 'optic nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the optic nerve. This process pertains to the physical shaping of a rudimentary structure. The sensory optic nerve originates from the bipolar cells of the retina and conducts visual information to the brainstem. The optic nerve exits the back of the eye in the orbit, enters the optic canal, and enters the central nervous system at the optic chiasm (crossing) where the nerve fibers become the optic tract just prior to entering the hindbrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021634': { - 'name': 'optic nerve formation', - 'def': 'The process that gives rise to the optic nerve. This process pertains to the initial formation of a structure from unspecified parts. The sensory optic nerve originates from the bipolar cells of the retina and conducts visual information to the brainstem. The optic nerve exits the back of the eye in the orbit, enters the optic canal, and enters the central nervous system at the optic chiasm (crossing) where the nerve fibers become the optic tract just prior to entering the hindbrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021635': { - 'name': 'trigeminal nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the trigeminal nerve to attain its fully functional state. The trigeminal nerve is composed of three large branches. They are the ophthalmic (V1, sensory), maxillary (V2, sensory) and mandibular (V3, motor and sensory) branches. The sensory ophthalmic branch travels through the superior orbital fissure and passes through the orbit to reach the skin of the forehead and top of the head. The maxillary nerve contains sensory branches that reach the pterygopalatine fossa via the inferior orbital fissure (face, cheek and upper teeth) and pterygopalatine canal (soft and hard palate, nasal cavity and pharynx). The motor part of the mandibular branch is distributed to the muscles of mastication, the mylohyoid muscle and the anterior belly of the digastric. The mandibular nerve also innervates the tensor veli palatini and tensor tympani muscles. The sensory part of the mandibular nerve is composed of branches that carry general sensory information from the mucous membranes of the mouth and cheek, anterior two-thirds of the tongue, lower teeth, skin of the lower jaw, side of the head and scalp and meninges of the anterior and middle cranial fossae. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021636': { - 'name': 'trigeminal nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the trigeminal nerve is generated and organized. The trigeminal nerve is composed of three large branches. They are the ophthalmic (V1, sensory), maxillary (V2, sensory) and mandibular (V3, motor and sensory) branches. The sensory ophthalmic branch travels through the superior orbital fissure and passes through the orbit to reach the skin of the forehead and top of the head. The maxillary nerve contains sensory branches that reach the pterygopalatine fossa via the inferior orbital fissure (face, cheek and upper teeth) and pterygopalatine canal (soft and hard palate, nasal cavity and pharynx). The motor part of the mandibular branch is distributed to the muscles of mastication, the mylohyoid muscle and the anterior belly of the digastric. The mandibular nerve also innervates the tensor veli palatini and tensor tympani muscles. The sensory part of the mandibular nerve is composed of branches that carry general sensory information from the mucous membranes of the mouth and cheek, anterior two-thirds of the tongue, lower teeth, skin of the lower jaw, side of the head and scalp and meninges of the anterior and middle cranial fossae. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021637': { - 'name': 'trigeminal nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the oculomotor nerve. This process pertains to the physical shaping of a rudimentary structure. The trigeminal nerve is composed of three large branches. They are the ophthalmic (V1, sensory), maxillary (V2, sensory) and mandibular (V3, motor and sensory) branches. The sensory ophthalmic branch travels through the superior orbital fissure and passes through the orbit to reach the skin of the forehead and top of the head. The maxillary nerve contains sensory branches that reach the pterygopalatine fossa via the inferior orbital fissure (face, cheek and upper teeth) and pterygopalatine canal (soft and hard palate, nasal cavity and pharynx). The motor part of the mandibular branch is distributed to the muscles of mastication, the mylohyoid muscle and the anterior belly of the digastric. The mandibular nerve also innervates the tensor veli palatini and tensor tympani muscles. The sensory part of the mandibular nerve is composed of branches that carry general sensory information from the mucous membranes of the mouth and cheek, anterior two-thirds of the tongue, lower teeth, skin of the lower jaw, side of the head and scalp and meninges of the anterior and middle cranial fossae. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021638': { - 'name': 'trigeminal nerve formation', - 'def': 'The process that gives rise to the trigeminal nerve. This process pertains to the initial formation of a structure from unspecified parts. The trigeminal nerve is composed of three large branches. They are the ophthalmic (V1, sensory), maxillary (V2, sensory) and mandibular (V3, motor and sensory) branches. The sensory ophthalmic branch travels through the superior orbital fissure and passes through the orbit to reach the skin of the forehead and top of the head. The maxillary nerve contains sensory branches that reach the pterygopalatine fossa via the inferior orbital fissure (face, cheek and upper teeth) and pterygopalatine canal (soft and hard palate, nasal cavity and pharynx). The motor part of the mandibular branch is distributed to the muscles of mastication, the mylohyoid muscle and the anterior belly of the digastric. The mandibular nerve also innervates the tensor veli palatini and tensor tympani muscles. The sensory part of the mandibular nerve is composed of branches that carry general sensory information from the mucous membranes of the mouth and cheek, anterior two-thirds of the tongue, lower teeth, skin of the lower jaw, side of the head and scalp and meninges of the anterior and middle cranial fossae. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021639': { - 'name': 'trochlear nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the trochlear nerve is generated and organized. The trochlear nerve is a motor nerve and is the only cranial nerve to exit the brain dorsally. The trochlear nerve innervates the superior oblique muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021640': { - 'name': 'trochlear nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the trochlear nerve to attain its fully functional state. The trochlear nerve is a motor nerve and is the only cranial nerve to exit the brain dorsally. The trochlear nerve innervates the superior oblique muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021641': { - 'name': 'trochlear nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the trochlear nerve. This process pertains to the physical shaping of a rudimentary structure. The trochlear nerve is a motor nerve and is the only cranial nerve to exit the brain dorsally. The trochlear nerve innervates the superior oblique muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021642': { - 'name': 'trochlear nerve formation', - 'def': 'The process that gives rise to the trochlear nerve. This process pertains to the initial formation of a structure from unspecified parts. The trochlear nerve is a motor nerve and is the only cranial nerve to exit the brain dorsally. The trochlear nerve innervates the superior oblique muscle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021643': { - 'name': 'vagus nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the vagus nerve to attain its fully functional state. This nerve is primarily sensory but also has visceromotor components. It originates in the brain stem and controls many autonomic functions of the heart, lungs, stomach, pharynx, larynx, trachea, esophagus and other gastrointestinal tract components. It controls some motor functions such as speech. The sensory branches mediate sensation from the pharynx, larynx, thorax and abdomen; it also innervates taste buds in the epiglottis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021644': { - 'name': 'vagus nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the vagus nerve is generated and organized. This nerve is primarily sensory but also has visceromotor components. It originates in the brain stem and controls many autonomic functions of the heart, lungs, stomach, pharynx, larynx, trachea, esophagus and other gastrointestinal tract components. It controls some motor functions such as speech. The sensory branches mediate sensation from the pharynx, larynx, thorax and abdomen; it also innervates taste buds in the epiglottis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021645': { - 'name': 'vagus nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the vagus nerve. This process pertains to the physical shaping of a rudimentary structure. This nerve is primarily sensory but also has visceromotor components. It originates in the brain stem and controls many autonomic functions of the heart, lungs, stomach, pharynx, larynx, trachea, esophagus and other gastrointestinal tract components. It controls some motor functions such as speech. The sensory branches mediate sensation from the pharynx, larynx, thorax and abdomen; it also innervates taste buds in the epiglottis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021646': { - 'name': 'vagus nerve formation', - 'def': 'The process that gives rise to the vagus nerve. This process pertains to the initial formation of a structure from unspecified parts. This nerve is primarily sensory but also has visceromotor components. It originates in the brain stem and controls many autonomic functions of the heart, lungs, stomach, pharynx, larynx, trachea, esophagus and other gastrointestinal tract components. It controls some motor functions such as speech. The sensory branches mediate sensation from the pharynx, larynx, thorax and abdomen; it also innervates taste buds in the epiglottis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021647': { - 'name': 'vestibulocochlear nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the vestibulocochlear nerve to attain its fully functional state. This sensory nerve innervates the membranous labyrinth of the inner ear. The vestibular branch innervates the vestibular apparatus that senses head position changes relative to gravity. The auditory branch innervates the cochlear duct, which is connected to the three bony ossicles which transduce sound waves into fluid movement in the cochlea. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021648': { - 'name': 'vestibulocochlear nerve morphogenesis', - 'def': 'The process in which the anatomical structure of the vestibulocochlear nerve is generated and organized. This sensory nerve innervates the membranous labyrinth of the inner ear. The vestibular branch innervates the vestibular apparatus that senses head position changes relative to gravity. The auditory branch innervates the cochlear duct, which is connected to the three bony ossicles which transduce sound waves into fluid movement in the cochlea. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021649': { - 'name': 'vestibulocochlear nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the vestibulocochlear nerve. This process pertains to the physical shaping of a rudimentary structure. This sensory nerve innervates the membranous labyrinth of the inner ear. The vestibular branch innervates the vestibular apparatus that senses head position changes relative to gravity. The auditory branch innervates the cochlear duct, which is connected to the three bony ossicles which transduce sound waves into fluid movement in the cochlea. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021650': { - 'name': 'vestibulocochlear nerve formation', - 'def': 'The process that gives rise to the vestibulocochlear nerve. This process pertains to the initial formation of a structure from unspecified parts. This sensory nerve innervates the membranous labyrinth of the inner ear. The vestibular branch innervates the vestibular apparatus that senses head position changes relative to gravity. The auditory branch innervates the cochlear duct, which is connected to the three bony ossicles which transduce sound waves into fluid movement in the cochlea. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021651': { - 'name': 'rhombomere 1 morphogenesis', - 'def': 'The process in which the anatomical structure of rhombomere 1 is generated and organized. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021652': { - 'name': 'rhombomere 1 formation', - 'def': 'The process that gives rise to rhombomere 1. This process pertains to the initial formation of a structure from unspecified parts. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021653': { - 'name': 'rhombomere 1 structural organization', - 'def': 'The process that contributes to creating the structural organization of rhombomere 1. This process pertains to the physical shaping of a rudimentary structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021654': { - 'name': 'rhombomere boundary formation', - 'def': 'The process that gives rise to a rhombomere boundary. This process pertains to the initial formation of a boundary delimiting a rhombomere. Rhombomeres are transverse segments of the developing rhombencephalon that are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021655': { - 'name': 'rhombomere 2 morphogenesis', - 'def': 'The process in which the anatomical structure of rhombomere 2 is generated and organized. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021656': { - 'name': 'rhombomere 2 structural organization', - 'def': 'The process that contributes to creating the structural organization of rhombomere 2. This process pertains to the physical shaping of a rudimentary structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021657': { - 'name': 'rhombomere 2 formation', - 'def': 'The process that gives rise to rhombomere 2. This process pertains to the initial formation of a structure from unspecified parts. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021658': { - 'name': 'rhombomere 3 morphogenesis', - 'def': 'The process in which the anatomical structure of rhombomere 3 is generated and organized. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021659': { - 'name': 'rhombomere 3 structural organization', - 'def': 'The process that contributes to creating the structural organization of rhombomere 3. This process pertains to the physical shaping of a rudimentary structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021660': { - 'name': 'rhombomere 3 formation', - 'def': 'The process that gives rise to rhombomere 3. This process pertains to the initial formation of a structure from unspecified parts. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021661': { - 'name': 'rhombomere 4 morphogenesis', - 'def': 'The process in which the anatomical structure of rhombomere 4 is generated and organized. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021662': { - 'name': 'rhombomere 4 structural organization', - 'def': 'The process that contributes to creating the structural organization of rhombomere 4. This process pertains to the physical shaping of a rudimentary structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021663': { - 'name': 'rhombomere 4 formation', - 'def': 'The process that gives rise to rhombomere 4. This process pertains to the initial formation of a structure from unspecified parts. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021664': { - 'name': 'rhombomere 5 morphogenesis', - 'def': 'The process in which the anatomical structures of rhombomere 5 are generated and organized. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021665': { - 'name': 'rhombomere 5 structural organization', - 'def': 'The process that contributes to creating the structural organization of rhombomere 5. This process pertains to the physical shaping of a rudimentary structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021666': { - 'name': 'rhombomere 5 formation', - 'def': 'The process that gives rise to rhombomere 5. This process pertains to the initial formation of a structure from unspecified parts. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021667': { - 'name': 'rhombomere 6 morphogenesis', - 'def': 'The process in which the anatomical structure of rhombomere 6 is generated and organized. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021668': { - 'name': 'rhombomere 6 structural organization', - 'def': 'The process that contributes to creating the structural organization of rhombomere 6. This process pertains to the physical shaping of a rudimentary structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021669': { - 'name': 'rhombomere 6 formation', - 'def': 'The process that gives rise to rhombomere 6. This process pertains to the initial formation of a structure from unspecified parts. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021670': { - 'name': 'lateral ventricle development', - 'def': 'The process whose specific outcome is the progression of the lateral ventricles over time, from the formation to the mature structure. The two lateral ventricles are a cavity in each of the cerebral hemispheres derived from the cavity of the embryonic neural tube. They are separated from each other by the septum pellucidum, and each communicates with the third ventricle by the foramen of Monro, through which also the choroid plexuses of the lateral ventricles become continuous with that of the third ventricle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0683400078]' - }, - 'GO:0021671': { - 'name': 'rhombomere 7 morphogenesis', - 'def': 'The process in which the anatomical structure of rhombomere 7 is generated and organized. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021672': { - 'name': 'rhombomere 7 structural organization', - 'def': 'The process that contributes to creating the structural organization of rhombomere 7. This process pertains to the physical shaping of a rudimentary structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021673': { - 'name': 'rhombomere 7 formation', - 'def': 'The process that gives rise to rhombomere 7. This process pertains to the initial formation of a structure from unspecified parts. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021674': { - 'name': 'rhombomere 8 morphogenesis', - 'def': 'The process in which the anatomical structure of rhombomere 8 is generated and organized. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021675': { - 'name': 'nerve development', - 'def': 'The process whose specific outcome is the progression of a nerve over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021676': { - 'name': 'rhombomere 8 structural organization', - 'def': 'The process that contributes to creating the structural organization of rhombomere 8. This process pertains to the physical shaping of a rudimentary structure. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in an anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021677': { - 'name': 'rhombomere 8 formation', - 'def': 'The process that gives rise to rhombomere 8. This process pertains to the initial formation of a structure from unspecified parts. Rhombomeres are transverse segments of the developing rhombencephalon. Rhombomeres are lineage restricted, express different genes from one another, and adopt different developmental fates. Rhombomeres are numbered in anterior to posterior order. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021678': { - 'name': 'third ventricle development', - 'def': 'The process whose specific outcome is the progression of the third ventricle over time, from its formation to the mature structure. The third ventricle is the narrow cleft inferior to the corpus callosum, within the diencephalon, between the paired thalami. Its floor is formed by the hypothalamus, its anterior wall by the lamina terminalis, and its roof by ependyma, and it communicates with the fourth ventricle by the cerebral aqueduct, and with the lateral ventricles by the interventricular foramina. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0683400078]' - }, - 'GO:0021679': { - 'name': 'cerebellar molecular layer development', - 'def': 'The process whose specific outcome is the progression of the cerebellar molecular layer nerve over time, from its formation to the mature structure. The molecular layer is the outermost layer of the cerebellar cortex. It contains the parallel fibers of the granule cells, interneurons such as stellate and basket cells, and the dendrites of the underlying Purkinje cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021680': { - 'name': 'cerebellar Purkinje cell layer development', - 'def': 'The process whose specific outcome is the progression of the cerebellar Purkinje cell layer over time, from its formation to the mature structure. The Purkinje cell layer lies just underneath the molecular layer of the cerebellar cortex. It contains the neuronal cell bodies of the Purkinje cells that are arranged side by side in a single layer. Candelabrum interneurons are vertically oriented between the Purkinje cells. Purkinje neurons are inhibitory and provide the output of the cerebellar cortex through axons that project into the white matter. Extensive dendritic trees from the Purkinje cells extend upward in a single plane into the molecular layer where they synapse with parallel fibers of granule cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021681': { - 'name': 'cerebellar granular layer development', - 'def': 'The process whose specific outcome is the progression of the cerebellar granule layer over time, from its formation to the mature structure. The granular layer is the innermost layer of the cerebellar cortex. This layer contains densely packed small neurons, mostly granule cells. Some Golgi cells are found at the outer border. Granule neurons send parallel fibers to the upper molecular layer, where they synapse with Purkinje cell dendrites. Mossy fibers from the pontine nuclei in the white matter synapse with granule cell axons, Golgi cell axons and unipolar brush interneuron axons at cerebellar glomeruli in the granule cell layer. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021682': { - 'name': 'nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a nerve to attain its fully functional state. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021683': { - 'name': 'cerebellar granular layer morphogenesis', - 'def': 'The process in which the anatomical structure of the cerebellar granular layer is generated and organized. The granular layer is the innermost layer of the cerebellar cortex. This layer contains densely packed small neurons, mostly granule cells. Some Golgi cells are found at the outer border. Granule neurons send parallel fibers to the upper molecular layer, where they synapse with Purkinje cell dendrites. Mossy fibers from the pontine nuclei in the white matter synapse with granule cell axons, Golgi cell axons and unipolar brush interneuron axons at cerebellar glomeruli in the granule cell layer. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021684': { - 'name': 'cerebellar granular layer formation', - 'def': 'The process that gives rise to the cerebellar granule layer. This process pertains to the initial formation of a structure from unspecified parts. The granular layer is the innermost layer of the cerebellar cortex. This layer contains densely packed small neurons, mostly granule cells. Some Golgi cells are found at the outer border. Granule neurons send parallel fibers to the upper molecular layer, where they synapse with Purkinje cell dendrites. Mossy fibers from the pontine nuclei in the white matter synapse with granule cell axons, Golgi cell axons and unipolar brush interneuron axons at cerebellar glomeruli in the granule cell layer. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021685': { - 'name': 'cerebellar granular layer structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the cerebellar granule layer. This process pertains to the physical shaping of a rudimentary structure. The granular layer is the innermost layer of the cerebellar cortex. This layer contains densely packed small neurons, mostly granule cells. Some Golgi cells are found at the outer border. Granule neurons send parallel fibers to the upper molecular layer, where they synapse with Purkinje cell dendrites. Mossy fibers from the pontine nuclei in the white matter synapse with granule cell axons, Golgi cell axons and unipolar brush interneuron axons at cerebellar glomeruli in the granule cell layer. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021686': { - 'name': 'cerebellar granular layer maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the cerebellar granular layer to attain its fully functional state. The granular layer is the innermost layer of the cerebellar cortex. This layer contains densely packed small neurons, mostly granule cells. Some Golgi cells are found at the outer border. Granule neurons send parallel fibers to the upper molecular layer, where they synapse with Purkinje cell dendrites. Mossy fibers from the pontine nuclei in the white matter synapse with granule cell axons, Golgi cell axons and unipolar brush interneuron axons at cerebellar glomeruli in the granule cell layer. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021687': { - 'name': 'cerebellar molecular layer morphogenesis', - 'def': 'The process in which the anatomical structure of the cerebellar molecular layer is generated and organized. The molecular layer is the outermost layer of the cerebellar cortex. It contains the parallel fibers of the granule cells, interneurons such as stellate and basket cells, and the dendrites of the underlying Purkinje cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021688': { - 'name': 'cerebellar molecular layer formation', - 'def': 'The process that gives rise to the cerebellar molecular layer. This process pertains to the initial formation of a structure from unspecified parts. The molecular layer is the outermost layer of the cerebellar cortex. It contains the parallel fibers of the granule cells, interneurons such as stellate and basket cells, and the dendrites of the underlying Purkinje cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021689': { - 'name': 'cerebellar molecular layer structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the cerebellar molecular layer. This process pertains to the physical shaping of a rudimentary structure. The molecular layer is the outermost layer of the cerebellar cortex. It contains the parallel fibers of the granule cells, interneurons such as stellate and basket cells, and the dendrites of the underlying Purkinje cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021690': { - 'name': 'cerebellar molecular layer maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the cerebellar molecular layer to attain its fully functional state. The molecular layer is the outermost layer of the cerebellar cortex. It contains the parallel fibers of the granule cells, interneurons such as stellate and basket cells, and the dendrites of the underlying Purkinje cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021691': { - 'name': 'cerebellar Purkinje cell layer maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the cerebellar Purkinje cell layer to attain its fully functional state. The Purkinje cell layer lies just underneath the molecular layer of the cerebellar cortex. It contains the neuronal cell bodies of the Purkinje cells that are arranged side by side in a single layer. Candelabrum interneurons are vertically oriented between the Purkinje cells. Purkinje neurons are inhibitory and provide the output of the cerebellar cortex through axons that project into the white matter. Extensive dendritic trees from the Purkinje cells extend upward in a single plane into the molecular layer where they synapse with parallel fibers of granule cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021692': { - 'name': 'cerebellar Purkinje cell layer morphogenesis', - 'def': 'The process in which the anatomical structure of the cerebellar Purkinje cell layer is generated and organized. The Purkinje cell layer lies just underneath the molecular layer of the cerebellar cortex. It contains the neuronal cell bodies of the Purkinje cells that are arranged side by side in a single layer. Candelabrum interneurons are vertically oriented between the Purkinje cells. Purkinje neurons are inhibitory and provide the output of the cerebellar cortex through axons that project into the white matter. Extensive dendritic trees from the Purkinje cells extend upward in a single plane into the molecular layer where they synapse with parallel fibers of granule cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021693': { - 'name': 'cerebellar Purkinje cell layer structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the cerebellar Purkinje cell layer. This process pertains to the physical shaping of a rudimentary structure. The Purkinje cell layer lies just underneath the molecular layer of the cerebellar cortex. It contains the neuronal cell bodies of the Purkinje cells that are arranged side by side in a single layer. Candelabrum interneurons are vertically oriented between the Purkinje cells. Purkinje neurons are inhibitory and provide the output of the cerebellar cortex through axons that project into the white matter. Extensive dendritic trees from the Purkinje cells extend upward in a single plane into the molecular layer where they synapse with parallel fibers of granule cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021694': { - 'name': 'cerebellar Purkinje cell layer formation', - 'def': 'The process that gives rise to the cerebellar Purkinje cell layer. This process pertains to the initial formation of a structure from unspecified parts. The Purkinje cell layer lies just underneath the molecular layer of the cerebellar cortex. It contains the neuronal cell bodies of the Purkinje cells that are arranged side by side in a single layer. Candelabrum interneurons are vertically oriented between the Purkinje cells. Purkinje neurons are inhibitory and provide the output of the cerebellar cortex through axons that project into the white matter. Extensive dendritic trees from the Purkinje cells extend upward in a single plane into the molecular layer where they synapse with parallel fibers of granule cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021695': { - 'name': 'cerebellar cortex development', - 'def': 'The process whose specific outcome is the progression of the cerebellar cortex over time, from its formation to the mature structure. The cerebellar cortex is a thin mantle of gray matter that covers the surface of each cerebral hemisphere. It has a characteristic morphology with convolutions (gyri) and crevices (sulci) that have specific functions. Six layers of nerve cells and the nerve pathways that connect them comprise the cerebellar cortex. Together, these regions are responsible for the processes of conscious thought, perception, emotion and memory as well as advanced motor function. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021696': { - 'name': 'cerebellar cortex morphogenesis', - 'def': 'The process in which the anatomical structure of the cranial nerves are generated and organized. The cerebellar cortex is a thin mantle of gray matter that covers the surface of each cerebral hemisphere. It has a characteristic morphology with convolutions (gyri) and crevices (sulci) that have specific functions. Six layers of nerve cells and the nerve pathways that connect them comprise the cerebellar cortex. Together, these regions are responsible for the processes of conscious thought, perception, emotion and memory as well as advanced motor function. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021697': { - 'name': 'cerebellar cortex formation', - 'def': 'The process that gives rise to the cerebellar cortex. This process pertains to the initial formation of a structure from unspecified parts. The cerebellar cortex is a thin mantle of gray matter that covers the surface of each cerebral hemisphere. It has a characteristic morphology with convolutions (gyri) and crevices (sulci) that have specific functions. Six layers of nerve cells and the nerve pathways that connect them comprise the cerebellar cortex. Together, these regions are responsible for the processes of conscious thought, perception, emotion and memory as well as advanced motor function. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021698': { - 'name': 'cerebellar cortex structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the cerebellar cortex. This process pertains to the physical shaping of a rudimentary structure. The cerebellar cortex is a thin mantle of gray matter that covers the surface of each cerebral hemisphere. It has a characteristic morphology with convolutions (gyri) and crevices (sulci) that have specific functions. Six layers of nerve cells and the nerve pathways that connect them comprise the cerebellar cortex. Together, these regions are responsible for the processes of conscious thought, perception, emotion and memory as well as advanced motor function. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021699': { - 'name': 'cerebellar cortex maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the cerebellar cortex to attain its fully functional state. The cerebellar cortex is a thin mantle of gray matter that covers the surface of each cerebral hemisphere. It has a characteristic morphology with convolutions (gyri) and crevices (sulci) that have specific functions. Six layers of nerve cells and the nerve pathways that connect them comprise the cerebellar cortex. Together, these regions are responsible for the processes of conscious thought, perception, emotion and memory as well as advanced motor function. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021700': { - 'name': 'developmental maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for an anatomical structure, cell or cellular component to attain its fully functional state. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021701': { - 'name': 'cerebellar Golgi cell differentiation', - 'def': 'The process in which neuroblasts acquire specialized structural and/or functional features that characterize the mature cerebellar Golgi cell. Differentiation includes the processes involved in commitment of a neuroblast to a Golgi cell fate. A cerebellar Golgi cell is an inhibitory GABAergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021702': { - 'name': 'cerebellar Purkinje cell differentiation', - 'def': 'The process in which neuroblasts acquire specialized structural and/or functional features that characterize the mature cerebellar Purkinje cell. Differentiation includes the processes involved in commitment of a neuroblast to a Purkinje cell fate. A Purkinje cell is an inhibitory GABAergic neuron found in the cerebellar cortex that projects to the deep cerebellar nuclei and brain stem. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021703': { - 'name': 'locus ceruleus development', - 'def': 'The process whose specific outcome is the progression of the locus ceruleus over time, from its formation to the mature structure. The locus ceruleus is a dense cluster of neurons within the dorsorostral pons. This nucleus is the major location of neurons that release norepinephrine throughout the brain, and is responsible for physiological responses to stress and panic. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021704': { - 'name': 'locus ceruleus morphogenesis', - 'def': 'The process in which the anatomical structure of the locus ceruleus is generated and organized. In mice, the locus ceruleus is a dense cluster of neurons within the dorsorostral pons. This nucleus is the major location of neurons that release norepinephrine throughout the brain, and is responsible for physiological responses to stress and panic. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021705': { - 'name': 'locus ceruleus formation', - 'def': 'The process that gives rise to the locus ceruleus. This process pertains to the initial formation of a structure from unspecified parts. In mice, the locus ceruleus is a dense cluster of neurons within the dorsorostral pons. This nucleus is the major location of neurons that release norepinephrine throughout the brain, and is responsible for physiological responses to stress and panic. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021706': { - 'name': 'locus ceruleus maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the locus ceruleus to attain its fully functional state. The locus ceruleus is a dense cluster of neurons within the dorsorostral pons. This nucleus is the major location of neurons that release norepinephrine throughout the brain, and is responsible for physiological responses to stress and panic. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021707': { - 'name': 'cerebellar granule cell differentiation', - 'def': 'The process in which neuroblasts acquire specialized structural and/or functional features that characterize the mature cerebellar granule cell. Differentiation includes the processes involved in commitment of a neuroblast to a granule cell fate. A granule cell is a glutamatergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021708': { - 'name': 'Lugaro cell differentiation', - 'def': 'The process in which neuroblasts acquire specialized structural and/or functional features that characterize the mature Lugaro cell. Differentiation includes the processes involved in commitment of a neuroblast to a Lugaro cell fate. A Lugaro cell is an inhibitory GABAergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021709': { - 'name': 'cerebellar basket cell differentiation', - 'def': 'The process in which neuroblasts acquire specialized structural and/or functional features that characterize the mature cerebellar basket cell. Differentiation includes the processes involved in commitment of a neuroblast to a cerebellar basket cell fate. A cerebellar basket cell is an inhibitory GABAergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021710': { - 'name': 'cerebellar stellate cell differentiation', - 'def': 'The process in which neuroblasts acquire specialized structural and/or functional features that characterize the mature cerebellar stellate cell. Differentiation includes the processes involved in commitment of a neuroblast to a cerebellar stellate cell fate. A cerebellar stellate cell is an inhibitory GABAergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021711': { - 'name': 'cerebellar unipolar brush cell differentiation', - 'def': 'The process in which neuroblasts acquire specialized structural and/or functional features that characterize the mature unipolar brush cell in the cerebellum. Differentiation includes the processes involved in commitment of a neuroblast to a unipolar brush cell fate. A unipolar brush cell is a glutamatergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021712': { - 'name': 'candelabrum cell differentiation', - 'def': 'The process in which neuroblasts acquire specialized structural and/or functional features that characterize the mature candelabrum cell. Differentiation includes the processes involved in commitment of a neuroblast to a candelabrum cell fate. A candelabrum cell is an inhibitory GABAergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021713': { - 'name': 'inferior olivary nucleus development', - 'def': 'The process whose specific outcome is the progression of the inferior olivary nucleus over time, from its formation to the mature structure. The inferior olivary nucleus is a capsule-shaped structure in the ventral medulla located just lateral and dorsal to the medullary pyramids. Neurons in the inferior olivary nucleus are the source of climbing fiber input to the cerebellar cortex; these neurons have been implicated in various functions, such as learning and timing of movements. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021714': { - 'name': 'inferior olivary nucleus morphogenesis', - 'def': 'The process in which the anatomical structure of the inferior olivary nucleus is generated and organized. The inferior olivary nucleus is a capsule-shaped structure in the ventral medulla located just lateral and dorsal to the medullary pyramids. Neurons in the inferior olivary nucleus are the source of climbing fiber input to the cerebellar cortex; these neurons have been implicated in various functions, such as learning and timing of movements. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021715': { - 'name': 'inferior olivary nucleus formation', - 'def': 'The process that gives rise to the inferior olivary nucleus. This process pertains to the initial formation of a structure from unspecified parts. The inferior olivary nucleus is a capsule-shaped structure in the ventral medulla located just lateral and dorsal to the medullary pyramids. Neurons in the inferior olivary nucleus are the source of climbing fiber input to the cerebellar cortex; these neurons have been implicated in various functions, such as learning and timing of movements. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021716': { - 'name': 'inferior olivary nucleus structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the inferior olivary nucleus structure. The inferior olivary nucleus is a capsule-shaped structure in the ventral medulla located just lateral and dorsal to the medullary pyramids. Neurons in the inferior olivary nucleus are the source of climbing fiber input to the cerebellar cortex; these neurons have been implicated in various functions, such as learning and timing of movements. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021717': { - 'name': 'inferior olivary nucleus maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the inferior olivary nucleus to attain its fully functional state. The inferior olivary nucleus is a capsule-shaped structure in the ventral medulla located just lateral and dorsal to the medullary pyramids. Neurons in the inferior olivary nucleus are the source of climbing fiber input to the cerebellar cortex; these neurons have been implicated in various functions, such as learning and timing of movements. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021718': { - 'name': 'superior olivary nucleus development', - 'def': 'The process whose specific outcome is the progression of the superior olivary nucleus over time, from its formation to the mature structure. In mice, the superior olivary nucleus is a small cylindrical mass on the dorsal surface of the lateral part of the trapezoid body of the pons, and it is situated immediately above the inferior olivary nucleus. It receives projections from the cochlear nucleus and thus is involved in the perception of sound. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021719': { - 'name': 'superior olivary nucleus morphogenesis', - 'def': 'The process in which the anatomical structure of the superior olivary nucleus is generated and organized. In mice, the superior olivary nucleus is a small cylindrical mass on the dorsal surface of the lateral part of the trapezoid body of the pons, and it is situated immediately above the inferior olivary nucleus. It receives projections from the cochlear nucleus and thus is involved in the perception of sound. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021720': { - 'name': 'superior olivary nucleus formation', - 'def': 'The process that gives rise to the superior olivary nucleus. This process pertains to the initial formation of a structure from unspecified parts. In mice, the superior olivary nucleus is a small cylindrical mass on the dorsal surface of the lateral part of the trapezoid body of the pons, and it is situated immediately above the inferior olivary nucleus. It receives projections from the cochlear nucleus and thus is involved in the perception of sound. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021721': { - 'name': 'superior olivary nucleus structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the superior olivary nucleus structure. In mice, the superior olivary nucleus is a small cylindrical mass on the dorsal surface of the lateral part of the trapezoid body of the pons, and it is situated immediately above the inferior olivary nucleus. It receives projections from the cochlear nucleus and thus is involved in the perception of sound. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021722': { - 'name': 'superior olivary nucleus maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the superior olivary nucleus to attain its fully functional state. The superior olivary nucleus is a small cylindrical mass on the dorsal surface of the lateral part of the trapezoid body of the pons, and it is situated immediately above the inferior olivary nucleus. It receives projections from the cochlear nucleus and thus is involved in the perception of sound. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343]' - }, - 'GO:0021723': { - 'name': 'medullary reticular formation development', - 'def': 'The process whose specific outcome is the progression of the medullary reticular formation over time, from its formation to the mature structure. The medullary reticular formation is a series of brain nuclei located in the medulla oblongata. [GO_REF:0000021, GOC:cjm, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, http://en.wikipedia.org/wiki/Rhombencephalon, http://www.brainspan.org]' - }, - 'GO:0021724': { - 'name': 'inferior raphe nucleus development', - 'def': 'The process whose specific outcome is the progression of the inferior raphe nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cjm, GOC:cls, GOC:curators, GOC:cvs, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:19003874, ZFA:0000366]' - }, - 'GO:0021725': { - 'name': 'superior raphe nucleus development', - 'def': 'The process whose specific outcome is the progression of the superior raphe nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cjm, GOC:cls, GOC:curators, GOC:cvs, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:19003874, ZFA:0000440]' - }, - 'GO:0021726': { - 'name': 'lateral reticular nucleus development', - 'def': 'The process whose specific outcome is the progression of the lateral reticular nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021727': { - 'name': 'intermediate reticular formation development', - 'def': 'The process whose specific outcome is the progression of the intermediate reticular formation over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021728': { - 'name': 'inferior reticular formation development', - 'def': 'The process whose specific outcome is the progression of the inferior reticular formation over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021729': { - 'name': 'superior reticular formation development', - 'def': 'The process whose specific outcome is the progression of the superior reticular formation over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021730': { - 'name': 'trigeminal sensory nucleus development', - 'def': 'The process whose specific outcome is the progression of the trigeminal sensory nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021731': { - 'name': 'trigeminal motor nucleus development', - 'def': 'The process whose specific outcome is the progression of the trigeminal motor nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021732': { - 'name': 'midbrain-hindbrain boundary maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the midbrain-hindbrain boundary to attain its fully functional state. The midbrain-hindbrain domain of the embryonic brain is comprised of the mesencephalic vesicle and the first rhombencephalic vesicle at early somitogenesis stages. An organizing center at the boundary patterns the midbrain and hindbrain primordia of the neural plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15541513]' - }, - 'GO:0021735': { - 'name': 'dentate nucleus development', - 'def': 'The process whose specific outcome is the progression of the dentate nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021736': { - 'name': 'globose nucleus development', - 'def': 'The process whose specific outcome is the progression of the globose nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021737': { - 'name': 'emboliform nucleus development', - 'def': 'The process whose specific outcome is the progression of the emboliform nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021738': { - 'name': 'fastigial nucleus development', - 'def': 'The process whose specific outcome is the progression of the fastigial nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021739': { - 'name': 'mesencephalic trigeminal nucleus development', - 'def': 'The process whose specific outcome is the progression of the mesencephalic trigeminal nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021740': { - 'name': 'principal sensory nucleus of trigeminal nerve development', - 'def': 'The process whose specific outcome is the progression of the pontine nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021741': { - 'name': 'spinal trigeminal nucleus development', - 'def': 'The process whose specific outcome is the progression of the spinal trigeminal nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021742': { - 'name': 'abducens nucleus development', - 'def': 'The process whose specific outcome is the progression of the abducens nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021743': { - 'name': 'hypoglossal nucleus development', - 'def': 'The process whose specific outcome is the progression of the hypoglossal nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021744': { - 'name': 'dorsal motor nucleus of vagus nerve development', - 'def': 'The process whose specific outcome is the progression of the dorsal motor nucleus of the vagus nerve over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021745': { - 'name': 'nucleus ambiguus development', - 'def': 'The process whose specific outcome is the progression of the nucleus ambiguus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021746': { - 'name': 'solitary nucleus development', - 'def': 'The process whose specific outcome is the progression of the solitary nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021747': { - 'name': 'cochlear nucleus development', - 'def': 'The process whose specific outcome is the progression of the cochlear nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021748': { - 'name': 'dorsal cochlear nucleus development', - 'def': 'The process whose specific outcome is the progression of the dorsal cochlear nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021749': { - 'name': 'ventral cochlear nucleus development', - 'def': 'The process whose specific outcome is the progression of the ventral cochlear nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021750': { - 'name': 'vestibular nucleus development', - 'def': 'The process whose specific outcome is the progression of the vestibular nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16221589]' - }, - 'GO:0021751': { - 'name': 'salivary nucleus development', - 'def': 'The process whose specific outcome is the progression of a salivary nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021752': { - 'name': 'inferior salivary nucleus development', - 'def': 'The process whose specific outcome is the progression of the inferior salivary nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021753': { - 'name': 'superior salivary nucleus development', - 'def': 'The process whose specific outcome is the progression of the superior salivary nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021754': { - 'name': 'facial nucleus development', - 'def': 'The process whose specific outcome is the progression of the facial nucleus over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021755': { - 'name': 'eurydendroid cell differentiation', - 'def': 'The process in which neuroblasts acquire specialized structural and/or functional features that characterize the mature eurydendroid cell. Differentiation includes the processes involved in commitment of a neuroblast to a eurydendroid cell fate. A eurydendroid cell is an efferent neuron found in the cerebellar cortex of teleosts. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15892096]' - }, - 'GO:0021756': { - 'name': 'striatum development', - 'def': 'The progression of the striatum over time from its initial formation until its mature state. The striatum is a region of the forebrain consisting of the caudate nucleus, putamen and fundus striati. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021757': { - 'name': 'caudate nucleus development', - 'def': 'The progression of the caudate nucleus over time from its initial formation until its mature state. The caudate nucleus is the C-shaped structures of the striatum containing input neurons involved with control of voluntary movement in the brain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021758': { - 'name': 'putamen development', - 'def': 'The progression of the putamen over time from its initial formation until its mature state. The putamen is the lens-shaped basal ganglion involved with control of voluntary movement in the brain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021759': { - 'name': 'globus pallidus development', - 'def': 'The progression of the globus pallidus over time from its initial formation until its mature state. The globus pallidus is one of the basal ganglia involved with control of voluntary movement in the brain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021761': { - 'name': 'limbic system development', - 'def': 'The progression of the limbic system over time from its initial formation until its mature state. The limbic system is a collection of structures in the brain involved in emotion, motivation and emotional aspects of memory. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021762': { - 'name': 'substantia nigra development', - 'def': 'The progression of the substantia nigra over time from its initial formation until its mature state. The substantia nigra is the layer of gray substance that separates the posterior parts of the cerebral peduncles (tegmentum mesencephali) from the anterior parts; it normally includes a posterior compact part with many pigmented cells (pars compacta) and an anterior reticular part whose cells contain little pigment (pars reticularis). [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0838580343, ISBN:0878937420]' - }, - 'GO:0021763': { - 'name': 'subthalamic nucleus development', - 'def': 'The progression of the subthalamic nucleus over time from its initial formation until its mature state. The subthalamic nucleus is the lens-shaped nucleus located in the ventral part of the subthalamus on the inner aspect of the internal capsule that is concerned with the integration of somatic motor function. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021764': { - 'name': 'amygdala development', - 'def': 'The progression of the amygdala over time from its initial formation until its mature state. The amygdala is an almond-shaped set of neurons in the medial temporal lobe of the brain that play a key role in processing emotions such as fear and pleasure. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021765': { - 'name': 'cingulate gyrus development', - 'def': 'The progression of the cingulate gyrus over time from its initial formation until its mature state. The cingulate gyrus is a ridge in the cerebral cortex located dorsal to the corpus callosum. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021766': { - 'name': 'hippocampus development', - 'def': 'The progression of the hippocampus over time from its initial formation until its mature state. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420, UBERON:0002421]' - }, - 'GO:0021767': { - 'name': 'mammillary body development', - 'def': 'The progression of the mammillary body over time from its initial formation until its mature state. The mammillary body is a protrusion at the posterior end of the hypothalamus that contains hypothalamic nuclei. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021768': { - 'name': 'nucleus accumbens development', - 'def': 'The progression of the nucleus accumbens over time from its initial formation until its mature state. The nucleus accumbens is a collection of pleomorphic cells in the caudal part of the anterior horn of the lateral ventricle, in the region of the olfactory tubercle, lying between the head of the caudate nucleus and the anterior perforated substance. It is part of the ventral striatum, a composite structure considered part of the basal ganglia. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021769': { - 'name': 'orbitofrontal cortex development', - 'def': 'The progression of the orbitofrontal cortex over time from its initial formation until its mature state. The orbitofrontal cortex is a cerebral cortex region located in the frontal lobe. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021770': { - 'name': 'parahippocampal gyrus development', - 'def': 'The progression of the parahippocampal gyrus over time from its initial formation until its mature state. The parahippocampal gyrus is a ridge in the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021771': { - 'name': 'lateral geniculate nucleus development', - 'def': 'The progression of the lateral geniculate nucleus over time from its initial formation until its mature state. The lateral geniculate nucleus is the primary processor of visual information received from the retina. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021772': { - 'name': 'olfactory bulb development', - 'def': 'The progression of the olfactory bulb over time from its initial formation until its mature state. The olfactory bulb coordinates neuronal signaling involved in the perception of smell. It receives input from the sensory neurons and outputs to the olfactory cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021773': { - 'name': 'striatal medium spiny neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a medium spiny neuron residing in the striatum. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021774': { - 'name': 'retinoic acid receptor signaling pathway involved in ventral spinal cord interneuron specification', - 'def': 'The series of molecular signals initiated by binding of a ligand to a retinoic acid receptor in a precursor cell in the ventral spinal cord that contributes to the commitment of the precursor cell to an interneuron fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:sdb_2009, GOC:tb, PMID:11262869]' - }, - 'GO:0021775': { - 'name': 'smoothened signaling pathway involved in ventral spinal cord interneuron specification', - 'def': 'The series of molecular signals initiated by binding of a ligand to the transmembrane receptor smoothened in a precursor cell in the ventral spinal cord that contributes to the commitment of the precursor cell to an interneuron fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021776': { - 'name': 'smoothened signaling pathway involved in spinal cord motor neuron cell fate specification', - 'def': 'The series of molecular signals initiated by binding of a ligand to the transmembrane receptor smoothened in a precursor cell in the spinal cord that contributes to the process of a precursor cell becoming capable of differentiating autonomously into a motor neuron in an environment that is neutral with respect to the developmental pathway. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15936325]' - }, - 'GO:0021777': { - 'name': 'BMP signaling pathway involved in spinal cord association neuron specification', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to its commitment to an association neuron fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12593981]' - }, - 'GO:0021778': { - 'name': 'oligodendrocyte cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an oligodendrocyte in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021779': { - 'name': 'oligodendrocyte cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into an oligodendrocyte. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021780': { - 'name': 'glial cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a glial cell in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021781': { - 'name': 'glial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a glial cell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021782': { - 'name': 'glial cell development', - 'def': 'The process aimed at the progression of a glial cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021783': { - 'name': 'preganglionic parasympathetic fiber development', - 'def': 'The process whose specific outcome is the progression of a preganglionic parasympathetic fiber over time, from its formation to the mature structure. A preganglionic parasympathetic fiber is a cholinergic axonal fiber projecting from the CNS to a parasympathetic ganglion. [GO_REF:0000021, GOC:cjm, GOC:cls, GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0021784': { - 'name': 'postganglionic parasympathetic fiber development', - 'def': 'The process whose specific outcome is the progression of the postganglionic portion of the parasympathetic fiber over time, from its formation to the mature structure. The parasympathetic fiber is one of the two divisions of the vertebrate autonomic nervous system. Parasympathetic nerves emerge cranially as pre ganglionic fibers from oculomotor, facial, glossopharyngeal and vagus and from the sacral region of the spinal cord. Most neurons are cholinergic and responses are mediated by muscarinic receptors. The parasympathetic system innervates, for example: salivary glands, thoracic and abdominal viscera, bladder and genitalia. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021785': { - 'name': 'branchiomotor neuron axon guidance', - 'def': 'The process in which a branchiomotor neuron growth cone is directed to a specific target site. Branchiomotor neurons are located in the hindbrain and innervate branchial arch-derived muscles that control jaw movements, facial expression, the larynx, and the pharynx. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:14699587]' - }, - 'GO:0021786': { - 'name': 'branchiomotor neuron axon guidance in neural tube', - 'def': 'The process in which a branchiomotor neuron growth cone in the neural tube is directed to a specific target site in the neural tube. Branchiomotor neurons are located in the hindbrain and innervate branchial arch-derived muscles that control jaw movements, facial expression, the larynx, and the pharynx. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:14699587]' - }, - 'GO:0021787': { - 'name': 'chemorepulsion of branchiomotor neuron axon in neural tube', - 'def': 'The process in which a branchiomotor neuron growth cone in the neural tube is directed to a specific target site in the neural tube in response to a repulsive chemical cue. Branchiomotor neurons are located in the hindbrain and innervate branchial arch-derived muscles that control jaw movements, facial expression, the larynx, and the pharynx. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:14699587]' - }, - 'GO:0021788': { - 'name': 'chemoattraction of branchiomotor neuron axon in neural tube', - 'def': 'The process in which a branchiomotor neuron growth cone in the neural tube is directed to a specific target site in the neural tube in response to an attractive chemical cue. Branchiomotor neurons are located in the hindbrain and innervate branchial arch-derived muscles that control jaw movements, facial expression, the larynx, and the pharynx. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:14699587]' - }, - 'GO:0021789': { - 'name': 'branchiomotor neuron axon guidance in branchial arch mesenchyme', - 'def': 'The process in which a branchiomotor neuron growth cone in the branchial arch mesenchyme is directed to a specific target site in the branchial arch mesenchyme. Branchiomotor neurons are located in the hindbrain and innervate branchial arch-derived muscles that control jaw movements, facial expression, the larynx, and the pharynx. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:14699587]' - }, - 'GO:0021790': { - 'name': 'chemorepulsion of branchiomotor neuron axon in branchial arch mesenchyme', - 'def': 'The process in which a branchiomotor neuron growth cone in the branchial arch mesenchyme is directed to a specific target site in the branchial arch mesenchyme in response to a repulsive chemical cue. Branchiomotor neurons are located in the hindbrain and innervate branchial arch-derived muscles that control jaw movements, facial expression, the larynx, and the pharynx. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:14699587]' - }, - 'GO:0021791': { - 'name': 'chemoattraction of branchiomotor neuron axon in branchial arch mesenchyme', - 'def': 'The process in which a branchiomotor neuron growth cone in the branchial arch mesenchyme is directed to a specific target site in the branchial arch mesenchyme in response to an attractive chemical cue. Branchiomotor neurons are located in the hindbrain and innervate branchial arch-derived muscles that control jaw movements, facial expression, the larynx, and the pharynx. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:14699587]' - }, - 'GO:0021792': { - 'name': 'chemoattraction of branchiomotor axon', - 'def': 'The process in which a branchiomotor neuron growth cone is directed to a specific target site in response to an attractive chemical signal. Branchiomotor neurons are located in the hindbrain and innervate branchial arch-derived muscles that control jaw movements, facial expression, the larynx, and the pharynx. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:14699587]' - }, - 'GO:0021793': { - 'name': 'chemorepulsion of branchiomotor axon', - 'def': 'The process in which a branchiomotor neuron growth cone is directed to a specific target site in response to a repulsive chemical cue. Branchiomotor neurons are located in the hindbrain and innervate branchial arch-derived muscles that control jaw movements, facial expression, the larynx, and the pharynx. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:14699587]' - }, - 'GO:0021794': { - 'name': 'thalamus development', - 'def': 'The process in which the thalamus changes over time, from its initial formation to its mature state. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021795': { - 'name': 'cerebral cortex cell migration', - 'def': 'The orderly movement of cells from one site to another in the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021796': { - 'name': 'cerebral cortex regionalization', - 'def': 'The regionalization process that results in the creation of areas within the cerebral cortex that will direct the behavior of cell migration and differentiation as the cortex develops. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021797': { - 'name': 'forebrain anterior/posterior pattern specification', - 'def': 'The creation of specific areas of progenitor domains along the anterior-posterior axis of the developing forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021798': { - 'name': 'forebrain dorsal/ventral pattern formation', - 'def': 'The formation of specific regional progenitor domains along the dorsal-ventral axis in the developing forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021799': { - 'name': 'cerebral cortex radially oriented cell migration', - 'def': 'The migration of cells in the developing cerebral cortex in which cells move from the ventricular and/or subventricular zone toward the surface of the brain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021800': { - 'name': 'cerebral cortex tangential migration', - 'def': 'The migration of cells in the cerebral cortex in which cells move orthogonally to the direction of radial migration and do not use radial glial cell processes as substrates for migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021801': { - 'name': 'cerebral cortex radial glia guided migration', - 'def': 'The radial migration of neuronal or glial precursor cells along radial glial cells during the development of the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021802': { - 'name': 'somal translocation', - 'def': 'The radial migration of cells from the ventricular zone that is independent of radial glial cells. Cells extend processes that terminate at the pial surface and follow the processes as they migrate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021803': { - 'name': 'pial surface process extension', - 'def': 'The extension of a long process to the pial surface as a cell leaves the ventricular zone. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021804': { - 'name': 'negative regulation of cell adhesion in ventricular zone', - 'def': 'The process that results in the loss of attachments of a cell in the ventricular zone. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021805': { - 'name': 'cell movement involved in somal translocation', - 'def': 'The movement of a cell body from the ventricular zone to the pial surface with a concomitant shortening of the process that extends to the pial surface. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021806': { - 'name': 'initiation of movement involved in cerebral cortex radial glia guided migration', - 'def': 'The initial stages of cell motility involved in the glial-mediated movement of cells in the developing cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021807': { - 'name': 'motogenic signaling initiating cell movement in cerebral cortex', - 'def': 'The interaction of soluble factors and receptors that result in the movement of cells in the primitive cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021808': { - 'name': 'cytosolic calcium signaling involved in initiation of cell movement in glial-mediated radial cell migration', - 'def': 'The process that results in the fluctuations in intracellular calcium that are responsible for the initiation of movement as a component of the process of cerebral cortex glial-mediated radial migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021809': { - 'name': 'neurotrophic factor signaling initiating cell movement, involved in cerebral cortex radial glia guided migration', - 'def': 'Signaling between members of the neurotrophin family and their receptors that result in the start of cell motility as a component of the process of cerebral cortex glial-mediated radial migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021810': { - 'name': 'neurotransmitter signaling initiating cell movement, involved in cerebral cortex radial glia guided migration', - 'def': 'Signaling by neurotransmitters and their receptors that results in the initiation of movement of cells as a component of the process of glial-mediated radial migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021811': { - 'name': 'growth factor signaling initiating cell movement involved in cerebral cortex radial glia guided migration', - 'def': 'Signaling between growth factors and their receptors that results in the start of cell movement, where this process is involved in glial-mediated radial migration in the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021812': { - 'name': 'neuronal-glial interaction involved in cerebral cortex radial glia guided migration', - 'def': 'The changes in adhesion between neuronal cells and glial cells as a component of the process of cerebral cortex glial-mediated radial cell migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021813': { - 'name': 'cell-cell adhesion involved in neuronal-glial interactions involved in cerebral cortex radial glia guided migration', - 'def': 'The interaction between two cells that modulates the association of a neuronal cell and a glial cell involved in glial-mediated radial cell migration in the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021814': { - 'name': 'cell motility involved in cerebral cortex radial glia guided migration', - 'def': 'The movement of a cell along the process of a radial glial cell involved in cerebral cortex glial-mediated radial migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021815': { - 'name': 'modulation of microtubule cytoskeleton involved in cerebral cortex radial glia guided migration', - 'def': 'Rearrangements of the microtubule cytoskeleton that contribute to the movement of cells along radial glial cells as a component of the process of cerebral cortex glial-mediated radial migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021816': { - 'name': 'extension of a leading process involved in cell motility in cerebral cortex radial glia guided migration', - 'def': 'The rearrangements of the microtubule cytoskeleton that result in the extension of a leading process, where this process is involved in the movement of cells along radial glial cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021817': { - 'name': 'nucleokinesis involved in cell motility in cerebral cortex radial glia guided migration', - 'def': 'The microtubule-mediated movement of the nucleus that is required for the movement of cells along radial glial fibers as a component of the process of cerebral cortex glial-mediated radial cell migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb, PMID:12626695]' - }, - 'GO:0021818': { - 'name': 'modulation of the microfilament cytoskeleton involved in cell locomotion in cerebral cortex radial glia guided migration', - 'def': 'The changes in the actin cytoskeleton that are necessary for the movement of cells along radial glial cells as a component of the process of cerebral cortex glial-mediated radial cell migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021819': { - 'name': 'layer formation in cerebral cortex', - 'def': 'The detachment of cells from radial glial fibers at the appropriate time when they cease to migrate and form distinct layer in the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021820': { - 'name': 'extracellular matrix organization in marginal zone involved in cerebral cortex radial glia guided migration', - 'def': 'The process that leads to the deposition of extracellular matrix signals in the marginal zone of the developing cerebral cortex. This extracellular matrix controls the movement of migrating cells. In mammals, the matrix is modified by Cajal-Retzius cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021821': { - 'name': 'negative regulation of cell-glial cell adhesion involved in cerebral cortex lamination', - 'def': 'The process that results in the release of migrating cells from their interaction with radial glial cells as a component of the process of cerebral cortex glial-mediated radial cell migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021822': { - 'name': 'negative regulation of cell motility involved in cerebral cortex radial glia guided migration', - 'def': 'The intracellular signaling pathway that results in the cessation of cell movement involved in lamination of the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb, PMID:12626695]' - }, - 'GO:0021823': { - 'name': 'cerebral cortex tangential migration using cell-cell interactions', - 'def': 'The process in which neurons interact with each other to promote migration along a tangential plane. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021824': { - 'name': 'cerebral cortex tangential migration using cell-axon interactions', - 'def': 'The movement of cerebral cortex neuronal precursors tangentially through the cortex using interaction of the migrating cells with axons of other neurons. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021825': { - 'name': 'substrate-dependent cerebral cortex tangential migration', - 'def': 'The process where neuronal precursors migrate tangentially in the cerebral cortex, primarily guided through physical cell-cell interactions. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021826': { - 'name': 'substrate-independent telencephalic tangential migration', - 'def': 'The process where neuronal precursors migrate tangentially in the telencephalon, primarily guided by interactions that do not require cell-cell contact. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021827': { - 'name': 'postnatal olfactory bulb interneuron migration', - 'def': 'The migration of olfactory bulb interneuron precursors in the cerebral cortex that occurs after birth. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021828': { - 'name': 'gonadotrophin-releasing hormone neuronal migration to the hypothalamus', - 'def': 'The directional movement of a gonadotrophin-releasing hormone producing neuron from the nasal placode to the hypothalamus. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021829': { - 'name': 'oligodendrocyte cell migration from the subpallium to the cortex', - 'def': 'The directed movement of oligodendrocytes from the subpallium to the cerebral cortex during forebrain development. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021830': { - 'name': 'interneuron migration from the subpallium to the cortex', - 'def': 'The directed movement of interneurons from the subpallium to the cortex during forebrain development. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021831': { - 'name': 'embryonic olfactory bulb interneuron precursor migration', - 'def': 'The directed movement of individual interneuron precursors during the embryonic development of the olfactory bulb. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021832': { - 'name': 'cell-cell adhesion involved in cerebral cortex tangential migration using cell-cell interactions', - 'def': 'The attachment of cells to one another to form groups of cells involved in cerebral cortex tangential migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021833': { - 'name': 'cell-matrix adhesion involved in tangential migration using cell-cell interactions', - 'def': 'The interaction of a cell and the extracellular matrix involved in the directed tangential movement of cells mediated by cell-cell interactions in the developing cerebral cortex. [GO_REF:0000021, GOC:ascb_2009, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb, PMID:12626695]' - }, - 'GO:0021834': { - 'name': 'chemorepulsion involved in embryonic olfactory bulb interneuron precursor migration', - 'def': 'The creation and reception of signals that guide olfactory bulb interneuron precursors down concentration gradients towards the olfactory bulb. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021835': { - 'name': 'chemoattraction involved in embryonic olfactory bulb interneuron precursor migration', - 'def': 'The creation and reception of signals that result in the migration of interneuron precursors up a concentration gradient towards the olfactory bulb. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021836': { - 'name': 'chemorepulsion involved in postnatal olfactory bulb interneuron migration', - 'def': 'The creation and reception of signals that repel olfactory bulb interneurons from the subventricular zone as a component process in tangential migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021837': { - 'name': 'motogenic signaling involved in postnatal olfactory bulb interneuron migration', - 'def': 'The signaling that results in the stimulation of cell movement in the rostral migratory stream. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021838': { - 'name': 'motogenic signaling involved in interneuron migration from the subpallium to the cortex', - 'def': 'The creation and reception of signals that result in the directional movement of interneuron precursors from the subpallium to the cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021839': { - 'name': 'interneuron-substratum interaction involved in interneuron migration from the subpallium to the cortex', - 'def': 'The process in which migrating interneurons interact with an external substratum as a component of migration from the subpallium to the cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021840': { - 'name': 'directional guidance of interneurons involved in migration from the subpallium to the cortex', - 'def': 'The creation and reception of signals that control the direction of migration of interneurons as a component of the process of migration from the subpallium to the cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021841': { - 'name': 'chemoattraction involved in interneuron migration from the subpallium to the cortex', - 'def': 'The creation and reception of signals that result in the movement of interneurons toward the signal, where this process is involved in migration from the subpallium to the cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021842': { - 'name': 'chemorepulsion involved in interneuron migration from the subpallium to the cortex', - 'def': 'The creation and reception of signals that result in the movement of interneurons away from the signal during migration from the subpallium to the cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021843': { - 'name': 'substrate-independent telencephalic tangential interneuron migration', - 'def': 'The directional movement of tangentially migrating interneurons that are not guided by attaching to extracellular substrates. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021844': { - 'name': 'interneuron sorting involved in substrate-independent cerebral cortex tangential migration', - 'def': 'The establishment and response to guidance cues that distribute interneurons to different cerebral cortex structures. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021845': { - 'name': 'neurotransmitter-mediated guidance of interneurons involved in substrate-independent cerebral cortex tangential migration', - 'def': 'The response of migrating interneurons to neurotransmitters that alter electrical activity in cells in calcium dependent manner. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021846': { - 'name': 'cell proliferation in forebrain', - 'def': 'The creation of greater cell numbers in the forebrain due to cell division of progenitor cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021847': { - 'name': 'ventricular zone neuroblast division', - 'def': 'The proliferation of neuroblasts in the ventricular zone of the cerebral cortex. The neuronal progenitors of these cells will migrate radially. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021848': { - 'name': 'neuroblast division in subpallium', - 'def': 'The division of neuroblasts in the subpallium area of the forebrain. The interneuron precursors that these cells give rise to include GABAergic interneurons and will migrate tangentially. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021849': { - 'name': 'neuroblast division in subventricular zone', - 'def': 'The division of neuroblasts in the subventricular zone of the forebrain. The interneuron precursors that these cells give rise to include adult olfactory bulb interneurons and migrate tangentially. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021850': { - 'name': 'subpallium glioblast cell division', - 'def': 'The division of glioblasts in the subpallium. These cells will give rise to oligodendrocytes. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021851': { - 'name': 'neuroblast division in dorsal lateral ganglionic eminence', - 'def': 'The division of neuroblasts in the dorsal region of the lateral ganglionic eminence. These cells give rise to embryonic interneuron precursors that will migrate tangentially to the olfactory bulb. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021852': { - 'name': 'pyramidal neuron migration', - 'def': 'The migration of pyramidal a neuron precursor from the ventricular zone to the correct layer of the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021853': { - 'name': 'cerebral cortex GABAergic interneuron migration', - 'def': 'The migration of GABAergic interneuron precursors from the subpallium to the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021854': { - 'name': 'hypothalamus development', - 'def': 'The progression of the hypothalamus region of the forebrain, from its initial formation to its mature state. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021855': { - 'name': 'hypothalamus cell migration', - 'def': 'The directed movement of a cell into the hypothalamus region of the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021856': { - 'name': 'hypothalamic tangential migration using cell-axon interactions', - 'def': 'The movement of a hypothalamic neuronal precursor tangentially through the forebrain using an interaction of the migrating cells with axons of other neurons. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021858': { - 'name': 'GABAergic neuron differentiation in basal ganglia', - 'def': 'The process in which a neuroblast acquires the specialized structural and functional features of a GABAergic inhibitory neuron in the basal ganglia. Differentiation includes the processes involved in commitment of a neuroblast to a GABAergic neuron. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021859': { - 'name': 'pyramidal neuron differentiation', - 'def': 'The process in which a neuroblast or one of its progeny commits to a pyramidal neuron fate, migrates from the ventricular zone to the appropriate layer in the cortex and develops into a mature neuron. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021860': { - 'name': 'pyramidal neuron development', - 'def': 'The progression of a pyramidal neuron from its initial formation to its mature state. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021861': { - 'name': 'forebrain radial glial cell differentiation', - 'def': 'The process in which neuroepithelial cells of the neural tube give rise to radial glial cells, specialized bipotential progenitors cells of the forebrain. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021862': { - 'name': 'early neuron differentiation in forebrain', - 'def': 'The process in which neuroepithelial cells in the neural tube acquire specialized structural and/or functional features of neurons. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021863': { - 'name': 'forebrain neuroblast differentiation', - 'def': 'The process in which neuroepithelial cells in the neural tube acquire specialized structural and/or functional features of basal progenitor cells, neuroblasts that lose their contacts with the ventricular surface. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021864': { - 'name': 'radial glial cell division in forebrain', - 'def': 'The mitotic division of radial glial cells in the developing forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021865': { - 'name': 'symmetric radial glial cell division in forebrain', - 'def': 'The mitotic division of a radial glial cell giving rise to two new radial glial cells in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021866': { - 'name': 'asymmetric radial glial cell division in forebrain', - 'def': 'The mitotic cell division of a radial glial cell giving rise to a radial glial cell and another cell type. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021867': { - 'name': 'neuron-producing asymmetric radial glial cell division in forebrain', - 'def': 'The unequal mitotic division of a radial glial cell in the forebrain that gives rise to a radial glial cell and a post-mitotic neuronal progenitor. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021868': { - 'name': 'ventricular zone cell-producing asymmetric radial glial cell division in forebrain', - 'def': 'The unequal mitotic division of a forebrain radial glial cell that gives rise to a radial glial cell and a ventricular zone cell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021869': { - 'name': 'forebrain ventricular zone progenitor cell division', - 'def': 'The mitotic division of a basal progenitor giving rise to two neurons. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021870': { - 'name': 'Cajal-Retzius cell differentiation', - 'def': 'The process in which a neuroblast acquires specialized structural and/or functional features of a Cajal-Retzius cell, one of a transient population of pioneering neurons in the cerebral cortex. These cells are slender bipolar cells of the developing marginal zone. One feature of these cells in mammals is that they express the Reelin gene. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021871': { - 'name': 'forebrain regionalization', - 'def': 'The regionalization process resulting in the creation of areas within the forebrain that will direct the behavior of cell migration in differentiation as the forebrain develops. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:isa_complete, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021872': { - 'name': 'forebrain generation of neurons', - 'def': 'The process in which nerve cells are generated in the forebrain. This includes the production of neuroblasts from and their differentiation into neurons. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021873': { - 'name': 'forebrain neuroblast division', - 'def': 'The division of a neuroblast located in the forebrain. Neuroblast division gives rise to at least another neuroblast. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021874': { - 'name': 'Wnt signaling pathway involved in forebrain neuroblast division', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a receptor on the surface of the target cell that contributes to the self renewal of neuroblasts in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021875': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in forebrain neuroblast division', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands that contributes to the self renewal of neuroblasts in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021876': { - 'name': 'Notch signaling pathway involved in forebrain neuroblast division', - 'def': 'The series of molecular signals initiated by binding of an extracellular ligand to a Notch receptor on the surface of the target cell that contributes to the self renewal of neuroblasts in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021877': { - 'name': 'forebrain neuron fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a neuron that resides in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021878': { - 'name': 'forebrain astrocyte fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into an astrocyte that resides in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021879': { - 'name': 'forebrain neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron that will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021880': { - 'name': 'Notch signaling pathway involved in forebrain neuron fate commitment', - 'def': 'The series of molecular signals initiated by binding of an extracellular ligand to a Notch receptor on the surface of the target cell that contributes to the commitment of a neuroblast to a neuronal fate. The neuron will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021881': { - 'name': 'Wnt-activated signaling pathway involved in forebrain neuron fate commitment', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a receptor on the surface of the target cell that contributes to the commitment of a neuroblast to aneuronal fate. The neuron will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021882': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in forebrain neuron fate commitment', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the commitment of a neuroblast to a neuronal fate. The neuron will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021883': { - 'name': 'cell cycle arrest of committed forebrain neuronal progenitor cell', - 'def': 'The process in which the cell cycle is halted during one of the normal phases (G1, S, G2, M) in a cell that has been committed to become a neuron that will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb, PMID:16226447]' - }, - 'GO:0021884': { - 'name': 'forebrain neuron development', - 'def': 'The process whose specific outcome is the progression of a neuron that resides in the forebrain, from its initial commitment to its fate, to the fully functional differentiated cell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021885': { - 'name': 'forebrain cell migration', - 'def': 'The orderly movement of a cell from one site to another at least one of which is located in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021886': { - 'name': 'hypothalamus gonadotrophin-releasing hormone neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron located in the hypothalamus. These neurons release gonadotrophin-releasing hormone as a neural transmitter. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021887': { - 'name': 'hypothalamus gonadotrophin-releasing hormone neuron fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a hypothalamus neuron that releases gonadotrophin-releasing hormone. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021888': { - 'name': 'hypothalamus gonadotrophin-releasing hormone neuron development', - 'def': 'The process whose specific outcome is the progression of a hypothalamus gonadotrophin-releasing hormone neuron over time, from initial commitment of its fate, to the fully functional differentiated cell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021889': { - 'name': 'olfactory bulb interneuron differentiation', - 'def': 'The process in which a neuroblast acquires specialized features of an interneuron residing in the olfactory bulb. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021890': { - 'name': 'olfactory bulb interneuron fate commitment', - 'def': 'The process in which the developmental fate of a neuroblast becomes restricted such that it will develop into an interneuron residing in the olfactory bulb. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021891': { - 'name': 'olfactory bulb interneuron development', - 'def': 'The process whose specific outcome is the progression of an interneuron residing in the olfactory bulb, from its initial commitment, to the fully functional differentiated cell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021892': { - 'name': 'cerebral cortex GABAergic interneuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a GABAergic interneuron residing in the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021893': { - 'name': 'cerebral cortex GABAergic interneuron fate commitment', - 'def': 'The process in which the developmental fate of a neuroblast becomes restricted such that it will develop into a GABAergic interneuron residing in the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021894': { - 'name': 'cerebral cortex GABAergic interneuron development', - 'def': 'The process whose specific outcome is the progression of a cerebral cortex GABAergic interneuron over time, from initial commitment to its fate, to the fully functional differentiated cell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021895': { - 'name': 'cerebral cortex neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron residing in the cerebral cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021896': { - 'name': 'forebrain astrocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an astrocyte residing in the forebrain. An astrocyte is the most abundant type of glial cell. Astrocytes provide support for neurons and regulate the environment in which they function. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021897': { - 'name': 'forebrain astrocyte development', - 'def': 'The process aimed at the progression of an astrocyte that resides in the forebrain, from initial commitment of the cell to its fate, to the fully functional differentiated cell. An astrocyte is the most abundant type of glial cell. Astrocytes provide support for neurons and regulate the environment in which they function. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021898': { - 'name': 'commitment of multipotent stem cells to neuronal lineage in forebrain', - 'def': 'The initial commitment of cells whereby the developmental fate of a cell becomes restricted such that it will develop into some type of neuron in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12626695]' - }, - 'GO:0021899': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in forebrain neuron fate commitment', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands that contributes to the commitment of a neuroblast to a neuronal fate. The neuron will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021900': { - 'name': 'ventricular zone cell fate commitment', - 'def': 'The commitment of neuroblast to become a basal progenitor cell. Basal progenitor cells are neuronal precursor cells that are committed to becoming neurons. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021901': { - 'name': 'early neuron fate commitment in forebrain', - 'def': 'The commitment of neuroepithelial cell to become a neuron that will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021902': { - 'name': 'commitment of neuronal cell to specific neuron type in forebrain', - 'def': 'The commitment of neuronal precursor cells to become specialized types of neurons in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:16226447]' - }, - 'GO:0021903': { - 'name': 'rostrocaudal neural tube patterning', - 'def': 'The process in which the neural tube is divided into specific regions along the rostrocaudal axis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021904': { - 'name': 'dorsal/ventral neural tube patterning', - 'def': 'The process in which the neural tube is regionalized in the dorsoventral axis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021905': { - 'name': 'forebrain-midbrain boundary formation', - 'def': 'The process whose specific outcome is the creation of the forebrain-midbrain boundary. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021906': { - 'name': 'hindbrain-spinal cord boundary formation', - 'def': 'The process whose specific outcome is the formation of the hindbrain-spinal cord boundary. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021907': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in spinal cord anterior/posterior pattern formation', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands that results in the spatial identity of regions along the anterior-posterior axis of the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021908': { - 'name': 'retinoic acid receptor signaling pathway involved in spinal cord anterior/posterior pattern formation', - 'def': 'The series of molecular signals generated as a consequence of a retinoic acid receptor binding to one of its physiological ligands that results in the spatial identity of regions along the anterior-posterior axis of the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021909': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in spinal cord anterior-posterior patterning', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that results in the spatial identity of regions along the anterior-posterior axis of the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021910': { - 'name': 'smoothened signaling pathway involved in ventral spinal cord patterning', - 'def': 'The series of molecular signals generated as a consequence of activation of the transmembrane protein Smoothened that results in the spatial identity of regions along the dorsal-ventral axis of the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb, PMID:11262869]' - }, - 'GO:0021911': { - 'name': 'retinoic acid metabolic process in spinal cord anterior-posterior patterning', - 'def': 'The chemical reactions and pathways involving the synthesis and degradation of retionic acid that results in the spatial identity of regions along the anterior-posterior axis of the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021912': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in spinal cord motor neuron fate specification', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that results the commitment of a cell to become a motor neuron in the ventral spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021913': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in ventral spinal cord interneuron specification', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that results in the commitment of a cell to become an interneuron in the ventral spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021914': { - 'name': 'negative regulation of smoothened signaling pathway involved in ventral spinal cord patterning', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of smoothened signaling that is involved in the patterns of cell differentiation in the ventral spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb, PMID:11262869]' - }, - 'GO:0021915': { - 'name': 'neural tube development', - 'def': 'The process whose specific outcome is the progression of the neural tube over time, from its formation to the mature structure. The mature structure of the neural tube exists when the tube has been segmented into the forebrain, midbrain, hindbrain and spinal cord regions. In addition neural crest has budded away from the epithelium. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021916': { - 'name': 'inductive cell-cell signaling between paraxial mesoderm and motor neuron precursors', - 'def': 'Short range signaling between cells of the paraxial mesoderm and motor neuron precursors in the spinal cord that specifies the fate of the motor column neuron precursors along the anterior-posterior axis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021917': { - 'name': 'somatic motor neuron fate commitment', - 'def': 'The commitment of unspecified motor neurons to specific motor neuron cell along the anterior-posterior axis of the spinal cord and their capacity to differentiate into specific motor neurons. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021918': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in somatic motor neuron fate commitment', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the commitment of spinal cord motor neurons to specific motor neuron types along the anterior-posterior axis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11262869]' - }, - 'GO:0021919': { - 'name': 'BMP signaling pathway involved in spinal cord dorsal/ventral patterning', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the spatial identity of regions along the dorsal-ventral axis of the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12593981]' - }, - 'GO:0021920': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in spinal cord association neuron specification', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the commitment of neuronal precursors to association neurons in the dorsal spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12593981]' - }, - 'GO:0021921': { - 'name': 'regulation of cell proliferation in dorsal spinal cord', - 'def': 'The process that modulates the frequency, rate or extent of cell proliferation in the dorsal spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021922': { - 'name': 'Wnt signaling pathway involved in regulation of cell proliferation in dorsal spinal cord', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a receptor on the surface of a cell in the dorsal spinal cord that affects the rate of its division. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12593981]' - }, - 'GO:0021923': { - 'name': 'cell proliferation in hindbrain ventricular zone', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a cell population in the hindbrain region that is adjacent to the ventricular cavity. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12593981, PMID:15157725]' - }, - 'GO:0021924': { - 'name': 'cell proliferation in external granule layer', - 'def': 'The multiplication or reproduction of neuroblasts resulting in the expansion of a cell population in the external granule layer of the hindbrain. The external granule layer is the layer that originates from the rostral half of the rhombic lip in the first rhombomere. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021925': { - 'name': 'cerebellar Purkinje cell precursor proliferation', - 'def': 'The multiplication or reproduction of neuroblasts that will give rise to Purkinje cells. A Purkinje cell is an inhibitory GABAergic neuron found in the cerebellar cortex that projects to the deep cerebellar nuclei and brain stem. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021926': { - 'name': 'Golgi cell precursor proliferation', - 'def': 'The multiplication or reproduction of neuroblasts that will give rise to Golgi cells. A Golgi cell is an inhibitory GABAergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021927': { - 'name': 'deep nuclear neuron precursor proliferation', - 'def': 'The multiplication or reproduction of neuroblasts that will give rise to deep nuclear neurons. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021928': { - 'name': 'basket cell precursor proliferation', - 'def': 'The multiplication or reproduction of neuroblasts that will give rise to basket cells. A cerebellar basket cell is an inhibitory GABAergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021929': { - 'name': 'stellate cell precursor proliferation', - 'def': 'The multiplication or reproduction of neuroblasts that will give rise to stellate cells. A cerebellar stellate cell is an inhibitory GABAergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021930': { - 'name': 'cerebellar granule cell precursor proliferation', - 'def': 'The multiplication or reproduction of neuroblasts that will give rise to granule cells. A granule cell is a glutamatergic interneuron found in the cerebellar cortex. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021931': { - 'name': 'rostral hindbrain neuronal precursor cell proliferation', - 'def': 'The multiplication or reproduction of neuroblasts that will give rise to neurons of the lateral pontine nucleus and the locus ceruleus. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021932': { - 'name': 'hindbrain radial glia guided cell migration', - 'def': 'The radially directed movement of a cell along radial glial cells in the hindbrain. Radial migration refers to a directed movement from the internal ventricular area to the outer surface of the hindbrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021933': { - 'name': 'radial glia guided migration of cerebellar granule cell', - 'def': 'The inward migration of postmitotic granule cells along a radial glial cell from the external granule layer to the internal granule cell layer. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021934': { - 'name': 'hindbrain tangential cell migration', - 'def': 'The migration of a cell in the hindbrain in which cells move orthogonal to the direction of radial migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021935': { - 'name': 'cerebellar granule cell precursor tangential migration', - 'def': 'The early migration of granule cell precursors in which cells move orthogonal to the direction of radial migration and ultimately cover the superficial zone of the cerebellar primordium. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021936': { - 'name': 'regulation of cerebellar granule cell precursor proliferation', - 'def': 'The process that modulates the frequency, rate or extent of granule cell precursor proliferation. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021937': { - 'name': 'cerebellar Purkinje cell-granule cell precursor cell signaling involved in regulation of granule cell precursor cell proliferation', - 'def': 'The process that mediates the transfer of information from Purkinje cells to granule cell precursors resulting in an increase in rate of granule cell precursor cell proliferation. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021938': { - 'name': 'smoothened signaling pathway involved in regulation of cerebellar granule cell precursor cell proliferation', - 'def': 'The series of molecular signals generated as a consequence of activation of the transmembrane protein Smoothened in cerebellar granule cells that contributes to the regulation of proliferation of the cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb, PMID:15157725]' - }, - 'GO:0021939': { - 'name': 'extracellular matrix-granule cell signaling involved in regulation of granule cell precursor proliferation', - 'def': 'The process that mediates the transfer of information from the extracellular matrix to granule cell precursors resulting in a decrease in rate of granule cell precursor cell proliferation. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021940': { - 'name': 'positive regulation of cerebellar granule cell precursor proliferation', - 'def': 'The process that activates or increases the rate or extent of granule cell precursor proliferation. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021941': { - 'name': 'negative regulation of cerebellar granule cell precursor proliferation', - 'def': 'The process that stops, prevents or reduces the rate or extent of granule cell precursor proliferation. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021942': { - 'name': 'radial glia guided migration of Purkinje cell', - 'def': 'The migration of postmitotic a Purkinje cell along radial glial cells from the ventricular zone to the Purkinje cell layer. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021943': { - 'name': 'formation of radial glial scaffolds', - 'def': 'The formation of scaffolds from a radial glial cell. The scaffolds are used as a substrate for the radial migration of cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021944': { - 'name': 'neuronal-glial interaction involved in hindbrain glial-mediated radial cell migration', - 'def': 'The changes in adhesion between a neuronal cell and a glial cell as a component of the process of hindbrain glial-mediated radial cell migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021945': { - 'name': 'positive regulation of cerebellar granule cell migration by calcium', - 'def': 'The process that increases the extent of granule cell motility using intracellular calcium signaling mechanisms during radial migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb, PMID:15157725]' - }, - 'GO:0021946': { - 'name': 'deep nuclear neuron cell migration', - 'def': 'The directed movement of a deep nuclear neuron from the ventricular zone to the deep hindbrain nuclei. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021947': { - 'name': 'outward migration of deep nuclear neurons', - 'def': 'The directed movement of a deep nuclear neuron from their ventrolateral origin to a rostrodorsal region of the cerebellar plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021948': { - 'name': 'inward migration of deep nuclear neurons', - 'def': 'The directed movement of a deep nuclear neuron from the rostrodorsal region of the cerebellar plate to their final more ventral position. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021949': { - 'name': 'brainstem precerebellar neuron precursor migration', - 'def': 'The early migration of a precerebellar neuronal precursor in which a cell move from the rhombic lip, orthogonal to the direction of radial migration and ultimately reside in the brainstem. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021950': { - 'name': 'chemorepulsion involved in precerebellar neuron migration', - 'def': 'The creation and reception of signals that repel a precerebellar neuron as a component of the process of tangential migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021951': { - 'name': 'chemoattraction involved in precerebellar neuron migration', - 'def': 'The creation and reception of signals that guide a precerebellar neuron towards their signals, where this process is involved in tangential migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15157725]' - }, - 'GO:0021952': { - 'name': 'central nervous system projection neuron axonogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body towards target cells in a different central nervous system region. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021953': { - 'name': 'central nervous system neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron whose cell body resides in the central nervous system. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021954': { - 'name': 'central nervous system neuron development', - 'def': 'The process whose specific outcome is the progression of a neuron whose cell body is located in the central nervous system, from initial commitment of the cell to a neuronal fate, to the fully functional differentiated neuron. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021955': { - 'name': 'central nervous system neuron axonogenesis', - 'def': 'Generation of a long process from a neuron whose cell body resides in the central nervous system. The process carries efferent (outgoing) action potentials from the cell body towards target cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021956': { - 'name': 'central nervous system interneuron axonogenesis', - 'def': 'Generation of a long process that carries efferent (outgoing) action potentials from the cell body towards target cells from a neuron located in the central nervous system whose axons remain within a single brain region. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021957': { - 'name': 'corticospinal tract morphogenesis', - 'def': 'Generation of a long process of a pyramidal cell, that carries efferent (outgoing) action potentials from the cell body in cerebral cortex layer V towards target cells in the gray matter of the spinal cord. This axonal process is a member of those that make up the corticospinal tract. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:9878731]' - }, - 'GO:0021958': { - 'name': 'gracilis tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the dorsal root ganglion towards target cells in the medulla. This axonal process is a member of those that make up the gracilis tract, a group of axons that are from neurons involved in proprioception from the lower trunk and lower limb. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12867698]' - }, - 'GO:0021959': { - 'name': 'cuneatus tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the dorsal root ganglion towards target cells in the medulla. This axonal process is a member of those that make up the cuneatus tract, a group of axons that are from neurons involved in proprioception from the upper trunk and upper limb. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:12867698]' - }, - 'GO:0021960': { - 'name': 'anterior commissure morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in one half of the cerebral cortex towards target cells in the contralateral half. This axonal process is a member of those that make up the anterior commissure, a small midline fiber tract that lies at the anterior end of the corpus callosum. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021961': { - 'name': 'posterior commissure morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the midbrain towards target cells in the diencephalon. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021962': { - 'name': 'vestibulospinal tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the vestibular nucleus of the pons towards target cells in the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021963': { - 'name': 'spinothalamic tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the spinal cord towards target cells in the thalamus. This axonal process is a member of those that make up the spinothalamic tract, one of the major routes of nociceptive signaling. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021964': { - 'name': 'rubrospinal tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the red nucleus of the midbrain towards target cells in the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021965': { - 'name': 'spinal cord ventral commissure morphogenesis', - 'def': 'The process in which the anatomical structures of the spinal cord ventral commissure are generated and organized. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021966': { - 'name': 'corticospinal neuron axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a neuron that is part of the corticospinal tract is directed from the cerebral cortex layer V to the spinal cord dorsal funiculus in response to a combination of attractive and repulsive cues. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:9878731]' - }, - 'GO:0021967': { - 'name': 'corticospinal neuron axon guidance through the cerebral cortex', - 'def': 'The process in which the migration of an axon growth cone of a pyramidal cell that is part of the corticospinal tract is directed from its cell body in layer V through the cerebral cortex in response to a combination of attractive and repulsive cues. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:9878731]' - }, - 'GO:0021968': { - 'name': 'corticospinal neuron axon guidance through the internal capsule', - 'def': 'The process in which the migration of an axon growth cone of a pyramidal cell that is part of the corticospinal tract is directed after exiting the cerebral cortex through the internal capsule in response to a combination of attractive and repulsive cues. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:9878731]' - }, - 'GO:0021969': { - 'name': 'corticospinal neuron axon guidance through the cerebral peduncle', - 'def': 'The process in which the migration of an axon growth cone of a pyramidal cell that is part of the corticospinal tract is directed after exiting the internal capsule through the cerebral peduncle in response to a combination of attractive and repulsive cues. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:9878731]' - }, - 'GO:0021970': { - 'name': 'corticospinal neuron axon guidance through the basilar pons', - 'def': 'The process in which the migration of an axon growth cone of a pyramidal cell that is part of the corticospinal tract is directed after exiting the cerebral peduncle through the basilar pons in response to a combination of attractive and repulsive cues. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:9878731]' - }, - 'GO:0021971': { - 'name': 'corticospinal neuron axon guidance through the medullary pyramid', - 'def': 'The process in which the migration of an axon growth cone of a pyramidal cell that is part of the corticospinal tract is directed after exiting the basilar pons through the medullary pyramid in response to a combination of attractive and repulsive cues. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:9878731]' - }, - 'GO:0021972': { - 'name': 'corticospinal neuron axon guidance through spinal cord', - 'def': 'The process in which the migration of an axon growth cone of a pyramidal cell that is part of the corticospinal tract is directed after decussation through the spinal cord in response to a combination of attractive and repulsive cues. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:9878731]' - }, - 'GO:0021973': { - 'name': 'corticospinal neuron axon decussation', - 'def': 'The process in which the migration of an axon growth cone of a pyramidal cell that is part of the corticospinal tract is directed to cross the midline to the contralateral side. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:9878731]' - }, - 'GO:0021974': { - 'name': 'trigeminothalamic tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in spinal cord towards target cells in the thalamus. This axonal process is a member of those that make up the trigeminothalamic tract, one of the major routes of nociceptive and temperature signaling from the face. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878937420]' - }, - 'GO:0021975': { - 'name': 'pons reticulospinal tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the pons towards target cells in the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021976': { - 'name': 'medulla reticulospinal tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the medulla towards target cells in the spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021977': { - 'name': 'tectospinal tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the superior colliculus of the midbrain towards target cells in the ventral spinal cord. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021978': { - 'name': 'telencephalon regionalization', - 'def': 'The regionalization process that creates areas within the forebrain that will direct the behavior of cell migration in differentiation as the telencephalon develops. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mgi_curators, GOC:mtg_15jun06]' - }, - 'GO:0021979': { - 'name': 'hypothalamus cell differentiation', - 'def': 'The differentiation of cells that will contribute to the structure and function of the hypothalamus. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mgi_curators, GOC:mtg_15jun06]' - }, - 'GO:0021980': { - 'name': 'subpallium cell migration', - 'def': 'The orderly movement of cells from one site to another in the subpallium. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021981': { - 'name': 'subpallium radially oriented migration', - 'def': 'The migration of cells in the developing subpallium in which cells move from the ventricular and/or subventricular zone toward the surface of the brain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021982': { - 'name': 'pineal gland development', - 'def': 'The progression of the pineal gland over time from its initial formation until its mature state. The pineal gland is an endocrine gland that secretes melatonin and is involved in circadian rhythms. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021983': { - 'name': 'pituitary gland development', - 'def': 'The progression of the pituitary gland over time from its initial formation until its mature state. The pituitary gland is an endocrine gland that secretes hormones that regulate many other glands. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021984': { - 'name': 'adenohypophysis development', - 'def': 'The progression of the adenohypophysis over time from its initial formation until its mature state. The adenohypophysis is the anterior part of the pituitary. It secretes a variety of hormones and its function is regulated by the hypothalamus. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021985': { - 'name': 'neurohypophysis development', - 'def': 'The progression of the neurohypophysis over time from its initial formation until its mature state. The neurohypophysis is the part of the pituitary gland that secretes hormones involved in blood pressure regulation. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021986': { - 'name': 'habenula development', - 'def': 'The progression of the habenula over time from its initial formation until its mature state. The habenula is the group of nuclei that makes up the stalk of the pineal gland. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:9780721601465]' - }, - 'GO:0021987': { - 'name': 'cerebral cortex development', - 'def': 'The progression of the cerebral cortex over time from its initial formation until its mature state. The cerebral cortex is the outer layered region of the telencephalon. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021988': { - 'name': 'olfactory lobe development', - 'def': 'The progression of the olfactory lobe over time from its initial formation until its mature state. The olfactory lobe is the area of the brain that process the neural inputs for the sense of smell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021989': { - 'name': 'olfactory cortex development', - 'def': 'The progression of the olfactory cortex over time from its initial formation until its mature state. The olfactory cortex is involved in the perception of smell. It receives input from the olfactory bulb and is responsible for the identification of odors. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021990': { - 'name': 'neural plate formation', - 'def': 'The formation of the flat, thickened layer of ectodermal cells known as the neural plate. The underlying dorsal mesoderm signals the ectodermal cells above it to elongate into columnar neural plate cells. The neural plate subsequently develops into the neural tube, which gives rise to the central nervous system. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0878932437, ISBN:0878932585, PMID:15806586]' - }, - 'GO:0021991': { - 'name': 'neural plate thickening', - 'def': 'The process of apical-basal elongation of individual ectodermal cells during the formation of the neural placode. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15806586]' - }, - 'GO:0021992': { - 'name': 'cell proliferation involved in neural plate elongation', - 'def': 'The process of expansion of cell numbers in the neural plate due to cell division of progenitor cells preferentially in the rostrocaudal direction, resulting in the elongation of the tissue. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15806586]' - }, - 'GO:0021993': { - 'name': 'initiation of neural tube closure', - 'def': 'The process in which closure points are established at multiple points and along the neural rostrocaudal axis. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021994': { - 'name': 'progression of neural tube closure', - 'def': 'The process in which the neural folds are fused extending from the initial closure points. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021995': { - 'name': 'neuropore closure', - 'def': 'The process of joining together the neural folds at either end of the neural tube. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021996': { - 'name': 'lamina terminalis formation', - 'def': 'The process in which the anterior-most portion of the neural axis is formed by closure of the anterior neuropore. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021997': { - 'name': 'neural plate axis specification', - 'def': 'The pattern specification process in which the axes of the nervous system are established. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021998': { - 'name': 'neural plate mediolateral regionalization', - 'def': 'The process that regulates the coordinated growth and differentiation that establishes the non-random mediolateral spatial arrangement of the neural plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0021999': { - 'name': 'neural plate anterior/posterior regionalization', - 'def': 'The process that regulates the coordinated growth and differentiation that establishes the non-random anterior-posterior spatial arrangement of the neural plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022000': { - 'name': 'forebrain induction by the anterior neural ridge', - 'def': 'The close range interaction of the anterior neural ridge to the caudal region of the neural plate that specifies the forebrain fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022001': { - 'name': 'negative regulation of anterior neural cell fate commitment of the neural plate', - 'def': 'Any process that stops, prevents or reduces the frequency or rate at which a cell adopts an anterior neural cell fate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb]' - }, - 'GO:0022002': { - 'name': 'negative regulation of anterior neural cell fate commitment of the neural plate by Wnt signaling pathway', - 'def': 'The series of molecular signals that stops, prevents or reduces the frequency or rate at which a cell adopts an anterior neural cell fate, initiated by binding of Wnt protein to a receptor on the surface of the target cell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb]' - }, - 'GO:0022003': { - 'name': 'negative regulation of anterior neural cell fate commitment of the neural plate by fibroblast growth factor receptor signaling pathway', - 'def': 'The series of molecular signals that stops, prevents or reduces the frequency or rate at which cell adopts an anterior neural cell fate, generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:tb]' - }, - 'GO:0022004': { - 'name': 'midbrain-hindbrain boundary maturation during brain development', - 'def': 'A developmental process occurring after the brain has been specified along the neural axis that is required for the midbrain-hindbrain boundary to attain its fully functional state. The midbrain-hindbrain domain of the embryonic brain is comprised of the mesencephalic vesicle and the first rhombencephalic vesicle at early somitogenesis stages. An organizing center at the boundary patterns the midbrain and hindbrain primordia of the neural plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15541513]' - }, - 'GO:0022005': { - 'name': 'midbrain-hindbrain boundary maturation during neural plate development', - 'def': 'A developmental process occurring before the brain has been specified along the neural axis that is required for the midbrain-hindbrain boundary to attain its fully functional state. The midbrain-hindbrain domain of the embryonic brain is comprised of the mesencephalic vesicle and the first rhombencephalic vesicle at early somitogenesis stages. An organizing center at the boundary patterns the midbrain and hindbrain primordia of the neural plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15541513]' - }, - 'GO:0022006': { - 'name': 'zona limitans intrathalamica formation', - 'def': 'The formation of the narrow stripe of cells that lies between the prospective dorsal and ventral thalami. This boundary contains signals that pattern the prethalamic and thalamic territories of the future mid-diencephalon. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:11425897, PMID:16452095]' - }, - 'GO:0022007': { - 'name': 'convergent extension involved in neural plate elongation', - 'def': 'The process of directed cell movement in the neural plate resulting in tissue elongation via intercalation of adjacent cells in an epithelial sheet at the midline, leading to narrowing and lengthening of the neural plate. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:13679871, PMID:15806586]' - }, - 'GO:0022008': { - 'name': 'neurogenesis', - 'def': 'Generation of cells within the nervous system. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022009': { - 'name': 'central nervous system vasculogenesis', - 'def': 'The differentiation of endothelial cells from progenitor cells during blood vessel development, and the de novo formation of blood vessels and tubes in the central nervous system. The capillary endothelial cells in the brain are specialized to form the blood-brain barrier. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022010': { - 'name': 'central nervous system myelination', - 'def': 'The process in which neuronal axons and dendrites become coated with a segmented lipid-rich sheath (myelin) to enable faster and more energetically efficient conduction of electrical impulses. The sheath is formed by the cell membranes of oligodendrocytes in the central nervous system. Adjacent myelin segments are separated by a non-myelinated stretch of axon called a node of Ranvier. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022011': { - 'name': 'myelination in peripheral nervous system', - 'def': 'The process in which neuronal axons and dendrites become coated with a segmented lipid-rich sheath (myelin) to enable faster and more energetically efficient conduction of electrical impulses. The sheath is formed by the cell membranes of Schwann cells in the peripheral nervous system. Adjacent myelin segments are separated by a non-myelinated stretch of axon called a node of Ranvier. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022012': { - 'name': 'subpallium cell proliferation in forebrain', - 'def': 'The multiplication or reproduction of subpallium cells in the forebrain, resulting in the expansion of a cell population. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022013': { - 'name': 'pallium cell proliferation in forebrain', - 'def': 'The multiplication or reproduction of pallium cells in the forebrain, resulting in the expansion of the cell population. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022014': { - 'name': 'radial glial cell division in subpallium', - 'def': 'The division of a radial glial cell in the subpallium. A radial glial cell is a precursor cell that gives rise to neurons and astrocytes. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022015': { - 'name': 'radial glial cell division in pallium', - 'def': 'The division of a radial glial cell in the pallium. A radial glial cell is a precursor cell that gives rise to neurons and astrocytes. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022016': { - 'name': 'pallium glioblast division', - 'def': 'The division of a glioblast in the pallium. A glioblast is a dividing precursor cell that gives rise to glial cells. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022017': { - 'name': 'neuroblast division in pallium', - 'def': 'The division of neuroblasts in the pallium. Neuroblasts are precursor cells that give rise to neurons. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022018': { - 'name': 'lateral ganglionic eminence cell proliferation', - 'def': 'The multiplication or reproduction of lateral ganglionic eminence cells, resulting in the expansion of the cell population. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022019': { - 'name': 'dorsal lateral ganglionic eminence cell proliferation', - 'def': 'The multiplication or reproduction of dorsal lateral ganglionic eminence cells, resulting in the expansion of the cell population. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022020': { - 'name': 'medial ganglionic eminence cell proliferation', - 'def': 'The multiplication or reproduction of medial ganglionic eminence cells, resulting in the expansion of a cell population. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022021': { - 'name': 'caudal ganglionic eminence cell proliferation', - 'def': 'The multiplication or reproduction of caudal ganglionic eminence cells, resulting in the expansion of a cell population. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022022': { - 'name': 'septal cell proliferation', - 'def': 'The multiplication or reproduction of septal cells, resulting in the expansion of a cell population. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022023': { - 'name': 'radial glial cell fate commitment in forebrain', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a radial glial cell in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022024': { - 'name': 'BMP signaling pathway involved in forebrain neuron fate commitment', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the commitment of a neuroblast to a neuronal fate. The neuron will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022025': { - 'name': 'leukemia inhibitory factor signaling pathway involved in forebrain neuron fate commitment', - 'def': 'Any series of molecular signals initiated by the binding of leukemia inhibitory factor to a receptor on the surface of the target cell, that contributes to the commitment of a neuroblast to a neuronal fate. The neuron will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, GOC:signaling]' - }, - 'GO:0022026': { - 'name': 'epidermal growth factor signaling pathway involved in forebrain neuron fate commitment', - 'def': 'The series of molecular signals generated as a consequence of a epidermal growth factor receptor binding to one of its physiological ligands that contributes to the commitment of a neuroblast to a neuronal fate. The neuron will reside in the forebrain. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022027': { - 'name': 'interkinetic nuclear migration', - 'def': 'The movement of the nucleus of the ventricular zone cell between the apical and the basal zone surfaces. Mitosis occurs when the nucleus is near the apical surface, that is, the lumen of the ventricle. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022028': { - 'name': 'tangential migration from the subventricular zone to the olfactory bulb', - 'def': 'The migration of cells in the telencephalon from the subventricular zone to the olfactory bulb in which cells move orthogonally to the direction of radial migration and do not use radial glial cell processes as substrates for migration. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022029': { - 'name': 'telencephalon cell migration', - 'def': 'The orderly movement of a cell from one site to another at least one of which is located in the telencephalon. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022030': { - 'name': 'telencephalon glial cell migration', - 'def': 'The orderly movement of glial cells through the telencephalon. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022031': { - 'name': 'telencephalon astrocyte cell migration', - 'def': 'The orderly movement of an astrocyte cell through the telencephalon. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022032': { - 'name': 'telencephalon oligodendrocyte cell migration', - 'def': 'The multiplication or reproduction of telencephalon oligodendrocyte cells, resulting in the expansion of a cell population. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022033': { - 'name': 'telencephalon microglial cell migration', - 'def': 'The orderly movement of microglial cells through the telencephalon. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022034': { - 'name': 'rhombomere cell proliferation', - 'def': 'The multiplication or reproduction of rhombomere cells, resulting in the expansion of the cell population. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022035': { - 'name': 'rhombomere cell migration', - 'def': 'The movement of a cell within a rhombomere. This process is known to occur as an early step in the generation of anatomical structure from a rhombomere. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, PMID:15629700]' - }, - 'GO:0022036': { - 'name': 'rhombomere cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a rhombomere cell. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022037': { - 'name': 'metencephalon development', - 'def': 'The process whose specific outcome is the progression of the metencephalon over time, from its formation to the mature structure. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022038': { - 'name': 'corpus callosum development', - 'def': 'The process whose specific outcome is the progression of the corpus callosum over time, from its formation to the mature structure. The corpus callosum is a thick bundle of nerve fibers comprising a commissural plate connecting the two cerebral hemispheres. It consists of contralateral axon projections that provide communication between the right and left cerebral hemispheres. [GO_REF:0000021, GOC:cls, GOC:curators, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06]' - }, - 'GO:0022400': { - 'name': 'regulation of rhodopsin mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of rhodopsin-mediated signaling. [GOC:mah]' - }, - 'GO:0022401': { - 'name': 'negative adaptation of signaling pathway', - 'def': 'The negative regulation of a signal transduction pathway in response to a stimulus upon prolonged exposure to that stimulus. [GOC:isa_complete]' - }, - 'GO:0022402': { - 'name': 'cell cycle process', - 'def': 'The cellular process that ensures successive accurate and complete genome replication and chromosome segregation. [GOC:isa_complete, GOC:mtg_cell_cycle]' - }, - 'GO:0022403': { - 'name': 'cell cycle phase', - 'def': 'One of the distinct periods or stages into which the cell cycle is divided. Each phase is characterized by the occurrence of specific biochemical and morphological events. [GOC:mtg_cell_cycle]' - }, - 'GO:0022404': { - 'name': 'molting cycle process', - 'def': 'A multicellular organismal process involved in the periodic casting off and regeneration of an outer covering of cuticle, feathers, hair, horns, skin. [GOC:isa_complete]' - }, - 'GO:0022405': { - 'name': 'hair cycle process', - 'def': 'A multicellular organismal process involved in the cyclical phases of growth (anagen), regression (catagen), quiescence (telogen), and shedding (exogen) in the life of a hair; one of the collection or mass of filaments growing from the skin of an animal, and forming a covering for a part of the head or for any part or the whole of the body. [GOC:isa_complete]' - }, - 'GO:0022406': { - 'name': 'membrane docking', - 'def': 'The initial attachment of a membrane or protein to a target membrane. Docking requires only that the proteins come close enough to interact and adhere. [GOC:isa_complete]' - }, - 'GO:0022407': { - 'name': 'regulation of cell-cell adhesion', - 'def': 'Any process that modulates the frequency, rate or extent of attachment of a cell to another cell. [GOC:isa_complete]' - }, - 'GO:0022408': { - 'name': 'negative regulation of cell-cell adhesion', - 'def': 'Any process that stops, prevents or reduces the rate or extent of cell adhesion to another cell. [GOC:isa_complete]' - }, - 'GO:0022409': { - 'name': 'positive regulation of cell-cell adhesion', - 'def': 'Any process that activates or increases the rate or extent of cell adhesion to another cell. [GOC:isa_complete]' - }, - 'GO:0022410': { - 'name': 'circadian sleep/wake cycle process', - 'def': 'A behavioral process involved in the cycle from wakefulness through an orderly succession of sleep states and stages that occurs on an approximately 24 hour rhythm. [GOC:isa_complete]' - }, - 'GO:0022411': { - 'name': 'cellular component disassembly', - 'def': 'A cellular process that results in the breakdown of a cellular component. [GOC:isa_complete]' - }, - 'GO:0022412': { - 'name': 'cellular process involved in reproduction in multicellular organism', - 'def': 'A process, occurring at the cellular level, that is involved in the reproductive function of a multicellular organism. [GOC:isa_complete]' - }, - 'GO:0022413': { - 'name': 'reproductive process in single-celled organism', - 'def': 'A process, occurring at the cellular level, that is involved in the reproductive function of a single-celled organism. [GOC:isa_complete]' - }, - 'GO:0022414': { - 'name': 'reproductive process', - 'def': 'A biological process that directly contributes to the process of producing new individuals by one or two organisms. The new individuals inherit some proportion of their genetic material from the parent or parents. [GOC:dph, GOC:isa_complete]' - }, - 'GO:0022416': { - 'name': 'chaeta development', - 'def': 'The process whose specific outcome is the progression of a chaeta over time, from its formation to the mature structure. A chaeta is a sensory multicellular cuticular outgrowth of a specifically differentiated cell. [FBbt:00005177, GOC:bf, GOC:cjm, GOC:dos, GOC:isa_complete]' - }, - 'GO:0022417': { - 'name': 'protein maturation by protein folding', - 'def': 'The process of assisting in the covalent and noncovalent assembly of single chain polypeptides or multisubunit complexes into the correct tertiary structure that results in the attainment of the full functional capacity of a protein. [GOC:isa_complete]' - }, - 'GO:0022600': { - 'name': 'digestive system process', - 'def': 'A physical, chemical, or biochemical process carried out by living organisms to break down ingested nutrients into components that may be easily absorbed and directed into metabolism. [GOC:isa_complete, GOC:jid, GOC:mtg_cardio]' - }, - 'GO:0022601': { - 'name': 'menstrual cycle phase', - 'def': 'The progression of physiological phases, occurring in the endometrium during the menstrual cycle that recur at regular intervals during the reproductive years. The menstrual cycle is an ovulation cycle where the endometrium is shed if pregnancy does not occur. [GOC:dph, GOC:isa_complete, GOC:jid]' - }, - 'GO:0022602': { - 'name': 'ovulation cycle process', - 'def': 'A process involved in the sexual cycle seen in females, often with physiologic changes in the endometrium that recur at regular intervals during the reproductive years. [GOC:isa_complete]' - }, - 'GO:0022603': { - 'name': 'regulation of anatomical structure morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of anatomical structure morphogenesis. [GOC:mah]' - }, - 'GO:0022604': { - 'name': 'regulation of cell morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cell morphogenesis. Cell morphogenesis is the developmental process in which the shape of a cell is generated and organized. [GOC:isa_complete]' - }, - 'GO:0022605': { - 'name': 'oogenesis stage', - 'def': 'A reproductive process that is a step in the formation and maturation of an ovum or female gamete from a primordial female germ cell. [GOC:isa_complete, GOC:mtg_sensu]' - }, - 'GO:0022606': { - 'name': 'establishment of proximal/distal cell polarity', - 'def': 'The specification and formation of the polarity of a cell along its proximal/distal axis. [GOC:isa_complete]' - }, - 'GO:0022607': { - 'name': 'cellular component assembly', - 'def': 'The aggregation, arrangement and bonding together of a cellular component. [GOC:isa_complete]' - }, - 'GO:0022608': { - 'name': 'multicellular organism adhesion', - 'def': 'The attachment of a multicellular organism to a substrate or other organism. [GOC:isa_complete]' - }, - 'GO:0022609': { - 'name': 'multicellular organism adhesion to substrate', - 'def': 'The attachment of a multicellular organism to a surface or material. [GOC:isa_complete]' - }, - 'GO:0022610': { - 'name': 'biological adhesion', - 'def': 'The attachment of a cell or organism to a substrate, another cell, or other organism. Biological adhesion includes intracellular attachment between membrane regions. [GOC:isa_complete]' - }, - 'GO:0022611': { - 'name': 'dormancy process', - 'def': 'A developmental process in which dormancy (sometimes called a dormant state) is induced, maintained or broken. Dormancy is a suspension of most physiological activity and growth that can be reactivated. [GOC:isa_complete, GOC:PO_curators, PO_REF:00009]' - }, - 'GO:0022612': { - 'name': 'gland morphogenesis', - 'def': 'The process in which the anatomical structures of a gland are generated and organized. [GOC:isa_complete]' - }, - 'GO:0022613': { - 'name': 'ribonucleoprotein complex biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a complex containing RNA and proteins. Includes the biosynthesis of the constituent RNA and protein molecules, and those macromolecular modifications that are involved in synthesis or assembly of the ribonucleoprotein complex. [GOC:isa_complete, GOC:mah]' - }, - 'GO:0022614': { - 'name': 'membrane to membrane docking', - 'def': 'The initial attachment of a membrane to a target membrane, mediated by proteins protruding from the two membranes. Docking requires only that the membranes come close enough for the proteins to interact and adhere. [GOC:isa_complete]' - }, - 'GO:0022615': { - 'name': 'protein to membrane docking', - 'def': 'The initial attachment of a protein to a target membrane, mediated by a proteins protruding from the target membrane. Docking requires only that the proteins come close enough to interact and adhere. [GOC:isa_complete]' - }, - 'GO:0022616': { - 'name': 'DNA strand elongation', - 'def': "The DNA metabolic process in which a DNA strand is synthesized by adding nucleotides to the 3' end of an existing DNA stand. [GOC:isa_complete]" - }, - 'GO:0022617': { - 'name': 'extracellular matrix disassembly', - 'def': 'A process that results in the breakdown of the extracellular matrix. [GOC:jid]' - }, - 'GO:0022618': { - 'name': 'ribonucleoprotein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and RNA molecules to form a ribonucleoprotein complex. [GOC:jl]' - }, - 'GO:0022619': { - 'name': 'generative cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a generative cell. The generative cell gives rise to the sperm cells in the male gametophyte. [GOC:isa_complete]' - }, - 'GO:0022620': { - 'name': 'vegetative cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a vegetative cell. The vegetative cell is gives rise to the pollen tube. [GOC:isa_complete]' - }, - 'GO:0022622': { - 'name': 'root system development', - 'def': 'The process whose specific outcome is the progression of the root system over time, from its formation to the mature structure. [GOC:isa_complete]' - }, - 'GO:0022623': { - 'name': 'proteasome-activating nucleotidase complex', - 'def': 'A homohexameric complex that recognizes and unfolds core proteasome substrate proteins, and translocates them to the core complex in an ATP dependent manner. [GOC:bf, GOC:mtg_sensu, PMID:19363223, PMID:19481528]' - }, - 'GO:0022624': { - 'name': 'proteasome accessory complex', - 'def': 'A protein complex, that caps one or both ends of the proteasome core complex and regulates entry into, or exit from, the proteasome core complex. [GOC:mtg_sensu]' - }, - 'GO:0022625': { - 'name': 'cytosolic large ribosomal subunit', - 'def': 'The large subunit of a ribosome located in the cytosol. [GOC:mtg_sensu]' - }, - 'GO:0022626': { - 'name': 'cytosolic ribosome', - 'def': 'A ribosome located in the cytosol. [GOC:mtg_sensu]' - }, - 'GO:0022627': { - 'name': 'cytosolic small ribosomal subunit', - 'def': 'The small subunit of a ribosome located in the cytosol. [GOC:mtg_sensu]' - }, - 'GO:0022628': { - 'name': 'chloroplast large ribosomal subunit', - 'def': 'The large subunit of a ribosome contained within a chloroplast. [GOC:mtg_sensu]' - }, - 'GO:0022629': { - 'name': 'chloroplast small ribosomal subunit', - 'def': 'The small subunit of a ribosome contained within a chloroplast. [GOC:mtg_sensu]' - }, - 'GO:0022803': { - 'name': 'passive transmembrane transporter activity', - 'def': "Enables the transfer of a solute from one side of the membrane to the other, down the solute's concentration gradient. [GOC:mtg_transport, ISBN:0815340729]" - }, - 'GO:0022804': { - 'name': 'active transmembrane transporter activity', - 'def': "Catalysis of the transfer of a specific substance or related group of substances from one side of a membrane to the other, up the solute's concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction. [GOC:mtg_transport, ISBN:0815340729]" - }, - 'GO:0022809': { - 'name': 'mobile ion carrier activity', - 'def': 'This is a type of carrier produced by bacteria. It enables passive transport by shielding the ion that is being transported from the lipid membrane. It carries an ion across the membrane by enclosing the ion and travelling across the membrane. It does not form a fully open pore across the membrane. [GOC:mtg_transport, GOC:pr, ISBN:0815340729]' - }, - 'GO:0022810': { - 'name': 'membrane potential driven uniporter activity', - 'def': 'Enables the active transport of a solute across a membrane by a mechanism involving conformational change, where energy for active transport is derived from membrane potential if the solute is charged. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022814': { - 'name': 'facilitated diffusion', - 'def': 'Catalysis of the transfer of a single solute from one side of the membrane to the other by a mechanism involving conformational change, either by facilitated diffusion or in a membrane potential dependent process if the solute is charged. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022815': { - 'name': 'obsolete large uncharged polar molecule transmembrane transporter activity', - 'def': 'OBSOLETE. Catalysis of the transfer of a large uncharged polar molecule from one side of a membrane to the other. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022818': { - 'name': 'sodium ion uniporter activity', - 'def': 'Catalysis of the active transport of a sodium ion across a membrane by a mechanism involving conformational change, where energy for active transport is derived from membrane potential if the solute is charged. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022819': { - 'name': 'potassium ion uniporter activity', - 'def': 'Catalysis of the active transport of a potassium ion across a membrane by a mechanism involving conformational change, where energy for active transport is derived from membrane potential if the solute is charged. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022820': { - 'name': 'potassium ion symporter activity', - 'def': 'Catalysis of the active transport of a potassium ion across a membrane by a mechanism whereby two or more species are transported together in the same direction in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022821': { - 'name': 'potassium ion antiporter activity', - 'def': 'Catalysis of the active transport of a potassium ion across a membrane by a mechanism whereby two or more species are transported in opposite directions in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022824': { - 'name': 'transmitter-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when a specific neurotransmitter has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022825': { - 'name': 'obsolete copper-exporting ATPase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0022828': { - 'name': 'phosphorylation-gated channel activity', - 'def': 'Enables the transmembrane transfer of a solute by a channel that opens in response to phosphorylation of one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022829': { - 'name': 'wide pore channel activity', - 'def': 'Enables the transport of a solute across a membrane via a large pore, un-gated channel. Examples include gap junctions, which transport substances from one cell to another; and porins which transport substances in and out of bacteria, mitochondria and chloroplasts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022831': { - 'name': 'narrow pore, gated channel activity', - 'def': 'Enables the transport of a solute across a membrane via a narrow pore channel that opens in response to a particular stimulus. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022832': { - 'name': 'voltage-gated channel activity', - 'def': 'Enables the transmembrane transfer of a solute by a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022833': { - 'name': 'mechanically gated channel activity', - 'def': 'Enables the transmembrane transfer of a solute by a channel that opens in response to a mechanical stress. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022834': { - 'name': 'ligand-gated channel activity', - 'def': 'Enables the transmembrane transfer of a solute by a channel that opens when a specific ligand has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022835': { - 'name': 'transmitter-gated channel activity', - 'def': 'Enables the transmembrane transfer of a solute by a channel that opens when a specific neurotransmitter has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022836': { - 'name': 'gated channel activity', - 'def': 'Enables the transmembrane transfer of a solute by a channel that opens in response to a specific stimulus. [GOC:mtg_transport]' - }, - 'GO:0022838': { - 'name': 'substrate-specific channel activity', - 'def': 'Enables the energy-independent facilitated diffusion, mediated by passage of a specific solute through a transmembrane aqueous pore or channel. Stereospecificity is not exhibited but this transport may be specific for a particular molecular species or class of molecules. [GOC:mtg_transport]' - }, - 'GO:0022839': { - 'name': 'ion gated channel activity', - 'def': 'Enables the transmembrane transfer of a solute by a channel that opens in response to a specific ion stimulus. [GOC:mtg_transport]' - }, - 'GO:0022840': { - 'name': 'leak channel activity', - 'def': "Enables the transport of a solute across a membrane via a narrow pore channel that is open even in an unstimulated or 'resting' state. [GOC:mtg_transport, ISBN:0815340729]" - }, - 'GO:0022841': { - 'name': 'potassium ion leak channel activity', - 'def': "Enables the transport of a potassium ion across a membrane via a narrow pore channel that is open even in an unstimulated or 'resting' state. [GOC:mtg_transport, ISBN:0815340729]" - }, - 'GO:0022842': { - 'name': 'narrow pore channel activity', - 'def': 'Enables the transport of a solute across a membrane via a narrow pore channel that may be gated or ungated. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022843': { - 'name': 'voltage-gated cation channel activity', - 'def': 'Enables the transmembrane transfer of a cation by a voltage-gated channel. A cation is a positively charged ion. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022848': { - 'name': 'acetylcholine-gated cation-selective channel activity', - 'def': 'Selectively enables the transmembrane transfer of a cation by a channel that opens upon binding acetylcholine. [GOC:mah, PMID:2466967]' - }, - 'GO:0022849': { - 'name': 'glutamate-gated calcium ion channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a channel that opens when glutamate has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022850': { - 'name': 'serotonin-gated cation-selective channel activity', - 'def': 'Enables the transmembrane transfer of a cation by a channel that opens when serotonin has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022851': { - 'name': 'GABA-gated chloride ion channel activity', - 'def': 'Enables the transmembrane transfer of a chloride ion by a channel that opens when GABA has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022852': { - 'name': 'glycine-gated chloride ion channel activity', - 'def': 'Enables the transmembrane transfer of a chloride ion by a channel that opens when glycine has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022853': { - 'name': 'active ion transmembrane transporter activity', - 'def': "Catalysis of the transfer of an ion from one side of a membrane to the other up the solute's concentration gradient. This is carried out by binding the solute and undergoing a series of conformational changes. Transport works equally well in either direction. [GOC:mtg_transport, ISBN:0815340729]" - }, - 'GO:0022854': { - 'name': 'obsolete active large uncharged polar molecule transmembrane transporter activity', - 'def': "OBSOLETE. Catalysis of the transfer of a large uncharged polar molecule from one side of the membrane to the other, up the solute's concentration gradient, by binding the solute and undergoing a series of conformational changes. Transport works equally well in either direction. [GOC:mtg_transport, ISBN:0815340729]" - }, - 'GO:0022855': { - 'name': 'protein-N(PI)-phosphohistidine-glucose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + glucose(out) = protein histidine + glucose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022856': { - 'name': 'protein-N(PI)-phosphohistidine-sorbitol phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + sorbitol(out) = protein histidine + sorbitol phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022857': { - 'name': 'transmembrane transporter activity', - 'def': 'Enables the transfer of a substance from one side of a membrane to the other. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022858': { - 'name': 'alanine transmembrane transporter activity', - 'def': 'Enables the transfer of alanine from one side of a membrane to the other. Alanine is 2-aminopropanoic acid. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022859': { - 'name': 'dephosphorylation-gated channel activity', - 'def': 'Enables the transmembrane transfer of a solute by a channel that opens in response to dephosphorylation of one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022865': { - 'name': 'transmembrane electron transfer carrier', - 'def': 'Enables electron flow across a biological membrane, from donors localized on one side of the membrane to acceptors localized on the other side. These systems contribute to or subtract from the membrane potential, depending on the direction of electron flow. They are therefore important to cellular energetics. [GOC:mtg_transport, ISBN:0815340729, TC:5]' - }, - 'GO:0022866': { - 'name': 'transmembrane 1-electron transfer carrier', - 'def': 'Enables transfer of one electron across a membrane. [GOC:mtg_transport, ISBN:0815340729, TC:5.B]' - }, - 'GO:0022867': { - 'name': 'transmembrane 2-electron transfer carrier', - 'def': 'Enables transfer of two electrons across a membrane. [GOC:mtg_transport, ISBN:0815340729, TC:5.A]' - }, - 'GO:0022869': { - 'name': 'protein-N(PI)-phosphohistidine-lactose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + lactose(out) = protein histidine + lactose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022870': { - 'name': 'protein-N(PI)-phosphohistidine-mannose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + mannose(out) = protein histidine + mannose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022871': { - 'name': 'protein-N(PI)-phosphohistidine-sorbose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + sorbose(out) = protein histidine + sorbose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022872': { - 'name': 'protein-N(PI)-phosphohistidine-mannitol phosphotransferase system transmembrane transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + mannitol(out) = protein histidine + mannitol phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022873': { - 'name': 'protein-N(PI)-phosphohistidine-maltose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + maltose(out) = protein histidine + maltose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022874': { - 'name': 'protein-N(PI)-phosphohistidine-cellobiose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + cellobiose(out) = protein histidine + cellobiose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022875': { - 'name': 'protein-N(PI)-phosphohistidine-galactitol phosphotransferase system transmembrane transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + galactitol(out) = protein histidine + galactitol phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022876': { - 'name': 'protein-N(PI)-phosphohistidine-galactosamine phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + galactosamine(out) = protein histidine + galactosamine phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022877': { - 'name': 'protein-N(PI)-phosphohistidine-fructose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + fructose(out) = protein histidine + fructose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022878': { - 'name': 'protein-N(PI)-phosphohistidine-sucrose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + sucrose(out) = protein histidine + sucrose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022879': { - 'name': 'protein-N(PI)-phosphohistidine-trehalose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + trehalose(out) = protein histidine + trehalose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022880': { - 'name': 'protein-N(PI)-phosphohistidine-N-acetylglucosamine phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + N-acetylglucosamine(out) = protein histidine + N-acetylglucosamine phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022881': { - 'name': 'protein-N(PI)-phosphohistidine-N-acetylgalactosamine phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + N-acetylgalactosamine(out) = protein histidine + N-acetylgalactosamine phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022882': { - 'name': 'protein-N(PI)-phosphohistidine-beta-glucoside phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + beta-glucoside(out) = protein histidine + beta-glucoside phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022883': { - 'name': 'zinc efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a zinc ion or zinc ions from the inside of the cell to the outside of the cell across a membrane. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022884': { - 'name': 'macromolecule transmembrane transporter activity', - 'def': 'Enables the transfer of a macromolecule from one side of the membrane to the other. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022885': { - 'name': 'bacteriocin transmembrane transporter activity', - 'def': 'Enables the transfer of a bacteriocin from one side of the membrane to the other. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022886': { - 'name': 'channel-forming ionophore activity', - 'def': 'Enables transport of a solute across a membrane. This kind of transporter interacts much more weakly with the solute than the carrier does. It is an aqueous pore that extends across the membrane. It may change from closed to open and back. It transports faster than a carrier. It is always passive. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022889': { - 'name': 'serine transmembrane transporter activity', - 'def': 'Enables the transfer of serine from one side of a membrane to the other. Serine is 2-amino-3-hydroxypropanoic acid. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022890': { - 'name': 'inorganic cation transmembrane transporter activity', - 'def': 'Enables the transfer of inorganic cations from one side of a membrane to the other. Inorganic cations are atoms or small molecules with a positive charge that do not contain carbon in covalent linkage. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022891': { - 'name': 'substrate-specific transmembrane transporter activity', - 'def': 'Enables the transfer of a specific substance or group of related substances from one side of a membrane to the other. [GOC:jid, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022892': { - 'name': 'substrate-specific transporter activity', - 'def': 'Enables the directed movement of a specific substance or group of related substances (such as macromolecules, small molecules, ions) into, out of or within a cell, or between cells. [GOC:mtg_transport]' - }, - 'GO:0022893': { - 'name': 'low-affinity tryptophan transmembrane transporter activity', - 'def': 'Catalysis of the low-affinity transfer of L-tryptophan from one side of a membrane to the other. Tryptophan is 2-amino-3-(1H-indol-3-yl)propanoic acid. In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0022894': { - 'name': 'Intermediate conductance calcium-activated potassium channel activity', - 'def': 'Enables the transmembrane transfer of potassium by a channel with a unit conductance of 20 to 85 picoSiemens that opens in response to stimulus by internal calcium ions. Intermediate conductance calcium-activated potassium channels are more sensitive to calcium than are large conductance calcium-activated potassium channels. Transport by a channel involves catalysis of facilitated diffusion of a solute (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel, without evidence for a carrier-mediated mechanism. [GOC:mtg_transport, OMIM:602754]' - }, - 'GO:0022897': { - 'name': 'proton-dependent peptide secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a peptide from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by proton movement. [GOC:mtg_transport]' - }, - 'GO:0022898': { - 'name': 'regulation of transmembrane transporter activity', - 'def': 'Any process that modulates the frequency, rate or extent of transmembrane transporter activity. [GOC:dph, GOC:mtg_cardio, GOC:mtg_transport]' - }, - 'GO:0022900': { - 'name': 'electron transport chain', - 'def': 'A process in which a series of electron carriers operate together to transfer electrons from donors to any of several different terminal electron acceptors to generate a transmembrane electrochemical gradient. [GOC:mtg_electron_transport]' - }, - 'GO:0022904': { - 'name': 'respiratory electron transport chain', - 'def': 'A process in which a series of electron carriers operate together to transfer electrons from donors such as NADH and FADH2 to any of several different terminal electron acceptors to generate a transmembrane electrochemical gradient. [GOC:mtg_electron_transport, ISBN:0716720094]' - }, - 'GO:0023002': { - 'name': 'nuclear migration to embryo sac poles', - 'def': 'Migration of the nuclei of the two-nucleate embryo sac to opposite poles of the cell. [GOC:jid, GOC:mtg_plant, ISBN:047186840X]' - }, - 'GO:0023003': { - 'name': 'nuclear migration to the embryo sac center', - 'def': 'Migration of one of the four nuclei at each pole of the eight-nucleate embryo sac, to the center of the cell. [GOC:jid, GOC:mtg_plant, ISBN:047186840X]' - }, - 'GO:0023004': { - 'name': 'obsolete activation of dopamine receptor signaling pathway', - 'def': 'OBSOLETE. Any process that initiates the dopamine receptor protein signaling pathway through stimulation of the dopamine receptor. [GOC:mtg_signal]' - }, - 'GO:0023005': { - 'name': 'obsolete signal initiation by neurotransmitter', - 'def': 'OBSOLETE. The process in which a neurotransmitter signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023006': { - 'name': 'obsolete signal initiation by amino acid', - 'def': 'OBSOLETE. The process in which an amino acid signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023007': { - 'name': 'obsolete ligand binding to T cell receptor', - 'def': 'OBSOLETE. Binding of a diffusible ligand to a T cell receptor as part of a signaling process. [GOC:jid, GOC:mtg_signal]' - }, - 'GO:0023009': { - 'name': 'obsolete initiation of T cell receptor signaling', - 'def': 'OBSOLETE. The process in which a signal causes activation of T cell receptor signaling. [GOC:mtg_signal]' - }, - 'GO:0023010': { - 'name': 'obsolete regulation of initiation of T cell receptor signaling', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of the initiation of T cell receptor signaling. [GOC:mtg_signal]' - }, - 'GO:0023011': { - 'name': 'obsolete positive regulation of initiation of T cell receptor signaling', - 'def': 'OBSOLETE. Any process that activates, maintains or increases the frequency, rate or extent of the initiation of T cell receptor signaling. [GOC:mtg_signal]' - }, - 'GO:0023012': { - 'name': 'obsolete initiation of T cell receptor signaling by binding of a MHC complex to T cell receptor', - 'def': 'OBSOLETE. The process in which binding of an MHC complex to T cell receptor causes activation of T cell receptor signaling. [GOC:mtg_signal]' - }, - 'GO:0023014': { - 'name': 'signal transduction by protein phosphorylation', - 'def': 'A process in which the transfer of one or more phosphate groups to a substrate transmits a signal to the phosphorylated substrate. [GOC:mtg_signal, GOC:signaling]' - }, - 'GO:0023015': { - 'name': 'signal transduction by cis-phosphorylation', - 'def': 'A process in which the transfer of one or more phosphate groups by a kinase to a residue in the same kinase molecule transmits a signal. For example, ligand-binding can induce autophosphorylation of the activated receptor, creating binding sites for intracellular signaling molecules. [GOC:bf, GOC:mtg_signal, GOC:signaling]' - }, - 'GO:0023016': { - 'name': 'signal transduction by trans-phosphorylation', - 'def': 'A process in which the transfer of one or more phosphate groups by a kinase to a residue in a different protein molecule transmits a signal. [GOC:bf, GOC:mtg_signal]' - }, - 'GO:0023017': { - 'name': 'obsolete signal transmission via diffusible molecule', - 'def': 'OBSOLETE. The process in which a signal is conveyed via a diffusible molecule. [GOC:mtg_signal]' - }, - 'GO:0023018': { - 'name': 'obsolete T cell activation of signal transmission via diffusible molecule', - 'def': 'OBSOLETE. The process in which signal transmission via a diffusible molecule is initiated by a T cell. [GOC:mtg_signal]' - }, - 'GO:0023019': { - 'name': 'signal transduction involved in regulation of gene expression', - 'def': 'Any process that modulates the frequency, rate or extent of gene expression as a consequence of a process in which a signal is released and/or conveyed from one location to another. [GOC:mtg_signal]' - }, - 'GO:0023020': { - 'name': 'obsolete regulation of gene expression as a consequence of T cell signal transmission', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of gene expression as a consequence of a process in which a T cell signal is released and/or conveyed from one location to another. [GOC:mtg_signal]' - }, - 'GO:0023021': { - 'name': 'termination of signal transduction', - 'def': 'The signaling process in which signal transduction is brought to an end rather than being reversibly modulated. [GOC:mtg_signal]' - }, - 'GO:0023022': { - 'name': 'termination of T cell signal transduction', - 'def': 'The signaling process in which T cell signal transduction is brought to an end rather than being reversibly modulated. [GOC:mtg_signal]' - }, - 'GO:0023023': { - 'name': 'MHC protein complex binding', - 'def': 'Interacting selectively and non-covalently with the major histocompatibility complex. [GOC:mtg_signal, GOC:vw]' - }, - 'GO:0023024': { - 'name': 'MHC class I protein complex binding', - 'def': 'Interacting selectively and non-covalently with the class I major histocompatibility complex. [GOC:mtg_signal, GOC:vw]' - }, - 'GO:0023025': { - 'name': 'MHC class Ib protein complex binding', - 'def': 'Interacting selectively and non-covalently with the class Ib major histocompatibility complex. [GOC:mtg_signal, GOC:vw]' - }, - 'GO:0023026': { - 'name': 'MHC class II protein complex binding', - 'def': 'Interacting selectively and non-covalently with the class II major histocompatibility complex. [GOC:mtg_signal, GOC:vw]' - }, - 'GO:0023027': { - 'name': 'MHC class I protein binding, via antigen binding groove', - 'def': 'Interacting selectively and non-covalently with major histocompatibility complex class I molecules via the antigen binding groove. [GOC:mtg_signal, GOC:vw]' - }, - 'GO:0023028': { - 'name': 'MHC class I protein binding, via lateral surface', - 'def': 'Interacting selectively and non-covalently with major histocompatibility complex class I molecules via the lateral surface. [GOC:mtg_signal, GOC:vw]' - }, - 'GO:0023029': { - 'name': 'MHC class Ib protein binding', - 'def': 'Interacting selectively and non-covalently with major histocompatibility complex class Ib molecules. [GOC:mtg_signal, GOC:vw]' - }, - 'GO:0023030': { - 'name': 'MHC class Ib protein binding, via antigen binding groove', - 'def': 'Interacting selectively and non-covalently with major histocompatibility complex class Ib molecules via the antigen binding groove. [GOC:mtg_signal, GOC:vw]' - }, - 'GO:0023031': { - 'name': 'MHC class Ib protein binding, via lateral surface', - 'def': 'Interacting selectively and non-covalently with major histocompatibility complex class Ib molecules via the lateral surface. [GOC:mtg_signal, GOC:vw]' - }, - 'GO:0023035': { - 'name': 'CD40 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the cell surface receptor CD40 to one of its physiological ligands, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mtg_signal, GOC:signaling, PMID:11348017]' - }, - 'GO:0023036': { - 'name': 'obsolete initiation of signal transduction', - 'def': 'OBSOLETE. The process in which a signal causes activation of a receptor, for example, via a conformation change. [GOC:mtg_signal]' - }, - 'GO:0023037': { - 'name': 'obsolete signal initiation by light', - 'def': 'OBSOLETE. The process in which a light signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023038': { - 'name': 'obsolete signal initiation by diffusible mediator', - 'def': 'OBSOLETE. The process in which a diffusible signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023039': { - 'name': 'obsolete signal initiation by physical damage', - 'def': 'OBSOLETE. The process in which a physical damage signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023040': { - 'name': 'obsolete signaling via ionic flux', - 'def': 'OBSOLETE. The process in which information is sent from one location to another, within a living organism or between living organisms, via ionic flux. [GOC:mtg_signal]' - }, - 'GO:0023041': { - 'name': 'neuronal signal transduction', - 'def': 'The process in which an activated neuronal cell receptor conveys information down a signaling pathway, resulting in a change in the function or state of a cell. This process may be intracellular or intercellular. [GOC:mtg_signal]' - }, - 'GO:0023042': { - 'name': 'obsolete signaling via protein/peptide mediator', - 'def': 'OBSOLETE. The process in which information is sent from one location to another, within a living organism or between living organisms, via a protein/peptide mediator. [GOC:mtg_signal]' - }, - 'GO:0023043': { - 'name': 'obsolete signaling via lipid mediator', - 'def': 'OBSOLETE. The process in which information is sent from one location to another, within a living organism or between living organisms, via a lipid mediator. [GOC:mtg_signal]' - }, - 'GO:0023044': { - 'name': 'obsolete signaling via chemical mediator', - 'def': 'OBSOLETE. The process in which information is sent from one location to another, within a living organism or between living organisms, via a chemical mediator. [GOC:mtg_signal]' - }, - 'GO:0023045': { - 'name': 'signal transduction by conformational transition', - 'def': 'A process where induction of a conformational change in a molecule transmits a signal to that molecule. [GOC:bf, GOC:mtg_signal]' - }, - 'GO:0023047': { - 'name': 'obsolete signal initiation by chemical mediator', - 'def': 'OBSOLETE. The process in which a chemical signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023048': { - 'name': 'obsolete signal initiation by lipid mediator', - 'def': 'OBSOLETE. The process in which a lipid signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023049': { - 'name': 'obsolete signal initiation by protein/peptide mediator', - 'def': 'OBSOLETE. The process in which a protein/peptide signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023050': { - 'name': 'obsolete consequence of signal transmission', - 'def': 'OBSOLETE. The steps whereby the downstream processes started by a signal are brought to a conclusion. Examples include destruction of cAMP by PDE, or endocytosis resulting from receptor phosphorylation. The termination process ends when the receptor has returned to its inactive state. [GOC:mtg_signal]' - }, - 'GO:0023051': { - 'name': 'regulation of signaling', - 'def': 'Any process that modulates the frequency, rate or extent of a signaling process. [GOC:mtg_signal]' - }, - 'GO:0023052': { - 'name': 'signaling', - 'def': 'The entirety of a process in which information is transmitted within a biological system. This process begins with an active signal and ends when a cellular response has been triggered. [GOC:mtg_signal, GOC:mtg_signaling_feb11, GOC:signaling]' - }, - 'GO:0023053': { - 'name': 'obsolete signal initiation by mechanical effect', - 'def': 'OBSOLETE. The process in which a mechanical signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023054': { - 'name': 'obsolete signal initiation by stretch effect', - 'def': 'OBSOLETE. The process in which a stretch signal causes activation of a receptor. [GOC:mtg_signal]' - }, - 'GO:0023055': { - 'name': 'obsolete signal initiation by peptide hormone', - 'def': 'OBSOLETE. The process in which a signal is initiated by a peptide hormone. [GOC:mtg_signal]' - }, - 'GO:0023056': { - 'name': 'positive regulation of signaling', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of a signaling process. [GOC:mtg_signal]' - }, - 'GO:0023057': { - 'name': 'negative regulation of signaling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a signaling process. [GOC:mtg_signal]' - }, - 'GO:0023058': { - 'name': 'adaptation of signaling pathway', - 'def': 'The regulation of a signal transduction pathway in response to a stimulus upon prolonged exposure to that stimulus. [GOC:mtg_signal]' - }, - 'GO:0023059': { - 'name': 'positive adaptation of signaling pathway', - 'def': 'The positive regulation of a signal transduction pathway in response to a stimulus upon prolonged exposure to that stimulus. [GOC:mtg_signal]' - }, - 'GO:0023060': { - 'name': 'obsolete signal transmission', - 'def': 'OBSOLETE. The process in which a signal is released and/or conveyed from one location to another. [GOC:mtg_signal]' - }, - 'GO:0023061': { - 'name': 'signal release', - 'def': 'The process in which a signal is secreted or discharged into the extracellular medium from a cellular source. [GOC:mtg_signal]' - }, - 'GO:0023062': { - 'name': 'obsolete signal transmission via transcytosis', - 'def': 'OBSOLETE. The process in which a signal is conveyed via transcytosis. Transcytosis is the directed movement of endocytosed material through the cell and its exocytosis from the plasma membrane at the opposite side. [GOC:mtg_signal, ISBN:0716731363]' - }, - 'GO:0023065': { - 'name': 'obsolete signal transmission via blood', - 'def': 'OBSOLETE. The process in which a signal is conveyed via blood. [GOC:mtg_signal]' - }, - 'GO:0023066': { - 'name': 'obsolete signal transmission via vascular system', - 'def': 'OBSOLETE. The process in which a signal is conveyed via the vascular system. [GOC:mtg_signal]' - }, - 'GO:0023067': { - 'name': 'obsolete signal transmission via lymphatic system', - 'def': 'OBSOLETE. The process in which a signal is conveyed via the lymphatic system. [GOC:mtg_signal]' - }, - 'GO:0023068': { - 'name': 'obsolete signal transmission via phloem', - 'def': 'OBSOLETE. The process in which a signal is conveyed via the phloem. [GOC:mtg_signal]' - }, - 'GO:0023069': { - 'name': 'obsolete signal transmission via xylem', - 'def': 'OBSOLETE. The process in which a signal is conveyed via the xylem. [GOC:mtg_signal]' - }, - 'GO:0023070': { - 'name': 'obsolete signal transmission via air', - 'def': 'OBSOLETE. The process in which a signal is conveyed via the air. [GOC:mtg_signal]' - }, - 'GO:0030001': { - 'name': 'metal ion transport', - 'def': 'The directed movement of metal ions, any metal ion with an electric charge, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0030002': { - 'name': 'cellular anion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of anions at the level of a cell. [GOC:ceb, GOC:mah]' - }, - 'GO:0030003': { - 'name': 'cellular cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of cations at the level of a cell. [GOC:ceb, GOC:mah]' - }, - 'GO:0030004': { - 'name': 'cellular monovalent inorganic cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of monovalent inorganic cations at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0030005': { - 'name': 'obsolete cellular di-, tri-valent inorganic cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of divalent or trivalent cations at the level of a cell. [GOC:ceb, GOC:mah]' - }, - 'GO:0030006': { - 'name': 'obsolete heavy cellular metal ion homeostasis', - 'def': 'OBSOLETE. Regulation of the levels, transport, and metabolism of ions of a heavy metal, a metal that can form a coordination bond with a protein, as opposed to an alkali or alkaline-earth metal that can only form an ionic bond; this definition includes the following biologically relevant heavy metals: Cd, Co, Cu, Fe, Hg, Mn, Mo, Ni, V, W, Zn. [GOC:kd, GOC:mah]' - }, - 'GO:0030007': { - 'name': 'cellular potassium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of potassium ions at the level of a cell. [GOC:mah]' - }, - 'GO:0030008': { - 'name': 'TRAPP complex', - 'def': 'A large complex that acts as a tethering factor involved in transporting vesicles from the ER through the Golgi to the plasma membrane. A TRAPP (transport protein particle) complex has a core set of proteins which are joined by specific subunits depending on the cellular component where a given TRAPP complex is active. [GOC:bhm, GOC:vw, PMID:22669257]' - }, - 'GO:0030009': { - 'name': 'obsolete complement factor H activity', - 'def': 'OBSOLETE. A cofactor for the serine protease complement factor I. [ISBN:0198547684]' - }, - 'GO:0030010': { - 'name': 'establishment of cell polarity', - 'def': 'The specification and formation of anisotropic intracellular organization or cell growth patterns. [GOC:mah]' - }, - 'GO:0030011': { - 'name': 'maintenance of cell polarity', - 'def': 'The maintenance of established anisotropic intracellular organization or cell growth patterns. [GOC:mah]' - }, - 'GO:0030014': { - 'name': 'CCR4-NOT complex', - 'def': 'The evolutionarily conserved CCR4-NOT complex is involved in several aspects of mRNA metabolism, including repression and activation of mRNA initiation, control of mRNA elongation, and the deadenylation and subsequent degradation of mRNA. In Saccharomyces the CCR4-NOT complex comprises a core complex of 9 proteins (Ccr4p, Caf1p, Caf40p, Caf130p, Not1p, Not2p, Not3p, Not4p, and Not5p), Caf4p, Caf16p, and several less well characterized proteins. [GOC:sart, PMID:11113136]' - }, - 'GO:0030015': { - 'name': 'CCR4-NOT core complex', - 'def': 'The core of the CCR4-NOT complex. In Saccharomyces the CCR4-NOT core complex comprises Ccr4p, Caf1p, Caf40p, Caf130p, Not1p, Not2p, Not3p, Not4p, and Not5p. [GOC:sart, PMID:11113136]' - }, - 'GO:0030016': { - 'name': 'myofibril', - 'def': 'The contractile element of skeletal and cardiac muscle; a long, highly organized bundle of actin, myosin, and other proteins that contracts by a sliding filament mechanism. [ISBN:0815316194]' - }, - 'GO:0030017': { - 'name': 'sarcomere', - 'def': 'The repeating unit of a myofibril in a muscle cell, composed of an array of overlapping thick and thin filaments between two adjacent Z discs. [ISBN:0815316194]' - }, - 'GO:0030018': { - 'name': 'Z disc', - 'def': 'Platelike region of a muscle sarcomere to which the plus ends of actin filaments are attached. [GOC:mtg_muscle, ISBN:0815316194]' - }, - 'GO:0030019': { - 'name': 'obsolete tryptase activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage of Arg-Xaa, Lys-Xaa, but with more restricted specificity than trypsin. [EC:3.4.21.59]' - }, - 'GO:0030020': { - 'name': 'extracellular matrix structural constituent conferring tensile strength', - 'def': 'A constituent of the extracellular matrix that enables the matrix to resist longitudinal stress. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030021': { - 'name': 'extracellular matrix structural constituent conferring compression resistance', - 'def': 'A constituent of the extracellular matrix that enables the matrix to resist compressive forces; often a proteoglycan. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030022': { - 'name': 'obsolete adhesive extracellular matrix constituent', - 'def': 'OBSOLETE. A constituent of the extracellular matrix that facilitates attachment of cells to the matrix. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030023': { - 'name': 'extracellular matrix constituent conferring elasticity', - 'def': 'A component of the extracellular matrix that enables the matrix to recoil after transient stretching. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030026': { - 'name': 'cellular manganese ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of manganese ions at the level of a cell. [GOC:mah]' - }, - 'GO:0030027': { - 'name': 'lamellipodium', - 'def': 'A thin sheetlike process extended by the leading edge of a migrating cell or extending cell process; contains a dense meshwork of actin filaments. [ISBN:0815316194]' - }, - 'GO:0030029': { - 'name': 'actin filament-based process', - 'def': 'Any cellular process that depends upon or alters the actin cytoskeleton, that part of the cytoskeleton comprising actin filaments and their associated proteins. [GOC:mah]' - }, - 'GO:0030030': { - 'name': 'cell projection organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a prolongation or process extending from a cell, e.g. a flagellum or axon. [GOC:jl, GOC:mah, http://www.cogsci.princeton.edu/~wn/]' - }, - 'GO:0030031': { - 'name': 'cell projection assembly', - 'def': 'Formation of a prolongation or process extending from a cell, e.g. a flagellum or axon. [GOC:jl, GOC:mah, http://www.cogsci.princeton.edu/~wn/]' - }, - 'GO:0030032': { - 'name': 'lamellipodium assembly', - 'def': 'Formation of a lamellipodium, a thin sheetlike extension of the surface of a migrating cell. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030033': { - 'name': 'microvillus assembly', - 'def': 'Formation of a microvillus, a thin cylindrical membrane-covered projection on the surface of a cell. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030034': { - 'name': 'microvillar actin bundle assembly', - 'def': 'Assembly of the parallel bundle of actin filaments at the core of a microvillus. [GOC:mah]' - }, - 'GO:0030035': { - 'name': 'microspike assembly', - 'def': 'Formation of a microspike, a dynamic, actin-rich projection extending from the surface of a migrating animal cell. [ISBN:0815316194, PMID:11429692, PMID:12153987, PMID:19095735]' - }, - 'GO:0030036': { - 'name': 'actin cytoskeleton organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising actin filaments and their associated proteins. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0030037': { - 'name': 'actin filament reorganization involved in cell cycle', - 'def': 'The cell cycle process in which rearrangement of the spatial distribution of actin filaments and associated proteins occurs. [GOC:mah]' - }, - 'GO:0030038': { - 'name': 'contractile actin filament bundle assembly', - 'def': 'Assembly of actin filament bundles in which the filaments are loosely packed (approximately 30-60 nm apart) and arranged with opposing polarities; the loose packing allows myosin (usually myosin-II) to enter the bundle. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030039': { - 'name': 'obsolete DNA unwinding factor', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0030041': { - 'name': 'actin filament polymerization', - 'def': 'Assembly of actin filaments by the addition of actin monomers to a filament. [GOC:mah]' - }, - 'GO:0030042': { - 'name': 'actin filament depolymerization', - 'def': 'Disassembly of actin filaments by the removal of actin monomers from a filament. [GOC:mah]' - }, - 'GO:0030043': { - 'name': 'actin filament fragmentation', - 'def': 'The severing of actin filaments into numerous short fragments, usually mediated by actin severing proteins. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030046': { - 'name': 'parallel actin filament bundle assembly', - 'def': 'Assembly of actin filament bundles in which the filaments are tightly packed (approximately 10-20 nm apart) and oriented with the same polarity. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030047': { - 'name': 'actin modification', - 'def': 'Covalent modification of an actin molecule. [GOC:mah]' - }, - 'GO:0030048': { - 'name': 'actin filament-based movement', - 'def': 'Movement of organelles or other particles along actin filaments, or sliding of actin filaments past each other, mediated by motor proteins. [GOC:BHF, GOC:mah]' - }, - 'GO:0030049': { - 'name': 'muscle filament sliding', - 'def': 'The sliding of actin thin filaments and myosin thick filaments past each other in muscle contraction. This involves a process of interaction of myosin located on a thick filament with actin located on a thin filament. During this process ATP is split and forces are generated. [GOC:mah, GOC:mtg_muscle, ISBN:0815316194]' - }, - 'GO:0030050': { - 'name': 'vesicle transport along actin filament', - 'def': 'Movement of a vesicle along an actin filament, mediated by motor proteins. [GOC:mah]' - }, - 'GO:0030051': { - 'name': 'obsolete FK506-sensitive peptidyl-prolyl cis-trans isomerase', - 'def': 'OBSOLETE. Interacts selectively with the immunosuppressant FK506, and possesses peptidyl-prolyl isomerase activity (catalysis of the reaction: peptidoproline (omega=180) = peptidylproline (omega=0)). [EC:5.2.1.8, ISBN:0198596732]' - }, - 'GO:0030052': { - 'name': 'obsolete parvulin', - 'def': 'OBSOLETE. A peptidyl-prolyl isomerase isolated from Escherichia coli. It does not have any function as an immunophilin. [ISBN:0198506732]' - }, - 'GO:0030053': { - 'name': 'obsolete immunophilin', - 'def': 'OBSOLETE. Any member of a family of receptors that includes the major FK506 binding protein FKBP and cyclophilin. These two proteins are unrelated in amino-acid sequence, but both possess peptidyl-prolyl isomerase activity which is blocked by immunosuppressants that block signal-transduction pathways leading to T cell activation such as FK506 and rapamycin, which block FKBP, or cyclosporin A, which blocks cyclophilin. [ISBN:0198506732]' - }, - 'GO:0030054': { - 'name': 'cell junction', - 'def': 'A cellular component that forms a specialized region of connection between two or more cells or between a cell and the extracellular matrix. At a cell junction, anchoring proteins extend through the plasma membrane to link cytoskeletal proteins in one cell to cytoskeletal proteins in neighboring cells or to proteins in the extracellular matrix. [GOC:mah, http://www.vivo.colostate.edu/hbooks/cmb/cells/pmemb/junctions_a.html, ISBN:0198506732]' - }, - 'GO:0030055': { - 'name': 'cell-substrate junction', - 'def': 'A cell junction that forms a connection between a cell and the extracellular matrix. [GOC:hb, GOC:mah]' - }, - 'GO:0030056': { - 'name': 'hemidesmosome', - 'def': 'A cell-substrate junction (attachment structure) found in epithelial cells that links intermediate filaments to extracellular matrices via transmembrane complexes. In vertebrates, hemidesmosomes mediate contact between the basal side of epithelial cells and the basal lamina. In C. elegans, hemidesmosomes connect epithelial cells to distinct extracellular matrices on both the apical and basal cell surfaces. [GOC:kmv, ISBN:0815316208, PMID:20205195]' - }, - 'GO:0030057': { - 'name': 'desmosome', - 'def': 'A cell-cell junction in which: on the cytoplasmic surface of each interacting plasma membrane is a dense plaque composed of a mixture of intracellular anchor proteins; a bundle of keratin intermediate filaments is attached to the surface of each plaque; transmembrane adhesion proteins of the cadherin family bind to the plaques and interact through their extracellular domains to hold the adjacent membranes together by a Ca2+-dependent mechanism. [GOC:mah, GOC:mtg_muscle, ISBN:0815332181]' - }, - 'GO:0030058': { - 'name': 'amine dehydrogenase activity', - 'def': 'Catalysis of the reaction: R-CH2-NH2 + H2O + acceptor = R-CHO + NH3 + reduced acceptor. [EC:1.4.99.3]' - }, - 'GO:0030059': { - 'name': 'aralkylamine dehydrogenase (azurin) activity', - 'def': 'Catalysis of the reaction: H(2)O + arCH(2)NH(2) + 2 azurin = 2 reduced azurin + ArCHO + NH(3). The symbol arCH(2)NH(2) represents an aralkylamine and ArCHO is an aryl aldehyde. [EC:1.4.9.2]' - }, - 'GO:0030060': { - 'name': 'L-malate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-malate + NAD+ = oxaloacetate + NADH + H+. [EC:1.1.1.37]' - }, - 'GO:0030061': { - 'name': 'mitochondrial crista', - 'def': 'Any of the inward folds of the mitochondrial inner membrane. Their number, extent, and shape differ in mitochondria from different tissues and organisms. They appear to be devices for increasing the surface area of the mitochondrial inner membrane, where the enzymes of electron transport and oxidative phosphorylation are found. Their shape can vary with the respiratory state of the mitochondria. [ISBN:0198506732]' - }, - 'GO:0030062': { - 'name': 'mitochondrial tricarboxylic acid cycle enzyme complex', - 'def': 'Any of the heteromeric enzymes, located in the mitochondrion, that act in the tricarboxylic acid (TCA) cycle. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0030063': { - 'name': 'obsolete murein sacculus', - 'def': 'OBSOLETE. A structure formed of the cross-linked polymer peptidoglycan (also called murein) that forms a covalently closed net around a bacterial cell, and imparts structural stability to the bacterial cell wall. [GOC:mah, PMID:9529891]' - }, - 'GO:0030064': { - 'name': 'obsolete cell wall inner membrane', - 'def': 'OBSOLETE. The peptidoglycan layer of the cell wall of Gram-negative bacteria. [ISBN:0135712254]' - }, - 'GO:0030066': { - 'name': 'obsolete cytochrome b6', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0030067': { - 'name': 'obsolete respiratory chain cytochrome b6', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0030068': { - 'name': 'obsolete lytic viral life cycle', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0030070': { - 'name': 'insulin processing', - 'def': 'The formation of mature insulin by proteolysis of the precursor preproinsulin. The signal sequence is first cleaved from preproinsulin to form proinsulin; proinsulin is then cleaved to release the C peptide, leaving the A and B chains of mature insulin linked by disulfide bridges. [ISBN:0198506732]' - }, - 'GO:0030071': { - 'name': 'regulation of mitotic metaphase/anaphase transition', - 'def': 'Any process that modulates the frequency, rate or extent of the cell cycle process in which a cell progresses from metaphase to anaphase during mitosis, triggered by the activation of the anaphase promoting complex by Cdc20/Sleepy homolog which results in the degradation of Securin. [GOC:mah]' - }, - 'GO:0030072': { - 'name': 'peptide hormone secretion', - 'def': 'The regulated release of a peptide hormone from a cell. [GOC:mah]' - }, - 'GO:0030073': { - 'name': 'insulin secretion', - 'def': 'The regulated release of proinsulin from secretory granules (B granules) in the B cells of the pancreas; accompanied by cleavage of proinsulin to form mature insulin. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030074': { - 'name': 'obsolete thylakoid (sensu Proteobacteria)', - 'def': 'OBSOLETE. A thylakoid; as in, but not restricted to, the purple bacteria and relatives (Proteobacteria, ncbi_taxonomy_id:1224). [GOC:mah]' - }, - 'GO:0030075': { - 'name': 'bacterial thylakoid', - 'def': 'A thylakoid that is derived from and attached to, but not necessarily continuous with, the plasma membrane, and is not enclosed in a plastid. It bears the photosynthetic pigments in photosynthetic cyanobacteria. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0030076': { - 'name': 'light-harvesting complex', - 'def': 'A protein-pigment complex that may be closely or peripherally associated to photosynthetic reaction centers that participate in harvesting and transferring radiant energy to the reaction center. [GOC:lr]' - }, - 'GO:0030077': { - 'name': 'plasma membrane light-harvesting complex', - 'def': 'A plasma membrane protein-pigment complex that may be closely or peripherally associated to photosynthetic reaction centers that participate in harvesting and transferring radiant energy to the reaction center. Examples of this complex are found in bacterial species. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0030078': { - 'name': 'light-harvesting complex, core complex', - 'def': 'Light harvesting complex associated with the reaction complex of photosynthetic purple bacteria. [GOC:lr]' - }, - 'GO:0030079': { - 'name': 'light-harvesting complex, peripheral complex', - 'def': 'Bacteriochlorophyll a binding complex that is peripherally associated to the bacterial reaction center. [GOC:lr]' - }, - 'GO:0030080': { - 'name': 'B875 antenna complex', - 'def': 'Protein complex that surrounds and transfers excitation energy directly to the bacterial reaction center; binds bacteriochlorophyll a and has a single absorption band between 870 and 890 nm. [GOC:kd]' - }, - 'GO:0030081': { - 'name': 'B800-820 antenna complex', - 'def': 'Protein-pigment complex that absorbs light at 800 and 820 nm; is peripherally associated to the bacterial reaction center; transfers excitation energy to the B875 antenna complex. [GOC:kd, GOC:lr]' - }, - 'GO:0030082': { - 'name': 'B800-850 antenna complex', - 'def': 'Protein-pigment complex that absorbs light at 800 and 850 nm; is peripherally associated to the bacterial reaction center; transfers excitation energy to the B875 antenna complex. [GOC:kd, GOC:lr]' - }, - 'GO:0030083': { - 'name': 'PSI associated light-harvesting complex I, LHCIa subcomplex', - 'def': 'A pigment protein complex that forms part of the photosystem I associated light-harvesting complex I; contains two proteins (usually about 24 and 21.5 kDa); has a fluorescence maximum between 680 and 690 nm. [PMID:8825475]' - }, - 'GO:0030084': { - 'name': 'PSI associated light-harvesting complex I, LHCIb subcomplex', - 'def': 'A pigment protein complex that forms part of the photosystem I associated light-harvesting complex I; contains two proteins (usually about 20 kDa); has a fluorescence maximum of 730 nm. [PMID:8825475]' - }, - 'GO:0030085': { - 'name': 'PSII associated light-harvesting complex II, peripheral complex, LHCIIb subcomplex', - 'def': 'A pigment protein complex that forms part of the photosystem II associated light-harvesting complex II; contains two proteins (usually about 28 and 27 kDa), and may contain a third; peripherally located relative to other LHC polypeptides. [PMID:8825475]' - }, - 'GO:0030086': { - 'name': 'obsolete PSII associated light-harvesting complex II, core complex, LHCIIa subcomplex', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0030087': { - 'name': 'obsolete PSII associated light-harvesting complex II, core complex, LHCIIc subcomplex', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0030088': { - 'name': 'obsolete PSII associated light-harvesting complex II, core complex, LHCIId subcomplex', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0030089': { - 'name': 'phycobilisome', - 'def': 'Any of the granules, approximately 32 nm x 48 nm and consisting of highly aggregated phycobiliproteins, that are attached in arrays to the external face of a thylakoid membrane in algae of the phyla Cyanophyta and Rhodophyta, where they function as light-harvesting devices in photosynthesis. Excitation energy in the phycobilisome flows in the sequence: phycoerythrin, phycocyanin, allophycocyanin before passing to the antenna chlorophyll of photosystem II. [GOC:jl, PMID:11734882, Wikipedia:Phycobilisome]' - }, - 'GO:0030091': { - 'name': 'protein repair', - 'def': 'The process of restoring a protein to its original state after damage by such things as oxidation or spontaneous decomposition of residues. [GOC:mlg]' - }, - 'GO:0030092': { - 'name': 'obsolete regulation of flagellum assembly', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of the formation of a flagellum. [GOC:go_curators]' - }, - 'GO:0030093': { - 'name': 'chloroplast photosystem I', - 'def': 'Photosystem located in the chloroplast that functions as a light-dependent plastocyanin-ferredoxin oxidoreductase, transferring electrons from plastocyanin to ferredoxin. An example of this is found in Arabidopsis thaliana. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0030094': { - 'name': 'plasma membrane-derived photosystem I', - 'def': 'A protein complex located in the plasma membrane-derived thylakoid. The photosystem functions as a light-dependent plastocyanin-ferredoxin oxidoreductase, transferring electrons from plastocyanin to ferredoxin. Examples of this complex are found in bacterial species. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0030095': { - 'name': 'chloroplast photosystem II', - 'def': 'An integral chloroplast membrane complex containing the P680 reaction center. In the light, PSII functions as a water-plastoquinone oxidoreductase, transferring electrons from water to plastoquinone. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0030096': { - 'name': 'plasma membrane-derived thylakoid photosystem II', - 'def': 'A protein complex, located in the membrane-derived thylakoid, containing the P680 reaction center. In the light, PSII functions as a water-plastoquinone oxidoreductase, transferring electrons from water to plastoquinone. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0030097': { - 'name': 'hemopoiesis', - 'def': 'The process whose specific outcome is the progression of the myeloid and lymphoid derived organ/tissue systems of the blood and other parts of the body over time, from formation to the mature structure. The site of hemopoiesis is variable during development, but occurs primarily in bone marrow or kidney in many adult vertebrates. [GOC:dgh, ISBN:0198506732]' - }, - 'GO:0030098': { - 'name': 'lymphocyte differentiation', - 'def': 'The process in which a relatively unspecialized precursor cell acquires specialized features of a lymphocyte. A lymphocyte is a leukocyte commonly found in the blood and lymph that has the characteristics of a large nucleus, a neutral staining cytoplasm, and prominent heterochromatin. [CL:0000542, GOC:go_curators]' - }, - 'GO:0030099': { - 'name': 'myeloid cell differentiation', - 'def': 'The process in which a relatively unspecialized myeloid precursor cell acquires the specialized features of any cell of the myeloid leukocyte, megakaryocyte, thrombocyte, or erythrocyte lineages. [GOC:add, ISBN:0781735149]' - }, - 'GO:0030100': { - 'name': 'regulation of endocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of endocytosis. [GOC:go_curators]' - }, - 'GO:0030101': { - 'name': 'natural killer cell activation', - 'def': 'The change in morphology and behavior of a natural killer cell in response to a cytokine, chemokine, cellular ligand, or soluble factor. [GOC:mgi_curators, ISBN:0781735140]' - }, - 'GO:0030103': { - 'name': 'vasopressin secretion', - 'def': 'The regulated release of vasopressin from secretory granules into the blood. [GOC:mah]' - }, - 'GO:0030104': { - 'name': 'water homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of water within an organism or cell. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0030105': { - 'name': 'obsolete anaphylaxis', - 'def': 'OBSOLETE. Extreme immunological sensitivity of the body or tissues to the reintroduction of an antigen. It is a form of anamnestic reaction and is accompanied by pathological changes in tissues or organs due to the release of pharmacologically active substances. [ISBN:0198506732]' - }, - 'GO:0030106': { - 'name': 'obsolete MHC class I receptor activity', - 'def': 'OBSOLETE. A major histocompatibility complex class I receptor. These display processed antigens from the endocytosed bacteria. MHC class I proteins can form complexes with processed antigen peptides only if the antigen is synthesized in the same cell. As a consequence, T lymphocytes can only bind to class-I-positive cells that are synthesizing the antigen (e.g. virus-infected cells). [ISBN:081533642X, ISBN:0879694971]' - }, - 'GO:0030107': { - 'name': 'HLA-A specific inhibitory MHC class I receptor activity', - 'def': 'Combining with a MHC class I molecule of the HLA-A subclass to mediate signaling that inhibits activation of a lymphocyte. [GOC:add, GOC:mah, PMID:11929129, PMID:9368779]' - }, - 'GO:0030108': { - 'name': 'HLA-A specific activating MHC class I receptor activity', - 'def': 'Combining with a MHC class I molecule of the HLA-A subclass to mediate signaling that activates a lymphocyte. [GOC:add, GOC:mah, PMID:11929129, PMID:9368779]' - }, - 'GO:0030109': { - 'name': 'HLA-B specific inhibitory MHC class I receptor activity', - 'def': 'Combining with a MHC class I molecule of the HLA-B subclass to mediate signaling that inhibits activation of a lymphocyte. [GOC:add, GOC:mah, PMID:11929129, PMID:9368779]' - }, - 'GO:0030110': { - 'name': 'HLA-C specific inhibitory MHC class I receptor activity', - 'def': 'Combining with a MHC class I molecule of the HLA-C subclass to mediate signaling that inhibits activation of a lymphocyte. [GOC:add, GOC:mah, PMID:11929129, PMID:9368779]' - }, - 'GO:0030111': { - 'name': 'regulation of Wnt signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the activity of the Wnt signal transduction pathway. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0030112': { - 'name': 'glycocalyx', - 'def': 'A viscous, carbohydrate rich layer at the outermost periphery of a cell. [GOC:mlg, ISBN:0815316208]' - }, - 'GO:0030114': { - 'name': 'slime layer', - 'def': 'A slime layer is an easily removed, diffuse, unorganized layer of extracellular material that surrounds a cell. Specifically this consists mostly of exopolysaccharides, glycoproteins, and glycolipids. [GOC:mlg, Wikipedia:Slime_layer]' - }, - 'GO:0030115': { - 'name': 'S-layer', - 'def': 'A crystalline protein layer surrounding some bacteria. [GOC:mlg, ISBN:0815108893]' - }, - 'GO:0030116': { - 'name': 'glial cell-derived neurotrophic factor receptor binding', - 'def': 'A growth factor that binds selectively and non-covalently to glial cell-derived neurotrophic factor receptors. [GOC:vw, PMID:11476867]' - }, - 'GO:0030117': { - 'name': 'membrane coat', - 'def': 'Any of several different proteinaceous coats that can associate with membranes. Membrane coats include those formed by clathrin plus an adaptor complex, the COPI and COPII complexes, and possibly others. They are found associated with membranes on many vesicles as well as other membrane features such as pits and perhaps tubules. [GOC:mah]' - }, - 'GO:0030118': { - 'name': 'clathrin coat', - 'def': 'A membrane coat found on coated pits and some coated vesicles; consists of polymerized clathrin triskelions, each comprising three clathrin heavy chains and three clathrin light chains, linked to the membrane via one of the AP adaptor complexes. [GOC:mah, PMID:11252894, PMID:9531549]' - }, - 'GO:0030119': { - 'name': 'AP-type membrane coat adaptor complex', - 'def': 'Any of several heterotetrameric complexes that link clathrin (or another coat-forming molecule, as hypothesized for AP-3 and AP-4) to a membrane surface; they are found on coated pits and coated vesicles, and mediate sorting of cargo proteins into vesicles. Each AP complex contains two large (a beta and one of either an alpha, gamma, delta, or epsilon) subunits (110-130 kDa), a medium (mu) subunit (approximately 50 kDa), and a small (sigma) subunit (15-20 kDa). [GOC:mah, PMID:10611976, PMID:15473838]' - }, - 'GO:0030120': { - 'name': 'vesicle coat', - 'def': 'A membrane coat found on a coated vesicle. [GOC:mah]' - }, - 'GO:0030121': { - 'name': 'AP-1 adaptor complex', - 'def': 'A heterotetrameric AP-type membrane coat adaptor complex that consists of beta1, gamma, mu1 and sigma1 subunits and links clathrin to the membrane surface of a vesicle; vesicles with AP-1-containing coats are normally found primarily in the trans-Golgi network. In at least humans, the AP-1 complex can be heterogeneric due to the existence of multiple subunit isoforms encoded by different genes (gamma1 and gamma2, mu1A and mu1B, and sigma1A, sigma1B and sigma1C). [GOC:mah, PMID:10611976, PMID:21097499]' - }, - 'GO:0030122': { - 'name': 'AP-2 adaptor complex', - 'def': 'A heterotetrameric AP-type membrane coat adaptor complex that consists of alpha, beta2, mu2 and sigma2 subunits, and links clathrin to the membrane surface of a vesicle, and the cargo receptors during receptor/clathrin mediated endocytosis. Vesicles with AP-2-containing coats are normally found primarily near the plasma membrane, on endocytic vesicles. In at least humans, the AP-2 complex can be heterogeneric due to the existence of multiple subunit isoforms encoded by different alpha genes (alphaA and alphaC). [GOC:mah, PMID:10611976, PMID:21097499, PMID:22022230, PMID:24322426]' - }, - 'GO:0030123': { - 'name': 'AP-3 adaptor complex', - 'def': 'A heterotetrameric AP-type membrane coat adaptor complex that consists of beta3, delta, mu3 and sigma3 subunits and is found associated with endosomal membranes. AP-3 does not appear to associate with clathrin in all organisms. In at least humans, the AP-3 complex can be heterogeneric due to the existence of multiple subunit isoforms encoded by different genes (beta3A and beta3B, mu3A and mu3B, and sigma3A and sigma3B). [GOC:mah, PMID:10611976, PMID:21097499]' - }, - 'GO:0030124': { - 'name': 'AP-4 adaptor complex', - 'def': 'An AP-type membrane coat adaptor complex that consists of beta4, epsilon, mu4 and sigma4 subunits and is found associated with membranes in the trans-Golgi network; it is not clear whether AP-4 forms clathrin coats in vivo. [GOC:mah, PMID:10611976]' - }, - 'GO:0030125': { - 'name': 'clathrin vesicle coat', - 'def': 'A clathrin coat found on a vesicle. [GOC:mah]' - }, - 'GO:0030126': { - 'name': 'COPI vesicle coat', - 'def': "One of two multimeric complexes that forms a membrane vesicle coat. The mammalian COPI subunits are called alpha-, beta-, beta'-, gamma-, delta-, epsilon- and zeta-COP. Vesicles with COPI coats are found associated with Golgi membranes at steady state. [GOC:mah, PMID:11252894]" - }, - 'GO:0030127': { - 'name': 'COPII vesicle coat', - 'def': 'One of two multimeric complexes that forms a membrane vesicle coat. COPII is best characterized in S. cerevisiae, where the subunits are called Sar1p, Sec13p, Sec31p, Sec23p, and Sec24p. Vesicles with COPII coats are found associated with endoplasmic reticulum (ER) membranes at steady state. [GOC:ascb_2009, GOC:dph, GOC:mah, GOC:tb, PMID:11252894]' - }, - 'GO:0030128': { - 'name': 'clathrin coat of endocytic vesicle', - 'def': 'A clathrin coat found on an endocytic vesicle. [GOC:mah]' - }, - 'GO:0030129': { - 'name': 'clathrin coat of synaptic vesicle', - 'def': 'A clathrin coat found on a synaptic vesicle. [GOC:mah]' - }, - 'GO:0030130': { - 'name': 'clathrin coat of trans-Golgi network vesicle', - 'def': 'A clathrin coat found on a vesicle of the trans-Golgi network. [GOC:mah]' - }, - 'GO:0030131': { - 'name': 'clathrin adaptor complex', - 'def': 'A membrane coat adaptor complex that links clathrin to a membrane. [GOC:mah]' - }, - 'GO:0030132': { - 'name': 'clathrin coat of coated pit', - 'def': 'The coat found on coated pits and the coated vesicles derived from coated pits; comprises clathrin and the AP-2 adaptor complex. [GOC:mah]' - }, - 'GO:0030133': { - 'name': 'transport vesicle', - 'def': 'Any of the vesicles of the constitutive secretory pathway, which carry cargo from the endoplasmic reticulum to the Golgi, between Golgi cisternae, from the Golgi to the ER (retrograde transport) or to destinations within or outside the cell. [GOC:mah, PMID:22160157]' - }, - 'GO:0030134': { - 'name': 'ER to Golgi transport vesicle', - 'def': 'A vesicle that mediates transport from the endoplasmic reticulum to the Golgi complex; bears a coat formed of the COPII coat complex proteins; such vesicles found associated with endoplasmic reticulum (ER) membranes at steady state, and are involved in ER to Golgi (anterograde) vesicle transport. [GOC:ascb_2009, GOC:dph, GOC:mah, GOC:tb, PMID:11252894]' - }, - 'GO:0030135': { - 'name': 'coated vesicle', - 'def': 'Small membrane-bounded organelle formed by pinching off of a coated region of membrane. Some coats are made of clathrin, whereas others are made from other proteins. [ISBN:0815316194]' - }, - 'GO:0030136': { - 'name': 'clathrin-coated vesicle', - 'def': 'A vesicle with a coat formed of clathrin connected to the membrane via one of the clathrin adaptor complexes. [GOC:mah, PMID:11252894]' - }, - 'GO:0030137': { - 'name': 'COPI-coated vesicle', - 'def': 'A vesicle with a coat formed of the COPI coat complex proteins. COPI-coated vesicles are found associated with Golgi membranes at steady state, are involved in Golgi to endoplasmic reticulum (retrograde) vesicle transport, and possibly also in intra-Golgi transport. [GOC:mah, PMID:11252894]' - }, - 'GO:0030139': { - 'name': 'endocytic vesicle', - 'def': 'A membrane-bounded intracellular vesicle formed by invagination of the plasma membrane around an extracellular substance. Endocytic vesicles fuse with early endosomes to deliver the cargo for further sorting. [GOC:go_curators, PMID:19696797]' - }, - 'GO:0030140': { - 'name': 'trans-Golgi network transport vesicle', - 'def': 'A vesicle that mediates transport between the trans-Golgi network and other parts of the cell. [GOC:mah]' - }, - 'GO:0030141': { - 'name': 'secretory granule', - 'def': 'A small subcellular vesicle, surrounded by a membrane, that is formed from the Golgi apparatus and contains a highly concentrated protein destined for secretion. Secretory granules move towards the periphery of the cell and upon stimulation, their membranes fuse with the cell membrane, and their protein load is exteriorized. Processing of the contained protein may take place in secretory granules. [GOC:mah, ISBN:0198596732]' - }, - 'GO:0030142': { - 'name': 'Golgi to ER transport vesicle', - 'def': 'A vesicle that mediates transport from the Golgi to the endoplasmic reticulum. [GOC:mah, PMID:22160157]' - }, - 'GO:0030143': { - 'name': 'inter-Golgi transport vesicle', - 'def': 'A vesicle that mediates transport of cargo within the Golgi complex (for example, between cisternae of the Golgi stack). [GOC:mah]' - }, - 'GO:0030144': { - 'name': 'alpha-1,6-mannosylglycoprotein 6-beta-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + N-acetyl-beta-D-glucosaminyl-1,2-alpha-D-mannosyl-1,3(6)-(N-acetyl-beta-D-glucosaminyl-1,2-alpha-D-mannosyl,1,6(3))-beta-D-mannosyl-1,4-N-acetyl-beta-D-glucosaminyl-R = UDP + N-acetyl-beta-D-glucosaminyl-1,2-(N-acetyl-beta-D-glucosaminyl-1,6)-1,2-alpha-D-mannosyl-1,3(6)-(N-acetyl-beta-D-glucosaminyl-1,2-alpha-D-mannosyl-1,6(3))-beta-D-mannosyl-1,4-N-acetyl-beta-D-glucosaminyl-R. Only branched mannose glycopeptides with non-reducing N-acetylglucosamine terminal residues act as acceptors. [EC:2.4.1.155]' - }, - 'GO:0030145': { - 'name': 'manganese ion binding', - 'def': 'Interacting selectively and non-covalently with manganese (Mn) ions. [GOC:ai]' - }, - 'GO:0030146': { - 'name': 'obsolete diuresis', - 'def': 'OBSOLETE. The process of renal water excretion. [GOC:mah, GOC:mtg_cardio, ISBN:0198506732]' - }, - 'GO:0030147': { - 'name': 'obsolete natriuresis', - 'def': 'OBSOLETE. The process of renal sodium excretion. [GOC:mtg_cardio, ISBN:0198506732]' - }, - 'GO:0030148': { - 'name': 'sphingolipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sphingolipids, any of a class of lipids containing the long-chain amine diol sphingosine or a closely related base (a sphingoid). [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030149': { - 'name': 'sphingolipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sphingolipids, any of a class of lipids containing the long-chain amine diol sphingosine or a closely related base (a sphingoid). [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030150': { - 'name': 'protein import into mitochondrial matrix', - 'def': 'The import of proteins across the outer and inner mitochondrial membranes into the matrix. Unfolded proteins enter the mitochondrial matrix with a chaperone protein; the information required to target the precursor protein from the cytosol to the mitochondrial matrix is contained within its N-terminal matrix-targeting sequence. Translocation of precursors to the matrix occurs at the rare sites where the outer and inner membranes are close together. [ISBN:0716731363]' - }, - 'GO:0030151': { - 'name': 'molybdenum ion binding', - 'def': 'Interacting selectively and non-covalently with molybdenum (Mo) ions. [GOC:ai]' - }, - 'GO:0030152': { - 'name': 'bacteriocin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a bacteriocin, any of a heterogeneous group of polypeptide antibiotics that are secreted by certain bacterial strains and are able to kill cells of other susceptible (frequently related) strains after adsorption at specific receptors on the cell surface. They include the colicins, and their mechanisms of action vary. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030153': { - 'name': 'bacteriocin immunity', - 'def': 'A process that mediates resistance to a bacteriocin: any of a heterogeneous group of polypeptide antibiotics that are secreted by certain bacterial strains and are able to kill cells of other susceptible (frequently related) strains after adsorption at specific receptors on the cell surface. They include the colicins, and their mechanisms of action vary. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030154': { - 'name': 'cell differentiation', - 'def': "The process in which relatively unspecialized cells, e.g. embryonic or regenerative cells, acquire specialized structural and/or functional features that characterize the cells, tissues, or organs of the mature organism or some other relatively stable phase of the organism's life history. Differentiation includes the processes involved in commitment of a cell to a specific fate and its subsequent development to the mature state. [ISBN:0198506732]" - }, - 'GO:0030155': { - 'name': 'regulation of cell adhesion', - 'def': 'Any process that modulates the frequency, rate or extent of attachment of a cell to another cell or to the extracellular matrix. [GOC:mah]' - }, - 'GO:0030156': { - 'name': 'benzodiazepine receptor binding', - 'def': 'Interacting selectively and non-covalently with the peripheral benzodiazepine receptor (PBR). [GOC:ceb, GOC:mah, PMID:9915832]' - }, - 'GO:0030157': { - 'name': 'pancreatic juice secretion', - 'def': 'The regulated release of pancreatic juice by the exocrine pancreas into the upper part of the intestine. Pancreatic juice is slightly alkaline and contains numerous enzymes and inactive enzyme precursors including alpha-amylase, chymotrypsinogen, lipase, procarboxypeptidase, proelastase, prophospholipase A2, ribonuclease, and trypsinogen. Its high concentration of bicarbonate ions helps to neutralize the acid from the stomach. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030158': { - 'name': 'protein xylosyltransferase activity', - 'def': 'Catalysis of the transfer of a beta-D-xylosyl residue from UDP-D-xylose to the serine hydroxyl group of an acceptor protein substrate. [EC:2.4.2.26]' - }, - 'GO:0030159': { - 'name': 'receptor signaling complex scaffold activity', - 'def': 'Functions to provide a physical support for the assembly of a multiprotein receptor signaling complex. [GOC:mah]' - }, - 'GO:0030160': { - 'name': 'GKAP/Homer scaffold activity', - 'def': 'Functions as a physical support bridging the N-methyl-D-aspartate receptor-PSD-95-GKAP complex and the mGluR-Homer complex, which are involved in receptor signaling in synapses. [PMID:10506216]' - }, - 'GO:0030161': { - 'name': 'obsolete calpain inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of the enzyme calpain, which catalyzes of the preferential cleavage of Tyr-Xaa, Met-Xaa or Arg-Xaa with Leu or Val as the P2 residue. [GOC:ai]' - }, - 'GO:0030162': { - 'name': 'regulation of proteolysis', - 'def': 'Any process that modulates the frequency, rate or extent of the hydrolysis of a peptide bond or bonds within a protein. [GOC:mah]' - }, - 'GO:0030163': { - 'name': 'protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein by the destruction of the native, active configuration, with or without the hydrolysis of peptide bonds. [GOC:mah]' - }, - 'GO:0030164': { - 'name': 'protein denaturation', - 'def': 'Structural change in proteins which destroys the native, active configuration without rupture of peptide bonds. [GOC:kd, ISBN:3110145359]' - }, - 'GO:0030165': { - 'name': 'PDZ domain binding', - 'def': 'Interacting selectively and non-covalently with a PDZ domain of a protein, a domain found in diverse signaling proteins. [GOC:go_curators, Pfam:PF00595]' - }, - 'GO:0030166': { - 'name': 'proteoglycan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of proteoglycans, any glycoprotein in which the carbohydrate units are glycosaminoglycans. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030167': { - 'name': 'proteoglycan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of proteoglycans, any glycoprotein in which the carbohydrate units are glycosaminoglycans. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030168': { - 'name': 'platelet activation', - 'def': 'A series of progressive, overlapping events triggered by exposure of the platelets to subendothelial tissue. These events include shape change, adhesiveness, aggregation, and release reactions. When carried through to completion, these events lead to the formation of a stable hemostatic plug. [http://www.graylab.ac.uk/omd/]' - }, - 'GO:0030169': { - 'name': 'low-density lipoprotein particle binding', - 'def': 'Interacting selectively and non-covalently with a low-density lipoprotein particle, a lipoprotein particle that is rich in cholesterol esters and low in triglycerides, is typically composed of APOB100 and APOE, and has a density of 1.02-1.06 g/ml and a diameter of between 20-25 nm. [GOC:mah]' - }, - 'GO:0030170': { - 'name': 'pyridoxal phosphate binding', - 'def': "Interacting selectively and non-covalently with pyridoxal 5' phosphate, 3-hydroxy-5-(hydroxymethyl)-2-methyl4-pyridine carboxaldehyde 5' phosphate, the biologically active form of vitamin B6. [GOC:mah, ISBN:0198506732]" - }, - 'GO:0030171': { - 'name': 'voltage-gated proton channel activity', - 'def': 'Enables the transmembrane transfer of a proton by a voltage-gated channel. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [ISBN:10615049]' - }, - 'GO:0030172': { - 'name': 'troponin C binding', - 'def': 'Interacting selectively and non-covalently with troponin C, the calcium-binding subunit of the troponin complex. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030173': { - 'name': 'integral component of Golgi membrane', - 'def': 'The component of the Golgi membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:go_curators]' - }, - 'GO:0030174': { - 'name': 'regulation of DNA-dependent DNA replication initiation', - 'def': 'Any process that modulates the frequency, rate or extent of initiation of DNA-dependent DNA replication; the process in which DNA becomes competent to replicate. In eukaryotes, replication competence is established in early G1 and lost during the ensuing S phase. [GOC:mah]' - }, - 'GO:0030175': { - 'name': 'filopodium', - 'def': 'Thin, stiff, actin-based protrusion extended by the leading edge of a motile cell such as a crawling fibroblast or amoeba, or an axonal or dendritic growth cone, or a dendritic shaft. [GOC:mah, GOC:pr, ISBN:0815316194]' - }, - 'GO:0030176': { - 'name': 'integral component of endoplasmic reticulum membrane', - 'def': 'The component of the endoplasmic reticulum membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0030177': { - 'name': 'positive regulation of Wnt signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of Wnt signal transduction. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0030178': { - 'name': 'negative regulation of Wnt signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the Wnt signaling pathway. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0030180': { - 'name': 'obsolete solute:solute exchange', - 'def': 'OBSOLETE. Exchange diffusion of two solutes between the inside and outside of a cell or subcellular compartment, in which movement of one solute down a concentration gradient drives movement of the other solute in the opposite direction. [GOC:mah]' - }, - 'GO:0030181': { - 'name': 'obsolete sodium:calcium exchange', - 'def': 'OBSOLETE. Exchange diffusion sodium and calcium ions in which influx of sodium ions to the cytosol drives the efflux of calcium ions from the cell. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030182': { - 'name': 'neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron. [GOC:mah]' - }, - 'GO:0030183': { - 'name': 'B cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a B cell. A B cell is a lymphocyte of B lineage with the phenotype CD19-positive and capable of B cell mediated immunity. [GO_REF:0000022, GOC:mah, GOC:mtg_15nov05]' - }, - 'GO:0030184': { - 'name': 'nitric oxide transmembrane transporter activity', - 'def': 'Enables the directed movement of nitric oxide, nitrogen monoxide, from one side of a membrane to the other. [GOC:mah]' - }, - 'GO:0030185': { - 'name': 'nitric oxide transport', - 'def': 'The directed movement of nitric oxide, nitrogen monoxide, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0030186': { - 'name': 'melatonin metabolic process', - 'def': 'The chemical reactions and pathways involving melatonin (N-acetyl-5-methoxytryptamine). [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030187': { - 'name': 'melatonin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of melatonin (N-acetyl-5-methoxytryptamine). [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030188': { - 'name': 'obsolete chaperone regulator activity', - 'def': 'OBSOLETE. Modulates the activity of a molecular chaperone. [GOC:mah]' - }, - 'GO:0030189': { - 'name': 'obsolete chaperone activator activity', - 'def': 'OBSOLETE. Increases the activity of a molecular chaperone. [GOC:mah]' - }, - 'GO:0030190': { - 'name': 'obsolete chaperone inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of a molecular chaperone. [GOC:mah]' - }, - 'GO:0030191': { - 'name': 'obsolete Hsp70/Hsc70 protein inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of chaperones of the Hsp70/Hsc70 class. [GOC:mah]' - }, - 'GO:0030192': { - 'name': 'obsolete Hsp70/Hsc70 protein regulator activity', - 'def': 'OBSOLETE. Modulates the activity of chaperones of the Hsp70/Hsc70 class. [GOC:mah]' - }, - 'GO:0030193': { - 'name': 'regulation of blood coagulation', - 'def': 'Any process that modulates the frequency, rate or extent of blood coagulation. [GOC:mah]' - }, - 'GO:0030194': { - 'name': 'positive regulation of blood coagulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of blood coagulation. [GOC:mah]' - }, - 'GO:0030195': { - 'name': 'negative regulation of blood coagulation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of blood coagulation. [GOC:mah]' - }, - 'GO:0030196': { - 'name': 'cyanide hydratase activity', - 'def': 'Catalysis of the reaction: formamide = H(2)O + hydrogen cyanide. [EC:4.2.1.66, RHEA:21723]' - }, - 'GO:0030197': { - 'name': 'extracellular matrix constituent, lubricant activity', - 'def': 'Functions as a lubricant for an extracellular matrix, such as a mucous membrane. [GOC:mah]' - }, - 'GO:0030198': { - 'name': 'extracellular matrix organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an extracellular matrix. [GOC:mah]' - }, - 'GO:0030199': { - 'name': 'collagen fibril organization', - 'def': 'Any process that determines the size and arrangement of collagen fibrils within an extracellular matrix. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030200': { - 'name': 'heparan sulfate proteoglycan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of proteoglycan containing heparan sulfate, any member of a group of glycosaminoglycans that have repeat units consisting of alternating alpha-(1->4) linked hexuronic acid and glucosamine residues, the former being a mixture of sulfated and nonsulfated D-glucuronic and L-iduronic acids, and the latter being either sulfated or acetylated on its amino group as well as sulfated on one of its hydroxyl groups. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030201': { - 'name': 'heparan sulfate proteoglycan metabolic process', - 'def': 'The chemical reactions and pathways involving any proteoglycan containing heparan sulfate, any member of a group of glycosaminoglycans that have repeat units consisting of alternating alpha-(1->4)-linked hexuronic acid and glucosamine residues, the former being a mixture of sulfated and nonsulfated D-glucuronic and L-iduronic acids, and the latter being either sulfated or acetylated on its amino group as well as sulfated on one of its hydroxyl groups. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030202': { - 'name': 'heparin metabolic process', - 'def': 'The chemical reactions and pathways involving heparin, any member of a group of glycosaminoglycans found mainly as an intracellular component of mast cells. They are similar to heparan sulfates but are of somewhat higher average Mr (6000-20000) and contain fewer N-acetyl groups and more N-sulfate and O-sulfate groups; they may be attached in the same manner to protein, forming proteoglycans. They consist predominantly of alternating alpha-(1->4)-linked D-galactose and N-acetyl-D-glucosamine-6-sulfate residues. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030203': { - 'name': 'glycosaminoglycan metabolic process', - 'def': 'The chemical reactions and pathways involving glycosaminoglycans, any one of a group of polysaccharides that contain amino sugars. Formerly known as mucopolysaccharides, they include hyaluronic acid and chondroitin, which provide lubrication in joints and form part of the matrix of cartilage. The three-dimensional structure of these molecules enables them to trap water, which forms a gel and gives glycosaminoglycans their elastic properties. [ISBN:0192800981]' - }, - 'GO:0030204': { - 'name': 'chondroitin sulfate metabolic process', - 'def': 'The chemical reactions and pathways involving chondroitin sulfate, any member of a group of 10-60 kDa glycosaminoglycans, widely distributed in cartilage and other mammalian connective tissues, the repeat units of which consist of beta-(1,4)-linked D-glucuronyl beta-(1,3)-N-acetyl-D-galactosamine sulfate. They usually occur linked to a protein to form proteoglycans. Two subgroups exist, one in which the sulfate is on the 4-position (chondroitin sulfate A) and the second in which it is in the 6-position (chondroitin sulfate C). They often are polydisperse and often differ in the degree of sulfation from tissue to tissue. The chains of repeating disaccharide are covalently linked to the side chains of serine residues in the polypeptide backbone of a protein by a glycosidic attachment through the trisaccharide unit galactosyl-galactosyl-xylosyl. Chondroitin sulfate B is more usually known as dermatan sulfate. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030205': { - 'name': 'dermatan sulfate metabolic process', - 'def': 'The chemical reactions and pathways involving dermatan sulfate, any of a group of glycosaminoglycans with repeats consisting of beta-(1,4)-linked L-iduronyl-beta-(1,3)-N-acetyl-D-galactosamine 4-sulfate units. They are important components of ground substance or intercellular cement of skin and some connective tissues. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030206': { - 'name': 'chondroitin sulfate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chondroitin sulfate, any member of a group of 10-60 kDa glycosaminoglycans, widely distributed in cartilage and other mammalian connective tissues, the repeat units of which consist of beta-(1,4)-linked D-glucuronyl beta-(1,3)-N-acetyl-D-galactosamine sulfate. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030207': { - 'name': 'chondroitin sulfate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of chondroitin sulfate, any member of a group of 10-60 kDa glycosaminoglycans, widely distributed in cartilage and other mammalian connective tissues, the repeat units of which consist of beta-(1,4)-linked D-glucuronyl beta-(1,3)-N-acetyl-D-galactosamine sulfate. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030208': { - 'name': 'dermatan sulfate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dermatan sulfate, any glycosaminoglycan with repeats consisting of beta-(1,4)-linked L-iduronyl-beta-(1,3)-N-acetyl-D-galactosamine 4-sulfate units. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030209': { - 'name': 'dermatan sulfate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dermatan sulfate, any of a group of glycosaminoglycans with repeats consisting of beta-(1,4)-linked L-iduronyl-beta-(1,3)-N-acetyl-D-galactosamine 4-sulfate units. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030210': { - 'name': 'heparin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of heparin, any member of a group of glycosaminoglycans of average Mr (6000-20000), consisting predominantly of alternating alpha-(1->4)-linked D-galactose and N-acetyl-D-glucosamine-6-sulfate residues. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030211': { - 'name': 'heparin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of heparin, any member of a group of glycosaminoglycans of average Mr (6000-20000), consisting predominantly of alternating alpha-(1->4)-linked D-galactose and N-acetyl-D-glucosamine-6-sulfate residues. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030212': { - 'name': 'hyaluronan metabolic process', - 'def': 'The chemical reactions and pathways involving hyaluronan, the naturally occurring anionic form of hyaluronic acid, any member of a group of glycosaminoglycans, the repeat units of which consist of beta-1,4 linked D-glucuronyl-beta-(1,3)-N-acetyl-D-glucosamine. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030213': { - 'name': 'hyaluronan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hyaluronan, the naturally occurring anionic form of hyaluronic acid, any member of a group of glycosaminoglycans, the repeat units of which consist of beta-1,4 linked D-glucuronyl-beta-(1,3)-N-acetyl-D-glucosamine. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030214': { - 'name': 'hyaluronan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hyaluronan, the naturally occurring anionic form of hyaluronic acid, any member of a group of glycosaminoglycans, the repeat units of which consist of beta-1,4 linked D-glucuronyl-beta-(1,3)-N-acetyl-D-glucosamine. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030215': { - 'name': 'semaphorin receptor binding', - 'def': 'Interacting selectively and non-covalently with semaphorin receptors. [GOC:ceb, PMID:12001990]' - }, - 'GO:0030216': { - 'name': 'keratinocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a keratinocyte. [GOC:dph, GOC:mah, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0030217': { - 'name': 'T cell differentiation', - 'def': 'The process in which a precursor cell type acquires characteristics of a more mature T-cell. A T cell is a type of lymphocyte whose definin characteristic is the expression of a T cell receptor complex. [GO_REF:0000022, GOC:jid, GOC:mah, GOC:mtg_15nov05]' - }, - 'GO:0030218': { - 'name': 'erythrocyte differentiation', - 'def': 'The process in which a myeloid precursor cell acquires specializes features of an erythrocyte. [GOC:mah]' - }, - 'GO:0030219': { - 'name': 'megakaryocyte differentiation', - 'def': 'The process in which a myeloid precursor cell acquires specializes features of a megakaryocyte. [GOC:mah]' - }, - 'GO:0030220': { - 'name': 'platelet formation', - 'def': 'The process in which platelets bud from long processes extended by megakaryocytes. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030221': { - 'name': 'basophil differentiation', - 'def': 'The process in which a relatively unspecialized myeloid precursor cell acquires specialized features of a basophil cell. [GOC:jid, GOC:mah]' - }, - 'GO:0030222': { - 'name': 'eosinophil differentiation', - 'def': 'The process in which a relatively unspecialized myeloid precursor cell acquires the specializes features of an eosinophil. [GOC:add, GOC:mah]' - }, - 'GO:0030223': { - 'name': 'neutrophil differentiation', - 'def': 'The process in which a myeloid precursor cell acquires the specialized features of a neutrophil. [GOC:mah]' - }, - 'GO:0030224': { - 'name': 'monocyte differentiation', - 'def': 'The process in which a relatively unspecialized myeloid precursor cell acquires the specialized features of a monocyte. [GOC:mah]' - }, - 'GO:0030225': { - 'name': 'macrophage differentiation', - 'def': 'The process in which a relatively unspecialized monocyte acquires the specialized features of a macrophage. [GOC:add, ISBN:0781735149]' - }, - 'GO:0030226': { - 'name': 'apolipoprotein receptor activity', - 'def': 'Combining with an apolipoprotein to initiate a change in cell activity. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030227': { - 'name': 'obsolete apolipoprotein E receptor activity', - 'def': 'OBSOLETE. Combining with apolipoprotein E to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0030228': { - 'name': 'lipoprotein particle receptor activity', - 'def': 'Combining with a lipoprotein particle and delivering the lipoprotein particle into the cell via endocytosis. A lipoprotein particle, also known as a lipoprotein, is a clathrate complex consisting of a lipid enwrapped in a protein host without covalent binding in such a way that the complex has a hydrophilic outer surface consisting of all the protein and the polar ends of any phospholipids. [CHEBI:6495, GOC:bf, GOC:mah, PMID:12827279]' - }, - 'GO:0030229': { - 'name': 'very-low-density lipoprotein particle receptor activity', - 'def': 'Combining with a very-low-density lipoprotein particle and delivering the very-low-density lipoprotein into the cell via endocytosis. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0030232': { - 'name': 'insulin control element activator complex', - 'def': "Transcription factor complex that binds to the insulin control element (ICE), a DNA sequence element found within the 5'-flanking region of the insulin gene, and activates ICE-mediated transcription. [PMID:7935390]" - }, - 'GO:0030233': { - 'name': 'deoxynucleotide transmembrane transporter activity', - 'def': 'Catalyzes transport of all four deoxy (d) NDPs, and, less efficiently, the corresponding dNTPs, in exchange for dNDPs, ADP, or ATP. [PMID:11226231]' - }, - 'GO:0030234': { - 'name': 'enzyme regulator activity', - 'def': 'Binds to and modulates the activity of an enzyme. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0030235': { - 'name': 'nitric-oxide synthase regulator activity', - 'def': 'Modulates the activity of nitric oxide synthase. [GOC:mah]' - }, - 'GO:0030237': { - 'name': 'female sex determination', - 'def': 'The specification of female sex of an individual organism. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030238': { - 'name': 'male sex determination', - 'def': 'The specification of male sex of an individual organism. [GOC:mah]' - }, - 'GO:0030239': { - 'name': 'myofibril assembly', - 'def': 'Formation of myofibrils, the repeating units of striated muscle. [GOC:mah]' - }, - 'GO:0030240': { - 'name': 'skeletal muscle thin filament assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins to form the actin-based thin filaments of myofibrils in skeletal muscle. [GOC:ef, GOC:mah, GOC:mtg_muscle]' - }, - 'GO:0030241': { - 'name': 'skeletal muscle myosin thick filament assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins to form the myosin-based thick filaments of myofibrils in skeletal muscle. [GOC:ef, GOC:mah, GOC:mtg_muscle]' - }, - 'GO:0030242': { - 'name': 'pexophagy', - 'def': 'The process in which peroxisomes are delivered to the vacuole and degraded in response to changing nutrient conditions. [GOC:autophagy, PMID:10547367, PMID:20083110]' - }, - 'GO:0030243': { - 'name': 'cellulose metabolic process', - 'def': 'The chemical reactions and pathways involving cellulose, a linear beta1-4 glucan of molecular mass 50-400 kDa with the pyranose units in the -4C1 conformation. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030244': { - 'name': 'cellulose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cellulose, a linear beta1-4 glucan of molecular mass 50-400 kDa with the pyranose units in the -4C1 conformation. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030245': { - 'name': 'cellulose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cellulose, a linear beta1-4 glucan of molecular mass 50-400 kDa with the pyranose units in the -4C1 conformation. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030246': { - 'name': 'carbohydrate binding', - 'def': 'Interacting selectively and non-covalently with any carbohydrate, which includes monosaccharides, oligosaccharides and polysaccharides as well as substances derived from monosaccharides by reduction of the carbonyl group (alditols), by oxidation of one or more hydroxy groups to afford the corresponding aldehydes, ketones, or carboxylic acids, or by replacement of one or more hydroxy group(s) by a hydrogen atom. Cyclitols are generally not regarded as carbohydrates. [CHEBI:16646, GOC:mah]' - }, - 'GO:0030247': { - 'name': 'polysaccharide binding', - 'def': 'Interacting selectively and non-covalently with any polysaccharide, a polymer of many (typically more than 10) monosaccharide residues linked glycosidically. [CHEBI:18154, GOC:mah]' - }, - 'GO:0030248': { - 'name': 'cellulose binding', - 'def': 'Interacting selectively and non-covalently with cellulose. [GOC:mah]' - }, - 'GO:0030249': { - 'name': 'guanylate cyclase regulator activity', - 'def': 'Modulates the activity of guanylate cyclase. [GOC:mah]' - }, - 'GO:0030250': { - 'name': 'guanylate cyclase activator activity', - 'def': 'Binds to and increases the activity of guanylate cyclase. [GOC:mah]' - }, - 'GO:0030251': { - 'name': 'guanylate cyclase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of guanylate cyclase. [GOC:mah]' - }, - 'GO:0030252': { - 'name': 'growth hormone secretion', - 'def': 'The regulated release of growth hormone from secretory granules into the blood. [GOC:mah]' - }, - 'GO:0030253': { - 'name': 'protein secretion by the type I secretion system', - 'def': 'The process in which proteins are secreted into the extracellular milieu via the type I secretion system; secretion occurs in a continuous process without the distinct presence of periplasmic intermediates and does not involve proteolytic processing of secreted proteins. [GOC:pamgo_curators]' - }, - 'GO:0030254': { - 'name': 'protein secretion by the type III secretion system', - 'def': 'The process in which proteins are transferred into the extracellular milieu or directly into host cells by the bacterial type III secretion system; secretion occurs in a continuous process without the distinct presence of periplasmic intermediates and does not involve proteolytic processing of secreted proteins. [GOC:pamgo_curators]' - }, - 'GO:0030255': { - 'name': 'protein secretion by the type IV secretion system', - 'def': 'The process in which proteins are transferred into the extracellular milieu or directly into host cells, via the type IV protein secretion system. [GOC:pamgo_curators]' - }, - 'GO:0030256': { - 'name': 'type I protein secretion system complex', - 'def': 'A complex of three secretory proteins that carry out secretion in the type I secretion system: an inner membrane transport ATPase (termed ABC protein for ATP-binding cassette), which provides the energy for protein secretion; an outer membrane protein, which is exported via the sec pathway; and a membrane fusion protein, which is anchored in the inner membrane and spans the periplasmic space. [PMID:9618447]' - }, - 'GO:0030257': { - 'name': 'type III protein secretion system complex', - 'def': 'A complex of approximately 20 proteins, most of which are located in the cytoplasmic membrane that carries out protein secretion in the bacterial type III secretion system; type III secretion also requires a cytoplasmic, probably membrane-associated ATPase. [PMID:9618447]' - }, - 'GO:0030258': { - 'name': 'lipid modification', - 'def': 'The covalent alteration of one or more fatty acids in a lipid, resulting in a change in the properties of the lipid. [GOC:mah]' - }, - 'GO:0030259': { - 'name': 'lipid glycosylation', - 'def': 'Covalent attachment of a glycosyl residue to a lipid molecule. [GOC:mah]' - }, - 'GO:0030260': { - 'name': 'entry into host cell', - 'def': 'The invasion by an organism of a cell of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:njm]' - }, - 'GO:0030261': { - 'name': 'chromosome condensation', - 'def': 'The progressive compaction of dispersed interphase chromatin into threadlike chromosomes prior to mitotic or meiotic nuclear division, or during apoptosis, in eukaryotic cells. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030262': { - 'name': 'apoptotic nuclear changes', - 'def': 'Alterations undergone by nuclei at the molecular and morphological level as part of the execution phase of apoptosis. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0030263': { - 'name': 'apoptotic chromosome condensation', - 'def': 'The compaction of chromatin during apoptosis. [GOC:mah]' - }, - 'GO:0030264': { - 'name': 'nuclear fragmentation involved in apoptotic nuclear change', - 'def': 'The breakdown of the nucleus into small membrane-bounded compartments, or blebs, each of which contain compacted DNA. [GOC:dph, GOC:mah, GOC:mtg_apoptosis, GOC:tb, ISBN:0721639976]' - }, - 'GO:0030265': { - 'name': 'phospholipase C-activating rhodopsin mediated signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a rhodopsin molecule being activated by a photon, where the pathway proceeds with activation of phospholipase C (PLC) and a subsequent release of inositol trisphosphate (IP3) and diacylglycerol (DAG). [GOC:mah, GOC:signaling, PMID:22498302, PMID:8823931]' - }, - 'GO:0030266': { - 'name': 'quinate 3-dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: (-)-quinate + NAD+ = (-)-3-dehydroquinate + NADH + H+. [EC:1.1.1.24]' - }, - 'GO:0030267': { - 'name': 'glyoxylate reductase (NADP) activity', - 'def': 'Catalysis of the reaction: glycolate + NADP+ = glyoxylate + NADPH + H+. [EC:1.1.1.79]' - }, - 'GO:0030268': { - 'name': 'methylenetetrahydromethanopterin dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydromethanopterin + coenzyme F420 + 2 H(+) = 5,10-methenyl-5,6,7,8-tetrahydromethanopterin + reduced coenzyme F420. [EC:1.5.99.9, RHEA:16724]' - }, - 'GO:0030269': { - 'name': 'tetrahydromethanopterin S-methyltransferase activity', - 'def': 'Catalysis of the reaction: 5-methyltetrahydromethanopterin + coenzyme M = 5,6,7,8-tetrahydromethanopterin + methyl-coenzyme M. 2-(methylthio)ethanesulfonate is also known as methyl-CoM. [EC:2.1.1.86, RHEA:17588]' - }, - 'GO:0030270': { - 'name': 'formylmethanofuran-tetrahydromethanopterin N-formyltransferase activity', - 'def': 'Catalysis of the reaction: 5,6,7,8-tetrahydromethanopterin + N-formylmethanofuran + H(+) = N(5)-formyl-5,6,7,8-tetrahydromethanopterin + methanofuran. [EC:2.3.1.101, RHEA:18064]' - }, - 'GO:0030271': { - 'name': 'obsolete chymase activity', - 'def': 'OBSOLETE. Catalysis of the preferential cleavage: Phe-Xaa > Tyr-Xaa > Trp-Xaa > Leu-Xaa. [EC:3.4.21.39]' - }, - 'GO:0030272': { - 'name': '5-formyltetrahydrofolate cyclo-ligase activity', - 'def': 'Catalysis of the reaction: 5-formyltetrahydrofolate + ATP = 5,10-methenyltetrahydrofolate + ADP + H(+) + phosphate. [EC:6.3.3.2, RHEA:10491]' - }, - 'GO:0030273': { - 'name': 'melanin-concentrating hormone receptor activity', - 'def': 'Combining with the cyclic peptide hormone melanin-concentrating hormone to initiate a change in cell activity. [GOC:mah]' - }, - 'GO:0030274': { - 'name': 'LIM domain binding', - 'def': 'Interacting selectively and non-covalently with a LIM domain (for Lin-11 Isl-1 Mec-3) of a protein, a domain with seven conserved cysteine residues and a histidine, that binds two zinc ions and acts as an interface for protein-protein interactions. [GOC:go_curators, Pfam:PF00412]' - }, - 'GO:0030275': { - 'name': 'LRR domain binding', - 'def': 'Interacting selectively and non-covalently with a LRR domain (leucine rich repeats) of a protein. [GOC:go_curators, Pfam:PF00560]' - }, - 'GO:0030276': { - 'name': 'clathrin binding', - 'def': 'Interacting selectively and non-covalently with a clathrin heavy or light chain, the main components of the coat of coated vesicles and coated pits, and which also occurs in synaptic vesicles. [GOC:jl, GOC:mah, ISBN:0198506732]' - }, - 'GO:0030277': { - 'name': 'maintenance of gastrointestinal epithelium', - 'def': 'Protection of epithelial surfaces of the gastrointestinal tract from proteolytic and caustic digestive agents. [GOC:mah]' - }, - 'GO:0030278': { - 'name': 'regulation of ossification', - 'def': 'Any process that modulates the frequency, rate or extent of bone formation. [GOC:go_curators]' - }, - 'GO:0030279': { - 'name': 'negative regulation of ossification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of bone formation. [GOC:go_curators]' - }, - 'GO:0030280': { - 'name': 'structural constituent of epidermis', - 'def': 'The action of a molecule that contributes to the structural integrity of an epidermal cutaneous structure. [GOC:mah]' - }, - 'GO:0030281': { - 'name': 'structural constituent of cutaneous appendage', - 'def': 'The action of a molecule that contributes to the structural integrity of cutaneous epidermal structures such as hairs, scales, or feathers. [GOC:mah, ISBN:0878932437]' - }, - 'GO:0030282': { - 'name': 'bone mineralization', - 'def': 'The deposition of hydroxyapatite, a form of calcium phosphate with the formula Ca10(PO4)6(OH)2, in bone tissue. [GOC:mah, PMID:22936354]' - }, - 'GO:0030283': { - 'name': 'testosterone dehydrogenase [NAD(P)] activity', - 'def': 'Catalysis of the reaction: testosterone + NAD(P)+ = androst-4-ene-3,17-dione + NAD(P)H + H+. [EC:1.1.1.51]' - }, - 'GO:0030284': { - 'name': 'estrogen receptor activity', - 'def': 'Combining with estrogen and transmitting the signal within the cell to trigger a change in cell activity or function. [GOC:signaling, PMID:17615392]' - }, - 'GO:0030285': { - 'name': 'integral component of synaptic vesicle membrane', - 'def': 'The component of the synaptic vesicle membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:go_curators]' - }, - 'GO:0030286': { - 'name': 'dynein complex', - 'def': 'Any of several large complexes that contain two or three dynein heavy chains and several light chains, and have microtubule motor activity. [ISBN:0815316194]' - }, - 'GO:0030287': { - 'name': 'cell wall-bounded periplasmic space', - 'def': 'The region between the plasma membrane and the cell wall in organisms lacking an outer cell membrane such as yeast and Gram positive bacteria. The region is thinner than the equivalent in Gram negative bacteria. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0030288': { - 'name': 'outer membrane-bounded periplasmic space', - 'def': 'The region between the inner (cytoplasmic or plasma) membrane and outer membrane of organisms with two membranes such as Gram negative bacteria. These periplasmic spaces are relatively thick and contain a thin peptidoglycan layer (PGL), also referred to as a thin cell wall. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0030289': { - 'name': 'protein phosphatase 4 complex', - 'def': 'A protein serine/threonine phosphatase complex formed by the catalytic subunit of protein phosphatase 4 plus one or more regulatory subunits. [GOC:bm, PMID:10026142]' - }, - 'GO:0030290': { - 'name': 'sphingolipid activator protein activity', - 'def': 'Any of a group of peptide cofactors of enzymes for the lysosomal degradation of sphingolipids. They stimulate various enzymes, including glucosylceramidase, galactosylceramidase, cerebroside-sulfatase, alpha-galactosidase, beta-galactosidase, and sphingomyelin phosphodiesterase. [ISBN:0198506732]' - }, - 'GO:0030291': { - 'name': 'protein serine/threonine kinase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a protein serine/threonine kinase. [GOC:mah]' - }, - 'GO:0030292': { - 'name': 'protein tyrosine kinase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a protein tyrosine kinase. [GOC:mah]' - }, - 'GO:0030293': { - 'name': 'transmembrane receptor protein tyrosine kinase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a transmembrane receptor protein tyrosine kinase. [GOC:mah]' - }, - 'GO:0030294': { - 'name': 'receptor signaling protein tyrosine kinase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a receptor signaling protein tyrosine kinase. [GOC:mah]' - }, - 'GO:0030295': { - 'name': 'protein kinase activator activity', - 'def': 'Binds to and increases the activity of a protein kinase, an enzyme which phosphorylates a protein. [GOC:ai]' - }, - 'GO:0030296': { - 'name': 'protein tyrosine kinase activator activity', - 'def': 'Increases the activity of a protein tyrosine kinase, an enzyme which phosphorylates a tyrosyl phenolic group on a protein. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0030297': { - 'name': 'transmembrane receptor protein tyrosine kinase activator activity', - 'def': 'Binds to and increases the activity of a transmembrane receptor protein tyrosine kinase. [GOC:mah]' - }, - 'GO:0030298': { - 'name': 'receptor signaling protein tyrosine kinase activator activity', - 'def': 'Binds to and increases the activity of a receptor signaling protein tyrosine kinase. [GOC:mah]' - }, - 'GO:0030299': { - 'name': 'intestinal cholesterol absorption', - 'def': 'Uptake of cholesterol into the blood by absorption from the small intestine. [GOC:mah]' - }, - 'GO:0030300': { - 'name': 'regulation of intestinal cholesterol absorption', - 'def': 'Any process that modulates the frequency, rate or extent of absorption of cholesterol into the blood, and the exclusion of other sterols from absorption. [GOC:mah, PMID:11099417]' - }, - 'GO:0030301': { - 'name': 'cholesterol transport', - 'def': 'The directed movement of cholesterol, cholest-5-en-3-beta-ol, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030302': { - 'name': 'deoxynucleotide transport', - 'def': "The directed movement of a deoxynucleotide, a deoxyribonucleoside in ester linkage to phosphate, commonly at the 5' position of deoxyribose, into, out of or within a cell. [GOC:mah, ISBN:0198506732]" - }, - 'GO:0030303': { - 'name': 'obsolete stromelysin 2 activity', - 'def': "OBSOLETE. Catalysis of the cleavage of peptide bonds in collagen with preferential cleavage where P1', P2' and P3' are hydrophobic residues; action on collagen types III, IV and V is weak. [EC:3.4.24.17, EC:3.4.24.22]" - }, - 'GO:0030304': { - 'name': 'obsolete trypsin inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of the serine endopeptidase trypsin. [GOC:ai]' - }, - 'GO:0030305': { - 'name': 'heparanase activity', - 'def': 'Catalysis of the cleavage of heparan sulfate; can degrade both heparan sulfate and heparin glycosaminoglycan chains. [PMID:10916150]' - }, - 'GO:0030306': { - 'name': 'ADP-ribosylation factor binding', - 'def': 'Interacting selectively and non-covalently with ARF, ADP-ribosylation factor, a small monomeric cytosolic GTPase that, when bound to GTP, binds to the membranes of cells. [ISBN:0198506732]' - }, - 'GO:0030307': { - 'name': 'positive regulation of cell growth', - 'def': 'Any process that activates or increases the frequency, rate, extent or direction of cell growth. [GOC:go_curators]' - }, - 'GO:0030308': { - 'name': 'negative regulation of cell growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, extent or direction of cell growth. [GOC:go_curators]' - }, - 'GO:0030309': { - 'name': 'poly-N-acetyllactosamine metabolic process', - 'def': 'The chemical reactions and pathways involving poly-N-acetyllactosamine, a carbohydrate composed of N-acetyllactosamine repeats (Gal-beta-1,4-GlcNAc-beta-1,3)n. [GOC:mah, PMID:9405606]' - }, - 'GO:0030310': { - 'name': 'poly-N-acetyllactosamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of poly-N-acetyllactosamine, a carbohydrate composed of N-acetyllactosamine repeats (Gal-beta-1,4-GlcNAc-beta-1,3)n. [GOC:mah, PMID:9405606]' - }, - 'GO:0030311': { - 'name': 'poly-N-acetyllactosamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly-N-acetyllactosamine, a carbohydrate composed of N-acetyllactosamine repeats (Gal-beta-1,4-GlcNAc-beta-1,3)n. [GOC:mah, PMID:9405606]' - }, - 'GO:0030312': { - 'name': 'external encapsulating structure', - 'def': 'A structure that lies outside the plasma membrane and surrounds the entire cell. This does not include the periplasmic space. [GOC:go_curators]' - }, - 'GO:0030313': { - 'name': 'cell envelope', - 'def': 'An envelope that surrounds a bacterial cell and includes the cytoplasmic membrane and everything external, encompassing the periplasmic space, cell wall, and outer membrane if present. [GOC:ds, GOC:mlg, http://pathmicro.med.sc.edu/fox/cell_envelope.htm]' - }, - 'GO:0030314': { - 'name': 'junctional membrane complex', - 'def': 'Complex formed in muscle cells between the membrane of the sarcoplasmic reticulum and invaginations of the plasma membrane (T-tubules). [PMID:11535622]' - }, - 'GO:0030315': { - 'name': 'T-tubule', - 'def': 'Invagination of the plasma membrane of a muscle cell that extends inward from the cell surface around each myofibril. The ends of T-tubules make contact with the sarcoplasmic reticulum membrane. [GOC:mtg_muscle, ISBN:0815316194]' - }, - 'GO:0030316': { - 'name': 'osteoclast differentiation', - 'def': 'The process in which a relatively unspecialized monocyte acquires the specialized features of an osteoclast. An osteoclast is a specialized phagocytic cell associated with the absorption and removal of the mineralized matrix of bone tissue. [CL:0000092, GOC:add, ISBN:0781735149, PMID:12161749]' - }, - 'GO:0030317': { - 'name': 'flagellated sperm motility', - 'def': 'Any process involved in the controlled movement of a flagellated sperm cell. [GOC:cilia, GOC:jl, GOC:krc]' - }, - 'GO:0030318': { - 'name': 'melanocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a melanocyte. [GOC:mah]' - }, - 'GO:0030319': { - 'name': 'obsolete cellular di-, tri-valent inorganic anion homeostasis', - 'def': 'OBSOLETE. Any process involved in the maintenance of an internal steady state of divalent or trivalent inorganic anions at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0030320': { - 'name': 'cellular monovalent inorganic anion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of monovalent inorganic anions at the level of a cell. [GOC:ai, GOC:mah]' - }, - 'GO:0030321': { - 'name': 'transepithelial chloride transport', - 'def': 'The directed movement of chloride ions from one side of an epithelium to the other. [GOC:mah]' - }, - 'GO:0030322': { - 'name': 'stabilization of membrane potential', - 'def': 'The accomplishment of a non-fluctuating membrane potential, the electric potential existing across any membrane arising from charges in the membrane itself and from the charges present in the media on either side of the membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0030323': { - 'name': 'respiratory tube development', - 'def': 'The process whose specific outcome is the progression of the respiratory tube over time, from its formation to the mature structure. The respiratory tube is assumed to mean any tube in the respiratory tract. [GOC:jid]' - }, - 'GO:0030324': { - 'name': 'lung development', - 'def': 'The process whose specific outcome is the progression of the lung over time, from its formation to the mature structure. In all air-breathing vertebrates the lungs are developed from the ventral wall of the oesophagus as a pouch which divides into two sacs. In amphibians and many reptiles the lungs retain very nearly this primitive sac-like character, but in the higher forms the connection with the esophagus becomes elongated into the windpipe and the inner walls of the sacs become more and more divided, until, in the mammals, the air spaces become minutely divided into tubes ending in small air cells, in the walls of which the blood circulates in a fine network of capillaries. In mammals the lungs are more or less divided into lobes, and each lung occupies a separate cavity in the thorax. [GOC:jid, UBERON:0002048]' - }, - 'GO:0030325': { - 'name': 'adrenal gland development', - 'def': 'The process whose specific outcome is the progression of the adrenal gland over time, from its formation to the mature structure. This gland can either be a discrete structure located bilaterally above each kidney, or a cluster of cells in the head kidney that perform the functions of the adrenal gland. In either case, this organ consists of two cells types, aminergic chromaffin cells and steroidogenic cortical cells. [GOC:dgh]' - }, - 'GO:0030326': { - 'name': 'embryonic limb morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the limb are generated and organized. A limb is an appendage of an animal used for locomotion or grasping. [GOC:bf, GOC:jl, ISBN:0395825172]' - }, - 'GO:0030327': { - 'name': 'prenylated protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of prenylated proteins. [GOC:mah]' - }, - 'GO:0030328': { - 'name': 'prenylcysteine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of prenylcysteine, 3-methyl-2-buten-1-yl-cysteine, a derivative of the amino acid cysteine formed by the covalent addition of a prenyl residue. [GOC:ai]' - }, - 'GO:0030329': { - 'name': 'prenylcysteine metabolic process', - 'def': 'The chemical reactions and pathways involving prenylcysteine, 3-methyl-2-buten-1-yl-cysteine, a derivative of the amino acid cysteine formed by the covalent addition of a prenyl residue. [GOC:ai, PMID:16627894]' - }, - 'GO:0030330': { - 'name': 'DNA damage response, signal transduction by p53 class mediator', - 'def': 'A cascade of processes induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, in response to the detection of DNA damage. [GOC:go_curators]' - }, - 'GO:0030331': { - 'name': 'estrogen receptor binding', - 'def': 'Interacting selectively and non-covalently with an estrogen receptor. [GOC:ai]' - }, - 'GO:0030332': { - 'name': 'cyclin binding', - 'def': 'Interacting selectively and non-covalently with cyclins, proteins whose levels in a cell varies markedly during the cell cycle, rising steadily until mitosis, then falling abruptly to zero. As cyclins reach a threshold level, they are thought to drive cells into G2 phase and thus to mitosis. [GOC:ai]' - }, - 'GO:0030334': { - 'name': 'regulation of cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of cell migration. [GOC:go_curators]' - }, - 'GO:0030335': { - 'name': 'positive regulation of cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell migration. [GOC:go_curators]' - }, - 'GO:0030336': { - 'name': 'negative regulation of cell migration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell migration. [GOC:go_curators]' - }, - 'GO:0030337': { - 'name': 'DNA polymerase processivity factor activity', - 'def': 'An enzyme regulator activity that increases the processivity of polymerization by DNA polymerase, by allowing the polymerase to move rapidly along DNA while remaining topologically bound to it. [GOC:mah, PMID:7903401, PMID:8087839]' - }, - 'GO:0030338': { - 'name': 'CMP-N-acetylneuraminate monooxygenase activity', - 'def': 'Catalysis of the reaction: CMP-N-acetylneuraminate + NADPH + H+ + O2 = CMP-N-glycoloylneuraminate + NADP+ + H2O. [EC:1.14.18.2]' - }, - 'GO:0030339': { - 'name': 'fatty-acyl-ethyl-ester synthase activity', - 'def': 'Catalysis of the reaction: a long-chain-acyl ethyl ester + H2O = a long-chain carboxylic acid + ethanol. [EC:3.1.1.67]' - }, - 'GO:0030340': { - 'name': 'hyaluronate lyase activity', - 'def': 'Catalysis of the reaction: hyaluronate = n 3-(4-deoxy-beta-D-gluc-4-enuronosyl)-N-acetyl-D-glucosamine. [EC:4.2.2.1]' - }, - 'GO:0030341': { - 'name': 'chondroitin AC lyase activity', - 'def': 'Catalysis of the eliminative degradation of polysaccharides containing 1,4-beta-D-hexosaminyl and 1,3-beta-D-glucuronosyl linkages to disaccharides containing 4-deoxy-beta-D-gluc-4-enuronosyl groups. [EC:4.2.2.5]' - }, - 'GO:0030342': { - 'name': '1-alpha,25-dihydroxyvitamin D3 24-hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of C-24 of 1-alpha,25-hydroxycholecalciferol (25-hydroxyvitamin D3; calcitriol). [PMID:8506296]' - }, - 'GO:0030343': { - 'name': 'vitamin D3 25-hydroxylase activity', - 'def': 'Catalysis of the reaction: vitamin D3 + NADPH + H+ + O2 = calcidiol + NADP+ + H2O. [ISBN:0471331309, MetaCyc:RXN-9829]' - }, - 'GO:0030345': { - 'name': 'structural constituent of tooth enamel', - 'def': 'The action of a molecule that contributes to the structural integrity of tooth enamel. [GOC:mah]' - }, - 'GO:0030346': { - 'name': 'protein phosphatase 2B binding', - 'def': 'Interacting selectively and non-covalently with the enzyme protein phosphatase 2B. [GOC:jl]' - }, - 'GO:0030348': { - 'name': 'syntaxin-3 binding', - 'def': 'Interacting selectively and non-covalently with the SNAP receptor syntaxin-3. [GOC:ai]' - }, - 'GO:0030350': { - 'name': 'iron-responsive element binding', - 'def': "Interacting selectively and non-covalently with the iron-responsive element, a regulatory sequence found in the 5'- and 3'-untranslated regions of mRNAs encoding many iron-binding proteins. [PMID:3198610, PMID:8710843]" - }, - 'GO:0030351': { - 'name': 'inositol-1,3,4,5,6-pentakisphosphate 3-phosphatase activity', - 'def': 'Catalysis of the reaction: inositol-1,3,4,5,6-pentakisphosphate + H2O = inositol-1,4,5,6-tetrakisphosphate + phosphate. [GOC:ai]' - }, - 'GO:0030352': { - 'name': 'inositol-1,4,5,6-tetrakisphosphate 6-phosphatase activity', - 'def': 'Catalysis of the reaction: inositol-1,4,5,6-tetrakisphosphate + H2O = inositol-1,4,5-trisphosphate + phosphate. [GOC:ai]' - }, - 'GO:0030353': { - 'name': 'fibroblast growth factor receptor antagonist activity', - 'def': 'Interacts with the fibroblast growth factor receptor to reduce the action of another ligand, the agonist. [GOC:mah]' - }, - 'GO:0030354': { - 'name': 'melanin-concentrating hormone activity', - 'def': 'The action characteristic of melanin-concentrating hormone, a cyclic peptide hormone that, upon receptor binding, induces melanin aggregation in melanocytes, and is also involved in regulating food intake and energy balance in mammals. [GOC:mah, PMID:11416225, PMID:9792536]' - }, - 'GO:0030355': { - 'name': 'obsolete small nucleolar ribonucleoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0030356': { - 'name': 'obsolete small cytoplasmic ribonucleoprotein', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0030363': { - 'name': 'obsolete pre-mRNA cleavage factor activity', - 'def': 'OBSOLETE. Any activity required for the process of mRNA cleavage. [GOC:mah, PMID:10357856]' - }, - 'GO:0030364': { - 'name': 'obsolete cleavage and polyadenylylation specificity factor activity', - 'def': "OBSOLETE. A factor required in mRNA 3' end processing for both the cleavage and poly(A) addition reactions and, consistent with this function, recognizes AAUAAA, a signal also essential for both reactions. [PMID:10357856]" - }, - 'GO:0030365': { - 'name': 'obsolete cleavage stimulation factor activity', - 'def': "OBSOLETE. A factor is necessary for cleavage but not for poly(A) addition in mRNA 3' end processing; can stimulate poly(A) addition on substrates with a CstF binding site upstream of the AAUAAA hexanucleotide. [PMID:10357856]" - }, - 'GO:0030366': { - 'name': 'molybdopterin synthase activity', - 'def': 'Catalysis of the conversion of precursor Z to molybdopterin, the final step in molybdopterin biosynthesis. [PMID:18154309, PMID:8514783]' - }, - 'GO:0030367': { - 'name': 'interleukin-17 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-17 receptor. [GOC:ai]' - }, - 'GO:0030368': { - 'name': 'interleukin-17 receptor activity', - 'def': 'Combining with any member of the interleukin-17 family of cytokines and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:jl, GOC:signaling]' - }, - 'GO:0030369': { - 'name': 'ICAM-3 receptor activity', - 'def': 'Combining with ICAM-3, intercellular adhesion molecule 3, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. ICAM-3, or CD50, are constitutively expressed on monocytes, granulocytes and lymphocytes; on physiological stimulation, they become transiently phosphorylated on serine residues. [GOC:ai, GOC:signaling, ISBN:0198506732, PMID:7515813]' - }, - 'GO:0030370': { - 'name': 'intercellular adhesion molecule-3 receptor binding', - 'def': 'Interacting selectively and non-covalently with receptors for intercellular adhesion molecule-3 (ICAM-3), such as DC-SIGN and LFA-1. [GOC:ceb, PMID:11473836]' - }, - 'GO:0030371': { - 'name': 'translation repressor activity', - 'def': 'Antagonizes ribosome-mediated translation of mRNA into a polypeptide. [GOC:ai, GOC:clt]' - }, - 'GO:0030372': { - 'name': 'high molecular weight B cell growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the high molecular weight B cell growth factor receptor. [GOC:ai]' - }, - 'GO:0030373': { - 'name': 'high molecular weight B cell growth factor receptor activity', - 'def': 'Combining with a high molecular weight B cell growth factor and transmitting the signal to initiate a change in cell activity. [GOC:ai, GOC:signaling, PMID:2681271]' - }, - 'GO:0030374': { - 'name': 'ligand-dependent nuclear receptor transcription coactivator activity', - 'def': 'The function of a transcription cofactor that activates transcription in conjuction with a ligand-dependent nuclear receptor from a RNA polymerase II promoter; does not bind DNA itself. [GOC:dph, GOC:tb]' - }, - 'GO:0030375': { - 'name': 'thyroid hormone receptor coactivator activity', - 'def': 'The function of a transcription cofactor that activates transcription in conjunction with a thyroid hormone-dependent nuclear receptor from a RNA polymerase II promoter; does not bind DNA itself. [GOC:dph, GOC:tb]' - }, - 'GO:0030377': { - 'name': 'urokinase plasminogen activator receptor activity', - 'def': 'Combining with the urokinase plasminogen activator to initiate a change in cell activity. [GOC:mah, PMID:16456079]' - }, - 'GO:0030378': { - 'name': 'serine racemase activity', - 'def': 'Catalysis of the synthesis of free D-serine from L-serine. [GOC:kd]' - }, - 'GO:0030379': { - 'name': 'neurotensin receptor activity, non-G-protein coupled', - 'def': 'Combining with neurotensin, a neuropeptide active in the central and peripheral nervous system in mammals, and transmitting the signal from one side of the membrane to the other by a mechanism independent of coupling to G proteins. [GOC:mah, GOC:signaling, PMID:9756851]' - }, - 'GO:0030380': { - 'name': 'interleukin-17E receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-17E receptor. [GOC:ai]' - }, - 'GO:0030381': { - 'name': 'chorion-containing eggshell pattern formation', - 'def': 'The regionalization process that gives rise to the structural pattern of a chorion-containing eggshell such as those found in insects. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0030382': { - 'name': 'sperm mitochondrion organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of sperm mitochondria; the process in which they take on their characteristic morphology; they are flattened, elongated, and arranged circumferentially into a tight helical coil around the tail-dense fibers of the mature sperm. [GOC:dph, GOC:jl, GOC:mah, PMID:8833144]' - }, - 'GO:0030383': { - 'name': 'obsolete host-pathogen interaction', - 'def': 'OBSOLETE. Any interaction between a pathogen and its host organism. [GOC:jl]' - }, - 'GO:0030385': { - 'name': 'ferredoxin:thioredoxin reductase activity', - 'def': 'Catalysis of the two-electron reduction of the disulfide of thioredoxins with electrons from ferredoxin involving a 4Fe-4S cluster and an adjacent active-site disulfide. [PMID:14769790]' - }, - 'GO:0030386': { - 'name': 'ferredoxin:thioredoxin reductase complex', - 'def': 'A protein complex that possesses ferredoxin:thioredoxin reductase activity. [GOC:mah]' - }, - 'GO:0030387': { - 'name': 'fructosamine-3-kinase activity', - 'def': 'Catalysis of the phosphorylation of fructosamine to form fructosamine-3-kinase. [PMID:11016445]' - }, - 'GO:0030388': { - 'name': 'fructose 1,6-bisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving fructose 1,6-bisphosphate, also known as FBP. The D enantiomer is a metabolic intermediate in glycolysis and gluconeogenesis. [ISBN:0198506732]' - }, - 'GO:0030389': { - 'name': 'fructosamine metabolic process', - 'def': 'The chemical reactions and pathways involving fructosamine, a fructose molecule containing an amino group in place of a hydroxyl group. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0030391': { - 'name': 'fructosamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fructosamine, a fructose molecule containing an amino group in place of a hydroxyl group. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0030392': { - 'name': 'fructosamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fructosamine, a fructose molecule containing an amino group in place of a hydroxyl group. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0030393': { - 'name': 'fructoselysine metabolic process', - 'def': 'The chemical reactions and pathways involving fructoselysine, a fructose molecule containing a lysine group in place of a hydroxyl group. [GOC:ai]' - }, - 'GO:0030394': { - 'name': 'fructoseglycine metabolic process', - 'def': 'The chemical reactions and pathways involving fructoseglycine, a fructose molecule containing a glycine group in place of a hydroxyl group. [GOC:ai]' - }, - 'GO:0030395': { - 'name': 'lactose binding', - 'def': 'Interacting selectively and non-covalently with lactose, a disaccharide of glucose and galactose, the carbohydrate of milk. [GOC:jl, ISBN:01928006X]' - }, - 'GO:0030397': { - 'name': 'membrane disassembly', - 'def': 'The controlled breakdown of any cell membrane in the context of a normal process such as autophagy. [GOC:mah]' - }, - 'GO:0030398': { - 'name': 'peroxisomal membrane disassembly', - 'def': 'The controlled breakdown of the membranes of cargo-carrying vesicles formed during peroxisome degradation. [GOC:mah, PMID:11382760]' - }, - 'GO:0030399': { - 'name': 'autophagosome membrane disassembly', - 'def': 'The controlled breakdown of the membranes of autophagosomes. [GOC:autophagy, GOC:mah]' - }, - 'GO:0030400': { - 'name': 'obsolete protease substrate recruitment factor activity', - 'def': 'OBSOLETE. A recruiting factor or adaptor molecule associated with the proteasome that activates degradation of specific proteasomal substrates and links them to the degradation machinery; it is not involved in ubiquitination; does not possess proteolytic activity. [PMID:11500370]' - }, - 'GO:0030401': { - 'name': 'obsolete transcription antiterminator activity', - 'def': 'OBSOLETE. Functions to prevent the termination of RNA synthesis. Acts as a regulatory device, e.g. in phage lambda, enabling a terminator to be masked from RNA polymerase so that distal genes can be expressed. [ISBN:0198506732]' - }, - 'GO:0030402': { - 'name': 'obsolete matrilysin-2 activity', - 'def': 'OBSOLETE. Was not defined before being made obsolete. [GOC:mah]' - }, - 'GO:0030403': { - 'name': 'obsolete collagenase 4 activity', - 'def': 'OBSOLETE. Was not defined before being made obsolete. [GOC:mah]' - }, - 'GO:0030404': { - 'name': 'obsolete collagenase 3 activity', - 'def': 'OBSOLETE. Was not defined before being made obsolete. [GOC:mah]' - }, - 'GO:0030405': { - 'name': 'obsolete matrix metalloproteinase 19 activity', - 'def': 'OBSOLETE. Was not defined before being made obsolete. [GOC:mah]' - }, - 'GO:0030406': { - 'name': 'obsolete matrix metalloproteinase 25 activity', - 'def': 'OBSOLETE. Was not defined before being made obsolete. [GOC:mah]' - }, - 'GO:0030407': { - 'name': 'formimidoyltransferase activity', - 'def': 'Catalysis of the transfer of a formimino group from 5-formimidoyltetrahydrofolate to an acceptor molecule such as an amino acid. [EC:2.1.2.4, EC:2.1.2.5, GOC:mah]' - }, - 'GO:0030408': { - 'name': 'glycine formimidoyltransferase activity', - 'def': 'Catalysis of the reaction: 5-formimidoyltetrahydrofolate + glycine = (6S)-5,6,7,8-tetrahydrofolate + N-formimidoylglycine. [EC:2.1.2.4, RHEA:24291]' - }, - 'GO:0030409': { - 'name': 'glutamate formimidoyltransferase activity', - 'def': 'Catalysis of the reaction: 5-formimidoyltetrahydrofolate + L-glutamate = tetrahydrofolate + N-formimidoyl-L-glutamate. [EC:2.1.2.5]' - }, - 'GO:0030410': { - 'name': 'nicotianamine synthase activity', - 'def': "Catalysis of the reaction: 3 S-adenosyl-L-methionine(1+) = 3 S-methyl-5'-thioadenosine + 3 H(+) + nicotianamine. [EC:2.5.1.43, RHEA:16484]" - }, - 'GO:0030411': { - 'name': 'scytalone dehydratase activity', - 'def': 'Catalysis of the reaction: scytalone = 1,3,8-trihydroxynaphthalene + H(2)O. [EC:4.2.1.94, RHEA:24399]' - }, - 'GO:0030412': { - 'name': 'formimidoyltetrahydrofolate cyclodeaminase activity', - 'def': 'Catalysis of the reaction: 5-formimidoyltetrahydrofolate + 2 H(+) = 5,10-methenyltetrahydrofolate + NH(4)(+). [EC:4.3.1.4, RHEA:22739]' - }, - 'GO:0030413': { - 'name': 'competence pheromone activity', - 'def': 'A small peptide excreted by a naturally transformable bacterium (e.g. Bacillus subtilis) that transmits a signal required for the establishment of competence. [GOC:mah, PMID:7698645]' - }, - 'GO:0030414': { - 'name': 'peptidase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a peptidase, any enzyme that catalyzes the hydrolysis peptide bonds. [GOC:jl]' - }, - 'GO:0030415': { - 'name': 'obsolete carboxypeptidase A inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of the enzyme carboxypeptidase A. [GOC:ai]' - }, - 'GO:0030416': { - 'name': 'methylamine metabolic process', - 'def': 'The chemical reactions and pathways involving methylamine (CH3NH2). [ISBN:0721662544]' - }, - 'GO:0030417': { - 'name': 'nicotianamine metabolic process', - 'def': "The chemical reactions and pathways involving nicotianamine, 2(S),3'2(S),3''(S)-N-(N-(3-amino-3-carboxypropyl)-3-amino-3-carboxypropyl)-azetidine-2-carboxylic acid. [GOC:mah, PMID:10069850]" - }, - 'GO:0030418': { - 'name': 'nicotianamine biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of nicotianamine, 2(S),3'2(S),3''(S)-N-(N-(3-amino-3-carboxypropyl)-3-amino-3-carboxypropyl)-azetidine-2-carboxylic acid. [GOC:mah, PMID:10069850]" - }, - 'GO:0030419': { - 'name': 'nicotianamine catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of nicotianamine, 2(S),3'2(S),3''(S)-N-(N-(3-amino-3-carboxypropyl)-3-amino-3-carboxypropyl)-azetidine-2-carboxylic acid. [GOC:mah, PMID:10069850]" - }, - 'GO:0030420': { - 'name': 'establishment of competence for transformation', - 'def': 'The process in which a naturally transformable bacterium acquires the ability to take up exogenous DNA. This term should be applied only to naturally transformable bacteria, and should not be used in the context of artificially induced bacterial transformation. [GOC:mah, ISBN:1555811027]' - }, - 'GO:0030421': { - 'name': 'defecation', - 'def': 'The expulsion of feces from the rectum. [GOC:mah]' - }, - 'GO:0030422': { - 'name': 'production of siRNA involved in RNA interference', - 'def': 'Cleavage of double-stranded RNA to form small interfering RNA molecules (siRNAs) of 21-23 nucleotides, in the context of RNA interference. [GOC:mah, PMID:11524674]' - }, - 'GO:0030423': { - 'name': 'targeting of mRNA for destruction involved in RNA interference', - 'def': 'The process in which small interfering RNAs target cognate mRNA molecules for degradation. [PMID:11524674]' - }, - 'GO:0030424': { - 'name': 'axon', - 'def': 'The long process of a neuron that conducts nerve impulses, usually away from the cell body to the terminals and varicosities, which are sites of storage and release of neurotransmitter. [GOC:nln, ISBN:0198506732]' - }, - 'GO:0030425': { - 'name': 'dendrite', - 'def': 'A neuron projection that has a short, tapering, often branched, morphology, receives and integrates signals from other neurons or from sensory stimuli, and conducts a nerve impulse towards the axon or the cell body. In most neurons, the impulse is conveyed from dendrites to axon via the cell body, but in some types of unipolar neuron, the impulse does not travel via the cell body. [GOC:dos, GOC:mah, GOC:nln, ISBN:0198506732]' - }, - 'GO:0030426': { - 'name': 'growth cone', - 'def': 'The migrating motile tip of a growing nerve cell axon or dendrite. [ISBN:0815316194]' - }, - 'GO:0030427': { - 'name': 'site of polarized growth', - 'def': 'Any part of a cell where non-isotropic growth takes place. [GOC:mah]' - }, - 'GO:0030428': { - 'name': 'cell septum', - 'def': 'A structure composed of peptidoglycan and often chitin in addition to other materials. It usually forms perpendicular to the long axis of a cell or hypha and grows centripetally from the cell wall to the center of the cell and often functions in the compartmentalization of a cell into two daughter cells. [GOC:clt, ISBN:0471940526]' - }, - 'GO:0030429': { - 'name': 'kynureninase activity', - 'def': 'Catalysis of the reaction: L-kynurenine + H2O = anthranilate + L-alanine. [EC:3.7.1.3]' - }, - 'GO:0030430': { - 'name': 'host cell cytoplasm', - 'def': 'The cytoplasm of a host cell. [GOC:mah]' - }, - 'GO:0030431': { - 'name': 'sleep', - 'def': 'Any process in which an organism enters and maintains a periodic, readily reversible state of reduced awareness and metabolic activity. Usually accompanied by physical relaxation, the onset of sleep in humans and other mammals is marked by a change in the electrical activity of the brain. [ISBN:0192800981]' - }, - 'GO:0030432': { - 'name': 'peristalsis', - 'def': 'A wavelike sequence of involuntary muscular contraction and relaxation that passes along a tubelike structure, such as the intestine, impelling the contents onwards. [ISBN:0198506732]' - }, - 'GO:0030433': { - 'name': 'ubiquitin-dependent ERAD pathway', - 'def': 'The series of steps necessary to target endoplasmic reticulum (ER)-resident proteins for degradation by the cytoplasmic proteasome. Begins with recognition of the ER-resident protein, includes retrotranslocation (dislocation) of the protein from the ER to the cytosol, protein ubiquitination necessary for correct substrate transfer, transport of the protein to the proteasome, and ends with degradation of the protein by the cytoplasmic proteasome. [GOC:mah, GOC:rb, PMID:14607247, PMID:19520858]' - }, - 'GO:0030435': { - 'name': 'sporulation resulting in formation of a cellular spore', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a cellular spore, a cell form that can be used for dissemination, for survival of adverse conditions because of its heat and dessication resistance, and/or for reproduction. [GOC:mah, GOC:pamgo_curators, ISBN:0072992913]' - }, - 'GO:0030436': { - 'name': 'asexual sporulation', - 'def': 'The formation of spores derived from the products of mitosis. Examples of this process are found in Bacterial species. [GOC:mah, PMID:9529886]' - }, - 'GO:0030437': { - 'name': 'ascospore formation', - 'def': 'The process in which cells that are products of meiosis acquire the specialized features of ascospores. Ascospores are generally found in clusters of four or eight spores within a single mother cell, the ascus, and are characteristic of the ascomycete fungi (phylum Ascomycota). [GOC:di, GOC:mah, GOC:mcc, PMID:16339736]' - }, - 'GO:0030438': { - 'name': 'obsolete MAPKKK cascade during sporulation (sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mcc]' - }, - 'GO:0030439': { - 'name': 'obsolete activation of MAPK during sporulation (sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mcc]' - }, - 'GO:0030440': { - 'name': 'obsolete activation of MAPKK during sporulation (sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mcc]' - }, - 'GO:0030441': { - 'name': 'obsolete activation of MAPKKK during sporulation (sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mcc]' - }, - 'GO:0030442': { - 'name': 'obsolete inactivation of MAPK during sporulation (sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mcc]' - }, - 'GO:0030443': { - 'name': 'obsolete nuclear translocation of MAPK during sporulation (sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mcc]' - }, - 'GO:0030444': { - 'name': 'obsolete microtubule depolymerization during nuclear congression', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:elh]' - }, - 'GO:0030445': { - 'name': 'yeast-form cell wall', - 'def': 'The wall surrounding a cell of a dimorphic fungus growing in the single-cell budding yeast form, in contrast to the filamentous or hyphal form. [GOC:mah, GOC:mcc]' - }, - 'GO:0030446': { - 'name': 'hyphal cell wall', - 'def': 'The cell wall surrounding a fungal hypha. [GOC:mah]' - }, - 'GO:0030447': { - 'name': 'filamentous growth', - 'def': 'The process in which a multicellular organism, a unicellular organism or a group of unicellular organisms grow in a threadlike, filamentous shape. [GOC:mcc, PMID:11729141]' - }, - 'GO:0030448': { - 'name': 'hyphal growth', - 'def': 'Growth of fungi as threadlike, tubular structures that may contain multiple nuclei and may or may not be divided internally by septa, or cross-walls. [GOC:mcc, ISBN:0471522295]' - }, - 'GO:0030449': { - 'name': 'regulation of complement activation', - 'def': 'Any process that modulates the frequency, rate or extent of complement activation. [GOC:go_curators]' - }, - 'GO:0030450': { - 'name': 'regulation of complement activation, classical pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the classical pathway of complement activation. [GOC:go_curators]' - }, - 'GO:0030451': { - 'name': 'regulation of complement activation, alternative pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the alternative pathway of complement activation. [GOC:go_curators]' - }, - 'GO:0030455': { - 'name': 'obsolete MAPKKK cascade (mating sensu Fungi)', - 'def': 'OBSOLETE. MAPKKK cascade involved in transducing mating pheromone signal in a fungus. [GOC:mah]' - }, - 'GO:0030456': { - 'name': 'obsolete activation of MAPK (mating sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:elh]' - }, - 'GO:0030457': { - 'name': 'obsolete activation of MAPKK (mating sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:elh]' - }, - 'GO:0030458': { - 'name': 'obsolete activation of MAPKKK (mating sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:elh]' - }, - 'GO:0030459': { - 'name': 'obsolete inactivation of MAPK (mating sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:elh]' - }, - 'GO:0030460': { - 'name': 'obsolete nuclear translocation of MAPK (mating sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:elh]' - }, - 'GO:0030463': { - 'name': 'obsolete cell aging (sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0030464': { - 'name': 'obsolete aging dependent sterility (sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:sgd_curators]' - }, - 'GO:0030465': { - 'name': 'obsolete autophagic death (sensu Fungi)', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0030466': { - 'name': 'chromatin silencing at silent mating-type cassette', - 'def': 'Repression of transcription at silent mating-type loci by alteration of the structure of chromatin. [GOC:mcc]' - }, - 'GO:0030470': { - 'name': 'obsolete spore germination (sensu Fungi)', - 'def': 'OBSOLETE. Process of breakdown or opening of the spore-containing structure, modification of the spore wall, and resumption of growth of the spore. As in, but not restricted to, the fungi (Fungi, ncbi_taxonomy_id:4751). [GOC:mcc]' - }, - 'GO:0030471': { - 'name': 'obsolete spindle pole body and microtubule cycle (sensu Fungi)', - 'def': 'OBSOLETE. The dynamics of the spindle pole body and microtubule cytoskeleton during the cell cycle. Includes spindle pole body duplication and separation and formation and elongation of the mitotic spindle. As in, but not restricted to, the fungi (Fungi, ncbi_taxonomy_id:4751). [ISBN:0879693649]' - }, - 'GO:0030472': { - 'name': 'mitotic spindle organization in nucleus', - 'def': 'A process resulting in the assembly, arrangement of constituent parts, or disassembly of the microtubule spindle in the nucleus. The process occurs during a mitotic cell cycle and takes place at the cellular level. [GOC:mah]' - }, - 'GO:0030473': { - 'name': 'nuclear migration along microtubule', - 'def': 'The directed movement of the nucleus along microtubules within the cell, mediated by motor proteins. [GOC:mah, GOC:sgd_curators]' - }, - 'GO:0030474': { - 'name': 'spindle pole body duplication', - 'def': 'Construction of a new spindle pole body. [GOC:clt]' - }, - 'GO:0030476': { - 'name': 'ascospore wall assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an ascospore wall. During sporulation in Ascomycota, each ascospore nucleus becomes surrounded by a specialized spore wall, formed by deposition of spore wall components in the lumenal space between the outer and inner leaflets of the prospore membrane. An example of this process is found in Saccharomyces cerevisiae. [GOC:mcc, PMID:14702385]' - }, - 'GO:0030478': { - 'name': 'actin cap', - 'def': 'Polarized accumulation of cytoskeletal proteins (including F-actin) and regulatory proteins in a cell. An example of this is the actin cap found in Saccharomyces cerevisiae. [GOC:mah, ISBN:10652251]' - }, - 'GO:0030479': { - 'name': 'actin cortical patch', - 'def': 'An endocytic patch that consists of an actin-containing structure found at the plasma membrane in cells; formed of networks of branched actin filaments that lie just beneath the plasma membrane and assemble, move, and disassemble rapidly. An example of this is the actin cortical patch found in Saccharomyces cerevisiae. [GOC:mah, GOC:vw, ISBN:0879693568, ISBN:0879693649, PMID:16959963]' - }, - 'GO:0030484': { - 'name': 'obsolete muscle fiber', - 'def': 'OBSOLETE. The contractile fibers, composed of actin, myosin, and associated proteins, found in cells of smooth or striated muscle. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030485': { - 'name': 'smooth muscle contractile fiber', - 'def': 'The contractile fiber of smooth muscle cells. [GOC:mah]' - }, - 'GO:0030486': { - 'name': 'smooth muscle dense body', - 'def': 'Electron-dense region associated with a smooth muscle contractile fiber. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030487': { - 'name': 'inositol-4,5-bisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 4,5-bisphosphate + H2O = 1D-myo-inositol 4-phosphate + phosphate. [GOC:mah]' - }, - 'GO:0030488': { - 'name': 'tRNA methylation', - 'def': 'The posttranscriptional addition of methyl groups to specific residues in a tRNA molecule. [GOC:mah]' - }, - 'GO:0030489': { - 'name': 'obsolete processing of 27S pre-rRNA', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:curators]' - }, - 'GO:0030490': { - 'name': 'maturation of SSU-rRNA', - 'def': 'Any process involved in the maturation of a precursor Small SubUnit (SSU) ribosomal RNA (rRNA) molecule into a mature SSU-rRNA molecule. [GOC:curators]' - }, - 'GO:0030491': { - 'name': 'heteroduplex formation', - 'def': 'The formation of a stable duplex DNA that contains one strand from each of the two recombining DNA molecules. [GOC:elh, PMID:10357855]' - }, - 'GO:0030492': { - 'name': 'hemoglobin binding', - 'def': 'Interacting selectively and non-covalently with hemoglobin, an oxygen carrying, conjugated protein containing four heme groups and globin. [CHEBI:35143, GOC:jl]' - }, - 'GO:0030493': { - 'name': 'bacteriochlorophyll metabolic process', - 'def': 'The chemical reactions and pathways involving a bacteriochlorophyll, any of the chlorophylls of photosynthetic bacteria. They differ structurally from the chlorophylls of higher plants. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030494': { - 'name': 'bacteriochlorophyll biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a bacteriochlorophyll, any of the chlorophylls of photosynthetic bacteria. They differ structurally from the chlorophylls of higher plants. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030495': { - 'name': 'bacteriochlorophyll catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of bacteriochlorophyll, any of the chlorophylls of photosynthetic bacteria. They differ structurally from the chlorophylls of higher plants. [GOC:go_curators]' - }, - 'GO:0030496': { - 'name': 'midbody', - 'def': 'A thin cytoplasmic bridge formed between daughter cells at the end of cytokinesis. The midbody forms where the contractile ring constricts, and may persist for some time before finally breaking to complete cytokinesis. [ISBN:0815316194]' - }, - 'GO:0030497': { - 'name': 'fatty acid elongation', - 'def': 'The elongation of a fatty acid chain by the sequential addition of two-carbon units. [ISBN:0716720094]' - }, - 'GO:0030500': { - 'name': 'regulation of bone mineralization', - 'def': 'Any process that modulates the frequency, rate or extent of bone mineralization. [GOC:go_curators]' - }, - 'GO:0030501': { - 'name': 'positive regulation of bone mineralization', - 'def': 'Any process that activates or increases the frequency, rate or extent of bone mineralization. [GOC:go_curators]' - }, - 'GO:0030502': { - 'name': 'negative regulation of bone mineralization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of bone mineralization. [GOC:go_curators]' - }, - 'GO:0030504': { - 'name': 'inorganic diphosphate transmembrane transporter activity', - 'def': 'Enables the transfer of inorganic diphosphate across a membrane. [PMID:11326272]' - }, - 'GO:0030505': { - 'name': 'inorganic diphosphate transport', - 'def': 'The directed movement of inorganic diphosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0030506': { - 'name': 'ankyrin binding', - 'def': 'Interacting selectively and non-covalently with ankyrin, a 200 kDa cytoskeletal protein that attaches other cytoskeletal proteins to integral membrane proteins. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030507': { - 'name': 'spectrin binding', - 'def': 'Interacting selectively and non-covalently with spectrin, a protein that is the major constituent of the erythrocyte cytoskeletal network. It associates with band 4.1 (see band protein) and actin to form the cytoskeletal superstructure of the erythrocyte plasma membrane. It is composed of nonhomologous chains, alpha and beta, which aggregate side-to-side in an antiparallel fashion to form dimers, tetramers, and higher polymers. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030508': { - 'name': 'obsolete thiol-disulfide exchange intermediate activity', - 'def': 'OBSOLETE. Functions as an exchange intermediate in thiol-disulfide exchange reactions. [GOC:kd, GOC:mah]' - }, - 'GO:0030509': { - 'name': 'BMP signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, ISBN:0878932437, PR:000000034]' - }, - 'GO:0030510': { - 'name': 'regulation of BMP signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the activity of any BMP receptor signaling pathway. [GOC:mah]' - }, - 'GO:0030511': { - 'name': 'positive regulation of transforming growth factor beta receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of TGF-beta receptor signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0030512': { - 'name': 'negative regulation of transforming growth factor beta receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of any TGF-beta receptor signaling pathway. [GOC:mah]' - }, - 'GO:0030513': { - 'name': 'positive regulation of BMP signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of BMP signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0030514': { - 'name': 'negative regulation of BMP signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the BMP signaling pathway. [GOC:go_curators]' - }, - 'GO:0030515': { - 'name': 'snoRNA binding', - 'def': 'Interacting selectively and non-covalently with small nucleolar RNA. [GOC:mah]' - }, - 'GO:0030516': { - 'name': 'regulation of axon extension', - 'def': 'Any process that modulates the rate, direction or extent of axon extension. [GOC:go_curators]' - }, - 'GO:0030517': { - 'name': 'negative regulation of axon extension', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of axon outgrowth. [GOC:mah]' - }, - 'GO:0030518': { - 'name': 'intracellular steroid hormone receptor signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of a intracellular steroid hormone receptor binding to one of its physiological ligands. [GOC:mah, GOC:signaling]' - }, - 'GO:0030519': { - 'name': 'snoRNP binding', - 'def': 'Interacting selectively and non-covalently with any part of a small nucleolar ribonucleoprotein particle. [GOC:mah]' - }, - 'GO:0030520': { - 'name': 'intracellular estrogen receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of an intracellular estrogen receptor binding to one of its physiological ligands. The pathway begins with receptor-ligand binding, and ends with regulation of a downstream cellular process (e.g. transcription). [GOC:mah, GOC:signaling]' - }, - 'GO:0030521': { - 'name': 'androgen receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of an androgen binding to its receptor. [GOC:mah]' - }, - 'GO:0030522': { - 'name': 'intracellular receptor signaling pathway', - 'def': 'Any series of molecular signals initiated by a ligand binding to an receptor located within a cell. [GOC:bf, GOC:mah]' - }, - 'GO:0030523': { - 'name': 'dihydrolipoamide S-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + dihydrolipoamide = CoA + S-acyldihydrolipoamide. [EC:2.3.1.12, GOC:mah]' - }, - 'GO:0030526': { - 'name': 'granulocyte macrophage colony-stimulating factor receptor complex', - 'def': 'The heterodimeric receptor for granulocyte macrophage colony-stimulating factor. [GOC:mah]' - }, - 'GO:0030527': { - 'name': 'structural constituent of chromatin', - 'def': 'The action of a molecule that contributes to the structural integrity of chromatin. [GOC:ai]' - }, - 'GO:0030528': { - 'name': 'obsolete transcription regulator activity', - 'def': 'OBSOLETE. Plays a role in regulating transcription; may bind a promoter or enhancer DNA sequence or interact with a DNA-binding transcription factor. [GOC:mah]' - }, - 'GO:0030529': { - 'name': 'intracellular ribonucleoprotein complex', - 'def': 'An intracellular macromolecular complex containing both protein and RNA molecules. [GOC:krc, GOC:vesicles]' - }, - 'GO:0030530': { - 'name': 'obsolete heterogeneous nuclear ribonucleoprotein complex', - 'def': 'OBSOLETE. Particulate complex of heterogeneous nuclear RNA (hnRNA; a heterogeneous mixture of RNA molecules of high Mr with a rapid turnover rate that occurs in cell nuclei during protein synthesis; it is the form of RNA synthesized in eukaryotes by RNA polymerase II, that which is translated into protein) with protein, which is cell-specific and heterogeneous. The protein component may play a role in the processing of the hnRNA to mRNA. [ISBN:0198506732]' - }, - 'GO:0030531': { - 'name': 'obsolete small cytoplasmic ribonucleoprotein complex', - 'def': 'OBSOLETE. A complex composed of RNA of the small cytoplasmic RNA (scRNA) class and protein, found in the cytoplasm. [GOC:krc, GOC:mah]' - }, - 'GO:0030532': { - 'name': 'small nuclear ribonucleoprotein complex', - 'def': 'A complex composed of RNA of the small nuclear RNA (snRNA) class and protein, found in the nucleus of a eukaryotic cell. These are typically named after the snRNA(s) they contain, e.g. U1 snRNP or U4/U6 snRNP. Many, but not all, of these complexes are involved in splicing of nuclear mRNAs. [GOC:krc, GOC:mah, ISBN:0879695897]' - }, - 'GO:0030533': { - 'name': 'triplet codon-amino acid adaptor activity', - 'def': 'The codon binding activity of a tRNA that positions an activated amino acid, mediating its insertion at the correct point in the sequence of a nascent polypeptide chain during protein synthesis. [GOC:hjd, GOC:mtg_MIT_16mar07, ISBN:0198506732]' - }, - 'GO:0030534': { - 'name': 'adult behavior', - 'def': 'Behavior in a fully developed and mature organism. [GOC:mah, ISBN:0877797099]' - }, - 'GO:0030535': { - 'name': 'obsolete adult feeding behavior (sensu Insecta)', - 'def': 'OBSOLETE. Feeding behavior in a fully developed and mature organism, as described in insects. [GOC:go_curators, GOC:jid]' - }, - 'GO:0030536': { - 'name': 'larval feeding behavior', - 'def': 'Feeding behavior in a larval (immature) organism. [GOC:mah]' - }, - 'GO:0030537': { - 'name': 'larval behavior', - 'def': 'Behavior in a larval form of an organism, an immature organism that must undergo metamorphosis to assume adult characteristics. [GOC:mah, ISBN:0877797099]' - }, - 'GO:0030538': { - 'name': 'embryonic genitalia morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the genitalia are generated and organized. [GOC:bf]' - }, - 'GO:0030539': { - 'name': 'male genitalia development', - 'def': 'The process whose specific outcome is the progression of the male genitalia over time, from its formation to the mature structure. [GOC:ems, ISBN:0140512888]' - }, - 'GO:0030540': { - 'name': 'female genitalia development', - 'def': 'The process whose specific outcome is the progression of the female genitalia over time, from formation to the mature structure. [GOC:mah]' - }, - 'GO:0030541': { - 'name': 'plasmid partitioning', - 'def': 'Any process in which plasmids are segregated or distributed into daughter cells upon cell division. [GOC:mah]' - }, - 'GO:0030543': { - 'name': '2-micrometer plasmid partitioning', - 'def': 'The process in which copies of the 2-micrometer plasmid, found in fungi such as Saccharomyces, are distributed to daughter cells upon cell division. [GOC:mah]' - }, - 'GO:0030544': { - 'name': 'Hsp70 protein binding', - 'def': 'Interacting selectively and non-covalently with Hsp70 proteins, any of a group of heat shock proteins around 70kDa in size. [ISBN:0198506732]' - }, - 'GO:0030545': { - 'name': 'receptor regulator activity', - 'def': 'The function of interacting (directly or indirectly) with receptors such that the proportion of receptors in the active form is changed. [GOC:ceb]' - }, - 'GO:0030546': { - 'name': 'receptor activator activity', - 'def': 'The function of interacting (directly or indirectly) with receptors such that the proportion of receptors in the active form is increased. [GOC:ceb]' - }, - 'GO:0030547': { - 'name': 'receptor inhibitor activity', - 'def': 'The function of interacting (directly or indirectly) with receptors such that the proportion of receptors in the active form is decreased. [GOC:ceb]' - }, - 'GO:0030548': { - 'name': 'acetylcholine receptor regulator activity', - 'def': 'Interacting (directly or indirectly) with acetylcholine receptors such that the proportion of receptors in the active form is changed. [GOC:mah]' - }, - 'GO:0030549': { - 'name': 'acetylcholine receptor activator activity', - 'def': 'Interacting (directly or indirectly) with acetylcholine receptors such that the proportion of receptors in the active form is increased. [GOC:mah]' - }, - 'GO:0030550': { - 'name': 'acetylcholine receptor inhibitor activity', - 'def': 'Interacting (directly or indirectly) with acetylcholine receptors such that the proportion of receptors in the active form is decreased. [GOC:mah]' - }, - 'GO:0030551': { - 'name': 'cyclic nucleotide binding', - 'def': 'Interacting selectively and non-covalently with a cyclic nucleotide, a nucleotide in which the phosphate group is in diester linkage to two positions on the sugar residue. [GOC:ai]' - }, - 'GO:0030552': { - 'name': 'cAMP binding', - 'def': "Interacting selectively and non-covalently with cAMP, the nucleotide cyclic AMP (adenosine 3',5'-cyclophosphate). [GOC:ai]" - }, - 'GO:0030553': { - 'name': 'cGMP binding', - 'def': "Interacting selectively and non-covalently with cGMP, the nucleotide cyclic GMP (guanosine 3',5'-cyclophosphate). [GOC:ai]" - }, - 'GO:0030554': { - 'name': 'adenyl nucleotide binding', - 'def': 'Interacting selectively and non-covalently with adenyl nucleotides, any compound consisting of adenosine esterified with (ortho)phosphate. [ISBN:0198506732]' - }, - 'GO:0030555': { - 'name': 'RNA modification guide activity', - 'def': 'Specifies the site of a posttranscriptional modification in an RNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]' - }, - 'GO:0030556': { - 'name': 'rRNA modification guide activity', - 'def': 'Specifies the site of a posttranscriptional modification in an rRNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]' - }, - 'GO:0030557': { - 'name': 'tRNA modification guide activity', - 'def': 'Specifies the site of a posttranscriptional modification in a tRNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]' - }, - 'GO:0030558': { - 'name': 'RNA pseudouridylation guide activity', - 'def': 'Specifies the site of pseudouridylation in an RNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]' - }, - 'GO:0030559': { - 'name': 'rRNA pseudouridylation guide activity', - 'def': 'Specifies the site of pseudouridylation in an rRNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]' - }, - 'GO:0030560': { - 'name': 'tRNA pseudouridylation guide activity', - 'def': 'Specifies the site of pseudouridylation in a tRNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]' - }, - 'GO:0030561': { - 'name': "RNA 2'-O-ribose methylation guide activity", - 'def': "Specifies the site of 2'-O-ribose methylation in an RNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]" - }, - 'GO:0030562': { - 'name': "rRNA 2'-O-ribose methylation guide activity", - 'def': "Specifies the site of 2'-O-ribose methylation in an rRNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]" - }, - 'GO:0030563': { - 'name': "snRNA 2'-O-ribose methylation guide activity", - 'def': "Activity that provides specificity to a methylase by using base complementarity to guide site-specific 2'-O-ribose methylations to a small nuclear RNA molecule. [PMID:11733745]" - }, - 'GO:0030564': { - 'name': "tRNA 2'-O-ribose methylation guide activity", - 'def': "Specifies the site of 2'-O-ribose methylation in a tRNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]" - }, - 'GO:0030565': { - 'name': 'snRNA pseudouridylation guide activity', - 'def': 'Activity that provides specificity to a pseudouridine synthetase by using base complementarity to guide site-specific pseudouridylations to a small nuclear RNA molecule. [PMID:11733745]' - }, - 'GO:0030566': { - 'name': 'snRNA modification guide activity', - 'def': 'Specifies the site of a posttranscriptional modification in an snRNA molecule by base pairing with a short sequence around the target residue. [GOC:mah, PMID:12457565]' - }, - 'GO:0030567': { - 'name': 'obsolete thrombin activator activity', - 'def': 'OBSOLETE. Increases the rate of proteolysis catalyzed by thrombin. [GOC:mah]' - }, - 'GO:0030568': { - 'name': 'obsolete plasmin inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of the serine endopeptidase plasmin. [GOC:mah]' - }, - 'GO:0030569': { - 'name': 'obsolete chymotrypsin inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of the serine endopeptidase chymotrypsin. [GOC:mah]' - }, - 'GO:0030570': { - 'name': 'pectate lyase activity', - 'def': 'Catalysis of the reaction: a pectate = a pectate + a pectate oligosaccharide with 4-(4-deoxy-alpha-D-galact-4-enuronosyl)-D-galacturonate end. This reaction is the eliminative cleavage of pectate to give oligosaccharides with 4-deoxy-alpha-D-gluc-4-enuronosyl groups at their non-reducing ends. [EC:4.2.2.2]' - }, - 'GO:0030572': { - 'name': 'phosphatidyltransferase activity', - 'def': 'Catalysis of the reaction involving the transfer of a phosphatidate (otherwise known as diacylglycerol 3-phosphosphate) group. [GOC:mb]' - }, - 'GO:0030573': { - 'name': 'bile acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of bile acids, any of a group of steroid carboxylic acids occurring in bile. [GOC:go_curators]' - }, - 'GO:0030574': { - 'name': 'collagen catabolic process', - 'def': 'The proteolytic chemical reactions and pathways resulting in the breakdown of collagen in the extracellular matrix, usually carried out by proteases secreted by nearby cells. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0030575': { - 'name': 'nuclear body organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of any of the extra-nucleolar nuclear domains usually visualized by confocal microscopy and fluorescent antibodies to specific proteins. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0030576': { - 'name': 'Cajal body organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of Cajal bodies, nuclear bodies that appear ultrastructurally as a tangle of coiled, electron-dense threads roughly 0.5 micrometers in diameter and are enriched in ribonucleoproteins, and certain general RNA polymerase II transcription factors. [GOC:mah, PMID:11031238]' - }, - 'GO:0030577': { - 'name': 'Lands organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of Lands, a class of nuclear body that react against SP140 auto-antibodies. [GOC:mah, PMID:10921892, PMID:8695863]' - }, - 'GO:0030578': { - 'name': 'PML body organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of PML bodies, a class of nuclear body; they react against SP100 auto-antibodies (PML = promyelocytic leukemia). [GOC:mah, PMID:10806078]' - }, - 'GO:0030579': { - 'name': 'ubiquitin-dependent SMAD protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of SMAD signaling proteins by ubiquitination and targeting to the proteasome. [GOC:go_curators]' - }, - 'GO:0030580': { - 'name': 'quinone cofactor methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosylmethionine during the synthesis of quinone cofactors such as ubiquinone (coenzyme Q), menaquinone (vitamin K2), plastoquinone and phylloquinone (vitamin K1). [GOC:mb]' - }, - 'GO:0030581': { - 'name': 'symbiont intracellular protein transport in host', - 'def': "The directed movement of a symbiont's proteins within a cell of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mb]" - }, - 'GO:0030582': { - 'name': 'reproductive fruiting body development', - 'def': 'The process whose specific outcome is the progression of a reproductive fruiting body over time, from its formation to the mature structure. A reproductive fruiting body is a multicellular reproductive structure that contains spores. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0030583': { - 'name': 'myxococcal fruiting body development', - 'def': 'The process whose specific outcome is the progression of the myxococcal fruiting body over time, from its formation to the mature structure. The process begins when myxococci respond to a lack of nutrients in the environment and ends when the myxococcal fruiting body is a mature structure. [GOC:mtg_sensu, ISBN:0815316194, PMID:11121786]' - }, - 'GO:0030584': { - 'name': 'sporocarp development', - 'def': 'The process whose specific outcome is the progression of a sporocarp over time, from its formation to the mature structure. The sporocarp is a spore bearing fruiting body organ. An example of this process is found in the Fungal species Coprinopsis cinerea. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0030585': { - 'name': 'phosphoenolpyruvate carboxykinase (diphosphate) activity', - 'def': 'Catalysis of the reaction: diphosphate + oxaloacetate = CO(2) + phosphate + phosphoenolpyruvate. [EC:4.1.1.38, RHEA:22359]' - }, - 'GO:0030586': { - 'name': '[methionine synthase] reductase activity', - 'def': 'Catalysis of the reaction: [methionine synthase]-cob(II)alamin + NADPH + H+ + S-adenosyl methionine = [methionine synthase]-methylcob(I)alamin + S-adenosylhomocysteine + NADP+. [EC:1.16.1.8]' - }, - 'GO:0030587': { - 'name': 'sorocarp development', - 'def': 'The process whose specific outcome is the progression of the sorocarp over time, from its formation to the mature structure. The process begins with the aggregation of individual cells and ends with the mature sorocarp. The sorocarp is a structure containing a spore-bearing sorus that sits on top of a stalk. An example of this process is found in Dictyostelium discoideum. [dictyBase_REF:2530, GOC:mah, GOC:mtg_sensu, ISBN:0521583640]' - }, - 'GO:0030588': { - 'name': 'pseudocleavage', - 'def': 'Partial constriction of the cytoplasm of an embryo to form a furrow that resembles a cleavage furrow but does not complete cytokinesis. [GOC:mah, PMID:10751167, PMID:7729583]' - }, - 'GO:0030589': { - 'name': 'pseudocleavage involved in syncytial blastoderm formation', - 'def': 'Formation of furrows in the cytoplasm between nuclei during cell cycles in embryos that contribute to the formation of the syncytial blastoderm. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu]' - }, - 'GO:0030590': { - 'name': 'first cell cycle pseudocleavage', - 'def': 'A process that occurs during the first cell cycle in an embryo, in which anterior cortical contractions culminate in a single partial constriction of the embryo called the pseudocleavage furrow. An example of this process is found in nematode worms. [GOC:mtg_sensu, PMID:7729583]' - }, - 'GO:0030591': { - 'name': 'NAD DNA ADP-ribosyltransferase activity', - 'def': "Catalysis of the transfer of the ADP-ribose group of NAD+ to the amino group at N2 of 2'-deoxyguanosine to yield N2-(alpha-ADP-ribos-1-yl)-2'-deoxyguanosine and its beta form. [PMID:11592983]" - }, - 'GO:0030592': { - 'name': 'DNA ADP-ribosylation', - 'def': "The covalent attachment of an ADP-ribosyl group to the amino group at N2 of a 2'-deoxyguanosine residue in double-stranded DNA. [PMID:11592983]" - }, - 'GO:0030593': { - 'name': 'neutrophil chemotaxis', - 'def': 'The directed movement of a neutrophil cell, the most numerous polymorphonuclear leukocyte found in the blood, in response to an external stimulus, usually an infection or wounding. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0030594': { - 'name': 'neurotransmitter receptor activity', - 'def': 'Combining with a neurotransmitter and transmitting the signal to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0030595': { - 'name': 'leukocyte chemotaxis', - 'def': 'The movement of a leukocyte in response to an external stimulus. [GOC:add, GOC:jl]' - }, - 'GO:0030596': { - 'name': 'alpha-L-rhamnosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal non-reducing alpha-L-rhamnose residues in alpha-L-rhamnosides. [EC:3.2.1.40]' - }, - 'GO:0030597': { - 'name': 'RNA glycosylase activity', - 'def': 'Catalysis of the hydrolysis of N-glycosidic bonds in an RNA molecule. [GOC:mah]' - }, - 'GO:0030598': { - 'name': 'rRNA N-glycosylase activity', - 'def': 'Catalysis of the hydrolysis of the N-glycosylic bond at A-4324 in 28S rRNA from rat ribosomes or corresponding sites in 28S RNA from other species. [EC:3.2.2.22, GOC:mah]' - }, - 'GO:0030599': { - 'name': 'pectinesterase activity', - 'def': 'Catalysis of the reaction: pectin + n H2O = n methanol + pectate. [EC:3.1.1.11]' - }, - 'GO:0030600': { - 'name': 'feruloyl esterase activity', - 'def': 'Catalysis of the reaction: feruloyl-polysaccharide + H2O = ferulate + polysaccharide. [EC:3.1.1.73]' - }, - 'GO:0030601': { - 'name': 'obsolete aminopeptidase B activity', - 'def': "OBSOLETE. Catalysis of the release of N-terminal Arg and Lys from oligopeptides when P1' is not Pro. Also acts on arylamides of Arg and Lys. [EC:3.4.11.6]" - }, - 'GO:0030602': { - 'name': 'obsolete chymosin activity', - 'def': 'OBSOLETE. Catalysis of the lysis of peptide bonds with broad specificity similar to that of pepsin A. Clots milk by cleavage of a single Ser-Phe-l-Met-Ala bond in kappa-casein. [EC:3.4.23.4]' - }, - 'GO:0030603': { - 'name': 'oxaloacetase activity', - 'def': 'Catalysis of the reaction: H(2)O + oxaloacetate = acetate + H(+) + oxalate. [EC:3.7.1.1, RHEA:24435]' - }, - 'GO:0030604': { - 'name': '1-deoxy-D-xylulose-5-phosphate reductoisomerase activity', - 'def': 'Catalysis of the reaction: 2-C-methyl-D-erythritol 4-phosphate + NADP(+) = 1-deoxy-D-xylulose 5-phosphate + H(+) + NADPH. [EC:1.1.1.267, RHEA:13720]' - }, - 'GO:0030611': { - 'name': 'arsenate reductase activity', - 'def': 'Catalysis of the interconversion of arsenate and arsenite. [GOC:mah]' - }, - 'GO:0030612': { - 'name': 'arsenate reductase (thioredoxin) activity', - 'def': 'Catalysis of the reaction: arsenate + thioredoxin = arsenite + thioredoxin disulfide. Thioredoxin disulfide is also known as oxidized thioredoxin. [MetaCyc:RXN-10737]' - }, - 'GO:0030613': { - 'name': 'oxidoreductase activity, acting on phosphorus or arsenic in donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a phosphorus- or arsenic-containing group acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:mah]' - }, - 'GO:0030614': { - 'name': 'oxidoreductase activity, acting on phosphorus or arsenic in donors, disulfide as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a phosphorus- or arsenic-containing group acts as a hydrogen or electron donor and reduces a disulfide. [GOC:mah]' - }, - 'GO:0030616': { - 'name': 'transforming growth factor beta receptor, common-partner cytoplasmic mediator activity', - 'def': 'A TGF-beta cytoplasmic mediator that forms a complex with a phosphorylated pathway-specific mediator. The heterocomplex translocates to the nucleus to regulate transcription. [GOC:hjd]' - }, - 'GO:0030617': { - 'name': 'transforming growth factor beta receptor, inhibitory cytoplasmic mediator activity', - 'def': 'A TGF-beta cytoplasmic mediator that inhibits the signaling function of common-partner and pathway-specific mediators. [PMID:9759503]' - }, - 'GO:0030618': { - 'name': 'transforming growth factor beta receptor, pathway-specific cytoplasmic mediator activity', - 'def': 'A TGF-beta cytoplasmic mediator that is phosphorylated by a TGFbeta receptor and complexes with a common-partner mediator. The- heterocomplex translocates to the nucleus to regulate transcription. [GOC:hjd]' - }, - 'GO:0030619': { - 'name': 'U1 snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U1 small nuclear RNA (U1 snRNA). [GOC:mah]' - }, - 'GO:0030620': { - 'name': 'U2 snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U2 small nuclear RNA (U2 snRNA). [GOC:jl]' - }, - 'GO:0030621': { - 'name': 'U4 snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U4 small nuclear RNA (U4 snRNA). [GOC:jl]' - }, - 'GO:0030622': { - 'name': 'U4atac snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U4atac small nuclear RNA (U4atac snRNA). [GOC:jl]' - }, - 'GO:0030623': { - 'name': 'U5 snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U5 small nuclear RNA (U5 snRNA). [GOC:jl]' - }, - 'GO:0030624': { - 'name': 'U6atac snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U6atac small nuclear RNA (U6atac snRNA). [GOC:jl]' - }, - 'GO:0030625': { - 'name': 'U11 snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U11 small nuclear RNA (U11 snRNA). [GOC:jl]' - }, - 'GO:0030626': { - 'name': 'U12 snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U12 small nuclear RNA (U12 snRNA). [GOC:jl]' - }, - 'GO:0030627': { - 'name': "pre-mRNA 5'-splice site binding", - 'def': "Interacting selectively and non-covalently with the pre-mRNA 5' splice site sequence. [GOC:jl]" - }, - 'GO:0030628': { - 'name': "pre-mRNA 3'-splice site binding", - 'def': "Interacting selectively and non-covalently with the pre-mRNA 3' splice site sequence. [GOC:jl]" - }, - 'GO:0030629': { - 'name': "U6 snRNA 3'-end binding", - 'def': "Interacting selectively and non-covalently with the 3' end of the U6 small nuclear RNA (U6 snRNA). [GOC:mah]" - }, - 'GO:0030631': { - 'name': 'pyrrolysine incorporation', - 'def': 'The incorporation of pyrrolysine, also known as lysine methylamine methyltransferase cofactor adduct, into a peptide; uses a special tRNA that recognizes the UAG codon as a modified lysine, rather than as a termination codon. Pyrrolysine may be synthesized as a free amino acid or synthesized from a lysine charged tRNA before its incorporation; it is not a posttranslational modification of peptidyl-lysine; this modification is found in several Methanosarcina methylamine methyltransferases. [PMID:11435424, PMID:17204561, RESID:AA0321]' - }, - 'GO:0030632': { - 'name': 'D-alanine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-alanine, the D-enantiomer of the amino acid alanine, i.e (2R)-2-aminopropanoic acid. [CHEBI:15570, GOC:jsg, GOC:mah]' - }, - 'GO:0030633': { - 'name': 'D-alanine family amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-alanine and related amino acids. [GOC:mah]' - }, - 'GO:0030634': { - 'name': 'carbon fixation by acetyl-CoA pathway', - 'def': 'A pathway of carbon dioxide fixation in which one molecule of acetyl-CoA is completely synthesized from two molecules of carbon dioxide (CO2). [PMID:11607093]' - }, - 'GO:0030635': { - 'name': 'obsolete acetate derivative metabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways involving derivatives of acetic acid. [GOC:mah]' - }, - 'GO:0030636': { - 'name': 'obsolete acetate derivative biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of derivatives of acetic acid. [GOC:mah]' - }, - 'GO:0030637': { - 'name': 'obsolete acetate derivative catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of derivatives of acetic acid. [GOC:ai]' - }, - 'GO:0030638': { - 'name': 'polyketide metabolic process', - 'def': 'The chemical reactions and pathways involving polyketides, any of a diverse group of natural products synthesized via linear poly-beta-ketones, which are themselves formed by repetitive head-to-tail addition of acetyl (or substituted acetyl) units indirectly derived from acetate (or a substituted acetate) by a mechanism similar to that for fatty acid biosynthesis but without the intermediate reductive steps. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030639': { - 'name': 'polyketide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polyketides, any of a diverse group of natural products synthesized via linear poly-beta-ketones, which are themselves formed by repetitive head-to-tail addition of acetyl (or substituted acetyl) units indirectly derived from acetate (or a substituted acetate) by a mechanism similar to that for fatty acid biosynthesis but without the intermediate reductive steps. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030640': { - 'name': 'polyketide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of polyketides, any of a diverse group of natural products synthesized via linear poly-beta-ketones, which are themselves formed by repetitive head-to-tail addition of acetyl (or substituted acetyl) units indirectly derived from acetate (or a substituted acetate) by a mechanism similar to that for fatty acid biosynthesis but without the intermediate reductive steps. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030641': { - 'name': 'regulation of cellular pH', - 'def': 'Any process involved in the maintenance of an internal equilibrium of hydrogen ions (protons) within a cell or between a cell and its external environment. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0030642': { - 'name': 'cellular sulfate ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of sulfate ions at the level of a cell. [GOC:mah]' - }, - 'GO:0030643': { - 'name': 'cellular phosphate ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of phosphate ions at the level of a cell. [GOC:mah]' - }, - 'GO:0030644': { - 'name': 'cellular chloride ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of chloride ions at the level of a cell. [GOC:mah]' - }, - 'GO:0030645': { - 'name': 'glucose catabolic process to butyrate', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of glucose, with the production of acetic acid, butyric acid, carbon dioxide (CO2), and dihydrogen; effected by some saccharolytic species of Clostridium, e.g. C. butyricum. [ISBN:0198506732]' - }, - 'GO:0030647': { - 'name': 'aminoglycoside antibiotic metabolic process', - 'def': 'The chemical reactions and pathways involving an aminoglycoside antibiotic, any member of a group of broad spectrum antibiotics, of similar toxicity and pharmacology, that contain an aminodeoxysugar, an amino- or guanidino-substituted inositol ring, and one or more residues of other sugars. The group includes streptomycin, neomycin, framycetin, kanamycin, paromomycin, and gentamicin. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030648': { - 'name': 'aminoglycoside antibiotic biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an aminoglycoside antibiotic, any member of a group of broad spectrum antibiotics, of similar toxicity and pharmacology, that contain an aminodeoxysugar, an amino- or guanidino-substituted inositol ring, and one or more residues of other sugars. The group includes streptomycin, neomycin, framycetin, kanamycin, paromomycin, and gentamicin. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030649': { - 'name': 'aminoglycoside antibiotic catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an aminoglycoside antibiotic, any member of a group of broad spectrum antibiotics, of similar toxicity and pharmacology, that contain an aminodeoxysugar, an amino- or guanidino-substituted inositol ring, and one or more residues of other sugars. The group includes streptomycin, neomycin, framycetin, kanamycin, paromomycin, and gentamicin. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030650': { - 'name': 'peptide antibiotic metabolic process', - 'def': 'The chemical reactions and pathways involving peptides with antibiotic activity. [GOC:mah]' - }, - 'GO:0030651': { - 'name': 'peptide antibiotic biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of peptides with antibiotic activity. [GOC:mah]' - }, - 'GO:0030652': { - 'name': 'peptide antibiotic catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of peptides with antibiotic activity. [GOC:mah]' - }, - 'GO:0030653': { - 'name': 'beta-lactam antibiotic metabolic process', - 'def': 'The chemical reactions and pathways involving a beta-lactam antibiotic, any member of a class of natural or semisynthetic antibiotics whose characteristic feature is a strained, four-membered beta-lactam ring. They include the penicillins and many of the cephalosporins. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030654': { - 'name': 'beta-lactam antibiotic biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a beta-lactam antibiotic, any member of a class of natural or semisynthetic antibiotics whose characteristic feature is a strained, four-membered beta-lactam ring. They include the penicillins and many of the cephalosporins. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030655': { - 'name': 'beta-lactam antibiotic catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a beta-lactam antibiotic, any member of a class of natural or semisynthetic antibiotics whose characteristic feature is a strained, four-membered beta-lactam ring. They include the penicillins and many of the cephalosporins. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030656': { - 'name': 'regulation of vitamin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving a vitamin, one of a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. [GOC:mah]' - }, - 'GO:0030657': { - 'name': 'obsolete regulation of coenzyme and prosthetic group metabolic process', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving coenzymes and prosthetic groups. [GOC:ai]' - }, - 'GO:0030658': { - 'name': 'transport vesicle membrane', - 'def': 'The lipid bilayer surrounding a transport vesicle. [GOC:mah]' - }, - 'GO:0030659': { - 'name': 'cytoplasmic vesicle membrane', - 'def': 'The lipid bilayer surrounding a cytoplasmic vesicle. [GOC:mah]' - }, - 'GO:0030660': { - 'name': 'Golgi-associated vesicle membrane', - 'def': 'The lipid bilayer surrounding a vesicle associated with the Golgi apparatus. [GOC:mah]' - }, - 'GO:0030661': { - 'name': 'chitosome membrane', - 'def': 'The lipid bilayer surrounding a chitosome. [GOC:mah]' - }, - 'GO:0030662': { - 'name': 'coated vesicle membrane', - 'def': 'The lipid bilayer surrounding a coated vesicle. [GOC:mah]' - }, - 'GO:0030663': { - 'name': 'COPI-coated vesicle membrane', - 'def': 'The lipid bilayer surrounding a COPI-coated vesicle. [GOC:mah]' - }, - 'GO:0030665': { - 'name': 'clathrin-coated vesicle membrane', - 'def': 'The lipid bilayer surrounding a clathrin-coated vesicle. [GOC:mah]' - }, - 'GO:0030666': { - 'name': 'endocytic vesicle membrane', - 'def': 'The lipid bilayer surrounding an endocytic vesicle. [GOC:mah]' - }, - 'GO:0030667': { - 'name': 'secretory granule membrane', - 'def': 'The lipid bilayer surrounding a secretory granule. [GOC:mah]' - }, - 'GO:0030668': { - 'name': 'merozoite dense granule membrane', - 'def': 'The lipid bilayer surrounding a dense granule of the type found in apicomplexan parasites. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0030669': { - 'name': 'clathrin-coated endocytic vesicle membrane', - 'def': 'The lipid bilayer surrounding a clathrin-coated endocytic vesicle. [GOC:mah]' - }, - 'GO:0030670': { - 'name': 'phagocytic vesicle membrane', - 'def': 'The lipid bilayer surrounding a phagocytic vesicle. [GOC:mah]' - }, - 'GO:0030671': { - 'name': 'clathrin-coated phagocytic vesicle membrane', - 'def': 'The lipid bilayer surrounding a clathrin-coated phagocytic vesicle. [GOC:mah]' - }, - 'GO:0030672': { - 'name': 'synaptic vesicle membrane', - 'def': 'The lipid bilayer surrounding a synaptic vesicle. [GOC:mah]' - }, - 'GO:0030673': { - 'name': 'axolemma', - 'def': 'The portion of the plasma membrane surrounding an axon; it is a specialized trilaminar random mosaic of protein molecules floating within a fluid matrix of highly mobile phospholipid molecules, 7-8 nm in thickness. [http://www.medik.sk/clanky/bio_jun.htm, ISBN:0124325653]' - }, - 'GO:0030674': { - 'name': 'protein binding, bridging', - 'def': 'The binding activity of a molecule that brings together two or more protein molecules, or a protein and another macromolecule or complex, through a selective, non-covalent, often stoichiometric interaction, permitting those molecules to function in a coordinated way. [GOC:bf, GOC:mah, GOC:vw]' - }, - 'GO:0030676': { - 'name': 'Rac guanyl-nucleotide exchange factor activity', - 'def': 'Stimulates the exchange of guanyl nucleotides associated with a GTPase of the Rac family. Under normal cellular physiological conditions, the concentration of GTP is higher than that of GDP, favoring the replacement of GDP by GTP in association with the GTPase. [GOC:mah]' - }, - 'GO:0030677': { - 'name': 'ribonuclease P complex', - 'def': "A ribonucleoprotein complex that catalyzes cleavage of the leader sequence of precursor tRNAs (pre-tRNAs), generating the mature 5' end of tRNAs. [GOC:mah, PMID:12045094]" - }, - 'GO:0030678': { - 'name': 'mitochondrial ribonuclease P complex', - 'def': "A ribonuclease P complex located in the mitochondrion of a eukaryotic cell, where it catalyzes the 5' endonucleolytic cleavage of precursor tRNAs to yield mature tRNAs. The subunit composition of mitochondrial ribonuclease P complexes varies between species, but the complex often contains a single RNA molecule and a single protein molecule. [GOC:mah, PMID:12045094]" - }, - 'GO:0030679': { - 'name': 'cyanelle ribonuclease P complex', - 'def': "A ribonuclease P complex located in the cyanelle, where it catalyzes the 5' endonucleolytic cleavage of precursor tRNAs to yield mature tRNAs. The best characterized cyanelle ribonuclease P complex, from the alga Cyanophora paradoxa, contains a single RNA molecule that is necessary but not sufficient for catalysis, and several protein molecules. [GOC:mah, PMID:12045094]" - }, - 'GO:0030680': { - 'name': 'dimeric ribonuclease P complex', - 'def': 'A ribonuclease P complex that contains a single RNA molecule that is necessary and usually sufficient for catalysis, and a single protein molecule. Examples of this complex are found in Bacterial species. [GOC:mah, PMID:12045094]' - }, - 'GO:0030681': { - 'name': 'multimeric ribonuclease P complex', - 'def': 'A ribonuclease P complex that generally contains a single RNA molecule and several protein molecules. Examples of this complex are found in Archaeal species. [GOC:mah, PMID:11142368, PMID:12045094]' - }, - 'GO:0030682': { - 'name': 'evasion or tolerance of host defense response', - 'def': "Any process, either active or passive, by which an organism avoids or tolerates the effects of its host organism's defense response. The host defense response is mounted by the host in response to the presence of the organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0030683': { - 'name': 'evasion or tolerance by virus of host immune response', - 'def': "Any process, either active or passive, by which a virus avoids the effects of the host organism's immune response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mah, GOC:pk]" - }, - 'GO:0030684': { - 'name': 'preribosome', - 'def': 'Any complex of pre-rRNAs, ribosomal proteins, and associated proteins formed during ribosome biogenesis. [PMID:10567516]' - }, - 'GO:0030685': { - 'name': 'nucleolar preribosome', - 'def': 'Any complex of pre-rRNAs, ribosomal proteins, and associated proteins formed in the nucleolus during ribosome biogenesis. [PMID:10567516]' - }, - 'GO:0030686': { - 'name': '90S preribosome', - 'def': 'A large ribonucleoprotein complex considered to be the earliest preribosomal complex. In S. cerevisiae, it has a size of 90S and consists of the 35S pre-rRNA, early-associating ribosomal proteins most of which are part of the small ribosomal subunit, the U3 snoRNA and associated proteins. [GOC:krc, GOC:vw, PMID:12150911, PMID:12957375, PMID:15120992]' - }, - 'GO:0030687': { - 'name': 'preribosome, large subunit precursor', - 'def': 'A preribosomal complex consisting of 27SA, 27SB, and/or 7S pre-rRNA, 5S rRNA, ribosomal proteins including late-associating large subunit proteins, and associated proteins; a precursor of the eukaryotic cytoplasmic large ribosomal subunit. [PMID:10567516]' - }, - 'GO:0030688': { - 'name': 'preribosome, small subunit precursor', - 'def': 'A preribosomal complex consisting of 20S pre-rRNA, ribosomal proteins including late-associating small subunit proteins, and associated proteins; a precursor of the eukaryotic cytoplasmic small ribosomal subunit. [PMID:10567516]' - }, - 'GO:0030689': { - 'name': 'Noc complex', - 'def': 'Any of several heterodimers containing one or two Noc proteins, associated with preribosomal complexes; involved in ribosome biogenesis. [PMID:12446671]' - }, - 'GO:0030690': { - 'name': 'Noc1p-Noc2p complex', - 'def': 'A heterodimer associated with 90S and 66S preribosomes. Predominantly, but not exclusively, nucleolar; involved in ribosomal large subunit biogenesis. [PMID:12446671]' - }, - 'GO:0030691': { - 'name': 'Noc2p-Noc3p complex', - 'def': 'A heterodimer associated with 66S preribosomes; predominantly nucleoplasmic, but also locates to the nucleolus; involved in ribosomal large subunit biogenesis. [PMID:12446671]' - }, - 'GO:0030692': { - 'name': 'Noc4p-Nop14p complex', - 'def': 'A heterodimer associated with precursors of the eukaryotic small ribosomal subunit, including the 90S preribosome; involved in small subunit biogenesis. [PMID:12446671]' - }, - 'GO:0030693': { - 'name': 'obsolete caspase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of a peptide bond on the carboxyl side of an aspartate residue. [PMID:10872455]' - }, - 'GO:0030694': { - 'name': 'bacterial-type flagellum basal body, rod', - 'def': 'The central portion of the flagellar basal body, which spans the periplasm and threads through the rings. Examples of this component are found in Bacterial species. [GOC:mtg_sensu, PMID:10572114, PMID:11133968, PMID:12624192]' - }, - 'GO:0030695': { - 'name': 'GTPase regulator activity', - 'def': 'Modulates the rate of GTP hydrolysis by a GTPase. [GOC:mah]' - }, - 'GO:0030696': { - 'name': 'tRNA (m5U54) methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from a donor to the C5 atom of the uridine residue at position 54 in a tRNA molecule. [ISBN:1555811337]' - }, - 'GO:0030697': { - 'name': 'S-adenosylmethionine-dependent tRNA (m5U54) methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing thymine at position U54 of a transfer RNA. This occurs in most Gram-negative bacteria, some archae, and eukaryotes. [GOC:hjd, ISBN:1555811337]' - }, - 'GO:0030698': { - 'name': '5,10-methylenetetrahydrofolate-dependent tRNA (m5U54) methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from 5,10-methylenetetrahydrofolate to the C5 atom of the uridine residue at position 54 in a tRNA molecule. This occurs in most Gram-positive bacteria and some Gram-negative bacteria. [GOC:hjd, ISBN:1555811337]' - }, - 'GO:0030699': { - 'name': 'glycine reductase activity', - 'def': 'Catalysis of the reaction: acetyl phosphate + H(2)O + NH(4)(+) + thioredoxin disulfide = glycine + H(+) + phosphate + thioredoxin. [EC:1.21.4.2, RHEA:12235]' - }, - 'GO:0030700': { - 'name': 'glycine reductase complex', - 'def': 'Complex that possesses glycine reductase activity; usually comprises three subunits, of which two are selenoproteins; the subunits are typically designated selenoprotein A, selenoprotein B and protein C. [GOC:mah, PMID:2018775]' - }, - 'GO:0030701': { - 'name': 'NAD+-dinitrogen-reductase ADP-D-ribosyltransferase activity', - 'def': 'Catalysis of the reaction: NAD+ + [dinitrogen reductase] = nicotinamide + ADP-D-ribosyl-[dinitrogen reductase]. [EC:2.4.2.37]' - }, - 'GO:0030702': { - 'name': 'chromatin silencing at centromere', - 'def': 'Repression of transcription of centromeric DNA by altering the structure of chromatin. [GOC:mah]' - }, - 'GO:0030703': { - 'name': 'eggshell formation', - 'def': 'Construction of the eggshell, a product of the somatic follicle cell epithelium and a structure that supports the egg in a hostile environment, minimizing water loss whilst allowing gas exchanges essential for embryonic respiration. [GOC:mtg_sensu, ISBN:0879694238, PMID:10822261]' - }, - 'GO:0030704': { - 'name': 'vitelline membrane formation', - 'def': 'Construction of the vitelline membrane portion of the egg shell, a rigid structure required to maintain the shape of the egg. [ISBN:0879694238]' - }, - 'GO:0030705': { - 'name': 'cytoskeleton-dependent intracellular transport', - 'def': 'The directed movement of substances along cytoskeletal fibers such as microfilaments or microtubules within a cell. [GOC:mah]' - }, - 'GO:0030706': { - 'name': 'germarium-derived oocyte differentiation', - 'def': 'The process in which one relatively unspecialized immature cystocyte of the germ-line cyst in the germarium acquires the specialized features of an oocyte. An example of this process can be found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0030707': { - 'name': 'ovarian follicle cell development', - 'def': 'The process that occurs during oogenesis involving the ovarian follicle cells, somatic cells which surround the germ cells of an ovary. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:10822261]' - }, - 'GO:0030708': { - 'name': 'germarium-derived female germ-line cyst encapsulation', - 'def': 'Formation of a single follicular epithelium around the germ-line derived cells of a cyst formed in the germarium. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11591336]' - }, - 'GO:0030709': { - 'name': 'border follicle cell delamination', - 'def': 'The delamination process that results in the splitting off of border cells from the anterior epithelium, prior to border cell migration. [PMID:10822261]' - }, - 'GO:0030710': { - 'name': 'regulation of border follicle cell delamination', - 'def': 'Any process that regulates the frequency, rate or extent of border cell delamination. [PMID:10822261]' - }, - 'GO:0030711': { - 'name': 'positive regulation of border follicle cell delamination', - 'def': 'Any process that increases the frequency, rate or extent of border cell delamination. [PMID:10822261]' - }, - 'GO:0030712': { - 'name': 'negative regulation of border follicle cell delamination', - 'def': 'Any process that decreases the frequency, rate or extent of border cell delamination. [PMID:10822261]' - }, - 'GO:0030713': { - 'name': 'ovarian follicle cell stalk formation', - 'def': 'Development of ovarian follicle cells to create the interfollicular stalks that connect the egg chambers of progressive developmental stages. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:10822261]' - }, - 'GO:0030714': { - 'name': 'anterior/posterior axis specification, follicular epithelium', - 'def': 'Polarization of the follicle cells of an insect ovary along the anterior/posterior axis. [GOC:bf]' - }, - 'GO:0030715': { - 'name': 'oocyte growth in germarium-derived egg chamber', - 'def': 'The increase in volume of an oocyte during the growth phase of the egg chamber, once the egg chamber has left the germarium. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0030716': { - 'name': 'oocyte fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an oocyte cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators]' - }, - 'GO:0030717': { - 'name': 'karyosome formation', - 'def': 'The chromosome organization process in which meiotic chromosomes in the oocyte nucleus cluster together to form a compact spherical structure called the karyosome. [PMID:11700288, PMID:18039935]' - }, - 'GO:0030718': { - 'name': 'germ-line stem cell population maintenance', - 'def': 'Any process by which an organism or tissue maintains a population of germ-line stem cells. [ISBN:0879694238]' - }, - 'GO:0030719': { - 'name': 'P granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of polar granules, cytoplasmic, non-membranous RNA/protein complex aggregates in the primordial germ cells of many higher eukaryotes. [PMID:10851135, PMID:770367]' - }, - 'GO:0030720': { - 'name': 'oocyte localization involved in germarium-derived egg chamber formation', - 'def': 'Directed movement of the oocyte, following its specification, from its original central position in the cyst to a posterior position relative to the nurse cells of the egg chamber, and its maintenance in this posterior location. This is the first sign of anterior-posterior asymmetry in the developing egg chamber. [GOC:mtg_sensu, PMID:10449356]' - }, - 'GO:0030721': { - 'name': 'spectrosome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the spectrosome, a germline specific spherical organelle that is the precursor to the fusome. [PMID:11131529]' - }, - 'GO:0030722': { - 'name': 'establishment of oocyte nucleus localization involved in oocyte dorsal/ventral axis specification', - 'def': 'The directed movement of the nucleus to a specific location within the cell during the establishment and maintenance of the dorsal/ventral axis of the oocyte. In the insect oocyte, for example, the nucleus is repositioned to a dorso-anterior position. [GOC:dph, GOC:mah, GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0030723': { - 'name': 'ovarian fusome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the fusome of ovarian cells, an organelle derived from the spectrosome. It anchors the mitotic spindle pole to provide orientation during cystoblast cell divisions. [GOC:dph, GOC:jl, GOC:mah, ISBN:0879694238]' - }, - 'GO:0030724': { - 'name': 'testicular fusome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the fusome of testicular cells, an organelle derived from the spectrosome. [GOC:dph, GOC:jl, GOC:mah, ISBN:0879694238]' - }, - 'GO:0030725': { - 'name': 'germline ring canal formation', - 'def': 'Assembly of the cytoplasmic bridges between developing spermatogonial or oogonial cysts. [ISBN:0879694238]' - }, - 'GO:0030726': { - 'name': 'male germline ring canal formation', - 'def': 'Formation of the intercellular bridges that connect the germ-line cells of a male cyst. [ISBN:0879694238]' - }, - 'GO:0030727': { - 'name': 'germarium-derived female germ-line cyst formation', - 'def': 'Formation, in a germarium, of a group of interconnected cells derived from a single female gonial founder cell (a cystoblast). The germarium is the most anterior portion of an insect ovariole. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:10370240, PMID:9442902]' - }, - 'GO:0030728': { - 'name': 'ovulation', - 'def': 'The release of a mature ovum/oocyte from an ovary. [GOC:bf, ISBN:0878932437]' - }, - 'GO:0030729': { - 'name': 'acetoacetate-CoA ligase activity', - 'def': 'Catalysis of the reaction: acetoacetate + ATP + CoA = acetoacetyl-CoA + AMP + diphosphate + H(+). [EC:6.2.1.16, RHEA:16120]' - }, - 'GO:0030730': { - 'name': 'sequestering of triglyceride', - 'def': 'The process of binding or confining any triester of glycerol such that it is separated from other components of a biological system. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0030731': { - 'name': 'guanidinoacetate N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanidinoacetate = S-adenosyl-L-homocysteine + creatine + H(+). [EC:2.1.1.2, RHEA:10659]' - }, - 'GO:0030732': { - 'name': 'methionine S-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + L-methionine = S-adenosyl-L-homocysteine + S-methyl-L-methionine. [EC:2.1.1.12]' - }, - 'GO:0030733': { - 'name': 'fatty acid O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + a fatty acid = S-adenosyl-L-homocysteine + a fatty acid methyl ester. [EC:2.1.1.15]' - }, - 'GO:0030734': { - 'name': 'polysaccharide O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 1,4-N1-D-glucooligosaccharide = S-adenosyl-L-homocysteine + oligosaccharide containing 6-methyl-D-glucose units. [EC:2.1.1.18]' - }, - 'GO:0030735': { - 'name': 'carnosine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + carnosine = S-adenosyl-L-homocysteine + anserine + H(+). [EC:2.1.1.22, RHEA:14208]' - }, - 'GO:0030736': { - 'name': 'phenol O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + phenol = S-adenosyl-L-homocysteine + anisole + H(+). [EC:2.1.1.25, RHEA:14812]' - }, - 'GO:0030737': { - 'name': 'iodophenol O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-iodophenol + S-adenosyl-L-methionine = 1-iodo-2-methoxybenzene + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.26, RHEA:14316]' - }, - 'GO:0030738': { - 'name': 'tyramine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tyramine = N-methyltyramine + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.27, RHEA:14868]' - }, - 'GO:0030739': { - 'name': 'O-demethylpuromycin O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + O-demethylpuromycin = S-adenosyl-L-homocysteine + puromycin. [EC:2.1.1.38]' - }, - 'GO:0030740': { - 'name': 'inositol 3-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + myo-inositol = 1D-3-O-methyl-myo-inositol + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.39, RHEA:18880]' - }, - 'GO:0030741': { - 'name': 'inositol 1-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + myo-inositol = 1D-1-O-methyl-myo-inositol + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.40, RHEA:17568]' - }, - 'GO:0030742': { - 'name': 'GTP-dependent protein binding', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex (a complex of two or more proteins that may include other nonprotein molecules) using energy from the hydrolysis of GTP. [GOC:go_curators]' - }, - 'GO:0030743': { - 'name': "rRNA (adenosine-2'-O-)-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing a single residue of 2'-O-methyladenosine. [EC:2.1.1.66]" - }, - 'GO:0030744': { - 'name': 'luteolin O-methyltransferase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + luteolin = 4',5,7-trihydroxy-3'-methoxyflavone + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.42, RHEA:14592]" - }, - 'GO:0030745': { - 'name': 'dimethylhistidine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + N-alpha,N-alpha-dimethyl-L-histidine = S-adenosyl-L-homocysteine + N-alpha,N-alpha,N-alpha-trimethyl-L-histidine. [EC:2.1.1.44]' - }, - 'GO:0030746': { - 'name': "isoflavone 4'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + isoflavone = S-adenosyl-L-homocysteine + 4'-O-methylisoflavone. [EC:2.1.1.46]" - }, - 'GO:0030747': { - 'name': 'indolepyruvate C-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (indol-3-yl)pyruvate = S-adenosyl-L-homocysteine + (S)-3-(indol-3-yl)-2-oxobutanoate. [EC:2.1.1.47]' - }, - 'GO:0030748': { - 'name': 'amine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + an amine = S-adenosyl-L-homocysteine + a methylated amine. [EC:2.1.1.49]' - }, - 'GO:0030749': { - 'name': 'loganate O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + loganate = S-adenosyl-L-homocysteine + loganin. [EC:2.1.1.50]' - }, - 'GO:0030750': { - 'name': 'putrescine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + putrescine = N-methylputrescine + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.53, RHEA:15040]' - }, - 'GO:0030751': { - 'name': "licodione 2'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine(1+) + licodione = 2'-O-methyllicodione + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.65, RHEA:18524]" - }, - 'GO:0030752': { - 'name': '5-hydroxyfuranocoumarin 5-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 5-hydroxyfuranocoumarin = S-adenosyl-L-homocysteine + 5-methoxyfuranocoumarin. [EC:2.1.1.69]' - }, - 'GO:0030753': { - 'name': '8-hydroxyfuranocoumarin 8-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + xanthotoxol = S-adenosyl-L-homocysteine + xanthotoxin. Xanthotoxol is also known as 8-hydroxyfuranocoumarin and xanthotoxin as 8-methoxyfuranocoumarin. [EC:2.1.1.70]' - }, - 'GO:0030754': { - 'name': "apigenin 4'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + 5,7,4'-trihydroxyflavone = S-adenosyl-L-homocysteine + 4'-methoxy-5,7-dihydroxyflavone. [EC:2.1.1.75]" - }, - 'GO:0030755': { - 'name': 'quercetin 3-O-methyltransferase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + 3,5,7,3',4'-pentahydroxyflavone = S-adenosyl-L-homocysteine + 3-methoxy-5,7,3',4'-tetrahydroxy-flavone. [EC:2.1.1.76]" - }, - 'GO:0030756': { - 'name': "isoorientin 3'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + isoorientin = S-adenosyl-L-homocysteine + H(+) + isoscoparin. [EC:2.1.1.78, RHEA:24099]' - }, - 'GO:0030757': { - 'name': '3-methylquercitin 7-O-methyltransferase activity', - 'def': "Catalysis of the reaction: 3',4',5,7-tetrahydroxy-3-methoxyflavone + S-adenosyl-L-methionine(1+) = 3',4',5-trihydroxy-3,7-dimethoxyflavone + S-adenosyl-L-homocysteine. [EC:2.1.1.82, RHEA:16184]" - }, - 'GO:0030758': { - 'name': "3,7-dimethylquercitin 4'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: 3',4',5-trihydroxy-3,7-dimethoxyflavone + S-adenosyl-L-methionine(1+) = 3',5-dihydroxy-3,4',7-trimethoxyflavone + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.83, RHEA:21835]" - }, - 'GO:0030759': { - 'name': 'methylquercetagetin 6-O-methyltransferase activity', - 'def': "Catalysis of the reaction: 3',4',5,6-tetrahydroxy-3,7-dimethoxyflavone + S-adenosyl-L-methionine(1+) = 3',4',5-trihydroxy-3,6,7-trimethoxyflavone + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.84, RHEA:18720]" - }, - 'GO:0030760': { - 'name': 'pyridine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + pyridine = N-methylpyridinium + S-adenosyl-L-homocysteine. [EC:2.1.1.87, RHEA:16896]' - }, - 'GO:0030761': { - 'name': '8-hydroxyquercitin 8-O-methyltransferase activity', - 'def': "Catalysis of the reaction: 3,3',4',5,7,8-hexahydroxyflavone + S-adenosyl-L-methionine(1+) = 3,3',4',5,7-pentahydroxy-8-methoxyflavone + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.88, RHEA:16596]" - }, - 'GO:0030762': { - 'name': 'tetrahydrocolumbamine 2-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: (S)-tetrahydrocolumbamine + S-adenosyl-L-methionine(1+) = S-adenosyl-L-homocysteine + H(+) + tetrahydropalmatine. [EC:2.1.1.89, RHEA:22539]' - }, - 'GO:0030763': { - 'name': 'isobutyraldoxime O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-methylpropanal oxime + S-adenosyl-L-methionine = 2-methylpropanal O-methyloxime + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.91, RHEA:10999]' - }, - 'GO:0030766': { - 'name': '11-O-demethyl-17-O-deacetylvindoline O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 11-O-demethyl-17-O-deacetylvindoline = S-adenosyl-L-homocysteine + 17-O-deacetylvindoline. [EC:2.1.1.94]' - }, - 'GO:0030767': { - 'name': '3-hydroxyanthranilate 4-C-methyltransferase activity', - 'def': 'Catalysis of the reaction: 3-hydroxyanthranilate + S-adenosyl-L-methionine = 3-hydroxy-4-methylanthranilate + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.97, RHEA:17836]' - }, - 'GO:0030768': { - 'name': '16-methoxy-2,3-dihydro-3-hydroxytabersonine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: (3R)-3-hydroxy-16-methoxy-2,3-dihydrotabersonine + S-adenosyl-L-methionine = S-adenosyl-L-homocysteine + deacetoxyvindoline + H(+). [EC:2.1.1.99, RHEA:11339]' - }, - 'GO:0030769': { - 'name': 'macrocin O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + macrocin = S-adenosyl-L-homocysteine + H(+) + tylosin. [EC:2.1.1.101, RHEA:17272]' - }, - 'GO:0030770': { - 'name': 'demethylmacrocin O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + demethylmacrocin = S-adenosyl-L-homocysteine + H(+) + macrocin. [EC:2.1.1.102, RHEA:17576]' - }, - 'GO:0030771': { - 'name': 'N-benzoyl-4-hydroxyanthranilate 4-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: N-benzoyl-4-hydroxyanthranilate + S-adenosyl-L-methionine(1+) = N-benzoyl-4-methoxyanthranilate + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.105, RHEA:17408]' - }, - 'GO:0030772': { - 'name': 'tryptophan 2-C-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + L-tryptophan = S-adenosyl-L-homocysteine + L-2-methyltryptophan + H(+). [EC:2.1.1.106, RHEA:17324]' - }, - 'GO:0030773': { - 'name': '6-hydroxymellein O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 6-hydroxymellein + S-adenosyl-L-methionine = 6-methoxymellein + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.108, RHEA:15204]' - }, - 'GO:0030774': { - 'name': 'anthranilate N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + anthranilate = N-methylanthranilate + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.111, RHEA:12183]' - }, - 'GO:0030775': { - 'name': 'glucuronoxylan 4-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + glucuronoxylan D-glucuronate = S-adenosyl-L-homocysteine + glucuronoxylan 4-O-methyl-D-glucuronate. [EC:2.1.1.112]' - }, - 'GO:0030776': { - 'name': '(RS)-1-benzyl-1,2,3,4-tetrahydroisoquinoline N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (RS)-1-benzyl-1,2,3,4-tetrahydroisoquinoline = S-adenosyl-L-homocysteine + N-methyl-(RS)-1-benzyl-1,2,3,4-tetrahydroisoquinoline. [EC:2.1.1.115]' - }, - 'GO:0030777': { - 'name': '(S)-scoulerine 9-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: (S)-scoulerine + S-adenosyl-L-methionine(1+) = (S)-tetrahydrocolumbamine + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.117, RHEA:23811]' - }, - 'GO:0030778': { - 'name': 'columbamine O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + columbamine = S-adenosyl-L-homocysteine + H(+) + palmatine. [EC:2.1.1.118, RHEA:15376]' - }, - 'GO:0030779': { - 'name': '10-hydroxydihydrosanguinarine 10-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 10-hydroxydihydrosanguinarine + S-adenosyl-L-methionine(1+) = S-adenosyl-L-homocysteine + dihydrochelirubine + H(+). [EC:2.1.1.119, RHEA:18544]' - }, - 'GO:0030780': { - 'name': '12-hydroxydihydrochelirubine 12-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 12-hydroxydihydrochelirubine + S-adenosyl-L-methionine(1+) = S-adenosyl-L-homocysteine + dihydromacarpine + H(+). [EC:2.1.1.120, RHEA:21095]' - }, - 'GO:0030781': { - 'name': "6-O-methylnorlaudanosoline 5'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 6-O-methylnorlaudanosoline = S-adenosyl-L-homocysteine + nororientaline. [EC:2.1.1.121]' - }, - 'GO:0030782': { - 'name': '(S)-tetrahydroprotoberberine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (S)-7,8,13,14-tetrahydroprotoberberine = S-adenosyl-L-homocysteine + cis-N-methyl-(S)-7,8,13,14-tetrahydroprotoberberine. [EC:2.1.1.122]' - }, - 'GO:0030783': { - 'name': '[cytochrome c]-methionine S-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + [cytochrome c]-methionine = S-adenosyl-L-homocysteine + [cytochrome c]-S-methyl-methionine. [EC:2.1.1.123]' - }, - 'GO:0030784': { - 'name': "3'-hydroxy-N-methyl-(S)-coclaurine 4'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + 3'-hydroxy-N-methyl-(S)-coclaurine = S-adenosyl-L-homocysteine + (S)-reticuline. [EC:2.1.1.116]" - }, - 'GO:0030785': { - 'name': '[ribulose-bisphosphate carboxylase]-lysine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + [ribulose-1,5-bisphosphate carboxylase]-lysine = S-adenosyl-L-homocysteine + [ribulose-1,5-bisphosphate carboxylase]-N6-methyl-L-lysine. [EC:2.1.1.127]' - }, - 'GO:0030786': { - 'name': '(RS)-norcoclaurine 6-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (RS)-norcoclaurine = S-adenosyl-L-homocysteine + (RS)-coclaurine. [EC:2.1.1.128]' - }, - 'GO:0030787': { - 'name': 'inositol 4-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + myo-inositol = 1D-4-O-methyl-myo-inositol + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.129, RHEA:23251]' - }, - 'GO:0030788': { - 'name': 'precorrin-2 C20-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + precorrin-2 = S-adenosyl-L-homocysteine + H(+) + precorrin-3A. [EC:2.1.1.130, RHEA:16844]' - }, - 'GO:0030789': { - 'name': 'precorrin-3B C17-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + precorrin-3B = S-adenosyl-L-homocysteine + precorrin 4. [EC:2.1.1.131]' - }, - 'GO:0030790': { - 'name': 'chlorophenol O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + trichlorophenol = S-adenosyl-L-homocysteine + trichloroanisole. [EC:2.1.1.136]' - }, - 'GO:0030791': { - 'name': 'arsenite methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + arsenite = S-adenosyl-L-homocysteine + methylarsonate. [EC:2.1.1.137]' - }, - 'GO:0030792': { - 'name': 'methylarsonite methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + methylarsonite = S-adenosyl-L-homocysteine + dimethylarsinate. [EC:2.1.1.138]' - }, - 'GO:0030793': { - 'name': "3'-demethylstaurosporine O-methyltransferase activity", - 'def': "Catalysis of the reaction: 3'-demethylstaurosporine + S-adenosyl-L-methionine = S-adenosyl-L-homocysteine + H(+) + staurosporine. [EC:2.1.1.139, RHEA:11699]" - }, - 'GO:0030794': { - 'name': '(S)-coclaurine-N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (S)-coclaurine = S-adenosyl-L-homocysteine + (S)-N-methylcoclaurine. [EC:2.1.1.140]' - }, - 'GO:0030795': { - 'name': 'jasmonate O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + jasmonate = S-adenosyl-L-homocysteine + methyljasmonate. [EC:2.1.1.141]' - }, - 'GO:0030796': { - 'name': 'cycloartenol 24-C-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + cycloartenol = (24R)-24-methylcycloart-25-en-3beta-ol + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.142, RHEA:13140]' - }, - 'GO:0030797': { - 'name': '24-methylenesterol C-methyltransferase activity', - 'def': 'Catalysis of the reaction: 24-methylidenelophenol + S-adenosyl-L-methionine(1+) = (Z)-24-ethylidenelophenol + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.143, RHEA:21047]' - }, - 'GO:0030798': { - 'name': 'trans-aconitate 2-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + trans-aconitate = (E)-3-(methoxycarbonyl)pent-2-enedioate + S-adenosyl-L-homocysteine. [EC:2.1.1.144, RHEA:14972]' - }, - 'GO:0030799': { - 'name': 'regulation of cyclic nucleotide metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving cyclic nucleotides. [GOC:mah]' - }, - 'GO:0030800': { - 'name': 'negative regulation of cyclic nucleotide metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving cyclic nucleotides. [GOC:mah]' - }, - 'GO:0030801': { - 'name': 'positive regulation of cyclic nucleotide metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving cyclic nucleotides. [GOC:mah]' - }, - 'GO:0030802': { - 'name': 'regulation of cyclic nucleotide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cyclic nucleotides. [GOC:mah]' - }, - 'GO:0030803': { - 'name': 'negative regulation of cyclic nucleotide biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cyclic nucleotides. [GOC:mah]' - }, - 'GO:0030804': { - 'name': 'positive regulation of cyclic nucleotide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cyclic nucleotides. [GOC:mah]' - }, - 'GO:0030805': { - 'name': 'regulation of cyclic nucleotide catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of cyclic nucleotides. [GOC:mah]' - }, - 'GO:0030806': { - 'name': 'negative regulation of cyclic nucleotide catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of chemical reactions and pathways resulting in the breakdown of cyclic nucleotides. [GOC:mah]' - }, - 'GO:0030807': { - 'name': 'positive regulation of cyclic nucleotide catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of chemical reactions and pathways resulting in the breakdown of cyclic nucleotides. [GOC:mah]' - }, - 'GO:0030808': { - 'name': 'regulation of nucleotide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of nucleotides. [GOC:mah]' - }, - 'GO:0030809': { - 'name': 'negative regulation of nucleotide biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of nucleotides. [GOC:mah]' - }, - 'GO:0030810': { - 'name': 'positive regulation of nucleotide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of nucleotides. [GOC:mah]' - }, - 'GO:0030811': { - 'name': 'regulation of nucleotide catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of nucleotides. [GOC:mah]' - }, - 'GO:0030812': { - 'name': 'negative regulation of nucleotide catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of nucleotides. [GOC:mah]' - }, - 'GO:0030813': { - 'name': 'positive regulation of nucleotide catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of nucleotides. [GOC:mah]' - }, - 'GO:0030814': { - 'name': 'regulation of cAMP metabolic process', - 'def': "Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:mah]" - }, - 'GO:0030815': { - 'name': 'negative regulation of cAMP metabolic process', - 'def': "Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:mah]" - }, - 'GO:0030816': { - 'name': 'positive regulation of cAMP metabolic process', - 'def': "Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:mah]" - }, - 'GO:0030817': { - 'name': 'regulation of cAMP biosynthetic process', - 'def': "Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:mah]" - }, - 'GO:0030818': { - 'name': 'negative regulation of cAMP biosynthetic process', - 'def': "Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:mah]" - }, - 'GO:0030819': { - 'name': 'positive regulation of cAMP biosynthetic process', - 'def': "Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:mah]" - }, - 'GO:0030820': { - 'name': 'regulation of cAMP catabolic process', - 'def': "Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:mah]" - }, - 'GO:0030821': { - 'name': 'negative regulation of cAMP catabolic process', - 'def': "Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:mah]" - }, - 'GO:0030822': { - 'name': 'positive regulation of cAMP catabolic process', - 'def': "Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:mah]" - }, - 'GO:0030823': { - 'name': 'regulation of cGMP metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving cGMP. [GOC:mah]' - }, - 'GO:0030824': { - 'name': 'negative regulation of cGMP metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving cGMP. [GOC:mah]' - }, - 'GO:0030825': { - 'name': 'positive regulation of cGMP metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving cGMP. [GOC:mah]' - }, - 'GO:0030826': { - 'name': 'regulation of cGMP biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cGMP. [GOC:mah]' - }, - 'GO:0030827': { - 'name': 'negative regulation of cGMP biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cGMP. [GOC:mah]' - }, - 'GO:0030828': { - 'name': 'positive regulation of cGMP biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cGMP. [GOC:mah]' - }, - 'GO:0030829': { - 'name': 'regulation of cGMP catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of cGMP. [GOC:mah]' - }, - 'GO:0030830': { - 'name': 'negative regulation of cGMP catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of cGMP. [GOC:mah]' - }, - 'GO:0030831': { - 'name': 'positive regulation of cGMP catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of cGMP. [GOC:mah]' - }, - 'GO:0030832': { - 'name': 'regulation of actin filament length', - 'def': 'Any process that controls the length of actin filaments in a cell. [GOC:dph, GOC:mah]' - }, - 'GO:0030833': { - 'name': 'regulation of actin filament polymerization', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly of actin filaments by the addition of actin monomers to a filament. [GOC:mah]' - }, - 'GO:0030834': { - 'name': 'regulation of actin filament depolymerization', - 'def': 'Any process that modulates the frequency, rate or extent of the disassembly of actin filaments by the removal of actin monomers from a filament. [GOC:mah]' - }, - 'GO:0030835': { - 'name': 'negative regulation of actin filament depolymerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of actin depolymerization. [GOC:mah]' - }, - 'GO:0030836': { - 'name': 'positive regulation of actin filament depolymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin depolymerization. [GOC:mah]' - }, - 'GO:0030837': { - 'name': 'negative regulation of actin filament polymerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of actin polymerization. [GOC:mah]' - }, - 'GO:0030838': { - 'name': 'positive regulation of actin filament polymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin polymerization. [GOC:mah]' - }, - 'GO:0030839': { - 'name': 'regulation of intermediate filament polymerization', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly of intermediate filaments by the addition of monomers to a filament. [GOC:mah]' - }, - 'GO:0030840': { - 'name': 'negative regulation of intermediate filament polymerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of intermediate filament polymerization. [GOC:mah]' - }, - 'GO:0030841': { - 'name': 'positive regulation of intermediate filament polymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of intermediate filament polymerization. [GOC:mah]' - }, - 'GO:0030842': { - 'name': 'regulation of intermediate filament depolymerization', - 'def': 'Any process that modulates the frequency, rate or extent of the disassembly of intermediate filaments by the removal of monomers from a filament. [GOC:mah]' - }, - 'GO:0030843': { - 'name': 'negative regulation of intermediate filament depolymerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of intermediate filament depolymerization. [GOC:mah]' - }, - 'GO:0030844': { - 'name': 'positive regulation of intermediate filament depolymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of intermediate filament depolymerization. [GOC:mah]' - }, - 'GO:0030845': { - 'name': 'phospholipase C-inhibiting G-protein coupled receptor signaling pathway', - 'def': 'A G-protein coupled receptor signaling pathway which proceeds with inhibition of phospholipase C (PLC) activity and a subsequent decrease in the levels of cellular inositol trisphosphate (IP3) and diacylglycerol (DAG). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb, PMID:8280098]' - }, - 'GO:0030846': { - 'name': 'termination of RNA polymerase II transcription, poly(A)-coupled', - 'def': "The process in which transcription of polyadenylated RNA polymerase II transcripts is terminated; cleavage and polyadenylylation of the mRNA 3' end is coupled to transcription termination. [GOC:txnOH, PMID:12944462, PMID:18679429]" - }, - 'GO:0030847': { - 'name': 'termination of RNA polymerase II transcription, exosome-dependent', - 'def': "The process in which transcription of nonpolyadenylated RNA polymerase II transcripts is terminated; coupled to the maturation of the RNA 3'-end. [GOC:txnOH, PMID:12944462, PMID:18679429]" - }, - 'GO:0030848': { - 'name': 'threo-3-hydroxyaspartate ammonia-lyase activity', - 'def': 'Catalysis of the reaction: (3S)-3-hydroxy-L-aspartate = NH(4)(+) + oxaloacetate. [EC:4.3.1.16, RHEA:12427]' - }, - 'GO:0030849': { - 'name': 'autosome', - 'def': 'Any chromosome other than a sex chromosome. [GOC:mah]' - }, - 'GO:0030850': { - 'name': 'prostate gland development', - 'def': 'The process whose specific outcome is the progression of the prostate gland over time, from its formation to the mature structure. The prostate gland is a partly muscular, partly glandular body that is situated near the base of the mammalian male urethra and secretes an alkaline viscid fluid which is a major constituent of the ejaculatory fluid. [PMID:11839751]' - }, - 'GO:0030851': { - 'name': 'granulocyte differentiation', - 'def': 'The process in which a myeloid precursor cell acquires the specialized features of a granulocyte. Granulocytes are a class of leukocytes characterized by the presence of granules in their cytoplasm. These cells are active in allergic immune reactions such as arthritic inflammation and rashes. This class includes basophils, eosinophils and neutrophils. [GOC:ecd, http://life.nthu.edu.tw/~g864204/dict-search1.htm]' - }, - 'GO:0030852': { - 'name': 'regulation of granulocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of granulocyte differentiation. [GOC:mah]' - }, - 'GO:0030853': { - 'name': 'negative regulation of granulocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of granulocyte differentiation. [GOC:mah]' - }, - 'GO:0030854': { - 'name': 'positive regulation of granulocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of granulocyte differentiation. [GOC:mah]' - }, - 'GO:0030855': { - 'name': 'epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an epithelial cell, any of the cells making up an epithelium. [GOC:ecd, PMID:11839751]' - }, - 'GO:0030856': { - 'name': 'regulation of epithelial cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial cell differentiation. [GOC:mah]' - }, - 'GO:0030857': { - 'name': 'negative regulation of epithelial cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of epithelial cell differentiation. [GOC:mah]' - }, - 'GO:0030858': { - 'name': 'positive regulation of epithelial cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of epithelial cell differentiation. [GOC:mah]' - }, - 'GO:0030859': { - 'name': 'polarized epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a polarized epithelial cell. The polarized epithelial cell can be any of the cells within an epithelium where the epithelial sheet is oriented with respect to the planar axis. [GOC:mah]' - }, - 'GO:0030860': { - 'name': 'regulation of polarized epithelial cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of polarized epithelial cell differentiation. [GOC:mah]' - }, - 'GO:0030861': { - 'name': 'negative regulation of polarized epithelial cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of polarized epithelial cell differentiation. [GOC:mah]' - }, - 'GO:0030862': { - 'name': 'positive regulation of polarized epithelial cell differentiation', - 'def': 'Any process that activates or increases the rate or extent of polarized epithelial cell differentiation. [GOC:mah]' - }, - 'GO:0030863': { - 'name': 'cortical cytoskeleton', - 'def': 'The portion of the cytoskeleton that lies just beneath the plasma membrane. [GOC:mah]' - }, - 'GO:0030864': { - 'name': 'cortical actin cytoskeleton', - 'def': 'The portion of the actin cytoskeleton, comprising filamentous actin and associated proteins, that lies just beneath the plasma membrane. [GOC:mah]' - }, - 'GO:0030865': { - 'name': 'cortical cytoskeleton organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures in the cell cortex, i.e. just beneath the plasma membrane. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0030866': { - 'name': 'cortical actin cytoskeleton organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of actin-based cytoskeletal structures in the cell cortex, i.e. just beneath the plasma membrane. [GOC:dph, GOC:jl, GOC:mah, GOC:pf]' - }, - 'GO:0030867': { - 'name': 'rough endoplasmic reticulum membrane', - 'def': 'The lipid bilayer surrounding the rough endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0030868': { - 'name': 'smooth endoplasmic reticulum membrane', - 'def': 'The lipid bilayer surrounding the smooth endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0030869': { - 'name': 'RENT complex', - 'def': 'A protein complex that mediates transcriptional silencing at the rDNA locus (the name derives from regulator of nucleolar silencing and telophase). In Saccharomyces the complex contains Net1p, Sir2p, Cdc14p, and at least one more subunit. [PMID:12196389]' - }, - 'GO:0030870': { - 'name': 'Mre11 complex', - 'def': 'Trimeric protein complex that possesses endonuclease activity; involved in meiotic recombination, DNA repair and checkpoint signaling. In Saccharomyces cerevisiae, the complex comprises Mre11p, Rad50p, and Xrs2p; complexes identified in other species generally contain proteins orthologous to the Saccharomyces cerevisiae proteins. [GOC:mah, GOC:vw, PMID:11988766, PMID:17674145]' - }, - 'GO:0030874': { - 'name': 'nucleolar chromatin', - 'def': 'The portion of nuclear chromatin associated with the nucleolus; includes the DNA encoding the ribosomal RNA. [GOC:mah]' - }, - 'GO:0030875': { - 'name': 'rDNA protrusion', - 'def': 'Any of the tandem arrays of rDNA localized at the periphery of the nucleus and protruding into the nucleolus, and associated proteins. May be visible as a single or double spot by DAPI staining. [PMID:1629244]' - }, - 'GO:0030876': { - 'name': 'interleukin-20 receptor complex', - 'def': 'A protein complex composed of an alpha and a beta receptor subunit and an interleukin ligand. In human, Interleukin-19, -20 and -24 bind IL20RA/IL20RB receptor subunits and Interleukin-20 and -24 bind IL22RA1/IL20RB receptor subunits. [PMID:12351624]' - }, - 'GO:0030877': { - 'name': 'beta-catenin destruction complex', - 'def': 'A cytoplasmic protein complex containing glycogen synthase kinase-3-beta (GSK-3-beta), the adenomatous polyposis coli protein (APC), and the scaffolding protein axin, among others; phosphorylates beta-catenin, targets it for degradation by the proteasome. [PMID:14600025]' - }, - 'GO:0030878': { - 'name': 'thyroid gland development', - 'def': 'The process whose specific outcome is the progression of the thyroid gland over time, from its formation to the mature structure. The thyroid gland is an endoderm-derived gland that produces thyroid hormone. [GOC:dgh]' - }, - 'GO:0030879': { - 'name': 'mammary gland development', - 'def': 'The process whose specific outcome is the progression of the mammary gland over time, from its formation to the mature structure. The mammary gland is a large compound sebaceous gland that in female mammals is modified to secrete milk. Its development starts with the formation of the mammary line and ends as the mature gland cycles between nursing and weaning stages. [PMID:9576833]' - }, - 'GO:0030880': { - 'name': 'RNA polymerase complex', - 'def': 'Any complex that possesses RNA polymerase activity; generally comprises a catalytic subunit and one or more additional subunits. [GOC:mah]' - }, - 'GO:0030881': { - 'name': 'beta-2-microglobulin binding', - 'def': 'Interacting selectively and non-covalently with beta-2-microglobulin. [GOC:mah]' - }, - 'GO:0030882': { - 'name': 'lipid antigen binding', - 'def': 'Interacting selectively and non-covalently with a lipid antigen. [PMID:14500461]' - }, - 'GO:0030883': { - 'name': 'endogenous lipid antigen binding', - 'def': 'Interacting selectively and non-covalently with an endogenous cellular lipid antigen. [PMID:14500461]' - }, - 'GO:0030884': { - 'name': 'exogenous lipid antigen binding', - 'def': 'Interacting selectively and non-covalently with an exogenous lipid antigen (examples include microbial lipids and glycolipids). [PMID:14500461]' - }, - 'GO:0030885': { - 'name': 'regulation of myeloid dendritic cell activation', - 'def': 'Any process that modulates the frequency or rate of myeloid dendritic cell activation. [GOC:mah]' - }, - 'GO:0030886': { - 'name': 'negative regulation of myeloid dendritic cell activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of myeloid dendritic cell activation. [GOC:mah]' - }, - 'GO:0030887': { - 'name': 'positive regulation of myeloid dendritic cell activation', - 'def': 'Any process that stimulates, induces or increases the rate of myeloid dendritic cell activation. [GOC:mah]' - }, - 'GO:0030888': { - 'name': 'regulation of B cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of B cell proliferation. [GOC:mah]' - }, - 'GO:0030889': { - 'name': 'negative regulation of B cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of B cell proliferation. [GOC:mah]' - }, - 'GO:0030890': { - 'name': 'positive regulation of B cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of B cell proliferation. [GOC:mah]' - }, - 'GO:0030891': { - 'name': 'VCB complex', - 'def': 'A protein complex that possesses ubiquitin ligase activity; the complex is usually pentameric; for example, in mammals the subunits are pVHL, elongin B, elongin C, cullin-2 (Cul2), and Rbx1. [GOC:mah, PMID:11865071]' - }, - 'GO:0030892': { - 'name': 'mitotic cohesin complex', - 'def': 'A cohesin complex that mediates sister chromatid cohesion during mitosis; has a subunit composition distinct from that of the meiotic cohesin complex. [GOC:mah, PMID:12750522]' - }, - 'GO:0030893': { - 'name': 'meiotic cohesin complex', - 'def': 'A cohesin complex that mediates sister chromatid cohesion during meiosis; has a subunit composition distinct from that of the mitotic cohesin complex. [GOC:mah, PMID:12750522]' - }, - 'GO:0030894': { - 'name': 'replisome', - 'def': 'A multi-component enzymatic machine at the replication fork which mediates DNA replication. Includes DNA primase, one or more DNA polymerases, DNA helicases, and other proteins. [GOC:mah, GOC:vw]' - }, - 'GO:0030895': { - 'name': 'apolipoprotein B mRNA editing enzyme complex', - 'def': 'Protein complex that mediates editing of the mRNA encoding apolipoprotein B; catalyzes the deamination of C to U (residue 6666 in the human mRNA). Contains a catalytic subunit, APOBEC-1, and other proteins (e.g. human ASP; rat ASP and KSRP). [PMID:10781591]' - }, - 'GO:0030896': { - 'name': 'checkpoint clamp complex', - 'def': 'Conserved heterotrimeric complex of PCNA-like proteins that is loaded onto DNA at sites of DNA damage. [PMID:12531008]' - }, - 'GO:0030897': { - 'name': 'HOPS complex', - 'def': 'A multimeric protein complex that associates with the vacuolar membrane, late endosomal (multivesicular body) and lysosomal membranes. HOPS is a tethering complex involved in vesicle fusion. [PMID:10944212, PMID:23645161]' - }, - 'GO:0030898': { - 'name': 'actin-dependent ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate. This reaction requires the presence of an actin filament to accelerate release of ADP and phosphate. [GOC:mah]' - }, - 'GO:0030899': { - 'name': 'calcium-dependent ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate. This reaction requires the presence of calcium ion (Ca2+). [GOC:mah]' - }, - 'GO:0030900': { - 'name': 'forebrain development', - 'def': 'The process whose specific outcome is the progression of the forebrain over time, from its formation to the mature structure. The forebrain is the anterior of the three primary divisions of the developing chordate brain or the corresponding part of the adult brain (in vertebrates, includes especially the cerebral hemispheres, the thalamus, and the hypothalamus and especially in higher vertebrates is the main control center for sensory and associative information processing, visceral functions, and voluntary motor functions). [http://www2.merriam-webster.com/cgi-bin/mwmednlm?book=Medical&va=forebrain]' - }, - 'GO:0030901': { - 'name': 'midbrain development', - 'def': 'The process whose specific outcome is the progression of the midbrain over time, from its formation to the mature structure. The midbrain is the middle division of the three primary divisions of the developing chordate brain or the corresponding part of the adult brain (in vertebrates, includes a ventral part containing the cerebral peduncles and a dorsal tectum containing the corpora quadrigemina and that surrounds the aqueduct of Sylvius connecting the third and fourth ventricles). [http://www2.merriam-webster.com/cgi-bin/mwmednlm?book=Medical&va=midbrain]' - }, - 'GO:0030902': { - 'name': 'hindbrain development', - 'def': 'The process whose specific outcome is the progression of the hindbrain over time, from its formation to the mature structure. The hindbrain is the posterior of the three primary divisions of the developing chordate brain, or the corresponding part of the adult brain (in vertebrates, includes the cerebellum, pons, and medulla oblongata and controls the autonomic functions and equilibrium). [http://www2.merriam-webster.com/cgi-bin/mwmednlm?book=Medical&va=hindbrain]' - }, - 'GO:0030903': { - 'name': 'notochord development', - 'def': 'The process whose specific outcome is the progression of the notochord over time, from its formation to the mature structure. The notochord is a mesoderm-derived structure located ventral of the developing nerve cord. In vertebrates, the notochord serves as a core around which other mesodermal cells form the vertebrae. In the most primitive chordates, which lack vertebrae, the notochord persists as a substitute for a vertebral column. [GOC:dgh]' - }, - 'GO:0030904': { - 'name': 'retromer complex', - 'def': 'A conserved hetero-pentameric membrane-associated complex involved in retrograde transport from endosomes to the Golgi apparatus. The budding yeast retromer comprises Vps35p, Vps29p, Vps26p, Vps5p, and Vps17p. The mammalian complex shows slight variation in composition compared to yeast, and comprises SNX1 or SNX2, SNX5 or SNX6, VPS26A or VPS26B, VPS29, and VPS35. [GOC:bf, PMID:26220253, PMID:27385586, PMID:9700157]' - }, - 'GO:0030905': { - 'name': 'retromer, tubulation complex', - 'def': 'The dimeric subcomplex of the retromer, believed to be peripherally associated with the membrane. This dimeric complex is responsible for remodelling endosomal membranes to form a tube-structure to which cargo molecules are selected for recycling. The budding yeast complex comprises Vps5p and Vps17p, and may contain multiple copies of a Vps5p/Vps17p dimer. The mammalian complex contains SNX1 or SNX2 dimerized with SNX5 or SNX6. [GOC:bf, PMID:26220253, PMID:9700157]' - }, - 'GO:0030906': { - 'name': 'retromer, cargo-selective complex', - 'def': 'The trimeric subcomplex of the retromer, believed to be closely associated with the membrane. This trimeric complex is responsible for recognizing and binding to cargo molecules. The complex comprises three Vps proteins in both yeast and mammalian cells: Vps35p, Vps29p, and Vps26p in yeast, and VPS35, VPS29 and VPS26A or VPS26B in mammals. [GOC:bf, PMID:11102511, PMID:26220253, PMID:9700157]' - }, - 'GO:0030907': { - 'name': 'MBF transcription complex', - 'def': 'A protein complex that binds to the Mlu1 cell cycle box (MCB) promoter element, consensus sequence ACGCGN, and is involved in regulation of transcription during the G1/S transition of the cell cycle. In Saccharomyces, the complex contains a heterodimer of the DNA binding protein Mbp1p and the activator Swi4p, and is associated with additional proteins known as Nrm1p, Msa1p, and Msa2p; in Schizosaccharomyces the complex contains Res1p, Res2p, and Cdc10p. [GOC:mah, PMID:11206552, PMID:15838511, PMID:18160399, PMID:9343385]' - }, - 'GO:0030908': { - 'name': 'protein splicing', - 'def': 'The post-translational removal of peptide sequences from within a protein sequence. [GOC:mah]' - }, - 'GO:0030909': { - 'name': 'non-intein-mediated protein splicing', - 'def': 'The post-translational removal of peptide sequences from within a protein sequence, by a process not involving inteins. [GOC:mah]' - }, - 'GO:0030910': { - 'name': 'olfactory placode formation', - 'def': 'The formation of a thickening of the neural ectoderm in the head region of the vertebrate embryo which develops into the olfactory region of the nasal cavity. [GOC:dgh]' - }, - 'GO:0030911': { - 'name': 'TPR domain binding', - 'def': 'Interacting selectively and non-covalently with a tetratricopeptide repeat (TPR) domain of a protein, the consensus sequence of which is defined by a pattern of small and large hydrophobic amino acids and a structure composed of helices. [GOC:mah]' - }, - 'GO:0030912': { - 'name': 'response to deep water', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a deep water stimulus, being immersed in standing deep water throughout the life cycle. [GOC:mah]' - }, - 'GO:0030913': { - 'name': 'paranodal junction assembly', - 'def': 'Formation of the junction between an axon and the glial cell that forms the myelin sheath. Paranodal junctions form at each paranode, i.e. at the ends of the unmyelinated nodes of Ranvier. [PMID:14715942]' - }, - 'GO:0030914': { - 'name': 'STAGA complex', - 'def': 'A large multiprotein complex that possesses histone acetyltransferase and is involved in regulation of transcription. The composition is similar to that of the SAGA complex; for example, the human complex contains the transcription-transformation cofactor TRRAP, hGCN5L acetylase, novel human ADA-like and SPT-like cofactors, and a subset of TAFs. [PMID:11564863]' - }, - 'GO:0030915': { - 'name': 'Smc5-Smc6 complex', - 'def': 'A conserved complex that contains a heterodimer of SMC proteins (Smc5p and Smc6p, or homologs thereof) and several other proteins, and is involved in DNA repair and maintaining cell cycle arrest following DNA damage. In S. cerevisiae, this is an octameric complex called Mms21-Smc5-Smc6 complex, with at least five of its subunits conserved in fission yeast and humans. [GOC:rb, PMID:14701739]' - }, - 'GO:0030916': { - 'name': 'otic vesicle formation', - 'def': 'The process resulting in the transition of the otic placode into the otic vesicle, a transient embryonic structure formed during development of the vertebrate inner ear. [GOC:dgh]' - }, - 'GO:0030917': { - 'name': 'midbrain-hindbrain boundary development', - 'def': 'The process whose specific outcome is the progression of the midbrain-hindbrain boundary over time, from its formation to the mature structure. The midbrain-hindbrain domain of the embryonic brain is comprised of the mesencephalic vesicle and the first rhombencephalic vesicle at early somitogenesis stages. [GOC:dgh]' - }, - 'GO:0030919': { - 'name': 'peptidyl-serine O-acetylation', - 'def': 'The acetylation of peptidyl-serine to form peptidyl-O-acetyl-L-serine. [PMID:489587, PMID:7309355, RESID:AA0364]' - }, - 'GO:0030920': { - 'name': 'peptidyl-serine acetylation', - 'def': 'The acetylation of peptidyl-serine. [GOC:mah]' - }, - 'GO:0030921': { - 'name': 'peptidyl-tyrosine dehydrogenation to form (Z)-2,3-didehydrotyrosine', - 'def': 'The oxidation of the C alpha-C beta bond of peptidyl-tyrosine to form peptidyl-(Z)-2,3-didehydrotyrosine coupled with cyclization of neighboring residues. [PMID:9631087, RESID:AA0183]' - }, - 'GO:0030922': { - 'name': 'peptidyl-tyrosine dehydrogenation to form (E)-2,3-didehydrotyrosine', - 'def': 'The oxidation of the C alpha-C beta bond of peptidyl-tyrosine to form peptidyl-(E)-2,3-didehydrotyrosine coupled with cyclization of neighboring residues. [PMID:12623015, RESID:AA0365]' - }, - 'GO:0030923': { - 'name': 'metal incorporation into metallo-oxygen cluster', - 'def': 'The formation of a cluster of several metal atoms, including manganese or calcium, with one or more bridging (mu-bond) oxygen atoms; amino acids residues in proteins that may ligate the metal oxygen cluster are histidine, aspartate, and glutamate. [GOC:jsg]' - }, - 'GO:0030924': { - 'name': 'manganese incorporation into metallo-oxygen cluster', - 'def': 'The incorporation of manganese into a metallo-oxygen cluster. [GOC:jsg]' - }, - 'GO:0030925': { - 'name': 'calcium incorporation into metallo-oxygen cluster', - 'def': 'The incorporation of calcium into a metallo-oxygen cluster. [GOC:jsg]' - }, - 'GO:0030926': { - 'name': 'calcium incorporation into metallo-oxygen cluster via bis-L-aspartato tris-L-glutamato L-histidino calcium tetramanganese tetroxide', - 'def': 'The incorporation of calcium into a 4Mn-Ca-4O complex by bis-L-aspartato tris-L-glutamato L-histidino calcium tetramanganese tetroxide as in the photosystem II catalytic site. [PMID:14764885, RESID:AA0366]' - }, - 'GO:0030927': { - 'name': 'manganese incorporation into metallo-oxygen cluster via bis-L-aspartato tris-L-glutamato L-histidino calcium tetramanganese tetroxide', - 'def': 'The incorporation of manganese into a 4Mn-Ca-4O complex by bis-L-aspartato tris-L-glutamato L-histidino calcium tetramanganese tetroxide as in the photosystem II catalytic site. [PMID:14764885, RESID:AA0366]' - }, - 'GO:0030929': { - 'name': 'ADPG pyrophosphorylase complex', - 'def': 'Complex that possesses ADPG pyrophosphorylase activity. In all organisms where it has been found, the complex is a tetramer. In bacteria, it is a homotetramer. In plants, the complex is a heterotetramer composed small and large subunits. [GOC:tb, PMID:9680965]' - }, - 'GO:0030930': { - 'name': 'homotetrameric ADPG pyrophosphorylase complex', - 'def': 'A protein complex composed of four identical subunits that possesses ADPG pyrophosphorylase activity. Examples of this component are found in Bacterial species. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0030931': { - 'name': 'heterotetrameric ADPG pyrophosphorylase complex', - 'def': 'A protein complex composed of four different subunits that possesses ADPG pyrophosphorylase activity. An example of this process is found in Mus musculus. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0030932': { - 'name': 'amyloplast ADPG pyrophosphorylase complex', - 'def': 'An ADPG pyrophosphorylase complex found in the amyloplast. [GOC:mah]' - }, - 'GO:0030933': { - 'name': 'chloroplast ADPG pyrophosphorylase complex', - 'def': 'An ADPG pyrophosphorylase complex found in the chloroplast. [GOC:mah]' - }, - 'GO:0030934': { - 'name': 'anchoring collagen complex', - 'def': 'Any collagen complex which links one collagen assembly, such as a collagen fibril or sheet, to other structures. [ISBN:0721639976]' - }, - 'GO:0030935': { - 'name': 'sheet-forming collagen trimer', - 'def': 'sheet-forming collagen trimer [ISBN:0721639976]' - }, - 'GO:0030936': { - 'name': 'transmembrane collagen trimer', - 'def': 'Any collagen trimer that passes through a lipid bilayer membrane. [ISBN:0721639976]' - }, - 'GO:0030937': { - 'name': 'collagen type XVII trimer', - 'def': 'A collagen homotrimer of alpha1(XVII) chains; type XVII collagen triple helices span the plasma membrane and associate with hemidesmosomes and the basal lamina where they bind laminin. [ISBN:0721639976, PMID:19693541, PMID:21421911]' - }, - 'GO:0030938': { - 'name': 'collagen type XVIII trimer', - 'def': 'A collagen homotrimer of alpha1(XVIII) chains. [ISBN:0721639976, PMID:21421911]' - }, - 'GO:0030939': { - 'name': 'obsolete response to long-day photoperiod', - 'def': 'OBSOLETE. A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a photoperiod, an intermittent cycle of light (day) and dark (night) photoperiod regimes, with the light phase being longer than the dark. [GOC:pj]' - }, - 'GO:0030940': { - 'name': 'obsolete response to short-day photoperiod', - 'def': 'OBSOLETE. A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a photoperiod, an intermittent cycle of light (day) and dark (night) photoperiod regimes, with the dark phase being longer than the light. [GOC:pj]' - }, - 'GO:0030941': { - 'name': 'chloroplast targeting sequence binding', - 'def': 'Interacting selectively and non-covalently with a chloroplast targeting sequence, a specific peptide sequence that acts as a signal to localize the protein within the chloroplast. [GOC:mah]' - }, - 'GO:0030942': { - 'name': 'endoplasmic reticulum signal peptide binding', - 'def': 'Interacting selectively and non-covalently with an endoplasmic reticulum signal peptide, a specific peptide sequence that acts as a signal to localize the protein within the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0030943': { - 'name': 'mitochondrion targeting sequence binding', - 'def': 'Interacting selectively and non-covalently with a mitochondrion targeting sequence, a specific peptide sequence that acts as a signal to localize the protein within the mitochondrion. [GOC:mah]' - }, - 'GO:0030944': { - 'name': 'DDEL sequence binding', - 'def': 'Interacting selectively and non-covalently with a KDEL sequence, the C terminus tetrapeptide sequence Asp-Asp-Glu-Leu found in proteins that are to be retained in the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0030945': { - 'name': 'protein tyrosine phosphatase activity, via thiol-phosphate intermediate', - 'def': 'The catalysis of phosphate removal from a phosphotyrosine using cysteine as a nucleophile and proceed by means of a thiol-phosphate intermediate. [GOC:hjd]' - }, - 'GO:0030946': { - 'name': 'protein tyrosine phosphatase activity, metal-dependent', - 'def': 'Catalysis of the reaction: protein tyrosine phosphate + H2O = protein tyrosine + phosphate. This reaction requires metal ions. [GOC:mah]' - }, - 'GO:0030947': { - 'name': 'regulation of vascular endothelial growth factor receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of vascular endothelial growth factor receptor signaling pathway activity. [GOC:dgh]' - }, - 'GO:0030948': { - 'name': 'negative regulation of vascular endothelial growth factor receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of vascular endothelial growth factor receptor signaling pathway activity. [GOC:dgh]' - }, - 'GO:0030949': { - 'name': 'positive regulation of vascular endothelial growth factor receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular endothelial growth factor receptor signaling pathway activity. [GOC:dgh]' - }, - 'GO:0030950': { - 'name': 'establishment or maintenance of actin cytoskeleton polarity', - 'def': 'Any cellular process that results in the specification, formation or maintenance of polarized actin-based cytoskeletal structures. [GOC:mah]' - }, - 'GO:0030951': { - 'name': 'establishment or maintenance of microtubule cytoskeleton polarity', - 'def': 'Any cellular process that results in the specification, formation or maintenance of polarized microtubule-based cytoskeletal structures. [GOC:mah]' - }, - 'GO:0030952': { - 'name': 'establishment or maintenance of cytoskeleton polarity', - 'def': 'Any cellular process that results in the specification, formation or maintenance of polarized cytoskeletal structures. [GOC:mah]' - }, - 'GO:0030953': { - 'name': 'astral microtubule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of astral microtubules, any of the spindle microtubules that radiate in all directions from the spindle poles. [GOC:mah]' - }, - 'GO:0030954': { - 'name': 'astral microtubule nucleation', - 'def': "The 'de novo' formation of an astral microtubule, in which tubulin heterodimers form metastable oligomeric aggregates, some of which go on to support formation of a complete microtubule. [GOC:mah]" - }, - 'GO:0030955': { - 'name': 'potassium ion binding', - 'def': 'Interacting selectively and non-covalently with potassium (K+) ions. [GOC:mah]' - }, - 'GO:0030956': { - 'name': 'glutamyl-tRNA(Gln) amidotransferase complex', - 'def': 'A protein complex that possesses glutamyl-tRNA(Gln) amidotransferase activity, and therefore creates Gln-tRNA by amidating Glu-tRNA; usually composed of 3 subunits: A, B, and C. Note that the C subunit may not be required in all organisms. [GOC:mlg]' - }, - 'GO:0030957': { - 'name': 'Tat protein binding', - 'def': 'Interacting selectively and non-covalently with Tat, a viral transactivating regulatory protein from the human immunodeficiency virus, or the equivalent protein from another virus. [GOC:mah, PMID:9094689]' - }, - 'GO:0030958': { - 'name': 'RITS complex', - 'def': 'A protein complex required for heterochromatin assembly; contains an Argonaute homolog, a chromodomain protein, and at least one additional protein; named for RNA-induced initiation of transcriptional gene silencing. [PMID:14704433]' - }, - 'GO:0030959': { - 'name': "peptide cross-linking via 3'-(3'-L-tyrosinyl)-L-tyrosine", - 'def': "The modification of two peptidyl-tyrosines to form a 3'-(3'-L-tyrosinyl)-L-tyrosine protein cross-link. [RESID:AA0367]" - }, - 'GO:0030960': { - 'name': "peptide cross-linking via 3'-(O4'-L-tyrosinyl)-L-tyrosine", - 'def': "The modification of two peptidyl-tyrosines to form a 3'-(O4'-L-tyrosinyl)-L-tyrosine protein cross-link. [PDB:1NGK, PMID:12719529, RESID:AA0368]" - }, - 'GO:0030961': { - 'name': 'peptidyl-arginine hydroxylation', - 'def': 'The hydroxylation of peptidyl-arginine to form peptidyl-hydroxyarginine. [GOC:mah]' - }, - 'GO:0030962': { - 'name': 'peptidyl-arginine dihydroxylation to peptidyl-3,4-dihydroxy-L-arginine', - 'def': 'The dihydroxylation of peptidyl-arginine to form peptidyl-3,4-dihydroxy-L-arginine. [PMID:10978343, RESID:AA0369]' - }, - 'GO:0030963': { - 'name': 'peptidyl-lysine dihydroxylation to 4,5-dihydroxy-L-lysine', - 'def': 'The dihydroxylation of peptidyl-lysine to peptidyl-4,5-dihydroxy-L-lysine. [PMID:10978343, RESID:AA0370]' - }, - 'GO:0030964': { - 'name': 'NADH dehydrogenase complex', - 'def': 'An integral membrane complex that possesses NADH oxidoreductase activity. The complex is one of the components of the electron transport chain. It catalyzes the transfer of a pair of electrons from NADH to a quinone. [GOC:mah]' - }, - 'GO:0030965': { - 'name': 'plasma membrane electron transport, NADH to quinone', - 'def': 'The transfer of electrons from NADH to the quinone pool that occurs during oxidative phosphorylation and results in the generation of a proton gradient, mediated by the enzyme known as NADH-quinone oxidoreductase. [GOC:mah, GOC:sd]' - }, - 'GO:0030968': { - 'name': 'endoplasmic reticulum unfolded protein response', - 'def': 'The series of molecular signals generated as a consequence of the presence of unfolded proteins in the endoplasmic reticulum (ER) or other ER-related stress; results in changes in the regulation of transcription and translation. [GOC:mah, PMID:12042763]' - }, - 'GO:0030969': { - 'name': 'mRNA splicing via endonucleolytic cleavage and ligation involved in unfolded protein response', - 'def': 'The spliceosome-independent cleavage and ligation of the mRNA encoding a UFP-specific transcription factor to remove a single intron, thereby increasing both the translational efficiency of the processed mRNA and the activity of the protein it encodes. [GOC:mah, PMID:12042763, PMID:21924241]' - }, - 'GO:0030970': { - 'name': 'retrograde protein transport, ER to cytosol', - 'def': 'The directed movement of unfolded or misfolded proteins from the endoplasmic reticulum to the cytosol through the translocon. [PMID:11994744]' - }, - 'GO:0030971': { - 'name': 'receptor tyrosine kinase binding', - 'def': 'Interacting selectively and non-covalently with a receptor that possesses protein tyrosine kinase activity. [GOC:mah]' - }, - 'GO:0030972': { - 'name': 'obsolete cleavage of cytosolic proteins involved in execution phase of apoptosis', - 'def': 'OBSOLETE. The proteolytic degradation of proteins in the cytosol that contributes to apoptosis. [GOC:dph, GOC:mah, GOC:mtg_apoptosis, GOC:tb, ISBN:0815332181]' - }, - 'GO:0030973': { - 'name': 'molybdate ion binding', - 'def': 'Interacting selectively and non-covalently with molybdate (MoO4 2-) ions. [GOC:mlg]' - }, - 'GO:0030974': { - 'name': 'thiamine pyrophosphate transport', - 'def': 'The directed movement of thiamine pyrophosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mlg]' - }, - 'GO:0030975': { - 'name': 'thiamine binding', - 'def': 'Interacting selectively and non-covalently with thiamine (vitamin B1), a water soluble vitamin present in fresh vegetables and meats, especially liver. [GOC:mlg]' - }, - 'GO:0030976': { - 'name': 'thiamine pyrophosphate binding', - 'def': 'Interacting selectively and non-covalently with thiamine pyrophosphate, the diphosphoric ester of thiamine. Acts as a coenzyme of several (de)carboxylases, transketolases, and alpha-oxoacid dehydrogenases. [CHEBI:45931, GOC:mlg]' - }, - 'GO:0030977': { - 'name': 'taurine binding', - 'def': 'Interacting selectively and non-covalently with taurine. [GOC:mlg]' - }, - 'GO:0030978': { - 'name': 'alpha-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving alpha-glucans, compounds composed of glucose residues linked by alpha-D-glucosidic bonds. [GOC:mah]' - }, - 'GO:0030979': { - 'name': 'alpha-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alpha-glucans, compounds composed of glucose residues linked by alpha-D-glucosidic bonds. [GOC:mah]' - }, - 'GO:0030980': { - 'name': 'alpha-glucan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alpha-glucans. [GOC:mah]' - }, - 'GO:0030981': { - 'name': 'cortical microtubule cytoskeleton', - 'def': 'The portion of the microtubule cytoskeleton that lies just beneath the plasma membrane. [GOC:mah]' - }, - 'GO:0030982': { - 'name': 'adventurous gliding motility', - 'def': 'A process involved in the controlled movement of a bacterial cell powered by the rearward secretion of carbohydrate slime. [GOC:mlg, PMID:11967173]' - }, - 'GO:0030983': { - 'name': 'mismatched DNA binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing one or more mismatches. [GOC:mah]' - }, - 'GO:0030984': { - 'name': 'kininogen binding', - 'def': 'Interacting selectively and non-covalently with a kininogen, any of a group of plasma proteins that are kinin precursors. [GOC:mah, PMID:9520414]' - }, - 'GO:0030985': { - 'name': 'high molecular weight kininogen binding', - 'def': 'Interacting selectively and non-covalently with a kininogen of high molecular mass. [GOC:mah, PMID:9520414]' - }, - 'GO:0030986': { - 'name': 'low molecular weight kininogen binding', - 'def': 'Interacting selectively and non-covalently with a kininogen of low molecular mass. [GOC:mah, PMID:9520414]' - }, - 'GO:0030987': { - 'name': 'high molecular weight kininogen receptor binding', - 'def': 'Interacting selectively and non-covalently with a high molecular weight kininogen receptor. [GOC:mah]' - }, - 'GO:0030988': { - 'name': 'high molecular weight kininogen receptor complex', - 'def': 'A protein complex that acts as a receptor for high molecular weight kininogens. In humans, this receptor includes the CK1 and uPAR proteins. [GOC:mah, PMID:11290596]' - }, - 'GO:0030989': { - 'name': 'dynein-driven meiotic oscillatory nuclear movement', - 'def': 'Oscillatory movement of the nucleus involved in meiosis I. This oscillatory movement is led by an astral microtubule array emanating from the spindle pole body, and driven by the microtubule motor cytoplasmic dynein. [GOC:vw, PMID:16111942, PMID:9572142]' - }, - 'GO:0030990': { - 'name': 'intraciliary transport particle', - 'def': 'A nonmembrane-bound oligomeric protein complex that participates in bidirectional transport of molecules (cargo) along axonemal microtubules. [GOC:cilia, GOC:kmv, PMID:14570576, PMID:22118932, PMID:23945166]' - }, - 'GO:0030991': { - 'name': 'intraciliary transport particle A', - 'def': 'The smaller subcomplex of the intraciliary transport particle; characterized complexes have molecular weights of 710-760 kDa. [GOC:cilia, GOC:kmv, PMID:14570576]' - }, - 'GO:0030992': { - 'name': 'intraciliary transport particle B', - 'def': 'The larger subcomplex of the intraciliary transport particle; characterized complexes have molecular weights around 550 kDa. [GOC:cilia, GOC:kmv, PMID:14570576, PMID:19253336]' - }, - 'GO:0030993': { - 'name': 'axonemal heterotrimeric kinesin-II complex', - 'def': 'A kinesin complex found in eukaryotic axonemes that contains two distinct plus end-directed kinesin motor proteins and at least one accessory subunit, and that functions in the anterograde transport of molecules (cargo) from the basal body to the distal tip of the axoneme. [GOC:kmv, PMID:14570576]' - }, - 'GO:0030994': { - 'name': 'primary cell septum disassembly', - 'def': 'Dissolution of the primary septum during cell separation. [PMID:12665550]' - }, - 'GO:0030995': { - 'name': 'cell septum edging catabolic process', - 'def': 'The chemical reactions and pathways resulting in the dissolution of the septum edging during cell separation. [GOC:mah, PMID:15194814]' - }, - 'GO:0030996': { - 'name': 'obsolete mitotic cell cycle arrest in response to nitrogen starvation', - 'def': 'OBSOLETE. The process in which the mitotic cell cycle is halted during one of the normal phases (G1, S, G2, M) as a result of deprivation of nitrogen. [GOC:dph, GOC:mah, GOC:tb, GOC:vw]' - }, - 'GO:0030997': { - 'name': 'regulation of centriole-centriole cohesion', - 'def': 'Any process that modulates the extent to which the two centrioles within a centrosome remain tightly paired; may be mediated by the assembly and disassembly of a proteinaceous linker. [PMID:11076968]' - }, - 'GO:0030998': { - 'name': 'linear element', - 'def': 'A proteinaceous scaffold associated with S. pombe chromosomes during meiotic prophase. Linear elements have a structure related to but not equivalent to the synaptonemal complex. [DOI:10.2323/jgam.28.263, GOC:jb, PMID:12665553]' - }, - 'GO:0030999': { - 'name': 'linear element assembly', - 'def': 'The cell cycle process in which a proteinaceous scaffold, related to the synaptonemal complex, is assembled in association with S. pombe chromosomes during meiotic prophase. [GOC:jb, GOC:mah]' - }, - 'GO:0031000': { - 'name': 'response to caffeine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a caffeine stimulus. Caffeine is an alkaloid found in numerous plant species, where it acts as a natural pesticide that paralyzes and kills certain insects feeding upon them. [CHEBI:27732, GOC:ef, GOC:mah]' - }, - 'GO:0031001': { - 'name': 'response to brefeldin A', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a brefeldin A stimulus. [GOC:mah]' - }, - 'GO:0031002': { - 'name': 'actin rod', - 'def': 'A cellular structure consisting of parallel, hexagonally arranged actin tubules, comprising filamentous actin and associated proteins. Found in the germinating spores of Dictyostelium discoideum. [GOC:kp]' - }, - 'GO:0031003': { - 'name': 'actin tubule', - 'def': 'A cellular structure, approximately 13 nm in diameter, consisting of three actin filaments bundled together. [GOC:kp]' - }, - 'GO:0031004': { - 'name': 'potassium ion-transporting ATPase complex', - 'def': 'Protein complex that carries out the reaction: ATP + H2O + K+(out) = ADP + phosphate + K+(in). It is a high affinity potassium uptake system. The E. coli complex consists of 4 proteins: KdpA is the potassium ion translocase, KdpB is the ATPase, and KdpC and KdpF seem to be involved in assembly and stabilization of the complex. [PMID:10608856, PMID:9858692, TIGR_TIGRFAMS:TIGR01497]' - }, - 'GO:0031005': { - 'name': 'filamin binding', - 'def': 'Interacting selectively and non-covalently with a filamin, any member of a family of high molecular mass cytoskeletal proteins that crosslink actin filaments to form networks and stress fibers. Filamins contain an amino-terminal alpha-actinin-like actin binding domain, which is followed by a rod-domain composed of 4 to 24 100-residue repetitive segments including a carboxy-terminal dimerization domain. [GOC:mah, PMID:11336782]' - }, - 'GO:0031009': { - 'name': 'plastid ADPG pyrophosphorylase complex', - 'def': 'An ADPG pyrophosphorylase complex found in a plastid. [GOC:mah]' - }, - 'GO:0031010': { - 'name': 'ISWI-type complex', - 'def': 'Any nuclear protein complex that contains an ATPase subunit of the imitation switch (ISWI) family. ISWI ATPases are involved in assembling chromatin and in sliding and spacing nucleosomes to regulate transcription of nuclear RNA polymerases I, II, and III and also DNA replication, recombination and repair. [GOC:krc, GOC:mah, PMID:15020051, PMID:15284901, PMID:16568949, PMID:21810179]' - }, - 'GO:0031011': { - 'name': 'Ino80 complex', - 'def': "A multisubunit protein complex that contains the Ino80p ATPase; exhibits chromatin remodeling activity and 3' to 5' DNA helicase activity. [GOC:jh, GOC:rb, PMID:19355820]" - }, - 'GO:0031012': { - 'name': 'extracellular matrix', - 'def': 'A structure lying external to one or more cells, which provides structural support for cells or tissues. [GOC:mah, NIF_Subcellular:nlx_subcell_20090513]' - }, - 'GO:0031013': { - 'name': 'troponin I binding', - 'def': 'Interacting selectively and non-covalently with troponin I, the inhibitory subunit of the troponin complex. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0031014': { - 'name': 'troponin T binding', - 'def': 'Interacting selectively and non-covalently with troponin T, the tropomyosin-binding subunit of the troponin complex. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0031015': { - 'name': 'obsolete karyopherin docking complex', - 'def': 'OBSOLETE. A subcomplex of the nuclear pore complex that interacts with karyopherin-cargo complexes; a well-characterized example in Saccharomyces contains Asm4p, Nup53p, and Nup170p. [PMID:11867631, PMID:9864357]' - }, - 'GO:0031016': { - 'name': 'pancreas development', - 'def': 'The process whose specific outcome is the progression of the pancreas over time, from its formation to the mature structure. The pancreas is an endoderm derived structure that produces precursors of digestive enzymes and blood glucose regulating enzymes. [GOC:cvs]' - }, - 'GO:0031017': { - 'name': 'exocrine pancreas development', - 'def': 'The process whose specific outcome is the progression of the exocrine pancreas over time, from its formation to the mature structure. The exocrine pancreas produces and store zymogens of digestive enzymes, such as chymotrypsinogen and trypsinogen in the acinar cells. [GOC:cvs]' - }, - 'GO:0031018': { - 'name': 'endocrine pancreas development', - 'def': 'The process whose specific outcome is the progression of the endocrine pancreas over time, from its formation to the mature structure. The endocrine pancreas is made up of islet cells that produce insulin, glucagon and somatostatin. [GOC:cvs]' - }, - 'GO:0031019': { - 'name': 'mitochondrial mRNA editing complex', - 'def': 'An mRNA editing complex found in the mitochondrion. The best characterized example is that of Trypanosoma brucei, which catalyzes the insertion and deletion of uridylates. [GOC:mah, PMID:12139607]' - }, - 'GO:0031020': { - 'name': 'plastid mRNA editing complex', - 'def': 'An mRNA editing complex found in a plastid. [GOC:mah]' - }, - 'GO:0031021': { - 'name': 'interphase microtubule organizing center', - 'def': 'A microtubule organizing center found in interphase cells, which organize a longitudinal array of three to five MT bundles from the nuclear envelope during interphase. Each MT bundle is composed of two to seven MTs arranged in an antiparallel configuration, with the dynamic MT plus ends extending toward the cell tips and stable minus ends near the nucleus. [PMID:15068790]' - }, - 'GO:0031022': { - 'name': 'nuclear migration along microfilament', - 'def': 'The directed movement of the nucleus along microfilaments within the cell, mediated by motor proteins. [GOC:mah]' - }, - 'GO:0031023': { - 'name': 'microtubule organizing center organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a microtubule organizing center, a structure from which microtubules grow. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0031024': { - 'name': 'interphase microtubule organizing center assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components, including gamma-tubulin and other proteins, to form an interphase microtubule organizing center. [GOC:mah, PMID:15068790]' - }, - 'GO:0031025': { - 'name': 'equatorial microtubule organizing center disassembly', - 'def': 'The process in which the equatorial microtubule organizing center is disassembled at the end of mitosis. [GOC:mah, PMID:15068790]' - }, - 'GO:0031026': { - 'name': 'glutamate synthase complex', - 'def': 'A complex that possesses glutamate synthase activity. [GOC:mah]' - }, - 'GO:0031027': { - 'name': 'glutamate synthase complex (NADH)', - 'def': 'A protein complex that in yeast consists of a large and a small subunit. Possesses glutamate synthase (NADH) activity. [GOC:jl, PMID:7047525]' - }, - 'GO:0031028': { - 'name': 'septation initiation signaling', - 'def': 'The series of molecular signals, mediated by the small GTPase Ras, that results in the initiation of contraction of the contractile ring, at the beginning of cytokinesis and cell division by septum formation. The pathway coordinates chromosome segregation with mitotic exit and cytokinesis. [GOC:mah, GOC:vw, PMID:16775007]' - }, - 'GO:0031029': { - 'name': 'regulation of septation initiation signaling', - 'def': 'Any process that modulates the frequency, rate or extent of septation initiation signaling. [GOC:mah]' - }, - 'GO:0031030': { - 'name': 'negative regulation of septation initiation signaling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of septation initiation signaling. [GOC:mah]' - }, - 'GO:0031031': { - 'name': 'positive regulation of septation initiation signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of septation initiation signaling. [GOC:mah]' - }, - 'GO:0031032': { - 'name': 'actomyosin structure organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures containing both actin and myosin or paramyosin. The myosin may be organized into filaments. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0031033': { - 'name': 'myosin filament organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a filament composed of myosin molecules. [GOC:mah]' - }, - 'GO:0031034': { - 'name': 'myosin filament assembly', - 'def': 'The aggregation, arrangement and bonding together of a filament composed of myosin molecules. [GOC:mah]' - }, - 'GO:0031035': { - 'name': 'myosin filament disassembly', - 'def': 'The disassembly of a filament composed of myosin molecules. [GOC:mah]' - }, - 'GO:0031036': { - 'name': 'myosin II filament assembly', - 'def': 'The formation of a bipolar filament composed of myosin II molecules. [GOC:mah]' - }, - 'GO:0031037': { - 'name': 'myosin II filament disassembly', - 'def': 'The disassembly of a bipolar filament composed of myosin II molecules. [GOC:mah]' - }, - 'GO:0031038': { - 'name': 'myosin II filament organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a bipolar filament composed of myosin II molecules. [GOC:mah]' - }, - 'GO:0031039': { - 'name': 'macronucleus', - 'def': "A membrane-bounded organelle of ciliated protozoan cells that contains polyploid copies of a portion of the cell's complete genome. Transcription of genes occurs in macronuclei. Some ciliate species may contain multiple macronuclei per cell. [GOC:ns]" - }, - 'GO:0031040': { - 'name': 'micronucleus', - 'def': "A membrane-bounded organelle of ciliated protozoan cells that contains a diploid copy of the cell's complete genome. Sections of contiguous sequence in the macronucleus are often interrupted by internal eliminated sequences (IES), and may be permuted, in micronuclei. Genic transcription is not found in micronuclei. Some ciliate species may contain multiple micronuclei per cell. [GOC:ns]" - }, - 'GO:0031041': { - 'name': 'O-glycan processing, core 5', - 'def': 'The stepwise addition of carbohydrate or carbohydrate derivative residues to the initially added O-linked residue (usually GalNAc) to form the core 5 O-glycan structure, GalNAc-alpha-(1->3)-GalNAc. [GOC:mah, GOC:pr, PMID:10580130]' - }, - 'GO:0031042': { - 'name': 'O-glycan processing, core 6', - 'def': 'The stepwise addition of carbohydrate or carbohydrate derivative residues to the initially added O-linked residue (usually GalNAc) to form the core 6 O-glycan structure, GlcNAc-beta-(1->6)-GalNAc. [GOC:mah, GOC:pr, PMID:10580130]' - }, - 'GO:0031043': { - 'name': 'O-glycan processing, core 7', - 'def': 'The stepwise addition of carbohydrate or carbohydrate derivative residues to the initially added O-linked residue (usually GalNAc) to form the core 7 O-glycan structure, GalNAc-alpha-(1->6)-GalNAc. [GOC:mah, GOC:pr, PMID:10580130]' - }, - 'GO:0031044': { - 'name': 'O-glycan processing, core 8', - 'def': 'The stepwise addition of carbohydrate or carbohydrate derivative residues to the initially added O-linked residue (usually GalNAc) to form the core 8 O-glycan structure, Gal-alpha-(1->3)-GalNAc. [GOC:mah, GOC:pr, PMID:10580130]' - }, - 'GO:0031045': { - 'name': 'dense core granule', - 'def': 'Electron-dense organelle with a granular internal matrix; contains proteins destined to be secreted. [NIF_Subcellular:sao772007592, PMID:14690495]' - }, - 'GO:0031047': { - 'name': 'gene silencing by RNA', - 'def': 'Any process in which RNA molecules inactivate expression of target genes. [GOC:dph, GOC:mah, GOC:tb, PMID:15020054]' - }, - 'GO:0031048': { - 'name': 'chromatin silencing by small RNA', - 'def': 'Repression of transcription by conversion of large regions of DNA into heterochromatin, directed by small RNAs sharing sequence identity to the repressed region. [GOC:dph, GOC:mtg_lung, GOC:ns]' - }, - 'GO:0031049': { - 'name': 'programmed DNA elimination', - 'def': 'The DNA metabolic process in which micronuclear-limited sequences, internal eliminated sequences (IES) and breakage eliminated sequences (BES) are removed from the developing macronucleus (anlage) of a ciliate. [GOC:mah, GOC:ns]' - }, - 'GO:0031050': { - 'name': 'dsRNA fragmentation', - 'def': 'Cleavage of double-stranded RNA molecules by an RNaseIII-family enzyme to produce small RNAs (generally 20-30 nucleotides, depending on species) with biological function. [GOC:ns]' - }, - 'GO:0031051': { - 'name': 'scnRNA production', - 'def': 'Cleavage of noncoding, double-stranded RNAs transcribed from the micronuclear genome to produce scnRNAs, small RNAs (~28 nucleotides) that direct the deletion of micronuclear-limited sequences from the developing macronuclear genome. [PMID:15196465]' - }, - 'GO:0031052': { - 'name': 'chromosome breakage', - 'def': 'Regulated cleavage of the developing macronuclear genome at a limited number of chromosome breakage sites (CBS). The macronuclear destined segment (MDS) sequence adjacent to the CBS (or separated from it by a BES) receives a macronuclear telomere following chromosome breakage. [GOC:ns]' - }, - 'GO:0031053': { - 'name': 'primary miRNA processing', - 'def': 'Any process involved in the conversion of a primary microRNA transcript into a pre-microRNA molecule. [GOC:sl, PMID:15211354]' - }, - 'GO:0031054': { - 'name': 'pre-miRNA processing', - 'def': 'Any process involved in the conversion of a pre-microRNA transcript into a mature microRNA molecule. [GOC:sl, PMID:15211354]' - }, - 'GO:0031055': { - 'name': 'chromatin remodeling at centromere', - 'def': 'Dynamic structural changes in centromeric DNA. [GOC:mah]' - }, - 'GO:0031056': { - 'name': 'regulation of histone modification', - 'def': 'Any process that modulates the frequency, rate or extent of the covalent alteration of a histone. [GOC:mah]' - }, - 'GO:0031057': { - 'name': 'negative regulation of histone modification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the covalent alteration of a histone. [GOC:mah]' - }, - 'GO:0031058': { - 'name': 'positive regulation of histone modification', - 'def': 'Any process that activates or increases the frequency, rate or extent of the covalent alteration of a histone. [GOC:mah]' - }, - 'GO:0031059': { - 'name': 'histone deacetylation at centromere', - 'def': 'The removal of acetyl groups from histones in centromeric DNA. [GOC:mah]' - }, - 'GO:0031060': { - 'name': 'regulation of histone methylation', - 'def': 'Any process that modulates the frequency, rate or extent of the covalent addition of methyl groups to histones. [GOC:mah]' - }, - 'GO:0031061': { - 'name': 'negative regulation of histone methylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the covalent addition of methyl groups to histones. [GOC:mah]' - }, - 'GO:0031062': { - 'name': 'positive regulation of histone methylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the covalent addition of methyl groups to histones. [GOC:mah]' - }, - 'GO:0031063': { - 'name': 'regulation of histone deacetylation', - 'def': 'Any process that modulates the frequency, rate or extent of the removal of acetyl groups from histones. [GOC:mah]' - }, - 'GO:0031064': { - 'name': 'negative regulation of histone deacetylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the removal of acetyl groups from histones. [GOC:mah]' - }, - 'GO:0031065': { - 'name': 'positive regulation of histone deacetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the removal of acetyl groups from histones. [GOC:mah]' - }, - 'GO:0031066': { - 'name': 'regulation of histone deacetylation at centromere', - 'def': 'Any process that modulates the frequency, rate or extent of the removal of acetyl groups from histones in centromeric DNA. [GOC:mah]' - }, - 'GO:0031067': { - 'name': 'negative regulation of histone deacetylation at centromere', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the removal of acetyl groups to histones in centromeric DNA. [GOC:mah]' - }, - 'GO:0031068': { - 'name': 'positive regulation of histone deacetylation at centromere', - 'def': 'Any process that activates or increases the frequency, rate or extent of the removal of acetyl groups from histones in centromeric DNA. [GOC:mah]' - }, - 'GO:0031069': { - 'name': 'hair follicle morphogenesis', - 'def': 'The process in which the anatomical structures of the hair follicle are generated and organized. [GOC:ln]' - }, - 'GO:0031070': { - 'name': 'intronic snoRNA processing', - 'def': 'The biogenesis of a snoRNA molecule which resides within, and is processed from, the intron of a pre-mRNA. [GOC:vw]' - }, - 'GO:0031071': { - 'name': 'cysteine desulfurase activity', - 'def': 'Catalysis of the reaction: L-cysteine + [enzyme]-cysteine = L-alanine + [enzyme]-S-sulfanylcysteine. [EC:2.8.1.7]' - }, - 'GO:0031072': { - 'name': 'heat shock protein binding', - 'def': 'Interacting selectively and non-covalently with a heat shock protein, any protein synthesized or activated in response to heat shock. [GOC:mah, GOC:vw]' - }, - 'GO:0031073': { - 'name': 'cholesterol 26-hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of cholesterol at position 26 of the side chain, to produce 26-hydroxycholesterol. [GOC:mah, PMID:950499]' - }, - 'GO:0031074': { - 'name': 'nucleocytoplasmic shuttling complex', - 'def': 'Any complex that acts to move proteins or RNAs into or out of the nucleus through nuclear pores. [GOC:mah]' - }, - 'GO:0031076': { - 'name': 'embryonic camera-type eye development', - 'def': 'The process occurring during the embryonic phase whose specific outcome is the progression of the eye over time, from its formation to the mature structure. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031077': { - 'name': 'post-embryonic camera-type eye development', - 'def': 'The process occurring during the post-embryonic phase whose specific outcome is the progression of the camera-type eye over time, from its formation to the mature structure. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031078': { - 'name': 'histone deacetylase activity (H3-K14 specific)', - 'def': 'Catalysis of the reaction: histone H3 N6-acetyl-L-lysine (position 14) + H2O = histone H3 L-lysine (position 14) + acetate. This reaction represents the removal of an acetyl group from lysine at position 14 of the histone H3 protein. [EC:3.5.1.17, RHEA:24551]' - }, - 'GO:0031079': { - 'name': 'obsolete picornain 3C activity', - 'def': 'OBSOLETE. Catalysis of the selective cleavage of GlnGly bond in the poliovirus polyprotein. In other picornavirus reactions Glu may be substituted for Gln, and Ser or Thr for Gly. [EC:3.4.22.28]' - }, - 'GO:0031080': { - 'name': 'nuclear pore outer ring', - 'def': "A subcomplex of the nuclear pore complex (NPC) that forms the outer rings of the core scaffold, a lattice-like structure that gives the NPC its shape and strength. In S. cerevisiae, the two outer rings each contain multiple copies of the following proteins: Nup133p, Nup120p, Nup145Cp, Nup85p, Nup84p, Seh1p, and Sec13p. In vertebrates, the two outer rings each contain multiple copies of the following proteins: Nup133, Nup160, Nup96, Nup75, Nup107, Seh1, Sec13, Nup43, Nup37, and ALADIN. Components are arranged in 8-fold symmetrical 'spokes' around the central transport channel. A single 'spoke', can be isolated and is sometimes referred to as the Nup84 complex (S. cerevisiae) or the Nup107-160 complex (vertebrates). [GOC:dgf, PMID:18046406, PMID:19524430, PMID:20947011, PMID:22419078]" - }, - 'GO:0031081': { - 'name': 'nuclear pore distribution', - 'def': 'Any process that establishes the spatial arrangement of nuclear pores within the nuclear envelope. [GOC:mah]' - }, - 'GO:0031082': { - 'name': 'BLOC complex', - 'def': 'Any of several protein complexes required for the biogenesis of specialized organelles of the endosomal-lysosomal system, such as melanosomes, platelet dense granules, and other related organelles; acronym for biogenesis of lysosomal-related organelles complex. [PMID:15102850, PMID:15261680]' - }, - 'GO:0031083': { - 'name': 'BLOC-1 complex', - 'def': 'A protein complex required for the biogenesis of specialized organelles of the endosomal-lysosomal system, such as melanosomes and platelet dense granules. Many of the protein subunits are conserved between mouse and human; the mouse complex contains the Pallidin, Muted, Cappuccino, Dysbindin, Snapin, BLOS1, BLOS2, AND BLOS3 proteins. [PMID:15102850]' - }, - 'GO:0031084': { - 'name': 'BLOC-2 complex', - 'def': 'A protein complex required for the biogenesis of specialized organelles of the endosomal-lysosomal system, such as melanosomes and platelet dense granules. The human complex contains the Hps3, Hps5, and Hps6 proteins; the mouse complex contains ru2 and ru. [PMID:12548288, PMID:14718540, PMID:15031569]' - }, - 'GO:0031085': { - 'name': 'BLOC-3 complex', - 'def': 'A protein complex required for the biogenesis of specialized organelles of the endosomal-lysosomal system, such as melanosomes and platelet dense granules. The human complex contains the Hps1 and Hps4 proteins. [PMID:12756248]' - }, - 'GO:0031086': { - 'name': 'nuclear-transcribed mRNA catabolic process, deadenylation-independent decay', - 'def': 'A pathway of degradation of nuclear-transcribed mRNAs that proceeds through a series of steps that is independent of deadenylation, but requires decapping followed by transcript decay, and that can regulate mRNA stability. [GOC:krc, PMID:15225542, PMID:15225544]' - }, - 'GO:0031087': { - 'name': 'deadenylation-independent decapping of nuclear-transcribed mRNA', - 'def': "Cleavage of the 5'-cap of a nuclear-transcribed mRNA that is independent of poly(A) tail shortening. [GOC:krc, PMID:15225542, PMID:15225544]" - }, - 'GO:0031088': { - 'name': 'platelet dense granule membrane', - 'def': 'The lipid bilayer surrounding the platelet dense granule. [GOC:mah]' - }, - 'GO:0031089': { - 'name': 'platelet dense granule lumen', - 'def': 'The volume enclosed by the membrane of the platelet dense granule. [GOC:mah]' - }, - 'GO:0031090': { - 'name': 'organelle membrane', - 'def': 'A membrane that is one of the two lipid bilayers of an organelle envelope or the outermost membrane of single membrane bound organelle. [GOC:dos, GOC:mah]' - }, - 'GO:0031091': { - 'name': 'platelet alpha granule', - 'def': 'A secretory organelle found in blood platelets, which is unique in that it exhibits further compartmentalization and acquires its protein content via two distinct mechanisms: (1) biosynthesis predominantly at the megakaryocyte (MK) level (with some vestigial platelet synthesis) (e.g. platelet factor 4) and (2) endocytosis and pinocytosis at both the MK and circulating platelet levels (e.g. fibrinogen (Fg) and IgG). [PMID:8467233]' - }, - 'GO:0031092': { - 'name': 'platelet alpha granule membrane', - 'def': 'The lipid bilayer surrounding the platelet alpha granule. [GOC:mah, PMID:8467233]' - }, - 'GO:0031093': { - 'name': 'platelet alpha granule lumen', - 'def': 'The volume enclosed by the membrane of the platelet alpha granule. [GOC:mah, PMID:8467233]' - }, - 'GO:0031094': { - 'name': 'platelet dense tubular network', - 'def': 'A network of membrane-bounded compartments found in blood platelets, where they regulate platelet activation by sequestering or releasing calcium. The dense tubular network exists as thin elongated membranes in resting platelets, and undergoes a major ultrastructural change, to a rounded vesicular form, upon addition of thrombin. [PMID:1322202]' - }, - 'GO:0031095': { - 'name': 'platelet dense tubular network membrane', - 'def': 'The lipid bilayer surrounding the platelet dense tubular network. [GOC:mah, PMID:1322202]' - }, - 'GO:0031096': { - 'name': 'platelet dense tubular network lumen', - 'def': 'The volume enclosed by the membranes of the platelet dense tubular network. [GOC:mah, PMID:1322202]' - }, - 'GO:0031097': { - 'name': 'medial cortex', - 'def': 'A medial cortical band overlaying the nucleus which acts as a landmark for contractile ring positioning and plays a role in cell cycle regulation. [GOC:vw, PMID:15572668, PMID:19474789]' - }, - 'GO:0031098': { - 'name': 'stress-activated protein kinase signaling cascade', - 'def': 'A series of molecular signals in which a stress-activated protein kinase (SAPK) cascade relays one or more of the signals. [GOC:mah]' - }, - 'GO:0031099': { - 'name': 'regeneration', - 'def': 'The regrowth of a lost or destroyed body part, such as an organ or tissue. This process may occur via renewal, repair, and/or growth alone (i.e. increase in size or mass). [GOC:mah, GOC:pr]' - }, - 'GO:0031100': { - 'name': 'animal organ regeneration', - 'def': 'The regrowth of a lost or destroyed animal organ. [GOC:mah]' - }, - 'GO:0031101': { - 'name': 'fin regeneration', - 'def': 'The regrowth of fin tissue following its loss or destruction. [GOC:dgh]' - }, - 'GO:0031102': { - 'name': 'neuron projection regeneration', - 'def': 'The regrowth of neuronal processes such as axons or dendrites in response to their loss or damage. [GOC:dgh, GOC:dph, GOC:tb]' - }, - 'GO:0031103': { - 'name': 'axon regeneration', - 'def': 'The regrowth of axons following their loss or damage. [GOC:dgh, GOC:dph, GOC:tb]' - }, - 'GO:0031104': { - 'name': 'dendrite regeneration', - 'def': 'The regrowth of dendrites in response to their loss or damage. [GOC:dgh, GOC:dph, GOC:tb]' - }, - 'GO:0031105': { - 'name': 'septin complex', - 'def': 'A protein complex containing septins. Typically, these complexes contain multiple septins and are oligomeric. [GOC:mah, PMID:15385632]' - }, - 'GO:0031106': { - 'name': 'septin ring organization', - 'def': 'Control of the formation, spatial distribution, and breakdown of the septin ring. [GOC:mah]' - }, - 'GO:0031107': { - 'name': 'septin ring disassembly', - 'def': 'The controlled breakdown of a septin ring. [GOC:mah]' - }, - 'GO:0031108': { - 'name': 'holo-[acyl-carrier-protein] biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of holo-[acyl-carrier protein]. [GOC:mlg]' - }, - 'GO:0031109': { - 'name': 'microtubule polymerization or depolymerization', - 'def': 'Assembly or disassembly of microtubules by the addition or removal of tubulin heterodimers from a microtubule. [GOC:mah]' - }, - 'GO:0031110': { - 'name': 'regulation of microtubule polymerization or depolymerization', - 'def': 'Any process that modulates the frequency, rate or extent of microtubule polymerization or depolymerization by the addition or removal of tubulin heterodimers from a microtubule. [GOC:mah]' - }, - 'GO:0031111': { - 'name': 'negative regulation of microtubule polymerization or depolymerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of microtubule polymerization or depolymerization. [GOC:mah]' - }, - 'GO:0031112': { - 'name': 'positive regulation of microtubule polymerization or depolymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of microtubule polymerization or depolymerization. [GOC:mah]' - }, - 'GO:0031113': { - 'name': 'regulation of microtubule polymerization', - 'def': 'Any process that modulates the frequency, rate or extent of microtubule polymerization. [GOC:mah]' - }, - 'GO:0031114': { - 'name': 'regulation of microtubule depolymerization', - 'def': 'Any process that modulates the frequency, rate or extent of microtubule depolymerization. [GOC:mah]' - }, - 'GO:0031115': { - 'name': 'negative regulation of microtubule polymerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of microtubule polymerization. [GOC:mah]' - }, - 'GO:0031116': { - 'name': 'positive regulation of microtubule polymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of microtubule polymerization. [GOC:mah]' - }, - 'GO:0031117': { - 'name': 'positive regulation of microtubule depolymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of microtubule depolymerization. [GOC:mah]' - }, - 'GO:0031118': { - 'name': 'rRNA pseudouridine synthesis', - 'def': 'The intramolecular conversion of uridine to pseudouridine in an rRNA molecule. [GOC:mah]' - }, - 'GO:0031119': { - 'name': 'tRNA pseudouridine synthesis', - 'def': 'The intramolecular conversion of uridine to pseudouridine in a tRNA molecule. [GOC:mah]' - }, - 'GO:0031120': { - 'name': 'snRNA pseudouridine synthesis', - 'def': 'The intramolecular conversion of uridine to pseudouridine in an snRNA molecule. [GOC:mah]' - }, - 'GO:0031121': { - 'name': 'equatorial microtubule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of structures formed of microtubules and associated proteins at the midpoint of a cell. [GOC:mah, GOC:vw]' - }, - 'GO:0031122': { - 'name': 'cytoplasmic microtubule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of structures formed of microtubules and associated proteins in the cytoplasm of a cell. [GOC:mah]' - }, - 'GO:0031123': { - 'name': "RNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of an RNA molecule. [GOC:mah]" - }, - 'GO:0031124': { - 'name': "mRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of an mRNA molecule. [GOC:mah]" - }, - 'GO:0031125': { - 'name': "rRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of an rRNA molecule. [GOC:mah]" - }, - 'GO:0031126': { - 'name': "snoRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a snoRNA molecule. [GOC:mah]" - }, - 'GO:0031127': { - 'name': 'alpha-(1,2)-fucosyltransferase activity', - 'def': 'Catalysis of the transfer of an L-fucosyl group from GDP-beta-L-fucose to an acceptor molecule to form an alpha-(1->2) linkage. [GOC:mah]' - }, - 'GO:0031128': { - 'name': 'developmental induction', - 'def': 'A developmental process involving two tissues in which one tissue (the inducer) produces a signal that directs cell fate commitment of cells in the second tissue (the responder). [GOC:cjm, GOC:dph, GOC:mah, PMID:24503535]' - }, - 'GO:0031129': { - 'name': 'inductive cell-cell signaling', - 'def': 'Signaling at short range between cells of different ancestry and developmental potential that results in one cell or group of cells effecting a developmental change in the other. This is often done by secretion of proteins by one cell which affects the neighboring cells and causes them to adopt a certain fate. [GOC:mah]' - }, - 'GO:0031130': { - 'name': 'creation of an inductive signal', - 'def': 'The process in which one cell or group of cells sends a signal over a short range to another cell or group of cells of different ancestry and developmental potential, thereby effecting a developmental change in the latter. [GOC:mah]' - }, - 'GO:0031131': { - 'name': 'reception of an inductive signal', - 'def': 'The process in which one cell or group of cells receives, transduces, and responds to a signal generated by another cell or group of cells of different ancestry and developmental potential, such that the recipient cell(s) undergo a developmental change. [GOC:mah]' - }, - 'GO:0031132': { - 'name': 'serine 3-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-serine + NADP(+) = L-alpha-formylglycine + 2 H(+) + NADPH. [EC:1.1.1.276, RHEA:21599]' - }, - 'GO:0031133': { - 'name': 'regulation of axon diameter', - 'def': 'Any process that modulates the rate, direction or extent of axon growth such that the correct diameter is attained and maintained. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031134': { - 'name': 'sister chromatid biorientation', - 'def': 'The cell cycle process in which sister chromatids establish stable attachments to microtubules emanating from opposite spindle poles. [PMID:15309047]' - }, - 'GO:0031135': { - 'name': 'negative regulation of conjugation', - 'def': 'Any process that decreases the rate of conjugation. [GOC:mah]' - }, - 'GO:0031136': { - 'name': 'positive regulation of conjugation', - 'def': 'Any process that increases the rate or frequency of conjugation. [GOC:mah]' - }, - 'GO:0031137': { - 'name': 'regulation of conjugation with cellular fusion', - 'def': 'Any process that modulates the rate or frequency of conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0031138': { - 'name': 'negative regulation of conjugation with cellular fusion', - 'def': 'Any process that decreases the rate or frequency of conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0031139': { - 'name': 'positive regulation of conjugation with cellular fusion', - 'def': 'Any process that increases the rate or frequency of conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0031140': { - 'name': 'induction of conjugation upon nutrient starvation', - 'def': 'The process in which a cell initiates conjugation with cellular fusion upon starvation for one or more nutrients. [GOC:mah]' - }, - 'GO:0031141': { - 'name': 'induction of conjugation upon carbon starvation', - 'def': 'The process in which a cell initiates conjugation with cellular fusion upon carbon starvation. [GOC:mah]' - }, - 'GO:0031142': { - 'name': 'induction of conjugation upon nitrogen starvation', - 'def': 'The process in which a cell initiates conjugation with cellular fusion upon nitrogen starvation. [GOC:mah]' - }, - 'GO:0031143': { - 'name': 'pseudopodium', - 'def': 'A temporary protrusion or retractile process of a cell, associated with flowing movements of the protoplasm, and serving for locomotion and feeding. [ISBN:0198506732]' - }, - 'GO:0031144': { - 'name': 'proteasome localization', - 'def': 'Any process in which the proteasome is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0031145': { - 'name': 'anaphase-promoting complex-dependent catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by the covalent attachment of ubiquitin, with ubiquitin-protein ligation catalyzed by the anaphase-promoting complex, and mediated by the proteasome. [GOC:mah, PMID:15380083, PMID:15840442]' - }, - 'GO:0031146': { - 'name': 'SCF-dependent proteasomal ubiquitin-dependent protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by the covalent attachment of ubiquitin, with ubiquitin-protein ligation catalyzed by an SCF (Skp1/Cul1/F-box protein) complex, and mediated by the proteasome. [PMID:15380083]' - }, - 'GO:0031147': { - 'name': '1-(3,5-dichloro-2,6-dihydroxy-4-methoxyphenyl)hexan-1-one metabolic process', - 'def': 'The chemical reactions and pathways involving 1-(3,5-dichloro-2,6-dihydroxy-4-methoxyphenyl)hexan-1-one, also known as DIF-1, differentiation-inducing factor-1. DIF-1 is a secreted chlorinated molecule that controls cell fate during development of Dictyostelium cells. [GOC:mah, PMID:10706822]' - }, - 'GO:0031148': { - 'name': 'DIF-1 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 1-(3,5-dichloro-2,6-dihydroxy-4-methoxyphenyl)hexan-1-one, also known as DIF-1, differentiation-inducing factor-1. DIF-1 is a secreted chlorinated molecule that controls cell fate during development of Dictyostelium cells. [GOC:mah, PMID:10706822]' - }, - 'GO:0031149': { - 'name': 'sorocarp stalk cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a sorocarp stalk cell, any of the cellulose-covered cells that form the stalk of a sorocarp. An example of this process is found in Dictyostelium discoideum. [dictyBase_REF:5048, GOC:mah, GOC:mtg_sensu, ISBN:0521583640]' - }, - 'GO:0031150': { - 'name': 'sorocarp stalk development', - 'def': 'The process whose specific outcome is the progression of the sorocarp stalk over time, from its formation to the mature structure. The sorocarp stalk is a tubular structure that consists of cellulose-covered cells stacked on top of each other and surrounded by an acellular stalk tube composed of cellulose and glycoprotein. An example of this process is found in Dictyostelium discoideum. [dictyBase_REF:5048, GOC:mtg_sensu, ISBN:0521583640]' - }, - 'GO:0031151': { - 'name': 'histone methyltransferase activity (H3-K79 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + histone H3 L-lysine (position 79) = S-adenosyl-L-homocysteine + histone H3 N6-methyl-L-lysine (position 79). This reaction is the addition of a methyl group onto lysine at position 79 of the histone H3 protein. [GOC:mah, PMID:15371351]' - }, - 'GO:0031152': { - 'name': 'aggregation involved in sorocarp development', - 'def': 'The process whose specific outcome is the progression of the aggregate over time, from its formation to the point when a slug is formed. Aggregate development begins in response to starvation and continues by the chemoattractant-mediated movement of cells toward each other. The aggregate is a multicellular structure that gives rise to the slug. [GOC:mah, GOC:mtg_sensu, ISBN:0521583640]' - }, - 'GO:0031153': { - 'name': 'slug development involved in sorocarp development', - 'def': 'The process whose specific outcome is the progression of the slug over time, from its formation to the mature structure. Slug development begins when the aggregate rises upwards to form a finger-shaped structure and ends when culmination begins. Slug development begins after aggregation and ends before culmination in sorocarp development. [GOC:mah, GOC:mtg_sensu, ISBN:0521583640]' - }, - 'GO:0031154': { - 'name': 'culmination involved in sorocarp development', - 'def': 'The process whose specific outcome is the progression of the culminant over time, from its formation to the mature structure. Culmination begins with a morphogenetic change of the finger-like or migratory slug giving rise to an organized structure containing a stalk and a sorus. This process is the final stage of sorocarp development. [GOC:mah, GOC:mtg_sensu, ISBN:0521583640]' - }, - 'GO:0031155': { - 'name': 'regulation of reproductive fruiting body development', - 'def': 'Any process that modulates the frequency, rate or extent of reproductive fruiting body development. [GOC:mah]' - }, - 'GO:0031156': { - 'name': 'regulation of sorocarp development', - 'def': 'Any process that modulates the frequency, rate or extent of sorocarp development. An example of this process is found in Dictyostelium discoideum. [dictyBase_REF:2530, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031157': { - 'name': 'regulation of aggregate size involved in sorocarp development', - 'def': 'Any process that modulates the size of the aggregate formed during sorocarp formation. [dictyBase_REF:5048, GOC:mah, GOC:mtg_sensu, GOC:pg]' - }, - 'GO:0031158': { - 'name': 'negative regulation of aggregate size involved in sorocarp development', - 'def': 'Any process that decreases the size of the aggregate formed during sorocarp formation. [dictyBase_REF:5048, GOC:mah, GOC:mtg_sensu, GOC:pg]' - }, - 'GO:0031159': { - 'name': 'positive regulation of aggregate size involved in sorocarp development', - 'def': 'Any process that increases the size of the aggregate formed during sorocarp formation. [dictyBase_REF:5048, GOC:mah, GOC:pg]' - }, - 'GO:0031160': { - 'name': 'spore wall', - 'def': 'The specialized envelope lying outside the cell membrane of a spore. [GOC:mah, GOC:pg]' - }, - 'GO:0031161': { - 'name': 'phosphatidylinositol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphatidylinositol, any glycophospholipid with its sn-glycerol 3-phosphate residue is esterified to the 1-hydroxyl group of 1D-myo-inositol. [GOC:mah]' - }, - 'GO:0031162': { - 'name': 'sulfur incorporation into metallo-sulfur cluster', - 'def': 'The incorporation of exogenous sulfur into a metallo-sulfur cluster. [GOC:mah]' - }, - 'GO:0031163': { - 'name': 'metallo-sulfur cluster assembly', - 'def': 'The incorporation of a metal and exogenous sulfur into a metallo-sulfur cluster. [GOC:jl, GOC:mah, GOC:pde, GOC:vw]' - }, - 'GO:0031164': { - 'name': 'contractile vacuolar membrane', - 'def': 'The lipid bilayer surrounding the contractile vacuole. [GOC:pg]' - }, - 'GO:0031165': { - 'name': 'integral component of contractile vacuolar membrane', - 'def': 'The component of the contractile vacuolar membrane consisting of gene products that have some part that penetrates at least one leaflet of the membrane bilayer. This component includes gene products that are buried in the bilayer with no exposure outside the bilayer. [GOC:dos, GOC:pg]' - }, - 'GO:0031166': { - 'name': 'integral component of vacuolar membrane', - 'def': 'The component of the vacuolar membrane consisting of gene products and protein complexes that have some part that penetrates at least one leaflet of the membrane bilayer. May also refer to the state of being buried in the bilayer with no exposure outside the bilayer. [GOC:dos, GOC:mah]' - }, - 'GO:0031167': { - 'name': 'rRNA methylation', - 'def': 'The posttranscriptional addition of methyl groups to specific residues in an rRNA molecule. [GOC:mah]' - }, - 'GO:0031168': { - 'name': 'ferrichrome metabolic process', - 'def': "The chemical reactions and pathways involving a ferrichrome. Ferrichromes are any of a group of growth-promoting Fe(III) chelates formed by various genera of microfungi. They are homodetic cyclic hexapeptides made up of a tripeptide of glycine (or other small neutral amino acids) and a tripeptide of an N'acyl-N4-hydroxy-L-ornithine. [GOC:mah, ISBN:0198506732]" - }, - 'GO:0031169': { - 'name': 'ferrichrome biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a ferrichrome. Ferrichromes are any of a group of growth-promoting Fe(III) chelates formed by various genera of microfungi. They are homodetic cyclic hexapeptides made up of a tripeptide of glycine (or other small neutral amino acids) and a tripeptide of an N'acyl-N4-hydroxy-L-ornithine. [GOC:mah, ISBN:0198506732]" - }, - 'GO:0031170': { - 'name': 'ferricrocin metabolic process', - 'def': 'The chemical reactions and pathways involving ferricrocin, a cyclic hexapeptide siderophore with the structure Gly-Ser-Gly-(N5-acetyl-N5-hydroxyornithine)3. [GOC:mah, PMID:12828635]' - }, - 'GO:0031171': { - 'name': 'ferricrocin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ferricrocin, a cyclic hexapeptide siderophore with the structure Gly-Ser-Gly-(N5-acetyl-N5-hydroxyornithine)3. [GOC:mah, PMID:12828635]' - }, - 'GO:0031172': { - 'name': 'ornithine N5-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-ornithine + O2 + H+ = N5-hydroxy-L-ornithine + H2O. [MetaCyc:RXN-11128, PMID:12828635]' - }, - 'GO:0031173': { - 'name': 'otolith mineralization completed early in development', - 'def': 'The formation of otoliths during embryogenesis with completion in early postembryonic development. Formation occurs by precipitation of specific crystal forms of calcium carbonate around an organic core of extracellular matrix proteins. Otoconia (otoliths) are small (~10 micron) dense extracellular particles present in the otolith end organs of the vertebrate inner ear. [GOC:dsf, PMID:15581873]' - }, - 'GO:0031174': { - 'name': 'lifelong otolith mineralization', - 'def': 'The formation and growth of otoliths throughout the life of the organism. Otoliths are the large extracellular ear-stones of the fish inner ear, produced by precipitation of specific crystal forms of calcium carbonate on organic matrices. The otolith enlarges throughout the life of the fish, as layers of calcium carbonate are added. [GOC:dsf, PMID:15581873]' - }, - 'GO:0031175': { - 'name': 'neuron projection development', - 'def': 'The process whose specific outcome is the progression of a neuron projection over time, from its formation to the mature structure. A neuron projection is any process extending from a neural cell, such as axons or dendrites (collectively called neurites). [GOC:mah]' - }, - 'GO:0031176': { - 'name': 'endo-1,4-beta-xylanase activity', - 'def': 'Catalysis of the endohydrolysis of (1->4)-beta-D-xylosidic linkages in xylans. [EC:3.2.1.8]' - }, - 'GO:0031177': { - 'name': 'phosphopantetheine binding', - 'def': "Interacting selectively and non-covalently with phosphopantetheine, the vitamin pantetheine 4'-(dihydrogen phosphate). [CHEBI:16858, GOC:mah, GOC:vw]" - }, - 'GO:0031179': { - 'name': 'peptide modification', - 'def': 'The covalent alteration of one or more amino acid residues within a peptide, resulting in a change in the properties of that peptide. [GOC:mah]' - }, - 'GO:0031201': { - 'name': 'SNARE complex', - 'def': 'A protein complex involved in membrane fusion; a stable ternary complex consisting of a four-helix bundle, usually formed from one R-SNARE and three Q-SNAREs with an ionic layer sandwiched between hydrophobic layers. One well-characterized example is the neuronal SNARE complex formed of synaptobrevin 2, syntaxin 1a, and SNAP-25. [GOC:bhm, GOC:pr, PMID:10872468, PMID:19450911]' - }, - 'GO:0031203': { - 'name': 'posttranslational protein targeting to membrane, docking', - 'def': 'The process in which the signal sequence of a translated protein binds to and forms a complex with the Sec complex. [PMID:12518217, PMID:8707814]' - }, - 'GO:0031204': { - 'name': 'posttranslational protein targeting to membrane, translocation', - 'def': 'The process in which a protein translocates through the ER membrane posttranslationally. [PMID:12518317, PMID:8707814]' - }, - 'GO:0031205': { - 'name': 'endoplasmic reticulum Sec complex', - 'def': 'An endoplasmic reticulum membrane-associated complex involved in the translocation of proteins that are targeted to the ER. In yeast, this complex consists of two subcomplexes, namely, the Sec61 complex and the Sec62/Sec63 complex. [GOC:mtg_sensu, PMID:12158317, PMID:14617809]' - }, - 'GO:0031207': { - 'name': 'Sec62/Sec63 complex', - 'def': 'A protein complex involved in the posttranslational targeting of proteins to the ER. In yeast, it is a tetrameric complex consisting of Sec62p, Sec63p, Sec71p and Sec72p. [PMID:12518317, PMID:14617809]' - }, - 'GO:0031208': { - 'name': 'POZ domain binding', - 'def': 'Interacting selectively and non-covalently with a POZ (poxvirus and zinc finger) domain of a protein, a protein-protein interaction domain found in many transcription factors. [PMID:7958847]' - }, - 'GO:0031209': { - 'name': 'SCAR complex', - 'def': 'A pentameric complex that includes orthologues of human PIR121, Nap1, Abi, SCAR, and HSPC300 and regulates actin polymerization and/or depolymerization through small GTPase mediated signal transduction. [GOC:hla, GOC:pg, PMID:12181570, PMID:24036345, PMID:24630101]' - }, - 'GO:0031210': { - 'name': 'phosphatidylcholine binding', - 'def': 'Interacting selectively and non-covalently with phosphatidylcholine, a class of glycophospholipids in which a phosphatidyl group is esterified to the hydroxyl group of choline. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0031211': { - 'name': 'endoplasmic reticulum palmitoyltransferase complex', - 'def': 'A complex of the endoplasmic reticulum that catalyzes S-palmitoylation, the addition of palmitate (C16:0) or other long-chain fatty acids to proteins at a cysteine residue. [GOC:jh]' - }, - 'GO:0031213': { - 'name': 'RSF complex', - 'def': 'An ISWI complex that contains an ATPase subunit of the ISWI family (SNF2H in mammals) and an RSF1 homolog. It mediates nucleosome deposition and generates regularly spaced nucleosome arrays. In mammals, RSF is involved in regulation of transcription from RNA polymerase II promoters). [GOC:krc, PMID:12972596, PMID:15284901, PMID:16568949, PMID:21810179]' - }, - 'GO:0031214': { - 'name': 'biomineral tissue development', - 'def': 'Formation of hard tissues that consist mainly of inorganic compounds, and also contain a small amounts of organic matrices that are believed to play important roles in their formation. [PMID:15132736]' - }, - 'GO:0031215': { - 'name': 'shell calcification', - 'def': 'The precipitation of calcium carbonate onto the organic matrix of a shell, such as a mollusc shell. [GOC:mah, PMID:15132736]' - }, - 'GO:0031216': { - 'name': 'neopullulanase activity', - 'def': 'Catalysis of the hydrolysis of pullulan to panose (6-alpha-D-glucosylmaltose). [EC:3.2.1.135, GOC:mlg]' - }, - 'GO:0031217': { - 'name': 'glucan 1,4-beta-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->4) linkages in (1->4)-beta-D-glucans, to remove successive glucose units. [EC:3.2.1.74, GOC:mlg]' - }, - 'GO:0031218': { - 'name': 'arabinogalactan endo-1,4-beta-galactosidase activity', - 'def': 'Catalysis of the endohydrolysis of (1->4)-beta-D-galactosidic linkages in arabinogalactans. [EC:3.2.1.89, GOC:mlg]' - }, - 'GO:0031219': { - 'name': 'levanase activity', - 'def': 'Catalysis of the random hydrolysis of 2,6-beta-D-fructofuranosidic linkages in 2,6-beta-D-fructans (levans) containing more than 3 fructose units. [EC:3.2.1.65, GOC:mlg]' - }, - 'GO:0031220': { - 'name': 'maltodextrin phosphorylase activity', - 'def': 'Catalysis of the reaction: maltodextrin = glucose-1-phosphate. [GOC:mlg, PMID:10348846]' - }, - 'GO:0031221': { - 'name': 'arabinan metabolic process', - 'def': 'The chemical reactions and pathways involving arabinan, a polysaccharide composed of arabinose residues. [GOC:mlg, ISBN:0198506732]' - }, - 'GO:0031222': { - 'name': 'arabinan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arabinan, a polysaccharide composed of arabinose residues. [GOC:mlg, ISBN:0198506732]' - }, - 'GO:0031223': { - 'name': 'auditory behavior', - 'def': 'The behavior of an organism in response to a sound. [GOC:pr, GOC:rc]' - }, - 'GO:0031224': { - 'name': 'intrinsic component of membrane', - 'def': 'The component of a membrane consisting of the gene products having some covalently attached portion, for example part of a peptide sequence or some other covalently attached group such as a GPI anchor, which spans or is embedded in one or both leaflets of the membrane. [GOC:mah]' - }, - 'GO:0031225': { - 'name': 'anchored component of membrane', - 'def': 'The component of a membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos, GOC:mah]' - }, - 'GO:0031226': { - 'name': 'intrinsic component of plasma membrane', - 'def': 'The component of the plasma membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031227': { - 'name': 'intrinsic component of endoplasmic reticulum membrane', - 'def': 'The component of the endoplasmic reticulum membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031228': { - 'name': 'intrinsic component of Golgi membrane', - 'def': 'The component of the Golgi membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031229': { - 'name': 'intrinsic component of nuclear inner membrane', - 'def': 'The component of the nuclear inner membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031230': { - 'name': 'intrinsic component of cell outer membrane', - 'def': 'The component of the cell outer membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031231': { - 'name': 'intrinsic component of peroxisomal membrane', - 'def': 'The component of the peroxisomal membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031232': { - 'name': 'extrinsic component of external side of plasma membrane', - 'def': 'The component of a plasma membrane consisting of gene products and protein complexes that are loosely bound to its external surface, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah]' - }, - 'GO:0031233': { - 'name': 'intrinsic component of external side of plasma membrane', - 'def': 'The component of a plasma membrane consisting of gene products and protein complexes that penetrate the external side of the plasma membrane only, either directly or via some covalently attached hydrophobic anchor. [GOC:dos, GOC:mah]' - }, - 'GO:0031234': { - 'name': 'extrinsic component of cytoplasmic side of plasma membrane', - 'def': 'The component of a plasma membrane consisting of gene products and protein complexes that are loosely bound to its cytoplasmic surface, but not integrated into the hydrophobic region. [GOC:mah]' - }, - 'GO:0031235': { - 'name': 'intrinsic component of the cytoplasmic side of the plasma membrane', - 'def': 'The component of a plasma membrane consisting of gene products and protein complexes that have some covalently attached part (e.g. peptide sequence or GPI anchor) which is embedded in the cytoplasmic side of the plasma membrane only. [GOC:dos, GOC:mah]' - }, - 'GO:0031236': { - 'name': 'extrinsic component of periplasmic side of plasma membrane', - 'def': 'The component of a plasma membrane consisting of gene products and protein complexes that are loosely bound to its periplasmic surface, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031237': { - 'name': 'intrinsic component of periplasmic side of plasma membrane', - 'def': 'The component of a plasma membrane consisting of gene products and protein complexes that penetrate the periplasmic side of the plasma membrane only, either directly or via some covalently attached hydrophobic anchor. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031240': { - 'name': 'external side of cell outer membrane', - 'def': 'The side of the outer membrane that is opposite to the side that faces the periplasm of the cell. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0031241': { - 'name': 'periplasmic side of cell outer membrane', - 'def': 'The side (leaflet) of the outer membrane that faces the periplasm of the cell. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0031242': { - 'name': 'extrinsic component of external side of cell outer membrane', - 'def': 'The component of a cell outer membrane consisting of gene products and protein complexes that are loosely bound to its external surface, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031243': { - 'name': 'intrinsic component of external side of cell outer membrane', - 'def': 'The component of the cell outer membrane consisting of the gene products and protein complexes that penetrate the external side of the cell outer membrane only, either directly or via some covalently attached hydrophobic anchor. [GOC:dos, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031244': { - 'name': 'extrinsic component of cell outer membrane', - 'def': 'The component of the cell outer membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031245': { - 'name': 'extrinsic component of periplasmic side of cell outer membrane', - 'def': 'The component of the cell outer membrane consisting of gene products and protein complexes that are loosely bound to periplasmic surface, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031246': { - 'name': 'intrinsic component of periplasmic side of cell outer membrane', - 'def': 'The component of the cell outer membrane consisting of the gene products that that penetrate the periplasmic side of the cell outer membrane only, either directly or via some covalently attached hydrophobic anchor. [GOC:dos, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031247': { - 'name': 'actin rod assembly', - 'def': 'The assembly of actin rods, a cellular structure consisting of parallel, hexagonally arranged actin tubules. [GOC:pg, PMID:14706699]' - }, - 'GO:0031248': { - 'name': 'protein acetyltransferase complex', - 'def': 'A complex that catalyzes the transfer of an acetyl group to a protein acceptor molecule. [GOC:bf]' - }, - 'GO:0031249': { - 'name': 'denatured protein binding', - 'def': 'Interacting selectively and non-covalently with denatured proteins. [GOC:mlg]' - }, - 'GO:0031250': { - 'name': 'anaerobic ribonucleoside-triphosphate reductase complex', - 'def': "An enzyme complex composed of 4 subunits, 2 copies of the large protein (nrdD in E. coli) and 2 copies of the small protein (nrdG in E. coli). It catalyzes the generation of 2'deoxyribonucleotides under anaerobic growth conditions. The larger subunit is the catalytic unit that is activated by the smaller iron-binding subunit. [GOC:mlg]" - }, - 'GO:0031251': { - 'name': 'PAN complex', - 'def': 'A complex that possesses poly(A)-specific ribonuclease activity; catalyzes the message-specific shortening of mRNA poly(A) tails. Contains at least two subunits, known as Pan2p and Pan3p in Saccharomyces. [PMID:9774670]' - }, - 'GO:0031252': { - 'name': 'cell leading edge', - 'def': 'The area of a motile cell closest to the direction of movement. [GOC:pg]' - }, - 'GO:0031253': { - 'name': 'cell projection membrane', - 'def': 'The portion of the plasma membrane surrounding a cell surface projection. [GOC:mah]' - }, - 'GO:0031254': { - 'name': 'cell trailing edge', - 'def': 'The area of a motile cell opposite to the direction of movement. [GOC:pg]' - }, - 'GO:0031255': { - 'name': 'lateral part of motile cell', - 'def': 'The area of a motile cell perpendicular to the direction of movement. [GOC:pg, GOC:pr]' - }, - 'GO:0031256': { - 'name': 'leading edge membrane', - 'def': 'The portion of the plasma membrane surrounding the leading edge of a motile cell. [GOC:mah]' - }, - 'GO:0031257': { - 'name': 'cell trailing edge membrane', - 'def': 'The portion of the plasma membrane surrounding the trailing edge of a motile cell. [GOC:mah]' - }, - 'GO:0031258': { - 'name': 'lamellipodium membrane', - 'def': 'The portion of the plasma membrane surrounding a lamellipodium. [GOC:mah]' - }, - 'GO:0031259': { - 'name': 'uropod membrane', - 'def': 'The portion of the plasma membrane surrounding a uropod. [GOC:mah]' - }, - 'GO:0031260': { - 'name': 'pseudopodium membrane', - 'def': 'The portion of the plasma membrane surrounding a pseudopodium. [GOC:mah]' - }, - 'GO:0031261': { - 'name': 'DNA replication preinitiation complex', - 'def': 'A protein-DNA complex assembled at eukaryotic DNA replication origins immediately prior to the initiation of DNA replication. The preinitiation complex is formed by the assembly of additional proteins onto an existing prereplicative complex. In budding yeast, the additional proteins include Cdc45p, Sld2p, Sld3p, Dpb11p, DNA polymerases, and others; in fission yeast the GINS complex is present. [GOC:bf, GOC:hjd, GOC:jl, GOC:pr, GOC:rb, GOC:vw, PMID:12694535, PMID:15194812]' - }, - 'GO:0031262': { - 'name': 'Ndc80 complex', - 'def': 'A protein complex conserved among eukaryotes that forms part of the kinetochore and plays an essential role in forming stable kinetochore-microtubule attachments. The complex contains proteins known in several species, including budding and fission yeasts, as Ndc80p, Nuf2p, Spc24p, and Spc25p. In vertebrates it is part of the outer plate of the kinetochore. [PMID:15509863, PMID:15661517]' - }, - 'GO:0031263': { - 'name': 'amine-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + amine(out) = ADP + phosphate + amine(in). [GOC:mlg]' - }, - 'GO:0031264': { - 'name': 'death-inducing signaling complex', - 'def': 'A protein complex formed by the association of signaling proteins with a death receptor upon ligand binding. The complex includes procaspases and death domain-containing proteins in addition to the ligand-bound receptor, and may control the activation of caspases 8 and 10. [GOC:mtg_apoptosis, PMID:12628743, PMID:12655293, PMID:8521815]' - }, - 'GO:0031265': { - 'name': 'CD95 death-inducing signaling complex', - 'def': 'A protein complex formed upon binding of Fas/CD95/APO-1 to its ligand. The complex includes FADD/Mort1, procaspase-8/10 and c-FLIP in addition to the ligand-bound receptor. [PMID:12628743, PMID:12655293]' - }, - 'GO:0031266': { - 'name': 'TRAIL death-inducing signaling complex', - 'def': 'A protein complex formed upon binding of TRAIL to its ligand. The complex includes FADD/Mort1 and procaspase-8 addition to the ligand-bound receptor. [PMID:12628743, PMID:12655293]' - }, - 'GO:0031267': { - 'name': 'small GTPase binding', - 'def': 'Interacting selectively and non-covalently with a small monomeric GTPase. [GOC:mah]' - }, - 'GO:0031268': { - 'name': 'pseudopodium organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a pseudopodium, a temporary protrusion or retractile process of a cell, associated with cellular movement. [GOC:pg]' - }, - 'GO:0031269': { - 'name': 'pseudopodium assembly', - 'def': 'The assembly of a pseudopodium by rearrangement of the actin cytoskeleton and overlying membrane. [GOC:dph, GOC:mah, GOC:pg, GOC:tb]' - }, - 'GO:0031270': { - 'name': 'pseudopodium retraction', - 'def': 'The myosin-based contraction and retraction of the pseudopodium. [GOC:pg]' - }, - 'GO:0031271': { - 'name': 'lateral pseudopodium assembly', - 'def': 'The extension of a pseudopodium from the lateral area of a cell. [GOC:dph, GOC:mah, GOC:pg, GOC:tb]' - }, - 'GO:0031272': { - 'name': 'regulation of pseudopodium assembly', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly of pseudopodia. [GOC:pg]' - }, - 'GO:0031273': { - 'name': 'negative regulation of pseudopodium assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the assembly of pseudopodia. [GOC:pg]' - }, - 'GO:0031274': { - 'name': 'positive regulation of pseudopodium assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of the assembly of pseudopodia. [GOC:pg]' - }, - 'GO:0031275': { - 'name': 'regulation of lateral pseudopodium assembly', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly of pseudopodia from the lateral side of the cell. [GOC:dph, GOC:pg, GOC:tb]' - }, - 'GO:0031276': { - 'name': 'negative regulation of lateral pseudopodium assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the assembly of pseudopodia from the lateral side of the cell. [GOC:dph, GOC:pg, GOC:tb]' - }, - 'GO:0031277': { - 'name': 'positive regulation of lateral pseudopodium assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of the assembly of pseudopodia from the lateral side of the cell. [GOC:dph, GOC:pg, GOC:tb]' - }, - 'GO:0031278': { - 'name': 'alpha-1,2-galactosyltransferase activity', - 'def': 'Catalysis of the transfer of a galactose residue from a donor molecule, such as GDP-galactose or UDP-galactose, to an oligosaccharide, forming an alpha-1,2-linkage. [PMID:7522655]' - }, - 'GO:0031279': { - 'name': 'regulation of cyclase activity', - 'def': 'Any process that modulates the frequency, rate or extent of cyclase activity. [GOC:mah]' - }, - 'GO:0031280': { - 'name': 'negative regulation of cyclase activity', - 'def': 'Any process that stops or reduces the activity of a cyclase. [GOC:mah]' - }, - 'GO:0031281': { - 'name': 'positive regulation of cyclase activity', - 'def': 'Any process that activates or increases the activity of a cyclase. [GOC:mah]' - }, - 'GO:0031282': { - 'name': 'regulation of guanylate cyclase activity', - 'def': 'Any process that modulates the frequency, rate or extent of guanylate cyclase activity. [GOC:mah]' - }, - 'GO:0031283': { - 'name': 'negative regulation of guanylate cyclase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of guanylate cyclase activity. [GOC:mah]' - }, - 'GO:0031284': { - 'name': 'positive regulation of guanylate cyclase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of guanylate cyclase activity. [GOC:mah]' - }, - 'GO:0031285': { - 'name': 'regulation of sorocarp stalk cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of sorocarp stalk cell differentiation. An example of this process is found in Dictyostelium discoideum. [dictyBase_REF:5048, GOC:kp, GOC:mtg_sensu]' - }, - 'GO:0031286': { - 'name': 'negative regulation of sorocarp stalk cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sorocarp stalk cell differentiation. An example of this process is found in Dictyostelium discoideum. [dictyBase_REF:5048, GOC:kp, GOC:mtg_sensu]' - }, - 'GO:0031287': { - 'name': 'positive regulation of sorocarp stalk cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of sorocarp stalk cell differentiation. An example of this process is found in Dictyostelium discoideum. [dictyBase_REF:5048, GOC:kp, GOC:mtg_sensu]' - }, - 'GO:0031288': { - 'name': 'sorocarp morphogenesis', - 'def': 'The process in which the sorocarp is generated and organized. An example of this process is found in Dictyostelium discoideum. [dictyBase_REF:5048, GOC:kp, GOC:mtg_sensu]' - }, - 'GO:0031289': { - 'name': 'actin phosphorylation', - 'def': 'The transfer of one or more phosphate groups to an actin molecule. [GOC:mah]' - }, - 'GO:0031290': { - 'name': 'retinal ganglion cell axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a retinal ganglion cell (RGC) is directed to its target in the brain in response to a combination of attractive and repulsive cues. [GOC:ejs]' - }, - 'GO:0031291': { - 'name': 'Ran protein signal transduction', - 'def': 'A series of molecular signals within the cell that are mediated by a member of the Ran family of proteins switching to a GTP-bound active state. [GOC:mah]' - }, - 'GO:0031292': { - 'name': 'gene conversion at mating-type locus, DNA double-strand break processing', - 'def': "The 5' to 3' exonucleolytic resection of the DNA at the site of the break at the mating-type locus to form a 3' single-strand DNA overhang. [GOC:mah]" - }, - 'GO:0031293': { - 'name': 'membrane protein intracellular domain proteolysis', - 'def': 'The proteolytic cleavage of a transmembrane protein leading to the release of an intracellular domain. [PMID:12808018]' - }, - 'GO:0031294': { - 'name': 'lymphocyte costimulation', - 'def': 'The process of providing, via surface-bound receptor-ligand pairs, a second, antigen-independent, signal in addition to that provided by the B- or T cell receptor to augment B- or T cell activation. [ISBN:0781735149]' - }, - 'GO:0031295': { - 'name': 'T cell costimulation', - 'def': 'The process of providing, via surface-bound receptor-ligand pairs, a second, antigen-independent, signal in addition to that provided by the T cell receptor to augment T cell activation. [ISBN:0781735149]' - }, - 'GO:0031296': { - 'name': 'B cell costimulation', - 'def': 'The process of providing, via surface-bound receptor-ligand pairs, a second, antigen-independent, signal in addition to that provided by the B cell receptor to augment B cell activation. [ISBN:0781735149]' - }, - 'GO:0031297': { - 'name': 'replication fork processing', - 'def': 'The process in which a DNA replication fork that has stalled is restored to a functional state and replication is restarted. The stalling may be due to DNA damage, DNA secondary structure, bound proteins, dNTP shortage, or other causes. [GOC:vw, PMID:11459955, PMID:15367656, PMID:17660542]' - }, - 'GO:0031298': { - 'name': 'replication fork protection complex', - 'def': 'A protein complex conserved in eukaryotes and associated with the replication fork; the complex stabilizes stalled replication forks and is thought to be involved in coordinating leading- and lagging-strand synthesis and in replication checkpoint signaling. [PMID:15367656]' - }, - 'GO:0031299': { - 'name': 'taurine-pyruvate aminotransferase activity', - 'def': 'Catalysis of the reaction: pyruvate + taurine = L-alanine + sulfoacetaldehyde. [EC:2.6.1.77, RHEA:10423]' - }, - 'GO:0031300': { - 'name': 'intrinsic component of organelle membrane', - 'def': 'The component of the organelle membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031301': { - 'name': 'integral component of organelle membrane', - 'def': 'The component of the organelle membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031302': { - 'name': 'intrinsic component of endosome membrane', - 'def': 'The component of the endosome membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031303': { - 'name': 'integral component of endosome membrane', - 'def': 'The component of the endosome membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031304': { - 'name': 'intrinsic component of mitochondrial inner membrane', - 'def': 'The component of the mitochondrial inner membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031305': { - 'name': 'integral component of mitochondrial inner membrane', - 'def': 'The component of the mitochondrial inner membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031306': { - 'name': 'intrinsic component of mitochondrial outer membrane', - 'def': 'The component of the mitochondrial outer membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031307': { - 'name': 'integral component of mitochondrial outer membrane', - 'def': 'The component of the mitochondrial outer membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031308': { - 'name': 'intrinsic component of nuclear outer membrane', - 'def': 'The component of the nuclear outer membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031309': { - 'name': 'integral component of nuclear outer membrane', - 'def': 'The component of the nuclear outer membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031310': { - 'name': 'intrinsic component of vacuolar membrane', - 'def': 'The component of the vacuolar membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031311': { - 'name': 'intrinsic component of contractile vacuolar membrane', - 'def': 'The component of the contractile vacuolar membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031312': { - 'name': 'extrinsic component of organelle membrane', - 'def': 'The component of an organelle membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah]' - }, - 'GO:0031313': { - 'name': 'extrinsic component of endosome membrane', - 'def': 'The component of an endosome membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah]' - }, - 'GO:0031314': { - 'name': 'extrinsic component of mitochondrial inner membrane', - 'def': 'The component of mitochondrial inner membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah]' - }, - 'GO:0031315': { - 'name': 'extrinsic component of mitochondrial outer membrane', - 'def': 'The component of a mitochondrial outer membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah]' - }, - 'GO:0031316': { - 'name': 'extrinsic component of nuclear outer membrane', - 'def': 'The component of a nuclear outer membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah]' - }, - 'GO:0031317': { - 'name': 'tripartite ATP-independent periplasmic transporter complex', - 'def': 'A complex consisting of two membrane proteins and one extracytoplasmic solute receptor. Such transporters transport a variety of substrates without direct ATP power, instead using energy from ion gradients. [GOC:mlg]' - }, - 'GO:0031318': { - 'name': 'detection of folic acid', - 'def': 'The series of events in which a folic acid stimulus is received by a cell and converted into a molecular signal. [GOC:pg]' - }, - 'GO:0031319': { - 'name': 'detection of cAMP', - 'def': "The series of events in which a cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate) stimulus is received by a cell and converted into a molecular signal; cAMP is the nucleotide cyclic AMP. [GOC:pg]" - }, - 'GO:0031320': { - 'name': 'hexitol dehydrogenase activity', - 'def': 'Catalysis of the reaction: hexitol + acceptor = hexose + reduced acceptor. [GOC:mah]' - }, - 'GO:0031321': { - 'name': 'ascospore-type prospore assembly', - 'def': 'During ascospore formation, the process in which each haploid nucleus becomes encapsulated by a double membrane. [GOC:mah, PMID:14702385]' - }, - 'GO:0031322': { - 'name': 'ascospore-type prospore-specific spindle pole body remodeling', - 'def': 'A spindle pole body (SPB) organization process that takes place during the second meiotic division during ascospore formation and results in the structural reorganization of the SPB; includes the recruitment of sporulation-specific proteins to the outer plaque to form the meiotic outer plaque (MOP). [GOC:mah, PMID:14702385]' - }, - 'GO:0031323': { - 'name': 'regulation of cellular metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways by which individual cells transform chemical substances. [GOC:mah]' - }, - 'GO:0031324': { - 'name': 'negative regulation of cellular metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways by which individual cells transform chemical substances. [GOC:mah]' - }, - 'GO:0031325': { - 'name': 'positive regulation of cellular metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways by which individual cells transform chemical substances. [GOC:mah]' - }, - 'GO:0031326': { - 'name': 'regulation of cellular biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of substances, carried out by individual cells. [GOC:mah]' - }, - 'GO:0031327': { - 'name': 'negative regulation of cellular biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of substances, carried out by individual cells. [GOC:mah]' - }, - 'GO:0031328': { - 'name': 'positive regulation of cellular biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of substances, carried out by individual cells. [GOC:mah]' - }, - 'GO:0031329': { - 'name': 'regulation of cellular catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of substances, carried out by individual cells. [GOC:mah]' - }, - 'GO:0031330': { - 'name': 'negative regulation of cellular catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of substances, carried out by individual cells. [GOC:mah]' - }, - 'GO:0031331': { - 'name': 'positive regulation of cellular catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of substances, carried out by individual cells. [GOC:mah]' - }, - 'GO:0031332': { - 'name': 'RNAi effector complex', - 'def': 'Any protein complex that mediates the effects of small interfering RNAs on gene expression. Most known examples contain one or more members of the Argonaute family of proteins. [GOC:mah, PMID:14704433]' - }, - 'GO:0031333': { - 'name': 'negative regulation of protein complex assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein complex assembly. [GOC:mah]' - }, - 'GO:0031334': { - 'name': 'positive regulation of protein complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein complex assembly. [GOC:mah]' - }, - 'GO:0031335': { - 'name': 'regulation of sulfur amino acid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving sulfur amino acids. [GOC:mah]' - }, - 'GO:0031336': { - 'name': 'negative regulation of sulfur amino acid metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving sulfur amino acids. [GOC:mah]' - }, - 'GO:0031337': { - 'name': 'positive regulation of sulfur amino acid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving sulfur amino acids. [GOC:mah]' - }, - 'GO:0031338': { - 'name': 'regulation of vesicle fusion', - 'def': 'Any process that modulates the frequency, rate or extent of vesicle fusion. [GOC:mah]' - }, - 'GO:0031339': { - 'name': 'negative regulation of vesicle fusion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of vesicle fusion. [GOC:mah]' - }, - 'GO:0031340': { - 'name': 'positive regulation of vesicle fusion', - 'def': 'Any process that activates or increases the frequency, rate or extent of vesicle fusion. [GOC:mah]' - }, - 'GO:0031341': { - 'name': 'regulation of cell killing', - 'def': 'Any process that modulates the frequency, rate or extent of cell killing, the process in which a cell brings about the death of another cell, either in the same or a different organism. [GOC:mah]' - }, - 'GO:0031342': { - 'name': 'negative regulation of cell killing', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell killing. [GOC:mah]' - }, - 'GO:0031343': { - 'name': 'positive regulation of cell killing', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell killing. [GOC:mah]' - }, - 'GO:0031344': { - 'name': 'regulation of cell projection organization', - 'def': 'Any process that modulates the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of cell projections. [GOC:mah]' - }, - 'GO:0031345': { - 'name': 'negative regulation of cell projection organization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of cell projections. [GOC:mah]' - }, - 'GO:0031346': { - 'name': 'positive regulation of cell projection organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of the process involved in the formation, arrangement of constituent parts, or disassembly of cell projections. [GOC:mah]' - }, - 'GO:0031347': { - 'name': 'regulation of defense response', - 'def': 'Any process that modulates the frequency, rate or extent of a defense response. [GOC:mah]' - }, - 'GO:0031348': { - 'name': 'negative regulation of defense response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a defense response. [GOC:mah]' - }, - 'GO:0031349': { - 'name': 'positive regulation of defense response', - 'def': 'Any process that activates or increases the frequency, rate or extent of a defense response. [GOC:mah]' - }, - 'GO:0031350': { - 'name': 'intrinsic component of plastid membrane', - 'def': 'The component of the plastid membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031351': { - 'name': 'integral component of plastid membrane', - 'def': 'The component of the plastid membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031352': { - 'name': 'intrinsic component of plastid inner membrane', - 'def': 'The component of the plastid inner membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031353': { - 'name': 'integral component of plastid inner membrane', - 'def': 'The component of the plastid inner membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031354': { - 'name': 'intrinsic component of plastid outer membrane', - 'def': 'The component of the plastid outer membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031355': { - 'name': 'integral component of plastid outer membrane', - 'def': 'The component of the plastid outer membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031356': { - 'name': 'intrinsic component of chloroplast inner membrane', - 'def': 'The component of the chloroplast inner membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031357': { - 'name': 'integral component of chloroplast inner membrane', - 'def': 'The component of the chloroplast inner membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031358': { - 'name': 'intrinsic component of chloroplast outer membrane', - 'def': 'The component of the chloroplast outer membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031359': { - 'name': 'integral component of chloroplast outer membrane', - 'def': 'The component of the chloroplast outer membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031360': { - 'name': 'intrinsic component of thylakoid membrane', - 'def': 'The component of the thylakoid membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031361': { - 'name': 'integral component of thylakoid membrane', - 'def': 'The component of the thylakoid membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0031362': { - 'name': 'anchored component of external side of plasma membrane', - 'def': 'The component of the plasma membrane consisting of the gene products that are tethered to the external side of the membrane only by a covalently attached anchor, such as a lipid group embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos, GOC:mah]' - }, - 'GO:0031363': { - 'name': 'N-terminal protein amino acid deamination', - 'def': 'The removal of an amino group from the N-terminal amino acid residue of a protein. [GOC:mah]' - }, - 'GO:0031364': { - 'name': 'N-terminal protein amino acid deamination, from side chain', - 'def': 'The removal of an amino group from the side chain of an N-terminal asparagine or glutamine residue of a protein. [GOC:mah]' - }, - 'GO:0031365': { - 'name': 'N-terminal protein amino acid modification', - 'def': 'The alteration of the N-terminal amino acid residue in a protein. [GOC:mah]' - }, - 'GO:0031366': { - 'name': 'N-terminal peptidyl-asparagine deamination', - 'def': 'The removal of an amino group from the side chain of an N-terminal asparagine residue of a protein. [GOC:bf, GOC:mah]' - }, - 'GO:0031367': { - 'name': 'N-terminal peptidyl-glutamine deamination', - 'def': 'The removal of an amino group from the side chain of an N-terminal glutamine residue of a protein. [GOC:mah]' - }, - 'GO:0031368': { - 'name': 'obsolete Pro-X metallocarboxypeptidase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of a Pro-Xaa bond by a metallopeptidase mechanism to release a C-terminal amino acid. [EC:3.4.17.16, GOC:mah]' - }, - 'GO:0031369': { - 'name': 'translation initiation factor binding', - 'def': 'Interacting selectively and non-covalently with a translation initiation factor, any polypeptide factor involved in the initiation of ribosome-mediated translation. [GOC:mah]' - }, - 'GO:0031370': { - 'name': 'eukaryotic initiation factor 4G binding', - 'def': 'Interacting selectively and non-covalently with eukaryotic initiation factor 4G, a polypeptide factor involved in the initiation of ribosome-mediated translation. [GOC:mah]' - }, - 'GO:0031371': { - 'name': 'ubiquitin conjugating enzyme complex', - 'def': 'Any complex that possesses ubiquitin conjugating enzyme activity. [GOC:mah]' - }, - 'GO:0031372': { - 'name': 'UBC13-MMS2 complex', - 'def': 'A heterodimeric ubiquitin conjugating enzyme complex that catalyzes assembly of K63-linked polyubiquitin chains, which act as a signal to promote error-free DNA postreplication repair; in Saccharomyces the complex comprises Ubc13p and Mms2p. [GOC:mah, PMID:15772086]' - }, - 'GO:0031375': { - 'name': 'obsolete type II fatty acid synthase complex', - 'def': 'OBSOLETE A fatty acid synthase complex in which each polypeptide chain catalyzes a single activity. [GOC:mah, ISBN:0471331309, ISBN:0716720094, PMID:12957385]' - }, - 'GO:0031376': { - 'name': 'obsolete cytosolic type II fatty acid synthase complex', - 'def': 'OBSOLETE A fatty acid synthase complex in which each polypeptide chain catalyzes a single activity, located in the cytosol. [GOC:mah, ISBN:0471331309, ISBN:0716720094, PMID:12957385]' - }, - 'GO:0031377': { - 'name': 'obsolete mitochondrial type II fatty acid synthase complex', - 'def': 'OBSOLETE A fatty acid synthase complex in which each polypeptide chain catalyzes a single activity, located in the mitochondrion. [GOC:mah, ISBN:0471331309, ISBN:0716720094, PMID:12957385]' - }, - 'GO:0031378': { - 'name': 'obsolete plastid type II fatty acid synthase complex', - 'def': 'OBSOLETE A fatty acid synthase complex in which each polypeptide chain catalyzes a single activity, located in a plastid. [GOC:mah, ISBN:0471331309, ISBN:0716720094, PMID:12957385]' - }, - 'GO:0031379': { - 'name': 'RNA-directed RNA polymerase complex', - 'def': 'A protein complex that possesses RNA-directed RNA polymerase activity. [GOC:mah]' - }, - 'GO:0031380': { - 'name': 'nuclear RNA-directed RNA polymerase complex', - 'def': 'A complex required for RNAi mediated heterochromatin assembly. In S. pombe this contains RNA-directed RNA polymerase, a putative helicase and a protein containing a pap25 associated domain. [GOC:vw, PMID:15607976]' - }, - 'GO:0031381': { - 'name': 'viral RNA-directed RNA polymerase complex', - 'def': 'A virus-specific protein complex that possesses RNA-dependent RNA polymerase activity and replicates the genome of an RNA virus. [GOC:mah, PMID:15574411, PMID:15613301]' - }, - 'GO:0031382': { - 'name': 'mating projection assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a cell projection in response to mating pheromone. This process is observed in unicellular fungi. [GOC:mah, PMID:14734532]' - }, - 'GO:0031383': { - 'name': 'regulation of mating projection assembly', - 'def': 'Any process that modulates the frequency, rate, or extent of mating projection formation by unicellular fungi. [PMID:14734532]' - }, - 'GO:0031384': { - 'name': 'regulation of initiation of mating projection growth', - 'def': 'Any process that modulates the frequency, rate, or extent of the start of mating projection formation by unicellular fungi. [PMID:14734532]' - }, - 'GO:0031385': { - 'name': 'regulation of termination of mating projection growth', - 'def': 'Any process that modulates the frequency, rate, or extent of the end of mating projection formation by unicellular fungi. [PMID:14734532]' - }, - 'GO:0031386': { - 'name': 'protein tag', - 'def': 'A molecular function exhibited by a protein that is covalently attached (AKA tagged or conjugated) to another protein where it acts as a marker, recognized by the cellular apparatus to target the tagged protein for some cellular process such as modification, sequestration, transport or degradation. [GOC:dos, GOC:go_curators, PMID:19028679, PMID:20054389, PMID:6305978]' - }, - 'GO:0031387': { - 'name': 'MPF complex', - 'def': 'A complex consisting of a Cdc2-class (also known as Cdc28) cyclin-dependent kinase and an M-phase cyclin such as S. pombe Cdc13. The MPF complex phosphorylates and activates the anaphase promoting complex (APC). [PMID:12045216]' - }, - 'GO:0031388': { - 'name': 'organic acid phosphorylation', - 'def': 'The process of introducing one or more phosphate groups into an organic acid. [GOC:mah]' - }, - 'GO:0031389': { - 'name': 'Rad17 RFC-like complex', - 'def': 'A pentameric protein complex related to replication factor C, which loads a trimeric complex of checkpoint proteins (known as the checkpoint clamp or 9-1-1 complex) onto DNA at damage sites; functions in DNA damage cell cycle checkpoints. In Schizosaccharomyces pombe the subunits are known as Rad17, Rfc2, Rfc3, Rfc4, and Rfc5, while in Saccharomyces cerevisiae the subunits are known as Rad24p, Rfc2p, Rfc3p, Rfc4p, and Rfc5p. [PMID:14614842]' - }, - 'GO:0031390': { - 'name': 'Ctf18 RFC-like complex', - 'def': 'A heptameric complex related to replication factor C, which loads the DNA polymerase processivity factor proliferating cell nuclear antigen (PCNA) onto DNA and plays a vital role in chromosome cohesion. In Saccharomyces the subunits are known as Ctf18p, Rfc2p, Rfc3p, Rfc4p, Rfc5p, Dcc1p, and Ctf8p. [PMID:14614842]' - }, - 'GO:0031391': { - 'name': 'Elg1 RFC-like complex', - 'def': 'A pentameric replication factor C (RLC) complex, which unloads the DNA polymerase processivity factor proliferating cell nuclear antigen (PCNA) from chromatin and has roles in telomere length regulation and other aspects of genome stability. In Saccharomyces the subunits are known as Elg1p, Rfc2p, Rfc3p, Rfc4p, and Rfc5p. [PMID:14614842, PMID:23499004, PMID:27664980]' - }, - 'GO:0031392': { - 'name': 'regulation of prostaglandin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of prostaglandin. [GOC:mah]' - }, - 'GO:0031393': { - 'name': 'negative regulation of prostaglandin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of prostaglandin. [GOC:mah]' - }, - 'GO:0031394': { - 'name': 'positive regulation of prostaglandin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of prostaglandin. [GOC:mah]' - }, - 'GO:0031395': { - 'name': 'bursicon neuropeptide hormone complex', - 'def': 'A neuropeptide hormone secreted by the central nervous system of insects that stimulates the tanning and sclerotization of the adult cuticle following eclosion. The active hormone consists of an obligate heterodimer of the alpha and beta subunits. [GOC:rc]' - }, - 'GO:0031396': { - 'name': 'regulation of protein ubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of the addition of ubiquitin groups to a protein. [GOC:mah]' - }, - 'GO:0031397': { - 'name': 'negative regulation of protein ubiquitination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the addition of ubiquitin groups to a protein. [GOC:mah]' - }, - 'GO:0031398': { - 'name': 'positive regulation of protein ubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of the addition of ubiquitin groups to a protein. [GOC:mah]' - }, - 'GO:0031399': { - 'name': 'regulation of protein modification process', - 'def': 'Any process that modulates the frequency, rate or extent of the covalent alteration of one or more amino acid residues within a protein. [GOC:mah, GOC:tb]' - }, - 'GO:0031400': { - 'name': 'negative regulation of protein modification process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the covalent alteration of one or more amino acid residues within a protein. [GOC:mah, GOC:tb]' - }, - 'GO:0031401': { - 'name': 'positive regulation of protein modification process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the covalent alteration of one or more amino acid residues within a protein. [GOC:mah, GOC:tb]' - }, - 'GO:0031402': { - 'name': 'sodium ion binding', - 'def': 'Interacting selectively and non-covalently with sodium ions (Na+). [GOC:mah]' - }, - 'GO:0031403': { - 'name': 'lithium ion binding', - 'def': 'Interacting selectively and non-covalently with lithium ions (Li+). [GOC:mah]' - }, - 'GO:0031404': { - 'name': 'chloride ion binding', - 'def': 'Interacting selectively and non-covalently with chloride ions (Cl-). [GOC:mah]' - }, - 'GO:0031405': { - 'name': 'lipoic acid binding', - 'def': 'Interacting selectively and non-covalently with lipoic acid, 1,2-dithiolane-3-pentanoic acid. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0031406': { - 'name': 'carboxylic acid binding', - 'def': 'Interacting selectively and non-covalently with a carboxylic acid, any organic acid containing one or more carboxyl (COOH) groups or anions (COO-). [GOC:mah, ISBN:0198506732]' - }, - 'GO:0031407': { - 'name': 'oxylipin metabolic process', - 'def': 'The chemical reactions and pathways involving any oxylipin, any of a group of biologically active compounds formed by oxidative metabolism of polyunsaturated fatty acids. [GOC:mah, PMID:11960741]' - }, - 'GO:0031408': { - 'name': 'oxylipin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any oxylipin, any of a group of biologically active compounds formed by oxidative metabolism of polyunsaturated fatty acids. [GOC:mah, PMID:11960741]' - }, - 'GO:0031409': { - 'name': 'pigment binding', - 'def': 'Interacting selectively and non-covalently with a pigment, any general or particular coloring matter in living organisms, e.g. melanin. [GOC:mah]' - }, - 'GO:0031410': { - 'name': 'cytoplasmic vesicle', - 'def': 'A vesicle found in the cytoplasm of a cell. [GOC:ai, GOC:mah, GOC:vesicles]' - }, - 'GO:0031411': { - 'name': 'gas vesicle', - 'def': 'An intracellular non-membrane-bounded organelle; a hollow structure made of protein, which usually has the form of a cylindrical tube closed by conical end caps. By regulating their relative gas vesicle content, aquatic microbes are able to perform vertical migrations. [PMID:22147705, PMID:8177173]' - }, - 'GO:0031412': { - 'name': 'gas vesicle organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a gas vesicle. A gas vesicle is a hollow structure made of protein, which usually has the form of a cylindrical tube closed by conical end caps. [GOC:mah]' - }, - 'GO:0031413': { - 'name': 'regulation of buoyancy', - 'def': "Any process that modulates an organism's tendency or ability to rise or float in a fluid medium such as water or air, often through the use of stored gases. [GOC:mah, PATO:0001420]" - }, - 'GO:0031414': { - 'name': 'N-terminal protein acetyltransferase complex', - 'def': 'A complex that catalyzes the transfer of an acetyl group to the N-terminal residue of a protein acceptor molecule. [GOC:mah]' - }, - 'GO:0031415': { - 'name': 'NatA complex', - 'def': 'A conserved complex that catalyzes the transfer of an acetyl group to an N-terminal Ser, Ala, Gly, or Thr residue of a protein acceptor molecule. In Saccharomyces the complex includes Nat1p and Ard1p, and may contain additional proteins. [PMID:12890471]' - }, - 'GO:0031416': { - 'name': 'NatB complex', - 'def': 'A conserved complex that catalyzes the transfer of an acetyl group to the N-terminal residue of a protein acceptor molecule that has a Met-Glu, Met-Asp, Met-Asn, or Met-Met N-terminus. In Saccharomyces the complex includes Nat3p and Mdm20p. [PMID:12890471]' - }, - 'GO:0031417': { - 'name': 'NatC complex', - 'def': 'A conserved complex that catalyzes the transfer of an acetyl group to the N-terminal residue of a protein acceptor molecule that has a Met-Ile, Met-Leu, Met-Trp, or Met-Phe N-terminus. In Saccharomyces the complex includes Mak3p, Mak10p, and Mak31p. [PMID:12890471]' - }, - 'GO:0031418': { - 'name': 'L-ascorbic acid binding', - 'def': 'Interacting selectively and non-covalently with L-ascorbic acid, (2R)-2-[(1S)-1,2-dihydroxyethyl]-4-hydroxy-5-oxo-2,5-dihydrofuran-3-olate; L-ascorbic acid is vitamin C and has co-factor and anti-oxidant activities in many species. [CHEBI:38290, GOC:mah]' - }, - 'GO:0031419': { - 'name': 'cobalamin binding', - 'def': 'Interacting selectively and non-covalently with cobalamin (vitamin B12), a water-soluble vitamin characterized by possession of a corrin nucleus containing a cobalt atom. [GOC:mah]' - }, - 'GO:0031420': { - 'name': 'alkali metal ion binding', - 'def': 'Interacting selectively and non-covalently with any alkali metal ion; alkali metals are those elements in group Ia of the periodic table, with the exception of hydrogen. [GOC:mah]' - }, - 'GO:0031421': { - 'name': 'invertasome', - 'def': 'A complex formed by a recombinase, a regulatory protein, and the DNA sequences bound by each protein; catalyzes a reversible site-specific recombination reaction that results in the alternate expression of one or more genes in various contexts. [PMID:11114897, PMID:9732277]' - }, - 'GO:0031422': { - 'name': 'RecQ helicase-Topo III complex', - 'def': 'A complex containing a RecQ family helicase and a topoisomerase III homologue; may also include one or more additional proteins; conserved from E. coli to human. [PMID:15889139]' - }, - 'GO:0031423': { - 'name': 'hexon binding', - 'def': 'Interacting selectively and non-covalently with a hexon, the major protein component of the icosahedral capsid of an adenovirus. [GOC:mah, PMID:12915569]' - }, - 'GO:0031424': { - 'name': 'keratinization', - 'def': 'The process in which the cytoplasm of the outermost cells of the vertebrate epidermis is replaced by keratin. Keratinization occurs in the stratum corneum, feathers, hair, claws, nails, hooves, and horns. [GOC:dph, GOC:ebc, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0031425': { - 'name': 'chloroplast RNA processing', - 'def': 'The conversion of a primary RNA molecule transcribed from a chloroplast genome into one or more mature RNA molecules. [GOC:mah]' - }, - 'GO:0031426': { - 'name': 'polycistronic mRNA processing', - 'def': 'The conversion of a primary mRNA transcript containing more than one complete protein-coding region into individual mature mRNA molecules. [GOC:mah]' - }, - 'GO:0031427': { - 'name': 'response to methotrexate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methotrexate stimulus. Methotrexate is 4-amino-10-methylformic acid, a folic acid analogue that is a potent competitive inhibitor of dihydrofolate reductase. [CHEBI:44185, GOC:ef, GOC:mah, ISBN:0198506732]' - }, - 'GO:0031428': { - 'name': 'box C/D snoRNP complex', - 'def': "A ribonucleoprotein complex containing small nucleolar RNA of the box C/D type that can carry out ribose-2'-O-methylation of target RNAs. [ISBN:0879695897, PMID:17284456]" - }, - 'GO:0031429': { - 'name': 'box H/ACA snoRNP complex', - 'def': 'A box H/ACA RNP complex that is located in the nucleolus. [GOC:vw, ISBN:0879695897, PMID:17284456, PMID:20227365]' - }, - 'GO:0031430': { - 'name': 'M band', - 'def': 'The midline of aligned thick filaments in a sarcomere; location of specific proteins that link thick filaments. Depending on muscle type the M band consists of different numbers of M lines. [GOC:mtg_muscle, ISBN:0198506732, ISBN:0815316194]' - }, - 'GO:0031431': { - 'name': 'Dbf4-dependent protein kinase complex', - 'def': 'A heterodimeric protein complex required for the activation of DNA replication origins; comprises a catalytic subunit and a regulatory subunit (in Saccharomyces, Cdc7p and Dbf4p, respectively); complexes identified in other species generally contain proteins related to the Saccharomyces proteins. [PMID:12045100]' - }, - 'GO:0031432': { - 'name': 'titin binding', - 'def': 'Interacting selectively and non-covalently with titin, any of a family of giant proteins found in striated and smooth muscle. In striated muscle, single titin molecules span half the sarcomere, with their N- and C-termini in the Z-disc and M-line, respectively. [GOC:mah, PMID:10481174]' - }, - 'GO:0031433': { - 'name': 'telethonin binding', - 'def': 'Interacting selectively and non-covalently with telethonin, a protein found in the Z disc of striated muscle and which is a substrate of the titin kinase. [GOC:mah, PMID:10481174]' - }, - 'GO:0031434': { - 'name': 'mitogen-activated protein kinase kinase binding', - 'def': 'Interacting selectively and non-covalently with a mitogen-activated protein kinase kinase, any protein that can phosphorylate a MAP kinase. [GOC:mah]' - }, - 'GO:0031435': { - 'name': 'mitogen-activated protein kinase kinase kinase binding', - 'def': 'Interacting selectively and non-covalently with a mitogen-activated protein kinase kinase kinase, any protein that can phosphorylate a MAP kinase kinase. [GOC:bf]' - }, - 'GO:0031436': { - 'name': 'BRCA1-BARD1 complex', - 'def': 'A heterodimeric complex comprising BRCA1 and BARD1, which possesses ubiquitin ligase activity and is involved in genome maintenance, possibly by functioning in surveillance for DNA damage. [PMID:12787778]' - }, - 'GO:0031437': { - 'name': 'regulation of mRNA cleavage', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA cleavage, any process in which a pre-mRNA or mRNA molecule is cleaved at specific sites or in a regulated manner. [GOC:mah]' - }, - 'GO:0031438': { - 'name': 'negative regulation of mRNA cleavage', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mRNA cleavage. [GOC:mah]' - }, - 'GO:0031439': { - 'name': 'positive regulation of mRNA cleavage', - 'def': 'Any process that activates or increases the frequency, rate or extent of mRNA cleavage. [GOC:mah]' - }, - 'GO:0031440': { - 'name': "regulation of mRNA 3'-end processing", - 'def': "Any process that modulates the frequency, rate or extent of mRNA 3'-end processing, any process involved in forming the mature 3' end of an mRNA molecule. [GOC:mah]" - }, - 'GO:0031441': { - 'name': "negative regulation of mRNA 3'-end processing", - 'def': "Any process that stops, prevents, or reduces the frequency, rate or extent of mRNA 3'-end processing. [GOC:mah]" - }, - 'GO:0031442': { - 'name': "positive regulation of mRNA 3'-end processing", - 'def': "Any process that activates or increases the frequency, rate or extent of mRNA 3'-end processing. [GOC:mah]" - }, - 'GO:0031443': { - 'name': 'fast-twitch skeletal muscle fiber contraction', - 'def': 'A process in which force is generated within fast-twitch skeletal muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The fast-twitch skeletal muscle is characterized by fast time parameters, high force development and fatiguability. [GOC:ef, GOC:mah, GOC:mtg_muscle]' - }, - 'GO:0031444': { - 'name': 'slow-twitch skeletal muscle fiber contraction', - 'def': 'A process in which force is generated within slow-twitch skeletal muscle tissue, resulting in a change in muscle geometry. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The slow-twitch skeletal muscle is characterized by slow time parameters, low force development and resistance to fatigue. [GOC:ef, GOC:mah, GOC:mtg_muscle]' - }, - 'GO:0031445': { - 'name': 'regulation of heterochromatin assembly', - 'def': 'Any process that modulates the frequency, rate, extent or location of heterochromatin formation. [GOC:mah]' - }, - 'GO:0031446': { - 'name': 'regulation of fast-twitch skeletal muscle fiber contraction', - 'def': 'Any process that modulates the frequency, rate or extent of fast-twitch skeletal muscle contraction. [GOC:dph, GOC:ef, GOC:mah, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0031447': { - 'name': 'negative regulation of fast-twitch skeletal muscle fiber contraction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of fast-twitch skeletal muscle contraction. [GOC:dph, GOC:ef, GOC:mah, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0031448': { - 'name': 'positive regulation of fast-twitch skeletal muscle fiber contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of fast-twitch skeletal muscle contraction. [GOC:dph, GOC:ef, GOC:mah, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0031449': { - 'name': 'regulation of slow-twitch skeletal muscle fiber contraction', - 'def': 'Any process that modulates the frequency, rate or extent of slow-twitch skeletal muscle contraction. [GOC:dph, GOC:ef, GOC:mah, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0031450': { - 'name': 'negative regulation of slow-twitch skeletal muscle fiber contraction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of slow-twitch skeletal muscle contraction. [GOC:dph, GOC:ef, GOC:mah, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0031451': { - 'name': 'positive regulation of slow-twitch skeletal muscle fiber contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of slow-twitch skeletal muscle contraction. [GOC:dph, GOC:ef, GOC:mah, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0031452': { - 'name': 'negative regulation of heterochromatin assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of heterochromatin formation. [GOC:mah]' - }, - 'GO:0031453': { - 'name': 'positive regulation of heterochromatin assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of heterochromatin formation. [GOC:mah]' - }, - 'GO:0031454': { - 'name': 'regulation of extent of heterochromatin assembly', - 'def': 'Any process that modulates the extent or location of heterochromatin formation. [GOC:mah]' - }, - 'GO:0031455': { - 'name': 'glycine betaine metabolic process', - 'def': 'The chemical reactions and pathways involving glycine betaine, N-trimethylglycine. [GOC:mah]' - }, - 'GO:0031456': { - 'name': 'glycine betaine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycine betaine, N-trimethylglycine. [GOC:mah]' - }, - 'GO:0031457': { - 'name': 'glycine betaine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycine betaine, N-trimethylglycine. [GOC:mah]' - }, - 'GO:0031458': { - 'name': 'betaine-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + a betaine(out) = ADP + phosphate + a betaine(in). [GOC:mlg]' - }, - 'GO:0031459': { - 'name': 'glycine betaine-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + glycine betaine(out) = ADP + phosphate + glycine betaine(in). [GOC:mlg]' - }, - 'GO:0031460': { - 'name': 'glycine betaine transport', - 'def': 'The directed movement of glycine betaine, N-trimethylglycine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0031461': { - 'name': 'cullin-RING ubiquitin ligase complex', - 'def': 'Any ubiquitin ligase complex in which the catalytic core consists of a member of the cullin family and a RING domain protein; the core is associated with one or more additional proteins that confer substrate specificity. [PMID:15571813, PMID:15688063]' - }, - 'GO:0031462': { - 'name': 'Cul2-RING ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex in which a cullin from the Cul2 subfamily and a RING domain protein form the catalytic core; substrate specificity is conferred by an elongin-BC adaptor and a SOCS/BC box protein. [PMID:15571813, PMID:15688063]' - }, - 'GO:0031463': { - 'name': 'Cul3-RING ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex in which a cullin from the Cul3 subfamily and a RING domain protein form the catalytic core; substrate specificity is conferred by a BTB-domain-containing protein. [PMID:15571813, PMID:15688063]' - }, - 'GO:0031464': { - 'name': 'Cul4A-RING E3 ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex in which a cullin from the Cul4A subfamily and a RING domain protein form the catalytic core; substrate specificity is conferred by an adaptor protein. [PMID:15571813, PMID:15688063]' - }, - 'GO:0031465': { - 'name': 'Cul4B-RING E3 ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex in which a cullin from the Cul4B subfamily and a RING domain protein form the catalytic core; substrate specificity is conferred by unknown subunits. [PMID:15571813, PMID:15688063]' - }, - 'GO:0031466': { - 'name': 'Cul5-RING ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex in which a cullin from the Cul5 subfamily and a RING domain protein form the catalytic core; substrate specificity is conferred by an elongin-BC adaptor and a SOCS/BC box protein. [PMID:15571813, PMID:15688063]' - }, - 'GO:0031467': { - 'name': 'Cul7-RING ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex in which a cullin from the Cul7 subfamily and a RING domain protein form the catalytic core; substrate specificity is conferred by a Skp1 linker and an F-box protein. [PMID:15571813, PMID:15688063]' - }, - 'GO:0031468': { - 'name': 'nuclear envelope reassembly', - 'def': 'The reformation of the nuclear envelope following its breakdown in the context of a normal process. [GOC:mah]' - }, - 'GO:0031469': { - 'name': 'polyhedral organelle', - 'def': 'An organelle found in bacteria consisting of a proteinaceous coat containing metabolic enzymes whose purpose is the sequestration or concentration of metabolites and which has the appearance of a polygonal granule by electron microscopy. [GOC:js, PMID:10498708, PMID:11844753, PMID:12923081]' - }, - 'GO:0031470': { - 'name': 'carboxysome', - 'def': 'An organelle consisting of a proteinaceous coat and enzymes for the fixation of carbon dioxide including mechanisms for the concentration of carbonate to increase the efficiency of fixation under low-carbon dioxide conditions. [GOC:js, PMID:8157606, PMID:8491708]' - }, - 'GO:0031471': { - 'name': 'ethanolamine degradation polyhedral organelle', - 'def': 'An organelle found in bacteria consisting of a proteinaceous coat containing enzymes for the degradation of ethanolamine whose purpose is the protection of the rest of the cell from the toxic acetaldehyde product of the enzyme ethanolamine ammonia lyase. [GOC:js, PMID:11844753]' - }, - 'GO:0031472': { - 'name': 'propanediol degradation polyhedral organelle', - 'def': 'An organelle found in bacteria consisting of a proteinaceous coat containing enzymes for the degradation of 1,2-propanediol whose purpose is the protection of the rest of the cell from the toxic propionaldehyde product of the enzyme diol dehydratase. [GOC:js, PMID:10498708, PMID:11844753, PMID:12923081]' - }, - 'GO:0031473': { - 'name': 'myosin III binding', - 'def': 'Interacting selectively and non-covalently with a class III myosin; myosin III is monomeric and has an N terminal kinase domain. [GOC:mah, http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031474': { - 'name': 'myosin IV complex', - 'def': 'A myosin complex containing one or more class IV myosin heavy chains and associated light chains; myosin IV is relatively uncharacterized, but is predicted to have a single motor domain, one IQ motif and a tail with a Myosin Tail Homology (myTH4) domain homologous to that in the tails of myosins VII and XV. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031475': { - 'name': 'myosin V complex', - 'def': 'A myosin complex containing a dimer of class V myosin heavy chains and associated light chains; involved in intracellular transport. Myosin V is a dimeric molecule consisting of conserved motor domains followed by 6 IQ motifs which bind specific light chains and calmodulin. The tail domain is important for cellular localization and cargo binding and can be divided into an alpha-helical coiled coil region and a C-terminal globular region. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031476': { - 'name': 'myosin VI complex', - 'def': 'A myosin complex containing one or more class VI myosin heavy chains and associated light chains. Myosin VI has a single IQ motif in the neck and a tail region with a coiled coil domain followed by a unique globular domain; a unique insertion that enables myosin VI to move towards the pointed or minus end of actin filaments. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031477': { - 'name': 'myosin VII complex', - 'def': 'A myosin complex containing a dimer of class VII myosin heavy chains and associated light chains. Myosin VII (240 kDa) is predicted to be a dimeric molecule with 5 IQ motifs and a tail region with a short stretch of coiled coil followed by two myosin-tail homology (MyTH4) domains, two talin-binding (FERM) domains and an SH3-domain. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031478': { - 'name': 'myosin VIII complex', - 'def': 'A myosin complex containing a dimer of class VIII myosin heavy chains and associated light chains. Myosin VIII is predicted to be dimeric, and contain an unusual 100-190 residue N-terminal extension prior to their motor domains, 3-4 IQ motifs, a short region (~70 residues) of predicted alpha-helical coiled coil and a C-terminal domain. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031479': { - 'name': 'myosin IX complex', - 'def': 'A myosin complex containing a class IX myosin heavy chain and associated light chains. Myosin IX is monomeric with a motor domain containing an N-terminal extension and an insert in the actin binding interface, followed by four to six IQ motifs and a tail region that contains a zinc binding motif and a domain with homology to GTPase activating proteins (GAPs) of the Rho family of G-proteins. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031480': { - 'name': 'myosin X complex', - 'def': 'A myosin complex containing one or more class X myosin heavy chains and associated light chains. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031481': { - 'name': 'myosin XI complex', - 'def': 'A myosin complex containing a dimer of class XI myosin heavy chains and associated light chains. Myosin XI heavy chain sizes are similar in molecular structure to the class V myosins with 5 to 6 IQ motifs and tail regions with predicted coiled coil domains (forming dimeric molecules) and large C-terminal regions. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031482': { - 'name': 'myosin XII complex', - 'def': 'A myosin complex containing one or more class XII myosin heavy chains and associated light chains; myosin XII contains a large tail region with two MyTH4 domains and a short region of coiled coil. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031483': { - 'name': 'myosin XIII complex', - 'def': 'A myosin complex containing one or more class XIII myosin heavy chains and associated light chains. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031484': { - 'name': 'myosin XIV complex', - 'def': 'A myosin complex containing a class XIV myosin heavy chain and associated light chains; myosin XIV heavy chains are the simplest known, containing a motor domain, no classic IQ motif and variable length tails. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031485': { - 'name': 'myosin XV complex', - 'def': 'A myosin complex containing a class XV myosin heavy chain and associated light chains. Myosin XV is single headed, and has a large extension (1200aa) at the N-terminus of the motor domain, two IQ motifs and a tail with a similar domain structure to that of the tail of myosin VII. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031486': { - 'name': 'myosin XVI complex', - 'def': 'A myosin complex containing a class XVI myosin heavy chains and associated light chains; myosin XVI heavy chains contain ankyrin repeat. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html, PMID:11294886]' - }, - 'GO:0031487': { - 'name': 'myosin XVII complex', - 'def': 'A myosin complex containing one or more class XVII myosin heavy chains and associated light chains. [http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031488': { - 'name': 'myosin XVIII complex', - 'def': 'A myosin complex containing a class XVIII myosin heavy chain and associated light chains; myosin XVIII heavy chains contain an N-terminal PDZ domain. [PMID:11294886]' - }, - 'GO:0031489': { - 'name': 'myosin V binding', - 'def': 'Interacting selectively and non-covalently with a class V myosin; myosin V is a dimeric molecule involved in intracellular transport. [GOC:mah, http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0031490': { - 'name': 'chromatin DNA binding', - 'def': 'Interacting selectively and non-covalently with DNA that is assembled into chromatin. [GOC:mah]' - }, - 'GO:0031491': { - 'name': 'nucleosome binding', - 'def': 'Interacting selectively and non-covalently with a nucleosome, a complex comprised of DNA wound around a multisubunit core and associated proteins, which forms the primary packing unit of DNA into higher order structures. [GOC:mah]' - }, - 'GO:0031492': { - 'name': 'nucleosomal DNA binding', - 'def': 'Interacting selectively and non-covalently with the DNA portion of a nucleosome. [GOC:mah]' - }, - 'GO:0031493': { - 'name': 'nucleosomal histone binding', - 'def': 'Interacting selectively and non-covalently with a histone that is assembled into a nucleosome. [GOC:mah]' - }, - 'GO:0031494': { - 'name': 'regulation of mating type switching', - 'def': 'Any process that modulates the frequency, rate or extent of mating type switching, the conversion of a single-cell organism from one mating type to another by the precise replacement of a DNA sequence at the expressed mating type locus with a copy of a sequence from a donor locus. [GOC:mah]' - }, - 'GO:0031495': { - 'name': 'negative regulation of mating type switching', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mating type switching. [GOC:mah]' - }, - 'GO:0031496': { - 'name': 'positive regulation of mating type switching', - 'def': 'Any process that activates or increases the frequency, rate or extent of mating type switching. [GOC:mah]' - }, - 'GO:0031497': { - 'name': 'chromatin assembly', - 'def': 'The assembly of DNA, histone proteins, other associated proteins, and sometimes RNA, into chromatin structure, beginning with the formation of the basic unit, the nucleosome, followed by organization of the nucleosomes into higher order structures, ultimately giving rise to a complex organization of specific domains within the nucleus. [http://www.infobiogen.fr/services/chromcancer/IntroItems/ChromatinEducEng.html, PMID:20404130]' - }, - 'GO:0031498': { - 'name': 'chromatin disassembly', - 'def': 'The controlled breakdown of chromatin from a higher order structure into its simpler subcomponents, DNA, histones, other proteins, and sometimes RNA. [http://www.infobiogen.fr/services/chromcancer/IntroItems/ChromatinEducEng.html, PMID:20404130]' - }, - 'GO:0031499': { - 'name': 'TRAMP complex', - 'def': "A multiprotein complex having distributive polyadenylation activity of a variety of RNA substrates including hypomodified and incorrectly folded tRNAs, pre-snRNAs, pre-snoRNAs, incorrectly spliced or processed pre-mRNAs, cryptic unstable transcripts (CUTs), pre-rRNAs and rRNA fragments released as part of rRNA processing. In S. cerevisiae, the complex consists of either Pap2 (also known as Trf4) or Trf5, Air1 or Air2, and Mtr4, and is involved in RNA 3'-end processing and in RNA surveillance and quality control. [PMID:15173578, PMID:15828860, PMID:15935758, PMID:15935759, PMID:16373491, PMID:16374505, PMID:16431988, PMID:16973437, PMID:17410208, PMID:17652137]" - }, - 'GO:0031500': { - 'name': 'Tea1 cell-end complex', - 'def': 'A high molecular weight complex characterized in S. pombe containing the cell-end anchoring protein Tea1. This complex is transported to the cell ends by microtubules and is involved in bipolar growth and the maintennce of normal cell polarity. [PMID:15936270]' - }, - 'GO:0031501': { - 'name': 'mannosyltransferase complex', - 'def': 'A complex that posseses mannosyltransferase activity. [GOC:mah]' - }, - 'GO:0031502': { - 'name': 'dolichyl-phosphate-mannose-protein mannosyltransferase complex', - 'def': 'A complex that possesses dolichyl-phosphate-mannose-protein mannosyltransferase activity; usually includes members of the PMT1 and PMT2 protein subfamilies. [GOC:mah, GOC:pr, PMID:15948957]' - }, - 'GO:0031503': { - 'name': 'protein complex localization', - 'def': 'A localization process that acts on a protein complex; the complex is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0031504': { - 'name': 'peptidoglycan-based cell wall organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the peptidoglycan-based cell wall. [GOC:dph, GOC:jl, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031505': { - 'name': 'fungal-type cell wall organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the fungal-type cell wall. [GOC:dph, GOC:jl, GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031506': { - 'name': 'cell wall glycoprotein biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cell wall glycoproteins, any cell wall protein that contains covalently bound sugar residues. [GOC:mah]' - }, - 'GO:0031507': { - 'name': 'heterochromatin assembly', - 'def': 'The assembly of chromatin into heterochromatin, a compact and highly condensed form that is often, but not always, transcriptionally silent. [GOC:mah]' - }, - 'GO:0031508': { - 'name': 'pericentric heterochromatin assembly', - 'def': "The assembly of chromatin into heterochromatin that is located adjacent to the CENP-A rich centromere 'central core' and characterized by the modified histone H3K9me3. [GOC:mah, PMID:20206496, PMID:22729156]" - }, - 'GO:0031509': { - 'name': 'telomeric heterochromatin assembly', - 'def': 'The assembly of chromatin into heterochromatin at the telomere. [GOC:mah]' - }, - 'GO:0031510': { - 'name': 'SUMO activating enzyme complex', - 'def': 'A conserved heterodimeric complex with SUMO activating enzyme activity. [PMID:15601841]' - }, - 'GO:0031511': { - 'name': 'Mis6-Sim4 complex', - 'def': 'A protein complex that forms part of the inner centromere, which is involved in the loading of the centromeric histone h3 variant CENP-A onto centromeres and in centromere specific heterochromatin formation. The complex contains about 12 proteins, of which two are known as Mis6 and Sim4 in S. pombe and CENP-I and CENP-H in human. [GOC:vw, PMID:12719471, PMID:15897182]' - }, - 'GO:0031514': { - 'name': 'motile cilium', - 'def': 'A cilium which may have a variable arrangement of axonemal microtubules and also contains molecular motors. It may beat with a whip-like pattern that promotes cell motility or transport of fluids and other cells across a cell surface, such as on epithelial cells that line the lumenal ducts of various tissues; or they may display a distinct twirling motion that directs fluid flow asymmetrically across the cellular surface to affect asymmetric body plan organization. Motile cilia can be found in single as well as multiple copies per cell. [GOC:cilia, GOC:dgh, GOC:kmv, PMID:17009929, PMID:20144998, PMID:22118931]' - }, - 'GO:0031515': { - 'name': 'tRNA (m1A) methyltransferase complex', - 'def': 'A protein complex involved in the catalysis of the formation of the modified nucleotide 1-methyladenosine (m1A) in tRNA. In yeast, it is a heterotetramer of two subunits, Gcd10p and Gcd14p, while in bacteria and archaea it is a homotetramer. [PMID:10779558, PMID:14739239]' - }, - 'GO:0031516': { - 'name': 'far-red light photoreceptor activity', - 'def': 'The function of absorbing and responding to electromagnetic radiation with a wavelength of approximately 730nm. The response may involve a change in conformation. [GOC:nln]' - }, - 'GO:0031517': { - 'name': 'red light photoreceptor activity', - 'def': 'The function of absorbing and responding to electromagnetic radiation with a wavelength of approximately 660nm. The response may involve a change in conformation. [GOC:nln]' - }, - 'GO:0031518': { - 'name': 'CBF3 complex', - 'def': 'A multisubunit protein complex that binds to centromeric DNA and initiates kinetochore assembly. In yeast, this complex consists of four subunits, namely Ctf13p, Skp1p, Cep3p and Cbf2p. [PMID:13679521, PMID:9407032]' - }, - 'GO:0031519': { - 'name': 'PcG protein complex', - 'def': 'A chromatin-associated multiprotein complex containing Polycomb Group proteins. In Drosophila, Polycomb group proteins are involved in the long-term maintenance of gene repression, and PcG protein complexes associate with Polycomb group response elements (PREs) in target genes to regulate higher-order chromatin structure. [PMID:9372908]' - }, - 'GO:0031520': { - 'name': 'plasma membrane of cell tip', - 'def': 'The portion of the plasma membrane surrounding the cell tip. [GOC:mah]' - }, - 'GO:0031521': { - 'name': 'spitzenkorper', - 'def': 'Structure within the hyphal tip of filamentous fungi that acts as an organizing center for hyphal tip growth; may function to supply vesicles to the elongating tip and/or to organize cytoskeletal microfilaments. [PMID:15701784, PMID:15976451]' - }, - 'GO:0031522': { - 'name': 'cell envelope Sec protein transport complex', - 'def': 'A transmembrane protein complex involved in the translocation of proteins across the cytoplasmic membrane. In Gram-negative bacteria, Sec-translocated proteins are subsequently secreted via the type II, IV, or V secretion systems. Sec complex components include SecA, D, E, F, G, Y and YajC. [GOC:mtg_sensu, PMID:15223057]' - }, - 'GO:0031523': { - 'name': 'Myb complex', - 'def': 'A multisubunit complex consisting of Myb and other proteins that regulates site specific DNA replication, gene amplification and transcriptional repression. [PMID:12490953, PMID:15545624]' - }, - 'GO:0031524': { - 'name': 'menthol metabolic process', - 'def': 'The chemical reactions and pathways involving menthol, the monoterpene 2-isopropyl-5-methylcyclohexanol. [GOC:mah]' - }, - 'GO:0031525': { - 'name': 'menthol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of menthol, the monoterpene 2-isopropyl-5-methylcyclohexanol. [GOC:mah]' - }, - 'GO:0031526': { - 'name': 'brush border membrane', - 'def': 'The portion of the plasma membrane surrounding the brush border. [GOC:mah]' - }, - 'GO:0031527': { - 'name': 'filopodium membrane', - 'def': 'The portion of the plasma membrane surrounding a filopodium. [GOC:mah]' - }, - 'GO:0031528': { - 'name': 'microvillus membrane', - 'def': 'The portion of the plasma membrane surrounding a microvillus. [GOC:mah]' - }, - 'GO:0031529': { - 'name': 'ruffle organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a ruffle, a projection at the leading edge of a crawling cell. [GOC:mah, PMID:10036235]' - }, - 'GO:0031530': { - 'name': 'gonadotropin-releasing hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a receptor for gonadotropin-releasing hormone (GnRH), a peptide hormone that is synthesized and released by the hypothalamus and is responsible for the release of follicle-stimulating hormone (FSH) and luteinizing hormone (LH) from the anterior pituitary. [GOC:pr, PMID:15196882]' - }, - 'GO:0031531': { - 'name': 'thyrotropin-releasing hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a receptor for thyrotropin-releasing hormone, a tripeptide hormone that is produced by the hypothalamus and stimulates the release of thyroid-stimulating hormone (TSH) and prolactin by the anterior pituitary. [PMID:8592728]' - }, - 'GO:0031532': { - 'name': 'actin cytoskeleton reorganization', - 'def': 'A process that is carried out at the cellular level which results in dynamic structural changes to the arrangement of constituent parts of cytoskeletal structures comprising actin filaments and their associated proteins. [GOC:ecd, GOC:mah]' - }, - 'GO:0031533': { - 'name': 'mRNA cap methyltransferase complex', - 'def': "A protein complex that consists of an RNA 5' triphosphatase and a guanyl transferase (Cet1p and Ceg1p in S. cerevisiae; Pct1 and Ceg1 in S. pombe) and is involved in mRNA capping. [GOC:vw, PMID:10347220]" - }, - 'GO:0031534': { - 'name': 'minus-end directed microtubule sliding', - 'def': 'The movement of one microtubule along another microtubule, where the motion is directed towards the minus ends of the microtubules. [GOC:mah, GOC:vw]' - }, - 'GO:0031535': { - 'name': 'plus-end directed microtubule sliding', - 'def': 'The movement of one microtubule along another microtubule, where the motion is directed towards the plus ends of the microtubules. [GOC:mah, GOC:vw]' - }, - 'GO:0031536': { - 'name': 'positive regulation of exit from mitosis', - 'def': 'Any process that activates or increases the rate of progression from anaphase/telophase (high mitotic CDK activity) to G1 (low mitotic CDK activity). [GOC:mah]' - }, - 'GO:0031537': { - 'name': 'regulation of anthocyanin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of chemical reactions and pathways involving anthocyanins. [GOC:mah]' - }, - 'GO:0031538': { - 'name': 'negative regulation of anthocyanin metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of chemical reactions and pathways involving anthocyanins. [GOC:mah]' - }, - 'GO:0031539': { - 'name': 'positive regulation of anthocyanin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of chemical reactions and pathways involving anthocyanins. [GOC:mah]' - }, - 'GO:0031540': { - 'name': 'regulation of anthocyanin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of anthocyanins. [GOC:mah]' - }, - 'GO:0031541': { - 'name': 'negative regulation of anthocyanin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of anthocyanins. [GOC:mah]' - }, - 'GO:0031542': { - 'name': 'positive regulation of anthocyanin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of anthocyanins. [GOC:mah]' - }, - 'GO:0031543': { - 'name': 'peptidyl-proline dioxygenase activity', - 'def': 'Catalysis of the reaction: peptidyl L-proline + 2-oxoglutarate + O2 = peptidyl hydroxy-L-proline + succinate + CO2. [GOC:mah, GOC:vw, PMID:24550447, PMID:24550462]' - }, - 'GO:0031544': { - 'name': 'peptidyl-proline 3-dioxygenase activity', - 'def': 'Catalysis of the reaction: peptidyl L-proline + 2-oxoglutarate + O2 = peptidyl trans-3-hydroxy-L-proline + succinate + CO2. [GOC:mah]' - }, - 'GO:0031545': { - 'name': 'peptidyl-proline 4-dioxygenase activity', - 'def': 'Catalysis of the reaction: peptidyl L-proline + 2-oxoglutarate + O2 = peptidyl trans-4-hydroxy-L-proline + succinate + CO2. [GOC:mah]' - }, - 'GO:0031546': { - 'name': 'brain-derived neurotrophic factor receptor binding', - 'def': 'Interacting selectively and non-covalently with the brain-derived neurotrophic factor receptor. [GOC:mah]' - }, - 'GO:0031547': { - 'name': 'brain-derived neurotrophic factor receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a brain-derived neurotrophic factor receptor binding to one of its physiological ligands. [GOC:mah]' - }, - 'GO:0031548': { - 'name': 'regulation of brain-derived neurotrophic factor receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of signaling via the brain-derived neurotrophic factor receptor signaling pathway. [GOC:mah]' - }, - 'GO:0031549': { - 'name': 'negative regulation of brain-derived neurotrophic factor receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signaling via the brain-derived neurotrophic factor receptor signaling pathway. [GOC:mah]' - }, - 'GO:0031550': { - 'name': 'positive regulation of brain-derived neurotrophic factor receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of signaling via the brain-derived neurotrophic factor receptor signaling pathway. [GOC:mah]' - }, - 'GO:0031551': { - 'name': 'regulation of brain-derived neurotrophic factor-activated receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of brain-derived neurotrophic factor-activated receptor activity. [GOC:mah]' - }, - 'GO:0031552': { - 'name': 'negative regulation of brain-derived neurotrophic factor-activated receptor activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of brain-derived neurotrophic factor-activated receptor activity. [GOC:mah]' - }, - 'GO:0031553': { - 'name': 'positive regulation of brain-derived neurotrophic factor-activated receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of brain-derived neurotrophic factor-activated receptor activity. [GOC:mah]' - }, - 'GO:0031554': { - 'name': 'regulation of DNA-templated transcription, termination', - 'def': 'Any process that modulates the frequency, rate, extent, or location of DNA-templated transcription termination, the process in which transcription is completed; the formation of phosphodiester bonds ceases, the RNA-DNA hybrid dissociates, and RNA polymerase releases the DNA. [GOC:mlg, GOC:txnOH]' - }, - 'GO:0031555': { - 'name': 'transcriptional attenuation', - 'def': 'Regulation of transcription through variation in where transcription termination occurs. [GOC:dh, GOC:mlg, ISBN:0198542682]' - }, - 'GO:0031556': { - 'name': 'transcriptional attenuation by ribosome', - 'def': 'A type of transcriptional regulation at the level of early termination. This process can occur only in prokaryotes, where transcription of an operon into messenger RNA and translation of that mRNA into polypeptides occur simultaneously. The general principle is that alternative mRNA secondary structures occur under different physiological conditions such as available amount of a particular amino acid. One set of conditions favors early termination of transcription. In the classic example of the trp biosynthesis operon, translation of the gene for a short, trp-containing polypeptide called the trp operon leader peptide pauses either at a trp codon (if tryptophan is scarce) or the stop codon (if trp is readily available). In the former situation transcription continues, but in the latter a Rho-independent terminator forms and reduces, or attenuates, expression of the tryptophan biosynthesis genes. Although the polypeptides encoded by leader peptide genes appear not to be stable once their translation is complete, it is suggested by recent studies that their nascent polypeptide chains interact specifically with ribosomes, specific uncharged tRNAs, or other cellular components to inhibit release at the stop codon and improve the function of transcriptional attenuation as a regulatory switch. [GOC:dh, GOC:mlg, ISBN:0198542682]' - }, - 'GO:0031557': { - 'name': 'obsolete induction of programmed cell death in response to chemical stimulus', - 'def': 'OBSOLETE. A process which directly activates any of the steps required for programmed cell death as a result of a chemical stimulus. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0031558': { - 'name': 'obsolete induction of apoptosis in response to chemical stimulus', - 'def': 'OBSOLETE. Any process that directly activates any of the steps required for cell death by apoptosis as a result of a chemical stimulus. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0031559': { - 'name': 'oxidosqualene cyclase activity', - 'def': 'Catalysis of the cyclization of (S)-2,3-epoxysqualene to form a triterpene. [GOC:ct]' - }, - 'GO:0031560': { - 'name': 'cellular bud neck polarisome', - 'def': 'Protein complex that has a role in determining cell polarity, found at the neck of a fungal bud before and during cytokinesis. [PMID:9632790]' - }, - 'GO:0031561': { - 'name': 'cellular bud tip polarisome', - 'def': 'Protein complex that has a role in determining cell polarity, found at the tip of a growing fungal bud. [PMID:9632790]' - }, - 'GO:0031562': { - 'name': 'hyphal tip polarisome', - 'def': 'Protein complex that has a role in determining cell polarity, found at the tip of a growing fungal hypha. [PMID:15976451]' - }, - 'GO:0031563': { - 'name': 'mating projection tip polarisome', - 'def': 'Protein complex that has a role in determining cell polarity, found at the tip of the mating projection in unicellular fungi exposed to mating pheromone. [PMID:14734532]' - }, - 'GO:0031564': { - 'name': 'transcription antitermination', - 'def': 'Regulation of transcription by a mechanism that allows RNA polymerase to continue transcription beyond termination site(s). [ISBN:0198577788, PMID:12456320]' - }, - 'GO:0031565': { - 'name': 'obsolete cytokinesis checkpoint', - 'def': 'OBSOLETE. A mitotic cell cycle checkpoint that detects a defect in cytokinesis and negatively regulates G2/M transition. [GOC:mtg_cell_cycle]' - }, - 'GO:0031566': { - 'name': 'actomyosin contractile ring maintenance', - 'def': 'The cell cycle process in which the contractile ring is maintained in response to the cytokinesis checkpoint; that is when cytokinesis is delayed awaiting completion of nuclear division or the correct formation of cytokinetic structures. This process occurs in the context of cytokinesis that takes place as part of a cell cycle. [GOC:dph, GOC:mah, GOC:tb, GOC:vw]' - }, - 'GO:0031567': { - 'name': 'mitotic cell size control checkpoint', - 'def': 'The mitotic cell cycle checkpoint that delays or arrests cell cycle progression until cells have reached a critical size. [GOC:mtg_cell_cycle]' - }, - 'GO:0031568': { - 'name': 'G1 cell size control checkpoint', - 'def': 'A mitotic cell cycle checkpoint that monitors cell size, and negatively regulates cell cycle progression between G1 and S phase until a critical size is reached. [GOC:mtg_cell_cycle]' - }, - 'GO:0031569': { - 'name': 'G2 cell size control checkpoint', - 'def': 'A cell cycle checkpoint that monitors cell size, and negatively regulates cell cycle progression between G2 and M phase until a critical size is reached. [GOC:mtg_cell_cycle]' - }, - 'GO:0031570': { - 'name': 'DNA integrity checkpoint', - 'def': 'A cell cycle process that controls cell cycle progression in response to changes in DNA structure by monitoring the integrity of the DNA. The DNA integrity checkpoint begins with detection of DNA damage, defects in DNA structure or DNA replication, and progresses through signal transduction and ends with cell cycle effector processes. [GOC:mtg_cell_cycle]' - }, - 'GO:0031571': { - 'name': 'mitotic G1 DNA damage checkpoint', - 'def': 'A mitotic cell cycle checkpoint that detects and negatively regulates progression through the G1/S transition of the cell cycle in response to DNA damage. [GOC:mtg_cell_cycle]' - }, - 'GO:0031572': { - 'name': 'G2 DNA damage checkpoint', - 'def': 'A cell cycle checkpoint that detects and negatively regulates progression from G2 to M phase in the cell cycle in response to DNA damage. [GOC:mtg_cell_cycle]' - }, - 'GO:0031573': { - 'name': 'intra-S DNA damage checkpoint', - 'def': 'A mitotic cell cycle checkpoint that slows DNA synthesis in response to DNA damage by the prevention of new origin firing and the stabilization of slow replication fork progression. [GOC:vw]' - }, - 'GO:0031577': { - 'name': 'spindle checkpoint', - 'def': 'A cell cycle checkpoint that originates from the mitotic or meiotic spindle. [GOC:mtg_cell_cycle]' - }, - 'GO:0031578': { - 'name': 'mitotic spindle orientation checkpoint', - 'def': 'A cell cycle checkpoint that monitors and signals errors in the placement or orientation of the spindle in the cell. This delays the completion of anaphase until errors are corrected. [GOC:mtg_cell_cycle, PMID:14616062]' - }, - 'GO:0031579': { - 'name': 'membrane raft organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of membrane rafts, small (10-200 nm), heterogeneous, highly dynamic, sterol- and sphingolipid-enriched membrane domains that compartmentalize cellular processes. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0031580': { - 'name': 'membrane raft distribution', - 'def': 'The process that establishes the spatial arrangement of membrane rafts within a cellular membrane. [GOC:mah]' - }, - 'GO:0031581': { - 'name': 'hemidesmosome assembly', - 'def': 'Assembly of hemidesmosomes, integrin-containing protein complexes that bind to laminin in the basal lamina. Hemidesmosomes form the contact between the basal surface of epithelial cells and the underlying basal lamina. [GOC:dgh, PMID:15983403]' - }, - 'GO:0031582': { - 'name': 'replication fork arrest at rDNA repeats', - 'def': 'A process that impedes the progress of the DNA replication fork at natural replication fork pausing sites within the eukaryotic rDNA repeat spacer. [GOC:mah, GOC:vw]' - }, - 'GO:0031583': { - 'name': 'phospholipase D-activating G-protein coupled receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, where the pathway proceeds with activation of phospholipase D (PLD) and a subsequent increase in cellular levels of phosphatidic acid (PA). [GOC:mah, GOC:signaling, PMID:11812783, PMID:15924269]' - }, - 'GO:0031584': { - 'name': 'activation of phospholipase D activity', - 'def': 'Any process that initiates the activity of inactive phospholipase D. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031585': { - 'name': 'regulation of inositol 1,4,5-trisphosphate-sensitive calcium-release channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of the activity of the inositol 1,4,5-trisphosphate-sensitive calcium-release channel. [GOC:dph, GOC:mah, GOC:signaling]' - }, - 'GO:0031586': { - 'name': 'negative regulation of inositol 1,4,5-trisphosphate-sensitive calcium-release channel activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the activity of the inositol 1,4,5-trisphosphate-sensitive calcium-release channel. [GOC:dph, GOC:mah, GOC:signaling]' - }, - 'GO:0031587': { - 'name': 'positive regulation of inositol 1,4,5-trisphosphate-sensitive calcium-release channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of the activity of the inositol 1,4,5-trisphosphate-sensitive calcium-release channel. [GOC:dph, GOC:mah, GOC:signaling]' - }, - 'GO:0031588': { - 'name': 'nucleotide-activated protein kinase complex', - 'def': 'A protein complex that possesses nucleotide-dependent protein kinase activity. The nucleotide can be AMP (in S. pombe and human) or ADP (in S. cerevisiae). [GOC:bhm, GOC:mah, GOC:vw]' - }, - 'GO:0031589': { - 'name': 'cell-substrate adhesion', - 'def': 'The attachment of a cell to the underlying substrate via adhesion molecules. [GOC:mah, GOC:pf]' - }, - 'GO:0031590': { - 'name': 'wybutosine metabolic process', - 'def': 'The chemical reactions and pathways involving wybutosine, 3H-imidazo[1,2-alpha]purine-7-butanoic acid, 4,9-dihydro- alpha-[(methoxycarbonyl)amino]- 4,6-dimethyl-9-oxo- 3-beta-D-ribofuranosyl methyl ester, a modified nucleoside found in some tRNA molecules. [GOC:mah, RNAmods:037]' - }, - 'GO:0031591': { - 'name': 'wybutosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of wybutosine, 3H-imidazo[1,2-alpha]purine-7-butanoic acid, 4,9-dihydro- alpha-[(methoxycarbonyl)amino]- 4,6-dimethyl-9-oxo- 3-beta-D-ribofuranosyl methyl ester, a modified nucleoside found in some tRNA molecules. [GOC:hjd, GOC:mah, RNAmods:037]' - }, - 'GO:0031592': { - 'name': 'centrosomal corona', - 'def': 'An amorphous structure surrounding the core of the centrosome, from which microtubules are nucleated; contains gamma-tubulin. [GOC:kp, GOC:mah]' - }, - 'GO:0031593': { - 'name': 'polyubiquitin binding', - 'def': 'Interacting selectively and non-covalently with a polymer of ubiqutin. [GOC:mah]' - }, - 'GO:0031594': { - 'name': 'neuromuscular junction', - 'def': 'The junction between the axon of a motor neuron and a muscle fiber. In response to the arrival of action potentials, the presynaptic button releases molecules of neurotransmitters into the synaptic cleft. These diffuse across the cleft and transmit the signal to the postsynaptic membrane of the muscle fiber, leading to a change in post-synaptic potential. [GOC:nln]' - }, - 'GO:0031595': { - 'name': 'nuclear proteasome complex', - 'def': 'A proteasome found in the nucleus of a cell. [GOC:mah]' - }, - 'GO:0031596': { - 'name': 'obsolete ER proteasome complex', - 'def': 'OBSOLETE. A proteasome found in the endoplasmic reticulum of a cell. [GOC:mah]' - }, - 'GO:0031597': { - 'name': 'cytosolic proteasome complex', - 'def': 'A proteasome complex found in the cytosol of a cell. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031598': { - 'name': 'nuclear proteasome regulatory particle', - 'def': 'The regulatory subcomplex of a proteasome located in the nucleus of a cell. [GOC:mah]' - }, - 'GO:0031599': { - 'name': 'obsolete ER proteasome regulatory particle', - 'def': 'OBSOLETE. The regulatory subcomplex of a proteasome located in the endoplasmic reticulum of a cell. [GOC:mah]' - }, - 'GO:0031600': { - 'name': 'cytosolic proteasome regulatory particle', - 'def': 'A multisubunit complex located in the cytosol of a cell, which caps one or both ends of the proteasome core complex. This complex recognizes, unfolds ubiquitinated proteins and translocates them to the proteasome core complex. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031601': { - 'name': 'nuclear proteasome core complex', - 'def': 'The core complex of a proteasome located in the nucleus of a cell. [GOC:mah]' - }, - 'GO:0031602': { - 'name': 'obsolete ER proteasome core complex', - 'def': 'OBSOLETE. The core complex of a proteasome located in the endoplasmic reticulum of a cell. [GOC:mah]' - }, - 'GO:0031603': { - 'name': 'cytosolic proteasome core complex', - 'def': 'The core complex of a proteasome located in the cytosol of a cell. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031604': { - 'name': 'nuclear proteasome core complex, alpha-subunit complex', - 'def': 'The subunits forming the outer ring of the core complex of a proteasome located in the nucleus of a cell. [GOC:mah]' - }, - 'GO:0031605': { - 'name': 'obsolete ER proteasome core complex, alpha-subunit complex', - 'def': 'OBSOLETE. The subunits forming the outer ring of the core complex of a proteasome located in the endoplasmic reticulum of a cell. [GOC:mah]' - }, - 'GO:0031606': { - 'name': 'cytosolic proteasome core complex, alpha-subunit complex', - 'def': 'The proteasome core subcomplex that constitutes the two outer rings of the cytosolic proteasome core complex. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031607': { - 'name': 'nuclear proteasome core complex, beta-subunit complex', - 'def': 'The subunits forming the inner ring of the core complex of a proteasome located in the nucleus of a cell. [GOC:mah]' - }, - 'GO:0031608': { - 'name': 'obsolete ER proteasome core complex, beta-subunit complex', - 'def': 'OBSOLETE. The subunits forming the inner ring of the core complex of a proteasome located in the endoplasmic reticulum of a cell. [GOC:mah]' - }, - 'GO:0031609': { - 'name': 'cytosolic proteasome core complex, beta-subunit complex', - 'def': 'The proteasome core subcomplex that constitutes the two inner rings of the cytosolic proteasome core complex. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031610': { - 'name': 'nuclear proteasome regulatory particle, base subcomplex', - 'def': 'The subunits of the regulatory particle that directly associate with the core complex of a proteasome located in the nucleus of a cell. [GOC:mah]' - }, - 'GO:0031611': { - 'name': 'obsolete ER proteasome regulatory particle, base subcomplex', - 'def': 'OBSOLETE. The subunits of the regulatory particle that directly associate with the core complex of a proteasome located in the endoplasmic reticulum of a cell. [GOC:mah]' - }, - 'GO:0031612': { - 'name': 'cytosolic proteasome regulatory particle, base subcomplex', - 'def': 'The subcomplex of the proteasome regulatory particle that directly associates with the proteasome core complex located in the cytosol of the cell. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031613': { - 'name': 'nuclear proteasome regulatory particle, lid subcomplex', - 'def': 'The subunits that form the peripheral lid of the regulatory particle of a proteasome located in the nucleus of a cell. [GOC:mah]' - }, - 'GO:0031614': { - 'name': 'obsolete ER proteasome regulatory particle, lid subcomplex', - 'def': 'OBSOLETE. The subunits that form the peripheral lid of the regulatory particle of a proteasome located in the endoplasmic reticulum of a cell. [GOC:mah]' - }, - 'GO:0031615': { - 'name': 'cytosolic proteasome regulatory particle, lid subcomplex', - 'def': 'The subcomplex of the cytosolic proteasome regulatory particle that forms the peripheral lid, which is added on top of the base subcomplex. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031616': { - 'name': 'spindle pole centrosome', - 'def': 'A centrosome from which one pole of a mitotic or meiotic spindle is organized. [GOC:mah]' - }, - 'GO:0031617': { - 'name': 'NMS complex', - 'def': 'A supercomplex formed by the association of two subcomplexes (known as MIND and Ndc80 in Schizosaccharomyces) with additional proteins at the kinetochores of condensed nuclear chromosomes. [PMID:16079914]' - }, - 'GO:0031618': { - 'name': 'nuclear pericentric heterochromatin', - 'def': "Nuclear heterochromatin that is located adjacent to the CENP-A rich centromere 'central core' and characterized by the modified histone H3K9me3. [GOC:mah, PMID:20206496, PMID:22729156, PMID:9413993]" - }, - 'GO:0031619': { - 'name': 'homologous chromosome orientation involved in meiotic metaphase I plate congression', - 'def': 'The cell cycle process in which the sister centromeres of one chromosome attach to microtubules that emanate from the same spindle pole, which ensures that homologous maternal and paternal chromosomes are pulled in opposite directions at anaphase of meiosis I. [PMID:15062096]' - }, - 'GO:0031620': { - 'name': 'regulation of fever generation', - 'def': 'Any process that modulates the rate or extent of fever generation. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0031621': { - 'name': 'negative regulation of fever generation', - 'def': 'Any process that stops, prevents, or reduces the rate or extent of fever generation. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0031622': { - 'name': 'positive regulation of fever generation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of fever generation. [GOC:add]' - }, - 'GO:0031623': { - 'name': 'receptor internalization', - 'def': 'A receptor-mediated endocytosis process that results in the movement of receptors from the plasma membrane to the inside of the cell. The process begins when cell surface receptors are monoubiquitinated following ligand-induced activation. Receptors are subsequently taken up into endocytic vesicles from where they are either targeted to the lysosome or vacuole for degradation or recycled back to the plasma membrane. [GOC:bf, GOC:mah, GOC:signaling, PMID:15006537, PMID:19643732]' - }, - 'GO:0031624': { - 'name': 'ubiquitin conjugating enzyme binding', - 'def': 'Interacting selectively and non-covalently with a ubiquitin conjugating enzyme, any of the E2 proteins. [GOC:vp]' - }, - 'GO:0031625': { - 'name': 'ubiquitin protein ligase binding', - 'def': 'Interacting selectively and non-covalently with a ubiquitin protein ligase enzyme, any of the E3 proteins. [GOC:vp]' - }, - 'GO:0031626': { - 'name': 'beta-endorphin binding', - 'def': 'Interacting selectively and non-covalently with beta-endorphin, a peptide generated by the cleavage of pro-opiomelanocortin. [GOC:nln, PMID:6267560]' - }, - 'GO:0031627': { - 'name': 'telomeric loop formation', - 'def': "The process in which linear telomeric DNA is remodeled into duplex loops, by the invasion of a 3' single-stranded overhang into the duplex region. [GOC:vw, PMID:10338214]" - }, - 'GO:0031628': { - 'name': 'opioid receptor binding', - 'def': 'Interacting selectively and non-covalently with an opioid receptor. [GOC:nln]' - }, - 'GO:0031629': { - 'name': 'synaptic vesicle fusion to presynaptic active zone membrane', - 'def': 'Fusion of the membrane of a synaptic vesicle with the presynaptic active zone membrane, thereby releasing its cargo neurotransmitters into the synaptic cleft. [ISBN:0071120009]' - }, - 'GO:0031630': { - 'name': 'regulation of synaptic vesicle fusion to presynaptic membrane', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle fusion to the presynaptic membrane. [GOC:mah]' - }, - 'GO:0031631': { - 'name': 'negative regulation of synaptic vesicle fusion to presynaptic membrane', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of synaptic vesicle fusion to the presynaptic membrane. [GOC:mah]' - }, - 'GO:0031632': { - 'name': 'positive regulation of synaptic vesicle fusion to presynaptic membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic vesicle fusion to the presynaptic membrane. [GOC:mah]' - }, - 'GO:0031633': { - 'name': 'xanthophore', - 'def': 'A chromatophore containing yellow pigment. [ISBN:0395825172]' - }, - 'GO:0031634': { - 'name': 'replication fork barrier binding', - 'def': 'Interacting selectively and non-covalently with replication fork barriers, sites that inhibit the progress of replication forks. [GOC:mah]' - }, - 'GO:0031635': { - 'name': 'adenylate cyclase-inhibiting opioid receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an opioid receptor binding to its physiological ligand, where the pathway proceeds with inhibition of adenylyl cyclase and a subsequent decrease in the concentration of cyclic AMP (cAMP). [GOC:dph, GOC:mah, GOC:signaling, GOC:tb]' - }, - 'GO:0031637': { - 'name': 'regulation of neuronal synaptic plasticity in response to neurotrophin', - 'def': 'The process in which a neurotrophic factor induces neuronal synaptic plasticity, the ability of neuronal synapses to change as circumstances require. They may alter function, such as increasing or decreasing their sensitivity, or they may increase or decrease in actual numbers. [GOC:mah, PMID:8703078]' - }, - 'GO:0031638': { - 'name': 'zymogen activation', - 'def': 'The proteolytic processing of an inactive enzyme to an active form. [GOC:hjd]' - }, - 'GO:0031639': { - 'name': 'plasminogen activation', - 'def': 'The process in which inactive plasminogen is processed to active plasmin. This process includes cleavage at an internal Arg-Val site to form an N-terminal A-chain and C-terminal B-chain held together by a disulfide bond, and can include further proteolytic cleavage events to remove the preactivation peptide. [PMID:9548733]' - }, - 'GO:0031640': { - 'name': 'killing of cells of other organism', - 'def': 'Any process in an organism that results in the killing of cells of another organism, including in some cases the death of the other organism. Killing here refers to the induction of death in one cell by another cell, not cell-autonomous death due to internal or other environmental conditions. [GOC:add]' - }, - 'GO:0031641': { - 'name': 'regulation of myelination', - 'def': 'Any process that modulates the frequency, rate or extent of the formation of a myelin sheath around nerve axons. [GOC:mah]' - }, - 'GO:0031642': { - 'name': 'negative regulation of myelination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the formation of a myelin sheath around nerve axons. [GOC:mah]' - }, - 'GO:0031643': { - 'name': 'positive regulation of myelination', - 'def': 'Any process that activates or increases the frequency, rate or extent of the formation of a myelin sheath around nerve axons. [GOC:mah]' - }, - 'GO:0031644': { - 'name': 'regulation of neurological system process', - 'def': 'Any process that modulates the frequency, rate or extent of a neurophysiological process, an organ system process carried out by any of the organs or tissues of neurological system. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031645': { - 'name': 'negative regulation of neurological system process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a neurophysiological process. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031646': { - 'name': 'positive regulation of neurological system process', - 'def': 'Any process that activates or increases the frequency, rate or extent of a neurophysiological process. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031647': { - 'name': 'regulation of protein stability', - 'def': 'Any process that affects the structure and integrity of a protein, altering the likelihood of its degradation or aggregation. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031648': { - 'name': 'protein destabilization', - 'def': 'Any process that decreases the stability of a protein, making it more vulnerable to degradative processes or aggregation. [GOC:mah]' - }, - 'GO:0031649': { - 'name': 'heat generation', - 'def': 'Any homeostatic process in which an organism produces heat, thereby raising its internal temperature. [GOC:mah]' - }, - 'GO:0031650': { - 'name': 'regulation of heat generation', - 'def': 'Any process that modulates the rate or extent of heat generation. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031651': { - 'name': 'negative regulation of heat generation', - 'def': 'Any process that stops, prevents, or reduces the rate or extent of heat generation. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031652': { - 'name': 'positive regulation of heat generation', - 'def': 'Any process that activates or increases the rate or extent of heat generation. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031653': { - 'name': 'heat dissipation', - 'def': 'Any homeostatic process in which an organism releases excess heat to the environment, thereby lowering its internal temperature. [GOC:mah]' - }, - 'GO:0031654': { - 'name': 'regulation of heat dissipation', - 'def': 'Any process that modulates the rate or extent of heat dissipation. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031655': { - 'name': 'negative regulation of heat dissipation', - 'def': 'Any process that stops, prevents, or reduces the rate or extent of heat dissipation. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031656': { - 'name': 'positive regulation of heat dissipation', - 'def': 'Any process that activates or increases the rate or extent of heat dissipation. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031657': { - 'name': 'regulation of cyclin-dependent protein serine/threonine kinase activity involved in G1/S transition of mitotic cell cycle', - 'def': 'Any process that controls the frequency, rate or extent of G1 cyclin-dependent protein serine/threonine kinase activity contributing to the G1/S transition of the cell cycle. [GOC:mtg_cell_cycle, GOC:pr]' - }, - 'GO:0031658': { - 'name': 'negative regulation of cyclin-dependent protein serine/threonine kinase activity involved in G1/S transition of mitotic cell cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cyclin-dependent protein serine/threonine kinase activity contributing to the G1/S transition of the cell cycle. [GOC:dph, GOC:mah, GOC:pr, GOC:tb]' - }, - 'GO:0031659': { - 'name': 'positive regulation of cyclin-dependent protein serine/threonine kinase activity involved in G1/S transition of mitotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of cyclin-dependent protein serine/threonine kinase activity contributing to the G1/S transition of the cell cycle. [GOC:dph, GOC:mah, GOC:pr, GOC:tb]' - }, - 'GO:0031660': { - 'name': 'regulation of cyclin-dependent protein serine/threonine kinase activity involved in G2/M transition of mitotic cell cycle', - 'def': 'Any process that modulates the frequency, rate or extent of cyclin-dependent protein serine/threonine kinase activity contributing to the G2/M transition of the cell cycle. [GOC:dph, GOC:mah, GOC:pr, GOC:tb]' - }, - 'GO:0031661': { - 'name': 'negative regulation of cyclin-dependent protein serine/threonine kinase activity involved in G2/M transition of mitotic cell cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cyclin-dependent protein serine/threonine kinase activity contributing to the G2/M transition of the cell cycle. [GOC:dph, GOC:mah, GOC:pr, GOC:tb]' - }, - 'GO:0031662': { - 'name': 'positive regulation of cyclin-dependent protein serine/threonine kinase activity involved in G2/M transition of mitotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of cyclin-dependent protein serine/threonine kinase activity involved in the G2/M transition of the cell cycle. [GOC:dph, GOC:mah, GOC:pr, GOC:tb]' - }, - 'GO:0031663': { - 'name': 'lipopolysaccharide-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a lipopolysaccharide (LPS) to a receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. Lipopolysaccharides are major components of the outer membrane of Gram-negative bacteria, making them prime targets for recognition by the immune system. [GOC:mah, GOC:signaling, PMID:15379975]' - }, - 'GO:0031664': { - 'name': 'regulation of lipopolysaccharide-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of signaling in response to detection of lipopolysaccharide. [GOC:mah]' - }, - 'GO:0031665': { - 'name': 'negative regulation of lipopolysaccharide-mediated signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signaling in response to detection of lipopolysaccharide. [GOC:mah]' - }, - 'GO:0031666': { - 'name': 'positive regulation of lipopolysaccharide-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of signaling in response to detection of lipopolysaccharide. [GOC:mah]' - }, - 'GO:0031667': { - 'name': 'response to nutrient levels', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting the presence, absence, or concentration of nutrients. [GOC:mah]' - }, - 'GO:0031668': { - 'name': 'cellular response to extracellular stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an extracellular stimulus. [GOC:mah]' - }, - 'GO:0031669': { - 'name': 'cellular response to nutrient levels', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting the presence, absence, or concentration of nutrients. [GOC:mah]' - }, - 'GO:0031670': { - 'name': 'cellular response to nutrient', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nutrient stimulus. [GOC:mah]' - }, - 'GO:0031671': { - 'name': 'primary cell septum biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a primary cell septum following nuclear division. [GOC:jl]' - }, - 'GO:0031672': { - 'name': 'A band', - 'def': 'The dark-staining region of a sarcomere, in which myosin thick filaments are present; the center is traversed by the paler H zone, which in turn contains the M line. [ISBN:0321204131]' - }, - 'GO:0031673': { - 'name': 'H zone', - 'def': 'A relatively pale zone traversing the center of the A band of a sarcomere, visible in relaxed muscle fibers; consists of the central portion of thick (myosin) filaments that are not overlapped by thin (actin) filaments. [GOC:mtg_muscle, ISBN:0321204131]' - }, - 'GO:0031674': { - 'name': 'I band', - 'def': 'A region of a sarcomere that appears as a light band on each side of the Z disc, comprising a region of the sarcomere where thin (actin) filaments are not overlapped by thick (myosin) filaments; contains actin, troponin, and tropomyosin; each sarcomere includes half of an I band at each end. [ISBN:0321204131]' - }, - 'GO:0031676': { - 'name': 'plasma membrane-derived thylakoid membrane', - 'def': 'The pigmented membrane of a plasma membrane-derived thylakoid. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031679': { - 'name': 'NADH dehydrogenase (plastoquinone) activity', - 'def': 'Catalysis of the reaction: NADH + H+ + plastoquinone = NAD+ + plastoquinol. [EC:1.6.99.6, GOC:mah]' - }, - 'GO:0031680': { - 'name': 'G-protein beta/gamma-subunit complex', - 'def': 'The heterodimer formed by the beta and gamma subunits of a heterotrimeric G protein, which dissociates from the alpha subunit upon guanine nuclotide exchange. [GOC:mah]' - }, - 'GO:0031681': { - 'name': 'G-protein beta-subunit binding', - 'def': 'Interacting selectively and non-covalently with a G-protein beta subunit. [GOC:mah]' - }, - 'GO:0031682': { - 'name': 'G-protein gamma-subunit binding', - 'def': 'Interacting selectively and non-covalently with a G-protein gamma subunit. [GOC:mah]' - }, - 'GO:0031683': { - 'name': 'G-protein beta/gamma-subunit complex binding', - 'def': 'Interacting selectively and non-covalently with a complex of G-protein beta/gamma subunits. [GOC:nln, GOC:vw]' - }, - 'GO:0031684': { - 'name': 'heterotrimeric G-protein complex cycle', - 'def': 'The series of molecular events that generate a signal through the activation of G-protein subunits and recycling of these subunits. [GOC:nln]' - }, - 'GO:0031685': { - 'name': 'adenosine receptor binding', - 'def': 'Interacting selectively and non-covalently with an adenosine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031686': { - 'name': 'A1 adenosine receptor binding', - 'def': 'Interacting selectively and non-covalently with an A1 adenosine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031687': { - 'name': 'A2A adenosine receptor binding', - 'def': 'Interacting selectively and non-covalently with an A2A adenosine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031688': { - 'name': 'A2B adenosine receptor binding', - 'def': 'Interacting selectively and non-covalently with an A2B adenosine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031689': { - 'name': 'A3 adenosine receptor binding', - 'def': 'Interacting selectively and non-covalently with an A3 adenosine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031690': { - 'name': 'adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with an adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031691': { - 'name': 'alpha-1A adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with an alpha-1A adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031692': { - 'name': 'alpha-1B adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with an alpha-1B adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031693': { - 'name': 'alpha-1D adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with an alpha-1D adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031694': { - 'name': 'alpha-2A adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with an alpha-2A adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031695': { - 'name': 'alpha-2B adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with an alpha-2B adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031696': { - 'name': 'alpha-2C adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with an alpha-2C adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031697': { - 'name': 'beta-1 adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with a beta-1 adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031698': { - 'name': 'beta-2 adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with a beta-2 adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031699': { - 'name': 'beta-3 adrenergic receptor binding', - 'def': 'Interacting selectively and non-covalently with a beta-3 adrenergic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031700': { - 'name': 'adrenomedullin receptor binding', - 'def': 'Interacting selectively and non-covalently with an adrenomedullin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031701': { - 'name': 'angiotensin receptor binding', - 'def': 'Interacting selectively and non-covalently with an angiotensin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031702': { - 'name': 'type 1 angiotensin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 angiotensin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031703': { - 'name': 'type 2 angiotensin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 angiotensin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031704': { - 'name': 'apelin receptor binding', - 'def': 'Interacting selectively and non-covalently with an apelin receptor. [GOC:mah, GOC:nln, GOC:vp, PMID:12787050]' - }, - 'GO:0031705': { - 'name': 'bombesin receptor binding', - 'def': 'Interacting selectively and non-covalently with a bombesin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031706': { - 'name': 'subtype 3 bombesin receptor binding', - 'def': 'Interacting selectively and non-covalently with a subtype 3 bombesin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031707': { - 'name': 'endothelin A receptor binding', - 'def': 'Interacting selectively and non-covalently with an endothelin A receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031708': { - 'name': 'endothelin B receptor binding', - 'def': 'Interacting selectively and non-covalently with an endothelin B receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031709': { - 'name': 'gastrin-releasing peptide receptor binding', - 'def': 'Interacting selectively and non-covalently with a gastrin-releasing peptide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031710': { - 'name': 'neuromedin B receptor binding', - 'def': 'Interacting selectively and non-covalently with a neuromedin B receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031711': { - 'name': 'bradykinin receptor binding', - 'def': 'Interacting selectively and non-covalently with a bradykinin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031712': { - 'name': 'B1 bradykinin receptor binding', - 'def': 'Interacting selectively and non-covalently with a B1 bradykinin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031713': { - 'name': 'B2 bradykinin receptor binding', - 'def': 'Interacting selectively and non-covalently with a B2 bradykinin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031714': { - 'name': 'C5a anaphylatoxin chemotactic receptor binding', - 'def': 'Interacting selectively and non-covalently with a C5a anaphylatoxin chemotactic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031715': { - 'name': 'C5L2 anaphylatoxin chemotactic receptor binding', - 'def': 'Interacting selectively and non-covalently with a C5L2 anaphylatoxin chemotactic receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031716': { - 'name': 'calcitonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a calcitonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031717': { - 'name': 'cannabinoid receptor binding', - 'def': 'Interacting selectively and non-covalently with a cannabinoid receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031718': { - 'name': 'type 1 cannabinoid receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 cannabinoid receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031719': { - 'name': 'type 2 cannabinoid receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 cannabinoid receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031720': { - 'name': 'haptoglobin binding', - 'def': 'Interacting selectively and non-covalently with a haptoglobin, any alpha2 globulin of blood plasma that can combine with free oxyhemoglobin to form a stable complex. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0031721': { - 'name': 'hemoglobin alpha binding', - 'def': 'Interacting selectively and non-covalently with a hemoglobin alpha chain. [GOC:mah]' - }, - 'GO:0031722': { - 'name': 'hemoglobin beta binding', - 'def': 'Interacting selectively and non-covalently with a hemoglobin beta chain. [GOC:mah]' - }, - 'GO:0031723': { - 'name': 'CXCR4 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CXCR4 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031724': { - 'name': 'CXCR5 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CXCR5 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031725': { - 'name': 'CXCR6 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CXCR6 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031726': { - 'name': 'CCR1 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR1 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031727': { - 'name': 'CCR2 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR2 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031728': { - 'name': 'CCR3 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR3 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031729': { - 'name': 'CCR4 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR4 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031730': { - 'name': 'CCR5 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR5 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031731': { - 'name': 'CCR6 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR6 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031732': { - 'name': 'CCR7 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR7 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031733': { - 'name': 'CCR8 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR8 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031734': { - 'name': 'CCR9 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR9 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031735': { - 'name': 'CCR10 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR10 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031736': { - 'name': 'CCR11 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR11 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031737': { - 'name': 'CX3C chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CX3C chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031738': { - 'name': 'XCR1 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a XCR1 chemokine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031739': { - 'name': 'cholecystokinin receptor binding', - 'def': 'Interacting selectively and non-covalently with a cholecystokinin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031740': { - 'name': 'type A cholecystokinin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type A cholecystokinin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031741': { - 'name': 'type B gastrin/cholecystokinin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type B gastrin/cholecystokinin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031745': { - 'name': 'cysteinyl leukotriene receptor binding', - 'def': 'Interacting selectively and non-covalently with a cysteinyl leukotriene receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031746': { - 'name': 'type 1 cysteinyl leukotriene receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 cysteinyl leukotriene receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031747': { - 'name': 'type 2 cysteinyl leukotriene receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 cysteinyl leukotriene receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031748': { - 'name': 'D1 dopamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a D1 dopamine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031749': { - 'name': 'D2 dopamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a D2 dopamine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031750': { - 'name': 'D3 dopamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a D3 dopamine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031751': { - 'name': 'D4 dopamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a D4 dopamine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031752': { - 'name': 'D5 dopamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a D5 dopamine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031753': { - 'name': 'endothelial differentiation G-protein coupled receptor binding', - 'def': 'Interacting selectively and non-covalently with an endothelial differentiation G-protein coupled receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031754': { - 'name': 'Edg-1 sphingosine 1-phosphate receptor binding', - 'def': 'Interacting selectively and non-covalently with an Edg-1 sphingosine 1-phosphate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031755': { - 'name': 'Edg-2 lysophosphatidic acid receptor binding', - 'def': 'Interacting selectively and non-covalently with an Edg-2 lysophosphatidic acid receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031756': { - 'name': 'Edg-3 sphingosine 1-phosphate receptor binding', - 'def': 'Interacting selectively and non-covalently with an Edg-3 sphingosine 1-phosphate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031757': { - 'name': 'Edg-4 lysophosphatidic acid receptor binding', - 'def': 'Interacting selectively and non-covalently with an Edg-4 lysophosphatidic acid receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031758': { - 'name': 'Edg-5 sphingosine 1-phosphate receptor binding', - 'def': 'Interacting selectively and non-covalently with an Edg-5 sphingosine 1-phosphate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031759': { - 'name': 'Edg-6 sphingosine 1-phosphate receptor binding', - 'def': 'Interacting selectively and non-covalently with an Edg-6 sphingosine 1-phosphate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031760': { - 'name': 'Edg-7 lysophosphatidic acid receptor binding', - 'def': 'Interacting selectively and non-covalently with an Edg-7 lysophosphatidic acid receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031761': { - 'name': 'fMet-Leu-Phe receptor binding', - 'def': 'Interacting selectively and non-covalently with a fMet-Leu-Phe receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031762': { - 'name': 'follicle-stimulating hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a follicle-stimulating hormone receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031763': { - 'name': 'galanin receptor binding', - 'def': 'Interacting selectively and non-covalently with a galanin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031764': { - 'name': 'type 1 galanin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 galanin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031765': { - 'name': 'type 2 galanin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 galanin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031766': { - 'name': 'type 3 galanin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 3 galanin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031767': { - 'name': 'gastric inhibitory polypeptide receptor binding', - 'def': 'Interacting selectively and non-covalently with a gastric inhibitory polypeptide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031768': { - 'name': 'ghrelin receptor binding', - 'def': 'Interacting selectively and non-covalently with a ghrelin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031769': { - 'name': 'glucagon receptor binding', - 'def': 'Interacting selectively and non-covalently with a glucagon receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031770': { - 'name': 'growth hormone-releasing hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a growth hormone-releasing hormone receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031771': { - 'name': 'type 1 hypocretin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 hypocretin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031772': { - 'name': 'type 2 hypocretin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 hypocretin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031773': { - 'name': 'kisspeptin receptor binding', - 'def': 'Interacting selectively and non-covalently with a kisspeptin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031774': { - 'name': 'leukotriene receptor binding', - 'def': 'Interacting selectively and non-covalently with a leukotriene receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031775': { - 'name': 'lutropin-choriogonadotropic hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a lutropin-choriogonadotropic hormone receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031776': { - 'name': 'melanin-concentrating hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a melanin-concentrating hormone receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031777': { - 'name': 'type 1 melanin-concentrating hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 melanin-concentrating hormone receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031778': { - 'name': 'type 2 melanin-concentrating hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 melanin-concentrating hormone receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031779': { - 'name': 'melanocortin receptor binding', - 'def': 'Interacting selectively and non-covalently with a melanocortin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031780': { - 'name': 'corticotropin hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a corticotropin hormone receptor. [GOC:dph, GOC:mah, GOC:nln]' - }, - 'GO:0031781': { - 'name': 'type 3 melanocortin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 3 melanocortin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031782': { - 'name': 'type 4 melanocortin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 4 melanocortin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031783': { - 'name': 'type 5 melanocortin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 5 melanocortin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031784': { - 'name': 'melatonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a melatonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031785': { - 'name': 'type 1A melatonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1A melatonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031786': { - 'name': 'type 1B melatonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1B melatonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031787': { - 'name': 'H9 melatonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a H9 melatonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031788': { - 'name': 'motilin receptor binding', - 'def': 'Interacting selectively and non-covalently with a motilin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031789': { - 'name': 'G-protein coupled acetylcholine receptor binding', - 'def': 'Interacting selectively and non-covalently with a G-protein coupled acetylcholine receptor. [GOC:bf, GOC:mah, GOC:nln]' - }, - 'GO:0031795': { - 'name': 'G-protein coupled GABA receptor binding', - 'def': 'Interacting selectively and non-covalently with a G-protein coupled (metabotropic) GABA receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031796': { - 'name': 'type 1 metabotropic GABA receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 metabotropic GABA receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031797': { - 'name': 'type 2 metabotropic GABA receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 metabotropic GABA receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031798': { - 'name': 'type 1 metabotropic glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 metabotropic glutamate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031799': { - 'name': 'type 2 metabotropic glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 metabotropic glutamate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031800': { - 'name': 'type 3 metabotropic glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 3 metabotropic glutamate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031801': { - 'name': 'type 4 metabotropic glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 4 metabotropic glutamate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031802': { - 'name': 'type 5 metabotropic glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 5 metabotropic glutamate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031803': { - 'name': 'type 6 metabotropic glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 6 metabotropic glutamate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031804': { - 'name': 'type 7 metabotropic glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 7 metabotropic glutamate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031805': { - 'name': 'type 8 metabotropic glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 8 metabotropic glutamate receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031806': { - 'name': 'G-protein coupled histamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a G-protein coupled (metabotropic) histamine receptor. [GOC:mah, GOC:nln, PMID:12679144]' - }, - 'GO:0031807': { - 'name': 'H1 histamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a H1 histamine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031808': { - 'name': 'H2 histamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a H2 histamine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031809': { - 'name': 'H3 histamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a H3 histamine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031810': { - 'name': 'H4 histamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a H4 histamine receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031811': { - 'name': 'G-protein coupled nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a G-protein coupled (metabotropic) nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031812': { - 'name': 'P2Y1 nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a P2Y1 nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031813': { - 'name': 'P2Y2 nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a P2Y2 nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031814': { - 'name': 'P2Y4 nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a P2Y4 nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031815': { - 'name': 'P2Y5 nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a P2Y5 nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031816': { - 'name': 'P2Y6 nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a P2Y6 nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031817': { - 'name': 'P2Y8 nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a P2Y8 nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031818': { - 'name': 'P2Y9 nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a P2Y9 nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031819': { - 'name': 'P2Y10 nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a P2Y10 nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031820': { - 'name': 'P2Y11 nucleotide receptor binding', - 'def': 'Interacting selectively and non-covalently with a P2Y11 nucleotide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031821': { - 'name': 'G-protein coupled serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a metabotropic serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031822': { - 'name': 'type 1B serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1B serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031823': { - 'name': 'type 1D serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1D serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031824': { - 'name': 'type 1E serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1E serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031825': { - 'name': 'type 1F serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1F serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031826': { - 'name': 'type 2A serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2A serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031827': { - 'name': 'type 2B serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2B serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031828': { - 'name': 'type 2C serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2C serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031829': { - 'name': 'type 4 serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 4 serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031830': { - 'name': 'type 5A serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 5A serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031831': { - 'name': 'type 5B serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 5B serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031832': { - 'name': 'type 6 serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 6 serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031833': { - 'name': 'type 7 serotonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 7 serotonin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031834': { - 'name': 'neurokinin receptor binding', - 'def': 'Interacting selectively and non-covalently with a neurokinin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031835': { - 'name': 'substance P receptor binding', - 'def': 'Interacting selectively and non-covalently with a substance P receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031836': { - 'name': 'neuromedin K receptor binding', - 'def': 'Interacting selectively and non-covalently with a neuromedin K receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031837': { - 'name': 'substance K receptor binding', - 'def': 'Interacting selectively and non-covalently with a substance K receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031838': { - 'name': 'haptoglobin-hemoglobin complex', - 'def': 'A protein complex formed by the stable binding of a haptoglobin to hemoglobin. [GOC:mah]' - }, - 'GO:0031839': { - 'name': 'type 1 neuromedin U receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 neuromedin U receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031840': { - 'name': 'type 2 neuromedin U receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 neuromedin U receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031841': { - 'name': 'neuropeptide Y receptor binding', - 'def': 'Interacting selectively and non-covalently with a neuropeptide Y receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031842': { - 'name': 'type 1 neuropeptide Y receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 neuropeptide Y receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031843': { - 'name': 'type 2 neuropeptide Y receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 neuropeptide Y receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031844': { - 'name': 'type 4 neuropeptide Y receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 4 neuropeptide Y receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031845': { - 'name': 'type 5 neuropeptide Y receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 5 neuropeptide Y receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031846': { - 'name': 'neurotensin receptor binding', - 'def': 'Interacting selectively and non-covalently with a neurotensin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031847': { - 'name': 'type 1 neurotensin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 neurotensin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031848': { - 'name': 'protection from non-homologous end joining at telomere', - 'def': 'A process that prevents non-homologous end joining at telomere, thereby ensuring that telomeres do not fuse. [GOC:mah]' - }, - 'GO:0031849': { - 'name': 'olfactory receptor binding', - 'def': 'Interacting selectively and non-covalently with an olfactory receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031850': { - 'name': 'delta-type opioid receptor binding', - 'def': 'Interacting selectively and non-covalently with a delta-type opioid receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031851': { - 'name': 'kappa-type opioid receptor binding', - 'def': 'Interacting selectively and non-covalently with a kappa-type opioid receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031852': { - 'name': 'mu-type opioid receptor binding', - 'def': 'Interacting selectively and non-covalently with a mu-type opioid receptor. [GOC:mah, GOC:nln, GOC:sl]' - }, - 'GO:0031853': { - 'name': 'nociceptin receptor binding', - 'def': 'Interacting selectively and non-covalently with a nociceptin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031854': { - 'name': 'orexigenic neuropeptide QRFP receptor binding', - 'def': 'Interacting selectively and non-covalently with an orexigenic neuropeptide QRFP receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031855': { - 'name': 'oxytocin receptor binding', - 'def': 'Interacting selectively and non-covalently with an oxytocin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031856': { - 'name': 'parathyroid hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a parathyroid hormone receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031857': { - 'name': 'type 1 parathyroid hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 parathyroid hormone receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031858': { - 'name': 'pituitary adenylate cyclase-activating polypeptide receptor binding', - 'def': 'Interacting selectively and non-covalently with a pituitary adenylate cyclase-activating polypeptide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031859': { - 'name': 'platelet activating factor receptor binding', - 'def': 'Interacting selectively and non-covalently with a platelet activating factor receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031860': { - 'name': "telomeric 3' overhang formation", - 'def': "The formation of the single stranded telomeric 3' overhang, a conserved feature that ranges in length from 12 nt in budding yeast to approximately 500 nt in humans. [PMID:16096639]" - }, - 'GO:0031861': { - 'name': 'prolactin-releasing peptide receptor binding', - 'def': 'Interacting selectively and non-covalently with a prolactin-releasing peptide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031862': { - 'name': 'prostanoid receptor binding', - 'def': 'Interacting selectively and non-covalently with a prostanoid receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031863': { - 'name': 'prostaglandin D2 receptor binding', - 'def': 'Interacting selectively and non-covalently with a prostaglandin D2 receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031864': { - 'name': 'EP1 subtype prostaglandin E2 receptor binding', - 'def': 'Interacting selectively and non-covalently with an EP1 subtype prostaglandin E2 receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031865': { - 'name': 'EP2 subtype prostaglandin E2 receptor binding', - 'def': 'Interacting selectively and non-covalently with an EP2 subtype prostaglandin E2 receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031866': { - 'name': 'EP3 subtype prostaglandin E2 receptor binding', - 'def': 'Interacting selectively and non-covalently with an EP3 subtype prostaglandin E2 receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031867': { - 'name': 'EP4 subtype prostaglandin E2 receptor binding', - 'def': 'Interacting selectively and non-covalently with an EP4 subtype prostaglandin E2 receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031868': { - 'name': 'prostaglandin F2-alpha receptor binding', - 'def': 'Interacting selectively and non-covalently with a prostaglandin F2-alpha receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031869': { - 'name': 'prostacyclin receptor binding', - 'def': 'Interacting selectively and non-covalently with a prostacyclin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031870': { - 'name': 'thromboxane A2 receptor binding', - 'def': 'Interacting selectively and non-covalently with a thromboxane A2 receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031871': { - 'name': 'proteinase activated receptor binding', - 'def': 'Interacting selectively and non-covalently with a proteinase activated receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031872': { - 'name': 'type 1 proteinase activated receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 proteinase activated receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031873': { - 'name': 'type 2 proteinase activated receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 proteinase activated receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031874': { - 'name': 'type 3 proteinase activated receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 3 proteinase activated receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031875': { - 'name': 'type 4 proteinase activated receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 4 proteinase activated receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031876': { - 'name': 'secretin receptor binding', - 'def': 'Interacting selectively and non-covalently with a secretin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031877': { - 'name': 'somatostatin receptor binding', - 'def': 'Interacting selectively and non-covalently with a somatostatin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031878': { - 'name': 'type 1 somatostatin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 somatostatin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031879': { - 'name': 'type 2 somatostatin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 somatostatin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031880': { - 'name': 'type 3 somatostatin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 3 somatostatin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031881': { - 'name': 'type 4 somatostatin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 4 somatostatin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031882': { - 'name': 'type 5 somatostatin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 5 somatostatin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031883': { - 'name': 'taste receptor binding', - 'def': 'Interacting selectively and non-covalently with a taste receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031884': { - 'name': 'type 1 member 1 taste receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 member 1 taste receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031885': { - 'name': 'type 1 member 2 taste receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 member 2 taste receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031886': { - 'name': 'type 1 member 3 taste receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 member 3 taste receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031887': { - 'name': 'lipid particle transport along microtubule', - 'def': 'The directed movement of a lipid particle along a microtubule, mediated by motor proteins. [PMID:9491895]' - }, - 'GO:0031889': { - 'name': 'urotensin receptor binding', - 'def': 'Interacting selectively and non-covalently with a urotensin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031890': { - 'name': 'vasoactive intestinal polypeptide receptor binding', - 'def': 'Interacting selectively and non-covalently with a vasoactive intestinal polypeptide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031891': { - 'name': 'type 1 vasoactive intestinal polypeptide receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 vasoactive intestinal polypeptide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031892': { - 'name': 'type 2 vasoactive intestinal polypeptide receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 2 vasoactive intestinal polypeptide receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031893': { - 'name': 'vasopressin receptor binding', - 'def': 'Interacting selectively and non-covalently with a vasopressin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031894': { - 'name': 'V1A vasopressin receptor binding', - 'def': 'Interacting selectively and non-covalently with a V1A vasopressin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031895': { - 'name': 'V1B vasopressin receptor binding', - 'def': 'Interacting selectively and non-covalently with a V1B vasopressin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031896': { - 'name': 'V2 vasopressin receptor binding', - 'def': 'Interacting selectively and non-covalently with a V2 vasopressin receptor. [GOC:mah, GOC:nln]' - }, - 'GO:0031897': { - 'name': 'Tic complex', - 'def': 'The translocon of the inner envelope of chloroplasts, which facilitates the import of proteins across the chloroplast inner membrane. [PMID:12180471, PMID:12393016]' - }, - 'GO:0031898': { - 'name': 'chromoplast envelope', - 'def': 'The double lipid bilayer enclosing the chromoplast and separating its contents from the rest of the cytoplasm; includes the intermembrane space. [GOC:pz]' - }, - 'GO:0031899': { - 'name': 'chromoplast inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of the chromoplast envelope; also faces the chromoplast stroma. [GOC:pz]' - }, - 'GO:0031900': { - 'name': 'chromoplast outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing, lipid bilayer of the chromoplast envelope. [GOC:pz]' - }, - 'GO:0031901': { - 'name': 'early endosome membrane', - 'def': 'The lipid bilayer surrounding an early endosome. [GOC:pz]' - }, - 'GO:0031902': { - 'name': 'late endosome membrane', - 'def': 'The lipid bilayer surrounding a late endosome. [GOC:pz]' - }, - 'GO:0031903': { - 'name': 'microbody membrane', - 'def': 'The lipid bilayer surrounding a microbody. [GOC:mah]' - }, - 'GO:0031904': { - 'name': 'endosome lumen', - 'def': 'The volume enclosed by the membrane of an endosome. [GOC:mah]' - }, - 'GO:0031905': { - 'name': 'early endosome lumen', - 'def': 'The volume enclosed by the membrane of an early endosome. [GOC:mah]' - }, - 'GO:0031906': { - 'name': 'late endosome lumen', - 'def': 'The volume enclosed by the membrane of a late endosome. [GOC:mah]' - }, - 'GO:0031907': { - 'name': 'microbody lumen', - 'def': 'The volume enclosed by the membranes of a microbody. [GOC:mah]' - }, - 'GO:0031908': { - 'name': 'glyoxysomal lumen', - 'def': 'The volume enclosed by the membranes of a glyoxysome. [GOC:mah]' - }, - 'GO:0031910': { - 'name': 'cytostome', - 'def': 'Stable, specialized structure for the ingestion of food by the cell into phagosomes. [PMID:10503189]' - }, - 'GO:0031911': { - 'name': 'cytoproct', - 'def': 'Stable, specialized structure for extrusion of waste by the cell into the surrounding medium. [PMID:10503189]' - }, - 'GO:0031912': { - 'name': 'oral apparatus', - 'def': 'Complex basket- or funnel-like structure used by the cell to collect food and channel it to the cytostome; includes specialized sub-structures made up of closely-spaced cilia and underlying basal bodies and fibrillar systems. [PMID:10503189]' - }, - 'GO:0031913': { - 'name': 'contractile vacuole pore', - 'def': 'Stable structure that regulates the flow of liquid between the contractile vacuole and the surrounding medium. [PMID:10503189]' - }, - 'GO:0031914': { - 'name': 'negative regulation of synaptic plasticity', - 'def': 'A process that decreases synaptic plasticity, the ability of synapses to change as circumstances require. They may alter function, such as increasing or decreasing their sensitivity, or they may increase or decrease in actual numbers. [GOC:mah]' - }, - 'GO:0031915': { - 'name': 'positive regulation of synaptic plasticity', - 'def': 'A process that increases synaptic plasticity, the ability of synapses to change as circumstances require. They may alter function, such as increasing or decreasing their sensitivity, or they may increase or decrease in actual numbers. [GOC:mah]' - }, - 'GO:0031916': { - 'name': 'regulation of synaptic metaplasticity', - 'def': 'A process that modulates synaptic metaplasticity. Metaplasticity is a higher-order form of plasticity and is manifest as a change in the ability to induce subsequent synaptic plasticity that is the ability of synapses to change as circumstances require. [GOC:mah, PMID:8658594]' - }, - 'GO:0031917': { - 'name': 'negative regulation of synaptic metaplasticity', - 'def': 'A process that decreases synaptic metaplasticity. Metaplasticity is a higher-order form of plasticity and is manifest as a change in the ability to induce subsequent synaptic plasticity that is the ability of synapses to change as circumstances require. [GOC:mah, PMID:8658594]' - }, - 'GO:0031918': { - 'name': 'positive regulation of synaptic metaplasticity', - 'def': 'A process that increases synaptic metaplasticity. Metaplasticity is a higher-order form of plasticity and is manifest as a change in the ability to induce subsequent synaptic plasticity that is the ability of synapses to change as circumstances require. [GOC:mah, PMID:8658594]' - }, - 'GO:0031919': { - 'name': 'vitamin B6 transport', - 'def': 'The directed movement of any of the vitamin B6 compounds -- pyridoxal, pyridoxamine and pyridoxine and the active form, pyridoxal phosphate -- into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0031920': { - 'name': 'pyridoxal transport', - 'def': 'The directed movement of pyridoxal into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Pyridoxal, 3-hydroxy-5-(hydroxymethyl)-2-methyl-4-pyridinecarboxaldehyde, is one of the vitamin B6 compounds. Pyridoxal, pyridoxamine and pyridoxine are collectively known as vitamin B6, and are efficiently converted to the biologically active form of vitamin B6, pyridoxal phosphate. [GOC:mah]' - }, - 'GO:0031921': { - 'name': 'pyridoxal phosphate transport', - 'def': 'The directed movement of pyridoxal phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore; pyridoxal phosphate is pyridoxal phosphorylated at the hydroxymethyl group of C-5, and is the active form of vitamin B6. [GOC:mah]' - }, - 'GO:0031922': { - 'name': 'pyridoxamine transport', - 'def': 'The directed movement of pyridoxamine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Pyridoxamine, 4-(aminomethyl)-5-(hydroxymethyl)-2-methylpyridin-3-ol, is one of the vitamin B6 compounds. Pyridoxal, pyridoxamine and pyridoxine are collectively known as vitamin B6, and are efficiently converted to the biologically active form of vitamin B6, pyridoxal phosphate. [GOC:mah]' - }, - 'GO:0031923': { - 'name': 'pyridoxine transport', - 'def': 'The directed movement of pyridoxine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Pyridoxine, 2-methyl-3-hydroxy-4,5-bis(hydroxymethyl)pyridine, is one of the vitamin B6 compounds. Pyridoxal, pyridoxamine and pyridoxine are collectively known as vitamin B6, and are efficiently converted to the biologically active form of vitamin B6, pyridoxal phosphate. [GOC:mah]' - }, - 'GO:0031924': { - 'name': 'vitamin B6 transporter activity', - 'def': 'Enables the directed movement of any of the vitamin B6 compounds -- pyridoxal, pyridoxamine and pyridoxine and the active form, pyridoxal phosphate -- into, out of or within a cell, or between cells. [GOC:mah]' - }, - 'GO:0031925': { - 'name': 'pyridoxal transmembrane transporter activity', - 'def': 'Enables the directed movement of pyridoxal across a membrane into, out of or within a cell, or between cells. Pyridoxal, 3-hydroxy-5-(hydroxymethyl)-2-methyl-4-pyridinecarboxaldehyde, is one of the vitamin B6 compounds. Pyridoxal, pyridoxamine and pyridoxine are collectively known as vitamin B6, and are efficiently converted to the biologically active form of vitamin B6, pyridoxal phosphate. [GOC:mah]' - }, - 'GO:0031926': { - 'name': 'pyridoxal phosphate transmembrane transporter activity', - 'def': 'Enables the directed movement of pyridoxal phosphate into, out of or within a cell, or between cells; pyridoxal phosphate is pyridoxal phosphorylated at the hydroxymethyl group of C-5, and is the active form of vitamin B6. [GOC:mah]' - }, - 'GO:0031927': { - 'name': 'pyridoxamine transmembrane transporter activity', - 'def': 'Enables the directed movement of pyridoxamine into, out of or within a cell, or between cells. Pyridoxamine, 4-(aminomethyl)-5-(hydroxymethyl)-2-methylpyridin-3-ol, is one of the vitamin B6 compounds. Pyridoxal, pyridoxamine and pyridoxine are collectively known as vitamin B6, and are efficiently converted to the biologically active form of vitamin B6, pyridoxal phosphate. [GOC:mah]' - }, - 'GO:0031928': { - 'name': 'pyridoxine transmembrane transporter activity', - 'def': 'Enables the directed movement of pyridoxine across a membrane into, out of or within a cell, or between cells. Pyridoxine, 2-methyl-3-hydroxy-4,5-bis(hydroxymethyl)pyridine, is one of the vitamin B6 compounds. Pyridoxal, pyridoxamine and pyridoxine are collectively known as vitamin B6, and are efficiently converted to the biologically active form of vitamin B6, pyridoxal phosphate. [GOC:mah]' - }, - 'GO:0031929': { - 'name': 'TOR signaling', - 'def': 'A series of molecular signals mediated by TOR (Target of rapamycin) proteins, members of the phosphoinositide (PI) 3-kinase related kinase (PIKK) family that act as serine/threonine kinases in response to nutrient availability or growth factors. [PMID:12372295]' - }, - 'GO:0031930': { - 'name': 'mitochondria-nucleus signaling pathway', - 'def': 'A series of molecular signals that forms a pathway of communication from the mitochondria to the nucleus and initiates cellular changes in response to changes in mitochondrial function. [GOC:jh, PMID:15068799]' - }, - 'GO:0031931': { - 'name': 'TORC1 complex', - 'def': 'A protein complex that contains at least TOR (target of rapamycin) and Raptor (regulatory-associated protein of TOR), or orthologs of, in complex with other signaling components. Mediates the phosphorylation and activation of S6K. In Saccharomyces, the complex contains Kog1p, Lst8p, Tco89p, and either Tor1p or Tor2p. [GOC:jh, PMID:15780592, PMID:16469695, PMID:21548787]' - }, - 'GO:0031932': { - 'name': 'TORC2 complex', - 'def': 'A protein complex that contains at least TOR (target of rapamycin) and Rictor (rapamycin-insensitive companion of TOR), or orthologs of, in complex with other signaling components. Mediates the phosphorylation and activation of PKB (also called AKT). In Saccharomyces, the complex contains Avo1p, Avo2p, Tsc11p, Lst8p, Bit61p, Slm1p, Slm2p, and Tor2p. [GOC:bf, GOC:jh, PMID:14736892, PMID:15780592, PMID:16469695, PMID:21548787]' - }, - 'GO:0031933': { - 'name': 'telomeric heterochromatin', - 'def': 'Heterochromatic regions of the chromosome found at the telomeres. [GOC:mah]' - }, - 'GO:0031934': { - 'name': 'mating-type region heterochromatin', - 'def': 'Heterochromatic regions of the chromosome found at silenced mating-type loci. [GOC:mah]' - }, - 'GO:0031935': { - 'name': 'regulation of chromatin silencing', - 'def': 'Any process that affects the rate, extent or location of chromatin silencing. [GOC:mah]' - }, - 'GO:0031936': { - 'name': 'negative regulation of chromatin silencing', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of chromatin silencing. [GOC:mah]' - }, - 'GO:0031937': { - 'name': 'positive regulation of chromatin silencing', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromatin silencing. [GOC:mah]' - }, - 'GO:0031938': { - 'name': 'regulation of chromatin silencing at telomere', - 'def': 'Any process that affects the rate, extent or location of chromatin silencing at telomeres. [GOC:mah]' - }, - 'GO:0031939': { - 'name': 'negative regulation of chromatin silencing at telomere', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of chromatin silencing at telomeres. [GOC:mah]' - }, - 'GO:0031940': { - 'name': 'positive regulation of chromatin silencing at telomere', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromatin silencing at telomeres. [GOC:mah]' - }, - 'GO:0031941': { - 'name': 'filamentous actin', - 'def': 'A two-stranded helical polymer of the protein actin. [GOC:mah]' - }, - 'GO:0031942': { - 'name': 'i-AAA complex', - 'def': 'Protease complex of the mitochondrial inner membrane whose catalytic residues lie on the intermembrane space side of the inner membrane; involved in mitochondrial protein turnover. Contains a subunit belonging to the AAA family of ATP-dependent metalloproteases. [PMID:16247555, PMID:16267274]' - }, - 'GO:0031943': { - 'name': 'regulation of glucocorticoid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving glucocorticoids. [GOC:mah]' - }, - 'GO:0031944': { - 'name': 'negative regulation of glucocorticoid metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving glucocorticoids. [GOC:mah]' - }, - 'GO:0031945': { - 'name': 'positive regulation of glucocorticoid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving glucocorticoids. [GOC:mah]' - }, - 'GO:0031946': { - 'name': 'regulation of glucocorticoid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glucocorticoids. [GOC:mah]' - }, - 'GO:0031947': { - 'name': 'negative regulation of glucocorticoid biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glucocorticoids. [GOC:mah]' - }, - 'GO:0031948': { - 'name': 'positive regulation of glucocorticoid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glucocorticoids. [GOC:mah]' - }, - 'GO:0031949': { - 'name': 'regulation of glucocorticoid catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of glucocorticoids. [GOC:mah]' - }, - 'GO:0031950': { - 'name': 'negative regulation of glucocorticoid catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of glucocorticoids. [GOC:mah]' - }, - 'GO:0031951': { - 'name': 'positive regulation of glucocorticoid catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of glucocorticoids. [GOC:mah]' - }, - 'GO:0031952': { - 'name': 'regulation of protein autophosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of addition of the phosphorylation by a protein of one or more of its own residues. [GOC:mah]' - }, - 'GO:0031953': { - 'name': 'negative regulation of protein autophosphorylation', - 'def': 'Any process that stops, prevents or decreases the rate of the phosphorylation by a protein of one or more of its own residues. [GOC:mah]' - }, - 'GO:0031954': { - 'name': 'positive regulation of protein autophosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the phosphorylation by a protein of one or more of its own residues. [GOC:mah]' - }, - 'GO:0031955': { - 'name': 'short-chain fatty acid-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + a short-chain carboxylic acid + CoA = AMP + diphosphate + an acyl-CoA; short-chain fatty acids are fatty acids with a chain length of less than C6. [CHEBI:26666, EC:6.2.1.3, GOC:mah]' - }, - 'GO:0031956': { - 'name': 'medium-chain fatty acid-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + a medium-chain carboxylic acid + CoA = AMP + diphosphate + an acyl-CoA; a medium-chain fatty acid is any fatty acid with a chain length of between C6 and C12. [CHEBI:59554, EC:6.2.1.3, GOC:mah]' - }, - 'GO:0031957': { - 'name': 'very long-chain fatty acid-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + a very-long-chain carboxylic acid + CoA = AMP + diphosphate + an acyl-CoA; a very long-chain fatty acid is a fatty acid which has a chain length greater than C22. [CHEBI:27283, EC:6.2.1.3, GOC:mah]' - }, - 'GO:0031958': { - 'name': 'corticosteroid receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of a corticosteroid binding to its receptor. [GOC:mah, PMID:11027914, PMID:12606724]' - }, - 'GO:0031959': { - 'name': 'mineralocorticoid receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of a mineralocorticoid binding to its receptor. [GOC:mah, PMID:11027914, PMID:12606724]' - }, - 'GO:0031960': { - 'name': 'response to corticosteroid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a corticosteroid hormone stimulus. A corticosteroid is a steroid hormone that is produced in the adrenal cortex. Corticosteroids are involved in a wide range of physiologic systems such as stress response, immune response and regulation of inflammation, carbohydrate metabolism, protein catabolism, blood electrolyte levels, and behavior. They include glucocorticoids and mineralocorticoids. [GOC:mah, PMID:11027914]' - }, - 'GO:0031961': { - 'name': 'cortisol receptor binding', - 'def': 'Interacting selectively and non-covalently with a cortisol receptor. [GOC:mah, PMID:12511169]' - }, - 'GO:0031962': { - 'name': 'mineralocorticoid receptor binding', - 'def': 'Interacting selectively and non-covalently with a mineralocorticoid receptor. [GOC:mah, PMID:12511169]' - }, - 'GO:0031963': { - 'name': 'cortisol receptor activity', - 'def': 'Combining with cortisol and transmitting the signal within the cell to trigger a change in cell activity or function. [GOC:mah, PMID:12511169]' - }, - 'GO:0031964': { - 'name': 'beta-alanyl-histamine hydrolase activity', - 'def': 'Catalysis of the reaction: N-beta-alanyl histamine + H2O = histamine + beta-alanine. [GOC:rc, PMID:16299587]' - }, - 'GO:0031965': { - 'name': 'nuclear membrane', - 'def': 'Either of the lipid bilayers that surround the nucleus and form the nuclear envelope; excludes the intermembrane space. [GOC:mah, GOC:pz]' - }, - 'GO:0031966': { - 'name': 'mitochondrial membrane', - 'def': 'Either of the lipid bilayers that surround the mitochondrion and form the mitochondrial envelope. [GOC:mah, NIF_Subcellular:sao1045389829]' - }, - 'GO:0031967': { - 'name': 'organelle envelope', - 'def': 'A double membrane structure enclosing an organelle, including two lipid bilayers and the region between them. In some cases, an organelle envelope may have more than two membranes. [GOC:mah, GOC:pz]' - }, - 'GO:0031968': { - 'name': 'organelle outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing in a cellular organelle, lipid bilayer of an organelle envelope. [GOC:mah]' - }, - 'GO:0031969': { - 'name': 'chloroplast membrane', - 'def': 'Either of the lipid bilayers that surround a chloroplast and form the chloroplast envelope. [GOC:mah, GOC:pz]' - }, - 'GO:0031970': { - 'name': 'organelle envelope lumen', - 'def': 'The region between the inner and outer lipid bilayers of an organelle envelope. [GOC:mah]' - }, - 'GO:0031972': { - 'name': 'chloroplast intermembrane space', - 'def': 'The region between the inner and outer lipid bilayers of a chloroplast envelope. [GOC:mah]' - }, - 'GO:0031973': { - 'name': 'chromoplast intermembrane space', - 'def': 'The region between the inner and outer lipid bilayers of a chromoplast envelope. [GOC:mah]' - }, - 'GO:0031974': { - 'name': 'membrane-enclosed lumen', - 'def': 'The enclosed volume within a sealed membrane or between two sealed membranes. Encompasses the volume enclosed by the membranes of a particular organelle, e.g. endoplasmic reticulum lumen, or the space between the two lipid bilayers of a double membrane surrounding an organelle, e.g. nuclear envelope lumen. [GOC:add, GOC:mah]' - }, - 'GO:0031975': { - 'name': 'envelope', - 'def': 'A multilayered structure surrounding all or part of a cell; encompasses one or more lipid bilayers, and may include a cell wall layer; also includes the space between layers. [GOC:mah, GOC:pz]' - }, - 'GO:0031976': { - 'name': 'plastid thylakoid', - 'def': 'Any thylakoid within a plastid. [GOC:pz]' - }, - 'GO:0031977': { - 'name': 'thylakoid lumen', - 'def': 'The volume enclosed by a thylakoid membrane. [GOC:mah, GOC:pz]' - }, - 'GO:0031978': { - 'name': 'plastid thylakoid lumen', - 'def': 'The volume enclosed by a plastid thylakoid membrane. [GOC:mah]' - }, - 'GO:0031979': { - 'name': 'plasma membrane-derived thylakoid lumen', - 'def': 'The volume enclosed by a plasma membrane-derived thylakoid. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0031981': { - 'name': 'nuclear lumen', - 'def': 'The volume enclosed by the nuclear inner membrane. [GOC:mah, GOC:pz]' - }, - 'GO:0031982': { - 'name': 'vesicle', - 'def': 'Any small, fluid-filled, spherical organelle enclosed by membrane. [GOC:mah, GOC:pz, GOC:vesicles]' - }, - 'GO:0031983': { - 'name': 'vesicle lumen', - 'def': 'The volume enclosed by the membrane or protein that forms a vesicle. [GOC:mah, GOC:vesicles]' - }, - 'GO:0031984': { - 'name': 'organelle subcompartment', - 'def': 'A compartment that consists of a lumen and an enclosing membrane, and is part of an organelle. [GOC:mah, GOC:pz]' - }, - 'GO:0031985': { - 'name': 'Golgi cisterna', - 'def': 'Any of the thin, flattened membrane-bounded compartments that form the central portion of the Golgi complex. [GOC:mah]' - }, - 'GO:0031986': { - 'name': 'proteinoplast', - 'def': 'A leucoplast in which protein is stored. [GOC:pz]' - }, - 'GO:0031987': { - 'name': 'locomotion involved in locomotory behavior', - 'def': 'Self-propelled movement of a cell or organism from one location to another in a behavioral context; the aspect of locomotory behavior having to do with movement. [GOC:mah]' - }, - 'GO:0031989': { - 'name': 'bombesin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a bombesin receptor binding to one of its physiological ligands. [GOC:mah]' - }, - 'GO:0031990': { - 'name': 'mRNA export from nucleus in response to heat stress', - 'def': 'The directed movement of mRNA from the nucleus to the cytoplasm during a heat stimulus, a temperature stimulus above the optimal temperature for the organism; in particular, a process that enables an organism withstand exposure to temperatures that would otherwise lethally impair poly(A)+ mRNA-nucleus export. [GOC:mah, GOC:vw]' - }, - 'GO:0031991': { - 'name': 'regulation of actomyosin contractile ring contraction', - 'def': 'Any process that modulates the frequency, rate or extent of contraction of the actomyosin ring involved in cytokinesis that takes place as part of a cell cycle. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0031992': { - 'name': 'energy transducer activity', - 'def': 'The biological transducer activity that accepts energy and converts it to another form, often by transfer to another molecule within the cell. [GOC:go_curators]' - }, - 'GO:0031993': { - 'name': 'light transducer activity', - 'def': 'Absorbing energy from one or more photons and transferring their energy to another molecule, usually a protein, within the cell. [GOC:mah, GOC:mlg]' - }, - 'GO:0031994': { - 'name': 'insulin-like growth factor I binding', - 'def': 'Interacting selectively and non-covalently with insulin-like growth factor I. [GOC:mah]' - }, - 'GO:0031995': { - 'name': 'insulin-like growth factor II binding', - 'def': 'Interacting selectively and non-covalently with insulin-like growth factor II. [GOC:mah]' - }, - 'GO:0031996': { - 'name': 'thioesterase binding', - 'def': 'Interacting selectively and non-covalently with any thioesterase enzyme. [GOC:dl]' - }, - 'GO:0031997': { - 'name': 'N-terminal myristoylation domain binding', - 'def': 'Interacting selectively and non-covalently with the N-terminus of a protein that has the potential to be, or has been, modified by N-terminal myristoylation. Binding affinity is typically altered by myristoylation; for example, N-terminal myristoylation of HIV Nef increases its affinity for calmodulin. [GOC:dl, GOC:jsg, PMID:15632291]' - }, - 'GO:0031998': { - 'name': 'regulation of fatty acid beta-oxidation', - 'def': 'Any process that modulates the frequency, rate or extent of fatty acid bbeta-oxidation. [GOC:mah]' - }, - 'GO:0031999': { - 'name': 'negative regulation of fatty acid beta-oxidation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of fatty acid beta-oxidation. [GOC:mah]' - }, - 'GO:0032000': { - 'name': 'positive regulation of fatty acid beta-oxidation', - 'def': 'Any process that activates or increases the frequency, rate or extent of fatty acid beta-oxidation. [GOC:mah]' - }, - 'GO:0032001': { - 'name': '1,4-alpha-glucan 6-alpha-glucosyltransferase activity', - 'def': 'Catalysis of the transfer an alpha-D-glucosyl residue in a (1->4)-alpha-D-glucan to the primary hydroxy group of glucose, free or combined in a (1->4)-alpha-D-glucan. [EC:2.4.1.24]' - }, - 'GO:0032002': { - 'name': 'interleukin-28 receptor complex', - 'def': 'A protein complex that binds interleukin-28 and interleukin-29. It is composed of an alpha and a beta receptor subunit (in human IFNLR1/IL28Ralpha & IL10RB) and either Interleukin-28 (IFNL2 or IFNL3) or Interleukin-29 (IFNL1). [GOC:rph]' - }, - 'GO:0032003': { - 'name': 'interleukin-28 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-28 receptor. [GOC:rph]' - }, - 'GO:0032005': { - 'name': 'signal transduction involved in conjugation with cellular fusion', - 'def': 'The series of molecular signals that bring about the relay, amplification or dampening of a signal generated in response to a cue, such as starvation or pheromone exposure, in organisms that undergo conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0032006': { - 'name': 'regulation of TOR signaling', - 'def': 'Any process that modulates the frequency, rate or extent of TOR signaling. [GOC:mah]' - }, - 'GO:0032007': { - 'name': 'negative regulation of TOR signaling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of TOR signaling. [GOC:mah]' - }, - 'GO:0032008': { - 'name': 'positive regulation of TOR signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of TOR signaling. [GOC:mah]' - }, - 'GO:0032009': { - 'name': 'early phagosome', - 'def': 'A membrane-bounded intracellular vesicle as initially formed upon the ingestion of particulate material by phagocytosis. [GOC:mah, PMID:12388753]' - }, - 'GO:0032010': { - 'name': 'phagolysosome', - 'def': 'A membrane-bounded intracellular vesicle formed by maturation of an early phagosome following the ingestion of particulate material by phagocytosis; during maturation, phagosomes acquire markers of late endosomes and lysosomes. [GOC:mah, PMID:12388753]' - }, - 'GO:0032011': { - 'name': 'ARF protein signal transduction', - 'def': 'A series of molecular signals within the cell that are mediated by a member of the ARF family of proteins switching to a GTP-bound active state. [GOC:mah]' - }, - 'GO:0032012': { - 'name': 'regulation of ARF protein signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of ARF protein signal transduction. [GOC:mah]' - }, - 'GO:0032013': { - 'name': 'negative regulation of ARF protein signal transduction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ARF protein signal transduction. [GOC:mah]' - }, - 'GO:0032014': { - 'name': 'positive regulation of ARF protein signal transduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of ARF protein signal transduction. [GOC:mah]' - }, - 'GO:0032015': { - 'name': 'regulation of Ran protein signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of Ran protein signal transduction. [GOC:mah]' - }, - 'GO:0032016': { - 'name': 'negative regulation of Ran protein signal transduction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Ran protein signal transduction. [GOC:mah]' - }, - 'GO:0032017': { - 'name': 'positive regulation of Ran protein signal transduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of Ran protein signal transduction. [GOC:mah]' - }, - 'GO:0032018': { - 'name': '2-methylbutanol:NADP oxidoreductase activity', - 'def': 'Catalysis of the reaction: 2-methylbutanol + NADP+ = 2-methylbutanal + NADPH + H+. [GOC:mah, PMID:12210903]' - }, - 'GO:0032019': { - 'name': 'mitochondrial cloud', - 'def': 'A prominent mass in the cytoplasm of previtellogenic oocytes. The cloud contains both mitochondria and electron-dense granulofibrillar material (GFM) and is the source of germinal granule material. [PMID:6541166]' - }, - 'GO:0032020': { - 'name': 'ISG15-protein conjugation', - 'def': 'The covalent addition to a protein of ISG15, a ubiquitin-like protein. [GOC:mah]' - }, - 'GO:0032021': { - 'name': 'NELF complex', - 'def': 'A complex of five proteins, designated NELF-A, -B, -C, -D, and -E in human, that can physically associate with RNP polymerase II to induce transcriptional pausing. [PMID:12612062]' - }, - 'GO:0032022': { - 'name': 'multicellular pellicle formation', - 'def': 'A process in which microorganisms produce an extracellular matrix and form multicellular aggregates at an air-liquid interface. [GOC:ml]' - }, - 'GO:0032023': { - 'name': 'trypsinogen activation', - 'def': 'The proteolytic processing of trypsinogen to the active form, trypsin. [GOC:mah]' - }, - 'GO:0032024': { - 'name': 'positive regulation of insulin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of insulin. [GOC:mah]' - }, - 'GO:0032025': { - 'name': 'response to cobalt ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cobalt ion stimulus. [GOC:mah]' - }, - 'GO:0032026': { - 'name': 'response to magnesium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a magnesium ion stimulus. [GOC:mah]' - }, - 'GO:0032027': { - 'name': 'myosin light chain binding', - 'def': 'Interacting selectively and non-covalently with a light chain of a myosin complex. [GOC:mah]' - }, - 'GO:0032028': { - 'name': 'myosin head/neck binding', - 'def': 'Interacting selectively and non-covalently with the head/neck region of a myosin heavy chain. [GOC:mah]' - }, - 'GO:0032029': { - 'name': 'myosin tail binding', - 'def': 'Interacting selectively and non-covalently with the tail region of a myosin heavy chain. [GOC:mah]' - }, - 'GO:0032030': { - 'name': 'myosin I light chain binding', - 'def': 'Interacting selectively and non-covalently with a light chain of a myosin I complex. [GOC:mah]' - }, - 'GO:0032031': { - 'name': 'myosin I head/neck binding', - 'def': 'Interacting selectively and non-covalently with the head/neck region of a myosin I heavy chain. [GOC:mah]' - }, - 'GO:0032032': { - 'name': 'myosin I tail binding', - 'def': 'Interacting selectively and non-covalently with the tail region of a myosin I heavy chain. [GOC:mah]' - }, - 'GO:0032033': { - 'name': 'myosin II light chain binding', - 'def': 'Interacting selectively and non-covalently with a light chain of a myosin II complex. [GOC:mah]' - }, - 'GO:0032034': { - 'name': 'myosin II head/neck binding', - 'def': 'Interacting selectively and non-covalently with the head/neck region of a myosin II heavy chain. [GOC:mah]' - }, - 'GO:0032035': { - 'name': 'myosin II tail binding', - 'def': 'Interacting selectively and non-covalently with the tail region of a myosin II heavy chain. [GOC:mah]' - }, - 'GO:0032036': { - 'name': 'myosin heavy chain binding', - 'def': 'Interacting selectively and non-covalently with a heavy chain of a myosin complex. [GOC:mah]' - }, - 'GO:0032037': { - 'name': 'myosin I heavy chain binding', - 'def': 'Interacting selectively and non-covalently with a heavy chain of a myosin I complex. [GOC:mah]' - }, - 'GO:0032038': { - 'name': 'myosin II heavy chain binding', - 'def': 'Interacting selectively and non-covalently with a heavy chain of a myosin II complex. [GOC:mah]' - }, - 'GO:0032039': { - 'name': 'integrator complex', - 'def': "A protein complex that stably associates with the C-terminus of RNA polymerase II and mediates 3'-end processing of small nuclear RNAs generated by RNA polymerase II. [PMID:16239144]" - }, - 'GO:0032040': { - 'name': 'small-subunit processome', - 'def': 'A large ribonucleoprotein complex that is an early preribosomal complex. In S. cerevisiae, it has a size of 80S and consists of the 35S pre-rRNA, early-associating ribosomal proteins most of which are part of the small ribosomal subunit, the U3 snoRNA and associated proteins. [GOC:krc, GOC:vw, PMID:12068309, PMID:12957375, PMID:15120992, PMID:15590835]' - }, - 'GO:0032041': { - 'name': 'NAD-dependent histone deacetylase activity (H3-K14 specific)', - 'def': 'Catalysis of the reaction: histone H3 N6-acetyl-L-lysine (position 14) + H2O = histone H3 L-lysine (position 14) + acetate. This reaction requires the presence of NAD, and represents the removal of an acetyl group from lysine at position 14 of the histone H3 protein. [EC:3.5.1.17, RHEA:24551]' - }, - 'GO:0032042': { - 'name': 'mitochondrial DNA metabolic process', - 'def': 'The chemical reactions and pathways involving mitochondrial DNA. [GOC:mah]' - }, - 'GO:0032043': { - 'name': 'mitochondrial DNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mitochondrial DNA. [GOC:mah]' - }, - 'GO:0032044': { - 'name': 'DSIF complex', - 'def': 'A heterodimeric protein complex formed of Spt4 and Spt5 proteins which is expressed in eukaryotes from yeast to man. DSIF is an inhibitory elongation factor that promotes RNA polymerase II transcriptional pausing, but can also stimulate transcriptional elongation under certain conditions, and may play a role in RNA processing via its physical association with mRNA capping enzymes. [PMID:12242279, PMID:12653964, PMID:12676794, PMID:16581788, PMID:19460865]' - }, - 'GO:0032045': { - 'name': 'guanyl-nucleotide exchange factor complex', - 'def': 'A protein complex that stimulates the exchange of guanyl nucleotides associated with a GTPase. [GOC:mah]' - }, - 'GO:0032046': { - 'name': 'micropexophagy-specific membrane apparatus', - 'def': 'A membrane-bounded flattened sac that is formed during micropexophagy between the membrane tips of an engulfing vacuole, completing the engulfment and sequestration of peroxisomes from the cytosol, and forming a micropexophagic body within the lumen of the vacuole. [PMID:15563611]' - }, - 'GO:0032047': { - 'name': 'mitosome', - 'def': 'A double-membrane-bounded organelle that functions in iron-sulfur protein maturation; evolutionarily derived from mitochondria. The mitosome has been detected only in anaerobic or microaerophilic organisms that do not have mitochondria, such as Entamoeba histolytica, Giardia intestinalis and several species of Microsporidia. These organisms are not capable of gaining energy from oxidative phosphorylation, which is normally performed by mitochondria. [GOC:giardia, PMID:10361303, PMID:14614504, PMID:24316280]' - }, - 'GO:0032048': { - 'name': 'cardiolipin metabolic process', - 'def': 'The chemical reactions and pathways involving cardiolipin, 1,3-bis(3-phosphatidyl)glycerol. [CHEBI:28494, GOC:mah]' - }, - 'GO:0032049': { - 'name': 'cardiolipin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cardiolipin, 1,3-bis(3-phosphatidyl)glycerol. [CHEBI:28494, GOC:mah]' - }, - 'GO:0032050': { - 'name': 'clathrin heavy chain binding', - 'def': 'Interacting selectively and non-covalently with a clathrin heavy chain. [GOC:mah]' - }, - 'GO:0032051': { - 'name': 'clathrin light chain binding', - 'def': 'Interacting selectively and non-covalently with a clathrin light chain. [GOC:mah]' - }, - 'GO:0032052': { - 'name': 'bile acid binding', - 'def': 'Interacting selectively and non-covalently with bile acids, any of a group of steroid carboxylic acids occurring in bile. [GOC:rph]' - }, - 'GO:0032053': { - 'name': 'ciliary basal body organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a ciliary basal body, a short cylindrical array of microtubules and associated proteins found at the base of a eukaryotic cilium (also called flagellum). [GOC:cilia, GOC:dph, GOC:jl, GOC:krc, GOC:mah, PMID:9889124]' - }, - 'GO:0032055': { - 'name': 'negative regulation of translation in response to stress', - 'def': 'Any process that stops, prevents or reduces the rate of translation as a result of a stimulus indicating the organism is under stress. [GOC:mah]' - }, - 'GO:0032056': { - 'name': 'positive regulation of translation in response to stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of translation as a result of a stimulus indicating the organism is under stress. [GOC:mah]' - }, - 'GO:0032057': { - 'name': 'negative regulation of translational initiation in response to stress', - 'def': 'Any process that stops, prevents or reduces the rate of translation initiation as a result of a stimulus indicating the organism is under stress. [GOC:mah]' - }, - 'GO:0032058': { - 'name': 'positive regulation of translational initiation in response to stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of translation initiation as a result of a stimulus indicating the organism is under stress. [GOC:mah]' - }, - 'GO:0032059': { - 'name': 'bleb', - 'def': 'A cell extension caused by localized decoupling of the cytoskeleton from the plasma membrane and characterized by rapid formation, rounded shape, and scarcity of organelles within the protrusion. Blebs are formed during apoptosis and other cellular processes, including cell locomotion, cell division, and as a result of physical or chemical stresses. [GOC:mtg_apoptosis, http://en.wikipedia.org/wiki/Bleb_(cell_biology), PMID:12083798, PMID:16624291]' - }, - 'GO:0032060': { - 'name': 'bleb assembly', - 'def': 'The assembly of a bleb, a cell extension caused by localized decoupling of the cytoskeleton from the plasma membrane and characterized by rapid formation, rounded shape, and scarcity of organelles within the protrusion. Plasma membrane blebbing occurs during apoptosis and other cellular processes, including cell locomotion, cell division, and as a result of physical or chemical stresses. [GOC:mah, GOC:mtg_apoptosis, http://en.wikipedia.org/wiki/Bleb_(cell_biology), PMID:12083798, PMID:16624291]' - }, - 'GO:0032061': { - 'name': 'negative regulation of translation in response to osmotic stress', - 'def': 'Any process that stops, prevents or reduces the rate of translation as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:mah]' - }, - 'GO:0032062': { - 'name': 'positive regulation of translation in response to osmotic stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of translation as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:mah]' - }, - 'GO:0032063': { - 'name': 'negative regulation of translational initiation in response to osmotic stress', - 'def': 'Any process that stops, prevents or reduces the rate of translation initiation, as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:mah]' - }, - 'GO:0032064': { - 'name': 'positive regulation of translational initiation in response to osmotic stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of translation initiation, as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:mah]' - }, - 'GO:0032065': { - 'name': 'cortical protein anchoring', - 'def': 'A process in which a protein or protein complex is maintained in a specific location in the cell cortex. [GOC:vw]' - }, - 'GO:0032066': { - 'name': 'nucleolus to nucleoplasm transport', - 'def': 'The directed movement of substances from the nucleolus to the nucleoplasm. [GOC:mah]' - }, - 'GO:0032067': { - 'name': 'Type IV site-specific deoxyribonuclease activity', - 'def': 'Catalysis of the endonucleolytic cleavage of DNA in a site specific manner. Cleavage is dependent on the presence of a specific recognition site in the DNA which must be modified (e.g. methylated, hydroxymethylated, glucosyl-hydroxymethylated). [PMID:12654995]' - }, - 'GO:0032068': { - 'name': 'Type IV site-specific deoxyribonuclease complex', - 'def': 'A complex consisting of two proteins which acts as an endonuclease in DNA sequences containing a specific modified recognition site. Modifications may include methylation, hydroxymethylation, and glucosyl-hydroxymethylation. [PMID:12654995]' - }, - 'GO:0032069': { - 'name': 'regulation of nuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of nuclease activity, the hydrolysis of ester linkages within nucleic acids. [GOC:mah]' - }, - 'GO:0032070': { - 'name': 'regulation of deoxyribonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of deoxyribonuclease activity, the hydrolysis of ester linkages within deoxyribonucleic acid. [GOC:mah]' - }, - 'GO:0032071': { - 'name': 'regulation of endodeoxyribonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of endodeoxyribonuclease activity, the hydrolysis of ester linkages within deoxyribonucleic acid by creating internal breaks. [GOC:mah]' - }, - 'GO:0032072': { - 'name': 'regulation of restriction endodeoxyribonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of a restriction endodeoxyribonuclease activity, the catalysis of endonucleolytic cleavage of DNA in a site-specific manner, resulting in double-strand breaks. [GOC:mah]' - }, - 'GO:0032073': { - 'name': 'negative regulation of restriction endodeoxyribonuclease activity', - 'def': 'Any process that stops or reduces the rate of a restriction endodeoxyribonuclease activity, the catalysis of endonucleolytic cleavage of DNA in a site-specific manner, resulting in double-strand breaks. [GOC:mah]' - }, - 'GO:0032074': { - 'name': 'negative regulation of nuclease activity', - 'def': 'Any process that stops or reduces the rate of nuclease activity, the hydrolysis of ester linkages within nucleic acids. [GOC:mah]' - }, - 'GO:0032075': { - 'name': 'positive regulation of nuclease activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of nuclease activity, the hydrolysis of ester linkages within nucleic acids. [GOC:mah]' - }, - 'GO:0032076': { - 'name': 'negative regulation of deoxyribonuclease activity', - 'def': 'Any process that stops or reduces the rate of deoxyribonuclease activity, the hydrolysis of ester linkages within deoxyribonucleic acid. [GOC:mah]' - }, - 'GO:0032077': { - 'name': 'positive regulation of deoxyribonuclease activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of deoxyribonuclease activity, the hydrolysis of ester linkages within deoxyribonucleic acid. [GOC:mah]' - }, - 'GO:0032078': { - 'name': 'negative regulation of endodeoxyribonuclease activity', - 'def': 'Any process that stops or reduces the rate of endodeoxyribonuclease activity, the hydrolysis of ester linkages within deoxyribonucleic acid by creating internal breaks. [GOC:mah]' - }, - 'GO:0032079': { - 'name': 'positive regulation of endodeoxyribonuclease activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of endodeoxyribonuclease activity, the hydrolysis of ester linkages within deoxyribonucleic acid by creating internal breaks. [GOC:mah]' - }, - 'GO:0032080': { - 'name': 'negative regulation of Type I site-specific deoxyribonuclease activity', - 'def': 'Any process that stops or reduces the rate of Type I restriction endodeoxyribonuclease activity. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032081': { - 'name': 'negative regulation of Type II site-specific deoxyribonuclease activity', - 'def': 'Any process that stops or reduces the rate of Type II restriction endodeoxyribonuclease activity. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032082': { - 'name': 'negative regulation of Type III site-specific deoxyribonuclease activity', - 'def': 'Any process that stops or reduces the rate of Type III restriction endodeoxyribonuclease activity. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032083': { - 'name': 'negative regulation of Type IV site-specific deoxyribonuclease activity', - 'def': 'Any process that stops or reduces the rate of Type IV restriction endodeoxyribonuclease activity. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032084': { - 'name': 'regulation of Type I site-specific deoxyribonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of a Type I restriction endodeoxyribonuclease activity. [GOC:dph, GOC:mah]' - }, - 'GO:0032085': { - 'name': 'regulation of Type II site-specific deoxyribonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of a Type II restriction endodeoxyribonuclease activity. [GOC:dph, GOC:mah]' - }, - 'GO:0032086': { - 'name': 'regulation of Type III site-specific deoxyribonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of a Type III restriction endodeoxyribonuclease activity. [GOC:dph, GOC:mah]' - }, - 'GO:0032087': { - 'name': 'regulation of Type IV site-specific deoxyribonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of a Type IV restriction endodeoxyribonuclease activity. [GOC:mah]' - }, - 'GO:0032088': { - 'name': 'negative regulation of NF-kappaB transcription factor activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the activity of the transcription factor NF-kappaB. [GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0032089': { - 'name': 'NACHT domain binding', - 'def': 'Interacting selectively and non-covalently with a NACHT (NAIP, CIITA, HET-E and TP1) domain. The NACHT domain consists of seven distinct conserved motifs, including an ATP/GTPase specific P-loop, a Mg(2+)-binding site and five more specific motifs. [GOC:rl]' - }, - 'GO:0032090': { - 'name': 'Pyrin domain binding', - 'def': 'Interacting selectively and non-covalently with a Pyrin (PAAD/DAPIN) domain, a protein-protein interaction domain that has the same fold as the Death domain. [GOC:rl]' - }, - 'GO:0032091': { - 'name': 'negative regulation of protein binding', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein binding. [GOC:mah]' - }, - 'GO:0032092': { - 'name': 'positive regulation of protein binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein binding. [GOC:mah]' - }, - 'GO:0032093': { - 'name': 'SAM domain binding', - 'def': 'Interacting selectively and non-covalently with a SAM (Sterile Alpha Motif) domain, which is a 70-amino acid protein sequence that participates in protein-protein, protein-lipid, and protein-RNA interactions and is conserved from lower to higher eukaryotes. [GOC:mcc, PMID:16337230]' - }, - 'GO:0032094': { - 'name': 'response to food', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a food stimulus; food is anything which, when taken into the body, serves to nourish or build up the tissues or to supply body heat. [GOC:add, ISBN:0721601464]' - }, - 'GO:0032095': { - 'name': 'regulation of response to food', - 'def': 'Any process that modulates the frequency, rate or extent of a response to a food stimulus. [GOC:add]' - }, - 'GO:0032096': { - 'name': 'negative regulation of response to food', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a response to a food stimulus. [GOC:add]' - }, - 'GO:0032097': { - 'name': 'positive regulation of response to food', - 'def': 'Any process that activates, maintains, or increases the rate of a response to a food stimulus. [GOC:add]' - }, - 'GO:0032098': { - 'name': 'regulation of appetite', - 'def': 'Any process which modulates appetite, the desire or physical craving for food. [GOC:add]' - }, - 'GO:0032099': { - 'name': 'negative regulation of appetite', - 'def': 'Any process that reduces appetite. [GOC:add]' - }, - 'GO:0032100': { - 'name': 'positive regulation of appetite', - 'def': 'Any process that increases appetite. [GOC:add]' - }, - 'GO:0032101': { - 'name': 'regulation of response to external stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of a response to an external stimulus. [GOC:mah]' - }, - 'GO:0032102': { - 'name': 'negative regulation of response to external stimulus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a response to an external stimulus. [GOC:mah]' - }, - 'GO:0032103': { - 'name': 'positive regulation of response to external stimulus', - 'def': 'Any process that activates, maintains or increases the rate of a response to an external stimulus. [GOC:mah]' - }, - 'GO:0032104': { - 'name': 'regulation of response to extracellular stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of a response to an extracellular stimulus. [GOC:mah]' - }, - 'GO:0032105': { - 'name': 'negative regulation of response to extracellular stimulus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a response to an extracellular stimulus. [GOC:mah]' - }, - 'GO:0032106': { - 'name': 'positive regulation of response to extracellular stimulus', - 'def': 'Any process that activates, maintains or increases the rate of a response to an extracellular stimulus. [GOC:mah]' - }, - 'GO:0032107': { - 'name': 'regulation of response to nutrient levels', - 'def': 'Any process that modulates the frequency, rate or extent of a response to nutrient levels. [GOC:mah]' - }, - 'GO:0032108': { - 'name': 'negative regulation of response to nutrient levels', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a response to nutrient levels. [GOC:mah]' - }, - 'GO:0032109': { - 'name': 'positive regulation of response to nutrient levels', - 'def': 'Any process that activates or increases the frequency, rate or extent of a response to nutrient levels. [GOC:mah]' - }, - 'GO:0032110': { - 'name': 'regulation of protein histidine kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of protein histidine kinase activity. [GOC:mah]' - }, - 'GO:0032111': { - 'name': 'activation of protein histidine kinase activity', - 'def': 'Any process that initiates the activity of an inactive protein histidine kinase. [GOC:mah]' - }, - 'GO:0032112': { - 'name': 'negative regulation of protein histidine kinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein histidine kinase activity. [GOC:mah]' - }, - 'GO:0032113': { - 'name': 'regulation of carbohydrate phosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of carbohydrate phosphatase activity, the catalysis of the hydrolysis of phosphate from a carbohydrate phosphate. [GOC:mah]' - }, - 'GO:0032114': { - 'name': 'regulation of glucose-6-phosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of glucose-6-phosphatase activity, the catalysis of the reaction: D-glucose 6-phosphate + H2O = D-glucose + phosphate. [GOC:kp]' - }, - 'GO:0032115': { - 'name': 'sorbose reductase activity', - 'def': 'Catalysis of the reaction: D-glucitol + NADP(+) = L-sorbose + H(+) + NADPH. The reaction may occur, to a minor extent, in the reverse direction. [EC:1.1.1.289, RHEA:14612]' - }, - 'GO:0032116': { - 'name': 'SMC loading complex', - 'def': 'A protein complex required for the loading of a structural maintenance of chromosome (SMC) complex, such as cohesin, condensin or SMC5/SMC6, onto DNA. Appears to be eukaryotically conserved. [GOC:curators, GOC:vw, PMID:10882066]' - }, - 'GO:0032117': { - 'name': 'horsetail-astral microtubule array', - 'def': 'An array of astral microtubules that emanates from the spindle pole body during meiosis and facilitates horsetail nuclear movement. [GOC:mah, PMID:16111942]' - }, - 'GO:0032118': { - 'name': 'horsetail-astral microtubule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the horsetail-astral array, a structure of astral microtubules that emanates from the spindle pole body during meiosis. [GOC:mah]' - }, - 'GO:0032119': { - 'name': 'sequestering of zinc ion', - 'def': 'The process of binding or confining zinc ions such that they are separated from other components of a biological system. [GOC:mah]' - }, - 'GO:0032120': { - 'name': 'ascospore-type prospore membrane assembly', - 'def': 'The process in which the nascent membrane forms at the meiotic outer plaque and grows until closure occurs and forespores, or prospores, are formed. [GOC:clt]' - }, - 'GO:0032121': { - 'name': 'meiotic attachment of telomeric heterochromatin to spindle pole body', - 'def': 'The meiotic cell cycle process in which physical connections are formed between telomeric heterochromatin and the spindle pole body, facilitating bouquet formation. [GOC:pr, PMID:16615890]' - }, - 'GO:0032122': { - 'name': 'oral apparatus organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the oral apparatus. The oral apparatus is a funnel-like structure used by the cell to collect food and channel it to the cytostome, characteristic of ciliate protozoans. [PMID:10503189, PMID:6414830]' - }, - 'GO:0032123': { - 'name': 'deep fiber', - 'def': 'Inward projections of the cytoskeletal structures of the oral apparatus, which form a fiber that extends past the cytostome into the cytoplasm. [PMID:10503189]' - }, - 'GO:0032124': { - 'name': 'macronucleus organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the macronucleus. [GOC:dph, GOC:jl, GOC:mah, PMID:10503190]' - }, - 'GO:0032125': { - 'name': 'micronucleus organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the micronucleus. [GOC:dph, GOC:jl, GOC:mah, PMID:10503190]' - }, - 'GO:0032126': { - 'name': 'eisosome', - 'def': 'A cell part that is composed of the eisosome membrane or MCC domain, a furrow-like plasma membrane sub-domain and associated integral transmembrane proteins, and the proteins (eisosome filaments) that form a scaffolding lattice on the cytoplasmic face. Eisosomes broadly affect overall plasma membrane organization. [GOC:al, GOC:vw, PMID:16496001, PMID:22368779]' - }, - 'GO:0032127': { - 'name': 'dense core granule membrane', - 'def': 'The lipid bilayer surrounding a dense core granule. [GOC:mah]' - }, - 'GO:0032128': { - 'name': 'flocculation via extracellular polymer', - 'def': 'Non-sexual aggregation of single-celled organisms mediated by polymers (polysaccharides, proteins, and/or nucleic acids) secreted into the extracellular environment. [DOI:10.1007/s002530051351, GOC:mah, PMID:14538073]' - }, - 'GO:0032129': { - 'name': 'histone deacetylase activity (H3-K9 specific)', - 'def': 'Catalysis of the reaction: histone H3 N6-acetyl-L-lysine (position 9) + H2O = histone H3 L-lysine (position 9) + acetate. This reaction represents the removal of an acetyl group from lysine at position 9 of the histone H3 protein. [EC:3.5.1.17, RHEA:24551]' - }, - 'GO:0032130': { - 'name': 'medial membrane band assembly', - 'def': 'The assembly of a sterol-rich region of the plasma membrane at the cell surface overlying the contractile ring. [PMID:15517003]' - }, - 'GO:0032131': { - 'name': 'alkylated DNA binding', - 'def': 'Interacting selectively and non-covalently with alkylated residues in DNA. [GOC:mah]' - }, - 'GO:0032132': { - 'name': 'O6-alkylguanine-DNA binding', - 'def': 'Interacting selectively and non-covalently with O6-alkylguanine adducts in DNA. [GOC:mah, PMID:16679453]' - }, - 'GO:0032133': { - 'name': 'chromosome passenger complex', - 'def': 'A eukaryotically conserved protein complex that localizes to kinetochores in early mitosis, the spindle mid-zone in anaphase B and to the telophase midbody. It has been proposed that the passenger complex coordinates various events based on its location to different structures during the course of mitosis. Complex members include the BIR-domain-containing protein Survivin, Aurora kinase, INCENP and Borealin. [GOC:vw, PMID:16824200, PMID:19570910]' - }, - 'GO:0032135': { - 'name': 'DNA insertion or deletion binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing insertions or deletions. [GOC:vk]' - }, - 'GO:0032136': { - 'name': 'adenine/cytosine mispair binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing an A/C mispair. [GOC:vk]' - }, - 'GO:0032137': { - 'name': 'guanine/thymine mispair binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a G/T mispair. [GOC:vk]' - }, - 'GO:0032138': { - 'name': 'single base insertion or deletion binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a single base insertion or deletion. [GOC:vk]' - }, - 'GO:0032139': { - 'name': 'dinucleotide insertion or deletion binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a dinucleotide insertion or deletion. [GOC:vk]' - }, - 'GO:0032140': { - 'name': 'single adenine insertion binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a single adenine insertion or a deletion that results in an unpaired adenine. [GOC:mah, GOC:vk]' - }, - 'GO:0032141': { - 'name': 'single cytosine insertion binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a single cytosine insertion or a deletion that results in an unpaired cytosine. [GOC:mah, GOC:vk]' - }, - 'GO:0032142': { - 'name': 'single guanine insertion binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a single guanine insertion or a deletion that results in an unpaired guanine. [GOC:mah, GOC:vk]' - }, - 'GO:0032143': { - 'name': 'single thymine insertion binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a single thymine insertion or a deletion that results in an unpaired thymine. [GOC:mah, GOC:vk]' - }, - 'GO:0032144': { - 'name': '4-aminobutyrate transaminase complex', - 'def': 'A homodimeric protein complex that possesses 4-aminobutyrate transaminase activity. [GOC:mah, PMID:15528998]' - }, - 'GO:0032145': { - 'name': 'succinate-semialdehyde dehydrogenase binding', - 'def': 'Interacting selectively and non-covalently with succinate-semialdehyde dehydrogenase. [GOC:mah]' - }, - 'GO:0032146': { - 'name': 'ATPase-coupled thiosulfate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + thiosulfate(out) = ADP + phosphate + thiosulfate(in). [GOC:mlg]' - }, - 'GO:0032147': { - 'name': 'activation of protein kinase activity', - 'def': 'Any process that initiates the activity of an inactive protein kinase. [GOC:mah]' - }, - 'GO:0032148': { - 'name': 'activation of protein kinase B activity', - 'def': 'Any process that initiates the activity of the inactive enzyme protein kinase B. [GOC:pg]' - }, - 'GO:0032149': { - 'name': 'response to rhamnose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a rhamnose stimulus. [GOC:mlg]' - }, - 'GO:0032150': { - 'name': 'ubiquinone biosynthetic process from chorismate', - 'def': 'The chemical reactions and pathways resulting in the formation of ubiquinone, beginning with the conversion of chorismate to 4-hydroxybenzoate. [GOC:mah, PMID:11583838]' - }, - 'GO:0032151': { - 'name': 'mitotic septin complex', - 'def': 'A heterooligomeric septin complex that acts during mitotic cell division. [GOC:krc, PMID:16009555]' - }, - 'GO:0032152': { - 'name': 'meiotic septin complex', - 'def': 'A heterooligomeric septin complex that acts during meiotic cell division. [GOC:krc, PMID:16009555]' - }, - 'GO:0032153': { - 'name': 'cell division site', - 'def': 'The eventual plane of cell division (also known as cell cleavage or cytokinesis) in a dividing cell. In Eukaryotes, the cleavage apparatus, composed of septin structures and the actomyosin contractile ring, forms along this plane, and the mitotic, or meiotic, spindle is aligned perpendicular to the division plane. In bacteria, the cell division site is generally located at mid-cell and is the site at which the cytoskeletal structure, the Z-ring, assembles. [GOC:bf, GOC:imk, GOC:krc, GOC:ns, PMID:12101122, PMID:15380095, PMID:16983191, PMID:18165305]' - }, - 'GO:0032154': { - 'name': 'cleavage furrow', - 'def': 'The cleavage furrow is a plasma membrane invagination at the cell division site. The cleavage furrow begins as a shallow groove and eventually deepens to divide the cytoplasm. [GOC:vw, ISBN:0805319409]' - }, - 'GO:0032155': { - 'name': 'cell division site part', - 'def': 'Any constituent part of the cell division plane, the eventual plane of cell division in a dividing cell. [GOC:mah]' - }, - 'GO:0032156': { - 'name': 'septin cytoskeleton', - 'def': 'The part of the cytoskeleton (the internal framework of a cell) composed of septins and associated proteins. Includes septin cytoskeleton-associated complexes. [GOC:mah]' - }, - 'GO:0032157': { - 'name': 'prospore contractile ring', - 'def': 'A contractile ring, i.e. a cytoskeletal structure composed of actin filaments and myosin, that forms beneath the plasma membrane of the prospore envelope in meiotic cells in preparation for completing cytokinesis. [GOC:krc, PMID:16009555]' - }, - 'GO:0032158': { - 'name': 'septin band', - 'def': 'A diffuse ring composed of a series of septin bars that run parallel to the long axis of the cell. This type of septin structure has been observed in a number of locations associated with polarized grown and/or deposition of new membrane, but not with cytokinesis, such as at the shmoo (mating projection) neck, at the junction between the mother cell and the germ tube (hypha) of a fungal cell growing filamentously. [GOC:krc, PMID:16151244]' - }, - 'GO:0032159': { - 'name': 'septin cap', - 'def': 'A faint structure formed of septins found at the leading edge of growth in germ tubes and hyphae in fungal cells growing filamentously. This cap of septins colocalizes with a region of the plasma membrane that is rich in ergosterol. [GOC:krc, PMID:16151244]' - }, - 'GO:0032160': { - 'name': 'septin filament array', - 'def': 'Arrays of septin filaments, or bars, found in a series of filamentous structures. Such structures have been observed in the prospore membrane during spore formation in S. cerevisiae and in the chlamydospore membrane during chlamydospore formation in C. albicans. [GOC:krc, PMID:16151244]' - }, - 'GO:0032161': { - 'name': 'cleavage apparatus septin structure', - 'def': 'Any of a series of structures composed of septins and septin-associated proteins localized to the cleavage plane which are involved in cytokinesis. [GOC:krc, PMID:12101122, PMID:15774761, PMID:16009555]' - }, - 'GO:0032162': { - 'name': 'mating projection septin band', - 'def': 'A septin band, i.e. a diffuse ring composed of a series of septin bars running parallel to the long axis of the cell, located at the neck of a shmoo (mating projection). [GOC:krc, GOC:mah, PMID:16151244]' - }, - 'GO:0032163': { - 'name': 'hyphal septin band', - 'def': 'A septin band, i.e. a diffuse ring composed of a series of septin bars running parallel to the long axis of the cell, located at the junction between the mother cell and the germ tube (hypha) of a fungal cell growing filamentously. [GOC:krc, GOC:mah, PMID:16151244]' - }, - 'GO:0032164': { - 'name': 'hyphal septin cap', - 'def': 'A faint structure formed of septins found at the leading edge of growth in hyphae of fungal cells growing filamentously. This cap of septins colocalizes with a region of the plasma membrane that is rich in ergosterol. [GOC:krc, PMID:16151244]' - }, - 'GO:0032165': { - 'name': 'prospore septin filament array', - 'def': 'Arrays of septin filaments, or bars, found in a series of filamentous structures; observed in the prospore membrane during spore formation. [GOC:krc, PMID:16151244]' - }, - 'GO:0032166': { - 'name': 'chlamydospore septin filament array', - 'def': 'Arrays of septin filaments, or bars, found in a series of filamentous structures. Observed in the chlamydospore membrane during chlamydospore formation. [GOC:krc, PMID:16151244]' - }, - 'GO:0032167': { - 'name': 'obsolete septin patch', - 'def': 'OBSOLETE. An amorphous-appearing accumulation of septin proteins at the future site of cytokinesis. [PMID:16009555]' - }, - 'GO:0032168': { - 'name': 'hyphal septin ring', - 'def': 'A tight ring-shaped structure that forms in the division plane within hyphae of filamentous fungi at sites where a septum will form; composed of septins as well as septin-associated proteins. [GOC:krc, GOC:mah, PMID:16151244]' - }, - 'GO:0032169': { - 'name': 'prospore septin ring', - 'def': 'A tight ring-shaped structure that forms in the division plane at the site of cytokinesis in a prospore; composed of septins as well as septin-associated proteins. [GOC:krc, GOC:mah, PMID:16151244]' - }, - 'GO:0032170': { - 'name': 'pseudohyphal septin ring', - 'def': 'A tight ring-shaped structure that forms in the division plane at the junction between the mother cell and a pseudohyphal projection; composed of septins as well as septin-associated proteins. [GOC:krc, GOC:mah, PMID:16151244]' - }, - 'GO:0032171': { - 'name': 'germ tube septin cap', - 'def': 'A faint structure formed of septins found at the leading edge of growth in germ tubes of fungal cells growing filamentously. This cap of septins colocalizes with a region of the plasma membrane that is rich in ergosterol. [GOC:krc, PMID:16151244]' - }, - 'GO:0032172': { - 'name': 'germ tube septin ring', - 'def': 'A tight ring-shaped structure that forms in the division plane within the germ tube of filamentous fungi at sites where a septum will form; composed of septins as well as septin-associated proteins. [GOC:krc, PMID:16151244]' - }, - 'GO:0032173': { - 'name': 'septin collar', - 'def': 'A tubular, hourglass-shaped structure composed of highly ordered arrays of septin filaments; in budding yeast cells, the septin collar forms from the initial septin ring by expanding into the daughter cell. [GOC:krc, PMID:16009555, PMID:16151244]' - }, - 'GO:0032174': { - 'name': 'cellular bud neck septin collar', - 'def': 'A tubular structure with flared ends, shaped like an hourglass and composed of highly ordered arrays of septin filaments, that forms at the bud neck of a dividing cell. In S. cerevisiae, this structure is located at the bud neck throughout most of the cell cycle and the septins are fixed within the structure, not exchanging with soluble septins. This septin structure acts as a scaffold for other proteins that function at the bud neck. [GOC:krc, PMID:16009555]' - }, - 'GO:0032175': { - 'name': 'mating projection septin ring', - 'def': 'A septin ring, i.e. a ring-shaped structure composed of septins and septin-associated proteins, located at the neck of a shmoo (mating projection). The septin ring in the neck of a shmoo may act as a barrier to localize mating factors in the shmoo tip. [GOC:krc, GOC:mah, PMID:16151244]' - }, - 'GO:0032176': { - 'name': 'split septin rings', - 'def': 'A pair of rings that flank the site of cell division, formed by splitting of the septin ring (or collar) prior to cytokinesis; this double ring structure is thought to trap proteins needed for cytokinesis or the formation of the new membrane or cell wall between the two septin rings. Split septin rings are known to occur in budding yeast cells and probably occur in other cell types as well. [GOC:krc, PMID:16009555, PMID:16151244]' - }, - 'GO:0032177': { - 'name': 'cellular bud neck split septin rings', - 'def': 'Two separate septin rings that are formed from the septin collar at the time of cytokinesis in cells that divide by budding. These two rings are thought to delineate a special compartment in which factors involved in cytokinesis are concentrated. [GOC:krc, PMID:16009555]' - }, - 'GO:0032178': { - 'name': 'medial membrane band', - 'def': 'A sterol-rich region of the plasma membrane which forms at the cell surface overlying the contractile ring and spreads into the invaginating plasma membrane surrounding the septum. [PMID:15517003]' - }, - 'GO:0032179': { - 'name': 'germ tube', - 'def': 'The slender tubular outgrowth first produced by most spores in germination. [ISBN:0877799148]' - }, - 'GO:0032180': { - 'name': 'ubiquinone biosynthetic process from tyrosine', - 'def': 'The chemical reactions and pathways resulting in the formation of ubiquinone, beginning with the conversion of tyrosine to 4-hydroxybenzoate. [GOC:mah, PMID:11583838]' - }, - 'GO:0032181': { - 'name': 'dinucleotide repeat insertion binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a dinucleotide repeat insertion or a deletion resulting in unpaired dinucleotide repeats. [GOC:mah, GOC:vk]' - }, - 'GO:0032182': { - 'name': 'ubiquitin-like protein binding', - 'def': 'Interacting selectively and non-covalently with a small conjugating protein such as ubiquitin or a ubiquitin-like protein. [GOC:mah]' - }, - 'GO:0032183': { - 'name': 'SUMO binding', - 'def': 'Interacting selectively and non-covalently with the small ubiquitin-like protein SUMO. [GOC:mah]' - }, - 'GO:0032184': { - 'name': 'SUMO polymer binding', - 'def': 'Interacting selectively and non-covalently with a polymer of the small ubiquitin-like protein SUMO. [GOC:mah]' - }, - 'GO:0032185': { - 'name': 'septin cytoskeleton organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising septin complexes and their associated proteins. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0032186': { - 'name': 'cellular bud neck septin ring organization', - 'def': 'Control of the formation, spatial distribution, and breakdown of a septin ring located at the bud neck. [GOC:mah]' - }, - 'GO:0032187': { - 'name': 'actomyosin contractile ring localization', - 'def': 'The process in which a contractile ring is assembled and/or maintained in a specific location, in the context of cytokinesis that takes place as part of a cell cycle. [GOC:mah]' - }, - 'GO:0032188': { - 'name': 'establishment of actomyosin contractile ring localization', - 'def': 'The process in which a contractile ring is assembled in a specific location as part of a process of cell cycle cytokinesis. [GOC:mah]' - }, - 'GO:0032189': { - 'name': 'maintenance of actomyosin contractile ring localization', - 'def': 'Any process in which an actomyosin contractile ring is maintained in a location and prevented from moving elsewhere. [GOC:mah]' - }, - 'GO:0032190': { - 'name': 'acrosin binding', - 'def': 'Interacting selectively and non-covalently with acrosin, a protein that is found in the acrosomes of sperm and possesses protease and carbohydrate binding activities. [GOC:mah, PMID:12398221]' - }, - 'GO:0032193': { - 'name': 'ubiquinone biosynthetic process via 2-polyprenylphenol', - 'def': 'The chemical reactions and pathways resulting in the formation of ubiquinone, via the intermediates 2-polyprenylphenol and 2-polyprenyl-6-hydroxyphenol. [GOC:mah, PMID:11583838]' - }, - 'GO:0032194': { - 'name': 'ubiquinone biosynthetic process via 3,4-dihydroxy-5-polyprenylbenzoate', - 'def': 'The chemical reactions and pathways resulting in the formation of ubiquinone, via the intermediates 3,4-dihydroxy-5-polyprenylbenzoate and 3-methoxy-4-hydroxy-5-polyprenylbenzoate. [GOC:mah, PMID:11583838]' - }, - 'GO:0032195': { - 'name': 'post-lysosomal vacuole', - 'def': 'A membrane-bounded intracellular vesicle formed late in the endocytic pathway when the pH in the vacuole becomes neutral prior to exocytosis. [GOC:pf, PMID:9276759, PMID:9394012]' - }, - 'GO:0032196': { - 'name': 'transposition', - 'def': 'Any process involved in mediating the movement of discrete segments of DNA between nonhomologous sites. [GOC:jp, ISBN:1555812090]' - }, - 'GO:0032197': { - 'name': 'transposition, RNA-mediated', - 'def': 'Any process involved in a type of transpositional recombination which occurs via an RNA intermediate. [GOC:jp, ISBN:1555812090]' - }, - 'GO:0032198': { - 'name': 'MITE transposition', - 'def': 'Any process involved in the transposition of miniature inverted-repeat transposable elements (MITEs). [GOC:jp, ISBN:1555812090]' - }, - 'GO:0032199': { - 'name': 'reverse transcription involved in RNA-mediated transposition', - 'def': 'The synthesis of DNA from an RNA transposon intermediate. [GOC:jp, GOC:txnOH, ISBN:1555812090]' - }, - 'GO:0032200': { - 'name': 'telomere organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of telomeres, terminal regions of a linear chromosome that include the telomeric DNA repeats and associated proteins. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0032201': { - 'name': 'telomere maintenance via semi-conservative replication', - 'def': 'The process in which telomeric DNA is synthesized semi-conservatively by the conventional replication machinery and telomeric accessory factors as part of cell cycle DNA replication. [GOC:BHF, GOC:BHF_telomere, GOC:rl, GOC:vw, PMID:16598261]' - }, - 'GO:0032202': { - 'name': 'telomere assembly', - 'def': 'A cellular process that results in the aggregation, arrangement and bonding together of a set of components to form a telomere at a non-telomeric double-stranded DNA end. A telomere is a terminal region of a linear chromosome that includes telomeric DNA repeats and associated proteins. [GOC:mah, GOC:ns, PMID:11902675, PMID:8622671]' - }, - 'GO:0032203': { - 'name': 'telomere formation via telomerase', - 'def': 'A cellular process that results in the formation of a telomere at a non-telomeric double-stranded DNA end that involves the activity of a telomerase enzyme. [GOC:cjm, GOC:ns, PMID:11902675, PMID:8622671]' - }, - 'GO:0032204': { - 'name': 'regulation of telomere maintenance', - 'def': 'Any process that modulates the frequency, rate or extent of a process that affects and monitors the activity of telomeric proteins and the length of telomeric DNA. [GOC:mah]' - }, - 'GO:0032205': { - 'name': 'negative regulation of telomere maintenance', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a process that affects and monitors the activity of telomeric proteins and the length of telomeric DNA. [GOC:mah]' - }, - 'GO:0032206': { - 'name': 'positive regulation of telomere maintenance', - 'def': 'Any process that activates or increases the frequency, rate or extent of a process that affects and monitors the activity of telomeric proteins and the length of telomeric DNA. [GOC:mah]' - }, - 'GO:0032207': { - 'name': 'regulation of telomere maintenance via recombination', - 'def': 'Any process that modulates the frequency, rate or extent of a recombinational process involved in the maintenance of proper telomeric length. [GOC:mah]' - }, - 'GO:0032208': { - 'name': 'negative regulation of telomere maintenance via recombination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a recombinational process involved in the maintenance of proper telomeric length. [GOC:mah]' - }, - 'GO:0032209': { - 'name': 'positive regulation of telomere maintenance via recombination', - 'def': 'Any process that activates or increases the frequency, rate or extent of a recombinational process involved in the maintenance of proper telomeric length. [GOC:mah]' - }, - 'GO:0032210': { - 'name': 'regulation of telomere maintenance via telomerase', - 'def': 'Any process that modulates the frequency, rate or extent of the addition of telomeric repeats by telomerase. [GOC:mah]' - }, - 'GO:0032211': { - 'name': 'negative regulation of telomere maintenance via telomerase', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the addition of telomeric repeats by telomerase. [GOC:mah]' - }, - 'GO:0032212': { - 'name': 'positive regulation of telomere maintenance via telomerase', - 'def': 'Any process that activates or increases the frequency, rate or extent of the addition of telomeric repeats by telomerase. [GOC:mah]' - }, - 'GO:0032213': { - 'name': 'regulation of telomere maintenance via semi-conservative replication', - 'def': 'Any process that modulates the frequency, rate or extent of the semi-conservative replication of telomeric DNA. [GOC:mah]' - }, - 'GO:0032214': { - 'name': 'negative regulation of telomere maintenance via semi-conservative replication', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the semi-conservative replication of telomeric DNA. [GOC:mah]' - }, - 'GO:0032215': { - 'name': 'positive regulation of telomere maintenance via semi-conservative replication', - 'def': 'Any process that activates or increases the frequency, rate or extent of the semi-conservative replication of telomeric DNA. [GOC:mah]' - }, - 'GO:0032216': { - 'name': 'glucosaminyl-phosphotidylinositol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: glucosaminyl-phosphotidylinositol + fatty acyl-CoA = glucosaminyl-acyl-phosphotidylinositol + CoA. [Reactome:REACT_1049.1]' - }, - 'GO:0032217': { - 'name': 'riboflavin transporter activity', - 'def': 'Enables the directed movement of riboflavin into, out of or within a cell, or between cells. Riboflavin (vitamin B2) is a water-soluble B-complex vitamin, converted in the cell to FMN and FAD, cofactors required for the function of flavoproteins. [GOC:rn, PMID:16204239]' - }, - 'GO:0032218': { - 'name': 'riboflavin transport', - 'def': 'The directed movement of riboflavin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Riboflavin (vitamin B2) is a water-soluble B-complex vitamin, converted in the cell to FMN and FAD, cofactors required for the function of flavoproteins. [GOC:rn, PMID:16204239]' - }, - 'GO:0032219': { - 'name': 'cell wall macromolecule catabolic process involved in cytogamy', - 'def': 'The chemical reactions and pathways resulting in the breakdown of macromolecules forming part of a cell wall that contribute to cytogamy. [GOC:mah]' - }, - 'GO:0032220': { - 'name': 'plasma membrane fusion involved in cytogamy', - 'def': 'The joining of two or more lipid bilayer membranes that surround cells, that contributes to cytogamy. [GOC:mah]' - }, - 'GO:0032221': { - 'name': 'Rpd3S complex', - 'def': 'A eukaryotically conserved histone deacetylase complex which deacetylates histones preferentially in promoter regions. Composed of a catalytic histone deacetylase subunit, a chromodomain protein, a SIN3 family co-repressor, and a WD repeat protein (Clr6p, Alp13p, Pst2p, and Prw1p respectively in Schizosaccharomyces; Rpd3p, Sin3p, Ume1p, Rco1p and Eaf3 in Saccharomyces; homologs thereof in other species). [GOC:vw, PMID:12773392, PMID:17450151]' - }, - 'GO:0032222': { - 'name': 'regulation of synaptic transmission, cholinergic', - 'def': 'Any process that modulates the frequency, rate or extent of cholinergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter acetylcholine. [GOC:mah]' - }, - 'GO:0032223': { - 'name': 'negative regulation of synaptic transmission, cholinergic', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cholinergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter acetylcholine. [GOC:mah]' - }, - 'GO:0032224': { - 'name': 'positive regulation of synaptic transmission, cholinergic', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of cholinergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter acetylcholine. [GOC:mah]' - }, - 'GO:0032225': { - 'name': 'regulation of synaptic transmission, dopaminergic', - 'def': 'Any process that modulates the frequency, rate or extent of dopaminergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter dopamine. [GOC:mah]' - }, - 'GO:0032226': { - 'name': 'positive regulation of synaptic transmission, dopaminergic', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of dopaminergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter dopamine. [GOC:mah]' - }, - 'GO:0032227': { - 'name': 'negative regulation of synaptic transmission, dopaminergic', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of dopaminergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter dopamine. [GOC:mah]' - }, - 'GO:0032228': { - 'name': 'regulation of synaptic transmission, GABAergic', - 'def': 'Any process that modulates the frequency, rate or extent of GABAergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter gamma-aminobutyric acid (GABA). [GOC:mah]' - }, - 'GO:0032229': { - 'name': 'negative regulation of synaptic transmission, GABAergic', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of GABAergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter gamma-aminobutyric acid (GABA). [GOC:mah]' - }, - 'GO:0032230': { - 'name': 'positive regulation of synaptic transmission, GABAergic', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of GABAergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter gamma-aminobutyric acid (GABA). [GOC:mah]' - }, - 'GO:0032231': { - 'name': 'regulation of actin filament bundle assembly', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly of actin filament bundles. [GOC:mah]' - }, - 'GO:0032232': { - 'name': 'negative regulation of actin filament bundle assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the assembly of actin filament bundles. [GOC:mah]' - }, - 'GO:0032233': { - 'name': 'positive regulation of actin filament bundle assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of the assembly of actin filament bundles. [GOC:mah]' - }, - 'GO:0032234': { - 'name': 'obsolete regulation of calcium ion transport via store-operated calcium channel activity', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of the directed movement of calcium ions via a store-operated calcium channel. [GOC:bf, PMID:16582901]' - }, - 'GO:0032235': { - 'name': 'obsolete negative regulation of calcium ion transport via store-operated calcium channel activity', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of calcium ions via a store-operated calcium channel. [GOC:bf, PMID:16582901]' - }, - 'GO:0032236': { - 'name': 'obsolete positive regulation of calcium ion transport via store-operated calcium channel activity', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of the directed movement of calcium ions via a store-operated calcium channel. [GOC:bf, PMID:16582901]' - }, - 'GO:0032237': { - 'name': 'activation of store-operated calcium channel activity', - 'def': 'A process that initiates the activity of an inactive store-operated calcium channel. [GOC:mah]' - }, - 'GO:0032238': { - 'name': 'adenosine transport', - 'def': 'The directed movement of adenosine, adenine riboside, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032239': { - 'name': 'regulation of nucleobase-containing compound transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of nucleobases, nucleosides, nucleotides and nucleic acids, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032240': { - 'name': 'negative regulation of nucleobase-containing compound transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of nucleobases, nucleosides, nucleotides and nucleic acids, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032241': { - 'name': 'positive regulation of nucleobase-containing compound transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of nucleobases, nucleosides, nucleotides and nucleic acids, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032242': { - 'name': 'regulation of nucleoside transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a nucleoside into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032243': { - 'name': 'negative regulation of nucleoside transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of a nucleoside into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032244': { - 'name': 'positive regulation of nucleoside transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of a nucleoside into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032245': { - 'name': 'regulation of purine nucleoside transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a purine nucleoside into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032246': { - 'name': 'regulation of pyrimidine nucleoside transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a pyrimidine nucleoside into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032247': { - 'name': 'negative regulation of purine nucleoside transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of a purine nucleoside into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032248': { - 'name': 'positive regulation of purine nucleoside transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of a purine nucleoside into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032249': { - 'name': 'regulation of adenosine transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of adenosine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032250': { - 'name': 'negative regulation of adenosine transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of adenosine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032251': { - 'name': 'positive regulation of adenosine transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of adenosine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032252': { - 'name': 'secretory granule localization', - 'def': 'Any process in which a secretory granule is transported to, and/or maintained in, a specific location within the cell. [GOC:mah]' - }, - 'GO:0032253': { - 'name': 'dense core granule localization', - 'def': 'Any process in which a dense core granule is transported to, and/or maintained in, a specific location within the cell. [GOC:mah]' - }, - 'GO:0032254': { - 'name': 'establishment of secretory granule localization', - 'def': 'The directed movement of a secretory granule to a specific location. [GOC:mah]' - }, - 'GO:0032255': { - 'name': 'maintenance of secretory granule location', - 'def': 'Any process in which a secretory granule is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032256': { - 'name': 'establishment of dense core granule localization', - 'def': 'The directed movement of a dense core granule to a specific location. [GOC:mah]' - }, - 'GO:0032257': { - 'name': 'maintenance of dense core granule location', - 'def': 'Any process in which a dense core granule is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032258': { - 'name': 'CVT pathway', - 'def': 'A constitutive biosynthetic process that occurs under nutrient-rich conditions, in which two resident vacuolar hydrolases, aminopeptidase I and alpha-mannosidase, are sequestered into vesicles; these vesicles are transported to, and then fuse with, the vacuole. This pathway is mostly observed in yeast. [PMID:12865942, PMID:15659643]' - }, - 'GO:0032259': { - 'name': 'methylation', - 'def': 'The process in which a methyl group is covalently attached to a molecule. [GOC:mah]' - }, - 'GO:0032260': { - 'name': 'response to jasmonic acid stimulus involved in jasmonic acid and ethylene-dependent systemic resistance', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a jasmonic acid stimulus received in the context of the jasmonic acid- and ethylene (ethene)-dependent process that confers broad spectrum systemic resistance to disease in response to wounding or a pathogen. [GOC:mah]' - }, - 'GO:0032261': { - 'name': 'purine nucleotide salvage', - 'def': 'Any process which produces a purine nucleotide from derivatives of it, without de novo synthesis. [GOC:jp]' - }, - 'GO:0032262': { - 'name': 'pyrimidine nucleotide salvage', - 'def': 'Any process which produces a pyrimidine nucleotide from derivatives of it, without de novo synthesis. [GOC:mah]' - }, - 'GO:0032263': { - 'name': 'GMP salvage', - 'def': 'Any process which produces guanosine monophosphate from derivatives of it, without de novo synthesis. [GOC:mah]' - }, - 'GO:0032264': { - 'name': 'IMP salvage', - 'def': 'Any process which produces inosine monophosphate from derivatives of it, without de novo synthesis. [GOC:mah]' - }, - 'GO:0032265': { - 'name': 'XMP salvage', - 'def': 'Any process which produces xanthosine monophosphate from derivatives of it, without de novo synthesis. [GOC:mah]' - }, - 'GO:0032266': { - 'name': 'phosphatidylinositol-3-phosphate binding', - 'def': "Interacting selectively and non-covalently with phosphatidylinositol-3-phosphate, a derivative of phosphatidylinositol in which the inositol ring is phosphorylated at the 3' position. [GOC:bf, PMID:10209156, PMID:11395417, PMID:11557775]" - }, - 'GO:0032267': { - 'name': 'tRNA(Ile)-lysidine synthase activity', - 'def': 'Catalysis of the ligation of lysine onto the cytidine residue present at the wobble position (usually position 34) of an AUA-specific isoleucine tRNA, to form the derivative lysidine. This modification converts both the codon specificity of tRNA(Ile) from AUG to AUA and its amino acid specificity from methionine to isoleucine. [PMID:14527414]' - }, - 'GO:0032268': { - 'name': 'regulation of cellular protein metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving a protein, occurring at the level of an individual cell. [GOC:mah]' - }, - 'GO:0032269': { - 'name': 'negative regulation of cellular protein metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving a protein, occurring at the level of an individual cell. [GOC:mah]' - }, - 'GO:0032270': { - 'name': 'positive regulation of cellular protein metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving a protein, occurring at the level of an individual cell. [GOC:mah]' - }, - 'GO:0032271': { - 'name': 'regulation of protein polymerization', - 'def': 'Any process that modulates the frequency, rate or extent of the process of creating protein polymers. [GOC:mah]' - }, - 'GO:0032272': { - 'name': 'negative regulation of protein polymerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the process of creating protein polymers. [GOC:mah]' - }, - 'GO:0032273': { - 'name': 'positive regulation of protein polymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of the process of creating protein polymers. [GOC:mah]' - }, - 'GO:0032274': { - 'name': 'gonadotropin secretion', - 'def': 'The regulated release of a gonadotropin, any hormone that stimulates the gonads, especially follicle-stimulating hormone and luteinizing hormone. [GOC:mah, ISBN:0721662544]' - }, - 'GO:0032275': { - 'name': 'luteinizing hormone secretion', - 'def': 'The regulated release of luteinizing hormone, a gonadotropic glycoprotein hormone secreted by the anterior pituitary. [ISBN:0198506732]' - }, - 'GO:0032276': { - 'name': 'regulation of gonadotropin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of a gonadotropin. [GOC:mah]' - }, - 'GO:0032277': { - 'name': 'negative regulation of gonadotropin secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of a gonadotropin. [GOC:mah]' - }, - 'GO:0032278': { - 'name': 'positive regulation of gonadotropin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of a gonadotropin. [GOC:mah]' - }, - 'GO:0032279': { - 'name': 'asymmetric synapse', - 'def': 'A type of synapse occurring between an axon and a dendritic spine or dendritic shaft. Asymmetric synapses, the most abundant synapse type in the central nervous system, involve axons that contain predominantly spherical vesicles and contain a thickened postsynaptic density. Most or all synapses of this type are excitatory. [GOC:dgh, GOC:ef]' - }, - 'GO:0032280': { - 'name': 'symmetric synapse', - 'def': 'A synapse that lacks an electron dense postsynaptic specialization. In vertebtrates, these occur primarily on dendrite shafts and neuronal cell bodies and involve persynapses containing clusters of predominantly flattened or elongated vesicles and are typcially inhibitory. [GOC:dgh, GOC:ef]' - }, - 'GO:0032281': { - 'name': 'AMPA glutamate receptor complex', - 'def': 'An assembly of four or five subunits which form a structure with an extracellular N-terminus and a large loop that together form the ligand binding domain. The C-terminus is intracellular. The ionotropic glutamate receptor complex itself acts as a ligand gated ion channel; on binding glutamate, charged ions pass through a channel in the center of the receptor complex. The AMPA receptors mediate fast synaptic transmission in the CNS and are composed of subunits GluR1-4, products from separate genes. These subunits have an extracellular N-terminus and an intracellular C-terminus. [GOC:ef]' - }, - 'GO:0032282': { - 'name': 'plastid acetyl-CoA carboxylase complex', - 'def': 'An acetyl-CoA carboxylase complex located in the stroma of a plastid. [GOC:mah]' - }, - 'GO:0032283': { - 'name': 'plastid acetate CoA-transferase complex', - 'def': 'An acetate CoA-transferase complex located in the stroma of a plastid. [GOC:mah]' - }, - 'GO:0032284': { - 'name': 'plastid biotin carboxylase complex', - 'def': 'A biotin carboxylase complex located in the stroma of a plastid. [GOC:mah]' - }, - 'GO:0032285': { - 'name': 'non-myelinated axon ensheathment', - 'def': 'The process in which a non-myelinating glial cell membrane closes around an axon. [GOC:dgh]' - }, - 'GO:0032286': { - 'name': 'central nervous system myelin maintenance', - 'def': 'The process in which the structure and material content of mature central nervous system myelin is kept in a functional state. [GOC:dgh]' - }, - 'GO:0032287': { - 'name': 'peripheral nervous system myelin maintenance', - 'def': 'The process in which the structure and material content of mature peripheral nervous system myelin is kept in a functional state. [GOC:dgh]' - }, - 'GO:0032288': { - 'name': 'myelin assembly', - 'def': 'The process in which the wraps of cell membrane that constitute myelin are laid down around an axon in the central or peripheral nervous system. [GOC:dgh, GOC:dph, GOC:tb]' - }, - 'GO:0032289': { - 'name': 'central nervous system myelin formation', - 'def': 'The process in which the wraps of cell membrane that constitute myelin are laid down around an axon by an oligodendrocyte in the central nervous system. [GOC:dgh]' - }, - 'GO:0032290': { - 'name': 'peripheral nervous system myelin formation', - 'def': 'The process in which the wraps of cell membrane that constitute myelin are laid down around an axon by an oligodendrocyte in the peripheral nervous system. [GOC:dgh]' - }, - 'GO:0032291': { - 'name': 'axon ensheathment in central nervous system', - 'def': 'The process in which a glial cell membrane closes around an axon in the central nervous system. This can be a myelinating or a non-myelinating neuron-glial interaction. [GOC:dgh]' - }, - 'GO:0032292': { - 'name': 'peripheral nervous system axon ensheathment', - 'def': 'The process in which a Schwann cell membrane closes around an axon in the peripheral nervous system. This can be a myelinating or a non-myelinating neuron-glial interaction. [GOC:dgh]' - }, - 'GO:0032293': { - 'name': 'non-myelinated axon ensheathment in central nervous system', - 'def': 'The process in which a non-myelinating glial cell membrane encircles an axon in the central nervous system. [GOC:dgh]' - }, - 'GO:0032294': { - 'name': 'peripheral nervous system non-myelinated axon ensheathment', - 'def': 'The process in which a non-myelinating Schwann cell membrane encircles an axon in the peripheral nervous system. A single non-myelinating Schwann cell will typically associate with multiple axons. [GOC:dgh]' - }, - 'GO:0032295': { - 'name': 'ensheathment of neuronal cell bodies', - 'def': 'The process in which satellite glial cells isolate neuronal cell bodies. [GOC:dgh]' - }, - 'GO:0032296': { - 'name': 'double-stranded RNA-specific ribonuclease activity', - 'def': 'Catalysis of the hydrolysis of phosphodiester bonds in double-stranded RNA molecules. [GOC:mah]' - }, - 'GO:0032297': { - 'name': 'negative regulation of DNA-dependent DNA replication initiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of initiation of DNA-dependent DNA replication. [GOC:mah]' - }, - 'GO:0032298': { - 'name': 'positive regulation of DNA-dependent DNA replication initiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of initiation of DNA-dependent DNA replication. [GOC:mah]' - }, - 'GO:0032299': { - 'name': 'ribonuclease H2 complex', - 'def': 'A protein complex that possesses ribonuclease H activity, in which the catalytic subunit is a member of the RNase H2 (or HII) class. For example, in Saccharomyces the complex contains Rnh201p, Rnh202p and Rnh203p. [GOC:mah, PMID:14734815]' - }, - 'GO:0032300': { - 'name': 'mismatch repair complex', - 'def': 'Any complex formed of proteins that act in mismatch repair. [GOC:mah]' - }, - 'GO:0032301': { - 'name': 'MutSalpha complex', - 'def': 'A heterodimer involved in the recognition and repair of base-base and small insertion/deletion mismatches. In human the complex consists of two subunits, MSH2 and MSH6. [PMID:11005803]' - }, - 'GO:0032302': { - 'name': 'MutSbeta complex', - 'def': 'A heterodimer involved in binding to and correcting insertion/deletion mutations. In human the complex consists of two subunits, MSH2 and MSH3. [PMID:11005803]' - }, - 'GO:0032303': { - 'name': 'regulation of icosanoid secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the controlled release of an icosanoid from a cell. [GOC:mah]' - }, - 'GO:0032304': { - 'name': 'negative regulation of icosanoid secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the controlled release of an icosanoid from a cell. [GOC:mah]' - }, - 'GO:0032305': { - 'name': 'positive regulation of icosanoid secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the controlled release of an icosanoid from a cell. [GOC:mah]' - }, - 'GO:0032306': { - 'name': 'regulation of prostaglandin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of a prostaglandin from a cell. [GOC:mah]' - }, - 'GO:0032307': { - 'name': 'negative regulation of prostaglandin secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of a prostaglandin from a cell. [GOC:mah]' - }, - 'GO:0032308': { - 'name': 'positive regulation of prostaglandin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of a prostaglandin from a cell. [GOC:mah]' - }, - 'GO:0032309': { - 'name': 'icosanoid secretion', - 'def': 'The controlled release of icosanoids, any of a group of C20 polyunsaturated fatty acids from a cell or a tissue. [GOC:mah]' - }, - 'GO:0032310': { - 'name': 'prostaglandin secretion', - 'def': 'The regulated release of a prostaglandin, any of a group of biologically active metabolites which contain a cyclopentane ring, from a cell or a tissue. [GOC:mah]' - }, - 'GO:0032311': { - 'name': 'angiogenin-PRI complex', - 'def': 'A stable heterodimer of angiogenin and placental ribonuclease inhibitor; interaction between angiogenin and PRI prevents angiogenin binding to its receptor to stimulate angiogenesis. [PMID:2706246, PMID:3470787]' - }, - 'GO:0032322': { - 'name': 'ubiquinone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ubiquinone, a lipid-soluble electron-transporting coenzyme. [GOC:mah]' - }, - 'GO:0032323': { - 'name': 'lipoate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lipoate. [GOC:mah]' - }, - 'GO:0032324': { - 'name': 'molybdopterin cofactor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the molybdopterin cofactor (Moco), essential for the catalytic activity of some enzymes, e.g. sulfite oxidase, xanthine dehydrogenase, and aldehyde oxidase. The cofactor consists of a mononuclear molybdenum (Mo-molybdopterin) or tungsten ion (W-molybdopterin) coordinated by one or two molybdopterin ligands. [GOC:mah]' - }, - 'GO:0032325': { - 'name': 'molybdopterin cofactor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the molybdopterin cofactor (Moco), essential for the catalytic activity of some enzymes, e.g. sulfite oxidase, xanthine dehydrogenase, and aldehyde oxidase. The cofactor consists of a mononuclear molybdenum (Mo-molybdopterin) or tungsten ion (W-molybdopterin) coordinated by one or two molybdopterin ligands. [GOC:mah]' - }, - 'GO:0032326': { - 'name': 'Mo-molybdopterin cofactor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the Mo-molybdopterin cofactor, essential for the catalytic activity of some enzymes. The cofactor consists of a mononuclear molybdenum (Mo) ion coordinated by one or two molybdopterin ligands. [GOC:mah]' - }, - 'GO:0032327': { - 'name': 'W-molybdopterin cofactor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the W-molybdopterin cofactor, essential for the catalytic activity of some enzymes. The cofactor consists of a mononuclear tungsten ion (W) coordinated by one or two molybdopterin ligands. [GOC:mah]' - }, - 'GO:0032328': { - 'name': 'alanine transport', - 'def': 'The directed movement of alanine, 2-aminopropanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032329': { - 'name': 'serine transport', - 'def': 'The directed movement of L-serine, 2-amino-3-hydroxypropanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032330': { - 'name': 'regulation of chondrocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of chondrocyte differentiation. [GOC:mah]' - }, - 'GO:0032331': { - 'name': 'negative regulation of chondrocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of chondrocyte differentiation. [GOC:mah]' - }, - 'GO:0032332': { - 'name': 'positive regulation of chondrocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of chondrocyte differentiation. [GOC:mah]' - }, - 'GO:0032333': { - 'name': 'activin secretion', - 'def': 'The regulated release of activin, a nonsteroidal regulator composed of two covalently linked beta subunits, which is synthesized in the pituitary gland and gonads and stimulates the secretion of follicle-stimulating hormone. [GOC:mah]' - }, - 'GO:0032334': { - 'name': 'inhibin secretion', - 'def': 'The regulated release of an inhibin, either of two glycoproteins (designated A and B), secreted by the gonads and present in seminal plasma and follicular fluid, that inhibit pituitary production of follicle-stimulating hormone. [GOC:mah]' - }, - 'GO:0032335': { - 'name': 'regulation of activin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of activin from a cell. [GOC:mah]' - }, - 'GO:0032336': { - 'name': 'negative regulation of activin secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of activin from a cell. [GOC:mah]' - }, - 'GO:0032337': { - 'name': 'positive regulation of activin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of activin from a cell. [GOC:mah]' - }, - 'GO:0032338': { - 'name': 'regulation of inhibin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of inhibin from a cell. [GOC:mah]' - }, - 'GO:0032339': { - 'name': 'negative regulation of inhibin secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of inhibin from a cell. [GOC:mah]' - }, - 'GO:0032340': { - 'name': 'positive regulation of inhibin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of inhibin from a cell. [GOC:mah]' - }, - 'GO:0032341': { - 'name': 'aldosterone metabolic process', - 'def': 'The chemical reactions and pathways involving aldosterone, a corticosteroid hormone that is produced by the zona glomerulosa of the adrenal cortex and regulates salt (sodium and potassium) and water balance. [PMID:16527843]' - }, - 'GO:0032342': { - 'name': 'aldosterone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aldosterone, a corticosteroid hormone that is produced by the zona glomerulosa of the adrenal cortex and regulates salt (sodium and potassium) and water balance. [PMID:16527843]' - }, - 'GO:0032343': { - 'name': 'aldosterone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aldosterone, a corticosteroid hormone that is produced by the zona glomerulosa of the adrenal cortex and regulates salt (sodium and potassium) and water balance. [PMID:16527843]' - }, - 'GO:0032344': { - 'name': 'regulation of aldosterone metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving aldosterone. [GOC:mah]' - }, - 'GO:0032345': { - 'name': 'negative regulation of aldosterone metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving aldosterone. [GOC:mah]' - }, - 'GO:0032346': { - 'name': 'positive regulation of aldosterone metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving aldosterone. [GOC:mah]' - }, - 'GO:0032347': { - 'name': 'regulation of aldosterone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of aldosterone. [GOC:mah]' - }, - 'GO:0032348': { - 'name': 'negative regulation of aldosterone biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of aldosterone. [GOC:mah]' - }, - 'GO:0032349': { - 'name': 'positive regulation of aldosterone biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of aldosterone. [GOC:mah]' - }, - 'GO:0032350': { - 'name': 'regulation of hormone metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving any hormone. [GOC:mah]' - }, - 'GO:0032351': { - 'name': 'negative regulation of hormone metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving any hormone. [GOC:mah]' - }, - 'GO:0032352': { - 'name': 'positive regulation of hormone metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving any hormone. [GOC:mah]' - }, - 'GO:0032353': { - 'name': 'negative regulation of hormone biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of hormones. [GOC:ai]' - }, - 'GO:0032354': { - 'name': 'response to follicle-stimulating hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a follicle-stimulating hormone stimulus. [GOC:mah]' - }, - 'GO:0032355': { - 'name': 'response to estradiol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of stimulus by estradiol, a C18 steroid hormone hydroxylated at C3 and C17 that acts as a potent estrogen. [GOC:mah, ISBN:0911910123]' - }, - 'GO:0032356': { - 'name': 'oxidized DNA binding', - 'def': 'Interacting selectively and non-covalently with oxidized residues in DNA. [GOC:vk]' - }, - 'GO:0032357': { - 'name': 'oxidized purine DNA binding', - 'def': 'Interacting selectively and non-covalently with oxidized purine residues in DNA. [GOC:vk]' - }, - 'GO:0032358': { - 'name': 'oxidized pyrimidine DNA binding', - 'def': 'Interacting selectively and non-covalently with oxidized pyrimidine residues in DNA. [GOC:vk]' - }, - 'GO:0032359': { - 'name': 'provirus excision', - 'def': 'The molecular events that lead to the excision of a viral genome from the host genome. [GOC:mlg]' - }, - 'GO:0032361': { - 'name': 'pyridoxal phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyridoxal phosphate, pyridoxal phosphorylated at the hydroxymethyl group of C-5, the active form of vitamin B6. [GOC:mah]' - }, - 'GO:0032362': { - 'name': 'obsolete FAD catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of FAD, the oxidized form of flavin-adenine dinucleotide. [CHEBI:16238, GOC:mah]' - }, - 'GO:0032363': { - 'name': 'FMN catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of FMN, riboflavin 5'-(dihydrogen phosphate), a coenzyme for a number of oxidative enzymes including NADH dehydrogenase. [GOC:mah]" - }, - 'GO:0032364': { - 'name': 'oxygen homeostasis', - 'def': 'A homeostatic process involved in the maintenance of an internal steady state of oxygen within an organism or cell. [GOC:rph]' - }, - 'GO:0032365': { - 'name': 'intracellular lipid transport', - 'def': 'The directed movement of lipids within cells. [GOC:mah]' - }, - 'GO:0032366': { - 'name': 'intracellular sterol transport', - 'def': 'The directed movement of sterols within cells. [GOC:mah]' - }, - 'GO:0032367': { - 'name': 'intracellular cholesterol transport', - 'def': 'The directed movement of cholesterol, cholest-5-en-3-beta-ol, within cells. [GOC:mah]' - }, - 'GO:0032368': { - 'name': 'regulation of lipid transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of lipids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032369': { - 'name': 'negative regulation of lipid transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of lipids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032370': { - 'name': 'positive regulation of lipid transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of lipids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032371': { - 'name': 'regulation of sterol transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of sterols into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032372': { - 'name': 'negative regulation of sterol transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of sterols into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032373': { - 'name': 'positive regulation of sterol transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of sterols into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032374': { - 'name': 'regulation of cholesterol transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of cholesterol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032375': { - 'name': 'negative regulation of cholesterol transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of cholesterol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032376': { - 'name': 'positive regulation of cholesterol transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of cholesterol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032377': { - 'name': 'regulation of intracellular lipid transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of lipids within cells. [GOC:mah]' - }, - 'GO:0032378': { - 'name': 'negative regulation of intracellular lipid transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of lipids within cells. [GOC:mah]' - }, - 'GO:0032379': { - 'name': 'positive regulation of intracellular lipid transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of lipids within cells. [GOC:mah]' - }, - 'GO:0032380': { - 'name': 'regulation of intracellular sterol transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of sterols within cells. [GOC:mah]' - }, - 'GO:0032381': { - 'name': 'negative regulation of intracellular sterol transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of sterols within cells. [GOC:mah]' - }, - 'GO:0032382': { - 'name': 'positive regulation of intracellular sterol transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of sterols within cells. [GOC:mah]' - }, - 'GO:0032383': { - 'name': 'regulation of intracellular cholesterol transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of cholesterol within cells. [GOC:mah]' - }, - 'GO:0032384': { - 'name': 'negative regulation of intracellular cholesterol transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of cholesterol within cells. [GOC:mah]' - }, - 'GO:0032385': { - 'name': 'positive regulation of intracellular cholesterol transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of cholesterol within cells. [GOC:mah]' - }, - 'GO:0032386': { - 'name': 'regulation of intracellular transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of substances within cells. [GOC:mah]' - }, - 'GO:0032387': { - 'name': 'negative regulation of intracellular transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of substances within cells. [GOC:mah]' - }, - 'GO:0032388': { - 'name': 'positive regulation of intracellular transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of substances within cells. [GOC:mah]' - }, - 'GO:0032389': { - 'name': 'MutLalpha complex', - 'def': 'A heterodimer involved in the recognition of base-base and small insertion/deletion mismatches. In human the complex consists of two subunits, MLH1 and PMS2. [GOC:vk]' - }, - 'GO:0032390': { - 'name': 'MutLbeta complex', - 'def': 'A heterodimer involved in the recognition of base-base and small insertion/deletion mismatches. In human the complex consists of two subunits, MLH1 and PMS1. [GOC:vk]' - }, - 'GO:0032391': { - 'name': 'photoreceptor connecting cilium', - 'def': "The portion of the photoreceptor cell cilium linking the photoreceptor inner and outer segments. It's considered to be equivalent to the ciliary transition zone. [GOC:cilia, PMID:15917207, PMID:22653444, PMID:8718680]" - }, - 'GO:0032392': { - 'name': 'DNA geometric change', - 'def': 'The process in which a transformation is induced in the geometry of a DNA double helix, resulting in a change in twist, writhe, or both, but with no change in linking number. Includes the unwinding of double-stranded DNA by helicases. [GOC:mah]' - }, - 'GO:0032393': { - 'name': 'MHC class I receptor activity', - 'def': 'Combining with an MHC class I protein complex to initiate a change in cellular activity. Class I here refers to classical class I molecules. [GOC:add, ISBN:0781735149]' - }, - 'GO:0032394': { - 'name': 'MHC class Ib receptor activity', - 'def': 'Combining with an MHC class Ib protein complex and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. Class Ib here refers to non-classical class I molecules, such as those of the CD1 or HLA-E gene families. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0032395': { - 'name': 'MHC class II receptor activity', - 'def': 'Combining with an MHC class II protein complex and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, ISBN:0781735149]' - }, - 'GO:0032396': { - 'name': 'inhibitory MHC class I receptor activity', - 'def': 'Combining with a MHC class I protein complex to mediate signaling that inhibits activation of a lymphocyte. [GOC:add, PMID:11858820, PMID:9368779, PMID:9597134]' - }, - 'GO:0032397': { - 'name': 'activating MHC class I receptor activity', - 'def': 'Combining with a MHC class I protein complex to mediate signaling that activates a lymphocyte. [GOC:add, PMID:11858820, PMID:9597134]' - }, - 'GO:0032398': { - 'name': 'MHC class Ib protein complex', - 'def': 'A transmembrane protein complex composed of a MHC class Ib alpha chain and, in most cases, an invariant beta2-microglobin chain, and with or without a bound peptide or lipid antigen. Class Ib here refers to non-classical class I molecules, such as those of the CD1 or HLA-E gene families. [GOC:add, ISBN:0781735149, PMID:15928678]' - }, - 'GO:0032399': { - 'name': 'HECT domain binding', - 'def': "Interacting selectively and non-covalently with a HECT, 'Homologous to the E6-AP Carboxyl Terminus', domain of a protein. [GOC:mah, Pfam:PF00632]" - }, - 'GO:0032400': { - 'name': 'melanosome localization', - 'def': 'Any process in which a melanosome is transported to, and/or maintained in, a specific location within the cell. [GOC:ln]' - }, - 'GO:0032401': { - 'name': 'establishment of melanosome localization', - 'def': 'The directed movement of a melanosome to a specific location. [GOC:mah]' - }, - 'GO:0032402': { - 'name': 'melanosome transport', - 'def': 'The directed movement of melanosomes into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ln]' - }, - 'GO:0032403': { - 'name': 'protein complex binding', - 'def': 'Interacting selectively and non-covalently with any protein complex (a complex of two or more proteins that may include other nonprotein molecules). [GOC:mah]' - }, - 'GO:0032404': { - 'name': 'mismatch repair complex binding', - 'def': 'Interacting selectively and non-covalently with a mismatch repair complex. [GOC:vk]' - }, - 'GO:0032405': { - 'name': 'MutLalpha complex binding', - 'def': 'Interacting selectively and non-covalently with the mismatch repair complex MutLalpha. [GOC:vk]' - }, - 'GO:0032406': { - 'name': 'MutLbeta complex binding', - 'def': 'Interacting selectively and non-covalently with the mismatch repair complex MutLbeta. [GOC:vk]' - }, - 'GO:0032407': { - 'name': 'MutSalpha complex binding', - 'def': 'Interacting selectively and non-covalently with the mismatch repair complex MutSalpha. [GOC:vk]' - }, - 'GO:0032408': { - 'name': 'MutSbeta complex binding', - 'def': 'Interacting selectively and non-covalently with the mismatch repair complex MutSbeta. [GOC:vk]' - }, - 'GO:0032409': { - 'name': 'regulation of transporter activity', - 'def': 'Any process that modulates the activity of a transporter. [GOC:mah]' - }, - 'GO:0032410': { - 'name': 'negative regulation of transporter activity', - 'def': 'Any process that stops or reduces the activity of a transporter. [GOC:mah]' - }, - 'GO:0032411': { - 'name': 'positive regulation of transporter activity', - 'def': 'Any process that activates or increases the activity of a transporter. [GOC:mah]' - }, - 'GO:0032412': { - 'name': 'regulation of ion transmembrane transporter activity', - 'def': 'Any process that modulates the activity of an ion transporter. [GOC:mah, GOC:tb]' - }, - 'GO:0032413': { - 'name': 'negative regulation of ion transmembrane transporter activity', - 'def': 'Any process that stops or reduces the activity of an ion transporter. [GOC:mah, GOC:tb]' - }, - 'GO:0032414': { - 'name': 'positive regulation of ion transmembrane transporter activity', - 'def': 'Any process that activates or increases the activity of an ion transporter. [GOC:mah, GOC:tb]' - }, - 'GO:0032415': { - 'name': 'regulation of sodium:proton antiporter activity', - 'def': 'Any process that modulates the activity of a sodium:hydrogen antiporter, which catalyzes the reaction: Na+(out) + H+(in) = Na+(in) + H+(out). [GOC:mah, GOC:mtg_transport]' - }, - 'GO:0032416': { - 'name': 'negative regulation of sodium:proton antiporter activity', - 'def': 'Any process that stops or reduces the activity of a sodium:hydrogen antiporter, which catalyzes the reaction: Na+(out) + H+(in) = Na+(in) + H+(out). [GOC:mah]' - }, - 'GO:0032417': { - 'name': 'positive regulation of sodium:proton antiporter activity', - 'def': 'Any process that activates or increases the activity of a sodium:hydrogen antiporter, which catalyzes the reaction: Na+(out) + H+(in) = Na+(in) + H+(out). [GOC:mah]' - }, - 'GO:0032418': { - 'name': 'lysosome localization', - 'def': 'Any process in which a lysosome is transported to, and/or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0032419': { - 'name': 'extrinsic component of lysosome membrane', - 'def': 'The component of an lysosome membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:mah]' - }, - 'GO:0032420': { - 'name': 'stereocilium', - 'def': 'An actin-based protrusion from the apical surface of auditory and vestibular hair cells and of neuromast cells. These protrusions are supported by a bundle of cross-linked actin filaments (an actin cable), oriented such that the plus (barbed) ends are at the tip of the protrusion, capped by a tip complex which bridges to the plasma. Bundles of stereocilia act as mechanosensory organelles. [GOC:ecd, PMID:15661519, PMID:7840137]' - }, - 'GO:0032421': { - 'name': 'stereocilium bundle', - 'def': 'A bundle of cross-linked stereocilia, arranged around a kinocilium on the apical surface of a sensory hair cell (e.g. a neuromast, auditory or vestibular hair cell). Stereocilium bundles act as mechanosensory organelles by responding to fluid motion or fluid pressure changes. [GOC:ecd, PMID:15661519, PMID:7840137]' - }, - 'GO:0032422': { - 'name': 'purine-rich negative regulatory element binding', - 'def': 'Interacting selectively and non-covalently with a 30-bp purine-rich negative regulatory element; the best characterized such element is found in the first intronic region of the rat cardiac alpha-myosin heavy chain gene, and contains two palindromic high-affinity Ets-binding sites (CTTCCCTGGAAG). The presence of this element restricts expression of the gene containing it to cardiac myocytes. [GOC:mah, PMID:9819411]' - }, - 'GO:0032423': { - 'name': 'regulation of mismatch repair', - 'def': 'Any process that modulates the frequency, rate or extent of mismatch repair. [GOC:vk]' - }, - 'GO:0032424': { - 'name': 'negative regulation of mismatch repair', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mismatch repair. [GOC:vk]' - }, - 'GO:0032425': { - 'name': 'positive regulation of mismatch repair', - 'def': 'Any process that activates or increases the frequency, rate or extent of mismatch repair. [GOC:vk]' - }, - 'GO:0032426': { - 'name': 'stereocilium tip', - 'def': 'A distinct compartment at the tip of a stereocilium, distal to the site of attachment to the apical cell surface. It consists of a dense matrix bridging the barbed ends of the stereocilium actin filaments with the overlying plasma membrane. [GOC:ecd, PMID:17021180]' - }, - 'GO:0032427': { - 'name': 'GBD domain binding', - 'def': 'Interacting selectively and non-covalently with the GTPase protein binding domain (GDB) domain of a protein. The GBD is a short motif, including a minimum region of 16 amino acids, identified in proteins that bind to small GTPases such as Cdc42 and Rac. [GOC:mah, GOC:pg, PMID:9119069]' - }, - 'GO:0032428': { - 'name': 'beta-N-acetylgalactosaminidase activity', - 'def': 'Catalysis of the hydrolysis of terminal non-reducing N-acetyl-D-galactosamine residues in N-acetyl-beta-D-galactosaminides. [EC:3.2.1.53]' - }, - 'GO:0032429': { - 'name': 'regulation of phospholipase A2 activity', - 'def': 'Any process that modulates the activity of the enzyme phospholipase A2. [GOC:mah]' - }, - 'GO:0032430': { - 'name': 'positive regulation of phospholipase A2 activity', - 'def': 'Any process that activates or increases the activity of the enzyme phospholipase A2. [GOC:mah]' - }, - 'GO:0032431': { - 'name': 'activation of phospholipase A2 activity', - 'def': 'Any process that initiates the activity of the inactive enzyme phospholipase A2. [GOC:mah]' - }, - 'GO:0032432': { - 'name': 'actin filament bundle', - 'def': 'An assembly of actin filaments that are on the same axis but may be oriented with the same or opposite polarities and may be packed with different levels of tightness. [GOC:mah]' - }, - 'GO:0032433': { - 'name': 'filopodium tip', - 'def': 'The end of a filopodium distal to the body of the cell. [GOC:mah]' - }, - 'GO:0032434': { - 'name': 'regulation of proteasomal ubiquitin-dependent protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by the covalent attachment of ubiquitin, and mediated by the proteasome. [GOC:mah]' - }, - 'GO:0032435': { - 'name': 'negative regulation of proteasomal ubiquitin-dependent protein catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by the covalent attachment of ubiquitin, and mediated by the proteasome. [GOC:mah]' - }, - 'GO:0032436': { - 'name': 'positive regulation of proteasomal ubiquitin-dependent protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by the covalent attachment of ubiquitin, and mediated by the proteasome. [GOC:mah]' - }, - 'GO:0032437': { - 'name': 'cuticular plate', - 'def': 'A dense network of actin filaments found beneath the apical cell surface of hair cells, and into which stereocilia are inserted. [PMID:12485990, PMID:2592408, PMID:8071151]' - }, - 'GO:0032438': { - 'name': 'melanosome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a melanosome. A melanosome is a tissue-specific, membrane-bounded cytoplasmic organelle within which melanin pigments are synthesized and stored. [GOC:vk]' - }, - 'GO:0032439': { - 'name': 'endosome localization', - 'def': 'Any process in which endosomes are transported to, and/or maintained in, a specific location within the cell. [GOC:ecd]' - }, - 'GO:0032440': { - 'name': '2-alkenal reductase [NAD(P)] activity', - 'def': 'Catalysis of the reaction: n-alkanal + NAD(P)+ = alk-2-enal + NAD(P)H + H+. [EC:1.3.1.74, PMID:16299173]' - }, - 'GO:0032441': { - 'name': 'pheophorbide a oxygenase activity', - 'def': 'Catalysis of the reaction: pheophorbide a + reduced ferredoxin + 2 O2 = red chlorophyll catabolite + oxidized ferredoxin + H2O. [PMID:14657372, PMID:16448336]' - }, - 'GO:0032442': { - 'name': 'phenylcoumaran benzylic ether reductase activity', - 'def': "Catalysis of the NADPH-dependent 7-O-4' reduction of phenylcoumaran lignans to the corresponding diphenols; for example, catalysis of the reaction: dehydrodiconiferyl alcohol + NADPH + H+ = isodihydrodehydrodiconiferyl alcohol + NADP+. [PMID:11030549, PMID:13129921]" - }, - 'GO:0032443': { - 'name': 'regulation of ergosterol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of ergosterol. [GOC:mah]' - }, - 'GO:0032444': { - 'name': 'activin responsive factor complex', - 'def': 'A transcriptionally active complex that binds to an activin response element (ARE) in the promoter of target genes, and is composed of two SMAD2 proteins, one SMAD4 protein and a Forkhead activin signal transducer (FAST) transcription factor. [PMID:12374795, PMID:9288972]' - }, - 'GO:0032445': { - 'name': 'fructose import', - 'def': 'The directed movement of the hexose monosaccharide fructose into a cell or organelle. [GOC:mah]' - }, - 'GO:0032446': { - 'name': 'protein modification by small protein conjugation', - 'def': 'A protein modification process in which one or more groups of a small protein, such as ubiquitin or a ubiquitin-like protein, are covalently attached to a target protein. [GOC:mah]' - }, - 'GO:0032447': { - 'name': 'protein urmylation', - 'def': 'Covalent attachment of the ubiquitin-like protein URM1 to another protein. [GOC:vw]' - }, - 'GO:0032448': { - 'name': 'DNA hairpin binding', - 'def': 'Interacting selectively and non-covalently with DNA containing a hairpin. A hairpin structure forms when a DNA strand folds back on itself and intrachain base pairing occurs between inverted repeat sequences. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0032449': { - 'name': 'CBM complex', - 'def': 'A protein complex comprising Carma1, Bcl10 and MALT1; plays a role in signal transduction during NF-kappaB activation. [PMID:12909454]' - }, - 'GO:0032450': { - 'name': 'maltose alpha-glucosidase activity', - 'def': 'Catalysis of the reaction: alpha-maltose + H2O = 2 alpha-D-glucose. [MetaCyc:RXN-2141]' - }, - 'GO:0032451': { - 'name': 'demethylase activity', - 'def': 'Catalysis of the removal of a methyl group from a substrate. [GOC:mah]' - }, - 'GO:0032452': { - 'name': 'histone demethylase activity', - 'def': 'Catalysis of the removal of a methyl group from a histone. [GOC:mah]' - }, - 'GO:0032453': { - 'name': 'histone demethylase activity (H3-K4 specific)', - 'def': 'Catalysis of the removal of a methyl group from lysine at position 4 of the histone H3 protein. [GOC:mah]' - }, - 'GO:0032454': { - 'name': 'histone demethylase activity (H3-K9 specific)', - 'def': 'Catalysis of the reaction: histone H3 N6-methyl-L-lysine (position 9) + alpha-ketoglutarate + O2 = succinate + CO2 + formaldehyde + lysine. This reaction is the removal of a methyl group from lysine at position 9 of the histone H3 protein. [PMID:16362057]' - }, - 'GO:0032455': { - 'name': 'nerve growth factor processing', - 'def': 'The generation of a mature nerve growth factor (NGF) by proteolysis of a precursor. [GOC:mah, PMID:8615794]' - }, - 'GO:0032456': { - 'name': 'endocytic recycling', - 'def': 'The directed movement of membrane-bounded vesicles from recycling endosomes back to the plasma membrane where they are recycled for further rounds of transport. [GOC:ecd, PMID:16473635]' - }, - 'GO:0032457': { - 'name': 'fast endocytic recycling', - 'def': 'The directed movement of membrane-bounded vesicles from peripheral endocytic compartments back to the plasma membrane where they are recycled for further rounds of transport. [GOC:ecd, PMID:16473635]' - }, - 'GO:0032458': { - 'name': 'slow endocytic recycling', - 'def': 'The directed movement of membrane-bounded vesicles from deep (non-peripheral) compartments endocytic compartments back to the plasma membrane where they are recycled for further rounds of transport. [GOC:ecd, PMID:16473635]' - }, - 'GO:0032459': { - 'name': 'regulation of protein oligomerization', - 'def': 'Any process that modulates the frequency, rate or extent of protein oligomerization. [GOC:mah]' - }, - 'GO:0032460': { - 'name': 'negative regulation of protein oligomerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein oligomerization. [GOC:mah]' - }, - 'GO:0032461': { - 'name': 'positive regulation of protein oligomerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein oligomerization. [GOC:mah]' - }, - 'GO:0032462': { - 'name': 'regulation of protein homooligomerization', - 'def': 'Any process that modulates the frequency, rate or extent of protein homooligomerization. [GOC:mah]' - }, - 'GO:0032463': { - 'name': 'negative regulation of protein homooligomerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein homooligomerization. [GOC:mah]' - }, - 'GO:0032464': { - 'name': 'positive regulation of protein homooligomerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein homooligomerization. [GOC:mah]' - }, - 'GO:0032465': { - 'name': 'regulation of cytokinesis', - 'def': 'Any process that modulates the frequency, rate or extent of the division of the cytoplasm of a cell and its separation into two daughter cells. [GOC:mah]' - }, - 'GO:0032466': { - 'name': 'negative regulation of cytokinesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the division of the cytoplasm of a cell, and its separation into two daughter cells. [GOC:mah]' - }, - 'GO:0032467': { - 'name': 'positive regulation of cytokinesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of the division of the cytoplasm of a cell, and its separation into two daughter cells. [GOC:mah]' - }, - 'GO:0032468': { - 'name': 'Golgi calcium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of calcium ions within the Golgi apparatus of a cell or between the Golgi and its surroundings. [GOC:mah]' - }, - 'GO:0032469': { - 'name': 'endoplasmic reticulum calcium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of calcium ions within the endoplasmic reticulum of a cell or between the endoplasmic reticulum and its surroundings. [GOC:mah]' - }, - 'GO:0032470': { - 'name': 'positive regulation of endoplasmic reticulum calcium ion concentration', - 'def': 'Any process that increases the concentration of calcium ions in the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0032471': { - 'name': 'negative regulation of endoplasmic reticulum calcium ion concentration', - 'def': 'Any process that decreases the concentration of calcium ions in the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0032472': { - 'name': 'Golgi calcium ion transport', - 'def': 'The directed movement of calcium ions (Ca2+) into, out of or within the Golgi apparatus. [GOC:mah]' - }, - 'GO:0032473': { - 'name': 'cytoplasmic side of mitochondrial outer membrane', - 'def': 'The external (cytoplasmic) face of the mitochondrial outer membrane. [GOC:mah]' - }, - 'GO:0032474': { - 'name': 'otolith morphogenesis', - 'def': 'The process in which the anatomical structures of an otolith are generated and organized. [GOC:dgh]' - }, - 'GO:0032475': { - 'name': 'otolith formation', - 'def': 'The process that gives rise to an otolith. This process pertains to the initial formation of a structure from unspecified parts. [GOC:dgh]' - }, - 'GO:0032476': { - 'name': 'decaprenyl diphosphate synthase complex', - 'def': 'A complex that possesses di-trans,poly-cis-decaprenylcistransferase activity; involved in ubiquinone biosynthesis. [GOC:mah, PMID:14519123]' - }, - 'GO:0032477': { - 'name': 'homodimeric decaprenyl diphosphate synthase complex', - 'def': 'A homodimeric complex that possesses di-trans,poly-cis-decaprenylcistransferase activity; involved in ubiquinone biosynthesis. [PMID:14519123]' - }, - 'GO:0032478': { - 'name': 'heterotetrameric decaprenyl diphosphate synthase complex', - 'def': 'A heterotetrameric complex located in the mitochondrial inner membrane that possesses di-trans,poly-cis-decaprenylcistransferase activity; involved in ubiquinone biosynthesis. In S. pombe it is a heterotetramer of Dlp1 and Dps1. [PMID:14519123]' - }, - 'GO:0032479': { - 'name': 'regulation of type I interferon production', - 'def': 'Any process that modulates the frequency, rate, or extent of interferon type I production. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:add, GOC:mah]' - }, - 'GO:0032480': { - 'name': 'negative regulation of type I interferon production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of type I interferon production. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:add, GOC:mah]' - }, - 'GO:0032481': { - 'name': 'positive regulation of type I interferon production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of type I interferon production. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:add, GOC:mah]' - }, - 'GO:0032482': { - 'name': 'Rab protein signal transduction', - 'def': 'A series of molecular signals within the cell that are mediated by a member of the Rab family of proteins switching to a GTP-bound active state. [GOC:mah]' - }, - 'GO:0032483': { - 'name': 'regulation of Rab protein signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of Rab protein signal transduction. [GOC:mah]' - }, - 'GO:0032484': { - 'name': 'Ral protein signal transduction', - 'def': 'A series of molecular signals within the cell that are mediated by a member of the Ral family of proteins switching to a GTP-bound active state. [GOC:mah]' - }, - 'GO:0032485': { - 'name': 'regulation of Ral protein signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of Ral protein signal transduction. [GOC:mah]' - }, - 'GO:0032486': { - 'name': 'Rap protein signal transduction', - 'def': 'A series of molecular signals within the cell that are mediated by a member of the Rap family of proteins switching to a GTP-bound active state. [GOC:mah]' - }, - 'GO:0032487': { - 'name': 'regulation of Rap protein signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of Rap protein signal transduction. [GOC:mah]' - }, - 'GO:0032488': { - 'name': 'Cdc42 protein signal transduction', - 'def': 'A series of molecular signals within the cell that are mediated by the Cdc42 protein switching to a GTP-bound active state. [GOC:mah, PMID:18558478]' - }, - 'GO:0032489': { - 'name': 'regulation of Cdc42 protein signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of Cdc42 protein signal transduction. [GOC:mah]' - }, - 'GO:0032490': { - 'name': 'detection of molecule of bacterial origin', - 'def': 'The series of events in which a stimulus from a molecule of bacterial origin is received and converted into a molecular signal. [GOC:add, GOC:rl]' - }, - 'GO:0032491': { - 'name': 'detection of molecule of fungal origin', - 'def': 'The series of events in which a stimulus from a molecule of fungal origin is received and converted into a molecular signal. [GOC:mah, GOC:rl]' - }, - 'GO:0032492': { - 'name': 'detection of molecule of oomycetes origin', - 'def': 'The series of events in which a stimulus from a molecule of oomycetes origin is received and converted into a molecular signal. [GOC:mah, GOC:rl]' - }, - 'GO:0032493': { - 'name': 'response to bacterial lipoprotein', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bacterial lipoprotein stimulus. [GOC:add, PMID:12077222]' - }, - 'GO:0032494': { - 'name': 'response to peptidoglycan', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a peptidoglycan stimulus. Peptidoglycan is a bacterial cell wall macromolecule. [GOC:add, ISBN:0721601464]' - }, - 'GO:0032495': { - 'name': 'response to muramyl dipeptide', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a muramyl dipeptide stimulus. Muramyl dipeptide is derived from peptidoglycan. [GOC:add]' - }, - 'GO:0032496': { - 'name': 'response to lipopolysaccharide', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipopolysaccharide stimulus; lipopolysaccharide is a major component of the cell wall of gram-negative bacteria. [GOC:add, ISBN:0721601464]' - }, - 'GO:0032497': { - 'name': 'detection of lipopolysaccharide', - 'def': 'The series of events in which a lipopolysaccharide stimulus is received by a cell and converted into a molecular signal. Lipopolysaccharide is a major component of the cell wall of gram-negative bacteria. [GOC:add, PMID:15998797]' - }, - 'GO:0032498': { - 'name': 'detection of muramyl dipeptide', - 'def': 'The series of events in which a muramyl dipeptide stimulus is received by a cell and converted into a molecular signal. Muramyl dipeptide is derived from peptidoglycan. [GOC:rl, PMID:15998797]' - }, - 'GO:0032499': { - 'name': 'detection of peptidoglycan', - 'def': 'The series of events in which a peptidoglycan stimulus is received by a cell and converted into a molecular signal. Peptidoglycan is a bacterial cell wall macromolecule. [GOC:add, ISBN:0721601464]' - }, - 'GO:0032500': { - 'name': 'muramyl dipeptide binding', - 'def': 'Interacting selectively and non-covalently, in a non-covalent manner, with muramyl dipeptide; muramyl dipeptide is derived from peptidoglycan. [GOC:rl]' - }, - 'GO:0032501': { - 'name': 'multicellular organismal process', - 'def': 'Any biological process, occurring at the level of a multicellular organism, pertinent to its function. [GOC:curators, GOC:dph, GOC:isa_complete, GOC:tb]' - }, - 'GO:0032502': { - 'name': 'developmental process', - 'def': 'A biological process whose specific outcome is the progression of an integrated living unit: an anatomical structure (which may be a subcellular structure, cell, tissue, or organ), or organism over time from an initial condition to a later condition. [GOC:isa_complete]' - }, - 'GO:0032504': { - 'name': 'multicellular organism reproduction', - 'def': 'The biological process in which new individuals are produced by one or two multicellular organisms. The new individuals inherit some proportion of their genetic material from the parent or parents. [GOC:isa_complete, GOC:jid]' - }, - 'GO:0032505': { - 'name': 'reproduction of a single-celled organism', - 'def': 'The biological process in which new individuals are produced by one or two single-celled organisms. The new individuals inherit some proportion of their genetic material from the parent or parents. [GOC:isa_complete]' - }, - 'GO:0032506': { - 'name': 'cytokinetic process', - 'def': 'A cellular process that is involved in cytokinesis (the division of the cytoplasm of a cell and its separation into two daughter cells). [GOC:bf, GOC:isa_complete, GOC:mah]' - }, - 'GO:0032507': { - 'name': 'maintenance of protein location in cell', - 'def': 'Any process in which a protein is maintained in a specific location within, or in the membrane of, a cell, and is prevented from moving elsewhere. [GOC:isa_complete, GOC:mah]' - }, - 'GO:0032508': { - 'name': 'DNA duplex unwinding', - 'def': "The process in which interchain hydrogen bonds between two strands of DNA are broken or 'melted', generating a region of unpaired single strands. [GOC:isa_complete, GOC:mah]" - }, - 'GO:0032509': { - 'name': 'endosome transport via multivesicular body sorting pathway', - 'def': 'The directed movement of substances from endosomes to lysosomes or vacuoles by a pathway in which molecules are sorted into multivesicular bodies, which then fuse with the target compartment. [GOC:mah, PMID:12461556, PMID:16689637]' - }, - 'GO:0032510': { - 'name': 'endosome to lysosome transport via multivesicular body sorting pathway', - 'def': 'The directed movement of substances from endosomes to lysosomes by a pathway in which molecules are sorted into multivesicular bodies, which then fuse with the lysosome. [GOC:mah, PMID:12461556, PMID:16689637]' - }, - 'GO:0032511': { - 'name': 'late endosome to vacuole transport via multivesicular body sorting pathway', - 'def': 'The directed movement of substances from endosomes to vacuoles by a pathway in which molecules are sorted into multivesicular bodies, which then fuse with the vacuole. [GOC:mah, PMID:12461556, PMID:16689637]' - }, - 'GO:0032515': { - 'name': 'negative regulation of phosphoprotein phosphatase activity', - 'def': 'Any process that stops or reduces the activity of a phosphoprotein phosphatase. [GOC:mah]' - }, - 'GO:0032516': { - 'name': 'positive regulation of phosphoprotein phosphatase activity', - 'def': 'Any process that activates or increases the activity of a phosphoprotein phosphatase. [GOC:mah]' - }, - 'GO:0032517': { - 'name': 'SOD1-calcineurin complex', - 'def': 'A protein complex formed by the association of superoxide dismutase 1 (SOD1) with calcineurin; complex formation is implicated in activation of calcineurin by SOD1. [GOC:mah, PMID:17324120]' - }, - 'GO:0032518': { - 'name': 'amino acid-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + amino acid(in) -> ADP + phosphate + amino acid(out). [GOC:mah]' - }, - 'GO:0032519': { - 'name': 'cysteine-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + cysteine(in) -> ADP + phosphate + cysteine(out). [GOC:mah]' - }, - 'GO:0032520': { - 'name': 'amino acid-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + amino acid(out) -> ADP + phosphate + amino acid(in). [GOC:mah]' - }, - 'GO:0032521': { - 'name': 'D-methionine-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + D-methionine(in) -> ADP + phosphate + D-methionine(out). [GOC:mah]' - }, - 'GO:0032522': { - 'name': 'D-methionine-importing ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + D-methionine(out) -> ADP + phosphate + D-methionine(in). [GOC:mah]' - }, - 'GO:0032523': { - 'name': 'silicon efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of silicon from the inside of the cell to the outside of the cell across a membrane. [GOC:mah, PMID:17625566]' - }, - 'GO:0032524': { - 'name': 'obsolete nutrient export', - 'def': 'OBSOLETE. The directed movement of nutrients out of a cell or organelle. [GOC:mah]' - }, - 'GO:0032525': { - 'name': 'somite rostral/caudal axis specification', - 'def': 'The establishment, maintenance and elaboration of the rostro-caudal axis of a somite, prior to the morphological formation of a somite boundary. [GOC:bf, PMID:16326386, PMID:17360776]' - }, - 'GO:0032526': { - 'name': 'response to retinoic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a retinoic acid stimulus. [GOC:sl]' - }, - 'GO:0032527': { - 'name': 'protein exit from endoplasmic reticulum', - 'def': 'The directed movement of proteins from the endoplasmic reticulum. [GOC:rb]' - }, - 'GO:0032528': { - 'name': 'microvillus organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a microvillus, a thin cylindrical membrane-covered projection on the surface of a cell. [GOC:mah]' - }, - 'GO:0032529': { - 'name': 'follicle cell microvillus organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a microvillus on a follicle cell. A microvillus is a thin cylindrical membrane-covered projection on the surface of an animal cell containing a core bundle of actin filaments. [GOC:sart, PMID:16507588]' - }, - 'GO:0032530': { - 'name': 'regulation of microvillus organization', - 'def': 'Any process that modulates the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of a microvillus. [GOC:mah]' - }, - 'GO:0032531': { - 'name': 'regulation of follicle cell microvillus organization', - 'def': 'Any process that modulates the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of a microvillus on a follicle cell. [GOC:mah]' - }, - 'GO:0032532': { - 'name': 'regulation of microvillus length', - 'def': 'A process that modulates the length of a microvillus. [GOC:mah]' - }, - 'GO:0032533': { - 'name': 'regulation of follicle cell microvillus length', - 'def': 'A process that modulates the length of a microvillus on a follicle cell. [GOC:sart, PMID:16260500]' - }, - 'GO:0032534': { - 'name': 'regulation of microvillus assembly', - 'def': 'A process that modulates the formation of a microvillus. [GOC:mah]' - }, - 'GO:0032535': { - 'name': 'regulation of cellular component size', - 'def': 'A process that modulates the size of a cellular component. [GOC:mah]' - }, - 'GO:0032536': { - 'name': 'regulation of cell projection size', - 'def': 'A process that modulates the size of a cell projection. [GOC:mah]' - }, - 'GO:0032537': { - 'name': 'host-seeking behavior', - 'def': 'The specific behavior of an organism that are associated with finding a host organism; may include behavioral responses to light, temperature, or chemical emanations from the prospective host. [GOC:mah, GOC:pr, PMID:11931033]' - }, - 'GO:0032538': { - 'name': 'regulation of host-seeking behavior', - 'def': 'Any process that modulates the frequency, rate or extent of any behavior associated with finding a host organism. [GOC:mah]' - }, - 'GO:0032539': { - 'name': 'negative regulation of host-seeking behavior', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of any behavior associated with finding a host organism. [GOC:mah]' - }, - 'GO:0032540': { - 'name': 'positive regulation of host-seeking behavior', - 'def': 'Any process that activates or increases the frequency, rate or extent of any behavior associated with finding a host organism. [GOC:mah]' - }, - 'GO:0032541': { - 'name': 'cortical endoplasmic reticulum', - 'def': 'A cortical network of highly dynamic tubules that are juxtaposed to the plasma membrane and undergo ring closure and tubule-branching movements. [GOC:se, PMID:10931860, PMID:17686782]' - }, - 'GO:0032542': { - 'name': 'sulfiredoxin activity', - 'def': 'Catalysis of the reaction: peroxiredoxin-(S-hydroxy-S-oxocysteine) + ATP + 2 R-SH = peroxiredoxin-(S-hydroxycysteine) + ADP + phosphate + R-S-S-R. [EC:1.8.98.2, PMID:16102934]' - }, - 'GO:0032543': { - 'name': 'mitochondrial translation', - 'def': 'The chemical reactions and pathways resulting in the formation of a protein in a mitochondrion. This is a ribosome-mediated process in which the information in messenger RNA (mRNA) is used to specify the sequence of amino acids in the protein; the mitochondrion has its own ribosomes and transfer RNAs, and uses a genetic code that differs from the nuclear code. [GOC:go_curators]' - }, - 'GO:0032544': { - 'name': 'plastid translation', - 'def': 'The chemical reactions and pathways resulting in the formation of a protein in a plastid. This is a ribosome-mediated process in which the information in messenger RNA (mRNA) is used to specify the sequence of amino acids in the protein; the plastid has its own ribosomes and transfer RNAs, and uses a genetic code that differs from the nuclear code. [GOC:go_curators]' - }, - 'GO:0032545': { - 'name': 'CURI complex', - 'def': 'A protein complex that is involved in the transcription of ribosomal genes. In Saccharomyces this complex consists of Ckb2p, Utp22p, Rrp7p and Ifh1p. [PMID:17452446]' - }, - 'GO:0032546': { - 'name': 'deoxyribonucleoside binding', - 'def': 'Interacting selectively and non-covalently with a deoxyribonucleoside, a compound consisting of a purine or pyrimidine nitrogenous base linked to deoxyribose. [GOC:mah]' - }, - 'GO:0032547': { - 'name': 'purine deoxyribonucleoside binding', - 'def': 'Interacting selectively and non-covalently with a purine deoxyribonucleoside, a compound consisting of a purine base linked to deoxyribose. [GOC:mah]' - }, - 'GO:0032548': { - 'name': 'pyrimidine deoxyribonucleoside binding', - 'def': 'Interacting selectively and non-covalently with a pyrimidine deoxyribonucleoside, a compound consisting of a pyrimidine base linked to deoxyribose. [GOC:mah]' - }, - 'GO:0032549': { - 'name': 'ribonucleoside binding', - 'def': 'Interacting selectively and non-covalently with a ribonucleoside, a compound consisting of a purine or pyrimidine nitrogenous base linked to ribose. [GOC:mah]' - }, - 'GO:0032550': { - 'name': 'purine ribonucleoside binding', - 'def': 'Interacting selectively and non-covalently with a purine ribonucleoside, a compound consisting of a purine base linked to ribose. [GOC:mah]' - }, - 'GO:0032551': { - 'name': 'pyrimidine ribonucleoside binding', - 'def': 'Interacting selectively and non-covalently with a pyrimidine ribonucleoside, a compound consisting of a pyrimidine base linked to ribose. [GOC:mah]' - }, - 'GO:0032552': { - 'name': 'deoxyribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with a deoxyribonucleotide, any compound consisting of a deoxyribonucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the deoxyribose moiety. [GOC:mah]' - }, - 'GO:0032553': { - 'name': 'ribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with a ribonucleotide, any compound consisting of a ribonucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the ribose moiety. [GOC:mah]' - }, - 'GO:0032554': { - 'name': 'purine deoxyribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with a purine deoxyribonucleotide, any compound consisting of a purine deoxyribonucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the deoxyribose moiety. [GOC:mah]' - }, - 'GO:0032555': { - 'name': 'purine ribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with a purine ribonucleotide, any compound consisting of a purine ribonucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the ribose moiety. [GOC:mah]' - }, - 'GO:0032556': { - 'name': 'pyrimidine deoxyribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with a pyrimidine deoxyribonucleotide, any compound consisting of a pyrimidine deoxyribonucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the deoxyribose moiety. [GOC:mah]' - }, - 'GO:0032557': { - 'name': 'pyrimidine ribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with a pyrimidine ribonucleotide, any compound consisting of a pyrimidine ribonucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the ribose moiety. [GOC:mah]' - }, - 'GO:0032558': { - 'name': 'adenyl deoxyribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with an adenyl deoxyribonucleotide, any compound consisting of adenosine esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the deoxyribose moiety. [GOC:mah]' - }, - 'GO:0032559': { - 'name': 'adenyl ribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with an adenyl ribonucleotide, any compound consisting of adenosine esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the ribose moiety. [GOC:mah]' - }, - 'GO:0032560': { - 'name': 'guanyl deoxyribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with a guanyl deoxyribonucleotide, any compound consisting of guanosine esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the deoxyribose moiety. [GOC:mah]' - }, - 'GO:0032561': { - 'name': 'guanyl ribonucleotide binding', - 'def': 'Interacting selectively and non-covalently with a guanyl ribonucleotide, any compound consisting of guanosine esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the ribose moiety. [GOC:mah]' - }, - 'GO:0032562': { - 'name': 'dAMP binding', - 'def': 'Interacting selectively and non-covalently with dAMP, deoxyadenosine monophosphate. [GOC:mah]' - }, - 'GO:0032563': { - 'name': 'dADP binding', - 'def': 'Interacting selectively and non-covalently with dADP, deoxyadenosine diphosphate. [GOC:mah]' - }, - 'GO:0032564': { - 'name': 'dATP binding', - 'def': 'Interacting selectively and non-covalently with dATP, deoxyadenosine triphosphate. [GOC:mah]' - }, - 'GO:0032565': { - 'name': 'dGMP binding', - 'def': 'Interacting selectively and non-covalently with dGMP, deoxyguanosine monophosphate. [GOC:mah]' - }, - 'GO:0032566': { - 'name': 'dGDP binding', - 'def': 'Interacting selectively and non-covalently with dGDP, deoxyguanosine diphosphate. [GOC:mah]' - }, - 'GO:0032567': { - 'name': 'dGTP binding', - 'def': 'Interacting selectively and non-covalently with dGTP, deoxyguanosine triphosphate. [GOC:mah]' - }, - 'GO:0032570': { - 'name': 'response to progesterone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a progesterone stimulus. [GOC:sl]' - }, - 'GO:0032571': { - 'name': 'response to vitamin K', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin K stimulus. [GOC:sl]' - }, - 'GO:0032572': { - 'name': 'response to menaquinone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a menaquinone (vitamin K2) stimulus. [GOC:sl]' - }, - 'GO:0032573': { - 'name': 'response to phylloquinone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a phylloquinone (vitamin K1) stimulus. [GOC:sl]' - }, - 'GO:0032574': { - 'name': "5'-3' RNA helicase activity", - 'def': "Catalysis of the unwinding of an RNA helix in the direction 5' to 3'. [GOC:jp]" - }, - 'GO:0032575': { - 'name': "ATP-dependent 5'-3' RNA helicase activity", - 'def': "Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction drives the unwinding of an RNA helix in the direction 5' to 3'. [GOC:jp]" - }, - 'GO:0032576': { - 'name': 'O-linoleoyltransferase activity', - 'def': 'Catalysis of the transfer of a linoleoyl ((9Z,12Z)-octadeca-9,12-dienoyl) group to an oxygen atom on the acceptor molecule. [GOC:cb]' - }, - 'GO:0032577': { - 'name': 'phosphatidylcholine:cardiolipin O-linoleoyltransferase activity', - 'def': 'Catalysis of the transfer of a linoleoyl ((9Z,12Z)-octadeca-9,12-dienoyl) group from phosphatidylcholine to an oxygen atom on a cardiolipin molecule. [GOC:cb, GOC:mah]' - }, - 'GO:0032578': { - 'name': 'aleurone grain membrane', - 'def': 'The lipid bilayer surrounding an aleurone grain. [GOC:ecd]' - }, - 'GO:0032579': { - 'name': 'apical lamina of hyaline layer', - 'def': 'A fibrous network that is part of the hyalin layer extracellular matrix. The apical lamina is thought to be principally composed of the glycoproteins fibropellins. This matrix has been found in echinoderms. [GOC:ecd, PMID:2060714, PMID:7608987, PMID:9638331]' - }, - 'GO:0032580': { - 'name': 'Golgi cisterna membrane', - 'def': 'The lipid bilayer surrounding any of the thin, flattened compartments that form the central portion of the Golgi complex. [GOC:ecd, GOC:mah]' - }, - 'GO:0032581': { - 'name': 'ER-dependent peroxisome organization', - 'def': 'A process of peroxisome organization in which assembly or arrangement of constituent parts takes place in the endoplasmic reticulum. [GOC:mah, PMID:16717127, PMID:17646399]' - }, - 'GO:0032584': { - 'name': 'growth cone membrane', - 'def': 'The portion of the plasma membrane surrounding a growth cone. [GOC:mah]' - }, - 'GO:0032585': { - 'name': 'multivesicular body membrane', - 'def': 'The lipid bilayer surrounding a multivesicular body. [GOC:mah]' - }, - 'GO:0032586': { - 'name': 'protein storage vacuole membrane', - 'def': 'The lipid bilayer surrounding a protein storage vacuole. [GOC:mah]' - }, - 'GO:0032587': { - 'name': 'ruffle membrane', - 'def': 'The portion of the plasma membrane surrounding a ruffle. [GOC:mah]' - }, - 'GO:0032588': { - 'name': 'trans-Golgi network membrane', - 'def': 'The lipid bilayer surrounding any of the compartments that make up the trans-Golgi network. [GOC:mah]' - }, - 'GO:0032589': { - 'name': 'neuron projection membrane', - 'def': 'The portion of the plasma membrane surrounding a neuron projection. [GOC:mah]' - }, - 'GO:0032590': { - 'name': 'dendrite membrane', - 'def': 'The portion of the plasma membrane surrounding a dendrite. [GOC:mah]' - }, - 'GO:0032591': { - 'name': 'dendritic spine membrane', - 'def': 'The portion of the plasma membrane surrounding a dendritic spine. [GOC:mah]' - }, - 'GO:0032592': { - 'name': 'integral component of mitochondrial membrane', - 'def': 'The component of the mitochondrial membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0032593': { - 'name': 'insulin-responsive compartment', - 'def': 'A small membrane-bounded vesicle that releases its contents by exocytosis in response to insulin stimulation; the contents are enriched in GLUT4, IRAP and VAMP2. [PMID:17644329]' - }, - 'GO:0032594': { - 'name': 'protein transport within lipid bilayer', - 'def': 'The directed movement of a protein from one location to another within a lipid bilayer. [GOC:mah]' - }, - 'GO:0032595': { - 'name': 'B cell receptor transport within lipid bilayer', - 'def': 'The directed movement of a B cell receptor within a lipid bilayer. [GOC:mah]' - }, - 'GO:0032596': { - 'name': 'protein transport into membrane raft', - 'def': 'The directed movement of a protein into a membrane raft. Membrane rafts are small (10-200 nm), heterogeneous, highly dynamic, sterol- and sphingolipid-enriched membrane domains that compartmentalize cellular processes. [GOC:mah]' - }, - 'GO:0032597': { - 'name': 'B cell receptor transport into membrane raft', - 'def': 'The directed movement of a B cell receptor into a membrane raft. [GOC:mah]' - }, - 'GO:0032598': { - 'name': 'B cell receptor transport into immunological synapse', - 'def': 'The directed movement of a B cell receptor into an immunological synapse. [GOC:mah]' - }, - 'GO:0032599': { - 'name': 'protein transport out of membrane raft', - 'def': 'The directed movement of a protein out of a membrane raft. Membrane rafts are small (10-200 nm), heterogeneous, highly dynamic, sterol- and sphingolipid-enriched membrane domains that compartmentalize cellular processes. [GOC:mah]' - }, - 'GO:0032600': { - 'name': 'chemokine receptor transport out of membrane raft', - 'def': 'The directed movement of a chemokine receptor out of a membrane raft. [GOC:mah]' - }, - 'GO:0032601': { - 'name': 'connective tissue growth factor production', - 'def': 'The appearance of connective tissue growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032602': { - 'name': 'chemokine production', - 'def': 'The appearance of a chemokine due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032603': { - 'name': 'fractalkine production', - 'def': 'The appearance of fractalkine due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032604': { - 'name': 'granulocyte macrophage colony-stimulating factor production', - 'def': 'The appearance of granulocyte macrophage colony-stimulating factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032605': { - 'name': 'hepatocyte growth factor production', - 'def': 'The appearance of hepatocyte growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032606': { - 'name': 'type I interferon production', - 'def': 'The appearance of type I interferon due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:add, ISBN:0126896631, PMID:15546383, PMID:16681834]' - }, - 'GO:0032607': { - 'name': 'interferon-alpha production', - 'def': 'The appearance of interferon-alpha due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032608': { - 'name': 'interferon-beta production', - 'def': 'The appearance of interferon-beta due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032609': { - 'name': 'interferon-gamma production', - 'def': 'The appearance of interferon-gamma due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. Interferon-gamma is also known as type II interferon. [GOC:add, GOC:mah]' - }, - 'GO:0032610': { - 'name': 'interleukin-1 alpha production', - 'def': 'The appearance of interleukin-1 alpha due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032611': { - 'name': 'interleukin-1 beta production', - 'def': 'The appearance of interleukin-1 beta due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032612': { - 'name': 'interleukin-1 production', - 'def': 'The appearance of interleukin-1 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032613': { - 'name': 'interleukin-10 production', - 'def': 'The appearance of interleukin-10 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032614': { - 'name': 'interleukin-11 production', - 'def': 'The appearance of interleukin-11 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032615': { - 'name': 'interleukin-12 production', - 'def': 'The appearance of interleukin-12 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032616': { - 'name': 'interleukin-13 production', - 'def': 'The appearance of interleukin-13 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032617': { - 'name': 'interleukin-14 production', - 'def': 'The appearance of interleukin-14 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032618': { - 'name': 'interleukin-15 production', - 'def': 'The appearance of interleukin-15 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032619': { - 'name': 'interleukin-16 production', - 'def': 'The appearance of interleukin-16 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032620': { - 'name': 'interleukin-17 production', - 'def': 'The appearance of any member of the interleukin-17 family of cytokines due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah, GOC:rv, PR:000001092, Wikipedia:Interleukin_17]' - }, - 'GO:0032621': { - 'name': 'interleukin-18 production', - 'def': 'The appearance of interleukin-18 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032622': { - 'name': 'interleukin-19 production', - 'def': 'The appearance of interleukin-19 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032623': { - 'name': 'interleukin-2 production', - 'def': 'The appearance of interleukin-2 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032624': { - 'name': 'interleukin-20 production', - 'def': 'The appearance of interleukin-20 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032625': { - 'name': 'interleukin-21 production', - 'def': 'The appearance of interleukin-21 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032626': { - 'name': 'interleukin-22 production', - 'def': 'The appearance of interleukin-22 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032627': { - 'name': 'interleukin-23 production', - 'def': 'The appearance of interleukin-23 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032628': { - 'name': 'interleukin-24 production', - 'def': 'The appearance of interleukin-24 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032629': { - 'name': 'interleukin-25 production', - 'def': 'The appearance of interleukin-25 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032630': { - 'name': 'interleukin-26 production', - 'def': 'The appearance of interleukin-26 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032631': { - 'name': 'interleukin-27 production', - 'def': 'The appearance of interleukin-27 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032632': { - 'name': 'interleukin-3 production', - 'def': 'The appearance of interleukin-3 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032633': { - 'name': 'interleukin-4 production', - 'def': 'The appearance of interleukin-4 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032634': { - 'name': 'interleukin-5 production', - 'def': 'The appearance of interleukin-5 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032635': { - 'name': 'interleukin-6 production', - 'def': 'The appearance of interleukin-6 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032636': { - 'name': 'interleukin-7 production', - 'def': 'The appearance of interleukin-7 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032637': { - 'name': 'interleukin-8 production', - 'def': 'The appearance of interleukin-8 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032638': { - 'name': 'interleukin-9 production', - 'def': 'The appearance of interleukin-9 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032639': { - 'name': 'TRAIL production', - 'def': 'The appearance of TRAIL due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032640': { - 'name': 'tumor necrosis factor production', - 'def': 'The appearance of tumor necrosis factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032641': { - 'name': 'lymphotoxin A production', - 'def': 'The appearance of lymphotoxin A due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032642': { - 'name': 'regulation of chemokine production', - 'def': 'Any process that modulates the frequency, rate, or extent of chemokine production. [GOC:mah]' - }, - 'GO:0032643': { - 'name': 'regulation of connective tissue growth factor production', - 'def': 'Any process that modulates the frequency, rate, or extent of connective tissue growth factor production. [GOC:mah]' - }, - 'GO:0032644': { - 'name': 'regulation of fractalkine production', - 'def': 'Any process that modulates the frequency, rate, or extent of fractalkine production. [GOC:mah]' - }, - 'GO:0032645': { - 'name': 'regulation of granulocyte macrophage colony-stimulating factor production', - 'def': 'Any process that modulates the frequency, rate, or extent of granulocyte macrophage colony-stimulating factor production. [GOC:mah]' - }, - 'GO:0032646': { - 'name': 'regulation of hepatocyte growth factor production', - 'def': 'Any process that modulates the frequency, rate, or extent of hepatocyte growth factor production. [GOC:mah]' - }, - 'GO:0032647': { - 'name': 'regulation of interferon-alpha production', - 'def': 'Any process that modulates the frequency, rate, or extent of interferon-alpha production. [GOC:mah]' - }, - 'GO:0032648': { - 'name': 'regulation of interferon-beta production', - 'def': 'Any process that modulates the frequency, rate, or extent of interferon-beta production. [GOC:mah]' - }, - 'GO:0032649': { - 'name': 'regulation of interferon-gamma production', - 'def': 'Any process that modulates the frequency, rate, or extent of interferon-gamma production. Interferon-gamma is also known as type II interferon. [GOC:add, GOC:mah]' - }, - 'GO:0032650': { - 'name': 'regulation of interleukin-1 alpha production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-1 alpha production. [GOC:mah]' - }, - 'GO:0032651': { - 'name': 'regulation of interleukin-1 beta production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-1 beta production. [GOC:mah]' - }, - 'GO:0032652': { - 'name': 'regulation of interleukin-1 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-1 production. [GOC:mah]' - }, - 'GO:0032653': { - 'name': 'regulation of interleukin-10 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-10 production. [GOC:mah]' - }, - 'GO:0032654': { - 'name': 'regulation of interleukin-11 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-11 production. [GOC:mah]' - }, - 'GO:0032655': { - 'name': 'regulation of interleukin-12 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-12 production. [GOC:mah]' - }, - 'GO:0032656': { - 'name': 'regulation of interleukin-13 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-13 production. [GOC:mah]' - }, - 'GO:0032657': { - 'name': 'regulation of interleukin-14 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-14 production. [GOC:mah]' - }, - 'GO:0032658': { - 'name': 'regulation of interleukin-15 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-15 production. [GOC:mah]' - }, - 'GO:0032659': { - 'name': 'regulation of interleukin-16 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-16 production. [GOC:mah]' - }, - 'GO:0032660': { - 'name': 'regulation of interleukin-17 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of any member of the interleukin-17 family of cytokines. [GOC:add, GOC:mah]' - }, - 'GO:0032661': { - 'name': 'regulation of interleukin-18 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-18 production. [GOC:mah]' - }, - 'GO:0032662': { - 'name': 'regulation of interleukin-19 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-19 production. [GOC:mah]' - }, - 'GO:0032663': { - 'name': 'regulation of interleukin-2 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-2 production. [GOC:mah]' - }, - 'GO:0032664': { - 'name': 'regulation of interleukin-20 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-20 production. [GOC:mah]' - }, - 'GO:0032665': { - 'name': 'regulation of interleukin-21 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-21 production. [GOC:mah]' - }, - 'GO:0032666': { - 'name': 'regulation of interleukin-22 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-22 production. [GOC:mah]' - }, - 'GO:0032667': { - 'name': 'regulation of interleukin-23 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-23 production. [GOC:mah]' - }, - 'GO:0032668': { - 'name': 'regulation of interleukin-24 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-24 production. [GOC:mah]' - }, - 'GO:0032669': { - 'name': 'regulation of interleukin-25 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-25 production. [GOC:mah]' - }, - 'GO:0032670': { - 'name': 'regulation of interleukin-26 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-26 production. [GOC:mah]' - }, - 'GO:0032671': { - 'name': 'regulation of interleukin-27 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-27 production. [GOC:mah]' - }, - 'GO:0032672': { - 'name': 'regulation of interleukin-3 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-3 production. [GOC:mah]' - }, - 'GO:0032673': { - 'name': 'regulation of interleukin-4 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-4 production. [GOC:mah]' - }, - 'GO:0032674': { - 'name': 'regulation of interleukin-5 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-5 production. [GOC:mah]' - }, - 'GO:0032675': { - 'name': 'regulation of interleukin-6 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-6 production. [GOC:mah]' - }, - 'GO:0032676': { - 'name': 'regulation of interleukin-7 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-7 production. [GOC:mah]' - }, - 'GO:0032677': { - 'name': 'regulation of interleukin-8 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-8 production. [GOC:mah]' - }, - 'GO:0032678': { - 'name': 'regulation of interleukin-9 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-9 production. [GOC:mah]' - }, - 'GO:0032679': { - 'name': 'regulation of TRAIL production', - 'def': 'Any process that modulates the frequency, rate, or extent of TRAIL production. [GOC:mah]' - }, - 'GO:0032680': { - 'name': 'regulation of tumor necrosis factor production', - 'def': 'Any process that modulates the frequency, rate, or extent of tumor necrosis factor production. [GOC:mah]' - }, - 'GO:0032681': { - 'name': 'regulation of lymphotoxin A production', - 'def': 'Any process that modulates the frequency, rate, or extent of lymphotoxin A production. [GOC:mah]' - }, - 'GO:0032682': { - 'name': 'negative regulation of chemokine production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of chemokine production. [GOC:mah]' - }, - 'GO:0032683': { - 'name': 'negative regulation of connective tissue growth factor production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of connective tissue growth factor production. [GOC:mah]' - }, - 'GO:0032684': { - 'name': 'negative regulation of fractalkine production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of fractalkine production. [GOC:mah]' - }, - 'GO:0032685': { - 'name': 'negative regulation of granulocyte macrophage colony-stimulating factor production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of granulocyte macrophage colony-stimulating factor production. [GOC:mah]' - }, - 'GO:0032686': { - 'name': 'negative regulation of hepatocyte growth factor production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of hepatocyte growth factor production. [GOC:mah]' - }, - 'GO:0032687': { - 'name': 'negative regulation of interferon-alpha production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interferon-alpha production. [GOC:mah]' - }, - 'GO:0032688': { - 'name': 'negative regulation of interferon-beta production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interferon-beta production. [GOC:mah]' - }, - 'GO:0032689': { - 'name': 'negative regulation of interferon-gamma production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interferon-gamma production. Interferon-gamma is also known as type II interferon. [GOC:add, GOC:mah]' - }, - 'GO:0032690': { - 'name': 'negative regulation of interleukin-1 alpha production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-1 alpha production. [GOC:mah]' - }, - 'GO:0032691': { - 'name': 'negative regulation of interleukin-1 beta production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-1 beta production. [GOC:mah]' - }, - 'GO:0032692': { - 'name': 'negative regulation of interleukin-1 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-1 production. [GOC:mah]' - }, - 'GO:0032693': { - 'name': 'negative regulation of interleukin-10 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-10 production. [GOC:mah]' - }, - 'GO:0032694': { - 'name': 'negative regulation of interleukin-11 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-11 production. [GOC:mah]' - }, - 'GO:0032695': { - 'name': 'negative regulation of interleukin-12 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-12 production. [GOC:mah]' - }, - 'GO:0032696': { - 'name': 'negative regulation of interleukin-13 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-13 production. [GOC:mah]' - }, - 'GO:0032697': { - 'name': 'negative regulation of interleukin-14 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-14 production. [GOC:mah]' - }, - 'GO:0032698': { - 'name': 'negative regulation of interleukin-15 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-15 production. [GOC:mah]' - }, - 'GO:0032699': { - 'name': 'negative regulation of interleukin-16 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-16 production. [GOC:mah]' - }, - 'GO:0032700': { - 'name': 'negative regulation of interleukin-17 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of any member of the interleukin-17 family of cytokines. [GOC:add, GOC:mah]' - }, - 'GO:0032701': { - 'name': 'negative regulation of interleukin-18 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-18 production. [GOC:mah]' - }, - 'GO:0032702': { - 'name': 'negative regulation of interleukin-19 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-19 production. [GOC:mah]' - }, - 'GO:0032703': { - 'name': 'negative regulation of interleukin-2 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-2 production. [GOC:mah]' - }, - 'GO:0032704': { - 'name': 'negative regulation of interleukin-20 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-20 production. [GOC:mah]' - }, - 'GO:0032705': { - 'name': 'negative regulation of interleukin-21 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-21 production. [GOC:mah]' - }, - 'GO:0032706': { - 'name': 'negative regulation of interleukin-22 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-22 production. [GOC:mah]' - }, - 'GO:0032707': { - 'name': 'negative regulation of interleukin-23 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-23 production. [GOC:mah]' - }, - 'GO:0032708': { - 'name': 'negative regulation of interleukin-24 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-24 production. [GOC:mah]' - }, - 'GO:0032709': { - 'name': 'negative regulation of interleukin-25 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-25 production. [GOC:mah]' - }, - 'GO:0032710': { - 'name': 'negative regulation of interleukin-26 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-26 production. [GOC:mah]' - }, - 'GO:0032711': { - 'name': 'negative regulation of interleukin-27 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-27 production. [GOC:mah]' - }, - 'GO:0032712': { - 'name': 'negative regulation of interleukin-3 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-3 production. [GOC:mah]' - }, - 'GO:0032713': { - 'name': 'negative regulation of interleukin-4 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-4 production. [GOC:mah]' - }, - 'GO:0032714': { - 'name': 'negative regulation of interleukin-5 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-5 production. [GOC:mah]' - }, - 'GO:0032715': { - 'name': 'negative regulation of interleukin-6 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-6 production. [GOC:mah]' - }, - 'GO:0032716': { - 'name': 'negative regulation of interleukin-7 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-7 production. [GOC:mah]' - }, - 'GO:0032717': { - 'name': 'negative regulation of interleukin-8 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-8 production. [GOC:mah]' - }, - 'GO:0032718': { - 'name': 'negative regulation of interleukin-9 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-9 production. [GOC:mah]' - }, - 'GO:0032719': { - 'name': 'negative regulation of TRAIL production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of TRAIL production. [GOC:mah]' - }, - 'GO:0032720': { - 'name': 'negative regulation of tumor necrosis factor production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of tumor necrosis factor production. [GOC:mah]' - }, - 'GO:0032721': { - 'name': 'negative regulation of lymphotoxin A production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of lymphotoxin A production. [GOC:mah]' - }, - 'GO:0032722': { - 'name': 'positive regulation of chemokine production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of chemokine production. [GOC:mah]' - }, - 'GO:0032723': { - 'name': 'positive regulation of connective tissue growth factor production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of connective tissue growth factor production. [GOC:mah]' - }, - 'GO:0032724': { - 'name': 'positive regulation of fractalkine production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of fractalkine production. [GOC:mah]' - }, - 'GO:0032725': { - 'name': 'positive regulation of granulocyte macrophage colony-stimulating factor production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of granulocyte macrophage colony-stimulating factor production. [GOC:mah]' - }, - 'GO:0032726': { - 'name': 'positive regulation of hepatocyte growth factor production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of hepatocyte growth factor production. [GOC:mah]' - }, - 'GO:0032727': { - 'name': 'positive regulation of interferon-alpha production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interferon-alpha production. [GOC:mah]' - }, - 'GO:0032728': { - 'name': 'positive regulation of interferon-beta production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interferon-beta production. [GOC:mah]' - }, - 'GO:0032729': { - 'name': 'positive regulation of interferon-gamma production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interferon-gamma production. Interferon-gamma is also known as type II interferon. [GOC:add, GOC:mah]' - }, - 'GO:0032730': { - 'name': 'positive regulation of interleukin-1 alpha production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-1 alpha production. [GOC:mah]' - }, - 'GO:0032731': { - 'name': 'positive regulation of interleukin-1 beta production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-1 beta production. [GOC:mah]' - }, - 'GO:0032732': { - 'name': 'positive regulation of interleukin-1 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-1 production. [GOC:mah]' - }, - 'GO:0032733': { - 'name': 'positive regulation of interleukin-10 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-10 production. [GOC:mah]' - }, - 'GO:0032734': { - 'name': 'positive regulation of interleukin-11 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-11 production. [GOC:mah]' - }, - 'GO:0032735': { - 'name': 'positive regulation of interleukin-12 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-12 production. [GOC:mah]' - }, - 'GO:0032736': { - 'name': 'positive regulation of interleukin-13 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-13 production. [GOC:mah]' - }, - 'GO:0032737': { - 'name': 'positive regulation of interleukin-14 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-14 production. [GOC:mah]' - }, - 'GO:0032738': { - 'name': 'positive regulation of interleukin-15 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-15 production. [GOC:mah]' - }, - 'GO:0032739': { - 'name': 'positive regulation of interleukin-16 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-16 production. [GOC:mah]' - }, - 'GO:0032740': { - 'name': 'positive regulation of interleukin-17 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of any member of the interleukin-17 family of cytokines. [GOC:add, GOC:mah]' - }, - 'GO:0032741': { - 'name': 'positive regulation of interleukin-18 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-18 production. [GOC:mah]' - }, - 'GO:0032742': { - 'name': 'positive regulation of interleukin-19 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-19 production. [GOC:mah]' - }, - 'GO:0032743': { - 'name': 'positive regulation of interleukin-2 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-2 production. [GOC:mah]' - }, - 'GO:0032744': { - 'name': 'positive regulation of interleukin-20 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-20 production. [GOC:mah]' - }, - 'GO:0032745': { - 'name': 'positive regulation of interleukin-21 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-21 production. [GOC:mah]' - }, - 'GO:0032746': { - 'name': 'positive regulation of interleukin-22 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-22 production. [GOC:mah]' - }, - 'GO:0032747': { - 'name': 'positive regulation of interleukin-23 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-23 production. [GOC:mah]' - }, - 'GO:0032748': { - 'name': 'positive regulation of interleukin-24 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-24 production. [GOC:mah]' - }, - 'GO:0032749': { - 'name': 'positive regulation of interleukin-25 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-25 production. [GOC:mah]' - }, - 'GO:0032750': { - 'name': 'positive regulation of interleukin-26 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-26 production. [GOC:mah]' - }, - 'GO:0032751': { - 'name': 'positive regulation of interleukin-27 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-27 production. [GOC:mah]' - }, - 'GO:0032752': { - 'name': 'positive regulation of interleukin-3 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-3 production. [GOC:mah]' - }, - 'GO:0032753': { - 'name': 'positive regulation of interleukin-4 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-4 production. [GOC:mah]' - }, - 'GO:0032754': { - 'name': 'positive regulation of interleukin-5 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-5 production. [GOC:mah]' - }, - 'GO:0032755': { - 'name': 'positive regulation of interleukin-6 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-6 production. [GOC:mah]' - }, - 'GO:0032756': { - 'name': 'positive regulation of interleukin-7 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-7 production. [GOC:mah]' - }, - 'GO:0032757': { - 'name': 'positive regulation of interleukin-8 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-8 production. [GOC:mah]' - }, - 'GO:0032758': { - 'name': 'positive regulation of interleukin-9 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-9 production. [GOC:mah]' - }, - 'GO:0032759': { - 'name': 'positive regulation of TRAIL production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of TRAIL production. [GOC:mah]' - }, - 'GO:0032760': { - 'name': 'positive regulation of tumor necrosis factor production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of tumor necrosis factor production. [GOC:mah]' - }, - 'GO:0032761': { - 'name': 'positive regulation of lymphotoxin A production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of lymphotoxin A production. [GOC:mah]' - }, - 'GO:0032762': { - 'name': 'mast cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a mast cell. [GOC:mah]' - }, - 'GO:0032763': { - 'name': 'regulation of mast cell cytokine production', - 'def': 'Any process that modulates the frequency, rate, or extent of mast cell cytokine production. [GOC:mah]' - }, - 'GO:0032764': { - 'name': 'negative regulation of mast cell cytokine production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of mast cell cytokine production. [GOC:mah]' - }, - 'GO:0032765': { - 'name': 'positive regulation of mast cell cytokine production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of mast cell cytokine production. [GOC:mah]' - }, - 'GO:0032766': { - 'name': 'NHE3/E3KARP/ACTN4 complex', - 'def': 'A heterotrimeric protein complex formed by the association of NHE3, E3KARP and alpha-actinin upon an increase in calcium ion concentration; found in clusters localized on plasma membrane and in intracellular compartments. [PMID:11948184]' - }, - 'GO:0032767': { - 'name': 'copper-dependent protein binding', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex (a complex of two or more proteins that may include other nonprotein molecules), in the presence of copper. [GOC:ecd, PMID:16884690]' - }, - 'GO:0032768': { - 'name': 'regulation of monooxygenase activity', - 'def': 'Any process that modulates the activity of a monooxygenase. [GOC:mah]' - }, - 'GO:0032769': { - 'name': 'negative regulation of monooxygenase activity', - 'def': 'Any process that stops or reduces the activity of a monooxygenase. [GOC:mah]' - }, - 'GO:0032770': { - 'name': 'positive regulation of monooxygenase activity', - 'def': 'Any process that activates or increases the activity of a monooxygenase. [GOC:mah]' - }, - 'GO:0032771': { - 'name': 'regulation of monophenol monooxygenase activity', - 'def': 'Any process that modulates the activity of the enzyme monophenol monooxygenase. Monophenol monooxygenase catalyzes the reaction: L-tyrosine + L-DOPA + O2 = L-DOPA + DOPAquinone + H2O. [GOC:dph, GOC:mah, GOC:tb, PMID:2494997]' - }, - 'GO:0032772': { - 'name': 'negative regulation of monophenol monooxygenase activity', - 'def': 'Any process that stops or reduces the activity of the enzyme monophenol monooxygenase. Monophenol monooxygenase catalyzes the reaction: L-tyrosine + L-DOPA + O2 = L-DOPA + DOPAquinone + H2O. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032773': { - 'name': 'positive regulation of monophenol monooxygenase activity', - 'def': 'Any process that activates or increases the activity of the enzyme monophenol oxygenase. Monophenol monooxygenase catalyzes the reaction: L-tyrosine + L-DOPA + O2 = L-DOPA + DOPAquinone + H2O. [GOC:dph, GOC:mah, GOC:tb, PMID:2494997]' - }, - 'GO:0032774': { - 'name': 'RNA biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of RNA, ribonucleic acid, one of the two main type of nucleic acid, consisting of a long, unbranched macromolecule formed from ribonucleotides joined in 3',5'-phosphodiester linkage. Includes polymerization of ribonucleotide monomers. Refers not only to transcription but also to e.g. viral RNA replication. [GOC:mah, GOC:txnOH]" - }, - 'GO:0032775': { - 'name': 'DNA methylation on adenine', - 'def': 'The covalent transfer of a methyl group to N-6 of adenine in a DNA molecule. [GOC:pf]' - }, - 'GO:0032776': { - 'name': 'DNA methylation on cytosine', - 'def': 'The covalent transfer of a methyl group to C-5 or N-4 of cytosine in a DNA molecule. [GOC:pf]' - }, - 'GO:0032777': { - 'name': 'Piccolo NuA4 histone acetyltransferase complex', - 'def': 'A heterotrimeric H4/H2A histone acetyltransferase complex with a substrate preference of chromatin over free histones. It contains a subset of the proteins found in the larger NuA4 histone acetyltransferase complex; for example, the S. cerevisiae complex contains Esa1p, Yng2p, and Epl1p. [GOC:rb, PMID:12782659, PMID:15964809]' - }, - 'GO:0032778': { - 'name': 'cobalt-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + cobalt(out) = ADP + phosphate + cobalt(in). [GOC:mlg, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0032780': { - 'name': 'negative regulation of ATPase activity', - 'def': 'Any process that stops or reduces the rate of ATP hydrolysis by an ATPase. [GOC:mah]' - }, - 'GO:0032781': { - 'name': 'positive regulation of ATPase activity', - 'def': 'Any process that activates or increases the rate of ATP hydrolysis by an ATPase. [GOC:mah]' - }, - 'GO:0032782': { - 'name': 'bile acid secretion', - 'def': 'The regulated release of bile acid, composed of any of a group of steroid carboxylic acids occurring in bile, by a cell or a tissue. [GOC:ecd]' - }, - 'GO:0032783': { - 'name': 'ELL-EAF complex', - 'def': 'A heterodimeric protein complex that acts as an RNA polymerase II elongation factor; the complex is conserved from yeast to humans, and is present in S. pombe, but absent from S. cerevisiae. [PMID:17150956]' - }, - 'GO:0032784': { - 'name': 'regulation of DNA-templated transcription, elongation', - 'def': 'Any process that modulates the frequency, rate or extent of transcription elongation, the extension of an RNA molecule after transcription initiation and promoter clearance by the addition of ribonucleotides catalyzed by a DNA-dependent RNA polymerase. [GOC:mah, GOC:txnOH]' - }, - 'GO:0032785': { - 'name': 'negative regulation of DNA-templated transcription, elongation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription elongation, the extension of an RNA molecule after transcription initiation and promoter clearance by the addition of ribonucleotides catalyzed by a DNA-dependent RNA polymerase. [GOC:mah, GOC:txnOH]' - }, - 'GO:0032786': { - 'name': 'positive regulation of DNA-templated transcription, elongation', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription elongation, the extension of an RNA molecule after transcription initiation and promoter clearance by the addition of ribonucleotides catalyzed by a DNA-dependent RNA polymerase. [GOC:mah, GOC:txnOH]' - }, - 'GO:0032787': { - 'name': 'monocarboxylic acid metabolic process', - 'def': 'The chemical reactions and pathways involving monocarboxylic acids, any organic acid containing one carboxyl (COOH) group or anion (COO-). [GOC:vk]' - }, - 'GO:0032788': { - 'name': 'saturated monocarboxylic acid metabolic process', - 'def': 'The chemical reactions and pathways involving saturated monocarboxylic acids, any organic acid containing one carboxyl (COOH) group or anion (COO-) and fully saturated C-C bonds. [GOC:mah, GOC:vk]' - }, - 'GO:0032789': { - 'name': 'unsaturated monocarboxylic acid metabolic process', - 'def': 'The chemical reactions and pathways involving unsaturated monocarboxylic acids, any organic acid containing one carboxyl (COOH) group or anion (COO-) and one or more unsaturated C-C bonds. [GOC:mah, GOC:vk]' - }, - 'GO:0032790': { - 'name': 'ribosome disassembly', - 'def': 'The disaggregation of a ribosome into its constituent components; includes the dissociation of ribosomal subunits. [GOC:mah, GOC:vk]' - }, - 'GO:0032791': { - 'name': 'lead ion binding', - 'def': 'Interacting selectively and non-covalently with lead (Pb) ions. [GOC:mah]' - }, - 'GO:0032792': { - 'name': 'negative regulation of CREB transcription factor activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the activity of the transcription factor CREB. [GOC:dph, GOC:ecd, GOC:tb]' - }, - 'GO:0032793': { - 'name': 'positive regulation of CREB transcription factor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of activity of the transcription factor CREB. [GOC:dph, GOC:ecd, GOC:tb]' - }, - 'GO:0032794': { - 'name': 'GTPase activating protein binding', - 'def': 'Interacting selectively and non-covalently with a GTPase activating protein. [GOC:nln]' - }, - 'GO:0032795': { - 'name': 'heterotrimeric G-protein binding', - 'def': 'Interacting selectively and non-covalently with a heterotrimeric G-protein. [GOC:nln]' - }, - 'GO:0032796': { - 'name': 'uropod organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a uropod, a rigid membrane projection with related cytoskeletal components at the trailing edge of a lymphocyte or other cell in the process of migrating or being activated. [GOC:add, ISBN:0781735149, PMID:12714569, PMID:12787750]' - }, - 'GO:0032797': { - 'name': 'SMN complex', - 'def': 'A protein complex that contains the survival motor neuron (SMN) protein and at least eight additional integral components, including the Gemin2-8 and Unrip proteins; the complex is found in the cytoplasm and in nuclear Gems, and is involved in spliceosomal snRNP assembly in the cytoplasm and in pre-mRNA splicing in the nucleus. [PMID:16434402, PMID:17023415]' - }, - 'GO:0032798': { - 'name': 'Swi5-Sfr1 complex', - 'def': 'A conserved DNA recombinase mediator complex that contains two Swi5 monomers and one Sfr1 monomer in Schizosaccharomyces, or orthologs thereof (e.g. Sae3p and Mei5p in Saccharomyces). [PMID:15620352, PMID:16921379]' - }, - 'GO:0032799': { - 'name': 'low-density lipoprotein receptor particle metabolic process', - 'def': 'The chemical reactions and pathways involving low-density lipoprotein receptors. [GOC:vk]' - }, - 'GO:0032800': { - 'name': 'receptor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a receptor molecule, a macromolecule that undergoes combination with a hormone, neurotransmitter, drug or intracellular messenger to initiate a change in cell function. [GOC:mah]' - }, - 'GO:0032801': { - 'name': 'receptor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a receptor molecule, a macromolecule that undergoes combination with a hormone, neurotransmitter, drug or intracellular messenger to initiate a change in cell function. [GOC:mah]' - }, - 'GO:0032802': { - 'name': 'low-density lipoprotein particle receptor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a low-density lipoprotein particle receptor molecule, a macromolecule that undergoes combination with a hormone, neurotransmitter, drug or intracellular messenger to initiate a change in cell function. [GOC:mah]' - }, - 'GO:0032803': { - 'name': 'regulation of low-density lipoprotein particle receptor catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of low-density lipoprotein particle receptors. [GOC:mah]' - }, - 'GO:0032804': { - 'name': 'negative regulation of low-density lipoprotein particle receptor catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of low-density lipoprotein receptors. [GOC:mah]' - }, - 'GO:0032805': { - 'name': 'positive regulation of low-density lipoprotein particle receptor catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of low-density lipoprotein particle receptors. [GOC:mah]' - }, - 'GO:0032806': { - 'name': 'carboxy-terminal domain protein kinase complex', - 'def': 'A protein complex that phosphorylates amino acid residues of RNA polymerase II C-terminal domain repeats; phosphorylation occurs mainly on Ser2 and Ser5. [PMID:15047695, PMID:16721054, PMID:17079683]' - }, - 'GO:0032807': { - 'name': 'DNA ligase IV complex', - 'def': 'A eukaryotically conserved protein complex that contains DNA ligase IV and is involved in DNA repair by non-homologous end joining; in addition to the ligase, the complex also contains XRCC4 or a homolog, e.g. Saccharomyces Lif1p. [PMID:16314503]' - }, - 'GO:0032808': { - 'name': 'lacrimal gland development', - 'def': 'The process whose specific outcome is the progression of the lacrimal gland over time, from its formation to the mature structure. The lacrimal gland produces secretions that lubricate and protect the cornea of the eye. [GOC:ln]' - }, - 'GO:0032809': { - 'name': 'neuronal cell body membrane', - 'def': 'The plasma membrane of a neuron cell body - excludes the plasma membrane of cell projections such as axons and dendrites. [GOC:jl]' - }, - 'GO:0032810': { - 'name': 'sterol response element binding', - 'def': 'Interacting selectively and non-covalently with the sterol response element (SRE), a nonpalindromic sequence found in the promoters of genes involved in lipid metabolism. [GOC:vk, PMID:11994399]' - }, - 'GO:0032811': { - 'name': 'negative regulation of epinephrine secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of epinephrine. [GOC:vk]' - }, - 'GO:0032812': { - 'name': 'positive regulation of epinephrine secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of epinephrine. [GOC:vk]' - }, - 'GO:0032813': { - 'name': 'tumor necrosis factor receptor superfamily binding', - 'def': 'Interacting selectively and non-covalently with any member of the tumor necrosis factor receptor superfamily. [GOC:add]' - }, - 'GO:0032814': { - 'name': 'regulation of natural killer cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of natural killer cell activation. [GOC:mah]' - }, - 'GO:0032815': { - 'name': 'negative regulation of natural killer cell activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of natural killer cell activation. [GOC:mah]' - }, - 'GO:0032816': { - 'name': 'positive regulation of natural killer cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer cell activation. [GOC:mah]' - }, - 'GO:0032817': { - 'name': 'regulation of natural killer cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of natural killer cell proliferation. [GOC:mah]' - }, - 'GO:0032818': { - 'name': 'negative regulation of natural killer cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of natural killer cell proliferation. [GOC:mah]' - }, - 'GO:0032819': { - 'name': 'positive regulation of natural killer cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer cell proliferation. [GOC:mah]' - }, - 'GO:0032820': { - 'name': 'regulation of natural killer cell proliferation involved in immune response', - 'def': 'Any process that modulates the frequency, rate or extent of natural killer cell proliferation as part of an immune response. [GOC:mah]' - }, - 'GO:0032821': { - 'name': 'negative regulation of natural killer cell proliferation involved in immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of natural killer cell proliferation as part of an immune response. [GOC:mah]' - }, - 'GO:0032822': { - 'name': 'positive regulation of natural killer cell proliferation involved in immune response', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer cell proliferation as part of an immune response. [GOC:mah]' - }, - 'GO:0032823': { - 'name': 'regulation of natural killer cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of natural killer cell differentiation. [GOC:mah]' - }, - 'GO:0032824': { - 'name': 'negative regulation of natural killer cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of natural killer cell differentiation. [GOC:mah]' - }, - 'GO:0032825': { - 'name': 'positive regulation of natural killer cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer cell differentiation. [GOC:mah]' - }, - 'GO:0032826': { - 'name': 'regulation of natural killer cell differentiation involved in immune response', - 'def': 'Any process that modulates the frequency, rate or extent of natural killer cell differentiation as part of an immune response. [GOC:mah]' - }, - 'GO:0032827': { - 'name': 'negative regulation of natural killer cell differentiation involved in immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of natural killer cell differentiation as part of an immune response. [GOC:mah]' - }, - 'GO:0032828': { - 'name': 'positive regulation of natural killer cell differentiation involved in immune response', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer cell differentiation as part of an immune response. [GOC:mah]' - }, - 'GO:0032829': { - 'name': 'regulation of CD4-positive, CD25-positive, alpha-beta regulatory T cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of differentiation of CD4-positive, CD25-positive, alpha-beta regulatory T cells. [GOC:mah]' - }, - 'GO:0032830': { - 'name': 'negative regulation of CD4-positive, CD25-positive, alpha-beta regulatory T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of differentiation of CD4-positive, CD25-positive, alpha-beta regulatory T cells. [GOC:mah]' - }, - 'GO:0032831': { - 'name': 'positive regulation of CD4-positive, CD25-positive, alpha-beta regulatory T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of differentiation of CD4-positive, CD25-positive, alpha-beta regulatory T cells. [GOC:mah]' - }, - 'GO:0032832': { - 'name': 'regulation of CD4-positive, CD25-positive, alpha-beta regulatory T cell differentiation involved in immune response', - 'def': 'Any process that modulates the frequency, rate or extent of differentiation of CD4-positive, CD25-positive, alpha-beta regulatory T cells as part of an immune response. [GOC:mah]' - }, - 'GO:0032833': { - 'name': 'negative regulation of CD4-positive, CD25-positive, alpha-beta regulatory T cell differentiation involved in immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of differentiation of CD4-positive, CD25-positive, alpha-beta regulatory T cells as part of an immune response. [GOC:mah]' - }, - 'GO:0032834': { - 'name': 'positive regulation of CD4-positive, CD25-positive, alpha-beta regulatory T cell differentiation involved in immune response', - 'def': 'Any process that activates or increases the frequency, rate or extent of differentiation of CD4-positive, CD25-positive, alpha-beta regulatory T cells as part of an immune response. [GOC:mah]' - }, - 'GO:0032835': { - 'name': 'glomerulus development', - 'def': "The progression of the glomerulus over time from its initial formation until its mature state. The glomerulus is a capillary tuft which forms a close network with the visceral epithelium (podocytes) and the mesangium to form the filtration barrier and is surrounded by Bowman's capsule in nephrons of the vertebrate kidney. The glomerulus is part of the nephron and is restricted to one body segment. [GOC:mah, GOC:mtg_kidney_jan10]" - }, - 'GO:0032836': { - 'name': 'glomerular basement membrane development', - 'def': 'The process whose specific outcome is the progression of the glomerular basement membrane over time, from its formation to the mature structure. The glomerular basement membrane is the basal laminal portion of the glomerulus which performs the actual filtration. [GOC:sr]' - }, - 'GO:0032837': { - 'name': 'distributive segregation', - 'def': 'The cell cycle process in which genetic material, in the form of chromosomes, is organized and then physically separated and apportioned to two or more sets during a normally chiasmate meiosis under the condition that chiasma have not occurred between a particular pair of homologs. Distributive segregation is a \\backup\\ mechanism to ensure the segregation of homologs that have failed to cross over - either as a consequence of mutation or not, as, for example, the 4th chromosome of Drosophila melanogaster (which never exchanges, presumably due to its small size) - but nevertheless segregate normally. [GOC:expert_rsh, GOC:ma, GOC:sart]' - }, - 'GO:0032838': { - 'name': 'cell projection cytoplasm', - 'def': 'All of the contents of a cell projection, excluding the plasma membrane surrounding the projection. [GOC:mah]' - }, - 'GO:0032839': { - 'name': 'dendrite cytoplasm', - 'def': 'All of the contents of a dendrite, excluding the surrounding plasma membrane. [GOC:mah]' - }, - 'GO:0032840': { - 'name': 'intramolecular proline-rich ligand binding', - 'def': 'Interacting selectively and non-covalently with a proline-rich region within the same polypeptide. [GOC:pf]' - }, - 'GO:0032841': { - 'name': 'calcitonin binding', - 'def': 'Interacting selectively and non-covalently with calcitonin, a peptide hormone responsible for reducing serum calcium levels by inhibiting osteoclastic bone reabsorption and promoting renal calcium excretion. It is synthesized and released by the C cells of the thyroid. [GOC:ecd]' - }, - 'GO:0032843': { - 'name': 'hydroperoxide reductase activity', - 'def': 'Catalysis of the reaction: 2 RSH + ROOH = RSSR + ROH + H2O. This reaction is the thiol-dependent conversion of an organic hydroperoxide to the corresponding alcohol. [GOC:mlg, PMID:12540833]' - }, - 'GO:0032844': { - 'name': 'regulation of homeostatic process', - 'def': 'Any process that modulates the frequency, rate, or extent of a homeostatic process. [GOC:mah]' - }, - 'GO:0032845': { - 'name': 'negative regulation of homeostatic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a homeostatic process. [GOC:mah]' - }, - 'GO:0032846': { - 'name': 'positive regulation of homeostatic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a homeostatic process. [GOC:mah]' - }, - 'GO:0032847': { - 'name': 'regulation of cellular pH reduction', - 'def': 'Any process that modulates the frequency, rate, or extent of a process that reduces the internal pH of a cell. [GOC:mah]' - }, - 'GO:0032848': { - 'name': 'negative regulation of cellular pH reduction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a process that reduces the internal pH of a cell. [GOC:mah]' - }, - 'GO:0032849': { - 'name': 'positive regulation of cellular pH reduction', - 'def': 'Any process that activates or increases the frequency, rate, or extent of a process that reduces the internal pH of a cell. [GOC:mah]' - }, - 'GO:0032865': { - 'name': 'ERMES complex', - 'def': 'A protein complex that links the endoplasmic reticulum with mitochondria and may have a role in promoting exchange of calcium and phospholipids between the two organelles. The complex is also associated with actively replicating mitochondrial DNA nucleoids, and may further coordinate mitochondrial genome replication and membrane growth. [GOC:mcc, PMID:19556461]' - }, - 'GO:0032866': { - 'name': 'D-xylose:NADP reductase activity', - 'def': 'Catalysis of the reaction: D-xylitol + NADP+ = D-xylose + NADPH + H+. [PMID:12724380, PMID:15184173]' - }, - 'GO:0032867': { - 'name': 'L-arabinose:NADP reductase activity', - 'def': 'Catalysis of the reaction: L-arabitol + NADP+ = L-arabinose + NADPH + H+. [PMID:12724380, PMID:15184173]' - }, - 'GO:0032868': { - 'name': 'response to insulin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an insulin stimulus. Insulin is a polypeptide hormone produced by the islets of Langerhans of the pancreas in mammals, and by the homologous organs of other organisms. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0032869': { - 'name': 'cellular response to insulin stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an insulin stimulus. Insulin is a polypeptide hormone produced by the islets of Langerhans of the pancreas in mammals, and by the homologous organs of other organisms. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0032870': { - 'name': 'cellular response to hormone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hormone stimulus. [GOC:mah]' - }, - 'GO:0032871': { - 'name': 'regulation of karyogamy', - 'def': 'Any process that modulates the frequency, rate or extent of karyogamy, the creation of a single nucleus from multiple nuclei as a result of membrane fusion. [GOC:mah]' - }, - 'GO:0032872': { - 'name': 'regulation of stress-activated MAPK cascade', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction mediated by the stress-activated MAPK cascade. [GOC:mah]' - }, - 'GO:0032873': { - 'name': 'negative regulation of stress-activated MAPK cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signal transduction mediated by the stress-activated MAPK cascade. [GOC:mah]' - }, - 'GO:0032874': { - 'name': 'positive regulation of stress-activated MAPK cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction mediated by the stress-activated MAPK cascade. [GOC:mah]' - }, - 'GO:0032875': { - 'name': 'regulation of DNA endoreduplication', - 'def': 'Any process that modulates the frequency, rate or extent of DNA endoreduplication. [GOC:mah]' - }, - 'GO:0032876': { - 'name': 'negative regulation of DNA endoreduplication', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA endoreduplication. [GOC:mah]' - }, - 'GO:0032877': { - 'name': 'positive regulation of DNA endoreduplication', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA endoreduplication. [GOC:mah]' - }, - 'GO:0032878': { - 'name': 'regulation of establishment or maintenance of cell polarity', - 'def': 'Any process that modulates the frequency, rate or extent of the specification, formation or maintenance of anisotropic intracellular organization or cell growth patterns. [GOC:mah]' - }, - 'GO:0032879': { - 'name': 'regulation of localization', - 'def': 'Any process that modulates the frequency, rate or extent of any process in which a cell, a substance, or a cellular entity is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0032880': { - 'name': 'regulation of protein localization', - 'def': 'Any process that modulates the frequency, rate or extent of any process in which a protein is transported to, or maintained in, a specific location. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032881': { - 'name': 'regulation of polysaccharide metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving polysaccharides. [GOC:mah]' - }, - 'GO:0032882': { - 'name': 'regulation of chitin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving chitin. [GOC:mah]' - }, - 'GO:0032883': { - 'name': 'regulation of chitin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of chitin. [GOC:mah]' - }, - 'GO:0032884': { - 'name': 'regulation of cell wall chitin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cell wall chitin. [GOC:mah]' - }, - 'GO:0032885': { - 'name': 'regulation of polysaccharide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of polysaccharides. [GOC:mah]' - }, - 'GO:0032886': { - 'name': 'regulation of microtubule-based process', - 'def': 'Any process that modulates the frequency, rate or extent of any cellular process that depends upon or alters the microtubule cytoskeleton. [GOC:mah]' - }, - 'GO:0032887': { - 'name': 'regulation of spindle elongation', - 'def': 'Any process that modulates the frequency, rate or extent of the cell cycle process in which the distance is lengthened between poles of the spindle. [GOC:mah]' - }, - 'GO:0032888': { - 'name': 'regulation of mitotic spindle elongation', - 'def': 'Any process that modulates the frequency, rate or extent of the cell cycle process in which the distance is lengthened between poles of the mitotic spindle. [GOC:mah]' - }, - 'GO:0032889': { - 'name': 'regulation of vacuole fusion, non-autophagic', - 'def': 'Any process that modulates the frequency, rate or extent of the fusion of two vacuole membranes to form a single vacuole. [GOC:mah]' - }, - 'GO:0032890': { - 'name': 'regulation of organic acid transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of organic acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032891': { - 'name': 'negative regulation of organic acid transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of organic acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032892': { - 'name': 'positive regulation of organic acid transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of organic acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032893': { - 'name': 'regulation of gluconate transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of gluconate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032894': { - 'name': 'negative regulation of gluconate transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of gluconate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032895': { - 'name': 'positive regulation of gluconate transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of gluconate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0032896': { - 'name': 'palmitoyl-CoA 9-desaturase activity', - 'def': 'Catalysis of the reaction: palmitoyl-CoA + AH2 + O2 = palmitoleic acid (16:1delta9) + A + 2 H2O. [GOC:kmv]' - }, - 'GO:0032897': { - 'name': 'negative regulation of viral transcription', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of viral transcription. [GOC:mah]' - }, - 'GO:0032898': { - 'name': 'neurotrophin production', - 'def': "The appearance of a neurotrophin due to biosynthesis or secretion by cells in a neuron's target field, resulting in an increase in its intracellular or extracellular levels. A neurotrophin is any of a family of growth factors that prevent apoptosis in neurons and promote nerve growth. [GOC:ecd, GOC:mah, GOC:mtg_MIT_16mar07]" - }, - 'GO:0032899': { - 'name': 'regulation of neurotrophin production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of a neurotrophin. [GOC:mah]' - }, - 'GO:0032900': { - 'name': 'negative regulation of neurotrophin production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of a neurotrophin. [GOC:mah]' - }, - 'GO:0032901': { - 'name': 'positive regulation of neurotrophin production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of a neurotrophin. [GOC:mah]' - }, - 'GO:0032902': { - 'name': 'nerve growth factor production', - 'def': "The appearance of nerve growth factor (NGF) due to biosynthesis or secretion by cells in a neuron's target field, resulting in an increase in its intracellular or extracellular levels. [GOC:ecd, GOC:mah]" - }, - 'GO:0032903': { - 'name': 'regulation of nerve growth factor production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of nerve growth factor (NGF). [GOC:mah]' - }, - 'GO:0032904': { - 'name': 'negative regulation of nerve growth factor production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of nerve growth factor (NGF). [GOC:mah]' - }, - 'GO:0032905': { - 'name': 'transforming growth factor beta1 production', - 'def': 'The appearance of transforming growth factor-beta1 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032906': { - 'name': 'transforming growth factor beta2 production', - 'def': 'The appearance of transforming growth factor-beta2 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032907': { - 'name': 'transforming growth factor beta3 production', - 'def': 'The appearance of transforming growth factor-beta3 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0032908': { - 'name': 'regulation of transforming growth factor beta1 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of transforming growth factor-beta1. [GOC:mah]' - }, - 'GO:0032909': { - 'name': 'regulation of transforming growth factor beta2 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of transforming growth factor-beta2. [GOC:mah]' - }, - 'GO:0032910': { - 'name': 'regulation of transforming growth factor beta3 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of transforming growth factor-beta3. [GOC:mah]' - }, - 'GO:0032911': { - 'name': 'negative regulation of transforming growth factor beta1 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of transforming growth factor-beta1. [GOC:mah]' - }, - 'GO:0032912': { - 'name': 'negative regulation of transforming growth factor beta2 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of transforming growth factor-beta2. [GOC:mah]' - }, - 'GO:0032913': { - 'name': 'negative regulation of transforming growth factor beta3 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of transforming growth factor-beta3. [GOC:mah]' - }, - 'GO:0032914': { - 'name': 'positive regulation of transforming growth factor beta1 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of transforming growth factor-beta1. [GOC:mah]' - }, - 'GO:0032915': { - 'name': 'positive regulation of transforming growth factor beta2 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of transforming growth factor-beta2. [GOC:mah]' - }, - 'GO:0032916': { - 'name': 'positive regulation of transforming growth factor beta3 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of transforming growth factor-beta3. [GOC:mah]' - }, - 'GO:0032917': { - 'name': 'polyamine acetylation', - 'def': 'The modification of polyamines by addition of acetyl groups. [GOC:mlg]' - }, - 'GO:0032918': { - 'name': 'spermidine acetylation', - 'def': 'The modification of spermidine by addition of acetyl groups. [GOC:mlg]' - }, - 'GO:0032919': { - 'name': 'spermine acetylation', - 'def': 'The modification of spermine by addition of acetyl groups. [GOC:mlg]' - }, - 'GO:0032920': { - 'name': 'putrescine acetylation', - 'def': 'The modification of putrescine by addition of acetyl groups. [GOC:mlg]' - }, - 'GO:0032921': { - 'name': 'sarcosine oxidase complex', - 'def': 'A complex consisting of 4 protein subunits as a heterotetramer, that possesses sarcosine oxidase activity. [GOC:mah, GOC:mlg]' - }, - 'GO:0032922': { - 'name': 'circadian regulation of gene expression', - 'def': 'Any process that modulates the frequency, rate or extent of gene expression such that an expression pattern recurs with a regularity of approximately 24 hours. [GOC:mah]' - }, - 'GO:0032923': { - 'name': 'organic phosphonate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphonates, any organic compound containing one or more C-PO(OH)2 or C-PO(OR)2 (with R=alkyl, aryl) groups. Synthesis of phosphonic acid itself, an inorganic compound without the biochemically relevant C-P bond, is not included. [GOC:js]' - }, - 'GO:0032924': { - 'name': 'activin receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to an activin receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:rl, GOC:signaling]' - }, - 'GO:0032925': { - 'name': 'regulation of activin receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the activity of any activin receptor signaling pathway. [GOC:BHF, GOC:rl]' - }, - 'GO:0032926': { - 'name': 'negative regulation of activin receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the activity of any activin receptor signaling pathway. [GOC:BHF, GOC:rl]' - }, - 'GO:0032927': { - 'name': 'positive regulation of activin receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the activity of any activin receptor signaling pathway. [GOC:BHF, GOC:rl]' - }, - 'GO:0032928': { - 'name': 'regulation of superoxide anion generation', - 'def': 'Any process that modulates the frequency, rate or extent of enzymatic generation of superoxide by a cell. [GOC:mah]' - }, - 'GO:0032929': { - 'name': 'negative regulation of superoxide anion generation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of enzymatic generation of superoxide by a cell. [GOC:mah]' - }, - 'GO:0032930': { - 'name': 'positive regulation of superoxide anion generation', - 'def': 'Any process that activates or increases the frequency, rate or extent of enzymatic generation of superoxide by a cell. [GOC:mah]' - }, - 'GO:0032931': { - 'name': 'histone acetyltransferase activity (H3-K56 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 L-lysine (position 56) = CoA + histone H3 N6-acetyl-L-lysine (position 56). [EC:2.3.1.48]' - }, - 'GO:0032932': { - 'name': 'negative regulation of astral microtubule depolymerization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the depolymerization of astral microtubules. [GOC:mah]' - }, - 'GO:0032933': { - 'name': 'SREBP signaling pathway', - 'def': 'A series of molecular signals from the endoplasmic reticulum to the nucleus generated as a consequence of decreased levels of one or more sterols (and in some yeast, changes in oxygen levels) and which proceeds through activation of a sterol response element binding transcription factor (SREBP) to result in up-regulation of target gene transcription. [GOC:bf, GOC:mah, GOC:signaling, GOC:vw, PMID:12923525, PMID:22017871]' - }, - 'GO:0032934': { - 'name': 'sterol binding', - 'def': 'Interacting selectively and non-covalently with a sterol, any steroid containing a hydroxy group in the 3 position, closely related to cholestan-3-ol. [CHEBI:15889, GOC:mah]' - }, - 'GO:0032935': { - 'name': 'sterol sensor activity', - 'def': 'Interacting selectively and non-covalently with and responding, e.g. by conformational change, to changes in the cellular level of a sterol. [GOC:mah]' - }, - 'GO:0032936': { - 'name': 'SREBP-SCAP complex', - 'def': 'A protein complex formed by the association of sterol regulatory element binding protein (SREBP) and SREBP-cleavage-activating protein (SCAP) in the ER membrane; in the absence of sterols, the SREBP-SCAP complex is packaged into COPII vesicles and travels to the Golgi apparatus to be processed. [PMID:12923525]' - }, - 'GO:0032937': { - 'name': 'SREBP-SCAP-Insig complex', - 'def': 'A protein complex formed by the association of sterol regulatory element binding protein (SREBP), SREBP-cleavage-activating protein (SCAP), and an Insig protein (Insig-1 or Insig-2) in the ER membrane. [PMID:12923525]' - }, - 'GO:0032938': { - 'name': 'negative regulation of translation in response to oxidative stress', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of translation as a result of oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, e.g. superoxide anions, hydrogen peroxide (H2O2), and hydroxyl radicals. [GOC:mah]' - }, - 'GO:0032939': { - 'name': 'positive regulation of translation in response to oxidative stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of translation as a result of oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, e.g. superoxide anions, hydrogen peroxide (H2O2), and hydroxyl radicals. [GOC:mah]' - }, - 'GO:0032940': { - 'name': 'secretion by cell', - 'def': 'The controlled release of a substance by a cell. [GOC:mah]' - }, - 'GO:0032941': { - 'name': 'secretion by tissue', - 'def': 'The controlled release of a substance by a tissue. [GOC:mah]' - }, - 'GO:0032942': { - 'name': 'inositol tetrakisphosphate 2-kinase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol tetrakisphosphate + ATP = 1D-myo-inositol pentakisphosphate (containing 2-phosphate) + ADP. [GOC:hf]' - }, - 'GO:0032943': { - 'name': 'mononuclear cell proliferation', - 'def': 'The expansion of a mononuclear cell population by cell division. A mononuclear cell is a leukocyte with a single non-segmented nucleus in the mature form. [GOC:add]' - }, - 'GO:0032944': { - 'name': 'regulation of mononuclear cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of mononuclear cell proliferation. [GOC:add]' - }, - 'GO:0032945': { - 'name': 'negative regulation of mononuclear cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mononuclear cell proliferation. [GOC:add]' - }, - 'GO:0032946': { - 'name': 'positive regulation of mononuclear cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mononuclear cell proliferation. [GOC:add]' - }, - 'GO:0032947': { - 'name': 'protein complex scaffold', - 'def': 'A structural molecule activity that provides a physical support for the assembly of a multiprotein complex. The scaffold may or may not be part of the final complex. [GOC:mah, GOC:vw]' - }, - 'GO:0032948': { - 'name': 'regulation of alpha-glucan metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving alpha-glucans. [GOC:mah]' - }, - 'GO:0032949': { - 'name': 'regulation of alpha-glucan biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways relusting in the formation of alpha-glucans. [GOC:mah]' - }, - 'GO:0032950': { - 'name': 'regulation of beta-glucan metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving beta-glucans. [GOC:mah]' - }, - 'GO:0032951': { - 'name': 'regulation of beta-glucan biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways relusting in the formation of beta-glucans. [GOC:mah]' - }, - 'GO:0032952': { - 'name': 'regulation of (1->3)-beta-D-glucan metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving (1->3)-beta-D-glucans. [GOC:mah]' - }, - 'GO:0032953': { - 'name': 'regulation of (1->3)-beta-D-glucan biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of (1->3)-beta-D-glucans. [GOC:mah]' - }, - 'GO:0032954': { - 'name': 'regulation of cytokinetic process', - 'def': 'Any process that modulates the frequency, rate or extent of a cytokinetic process. [GOC:mah]' - }, - 'GO:0032955': { - 'name': 'regulation of barrier septum assembly', - 'def': 'Any process that modulates the frequency, rate or extent of barrier septum formation. Barrier septum formation is the assembly and arrangement of a septum that spans the plasma membrane interface between progeny cells following cytokinesis. [GOC:mtg_cell_cycle, PMID:19959363, PMID:21246752, PMID:22786806]' - }, - 'GO:0032956': { - 'name': 'regulation of actin cytoskeleton organization', - 'def': 'Any process that modulates the frequency, rate or extent of the formation, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising actin filaments and their associated proteins. [GOC:mah]' - }, - 'GO:0032957': { - 'name': 'inositol trisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving myo-inositol phosphate, 1,2,3,4,5,6-cyclohexanehexol, with three phosphate groups attached. [CHEBI:24540, CHEBI:24848, GOC:mah]' - }, - 'GO:0032958': { - 'name': 'inositol phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an inositol phosphate, 1,2,3,4,5,6-cyclohexanehexol, with one or more phosphate groups attached. [CHEBI:24848, CHEBI:25448, GOC:mah]' - }, - 'GO:0032959': { - 'name': 'inositol trisphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of inositol trisphosphate, 1,2,3,4,5,6-cyclohexanehexol, with three phosphate groups attached. [CHEBI:24848, CHEBI:25450, GOC:mah]' - }, - 'GO:0032960': { - 'name': 'regulation of inositol trisphosphate biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of inositol trisphosphate. [GOC:mah]' - }, - 'GO:0032961': { - 'name': 'negative regulation of inositol trisphosphate biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of inositol trisphosphate. [GOC:mah]' - }, - 'GO:0032962': { - 'name': 'positive regulation of inositol trisphosphate biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of inositol trisphosphate. [GOC:mah]' - }, - 'GO:0032963': { - 'name': 'collagen metabolic process', - 'def': 'The chemical reactions and pathways involving collagen, any of a group of fibrous proteins of very high tensile strength that form the main component of connective tissue in animals. Collagen is highly enriched in glycine (some regions are 33% glycine) and proline, occurring predominantly as 3-hydroxyproline (about 20%). [GOC:mah, ISBN:0198506732]' - }, - 'GO:0032964': { - 'name': 'collagen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of collagen, any of a group of fibrous proteins of very high tensile strength that form the main component of connective tissue in animals. Collagen is highly enriched in glycine (some regions are 33% glycine) and proline, occurring predominantly as 3-hydroxyproline (about 20%). [GOC:mah, ISBN:0198506732]' - }, - 'GO:0032965': { - 'name': 'regulation of collagen biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of collagen, any of a group of fibrous proteins of very high tensile strength that form the main component of connective tissue in animals. [GOC:mah]' - }, - 'GO:0032966': { - 'name': 'negative regulation of collagen biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of collagen, any of a group of fibrous proteins of very high tensile strength that form the main component of connective tissue in animals. [GOC:mah]' - }, - 'GO:0032967': { - 'name': 'positive regulation of collagen biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of collagen, any of a group of fibrous proteins of very high tensile strength that form the main component of connective tissue in animals. [GOC:mah]' - }, - 'GO:0032968': { - 'name': 'positive regulation of transcription elongation from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription elongation, the extension of an RNA molecule after transcription initiation and promoter clearance by the addition of ribonucleotides, catalyzed by RNA polymerase II. [GOC:mah, GOC:txnOH]' - }, - 'GO:0032969': { - 'name': 'endosomal scaffold complex', - 'def': 'A protein complex that contains MAPKSP1 (MP1, Map2k1ip1) and ROBLD3 (p14, Mapbpip), is anchored to late endosomes, and is involved in selective activation of the ERK1 in ERK/MAPK signaling. [PMID:15263099, PMID:16227978, PMID:17496910]' - }, - 'GO:0032970': { - 'name': 'regulation of actin filament-based process', - 'def': 'Any process that modulates the frequency, rate or extent of any cellular process that depends upon or alters the actin cytoskeleton. [GOC:mah]' - }, - 'GO:0032971': { - 'name': 'regulation of muscle filament sliding', - 'def': 'Any process that modulates the frequency, rate or extent of muscle filament sliding. [GOC:ecd]' - }, - 'GO:0032972': { - 'name': 'regulation of muscle filament sliding speed', - 'def': 'Any process that modulates the velocity of muscle filament sliding. [GOC:dph, GOC:ecd, GOC:tb]' - }, - 'GO:0032973': { - 'name': 'amino acid export', - 'def': 'The directed movement of amino acids out of a cell or organelle. [GOC:mah]' - }, - 'GO:0032974': { - 'name': 'amino acid transmembrane export from vacuole', - 'def': 'The directed movement of amino acids out of the vacuole, across the vacuolar membrane. [GOC:mah]' - }, - 'GO:0032975': { - 'name': 'amino acid transmembrane import into vacuole', - 'def': 'The directed movement of amino acids into the vacuole across the vacuolar membrane. [GOC:mah]' - }, - 'GO:0032976': { - 'name': 'release of matrix enzymes from mitochondria', - 'def': 'The process in which enzymes, such as aspartate aminotransferase, are enabled to move from the mitochondrial matrix into the cytosol, as part of the apoptotic process. [GOC:mah, GOC:mtg_apoptosis, PMID:9843949]' - }, - 'GO:0032977': { - 'name': 'membrane insertase activity', - 'def': 'Mediates the integration of proteins into a membrane from the inner side of the membrane. Membrane insertases are highly conserved and include the bacterial YidC family, the plant chloroplast Alb3 family, and the fungal and animal mitochondrial Oxa1/Cox18 family. [PMID:14739936]' - }, - 'GO:0032978': { - 'name': 'protein insertion into membrane from inner side', - 'def': 'The process in which a protein is incorporated into a lipid bilayer, e.g., the prokaryotic, mitochondrial, or chloroplast inner membrane, from the inner side. [PMID:14739936, PMID:15473843]' - }, - 'GO:0032979': { - 'name': 'protein insertion into mitochondrial membrane from inner side', - 'def': 'The process in which a protein is incorporated into the mitochondrial membrane from the inner side. This includes membrane insertion of newly synthesized mitochondrially-encoded proteins, and insertion of nuclear-encoded proteins after their import into the mitochondrial matrix. [PMID:12880202, PMID:15473843]' - }, - 'GO:0032980': { - 'name': 'keratinocyte activation', - 'def': 'A change in the morphology or behavior of a keratinocyte resulting from exposure to an activating factor such as a cellular or soluble ligand. Upon activation, keratinocytes become migratory and hyperproliferative, and produce growth factors and cytokines. [GOC:mah, PMID:15737202]' - }, - 'GO:0032981': { - 'name': 'mitochondrial respiratory chain complex I assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form mitochondrial respiratory chain complex I. [GOC:rph]' - }, - 'GO:0032982': { - 'name': 'myosin filament', - 'def': 'A protein complex containing myosin heavy chains, plus associated light chains and other proteins, in which the myosin heavy chains are arranged into a filament. [GOC:mah]' - }, - 'GO:0032983': { - 'name': 'kainate selective glutamate receptor complex', - 'def': 'An assembly of four or five subunits which form a structure with an extracellular N-terminus and a large loop that together form the ligand binding domain. The C-terminus is intracellular. The ionotropic glutamate receptor complex itself acts as a ligand gated ion channel; on binding glutamate, charged ions pass through a channel in the center of the receptor complex. Kainate receptors are multimeric assemblies of GluK1-3 (also called GluR5-7), GluK4 (KA1) and GluK5 (KA2) subunits. [GOC:bf, http://www.bris.ac.uk/Depts/Synaptic/info/glutamate.html, PMID:18655795]' - }, - 'GO:0032984': { - 'name': 'macromolecular complex disassembly', - 'def': 'The disaggregation of a macromolecular complex into its constituent components. [GOC:mah]' - }, - 'GO:0032985': { - 'name': 'protein-carbohydrate complex disassembly', - 'def': 'The disaggregation of a protein-carbohydrate complex into its constituent components. [GOC:mah]' - }, - 'GO:0032986': { - 'name': 'protein-DNA complex disassembly', - 'def': 'The disaggregation of a protein-DNA complex into its constituent components. [GOC:mah]' - }, - 'GO:0032987': { - 'name': 'protein-lipid complex disassembly', - 'def': 'The disaggregation of a protein-lipid complex into its constituent components. [GOC:mah]' - }, - 'GO:0032988': { - 'name': 'ribonucleoprotein complex disassembly', - 'def': 'The disaggregation of a protein-RNA complex into its constituent components. [GOC:mah]' - }, - 'GO:0032989': { - 'name': 'cellular component morphogenesis', - 'def': 'The process in which cellular structures, including whole cells or cell parts, are generated and organized. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032990': { - 'name': 'cell part morphogenesis', - 'def': 'The process in which the anatomical structures of a cell part are generated and organized. [GOC:mah]' - }, - 'GO:0032991': { - 'name': 'macromolecular complex', - 'def': 'A stable assembly of two or more macromolecules, i.e. proteins, nucleic acids, carbohydrates or lipids, in which at least one component is a protein and the constituent parts function together. [GOC:dos, GOC:mah]' - }, - 'GO:0032992': { - 'name': 'protein-carbohydrate complex', - 'def': 'A macromolecular complex containing separate protein and carbohydrate molecules. Separate in this context means not covalently bound to each other. [GOC:mah]' - }, - 'GO:0032993': { - 'name': 'protein-DNA complex', - 'def': 'A macromolecular complex containing both protein and DNA molecules. [GOC:mah]' - }, - 'GO:0032994': { - 'name': 'protein-lipid complex', - 'def': 'A macromolecular complex containing separate protein and lipid molecules. Separate in this context means not covalently bound to each other. [GOC:mah]' - }, - 'GO:0032995': { - 'name': 'regulation of fungal-type cell wall biogenesis', - 'def': 'Any process that modulates the process in which a cell wall is synthesized, aggregates, and bonds together. The fungal-type cell wall contains beta-glucan and may contain chitin. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0032996': { - 'name': 'Bcl3-Bcl10 complex', - 'def': 'A protein complex containing Bcl3 and Bcl10, which forms when Akt1 is activated by TNF-alpha to phosphorylate Bcl10; the Bcl3-Bcl10 complex is translocated to the nucleus. [PMID:16280327]' - }, - 'GO:0032997': { - 'name': 'Fc receptor complex', - 'def': 'A protein complex composed of a subunit or subunits capable of binding the Fc portion of an immunoglobulin with additional signaling components. The complex functions as a receptor for immunoglobulin. [GOC:add, ISBN:0781735149]' - }, - 'GO:0032998': { - 'name': 'Fc-epsilon receptor I complex', - 'def': 'A protein complex composed of an Fc-epsilon RI alpha chain and an Fc-epsilon RI gamma chain dimer with or without an Fc-episilon RI beta chain and additional signaling components. The complex functions primarily as an activating receptor for IgE. [GOC:add, ISBN:0781735149]' - }, - 'GO:0032999': { - 'name': 'Fc-alpha receptor I complex', - 'def': 'A protein complex composed of an Fc-alpha R alpha chain and an Fc-epsilon RI gamma chain dimer with or without additional signaling components. The complex functions primarily as an activating receptor for IgA. [GOC:add, ISBN:0781735149, PMID:12524384]' - }, - 'GO:0033000': { - 'name': 'Fc-gamma receptor I complex', - 'def': 'A protein complex composed of an Fc-gamma RI alpha chain and an Fc-epsilon RI gamma chain dimer with or without additional signaling components. The complex functions primarily as an activating receptor for IgG. [GOC:add, ISBN:0781735149, PMID:11244038, PMID:12413532]' - }, - 'GO:0033001': { - 'name': 'Fc-gamma receptor III complex', - 'def': 'A protein complex composed of an Fc-gamma RIII alpha chain and an Fc-epsilon RI gamma chain dimer with or without an Fc-epsilon RI beta chain and additional signaling components. The complex functions primarily as an activating receptor for IgG. [GOC:add, ISBN:0781735149, PMID:11244038, PMID:12413532]' - }, - 'GO:0033002': { - 'name': 'muscle cell proliferation', - 'def': 'The expansion of a muscle cell population by cell division. [CL:0000187, GOC:mah]' - }, - 'GO:0033003': { - 'name': 'regulation of mast cell activation', - 'def': 'Any process that modulates the frequency, rate, or extent of mast cell activation. [GOC:mah]' - }, - 'GO:0033004': { - 'name': 'negative regulation of mast cell activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of mast cell activation. [GOC:mah]' - }, - 'GO:0033005': { - 'name': 'positive regulation of mast cell activation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of mast cell activation. [GOC:mah]' - }, - 'GO:0033006': { - 'name': 'regulation of mast cell activation involved in immune response', - 'def': 'Any process that modulates the frequency, rate, or extent of mast cell activation as part of an immune response. [GOC:mah]' - }, - 'GO:0033007': { - 'name': 'negative regulation of mast cell activation involved in immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of mast cell activation as part of an immune response. [GOC:mah]' - }, - 'GO:0033008': { - 'name': 'positive regulation of mast cell activation involved in immune response', - 'def': 'Any process that activates or increases the frequency, rate, or extent of mast cell activation as part of an immune response. [GOC:mah]' - }, - 'GO:0033009': { - 'name': 'nucleomorph', - 'def': 'A small, vestigial nucleus found in some plastids that derive from a eukaryotic endosymbiont. Observed in chlorarachniophytes and cryptomonads, which acquired their plastids from a green and red alga respectively. [PMID:16760254]' - }, - 'GO:0033010': { - 'name': 'paranodal junction', - 'def': 'A highly specialized cell-cell junction found in vertebrates, which forms between a neuron and a glial cell, and has structural similarity to Drosophila septate junctions. It flanks the node of Ranvier in myelinated nerve and electrically isolates the myelinated from unmyelinated nerve segments and physically separates the voltage-gated sodium channels at the node from the cluster of potassium channels underneath the myelin sheath. [PMID:11395001, PMID:14630217]' - }, - 'GO:0033011': { - 'name': 'perinuclear theca', - 'def': 'A condensed cytoplasmic structure that covers the nucleus of mammalian spermatozoa except for a narrow zone around the insertion of the tail. It shows two distinct regions, a subacrosomal layer and, continuing caudally beyond the acrosomic system, the postacrosomal sheath. The perinuclear theca has been considered a cytoskeletal scaffold responsible for maintaining the overall architecture of the mature sperm head; however, recent studies indicate that the bulk of its constituent proteins are not traditional cytoskeletal proteins but rather a variety of cytosolic proteins. [PMID:17289678, PMID:8025156]' - }, - 'GO:0033012': { - 'name': 'porosome', - 'def': 'A permanent cup-shaped structure at the cell plasma membrane in secretory cells. Following a secretory stimulus, secretory vesicles transiently dock and fuse at the base of porosomes and release intravesicular contents dictated by the turgor pressure generated from the swelling of secretory vesicles. [PMID:15090256, PMID:16563225]' - }, - 'GO:0033013': { - 'name': 'tetrapyrrole metabolic process', - 'def': 'The chemical reactions and pathways involving tetrapyrroles, natural pigments containing four pyrrole rings joined by one-carbon units linking position 2 of one pyrrole ring to position 5 of the next. [CHEBI:26932, GOC:mah]' - }, - 'GO:0033014': { - 'name': 'tetrapyrrole biosynthetic process', - 'def': 'The chemical reactions and pathways leading to the formation of tetrapyrroles, natural pigments containing four pyrrole rings joined by one-carbon units linking position 2 of one pyrrole ring to position 5 of the next. [CHEBI:26932, GOC:mah]' - }, - 'GO:0033015': { - 'name': 'tetrapyrrole catabolic process', - 'def': 'The chemical reactions and pathways leading to the breakdown of tetrapyrroles, natural pigments containing four pyrrole rings joined by one-carbon units linking position 2 of one pyrrole ring to position 5 of the next. [CHEBI:26932, GOC:mah]' - }, - 'GO:0033016': { - 'name': 'rhoptry membrane', - 'def': 'The lipid bilayer surrounding a rhoptry. [GOC:mah]' - }, - 'GO:0033017': { - 'name': 'sarcoplasmic reticulum membrane', - 'def': 'The lipid bilayer surrounding the sarcoplasmic reticulum. [GOC:rph]' - }, - 'GO:0033018': { - 'name': 'sarcoplasmic reticulum lumen', - 'def': 'The volume enclosed by the membranes of the sarcoplasmic reticulum. [GOC:rph]' - }, - 'GO:0033019': { - 'name': '5-hydroxyvalerate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5-hydroxyvalerate + NAD+ = 5-oxovalerate + NADH. [GOC:mlg, PMID:12406764]' - }, - 'GO:0033020': { - 'name': 'cyclopentanol metabolic process', - 'def': 'The chemical reactions and pathways involving cyclopentanol. [GOC:mlg, PMID:12406764]' - }, - 'GO:0033021': { - 'name': 'cyclopentanol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cyclopentanol. [GOC:mah, PMID:12406764]' - }, - 'GO:0033022': { - 'name': 'cyclopentanol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cyclopentanol. [GOC:mah, PMID:12406764]' - }, - 'GO:0033023': { - 'name': 'mast cell homeostasis', - 'def': 'The process of regulating the proliferation and elimination of mast cells such that the total number of mast cells within a whole or part of an organism is stable over time in the absence of an outside stimulus. [GOC:add, PMID:11292031]' - }, - 'GO:0033024': { - 'name': 'mast cell apoptotic process', - 'def': 'Any apoptotic process in a mast cell, a cell that is found in almost all tissues containing numerous basophilic granules and capable of releasing large amounts of histamine and heparin upon activation. [CL:0000097, GOC:add, GOC:mtg_apoptosis, PMID:11292031, PMID:12360215, PMID:16605130]' - }, - 'GO:0033025': { - 'name': 'regulation of mast cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate, or extent of mast cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0033026': { - 'name': 'negative regulation of mast cell apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of mast cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0033027': { - 'name': 'positive regulation of mast cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of mast cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0033028': { - 'name': 'myeloid cell apoptotic process', - 'def': 'Any apoptotic process in a myeloid cell, a cell of the monocyte, granulocyte, mast cell, megakaryocyte, or erythroid lineage. [CL:0000763, GOC:add, GOC:mtg_apoptosis, PMID:11292031, PMID:15330259, PMID:17133093]' - }, - 'GO:0033029': { - 'name': 'regulation of neutrophil apoptotic process', - 'def': 'Any process that modulates the frequency, rate, or extent of neutrophil apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0033030': { - 'name': 'negative regulation of neutrophil apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of neutrophil apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0033031': { - 'name': 'positive regulation of neutrophil apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of neutrophil apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0033032': { - 'name': 'regulation of myeloid cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate, or extent of myeloid cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0033033': { - 'name': 'negative regulation of myeloid cell apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of a myeloid cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0033034': { - 'name': 'positive regulation of myeloid cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of myeloid cell apoptotic process. [GOC:add, GOC:mtg_apoptosis]' - }, - 'GO:0033036': { - 'name': 'macromolecule localization', - 'def': 'Any process in which a macromolecule is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0033037': { - 'name': 'polysaccharide localization', - 'def': 'Any process in which a polysaccharide is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0033038': { - 'name': 'bitter taste receptor activity', - 'def': 'Combining with soluble bitter compounds to initiate a change in cell activity. These receptors are responsible for the sense of bitter taste. [GOC:mah]' - }, - 'GO:0033039': { - 'name': 'salty taste receptor activity', - 'def': 'Combining with soluble salty compounds to initiate a change in cell activity. These receptors are responsible for the sense of salty taste. [GOC:mah]' - }, - 'GO:0033040': { - 'name': 'sour taste receptor activity', - 'def': 'Combining with soluble sour compounds to initiate a change in cell activity. These receptors are responsible for the sense of sour taste. [GOC:mah]' - }, - 'GO:0033041': { - 'name': 'sweet taste receptor activity', - 'def': 'Combining with soluble sweet compounds to initiate a change in cell activity. These receptors are responsible for the sense of sweet taste. [GOC:mah]' - }, - 'GO:0033042': { - 'name': 'umami taste receptor activity', - 'def': 'Combining with soluble umami compounds to initiate a change in cell activity. These receptors are responsible for the sense of umami taste, the savory taste of meats and other foods that are rich in glutamates. [GOC:mah]' - }, - 'GO:0033043': { - 'name': 'regulation of organelle organization', - 'def': 'Any process that modulates the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of an organelle. [GOC:mah]' - }, - 'GO:0033044': { - 'name': 'regulation of chromosome organization', - 'def': 'Any process that modulates the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of a chromosome. [GOC:mah]' - }, - 'GO:0033045': { - 'name': 'regulation of sister chromatid segregation', - 'def': 'Any process that modulates the frequency, rate or extent of sister chromatid segregation. [GOC:mah]' - }, - 'GO:0033046': { - 'name': 'negative regulation of sister chromatid segregation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sister chromatid segregation. [GOC:mah]' - }, - 'GO:0033047': { - 'name': 'regulation of mitotic sister chromatid segregation', - 'def': 'Any process that modulates the frequency, rate or extent of sister chromatid segregation during mitosis. [GOC:mah]' - }, - 'GO:0033048': { - 'name': 'negative regulation of mitotic sister chromatid segregation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sister chromatid segregation during mitosis. [GOC:mah]' - }, - 'GO:0033049': { - 'name': 'clavulanic acid metabolic process', - 'def': 'The chemical reactions and pathways involving clavulanic acid, (2R,3Z,5R)-3-(2-hydroxyethylidene)-7-oxo-4-oxa-1-azabicyclo[3.2.0]heptane-2-carboxylic acid. [CHEBI:3736, GOC:mah]' - }, - 'GO:0033050': { - 'name': 'clavulanic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of clavulanic acid, (2R,3Z,5R)-3-(2-hydroxyethylidene)-7-oxo-4-oxa-1-azabicyclo[3.2.0]heptane-2-carboxylic acid. [CHEBI:3736, GOC:mah]' - }, - 'GO:0033051': { - 'name': 'aminophosphonate metabolic process', - 'def': 'The chemical reactions and pathways involving aminophosphonates, phosphonic acid derivatives that contain an amino group. [GOC:mah, http://pages.unibas.ch/mdpi/ecsoc/a0045/a0045.htm, KEGG:map00440]' - }, - 'GO:0033052': { - 'name': 'cyanoamino acid metabolic process', - 'def': 'The chemical reactions and pathways involving cyanoamino acids, amino acid derivatives that contain a cyanide group. [GOC:mah, PMID:11575729]' - }, - 'GO:0033053': { - 'name': 'D-glutamine metabolic process', - 'def': 'The chemical reactions and pathways involving D-glutamine, the D-enantiomer of the amino acid glutamine, i.e. (2R)-2,5-diamino-5-oxopentanoic acid. [CHEBI:17061, GOC:jsg, GOC:mah]' - }, - 'GO:0033054': { - 'name': 'D-glutamate metabolic process', - 'def': 'The chemical reactions and pathways involving D-glutamate, the D-enantiomer of the amino acid glutamate, i.e. (2R)-2-aminopentanedioic acid. [CHEBI:15966, GOC:jsg, GOC:mah]' - }, - 'GO:0033055': { - 'name': 'D-arginine metabolic process', - 'def': 'The chemical reactions and pathways involving D-arginine, the D-enantiomer of the amino acid arginine, i.e. (2R)-2-amino-5-(carbamimidamido)pentanoic acid. [CHEBI:15816, GOC:jsg, GOC:mah]' - }, - 'GO:0033056': { - 'name': 'D-ornithine metabolic process', - 'def': 'The chemical reactions and pathways involving D-ornithine, the D-enantiomer of the amino acid ornithine, i.e. (2R)-2,5-diaminopentanoic acid. [CHEBI:16176, GOC:jsg, GOC:mah]' - }, - 'GO:0033058': { - 'name': 'directional locomotion', - 'def': 'Self-propelled movement of a cell or organism from one location to another along an axis. [GOC:mtg_MIT_16mar07]' - }, - 'GO:0033059': { - 'name': 'cellular pigmentation', - 'def': 'The deposition or aggregation of coloring matter in a cell. [GOC:mtg_MIT_16mar07]' - }, - 'GO:0033060': { - 'name': 'ocellus pigmentation', - 'def': 'The deposition or aggregation of coloring matter in an ocellus, a minute simple eye found in many invertebrates. [GOC:mtg_MIT_16mar07]' - }, - 'GO:0033061': { - 'name': 'DNA recombinase mediator complex', - 'def': 'A protein complex containing accessory proteins which bind a recombinase (e.g. Rad51) and bind single-stranded DNA (ssDNA), and promote nucleation of the recombinase onto ssDNA. [GOC:elh, GOC:mah, GOC:vw, InterPro:IPR003488, PMID:12912992]' - }, - 'GO:0033062': { - 'name': 'Rhp55-Rhp57 complex', - 'def': 'A conserved heterodimeric DNA recombinase mediator complex that contains the RecA family proteins Rhp55p and Rph57 in Schizosaccharomyces, or orthologs thereof (e.g. Rad55p and Rad57p in Saccharomyces). [GOC:mah, GOC:vw]' - }, - 'GO:0033063': { - 'name': 'Rad51B-Rad51C-Rad51D-XRCC2 complex', - 'def': 'A DNA recombinase mediator complex that contains the Rad51 paralogs RAD51B, RAD51C, RAD51D, and XRCC2, or orthologs thereof. [GOC:mah, PMID:16093548, PMID:17114795]' - }, - 'GO:0033064': { - 'name': 'XRCC2-RAD51D complex', - 'def': 'A heterodimeric DNA recombinase mediator complex that contains the Rad51 paralogs RAD51D and XRCC2, or orthologs thereof; conserved from fission yeast to human but absent from budding yeast. [GOC:mah, GOC:vw, PMID:16093548]' - }, - 'GO:0033065': { - 'name': 'Rad51C-XRCC3 complex', - 'def': 'A DNA recombinase mediator complex that contains the Rad51 paralogs RAD51C and XRCC3, or orthologs thereof. [GOC:mah, PMID:16093548, PMID:17114795]' - }, - 'GO:0033066': { - 'name': 'Rad51B-Rad51C complex', - 'def': 'A DNA recombinase mediator complex that contains the Rad51 paralogs RAD51B and RAD51C, or orthologs thereof. [GOC:mah, PMID:16093548, PMID:17114795]' - }, - 'GO:0033067': { - 'name': 'macrolide metabolic process', - 'def': 'The chemical reactions and pathways involving macrolides, any of a large group of polyketide compounds that contain a large lactone ring with few or no double bonds and no nitrogen atoms, linked glycosidically to one or more sugar groups. The macrolides include the carbomycins, the erythromycins, oleandomycin, oligomycins, and the spiramycins, and act as antibiotics, mainly against Gram-positive bacteria. [ISBN:0198506732, PMID:17298179]' - }, - 'GO:0033068': { - 'name': 'macrolide biosynthetic process', - 'def': 'The chemical reactions and pathways leading to the formation of macrolides, any of a large group of polyketide compounds that contain a large lactone ring with few or no double bonds and no nitrogen atoms, linked glycosidically to one or more sugar groups. The macrolides include the carbomycins, the erythromycins, oleandomycin, oligomycins, and the spiramycins, and act as antibiotics, mainly against Gram-positive bacteria. [ISBN:0198506732, PMID:17298179]' - }, - 'GO:0033069': { - 'name': 'ansamycin metabolic process', - 'def': 'The chemical reactions and pathways involving ansamycins, any of a group of complex macrolactam compounds characterized by a cyclic structure in which an aliphatic ansa chain forms a bridge between two non-adjacent positions of a cyclic p-system; many exhibit antibacterial, antifungal or antitumor activity. [GOC:mah, http://ww2.icho.edu.pl/cednets/rydzyna/meyer.htm]' - }, - 'GO:0033070': { - 'name': 'ansamycin biosynthetic process', - 'def': 'The chemical reactions and pathways leading to the formation of ansamycins, any of a group of complex macrolactam compounds characterized by a cyclic structure in which an aliphatic ansa chain forms a bridge between two non-adjacent positions of a cyclic p-system; many exhibit antibacterial, antifungal or antitumor activity. [GOC:mah, http://ww2.icho.edu.pl/cednets/rydzyna/meyer.htm]' - }, - 'GO:0033071': { - 'name': 'vancomycin metabolic process', - 'def': 'The chemical reactions and pathways involving vancomycin, (3S,6R,7R,11R,23S,26S,30aS,36R,38aR)-44-[2-O-(3-amino-2,3,6-trideoxy-3-C-methyl-alpha-L-lyxo-hexopyranosyl)-beta-D-glucopyranosyloxy]-3-(carbamoylmethyl)-10,19-dichloro-2,3,4,5,6,7,23,25,26,36,37,38,38a-tetradecahydro-7,22,28,30,32-pentahydroxy-6-(N-methyl-D-leucyl)-2,5,24,38,39-pentaoxo-1H,22H-23,36-(epiminomethano)-8,11:18,21-dietheno-13,16:31,35-di(metheno)[1,6,9]oxadiazacyclohexadecino[4,5-m][10,2,16]benzoxadiazacyclotetracosine-26-carboxylic acid, a complex glycopeptide from Streptomyces orientalis that inhibits a specific step in the synthesis of the peptidoglycan layer in Gram-positive bacteria. [CHEBI:28001, GOC:mah]' - }, - 'GO:0033072': { - 'name': 'vancomycin biosynthetic process', - 'def': 'The chemical reactions and pathways leading to the formation of vancomycin, (3S,6R,7R,11R,23S,26S,30aS,36R,38aR)-44-[2-O-(3-amino-2,3,6-trideoxy-3-C-methyl-alpha-L-lyxo-hexopyranosyl)-beta-D-glucopyranosyloxy]-3-(carbamoylmethyl)-10,19-dichloro-2,3,4,5,6,7,23,25,26,36,37,38,38a-tetradecahydro-7,22,28,30,32-pentahydroxy-6-(N-methyl-D-leucyl)-2,5,24,38,39-pentaoxo-1H,22H-23,36-(epiminomethano)-8,11:18,21-dietheno-13,16:31,35-di(metheno)[1,6,9]oxadiazacyclohexadecino[4,5-m][10,2,16]benzoxadiazacyclotetracosine-26-carboxylic acid, a complex glycopeptide from Streptomyces orientalis that inhibits a specific step in the synthesis of the peptidoglycan layer in Gram-positive bacteria. [CHEBI:28001, GOC:mah]' - }, - 'GO:0033073': { - 'name': 'pinene metabolic process', - 'def': 'The chemical reactions and pathways involving the monoterpenoid pinene; alpha-pinene is (1S,5S)-2,6,6-trimethylbicyclo[3.1.1]hept-2-ene, and beta-pinene is (1S,5S)-6,6-dimethyl-2-methylenebicyclo[3.1.1]heptane. [GOC:mah, http://www.chem.qmul.ac.uk/iubmb/enzyme/glossary/pinene.html]' - }, - 'GO:0033074': { - 'name': 'pinene catabolic process', - 'def': 'The chemical reactions and pathways leading to the breakdown of the monoterpenoid pinene; alpha-pinene is (1S,5S)-2,6,6-trimethylbicyclo[3.1.1]hept-2-ene, and beta-pinene is (1S,5S)-6,6-dimethyl-2-methylenebicyclo[3.1.1]heptane. [GOC:mah, http://www.chem.qmul.ac.uk/iubmb/enzyme/glossary/pinene.html]' - }, - 'GO:0033075': { - 'name': 'isoquinoline alkaloid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isoquinoline alkaloids, alkaloid compounds that contain bicyclic N-containing aromatic rings and are derived from a 3,4-dihydroxytyramine (dopamine) precursor that undergoes a Schiff base addition with aldehydes of different origin. [GOC:mah, http://www.life.uiuc.edu/ib/425/lecture32.html]' - }, - 'GO:0033076': { - 'name': 'isoquinoline alkaloid metabolic process', - 'def': 'The chemical reactions and pathways involving isoquinoline alkaloids, alkaloid compounds that contain bicyclic N-containing aromatic rings and are derived from a 3,4-dihydroxytyramine (dopamine) precursor that undergoes a Schiff base addition with aldehydes of different origin. [GOC:mah, http://www.life.uiuc.edu/ib/425/lecture32.html]' - }, - 'GO:0033077': { - 'name': 'T cell differentiation in thymus', - 'def': 'The process in which a precursor cell type acquires the specialized features of a T cell via a differentiation pathway dependent upon transit through the thymus. [GOC:add, ISBN:0781735149]' - }, - 'GO:0033078': { - 'name': 'extrathymic T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a T cell via a differentiation pathway independent of the thymus. [GOC:add, ISBN:0781735149]' - }, - 'GO:0033079': { - 'name': 'immature T cell proliferation', - 'def': 'The expansion of an immature T cell population by cell division. [GOC:add, ISBN:0781735149]' - }, - 'GO:0033080': { - 'name': 'immature T cell proliferation in thymus', - 'def': 'The expansion of an immature T cell population by cell division in the thymus. [GOC:add, ISBN:0781735149]' - }, - 'GO:0033081': { - 'name': 'regulation of T cell differentiation in thymus', - 'def': 'Any process that modulates the frequency, rate or extent of T cell differentiation in the thymus. [GOC:add, GOC:mah]' - }, - 'GO:0033082': { - 'name': 'regulation of extrathymic T cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of extrathymic T cell differentiation. [GOC:add, GOC:mah]' - }, - 'GO:0033083': { - 'name': 'regulation of immature T cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of immature T cell proliferation. [GOC:add, GOC:mah]' - }, - 'GO:0033084': { - 'name': 'regulation of immature T cell proliferation in thymus', - 'def': 'Any process that modulates the frequency, rate or extent of immature T cell proliferation in the thymus. [GOC:add, GOC:mah]' - }, - 'GO:0033085': { - 'name': 'negative regulation of T cell differentiation in thymus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of T cell differentiation in the thymus. [GOC:add, GOC:mah]' - }, - 'GO:0033086': { - 'name': 'negative regulation of extrathymic T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of extrathymic T cell differentiation. [GOC:add, GOC:mah]' - }, - 'GO:0033087': { - 'name': 'negative regulation of immature T cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of immature T cell proliferation. [GOC:add, GOC:mah]' - }, - 'GO:0033088': { - 'name': 'negative regulation of immature T cell proliferation in thymus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of immature T cell proliferation in the thymus. [GOC:add, GOC:mah]' - }, - 'GO:0033089': { - 'name': 'positive regulation of T cell differentiation in thymus', - 'def': 'Any process that activates or increases the frequency, rate or extent of T cell differentiation in the thymus. [GOC:add, GOC:mah]' - }, - 'GO:0033090': { - 'name': 'positive regulation of extrathymic T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of extrathymic T cell differentiation. [GOC:add, GOC:mah]' - }, - 'GO:0033091': { - 'name': 'positive regulation of immature T cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of immature T cell proliferation. [GOC:add, GOC:mah]' - }, - 'GO:0033092': { - 'name': 'positive regulation of immature T cell proliferation in thymus', - 'def': 'Any process that activates or increases the frequency, rate or extent of immature T cell proliferation in the thymus. [GOC:add, GOC:mah]' - }, - 'GO:0033093': { - 'name': 'Weibel-Palade body', - 'def': 'A large, elongated, rod-shaped secretory granule characteristic of vascular endothelial cells that contain a number of structurally and functionally distinct proteins, of which the best characterized are von Willebrand factor (VWF) and P-selectin. Weibel-Palade bodies are formed from the trans-Golgi network in a process that depends on VWF, which is densely packed in a highly organized manner, and on coat proteins that remain associated with the granules. Upon cell stimulation, regulated exocytosis releases the contained proteins to the cell surface, where they act in the recruitment of platelets and leukocytes and in inflammatory and vasoactive responses. [PMID:11935287, PMID:16087708]' - }, - 'GO:0033094': { - 'name': 'butane-1,4-diamine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: putrescine + 2-oxoglutarate = L-glutamate + 1-pyrroline + H2O. [EC:2.6.1.82, GOC:mlg]' - }, - 'GO:0033095': { - 'name': 'aleurone grain', - 'def': 'A membrane-bounded storage granule found in cells of the aleurone layer in plants; contains either a protein matrix, protein-carbohydrate bodies and/or globoids. Aleurone grains are formed by the vacuole, rough endoplasmic reticulum and dictyosomes. [http://ejournal.sinica.edu.tw/bbas/content/2004/1/bot451-08.pdf, http://www.springerlink.com/content/q7183h5vr7358278/]' - }, - 'GO:0033096': { - 'name': 'amyloplast envelope', - 'def': 'The double lipid bilayer enclosing the amyloplast and separating its contents from the rest of the cytoplasm; includes the intermembrane space. [GOC:mah]' - }, - 'GO:0033097': { - 'name': 'amyloplast membrane', - 'def': 'Either of the lipid bilayers that surround an amyloplast and form the amyloplast envelope. [GOC:ecd]' - }, - 'GO:0033098': { - 'name': 'amyloplast inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of the amyloplast envelope; also faces the amyloplast stroma. [GOC:ecd]' - }, - 'GO:0033099': { - 'name': 'attachment organelle', - 'def': 'A membrane-bounded extension of the cell, originally characterized in Mycoplasma species, that contains an electron-dense core that is part of the cytoskeleton and is oriented lengthwise and ends distally in a bulbous knob (terminal button). Required for adherence to host cells and involved in gliding motility and cell division. [http://authors.library.caltech.edu/3529/, PMID:11325545, PMID:12003948]' - }, - 'GO:0033100': { - 'name': 'NuA3 histone acetyltransferase complex', - 'def': 'A Gcn5-independent multisubunit complex that catalyzes the acetylation of histone H3. The budding yeast complex includes Sas3p, Taf30p, and Yng1p. [PMID:10817755, PMID:17157260]' - }, - 'GO:0033101': { - 'name': 'cellular bud membrane', - 'def': 'The portion of the plasma membrane surrounding a cellular bud. [GOC:mah]' - }, - 'GO:0033102': { - 'name': 'acidocalcisome membrane', - 'def': 'The lipid bilayer surrounding an acidocalcisome. [GOC:ecd, PMID:11378195]' - }, - 'GO:0033103': { - 'name': 'protein secretion by the type VI secretion system', - 'def': 'The process in which proteins are transferred into the extracellular milieu or directly into host cells by the type VI secretion system. Proteins secreted by this system do not require an N-terminal signal sequence. [GOC:mlg, PMID:16432199, PMID:16763151]' - }, - 'GO:0033104': { - 'name': 'type VI protein secretion system complex', - 'def': 'A complex of proteins that permits the transfer of proteins into the extracellular milieu or directly into host cells via the type VI secretion system. Proteins secreted by this complex do not require an N-terminal signal sequence. [GOC:mlg, PMID:16432199, PMID:16763151]' - }, - 'GO:0033105': { - 'name': 'chlorosome envelope', - 'def': 'The structure, composed of a monolayer of glycolipids with embedded proteins, that encloses the pigments and other contents of the chlorosome. [PMID:14507718, PMID:14729689, PMID:17303128]' - }, - 'GO:0033106': { - 'name': 'cis-Golgi network membrane', - 'def': 'The lipid bilayer surrounding any of the compartments that make up the cis-Golgi network. [GOC:mah]' - }, - 'GO:0033107': { - 'name': 'CVT vesicle', - 'def': 'A cytosolic vesicle that is enclosed by a double membrane and is implicated in the cytoplasm to vacuole targeting pathway. These vesicles are found in the yeast S. cerevisiae, and contain vacuolar hydrolases, aminopeptidase I (Ape1p) and alpha-mannosidase (Ams1p). [GOC:rb, PMID:15138258]' - }, - 'GO:0033108': { - 'name': 'mitochondrial respiratory chain complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a mitochondrial respiratory chain complex. [GOC:mah]' - }, - 'GO:0033110': { - 'name': 'Cvt vesicle membrane', - 'def': 'Either of the two lipid bilayers surrounding a Cvt vesicle, a vesicle that functions in the cytoplasm-to-vacuole targeting (Cvt) pathway. [GOC:ecd, PMID:20065092]' - }, - 'GO:0033111': { - 'name': 'attachment organelle membrane', - 'def': 'The lipid bilayer surrounding an attachment organelle. This is a region of the cell membrane facing the environment - in mycoplasma, part of the mycolate outer membrane. [GOC:ecd]' - }, - 'GO:0033112': { - 'name': 'cyanelle envelope', - 'def': 'The double lipid bilayer enclosing the cyanelle and separating its contents from the rest of the cytoplasm; includes the intermembrane space. [GOC:mah]' - }, - 'GO:0033113': { - 'name': 'cyanelle membrane', - 'def': 'Either of the lipid bilayers that surround a cyanelle and form the cyanelle envelope. [GOC:ecd]' - }, - 'GO:0033114': { - 'name': 'cyanelle thylakoid lumen', - 'def': 'The volume enclosed by a cyanelle thylakoid membrane. [GOC:mah]' - }, - 'GO:0033115': { - 'name': 'cyanelle thylakoid membrane', - 'def': 'The lipid bilayer membrane of any thylakoid within a cyanelle. [GOC:mah]' - }, - 'GO:0033116': { - 'name': 'endoplasmic reticulum-Golgi intermediate compartment membrane', - 'def': 'The lipid bilayer surrounding any of the compartments of the endoplasmic reticulum (ER)-Golgi intermediate compartment system. [GOC:mah, GOC:pr, PMID:16723730]' - }, - 'GO:0033117': { - 'name': 'esterosome', - 'def': 'A vesicle filled with crystalline protein that shows sequence similarities with various esterases. [GOC:ecd, PMID:2307702]' - }, - 'GO:0033118': { - 'name': 'esterosome membrane', - 'def': 'The lipid bilayer surrounding an esterosome. This membrane has characteristics of rough endoplasmic reticulum (RER) membranes. [GOC:ecd, PMID:2307702]' - }, - 'GO:0033119': { - 'name': 'negative regulation of RNA splicing', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of RNA splicing. [GOC:mah]' - }, - 'GO:0033120': { - 'name': 'positive regulation of RNA splicing', - 'def': 'Any process that activates or increases the frequency, rate or extent of RNA splicing. [GOC:mah]' - }, - 'GO:0033121': { - 'name': 'regulation of purine nucleotide catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of purine nucleotides. [GOC:mah]' - }, - 'GO:0033122': { - 'name': 'negative regulation of purine nucleotide catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of purine nucleotides. [GOC:mah]' - }, - 'GO:0033123': { - 'name': 'positive regulation of purine nucleotide catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of purine nucleotides. [GOC:mah]' - }, - 'GO:0033124': { - 'name': 'obsolete regulation of GTP catabolic process', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of GTP, guanosine triphosphate. [GOC:mah]' - }, - 'GO:0033125': { - 'name': 'obsolete negative regulation of GTP catabolic process', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of GTP, guanosine triphosphate. [GOC:mah]' - }, - 'GO:0033126': { - 'name': 'obsolete positive regulation of GTP catabolic process', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of GTP, guanosine triphosphate. [GOC:mah]' - }, - 'GO:0033127': { - 'name': 'regulation of histone phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of the addition of one or more phosphate groups to a histone protein. [GOC:mah]' - }, - 'GO:0033128': { - 'name': 'negative regulation of histone phosphorylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the addition of one or more phosphate groups to a histone protein. [GOC:mah]' - }, - 'GO:0033129': { - 'name': 'positive regulation of histone phosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the addition of one or more phosphate groups to a histone protein. [GOC:mah]' - }, - 'GO:0033130': { - 'name': 'acetylcholine receptor binding', - 'def': 'Interacting selectively and non-covalently with an acetylcholine receptor. [GOC:mah]' - }, - 'GO:0033131': { - 'name': 'regulation of glucokinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of glucokinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to a glucose molecule. [GOC:mah]' - }, - 'GO:0033132': { - 'name': 'negative regulation of glucokinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of glucokinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to a glucose molecule. [GOC:mah]' - }, - 'GO:0033133': { - 'name': 'positive regulation of glucokinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucokinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to a glucose molecule. [GOC:mah]' - }, - 'GO:0033134': { - 'name': 'ubiquitin activating enzyme binding', - 'def': 'Interacting selectively and non-covalently with a ubiquitin activating enzyme, any of the E1 proteins. [GOC:mah]' - }, - 'GO:0033135': { - 'name': 'regulation of peptidyl-serine phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of the phosphorylation of peptidyl-serine. [GOC:mah]' - }, - 'GO:0033136': { - 'name': 'serine phosphorylation of STAT3 protein', - 'def': 'The process of introducing a phosphate group to a serine residue of the STAT3 protein. [GOC:jl, GOC:mah]' - }, - 'GO:0033137': { - 'name': 'negative regulation of peptidyl-serine phosphorylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the phosphorylation of peptidyl-serine. [GOC:mah]' - }, - 'GO:0033138': { - 'name': 'positive regulation of peptidyl-serine phosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the phosphorylation of peptidyl-serine. [GOC:mah]' - }, - 'GO:0033139': { - 'name': 'regulation of peptidyl-serine phosphorylation of STAT protein', - 'def': 'Any process that modulates the frequency, rate or extent of the phosphorylation of a serine residue of a STAT (Signal Transducer and Activator of Transcription) protein. [GOC:mah]' - }, - 'GO:0033140': { - 'name': 'negative regulation of peptidyl-serine phosphorylation of STAT protein', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the phosphorylation of a serine residue of a STAT (Signal Transducer and Activator of Transcription) protein. [GOC:mah]' - }, - 'GO:0033141': { - 'name': 'positive regulation of peptidyl-serine phosphorylation of STAT protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of the phosphorylation of a serine residue of a STAT (Signal Transducer and Activator of Transcription) protein. [GOC:mah]' - }, - 'GO:0033142': { - 'name': 'progesterone receptor binding', - 'def': 'Interacting selectively and non-covalently with a progesterone receptor. [GOC:mah]' - }, - 'GO:0033143': { - 'name': 'regulation of intracellular steroid hormone receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the activity of any intracellular steroid hormone receptor signaling pathway. [GOC:mah]' - }, - 'GO:0033144': { - 'name': 'negative regulation of intracellular steroid hormone receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the activity of any intracellular steroid hormone receptor signaling pathway. [GOC:mah]' - }, - 'GO:0033145': { - 'name': 'positive regulation of intracellular steroid hormone receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the activity of any intracellular steroid hormone receptor signaling pathway. [GOC:mah]' - }, - 'GO:0033146': { - 'name': 'regulation of intracellular estrogen receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the activity of an intracellular estrogen receptor signaling pathway. [GOC:mah]' - }, - 'GO:0033147': { - 'name': 'negative regulation of intracellular estrogen receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the activity of an intracellular estrogen receptor signaling pathway. [GOC:mah]' - }, - 'GO:0033148': { - 'name': 'positive regulation of intracellular estrogen receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the activity of an intracellular estrogen receptor signaling pathway. [GOC:mah]' - }, - 'GO:0033149': { - 'name': 'FFAT motif binding', - 'def': 'Interacting selectively and non-covalently with the FFAT motif, a short motif containing diphenylalanine in an acidic tract that targets proteins to the cytosolic surface of the ER and to the nuclear membrane by binding directly to members of the VAP (VAMP-associated protein) protein family. [PMID:12727870, PMID:15455074, PMID:16004875]' - }, - 'GO:0033150': { - 'name': 'cytoskeletal calyx', - 'def': 'A large cytoskeletal structure located at the posterior end of the perinuclear theca of a mammalian sperm head. The nucleus is tightly associated with the calyx, which contains calicin and basic cylicin proteins. [PMID:12243744, PMID:9184090]' - }, - 'GO:0033151': { - 'name': 'V(D)J recombination', - 'def': 'The process in which immune receptor V, D, and J, or V and J gene segments, depending on the specific receptor, are recombined within a single locus utilizing the conserved heptamer and nonomer recombination signal sequences (RSS). [GOC:add, ISBN:0781700221, ISBN:0781735149]' - }, - 'GO:0033152': { - 'name': 'immunoglobulin V(D)J recombination', - 'def': 'The process in which immunoglobulin gene segments are recombined within a single locus utilizing the conserved heptamer and nonomer recombination signal sequences (RSS). For immunoglobulin heavy chains V, D, and J gene segments are joined, and for immunoglobulin light chains V and J gene segments are joined. [GOC:add, ISBN:0781735149]' - }, - 'GO:0033153': { - 'name': 'T cell receptor V(D)J recombination', - 'def': 'The process in which T cell receptor V, D, and J, or V and J gene segments, depending on the specific locus, are recombined within a single locus utilizing the conserved heptamer and nonomer recombination signal sequences (RSS). [GOC:add, ISBN:0781700221]' - }, - 'GO:0033154': { - 'name': 'oligogalacturonide-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + oligogalacturonide(out) = ADP + phosphate + oligogalacturonide(in). [GOC:mlg]' - }, - 'GO:0033155': { - 'name': 'oligogalacturonide transmembrane transporter activity', - 'def': 'Enables the transfer of oligogalacturonide from one side of the membrane to the other. [GOC:mlg]' - }, - 'GO:0033156': { - 'name': 'oligogalacturonide transport', - 'def': 'The directed movement of oligogalacturonides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mlg]' - }, - 'GO:0033157': { - 'name': 'regulation of intracellular protein transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of proteins within cells. [GOC:mah]' - }, - 'GO:0033158': { - 'name': 'regulation of protein import into nucleus, translocation', - 'def': 'Any process that modulates the vectorial transfer of a protein from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:mah]' - }, - 'GO:0033159': { - 'name': 'negative regulation of protein import into nucleus, translocation', - 'def': 'Any process that stops, prevents or reduces the vectorial transfer of a protein from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:mah]' - }, - 'GO:0033160': { - 'name': 'positive regulation of protein import into nucleus, translocation', - 'def': 'Any process that activates or increases the vectorial transfer of a protein from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:mah]' - }, - 'GO:0033161': { - 'name': 'mitogen-activated protein kinase kinase kinase kinase binding', - 'def': 'Interacting selectively and non-covalently with a mitogen-activated protein kinase kinase kinase kinase, any protein that can phosphorylate a MAP kinase kinase kinase. [GOC:mah]' - }, - 'GO:0033162': { - 'name': 'melanosome membrane', - 'def': 'The lipid bilayer surrounding a melanosome. [GOC:mah]' - }, - 'GO:0033163': { - 'name': 'microneme membrane', - 'def': 'The lipid bilayer surrounding a microneme. [GOC:mah]' - }, - 'GO:0033164': { - 'name': 'glycolipid 6-alpha-mannosyltransferase activity', - 'def': 'Catalysis of the transfer of an alpha-D-mannosyl residue from GDP-mannose into lipid-linked oligosaccharide, forming an alpha-(1->6)-D-mannosyl-D-mannose linkage. [EC:2.4.1.232, GOC:mcc, PMID:16878994]' - }, - 'GO:0033165': { - 'name': 'interphotoreceptor matrix', - 'def': 'A specialized extracellularc matrix that surrounds the photoreceptors of the retina and lies between them and the apical surface of the retinal pigment epithelium. The IPM has been implicated in several important activities required for photoreceptor function and maintenance. [http://www.glycoforum.gr.jp/science/hyaluronan/HA17/HA17E.html, PMID:1862095, PMID:2194288]' - }, - 'GO:0033166': { - 'name': 'hyaline layer', - 'def': 'A multilayered extraembryonic matrix that functions as a substrate for cell adhesion through early development. It is thought to protect and lubricate the embryo, stabilize the blastomeres during morphogenesis, and regulate nutrient intake. The major constituent of the hyaline layer is the protein hyalin. This matrix has been found in echinoderms. [http://worms.zoology.wisc.edu/urchins/SUgast_ECM3.html, PMID:1721506, PMID:9473317]' - }, - 'GO:0033167': { - 'name': 'ARC complex', - 'def': 'A ribonucleoprotein complex that contains members of the Argonaute family of proteins, additional protein subunits, and duplex siRNA; required for heterochromatin assembly and siRNA generation. Possibly involved in the conversion of ds siRNA to ss siRNA. [GOC:vw, PMID:17310250]' - }, - 'GO:0033168': { - 'name': 'conversion of ds siRNA to ss siRNA involved in RNA interference', - 'def': 'The process in which double-stranded siRNA molecules are converted to single-stranded siRNAs; required for the formation of a mature RITS complex during RNA interference. [GOC:mah, PMID:17310250]' - }, - 'GO:0033169': { - 'name': 'histone H3-K9 demethylation', - 'def': 'The modification of histone H3 by the removal of a methyl group from lysine at position 9 of the histone. [GOC:mah]' - }, - 'GO:0033170': { - 'name': 'protein-DNA loading ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to drive the assembly of a protein or protein complex onto a DNA molecule. [GOC:mah, GOC:vw]' - }, - 'GO:0033171': { - 'name': 'obsolete nucleoprotein filament-forming ATPase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + H2O = ADP + phosphate to drive the assembly of proteins such as Rad51p onto single-stranded (ss) DNA to form a helical nucleoprotein filament. [GOC:mah, GOC:vw]' - }, - 'GO:0033172': { - 'name': 'gas vesicle shell', - 'def': 'The proteinaceous structure surrounding a gas vesicle. [GOC:ecd]' - }, - 'GO:0033173': { - 'name': 'calcineurin-NFAT signaling cascade', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell by activation of a member of the NFAT protein family as a consequence of NFAT dephosphorylation by Ca(2+)-activated calcineurin. The cascade begins with calcium-dependent activation of the phosphatase calcineurin. Calcineurin dephosphorylates multiple phosphoserine residues on NFAT, resulting in the translocation of NFAT to the nucleus. The cascade ends with regulation of transcription by NFAT. The calcineurin-NFAT cascade lies downstream of many cell surface receptors, including G-protein coupled receptors (GPCRs) and receptor tyrosine kinases (RTKs) that signal to mobilize calcium ions (Ca2+). [GOC:lm, GOC:mah, PMID:12975316, PMID:15928679]' - }, - 'GO:0033174': { - 'name': 'chloroplast proton-transporting ATP synthase complex, catalytic core CF(1)', - 'def': 'The catalytic sector of the mitochondrial hydrogen-transporting ATP synthase; it comprises the catalytic core and central stalk, and is peripherally associated with the chloroplast thylakoid membrane when the entire ATP synthase is assembled. The chloroplast F0 domain contains three alpha, three beta, one gamma, one delta, and one epsilon subunits. [GOC:mah, GOC:pj, PMID:11032839]' - }, - 'GO:0033175': { - 'name': 'chloroplast proton-transporting ATP synthase complex, coupling factor CF(o)', - 'def': 'All non-F1 subunits of the chloroplast hydrogen-transporting ATP synthase, including integral and peripheral chloroplast thylakoid membrane proteins. [GOC:mah]' - }, - 'GO:0033176': { - 'name': 'proton-transporting V-type ATPase complex', - 'def': 'A proton-transporting two-sector ATPase complex that couples ATP hydrolysis to the transport of protons across a concentration gradient. The resulting transmembrane electrochemical potential of H+ is used to drive a variety of (i) secondary active transport systems via H+-dependent symporters and antiporters and (ii) channel-mediated transport systems. The complex comprises a membrane sector (V0) that carries out proton transport and a cytoplasmic compartment sector (V1) that catalyzes ATP hydrolysis. V-type ATPases are found in the membranes of organelles such as vacuoles, endosomes, and lysosomes, and in the plasma membrane. [GOC:mah, ISBN:0716743663, PMID:16449553]' - }, - 'GO:0033177': { - 'name': 'proton-transporting two-sector ATPase complex, proton-transporting domain', - 'def': 'A protein complex that forms part of a proton-transporting two-sector ATPase complex and carries out proton transport across a membrane. The proton-transporting domain (F0, V0, or A0) includes integral and peripheral membrane proteins. [GOC:mah, PMID:10838056]' - }, - 'GO:0033178': { - 'name': 'proton-transporting two-sector ATPase complex, catalytic domain', - 'def': 'A protein complex that forms part of a proton-transporting two-sector ATPase complex and catalyzes ATP hydrolysis or synthesis. The catalytic domain (F1, V1, or A1) comprises a hexameric catalytic core and a central stalk, and is peripherally associated with the membrane when the two-sector ATPase is assembled. [GOC:mah, PMID:10838056]' - }, - 'GO:0033179': { - 'name': 'proton-transporting V-type ATPase, V0 domain', - 'def': 'A protein complex that forms part of a proton-transporting V-type ATPase and mediates proton transport across a membrane. The V0 complex consists of at least four different subunits (a,c,d and e); six or more c subunits form a proton-binding rotor ring. [GOC:mah, ISBN:0716743663, PMID:16449553]' - }, - 'GO:0033180': { - 'name': 'proton-transporting V-type ATPase, V1 domain', - 'def': 'A protein complex that forms part of a proton-transporting V-type ATPase and catalyzes ATP hydrolysis. The V1 complex consists of: (1) a globular headpiece with three alternating copies of subunits A and B that form a ring, (2) a central rotational stalk composed of single copies of subunits D and F, and (3) a peripheral stalk made of subunits C, E, G and H. Subunits A and B mediate the hydrolysis of ATP at three reaction sites associated with subunit A. [GOC:mah, ISBN:0716743663, PMID:16449553]' - }, - 'GO:0033181': { - 'name': 'plasma membrane proton-transporting V-type ATPase complex', - 'def': 'A proton-transporting two-sector ATPase complex found in the plasma membrane. [GOC:mah]' - }, - 'GO:0033182': { - 'name': 'regulation of histone ubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of the addition of a ubiquitin group to a histone protein. [GOC:mah]' - }, - 'GO:0033183': { - 'name': 'negative regulation of histone ubiquitination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the addition of a ubiquitin group to a histone protein. [GOC:mah]' - }, - 'GO:0033184': { - 'name': 'positive regulation of histone ubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of the addition of a ubiquitin group to a histone protein. [GOC:mah]' - }, - 'GO:0033185': { - 'name': 'dolichol-phosphate-mannose synthase complex', - 'def': 'A protein complex that possesses dolichyl-phosphate beta-D-mannosyltransferase activity; contains a catalytic subunit, a regulatory subunit, and a third subunit that stabilizes the complex. In human and several other metazoa, the subunits are named DPM1, DPM2 and DPM3, respectively. [PMID:10835346]' - }, - 'GO:0033186': { - 'name': 'CAF-1 complex', - 'def': 'A conserved heterotrimeric protein complex that promotes histone H3 and H4 deposition onto newly synthesized DNA during replication or DNA repair; specifically facilitates replication-dependent nucleosome assembly with the major histone H3 (H3.1). In many species the CAF-1 subunits are designated p150, p60, and p48. [PMID:17065558, PMID:17083276]' - }, - 'GO:0033187': { - 'name': 'obsolete inositol hexakisphosphate 4-kinase or 6-kinase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + 1D-myo-inositol hexakisphosphate = ADP + 4-diphospho-1D-myo-inositol (1,2,3,5,6)pentakisphosphate, and ATP + 1D-myo-inositol hexakisphosphate = ADP + 6-diphospho-1D-myo-inositol (1,2,3,4,5)pentakisphosphate. [PMID:17412958, PMID:17412959]' - }, - 'GO:0033188': { - 'name': 'sphingomyelin synthase activity', - 'def': 'Catalysis of the reaction: 1,2-diacyl-sn-glycero-3-phosphocholine + ceramide = 1,2-diacyl-sn-glycerol + sphingomyelin. [EC:2.7.8.27, RHEA:18768]' - }, - 'GO:0033189': { - 'name': 'response to vitamin A', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin A stimulus. [GOC:sl]' - }, - 'GO:0033190': { - 'name': 'solanapyrone synthase activity', - 'def': 'Catalysis of the cyclization of double bonds in prosolanapyrone II to form (-)-solanapyrone A. [GOC:cb, PMID:9659400]' - }, - 'GO:0033191': { - 'name': 'macrophomate synthase activity', - 'def': 'Catalysis of the reaction: a 2-pyrone + oxalacetate = macrophomate. [CHEBI:38228, GOC:cb, PMID:10984474]' - }, - 'GO:0033192': { - 'name': 'calmodulin-dependent protein phosphatase activity', - 'def': 'Catalysis of the reaction: protein serine/threonine phosphate + H2O = protein serine/threonine + phosphate, dependent on the presence of calcium-bound calmodulin. [GOC:mah, PMID:15359118]' - }, - 'GO:0033193': { - 'name': 'Lsd1/2 complex', - 'def': 'A nucleosome-binding protein complex that comprises two SWIRM domain histone demethylases and two PHD finger proteins. The complex is involved in transcriptional regulation via heterochromatic silencing and the regulation of chromatin boundary formation, and was first identified in fission yeast. [GOC:vw, PMID:17371846, PMID:17434129, PMID:17440621]' - }, - 'GO:0033194': { - 'name': 'response to hydroperoxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydroperoxide stimulus. Hydroperoxides are monosubstitution products of hydrogen peroxide, HOOH. [CHEBI:35923, GOC:mah]' - }, - 'GO:0033195': { - 'name': 'response to alkyl hydroperoxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an alkyl hydroperoxide stimulus. Alkyl hydroperoxides are monosubstitution products of hydrogen peroxide, HOOH, where the substituent is an alkyl group. [CHEBI:35923, GOC:mah]' - }, - 'GO:0033196': { - 'name': 'tryparedoxin peroxidase activity', - 'def': 'Catalysis of the reaction: tryparedoxin + hydrogen peroxide = tryparedoxin disulfide + H2O. [GOC:mah]' - }, - 'GO:0033197': { - 'name': 'response to vitamin E', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin E stimulus. [GOC:sl]' - }, - 'GO:0033198': { - 'name': 'response to ATP', - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ATP (adenosine 5'-triphosphate) stimulus. [GOC:sl]" - }, - 'GO:0033199': { - 'name': 'obsolete inositol heptakisphosphate 4-kinase or 6-kinase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + 5-diphospho-1D-myo-inositol (1,2,3,4,6)pentakisphosphate = 4,5-bisdiphosphoinositol-1D-myoinositol (1,2,3,6)tetrakisphosphate, and ATP + 5-diphospho-1D-myo-inositol (1,2,3,4,6)pentakisphosphate = 5,6-bisdiphosphoinositol-1D-myoinositol (1,2,3,4)tetrakisphosphate. [PMID:17412958]' - }, - 'GO:0033200': { - 'name': 'inositol heptakisphosphate 5-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 4-diphospho-1D-myo-inositol (1,2,3,5,6)pentakisphosphate = 4,5-bisdiphosphoinositol-1D-myoinositol (1,2,3,6)tetrakisphosphate, and ATP + 6-diphospho-1D-myo-inositol (1,2,3,4,5)pentakisphosphate = 5,6-bisdiphosphoinositol-1D-myoinositol (1,2,3,4)tetrakisphosphate. [PMID:17412958]' - }, - 'GO:0033201': { - 'name': 'alpha-1,4-glucan synthase activity', - 'def': 'Catalysis of the reaction: RDP-glucose + [alpha-D-glucosyl-(1,4)]n = RDP + [alpha-D-glucosyl-(1,4)]n+1, where RDP is ADP or UDP. [PMID:17472966]' - }, - 'GO:0033202': { - 'name': 'DNA helicase complex', - 'def': 'A protein complex that possesses DNA helicase activity. [GOC:mah]' - }, - 'GO:0033203': { - 'name': 'DNA helicase A complex', - 'def': "A homohexameric protein complex that possesses DNA helicase activity; associates with DNA polymerase alpha-primase and translocates in the 5' to 3' direction. [PMID:9341218]" - }, - 'GO:0033204': { - 'name': 'ribonuclease P RNA binding', - 'def': 'Interacting selectively and non-covalently with the RNA subunit of ribonuclease P. [GOC:pg, PMID:11455963]' - }, - 'GO:0033206': { - 'name': 'meiotic cytokinesis', - 'def': 'A cell cycle process that results in the division of the cytoplasm of a cell after meiosis, resulting in the separation of the original cell into two daughter cells. [GOC:mtg_cell_cycle]' - }, - 'GO:0033207': { - 'name': 'beta-1,4-N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the transfer of an N-acetylgalactosaminyl residue from UDP-N-acetyl-galactosamine to an acceptor molecule, forming a beta-1,4 linkage. [GOC:mah]' - }, - 'GO:0033208': { - 'name': 'UDP-N-acetylgalactosamine:N-acetylneuraminyl-alpha-2,3-galactosyl-beta-R 1,4-N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetylgalactosamine + N-acetylneuraminyl-alpha-2,3-galactosyl-beta-oligosaccharide = UDP + N-acetylgalactosaminyl-N-acetylneuraminyl-alpha-2,3-galactosyl-beta-oligosaccharide. [GOC:mah, PMID:12678917, PMID:16024623]' - }, - 'GO:0033209': { - 'name': 'tumor necrosis factor-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a tumor necrosis factor to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling]' - }, - 'GO:0033210': { - 'name': 'leptin-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of leptin to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. Leptin is a hormone manufactured primarily in the adipocytes of white adipose tissue, and the level of circulating leptin is directly proportional to the total amount of fat in the body. [GOC:mah, GOC:signaling, GOC:yaf]' - }, - 'GO:0033211': { - 'name': 'adiponectin-activated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of adiponectin to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling, PMID:20536390]' - }, - 'GO:0033212': { - 'name': 'iron assimilation', - 'def': 'A process in which iron is solubilized and transported into a cell. [GOC:cjm, GOC:mah]' - }, - 'GO:0033213': { - 'name': 'iron assimilation by capture and transport', - 'def': 'A process in which iron (Fe3+) is solubilized by binding to a receptor or transport protein and transported into a cell. [GOC:mah]' - }, - 'GO:0033214': { - 'name': 'iron assimilation by chelation and transport', - 'def': 'A process in which iron (Fe3+) is solubilized by ferric iron-specific chelators, known as siderophores, excreted by a cell; the iron-siderophore complex is then transported into the cell by specific cell surface receptors. [GOC:mah, PMID:16963626]' - }, - 'GO:0033215': { - 'name': 'iron assimilation by reduction and transport', - 'def': 'A process in which iron is solubilized by reduction from Fe3+ to Fe2+ via a cell surface reductase and subsequent transport of the iron across the membrane by iron uptake proteins. [GOC:cjm, GOC:mah, PMID:16963626]' - }, - 'GO:0033216': { - 'name': 'ferric iron import', - 'def': 'The directed movement of ferric iron (Fe(III) or Fe3+) ions into a cell or organelle. [GOC:mah]' - }, - 'GO:0033217': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to iron ion starvation', - 'def': 'Modulation of the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of deprivation of iron ions. [GOC:mah]' - }, - 'GO:0033218': { - 'name': 'amide binding', - 'def': 'Interacting selectively and non-covalently with an amide, any derivative of an oxoacid in which an acidic hydroxy group has been replaced by an amino or substituted amino group. [CHEBI:32988, GOC:mah]' - }, - 'GO:0033219': { - 'name': 'urea binding', - 'def': 'Interacting selectively and non-covalently with urea, a water-soluble carboxamide with the structure H2N-CO-NH2. [CHEBI:16199, GOC:mah, ISBN:0198506732]' - }, - 'GO:0033220': { - 'name': 'amide-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + amide(out) = ADP + phosphate + amide(in). [GOC:mah]' - }, - 'GO:0033221': { - 'name': 'urea-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + urea(out) = ADP + phosphate + urea(in). [GOC:mlg]' - }, - 'GO:0033222': { - 'name': 'xylose binding', - 'def': 'Interacting selectively and non-covalently with the D- or L-enantiomer of xylose. [CHEBI:18222, GOC:mah]' - }, - 'GO:0033223': { - 'name': '2-aminoethylphosphonate transport', - 'def': 'The directed movement of 2-aminoethylphosphonate, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mlg]' - }, - 'GO:0033224': { - 'name': '2-aminoethylphosphonate transmembrane transporter activity', - 'def': 'Enables the directed movement of 2-aminoethylphosphonate into, out of or within a cell, or between cells. [GOC:mlg]' - }, - 'GO:0033225': { - 'name': '2-aminoethylphosphonate-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + 2-aminoethylphosphonate(out) = ADP + phosphate + 2-aminoethylphosphonate(in). [GOC:mlg]' - }, - 'GO:0033226': { - 'name': '2-aminoethylphosphonate binding', - 'def': 'Interacting selectively and non-covalently with 2-aminoethylphosphonate. [GOC:mlg]' - }, - 'GO:0033227': { - 'name': 'dsRNA transport', - 'def': 'The directed movement of dsRNA, double-stranded ribonucleic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0033228': { - 'name': 'cysteine export', - 'def': 'The directed movement of cysteine out of a cell or organelle. [GOC:mlg]' - }, - 'GO:0033229': { - 'name': 'cysteine transmembrane transporter activity', - 'def': 'Enables the transfer of cysteine from one side of the membrane to the other. [GOC:mah]' - }, - 'GO:0033230': { - 'name': 'cysteine-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + cysteine(out/in) = ADP + phosphate + cysteine(in/out). [GOC:mlg]' - }, - 'GO:0033231': { - 'name': 'carbohydrate export', - 'def': 'The directed movement of carbohydrates out of a cell or organelle. [GOC:mlg]' - }, - 'GO:0033232': { - 'name': 'D-methionine-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + D-methionine(out/in) = ADP + phosphate + D-methionine(in/out). [GOC:mlg]' - }, - 'GO:0033233': { - 'name': 'regulation of protein sumoylation', - 'def': 'Any process that modulates the frequency, rate or extent of the addition of SUMO groups to a protein. [GOC:mah]' - }, - 'GO:0033234': { - 'name': 'negative regulation of protein sumoylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the addition of SUMO groups to a protein. [GOC:mah]' - }, - 'GO:0033235': { - 'name': 'positive regulation of protein sumoylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the addition of SUMO groups to a protein. [GOC:mah]' - }, - 'GO:0033236': { - 'name': 'obsolete 11-beta-hydroxysteroid dehydrogenase (NAD+) activity', - 'def': 'OBSOLETE. Catalysis of the reaction: an 11-beta-hydroxysteroid + NAD+ = an 11-oxosteroid + NADH + H+. [PMID:15761036]' - }, - 'GO:0033237': { - 'name': 'obsolete 11-beta-hydroxysteroid dehydrogenase (NADP+) activity', - 'def': 'OBSOLETE. Catalysis of the reaction: an 11-beta-hydroxysteroid + NADP+ = an 11-oxosteroid + NADPH + H+. [EC:1.1.1.146]' - }, - 'GO:0033238': { - 'name': 'regulation of cellular amine metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways by which individual cells transform amines. [GOC:mah]' - }, - 'GO:0033239': { - 'name': 'negative regulation of cellular amine metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving amines. [GOC:mah]' - }, - 'GO:0033240': { - 'name': 'positive regulation of cellular amine metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving amines. [GOC:mah]' - }, - 'GO:0033241': { - 'name': 'regulation of cellular amine catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways leading to the breakdown of amines. [GOC:mah]' - }, - 'GO:0033242': { - 'name': 'negative regulation of cellular amine catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways leading to the breakdown of amines. [GOC:mah]' - }, - 'GO:0033243': { - 'name': 'positive regulation of cellular amine catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways leading to the breakdown of amines. [GOC:mah]' - }, - 'GO:0033244': { - 'name': 'regulation of penicillin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving any antibiotic that contains the condensed beta-lactamthiazolidine ring system. [GOC:mah]' - }, - 'GO:0033245': { - 'name': 'negative regulation of penicillin metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving any antibiotic that contains the condensed beta-lactamthiazolidine ring system. [GOC:mah]' - }, - 'GO:0033246': { - 'name': 'positive regulation of penicillin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving any antibiotic that contains the condensed beta-lactamthiazolidine ring system. [GOC:mah]' - }, - 'GO:0033247': { - 'name': 'regulation of penicillin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways leading to the breakdown of any antibiotic that contains the condensed beta-lactamthiazolidine ring system. [GOC:mah]' - }, - 'GO:0033248': { - 'name': 'negative regulation of penicillin catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways leading to the breakdown of any antibiotic that contains the condensed beta-lactamthiazolidine ring system. [GOC:mah]' - }, - 'GO:0033249': { - 'name': 'positive regulation of penicillin catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways leading to the breakdown of any antibiotic that contains the condensed beta-lactamthiazolidine ring system. [GOC:mah]' - }, - 'GO:0033250': { - 'name': 'penicillinase activity', - 'def': 'Catalysis of the reaction: a penicillin + H2O = a substituted beta-amino acid derivative of the penicillin. [GOC:mlg]' - }, - 'GO:0033251': { - 'name': 'cephalosporinase activity', - 'def': 'Catalysis of the reaction: a cephalosporin + H2O = a substituted beta-amino acid derivative of the cephalosporin. [GOC:mlg]' - }, - 'GO:0033252': { - 'name': 'regulation of beta-lactamase activity', - 'def': 'Any process that modulates the frequency, rate or extent of beta-lactamase activity, the hydrolysis of a beta-lactam to yield a substituted beta-amino acid. [GOC:mah]' - }, - 'GO:0033253': { - 'name': 'regulation of penicillinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of nuclease activity, the hydrolysis of a penicillin to yield a substituted beta-amino acid derivative. [GOC:mah]' - }, - 'GO:0033254': { - 'name': 'vacuolar transporter chaperone complex', - 'def': 'A protein complex that contains four related proteins that have been implicated in several membrane-related processes, such as sorting of H+-translocating ATPases, endocytosis, ER-Golgi trafficking, vacuole fusion, vacuolar polyphosphate homeostasis and the microautophagic scission of vesicles into the vacuolar lumen. The complex is enriched at the vacuolar membrane, but also found in other cellular compartments, including the ER and the cell periphery. In Saccharomyces, the subunits are Vtc1p, Vtc2p, Vtc3p and Vtc4p. [PMID:11823419, PMID:17079729]' - }, - 'GO:0033255': { - 'name': 'SAS acetyltransferase complex', - 'def': 'A protein complex that possesses histone acetyltransferase activity and links histone acetylation to the assembly of transcriptionally silent chromatin. In vitro, the complex acetylates lysine 16 of histone H4 and lysine 14 of histone H3, although the latter may not be relevant in vivo. The complex contains a catalytic subunit and at least two other subunits; in Saccharomyces, the catalytic subunit is Sas2p and additional subunits are Sas4p and Sas5p. [PMID:11731480, PMID:12626510, PMID:15788653]' - }, - 'GO:0033256': { - 'name': 'I-kappaB/NF-kappaB complex', - 'def': 'A protein complex containing an inhibitory-kappaB (I-kappaB/IKB) protein and one or more copies of an NF-kappaB protein. In the resting state, NF-kappaB dimers are bound to I-kappaB proteins, sequestering NF-kappaB in the cytoplasm. [GOC:bf, GOC:mah, PMID:9407099]' - }, - 'GO:0033257': { - 'name': 'Bcl3/NF-kappaB2 complex', - 'def': 'A protein complex containing one Bcl protein and one or more copies of NF-kappaB2; formation of complexes of different stoichiometry depends on the Bcl3:NF-kappaB2 ratio, and allow Bcl3 to exert different regulatory effects on NF-kappaB2-dependent transcription. [GOC:mah, PMID:9407099]' - }, - 'GO:0033258': { - 'name': 'plastid DNA metabolic process', - 'def': 'The chemical reactions and pathways involving plastid DNA. [GOC:mah]' - }, - 'GO:0033259': { - 'name': 'plastid DNA replication', - 'def': 'The process in which new strands of DNA are synthesized in a plastid. [GOC:mah]' - }, - 'GO:0033260': { - 'name': 'nuclear DNA replication', - 'def': 'The DNA-dependent DNA replication that occurs in the nucleus of eukaryotic organisms as part of the cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0033261': { - 'name': 'obsolete regulation of S phase', - 'def': 'OBSOLETE. A cell cycle process that modulates the rate or extent of the progression through the S phase of the cell cycle. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0033262': { - 'name': 'regulation of nuclear cell cycle DNA replication', - 'def': 'Any process that modulates the frequency, rate or extent of The DNA-dependent DNA replication that occurs in the nucleus of eukaryotic organisms as part of the cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0033263': { - 'name': 'CORVET complex', - 'def': 'A multimeric protein complex that acts as an endosomal tethering complex (CORVET = class C core vacuole/endosome tethering) by cooperating with Rab GTPases to capture endosomal vesicles and trap them prior to the action of SNAREs; the complex is involved in endo-lysosomal biogenesis and required for transport between endosome and vacuole. The Saccharomyces cerevisiae complex contains Vps8p, Vps3p, Pep5p, Vps16p, Pep3p, and Vps33p. [PMID:17488625]' - }, - 'GO:0033264': { - 'name': 'obsolete bontoxilysin activity', - 'def': 'OBSOLETE. Catalysis of limited hydrolysis of proteins of the neuroexocytosis apparatus, synaptobrevins, SNAP25 or syntaxin. No detected action on small molecule substrates. [EC:3.4.24.69]' - }, - 'GO:0033265': { - 'name': 'choline binding', - 'def': 'Interacting selectively and non-covalently with choline, the amine 2-hydroxy-N,N,N-trimethylethanaminium. [CHEBI:15354, GOC:mlg]' - }, - 'GO:0033266': { - 'name': 'choline-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to directly drive the transport of choline across a membrane. [GOC:mlg]' - }, - 'GO:0033267': { - 'name': 'axon part', - 'def': 'A part of an axon, a cell projection of a neuron. [GOC:jl]' - }, - 'GO:0033268': { - 'name': 'node of Ranvier', - 'def': 'An axon part that is a gap in the myelin where voltage-gated sodium channels cluster and saltatory conduction is executed. [GOC:mh]' - }, - 'GO:0033269': { - 'name': 'internode region of axon', - 'def': 'An axon part that is located between the nodes of Ranvier and surrounded by compact myelin sheath. [GOC:mah, GOC:mh]' - }, - 'GO:0033270': { - 'name': 'paranode region of axon', - 'def': 'An axon part that is located adjacent to the nodes of Ranvier and surrounded by lateral loop portions of myelin sheath. [GOC:mah, GOC:mh, NIF_Subcellular:sao936144858]' - }, - 'GO:0033271': { - 'name': 'myo-inositol phosphate transport', - 'def': 'The directed movement of any phosphorylated myo-inositol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0033272': { - 'name': 'myo-inositol hexakisphosphate transport', - 'def': 'The directed movement of myo-inositol hexakisphosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:17401, GOC:mah]' - }, - 'GO:0033273': { - 'name': 'response to vitamin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin stimulus. [GOC:sl]' - }, - 'GO:0033274': { - 'name': 'response to vitamin B2', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin B2 stimulus. [GOC:sl]' - }, - 'GO:0033275': { - 'name': 'actin-myosin filament sliding', - 'def': 'The sliding movement of actin thin filaments and myosin thick filaments past each other. [GOC:pf]' - }, - 'GO:0033276': { - 'name': 'transcription factor TFTC complex', - 'def': 'A protein complex that does not contain either a TATA-binding protein (TBP) or a TBP-like factor, but is composed of several TAFIIs and other proteins, including a histone acetyltransferase. This complex is able to nucleate transcription initiation by RNA polymerase II, can mediate transcriptional activation, and has histone acetyltransferase activity. [PMID:10373431, PMID:9603525]' - }, - 'GO:0033277': { - 'name': 'abortive mitotic cell cycle', - 'def': 'A cell cycle in which mitosis is begun and progresses normally through the end of anaphase, but not completed, resulting in a cell with increased ploidy. [GOC:mah, PMID:9573008]' - }, - 'GO:0033278': { - 'name': 'cell proliferation in midbrain', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a cell population in the midbrain. [GO_REF:0000021, GOC:dgf]' - }, - 'GO:0033280': { - 'name': 'response to vitamin D', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin D stimulus. [GOC:sl]' - }, - 'GO:0033281': { - 'name': 'TAT protein transport complex', - 'def': 'A complex of three proteins integral to the cytoplasmic membrane of bacteria and membranes of organelles derived from bacteria (chloroplasts and mitochondria) involved in membrane transport of folded proteins. [GOC:pamgo_curators]' - }, - 'GO:0033282': { - 'name': 'protein C inhibitor-acrosin complex', - 'def': 'A heterodimeric protein complex of protein C inhibitor (SERPINA5) and acrosin; formation of the complex inhibits the protease activity of acrosin. [GOC:pr, PMID:11120760, PMID:7521127]' - }, - 'GO:0033283': { - 'name': 'organic acid-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + organic acid(out/in) = ADP + phosphate + organic acid(in/out). [GOC:mlg]' - }, - 'GO:0033284': { - 'name': 'carboxylic acid-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + carboxylic acid(out/in) = ADP + phosphate + carboxylic acid(in/out). [GOC:mlg]' - }, - 'GO:0033285': { - 'name': 'monocarboxylic acid-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + monocarboxylic acid(out/in) = ADP + phosphate + monocarboxylic acid(in/out). [GOC:mlg]' - }, - 'GO:0033286': { - 'name': 'ectoine-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + ectoine(out/in) = ADP + phosphate + ectoine(in/out). [GOC:mlg]' - }, - 'GO:0033287': { - 'name': 'hydroxyectoine transmembrane transporter activity', - 'def': 'Enables the transfer of hydroxyectoine from one side of the membrane to the other. [GOC:mlg]' - }, - 'GO:0033288': { - 'name': 'hydroxyectoine-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + hydroxyectoine(out/in) = ADP + phosphate + hydroxyectoine(in/out). [GOC:mlg]' - }, - 'GO:0033289': { - 'name': 'intraconoid microtubule', - 'def': 'A microtubule located such that it threads through the conoid and projects through the polar ring. [GOC:mah, PMID:11901169, PMID:16518471]' - }, - 'GO:0033290': { - 'name': 'eukaryotic 48S preinitiation complex', - 'def': "A protein complex composed of the small ribosomal subunit, eIF3, eIF1A, methionyl-initiatior methionine and a capped mRNA. The complex is initially positioned at the 5'-end of the capped mRNA. [GOC:hjd, PMID:15145049]" - }, - 'GO:0033291': { - 'name': 'eukaryotic 80S initiation complex', - 'def': 'A protein complex composed of the large and small ribosomal subunits, methionyl-initiatior tRNA, and the capped mRNA. The initiator tRNA is positioned at the ribosomal P site at the AUG codon corresponding to the beginning of the coding region. [GOC:hjd, PMID:15145049]' - }, - 'GO:0033292': { - 'name': 'T-tubule organization', - 'def': 'A process that is carried out at the cellular level that results in the assembly, arrangement of constituent parts, or disassembly of the T-tubule. A T-tubule is an invagination of the plasma membrane of a muscle cell that extends inward from the cell surface around each myofibril. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0033293': { - 'name': 'monocarboxylic acid binding', - 'def': 'Interacting selectively and non-covalently with a monocarboxylic acid, any organic acid containing one carboxyl (COOH) group or anion (COO-). [GOC:mah]' - }, - 'GO:0033294': { - 'name': 'ectoine binding', - 'def': 'Interacting selectively and non-covalently with ectoine, 1,4,5,6-tetrahydro-2-methyl-4-pyrimidinecarboxylic acid. [GOC:mah]' - }, - 'GO:0033295': { - 'name': 'hydroxyectoine binding', - 'def': 'Interacting selectively and non-covalently with hydroxyectoine. [GOC:mlg]' - }, - 'GO:0033296': { - 'name': 'rhamnose binding', - 'def': 'Interacting selectively and non-covalently with the D- or L-enantiomer of rhamnose. [CHEBI:26546, GOC:mah]' - }, - 'GO:0033297': { - 'name': 'rhamnose-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + rhamnose(out/in) = ADP + phosphate + rhamnose(in/out). [GOC:mlg]' - }, - 'GO:0033298': { - 'name': 'contractile vacuole organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a contractile vacuole. A specialized vacuole that fills with water from the cytoplasm and then discharges this externally by the opening of contractile vacuole pores. [GOC:mah]' - }, - 'GO:0033299': { - 'name': 'secretion of lysosomal enzymes', - 'def': 'The controlled release of lysosomal enzymes by a cell. [GOC:mah]' - }, - 'GO:0033300': { - 'name': 'dehydroascorbic acid transporter activity', - 'def': 'Enables the directed movement of dehydroascorbate, 5-(1,2-dihydroxyethyl)furan-2,3,4(5H)-trione, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:17242]' - }, - 'GO:0033301': { - 'name': 'cell cycle comprising mitosis without cytokinesis', - 'def': 'A mitotic cell cycle in which mitosis is completed but cytokinesis does not occur, resulting in a cell containing multiple nuclei each with a chromosomal complement of the original ploidy (usually 2N). [GOC:expert_vm, GOC:mah]' - }, - 'GO:0033302': { - 'name': 'quercetin O-glucoside metabolic process', - 'def': 'The chemical reactions and pathways involving O-glucosylated derivatives of quercetin. [CHEBI:28299, CHEBI:28529, GOC:mah, MetaCyc:PWY-5321]' - }, - 'GO:0033303': { - 'name': 'quercetin O-glucoside biosynthetic process', - 'def': 'The chemical reactions and pathways leading to the formation of O-glucosylated derivatives of quercetin. [CHEBI:28299, CHEBI:28529, GOC:mah, MetaCyc:PWY-5321]' - }, - 'GO:0033304': { - 'name': 'chlorophyll a metabolic process', - 'def': 'The chemical reactions and pathways involving chlorophyll a. [CHEBI:18230, GOC:mah]' - }, - 'GO:0033305': { - 'name': 'chlorophyll a biosynthetic process', - 'def': 'The chemical reactions and pathways leading to the formation of chlorophyll a. [CHEBI:18230, GOC:mah]' - }, - 'GO:0033306': { - 'name': 'phytol metabolic process', - 'def': 'The chemical reactions and pathways involving phytol, (2E,7R,11R)-3,7,11,15-tetramethylhexadec-2-en-1-ol. [CHEBI:17327, GOC:mah]' - }, - 'GO:0033307': { - 'name': 'phytol salvage', - 'def': 'A process that generates phytol, (2E,7R,11R)-3,7,11,15-tetramethylhexadec-2-en-1-ol, from derivatives of it without de novo synthesis. [GOC:mah, MetaCyc:PWY-5107]' - }, - 'GO:0033308': { - 'name': 'hydroxyectoine transport', - 'def': 'The directed movement of hydroxyectoine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mlg]' - }, - 'GO:0033309': { - 'name': 'SBF transcription complex', - 'def': 'A protein complex that binds to the Swi4/6 cell cycle box (SCB) promoter element, consensus sequence CRCGAAA, and activates transcription during the G1/S transition of the cell cycle. In Saccharomyces, the complex contains a heterodimer of the DNA binding protein Swi6p and the activator Swi4p, and is associated with additional proteins known as Whi5p and Msa1p. [GOC:mah, PMID:11206552, PMID:15838511, PMID:18160399, PMID:7917338]' - }, - 'GO:0033310': { - 'name': 'chlorophyll a catabolic process', - 'def': 'The chemical reactions and pathways leading to the breakdown of chlorophyll a. [CHEBI:18230, GOC:mah]' - }, - 'GO:0033311': { - 'name': 'chlorophyll a biosynthetic process via phytyl diphosphate', - 'def': 'The chemical reactions and pathways leading to the formation of chlorophyll a, via the intermediate phytyl diphosphate. [CHEBI:18230, GOC:mah, MetaCyc:PWY-5086]' - }, - 'GO:0033312': { - 'name': 'chlorophyll a biosynthetic process via geranylgeranyl-chlorophyll a', - 'def': 'The chemical reactions and pathways leading to the formation of chlorophyll a, via the intermediate geranylgeranyl-chlorophyll a. [CHEBI:18230, GOC:mah, MetaCyc:PWY-5064]' - }, - 'GO:0033313': { - 'name': 'meiotic cell cycle checkpoint', - 'def': 'A cell cycle checkpoint that ensures accurate chromosome replication and segregation by preventing progression through a meiotic cell cycle until conditions are suitable for the cell to proceed to the next stage. [GOC:mtg_cell_cycle]' - }, - 'GO:0033314': { - 'name': 'mitotic DNA replication checkpoint', - 'def': 'A cell cycle checkpoint that acts during a mitotic cell cycle and prevents the initiation of mitosis until DNA replication is complete, thereby ensuring that progeny inherit a full complement of the genome. [GOC:mtg_cell_cycle]' - }, - 'GO:0033315': { - 'name': 'meiotic DNA replication checkpoint', - 'def': 'A cell cycle checkpoint that acts during a meiotic cell cycle and prevents the initiation of cell division until DNA replication is complete, thereby ensuring that progeny inherit a full complement of the haploid genome. [GOC:mtg_cell_cycle]' - }, - 'GO:0033316': { - 'name': 'meiotic spindle assembly checkpoint', - 'def': 'A cell cycle checkpoint that delays the metaphase/anaphase transition of a meiotic cell cycle until the spindle is correctly assembled and chromosomes are attached to the spindle. [GOC:mah]' - }, - 'GO:0033317': { - 'name': 'pantothenate biosynthetic process from valine', - 'def': 'The chemical reactions and pathways resulting in the formation of pantothenate, the anion of pantothenic acid, from other compounds, including valine. [GOC:mah, MetaCyc:PANTO-PWY, MetaCyc:PWY-3921]' - }, - 'GO:0033318': { - 'name': 'pantothenate biosynthetic process from 2-dehydropantolactone', - 'def': 'The chemical reactions and pathways resulting in the formation of pantothenate, the anion of pantothenic acid, from other compounds, including 2-dehydropantolactone. [GOC:mah, MetaCyc:PWY-3961]' - }, - 'GO:0033319': { - 'name': 'UDP-D-xylose metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-D-xylose, uridinediphosphoxylose, a substance composed of xylose in glycosidic linkage with uridine diphosphate. [GOC:mah]' - }, - 'GO:0033320': { - 'name': 'UDP-D-xylose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-D-xylose, uridinediphosphoxylose, a substance composed of xylose in glycosidic linkage with uridine diphosphate. [GOC:mah, MetaCyc:PWY-4821]' - }, - 'GO:0033321': { - 'name': 'homomethionine metabolic process', - 'def': 'The chemical reactions and pathways involving homomethionine, a non-protein amino acid synthesized from methionine via chain elongation. [GOC:mah, MetaCyc:PWY-1186]' - }, - 'GO:0033322': { - 'name': 'homomethionine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of homomethionine, a non-protein amino acid synthesized from methionine via chain elongation. [GOC:mah, MetaCyc:PWY-1186]' - }, - 'GO:0033323': { - 'name': 'choline biosynthetic process via CDP-choline', - 'def': 'The chemical reactions and pathways resulting in the formation of choline (2-hydroxyethyltrimethylammonium), via the intermediate CDP-choline. [GOC:mah, MetaCyc:PWY-3561]' - }, - 'GO:0033324': { - 'name': 'choline biosynthetic process via N-monomethylethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of choline (2-hydroxyethyltrimethylammonium), via the intermediate N-monomethylethanolamine. [GOC:mah, MetaCyc:PWY-3542]' - }, - 'GO:0033325': { - 'name': 'choline biosynthetic process via phosphoryl-ethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of choline (2-hydroxyethyltrimethylammonium), via the intermediate phosphoryl-ethanolamine. [GOC:mah, MetaCyc:PWY-3385]' - }, - 'GO:0033326': { - 'name': 'cerebrospinal fluid secretion', - 'def': 'The regulated release of cerebrospinal fluid (CSF) from the choroid plexus of the lateral, third and fourth ventricles. The cerebrospinal fluid is a clear liquid that located within the ventricles, spinal canal, and subarachnoid spaces. [GOC:ln, http://users.ahsc.arizona.edu/davis/csf.htm, PMID:10716451]' - }, - 'GO:0033327': { - 'name': 'Leydig cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of a Leydig cell. A Leydig cell is a testosterone-secreting cell in the interstitial area, between the seminiferous tubules, in the testis. [GOC:ln, PMID:12050120]' - }, - 'GO:0033328': { - 'name': 'peroxisome membrane targeting sequence binding', - 'def': 'Interacting selectively and non-covalently with a peroxisomal membrane targeting sequence, any of several sequences of amino acids within a protein that can act as a signal for the localization of the protein into the peroxisome membrane. [GOC:rb, PMID:15133130, PMID:17020786]' - }, - 'GO:0033329': { - 'name': 'kaempferol O-glucoside metabolic process', - 'def': 'The chemical reactions and pathways involving O-glucosylated derivatives of kaempferol. [CHEBI:30200, GOC:mah, MetaCyc:PWY-5320]' - }, - 'GO:0033330': { - 'name': 'kaempferol O-glucoside biosynthetic process', - 'def': 'The chemical reactions and pathways leading to the formation of O-glucosylated derivatives of kaempferol. [CHEBI:30200, GOC:mah, MetaCyc:PWY-5320]' - }, - 'GO:0033331': { - 'name': 'ent-kaurene metabolic process', - 'def': 'The chemical reactions and pathways involving ent-kaur-16-ene. Ent-kaurene is a tetracyclic diterpenoid that is a precursor of several plant isoprenoids, including gibberellins. [GOC:mah, MetaCyc:PWY-5032, PMID:17064690]' - }, - 'GO:0033332': { - 'name': 'ent-kaurene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ent-kaurene. Ent-kaurene is a tetracyclic diterpenoid that is a precursor of several plant isoprenoids, including gibberellins. [GOC:mah, MetaCyc:PWY-5032, PMID:17064690]' - }, - 'GO:0033333': { - 'name': 'fin development', - 'def': 'The process whose specific outcome is the progression of a fin over time, from its formation to the mature structure. [GOC:dgh]' - }, - 'GO:0033334': { - 'name': 'fin morphogenesis', - 'def': 'The process in which the anatomical structures of a fin are generated and organized. [GOC:dgh]' - }, - 'GO:0033335': { - 'name': 'anal fin development', - 'def': 'The process whose specific outcome is the progression of the anal fin over time, from its formation to the mature structure. [GOC:dgh]' - }, - 'GO:0033336': { - 'name': 'caudal fin development', - 'def': 'The process whose specific outcome is the progression of the caudal fin over time, from its formation to the mature structure. [GOC:dgh]' - }, - 'GO:0033337': { - 'name': 'dorsal fin development', - 'def': 'The process whose specific outcome is the progression of the dorsal fin over time, from its formation to the mature structure. [GOC:dgh]' - }, - 'GO:0033338': { - 'name': 'medial fin development', - 'def': 'The process whose specific outcome is the progression of a medial fin over time, from its formation to the mature structure. [GOC:dgh]' - }, - 'GO:0033339': { - 'name': 'pectoral fin development', - 'def': 'The process whose specific outcome is the progression of the pectoral fin over time, from its formation to the mature structure. [GOC:dgh]' - }, - 'GO:0033340': { - 'name': 'pelvic fin development', - 'def': 'The process whose specific outcome is the progression of the pelvic fin over time, from its formation to the mature structure. [GOC:dgh]' - }, - 'GO:0033341': { - 'name': 'regulation of collagen binding', - 'def': 'Any process that modulates the frequency, rate or extent of collagen binding. [GOC:mah]' - }, - 'GO:0033342': { - 'name': 'negative regulation of collagen binding', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of collagen binding. [GOC:mah]' - }, - 'GO:0033343': { - 'name': 'positive regulation of collagen binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of collagen binding. [GOC:mah]' - }, - 'GO:0033344': { - 'name': 'cholesterol efflux', - 'def': 'The directed movement of cholesterol, cholest-5-en-3-beta-ol, out of a cell or organelle. [GOC:sart]' - }, - 'GO:0033345': { - 'name': 'asparagine catabolic process via L-aspartate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate, via the intermediate L-aspartate. [GOC:mah]' - }, - 'GO:0033346': { - 'name': 'asparagine catabolic process via 2-oxosuccinamate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate, via the intermediate 2-oxosuccinamate. [GOC:mah, MetaCyc:PWY-4002]' - }, - 'GO:0033347': { - 'name': 'tetrose metabolic process', - 'def': 'The chemical reactions and pathways involving a tetrose, any monosaccharide with a chain of four carbon atoms in the molecule. [GOC:mah]' - }, - 'GO:0033348': { - 'name': 'tetrose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a tetrose, any monosaccharide with a chain of four carbon atoms in the molecule. [GOC:mah]' - }, - 'GO:0033349': { - 'name': 'apiose metabolic process', - 'def': 'The chemical reactions and pathways involving apiose, the branched tetrose 3-C-(hydroxymethyl)-D-glycero-tetrose. [CHEBI:16689, GOC:mah]' - }, - 'GO:0033350': { - 'name': 'apiose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of apiose, the branched tetrose 3-C-(hydroxymethyl)-D-glycero-tetrose. [CHEBI:16689, GOC:mah]' - }, - 'GO:0033351': { - 'name': 'UDP-D-apiose metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-D-apiose, uridinediphosphoapiose, a substance composed of apiose in glycosidic linkage with uridine diphosphate. [GOC:mah]' - }, - 'GO:0033352': { - 'name': 'UDP-D-apiose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-D-apiose, uridinediphosphoapicose, a substance composed of apiose in glycosidic linkage with uridine diphosphate. [GOC:mah, MetaCyc:PWY-5113]' - }, - 'GO:0033353': { - 'name': 'S-adenosylmethionine cycle', - 'def': 'A cyclic series of interconversions involving S-adenosylmethionine, S-adenosyl-L-homocysteine, L-cysteine, and L-methionine. Couples utilization of the methyl group of SAM with recycling of the homocysteinyl group and regeneration of methionine. [GOC:mah, MetaCyc:PWY-5041]' - }, - 'GO:0033354': { - 'name': 'chlorophyll cycle', - 'def': 'A cyclic series of interconversions involving chlorophyll a, chlorophyll b and several chlorophyllide intermediates. [GOC:mah, MetaCyc:PWY-5068]' - }, - 'GO:0033355': { - 'name': 'ascorbate glutathione cycle', - 'def': 'A cyclic series of interconversions involving L-ascorbate and glutathione that scavenges hydrogen peroxide and reduces it to water, with concomitant oxidation of NADPH. [GOC:mah, MetaCyc:PWY-2261]' - }, - 'GO:0033356': { - 'name': 'UDP-L-arabinose metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-L-arabinose, uridinediphosphoarabinose, a substance composed of arabinose in glycosidic linkage with uridine diphosphate. [GOC:mah]' - }, - 'GO:0033357': { - 'name': 'L-arabinose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-arabinose, arabino-pentose. [CHEBI:22599, GOC:mah]' - }, - 'GO:0033358': { - 'name': 'UDP-L-arabinose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-L-arabinose, uridinediphosphoarabinose, a substance composed of arabinose in glycosidic linkage with uridine diphosphate. [GOC:mah, MetaCyc:PWY-82]' - }, - 'GO:0033359': { - 'name': 'lysine biosynthetic process via diaminopimelate and N-succinyl-2-amino-6-ketopimelate', - 'def': 'The chemical reactions and pathways resulting in the formation of lysine, via the intermediates diaminopimelate and N-succinyl-2-amino-6-ketopimelate; in this pathway tetrahydrodipicolinate is converted to meso-diaminopimelate in four enzymatic steps. [GOC:mah, MetaCyc:DAPLYSINESYN-PWY-]' - }, - 'GO:0033360': { - 'name': 'lysine biosynthetic process via diaminopimelate and L-2-acetamido-6-oxoheptanedioate', - 'def': 'The chemical reactions and pathways resulting in the formation of lysine, via the intermediates diaminopimelate and L-2-acetamido-6-oxoheptanedioate; in this pathway tetrahydrodipicolinate is converted to meso-diaminopimelate in four enzymatic steps. [GOC:mah, MetaCyc:PWY-2941]' - }, - 'GO:0033361': { - 'name': 'lysine biosynthetic process via diaminopimelate, dehydrogenase pathway', - 'def': 'The chemical reactions and pathways resulting in the formation of lysine, via the intermediate diaminopimelate; in this pathway tetrahydrodipicolinate is converted to meso-diaminopimelate in a single enzymatic step. [GOC:mah, GOC:pr, MetaCyc:PWY-2942]' - }, - 'GO:0033362': { - 'name': 'lysine biosynthetic process via diaminopimelate, diaminopimelate-aminotransferase pathway', - 'def': 'The chemical reactions and pathways resulting in the formation of lysine, via the intermediate diaminopimelate; in this pathway tetrahydrodipicolinate is converted to meso-diaminopimelate in two enzymatic steps. [GOC:mah, GOC:pr, MetaCyc:PWY-5097]' - }, - 'GO:0033363': { - 'name': 'secretory granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a secretory granule. A secretory granule is a small subcellular vesicle, surrounded by a membrane, that is formed from the Golgi apparatus and contains a highly concentrated protein destined for secretion. [GOC:mah]' - }, - 'GO:0033364': { - 'name': 'mast cell secretory granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a secretory granule in a mast cell. A secretory granule is a small subcellular vesicle, surrounded by a membrane, that is formed from the Golgi apparatus and contains a highly concentrated protein destined for secretion. [GOC:mah]' - }, - 'GO:0033365': { - 'name': 'protein localization to organelle', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an organelle. [GOC:mah]' - }, - 'GO:0033366': { - 'name': 'protein localization to secretory granule', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a secretory granule. [GOC:mah]' - }, - 'GO:0033367': { - 'name': 'protein localization to mast cell secretory granule', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a secretory granule in a mast cell. [GOC:mah]' - }, - 'GO:0033368': { - 'name': 'protease localization to mast cell secretory granule', - 'def': 'Any process in which a protease is transported to, or maintained in, a location within a secretory granule in a mast cell. [GOC:mah]' - }, - 'GO:0033369': { - 'name': 'establishment of protein localization to mast cell secretory granule', - 'def': 'The directed movement of a protein to a location within a secretory granule in a mast cell. [GOC:mah]' - }, - 'GO:0033370': { - 'name': 'maintenance of protein location in mast cell secretory granule', - 'def': 'A process in which a protein is maintained in a secretory granule in a mast cell and prevented from moving elsewhere. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0033371': { - 'name': 'T cell secretory granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a secretory granule in a T cell. A secretory granule is a small subcellular vesicle, surrounded by a membrane, that is formed from the Golgi apparatus and contains a highly concentrated protein destined for secretion. [GOC:mah]' - }, - 'GO:0033372': { - 'name': 'establishment of protease localization to mast cell secretory granule', - 'def': 'The directed movement of a protease to a location within a secretory granule in a mast cell. [GOC:mah]' - }, - 'GO:0033373': { - 'name': 'maintenance of protease location in mast cell secretory granule', - 'def': 'A process in which a protease is maintained in a secretory granule in a mast cell and prevented from moving elsewhere. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0033374': { - 'name': 'protein localization to T cell secretory granule', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a secretory granule in a T cell. [GOC:mah]' - }, - 'GO:0033375': { - 'name': 'protease localization to T cell secretory granule', - 'def': 'Any process in which a protease is transported to, or maintained in, a location within a secretory granule in a T cell. [GOC:mah]' - }, - 'GO:0033376': { - 'name': 'establishment of protein localization to T cell secretory granule', - 'def': 'The directed movement of a protein to a location within a secretory granule in a T cell. [GOC:mah]' - }, - 'GO:0033377': { - 'name': 'maintenance of protein location in T cell secretory granule', - 'def': 'A process in which a protein is maintained in a secretory granule in a T cell and prevented from moving elsewhere. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0033378': { - 'name': 'establishment of protease localization to T cell secretory granule', - 'def': 'The directed movement of a protease to a location within a secretory granule in a T cell. [GOC:mah]' - }, - 'GO:0033379': { - 'name': 'maintenance of protease location in T cell secretory granule', - 'def': 'A process in which a protease is maintained in a secretory granule in a T cell and prevented from moving elsewhere. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0033380': { - 'name': 'granzyme B localization to T cell secretory granule', - 'def': 'Any process in which the protease granzyme B is transported to, or maintained in, a location within a secretory granule in a T cell. [GOC:mah]' - }, - 'GO:0033381': { - 'name': 'establishment of granzyme B localization to T cell secretory granule', - 'def': 'The directed movement of the protease granzyme B to a location within a secretory granule in a T cell. [GOC:mah]' - }, - 'GO:0033382': { - 'name': 'maintenance of granzyme B location in T cell secretory granule', - 'def': 'A process in which the protease granyme B is maintained in a secretory granule in a T cell and prevented from moving elsewhere. [GOC:mah]' - }, - 'GO:0033383': { - 'name': 'geranyl diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving geranyl diphosphate, the universal precursor of the monoterpenes. [GOC:mah, MetaCyc:PWY-5122]' - }, - 'GO:0033384': { - 'name': 'geranyl diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of geranyl diphosphate. [GOC:mah, MetaCyc:PWY-5122]' - }, - 'GO:0033385': { - 'name': 'geranylgeranyl diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving geranylgeranyl diphosphate, a polyprenol compound involved in the biosynthesis of a variety of terpenoids including chlorophylls, carotenoids, tocopherols, plastoquinones, and the plant hormones gibberellins. [GOC:mah, MetaCyc:PWY-5120]' - }, - 'GO:0033386': { - 'name': 'geranylgeranyl diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of geranylgeranyl diphosphate. [GOC:mah, MetaCyc:PWY-5120]' - }, - 'GO:0033387': { - 'name': 'putrescine biosynthetic process from ornithine', - 'def': 'The chemical reactions and pathways resulting in the formation of putrescine, 1,4-diaminobutane by decarboxylation of ornithine. [GOC:mah, MetaCyc:PWY-46]' - }, - 'GO:0033388': { - 'name': 'putrescine biosynthetic process from arginine', - 'def': 'The chemical reactions and pathways resulting in the formation of putrescine, 1,4-diaminobutane, from other compounds, including arginine. [GOC:mah, MetaCyc:PWY-46]' - }, - 'GO:0033389': { - 'name': 'putrescine biosynthetic process from arginine, using agmatinase', - 'def': 'The chemical reactions and pathways resulting in the formation of putrescine, 1,4-diaminobutane, from other compounds, including arginine; in this pathway, arginine is converted to agmatine, and agmatine is converted to putrescine in a single enzymatic step. [GOC:mah, MetaCyc:PWY-40]' - }, - 'GO:0033390': { - 'name': 'putrescine biosynthetic process from arginine via N-carbamoylputrescine', - 'def': 'The chemical reactions and pathways resulting in the formation of putrescine, 1,4-diaminobutane, from other compounds, including arginine, via the intermediate N-carbamoylputrescine; in this pathway, arginine is converted to agmatine, and agmatine is converted to putrescine in two single enzymatic steps. [GOC:mah, MetaCyc:PWY-43]' - }, - 'GO:0033391': { - 'name': 'chromatoid body', - 'def': 'A ribonucleoprotein complex found in the cytoplasm of male germ cells, composed of exceedingly thin filaments that are consolidated into a compact mass or into dense strands of varying thickness that branch to form an irregular network. Contains mRNAs, miRNAs, and protein components involved in miRNA processing (such as Argonaute proteins and the endonuclease Dicer) and in RNA decay (such as the decapping enzyme DCP1a and GW182). [PMID:17183363]' - }, - 'GO:0033392': { - 'name': 'obsolete actin homodimerization activity', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with an identical actin monomer to form a homodimer. [GOC:mah]' - }, - 'GO:0033393': { - 'name': 'homogalacturonan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of homogalacturonan, a pectidic polymer, characterized by a backbone of 1,4-linked alpha-D-GalpA residues that can be methyl-esterified at C-6 and carry acetyl groups on O-2 and O-3. [GOC:mah]' - }, - 'GO:0033394': { - 'name': 'beta-alanine biosynthetic process via 1,3 diaminopropane', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-alanine via the intermediate 1,3 diaminopropane. [GOC:mah, MetaCyc:PWY-3981]' - }, - 'GO:0033395': { - 'name': 'beta-alanine biosynthetic process via 3-hydroxypropionate', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-alanine via the intermediate 3-hydroxypropionate. [GOC:mah, MetaCyc:PWY-3941]' - }, - 'GO:0033396': { - 'name': 'beta-alanine biosynthetic process via 3-ureidopropionate', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-alanine via the intermediate 3-ureidopropionate. [GOC:mah, MetaCyc:PWY-3982]' - }, - 'GO:0033397': { - 'name': 'zeatin metabolic process', - 'def': 'The chemical reactions and pathways involving zeatin, 2-methyl-4-(9H-purin-6-ylamino)but-2-en-1-ol. [CHEBI:15333, GOC:mah]' - }, - 'GO:0033398': { - 'name': 'zeatin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of zeatin, 2-methyl-4-(9H-purin-6-ylamino)but-2-en-1-ol. [CHEBI:15333, GOC:mah]' - }, - 'GO:0033399': { - 'name': 'cis-zeatin metabolic process', - 'def': 'The chemical reactions and pathways involving cis-zeatin, (2Z)-2-methyl-4-(9H-purin-6-ylamino)but-2-en-1-ol. [CHEBI:12800, GOC:mah]' - }, - 'GO:0033400': { - 'name': 'trans-zeatin metabolic process', - 'def': 'The chemical reactions and pathways involving trans-zeatin, (2E)-2-methyl-4-(9H-purin-6-ylamino)but-2-en-1-ol. [CHEBI:16522, GOC:mah]' - }, - 'GO:0033401': { - 'name': 'UUU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UUU codon. [GOC:mah]' - }, - 'GO:0033402': { - 'name': 'UUC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UUC codon. [GOC:mah]' - }, - 'GO:0033403': { - 'name': 'UUA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UUA codon. [GOC:mah]' - }, - 'GO:0033404': { - 'name': 'UUG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UUG codon. [GOC:mah]' - }, - 'GO:0033405': { - 'name': 'UCU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UCU codon. [GOC:mah]' - }, - 'GO:0033406': { - 'name': 'UCC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UCC codon. [GOC:mah]' - }, - 'GO:0033407': { - 'name': 'UCA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UCA codon. [GOC:mah]' - }, - 'GO:0033408': { - 'name': 'UCG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UCG codon. [GOC:mah]' - }, - 'GO:0033409': { - 'name': 'UAU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UAU codon. [GOC:mah]' - }, - 'GO:0033410': { - 'name': 'UAC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UAC codon. [GOC:mah]' - }, - 'GO:0033411': { - 'name': 'UAA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UAA codon. [GOC:mah]' - }, - 'GO:0033412': { - 'name': 'UAG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UAG codon. [GOC:mah]' - }, - 'GO:0033413': { - 'name': 'UGU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UGU codon. [GOC:mah]' - }, - 'GO:0033414': { - 'name': 'UGC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UGC codon. [GOC:mah]' - }, - 'GO:0033415': { - 'name': 'UGA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UGA codon. [GOC:mah]' - }, - 'GO:0033416': { - 'name': 'UGG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a UGG codon. [GOC:mah]' - }, - 'GO:0033417': { - 'name': 'CUU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CUU codon. [GOC:mah]' - }, - 'GO:0033418': { - 'name': 'CUC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CUC codon. [GOC:mah]' - }, - 'GO:0033419': { - 'name': 'CUA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CUA codon. [GOC:mah]' - }, - 'GO:0033420': { - 'name': 'CUG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CUG codon. [GOC:mah]' - }, - 'GO:0033421': { - 'name': 'CCU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CCU codon. [GOC:mah]' - }, - 'GO:0033422': { - 'name': 'CCC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CCC codon. [GOC:mah]' - }, - 'GO:0033423': { - 'name': 'CCA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CCA codon. [GOC:mah]' - }, - 'GO:0033424': { - 'name': 'CCG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CCG codon. [GOC:mah]' - }, - 'GO:0033425': { - 'name': 'CAU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CAU codon. [GOC:mah]' - }, - 'GO:0033426': { - 'name': 'CAC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CAC codon. [GOC:mah]' - }, - 'GO:0033427': { - 'name': 'CAA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CAA codon. [GOC:mah]' - }, - 'GO:0033428': { - 'name': 'CAG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CAG codon. [GOC:mah]' - }, - 'GO:0033429': { - 'name': 'CGU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CGU codon. [GOC:mah]' - }, - 'GO:0033430': { - 'name': 'CGC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CGC codon. [GOC:mah]' - }, - 'GO:0033431': { - 'name': 'CGA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CGA codon. [GOC:mah]' - }, - 'GO:0033432': { - 'name': 'CGG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a CGG codon. [GOC:mah]' - }, - 'GO:0033433': { - 'name': 'AUU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AUU codon. [GOC:mah]' - }, - 'GO:0033434': { - 'name': 'AUC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AUC codon. [GOC:mah]' - }, - 'GO:0033435': { - 'name': 'AUA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AUA codon. [GOC:mah]' - }, - 'GO:0033436': { - 'name': 'AUG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AUG codon. [GOC:mah]' - }, - 'GO:0033437': { - 'name': 'ACU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an ACU codon. [GOC:mah]' - }, - 'GO:0033438': { - 'name': 'ACC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an ACC codon. [GOC:mah]' - }, - 'GO:0033439': { - 'name': 'ACA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an ACA codon. [GOC:mah]' - }, - 'GO:0033440': { - 'name': 'ACG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an ACG codon. [GOC:mah]' - }, - 'GO:0033441': { - 'name': 'AAU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AAU codon. [GOC:mah]' - }, - 'GO:0033442': { - 'name': 'AAC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AAC codon. [GOC:mah]' - }, - 'GO:0033443': { - 'name': 'AAA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AAA codon. [GOC:mah]' - }, - 'GO:0033444': { - 'name': 'AAG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AAG codon. [GOC:mah]' - }, - 'GO:0033445': { - 'name': 'AGU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AGU codon. [GOC:mah]' - }, - 'GO:0033446': { - 'name': 'AGC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AGC codon. [GOC:mah]' - }, - 'GO:0033447': { - 'name': 'AGA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AGA codon. [GOC:mah]' - }, - 'GO:0033448': { - 'name': 'AGG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes an AGG codon. [GOC:mah]' - }, - 'GO:0033449': { - 'name': 'GUU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GUU codon. [GOC:mah]' - }, - 'GO:0033450': { - 'name': 'GUC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GUC codon. [GOC:mah]' - }, - 'GO:0033451': { - 'name': 'GUA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GUA codon. [GOC:mah]' - }, - 'GO:0033452': { - 'name': 'GUG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GUG codon. [GOC:mah]' - }, - 'GO:0033453': { - 'name': 'GCU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GCU codon. [GOC:mah]' - }, - 'GO:0033454': { - 'name': 'GCC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GCC codon. [GOC:mah]' - }, - 'GO:0033455': { - 'name': 'GCA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GCA codon. [GOC:mah]' - }, - 'GO:0033456': { - 'name': 'GCG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GCG codon. [GOC:mah]' - }, - 'GO:0033457': { - 'name': 'GAU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GAU codon. [GOC:mah]' - }, - 'GO:0033458': { - 'name': 'GAC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GAC codon. [GOC:mah]' - }, - 'GO:0033459': { - 'name': 'GAA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GAA codon. [GOC:mah]' - }, - 'GO:0033460': { - 'name': 'GAG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GAG codon. [GOC:mah]' - }, - 'GO:0033461': { - 'name': 'GGU codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GGU codon. [GOC:mah]' - }, - 'GO:0033462': { - 'name': 'GGC codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GGC codon. [GOC:mah]' - }, - 'GO:0033463': { - 'name': 'GGA codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GGA codon. [GOC:mah]' - }, - 'GO:0033464': { - 'name': 'GGG codon-amino acid adaptor activity', - 'def': 'A triplet codon-amino acid adaptor activity that recognizes a GGG codon. [GOC:mah]' - }, - 'GO:0033465': { - 'name': 'cis-zeatin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cis-zeatin, (2Z)-2-methyl-4-(9H-purin-6-ylamino)but-2-en-1-ol. [CHEBI:12800, GOC:mah]' - }, - 'GO:0033466': { - 'name': 'trans-zeatin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of trans-zeatin, (2E)-2-methyl-4-(9H-purin-6-ylamino)but-2-en-1-ol. [CHEBI:16522, GOC:mah]' - }, - 'GO:0033467': { - 'name': 'CMP-keto-3-deoxy-D-manno-octulosonic acid metabolic process', - 'def': 'The chemical reactions and pathways involving CMP-keto-3-deoxy-D-manno-octulosonic acid, a substance composed of the acidic sugar 3-deoxy-D-manno-octulosonic acid in glycosidic linkage with cytidine monophosphate. [GOC:mah, MetaCyc:PWY-5111]' - }, - 'GO:0033468': { - 'name': 'CMP-keto-3-deoxy-D-manno-octulosonic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of CMP-keto-3-deoxy-D-manno-octulosonic acid, a substance composed of the acidic sugar 3-deoxy-D-manno-octulosonic acid in glycosidic linkage with cytidine monophosphate. [GOC:mah, MetaCyc:PWY-5111]' - }, - 'GO:0033469': { - 'name': 'gibberellin 12 metabolic process', - 'def': 'The chemical reactions and pathways involving gibberellin 12, (1R,2S,3S,4R,8S,9S,12R)-4,8-dimethyl-13-methylidenetetracyclo[10.2.1.01,9.03,8]pentadecane-2,4-dicarboxylic acid 1meta,4a-dimethyl-8-methylidene-4aalpha,4bbeta-gibbane-1alpha,10beta-dicarboxylic acid. [CHEBI:30088, GOC:mah]' - }, - 'GO:0033470': { - 'name': 'gibberellin 12 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of gibberellin 12, (1R,2S,3S,4R,8S,9S,12R)-4,8-dimethyl-13-methylidenetetracyclo[10.2.1.01,9.03,8]pentadecane-2,4-dicarboxylic acid 1meta,4a-dimethyl-8-methylidene-4aalpha,4bbeta-gibbane-1alpha,10beta-dicarboxylic acid. [CHEBI:30088, GOC:mah]' - }, - 'GO:0033471': { - 'name': 'GDP-L-galactose metabolic process', - 'def': 'The chemical reactions and pathways involving GDP-L-galactose, a substance composed of L-galactose in glycosidic linkage with guanosine diphosphate. [GOC:mah]' - }, - 'GO:0033472': { - 'name': 'GDP-L-galactose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of GDP-L-galactose, a substance composed of L-galactose in glycosidic linkage with guanosine diphosphate. [GOC:mah]' - }, - 'GO:0033473': { - 'name': 'indoleacetic acid conjugate metabolic process', - 'def': 'The chemical reactions and pathways involving any indole-3-acetic acid conjugate, a form of indoleacetic acid covalently bound to another molecule. [GOC:mah]' - }, - 'GO:0033474': { - 'name': 'indoleacetic acid conjugate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an indole-3-acetic acid conjugate, a form of indoleacetic acid covalently bound to another molecule. [GOC:mah]' - }, - 'GO:0033475': { - 'name': 'indoleacetic acid amide conjugate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an indole-3-acetic acid amide conjugate, a form of indoleacetic acid covalently bound to an amino acid or polypeptide through an amide bond. [GOC:mah, MetaCyc:PWY-1782]' - }, - 'GO:0033476': { - 'name': 'indoleacetic acid ester conjugate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an indole-3-acetic acid amide conjugate, a form of indoleacetic acid covalently bound to an a sugar or polyol through an ester bond. [GOC:mah, MetaCyc:PWY-1741]' - }, - 'GO:0033477': { - 'name': 'S-methylmethionine metabolic process', - 'def': 'The chemical reactions and pathways involving S-methyl-methionine (SMM). SMM can be converted to methionine by donating a methyl group to homocysteine, and concurrent operation of this reaction and that mediated by MMT sets up the SMM cycle. [GOC:mah, PMID:12692340]' - }, - 'GO:0033478': { - 'name': 'UDP-rhamnose metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-L-rhamnose, a substance composed of rhamnose in glycosidic linkage with uridine diphosphate. [GOC:mah, PMID:15134748]' - }, - 'GO:0033479': { - 'name': 'UDP-D-galacturonate metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-D-galacturonate, a substance composed of galacturonic acid in glycosidic linkage with uridine diphosphate. [GOC:mah]' - }, - 'GO:0033480': { - 'name': 'UDP-D-galacturonate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-D-galacturonate, a substance composed of galacturonic acid in glycosidic linkage with uridine diphosphate. [GOC:mah]' - }, - 'GO:0033481': { - 'name': 'galacturonate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of galacturonate, the anion of galacturonic acid. [GOC:mah]' - }, - 'GO:0033482': { - 'name': 'D-galacturonate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-galacturonate, the D-enantiomer of galacturonate, the anion of galacturonic acid. [GOC:jsg, GOC:mah]' - }, - 'GO:0033483': { - 'name': 'gas homeostasis', - 'def': 'A homeostatic process involved in the maintenance of an internal steady state of a gas within an organism or cell. [GOC:mah]' - }, - 'GO:0033484': { - 'name': 'nitric oxide homeostasis', - 'def': 'A homeostatic process involved in the maintenance of an internal steady state of nitric oxide within an organism or cell. [GOC:mah]' - }, - 'GO:0033485': { - 'name': 'cyanidin 3-O-glucoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cyanidin 3-O-glucoside, a basic anthocyanin responsible for red to magenta coloration of flowers and fruits. [GOC:mah, MetaCyc:PWY-5125]' - }, - 'GO:0033486': { - 'name': 'delphinidin 3-O-glucoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of delphinidin 3-O-glucoside, a basic, water-soluble anthocyanin responsible for blue coloration of flowers and fruits. [GOC:mah, MetaCyc:PWY-5153]' - }, - 'GO:0033487': { - 'name': 'pelargonidin 3-O-glucoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pelargonidin 3-O-glucoside, a basic anthocyanin responsible for red to magenta coloration of flowers and fruits. [GOC:mah, MetaCyc:PWY-5125]' - }, - 'GO:0033488': { - 'name': 'cholesterol biosynthetic process via 24,25-dihydrolanosterol', - 'def': 'The chemical reactions and pathways resulting in the formation of cholesterol, cholest-5-en-3 beta-ol, via the intermediate 24,25-dihydrolanosterol. [GOC:mah, MetaCyc:PWY66-3]' - }, - 'GO:0033489': { - 'name': 'cholesterol biosynthetic process via desmosterol', - 'def': 'The chemical reactions and pathways resulting in the formation of cholesterol, cholest-5-en-3 beta-ol, via the intermediate desmosterol. [GOC:mah, MetaCyc:PWY66-4]' - }, - 'GO:0033490': { - 'name': 'cholesterol biosynthetic process via lathosterol', - 'def': 'The chemical reactions and pathways resulting in the formation of cholesterol, cholest-5-en-3 beta-ol, via the intermediate lathosterol. [GOC:mah, MetaCyc:PWY66-341]' - }, - 'GO:0033491': { - 'name': 'coniferin metabolic process', - 'def': 'The chemical reactions and pathways involving coniferin, 4-(3-hydroxyprop-1-en-1-yl)-2-methoxyphenyl beta-D-glucopyranoside. [CHEBI:16220, GOC:mah, MetaCyc:PWY-116]' - }, - 'GO:0033492': { - 'name': 'esculetin metabolic process', - 'def': 'The chemical reactions and pathways involving esculetin, 6,7-dihydroxycoumarin. [GOC:mah]' - }, - 'GO:0033493': { - 'name': 'esculetin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of esculetin, 6,7-dihydroxycoumarin. [GOC:mah]' - }, - 'GO:0033494': { - 'name': 'ferulate metabolic process', - 'def': 'The chemical reactions and pathways involving ferulate, (2E)-3-(4-hydroxy-3-methoxyphenyl)prop-2-enoate. [CHEBI:29749, GOC:mah]' - }, - 'GO:0033495': { - 'name': 'ferulate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ferulate, (2E)-3-(4-hydroxy-3-methoxyphenyl)prop-2-enoate. [CHEBI:29749, GOC:mah]' - }, - 'GO:0033496': { - 'name': 'sinapate metabolic process', - 'def': 'The chemical reactions and pathways involving sinapate, (2E)-3-(4-hydroxy-3,5-dimethoxyphenyl)prop-2-enoate. [CHEBI:30023, GOC:mah]' - }, - 'GO:0033497': { - 'name': 'sinapate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sinapate, (2E)-3-(4-hydroxy-3,5-dimethoxyphenyl)prop-2-enoate. [CHEBI:30023, GOC:mah]' - }, - 'GO:0033498': { - 'name': 'galactose catabolic process via D-galactonate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactose, via the intermediate D-galactonate. [GOC:mah, MetaCyc:GALDEG-PWY]' - }, - 'GO:0033499': { - 'name': 'galactose catabolic process via UDP-galactose', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactose, via the intermediate UDP-galactose. [GOC:mah, MetaCyc:PWY-3821]' - }, - 'GO:0033500': { - 'name': 'carbohydrate homeostasis', - 'def': 'A homeostatic process involved in the maintenance of an internal steady state of a carbohydrate within an organism or cell. [GOC:mah]' - }, - 'GO:0033501': { - 'name': 'galactose homeostasis', - 'def': 'A homeostatic process involved in the maintenance of an internal steady state of galactose within an organism or cell. [GOC:mah]' - }, - 'GO:0033502': { - 'name': 'cellular galactose homeostasis', - 'def': 'A cellular homeostatic process involved in the maintenance of an internal steady state of galactose within a cell or between a cell and its external environment. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0033503': { - 'name': 'HULC complex', - 'def': 'A ubiquitin-conjugating enzyme complex that contains two RING finger proteins, which have ubiquitin ligase activity, in addition to a protein with ubiquitin-conjugating enzyme activity; catalyzes the ubiquitination of histone H2B at lysine 119 (or the equivalent residue). In Schizosaccharomyces the subunits are Rhp1, Brl2/Rfp1 and Brl1/Rfp2. [GOC:mah, PMID:17363370, PMID:17374714]' - }, - 'GO:0033504': { - 'name': 'floor plate development', - 'def': 'The progression of the floor plate over time from its initial formation until its mature state. [GOC:dh]' - }, - 'GO:0033505': { - 'name': 'floor plate morphogenesis', - 'def': 'The process in which the anatomical structure of the floor plate is generated and organized. [GOC:dh]' - }, - 'GO:0033506': { - 'name': 'glucosinolate biosynthetic process from homomethionine', - 'def': 'The chemical reactions and pathways resulting in the formation of glucosinolates from other compounds including homomethionine. [GOC:mah, MetaCyc:PWY-1187]' - }, - 'GO:0033507': { - 'name': 'glucosinolate biosynthetic process from phenylalanine', - 'def': 'The chemical reactions and pathways resulting in the formation of glucosinolates from other compounds including phenylalanine. [GOC:mah, MetaCyc:PWY-2821]' - }, - 'GO:0033508': { - 'name': 'glutamate catabolic process to butyrate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate into other compounds, including butyrate. [GOC:mah, MetaCyc:PWY-5087]' - }, - 'GO:0033509': { - 'name': 'glutamate catabolic process to propionate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate into other compounds, including propionate. [GOC:mah, MetaCyc:PWY-5088]' - }, - 'GO:0033510': { - 'name': 'luteolin metabolic process', - 'def': 'The chemical reactions and pathways involving luteolin, 2-(3,4-dihydroxyphenyl)-5,7-dihydroxy-4H-chromen-4-one. [CHEBI:15864, GOC:mah]' - }, - 'GO:0033511': { - 'name': 'luteolin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of luteolin, 2-(3,4-dihydroxyphenyl)-5,7-dihydroxy-4H-chromen-4-one. [CHEBI:15864, GOC:mah]' - }, - 'GO:0033512': { - 'name': 'L-lysine catabolic process to acetyl-CoA via saccharopine', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-lysine into other compounds, including acetyl-CoA, via the intermediate saccharopine. [GOC:mah, MetaCyc:LYSINE-DEG1-PWY]' - }, - 'GO:0033513': { - 'name': 'L-lysine catabolic process to acetyl-CoA via 5-aminopentanamide', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-lysine into other compounds, including acetyl-CoA, via the intermediate 5-aminopentanamide. [GOC:mah, MetaCyc:PWY-5280]' - }, - 'GO:0033514': { - 'name': 'L-lysine catabolic process to acetyl-CoA via L-pipecolate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-lysine into other compounds, including acetyl-CoA, via the intermediate L-pipecolate. [GOC:mah, MetaCyc:PWY-5283]' - }, - 'GO:0033515': { - 'name': 'L-lysine catabolic process using lysine 6-aminotransferase', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-lysine into other compounds, including alpha-aminoadipate; in this pathway, L-lysine is converted to 2-aminoadipate-6-semialdehyde by lysine 6-aminotransferase. [GOC:mah, MetaCyc:PWY-5298]' - }, - 'GO:0033516': { - 'name': 'L-methionine biosynthetic process from homoserine via O-phospho-L-homoserine and cystathionine', - 'def': 'The chemical reactions and pathways resulting in the formation of L-methionine from other compounds, including homoserine, via the intermediates O-phospho-L-homoserine and cystathionine. [GOC:mah, MetaCyc:PWY-702]' - }, - 'GO:0033517': { - 'name': 'myo-inositol hexakisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving phytic acid, myo-inositol hexakisphosphate, a regulator of intracellular signaling, a highly abundant animal anti-nutrient and a phosphate and mineral storage compound in plant seeds. [CHEBI:17401, PMID:16107538]' - }, - 'GO:0033518': { - 'name': 'myo-inositol hexakisphosphate dephosphorylation', - 'def': 'The process of removing one or more phosphate group from myo-inositol hexakisphosphate. [GOC:mah]' - }, - 'GO:0033519': { - 'name': 'phytyl diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving phytyl diphosphate, (2E)-3,7,11,15-tetramethylhexadec-2-en-1-yl trihydrogen diphosphate. [CHEBI:18187, GOC:mah]' - }, - 'GO:0033520': { - 'name': 'phytol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phytol, (2E,7R,11R)-3,7,11,15-tetramethylhexadec-2-en-1-ol. [CHEBI:17327, GOC:mah]' - }, - 'GO:0033521': { - 'name': 'phytyl diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phytyl diphosphate, (2E)-3,7,11,15-tetramethylhexadec-2-en-1-yl trihydrogen diphosphate. [CHEBI:18187, GOC:mah]' - }, - 'GO:0033522': { - 'name': 'histone H2A ubiquitination', - 'def': 'The modification of histone H2A by addition of one or more ubiquitin groups. [GOC:bf, GOC:mah, PMID:15509584, PMID:16473935, PMID:18430235]' - }, - 'GO:0033523': { - 'name': 'histone H2B ubiquitination', - 'def': 'The modification of histone H2B by addition of ubiquitin groups. [GOC:mah]' - }, - 'GO:0033524': { - 'name': 'sinapate ester metabolic process', - 'def': 'The chemical reactions and pathways involving ester derivatives of sinapate, (2E)-3-(4-hydroxy-3,5-dimethoxyphenyl)prop-2-enoate. [CHEBI:30023, GOC:mah]' - }, - 'GO:0033525': { - 'name': 'sinapate ester biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ester derivates of sinapate, (2E)-3-(4-hydroxy-3,5-dimethoxyphenyl)prop-2-enoate. [CHEBI:30023, GOC:mah]' - }, - 'GO:0033526': { - 'name': 'tetrapyrrole biosynthetic process from glutamate', - 'def': 'The chemical reactions and pathways leading to the formation of tetrapyrroles, natural pigments containing four pyrrole rings joined by one-carbon units linking position 2 of one pyrrole ring to position 5 of the next, from other compounds, including L-glutamate. [CHEBI:26932, GOC:mah, MetaCyc:PWY-5188]' - }, - 'GO:0033527': { - 'name': 'tetrapyrrole biosynthetic process from glycine and succinyl-CoA', - 'def': 'The chemical reactions and pathways leading to the formation of tetrapyrroles, natural pigments containing four pyrrole rings joined by one-carbon units linking position 2 of one pyrrole ring to position 5 of the next, from other compounds, including glycine and succinyl-CoA. [CHEBI:26932, GOC:mah, MetaCyc:PWY-5189]' - }, - 'GO:0033528': { - 'name': 'S-methylmethionine cycle', - 'def': 'A cyclic series of interconversions involving S-methyl-L-methionine, S-adenosyl-L-homocysteine, S-adenosyl-L-methionine, L-homocysteine, and L-methionine. Converts the methionine group of adenosylmethionine back to free methionine, and may serve regulate the cellular adenosylmethionine level. [GOC:mah, MetaCyc:PWY-5441]' - }, - 'GO:0033529': { - 'name': 'raffinose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of raffinose, the trisaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside. [CHEBI:16634, GOC:mah]' - }, - 'GO:0033530': { - 'name': 'raffinose metabolic process', - 'def': 'The chemical reactions and pathways involving raffinose, the trisaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside. [CHEBI:16634, GOC:mah]' - }, - 'GO:0033531': { - 'name': 'stachyose metabolic process', - 'def': 'The chemical reactions and pathways involving stachyose, the tetrasaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside. [CHEBI:17164, GOC:mah]' - }, - 'GO:0033532': { - 'name': 'stachyose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of stachyose, the tetrasaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside. [CHEBI:17164, GOC:mah]' - }, - 'GO:0033533': { - 'name': 'verbascose metabolic process', - 'def': 'The chemical reactions and pathways involving verbascose, the pentasaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside. [GOC:mah, MetaCyc:CPD-8065]' - }, - 'GO:0033534': { - 'name': 'verbascose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of verbascose, the pentasaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside. [GOC:mah, MetaCyc:CPD-8065]' - }, - 'GO:0033535': { - 'name': 'ajugose metabolic process', - 'def': 'The chemical reactions and pathways involving ajugose, the hexasaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside. [GOC:mah, MetaCyc:CPD-8066]' - }, - 'GO:0033536': { - 'name': 'ajugose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ajugose, the hexasaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside. [GOC:mah, MetaCyc:CPD-8066]' - }, - 'GO:0033537': { - 'name': 'ajugose biosynthetic process using galactinol:raffinose galactosyltransferase', - 'def': 'The chemical reactions and pathways resulting in the formation of ajugose, the hexasaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside, by a pathway in which galactinol:raffinose galactosyltransferase catalyzes chain elongation by transferring the alpha-galactosyl residue of galactinol to the oligosaccharide. [GOC:mah, MetaCyc:PWY-5342]' - }, - 'GO:0033538': { - 'name': 'ajugose biosynthetic process using galactan:galactan galactosyltransferase', - 'def': 'The chemical reactions and pathways resulting in the formation of ajugose, the hexasaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside, by a pathway in which galactan:galactan galactosyltransferase catalyzes chain elongation by transferring the alpha-galactosyl residue of one raffinose-family oligosaccharide to another. [GOC:mah, MetaCyc:PWY-5343]' - }, - 'GO:0033539': { - 'name': 'fatty acid beta-oxidation using acyl-CoA dehydrogenase', - 'def': 'A fatty acid beta-oxidation pathway in which the initial step of each oxidation cycle, which converts an acyl-CoA to a trans-2-enoyl-CoA, is catalyzed by acyl-CoA dehydrogenase; the electrons removed by oxidation pass through the respiratory chain to oxygen and leave H2O as the product. Fatty acid beta-oxidation begins with the addition of coenzyme A to a fatty acid, and ends when only two or three carbons remain (as acetyl-CoA or propionyl-CoA respectively). [GOC:mah, MetaCyc:FAO-PWY, MetaCyc:PWY-5136]' - }, - 'GO:0033540': { - 'name': 'fatty acid beta-oxidation using acyl-CoA oxidase', - 'def': 'A fatty acid beta-oxidation pathway in which the initial step, which converts an acyl-CoA to a trans-2-enoyl-CoA, is catalyzed by acyl-CoA oxidase; the electrons removed by oxidation pass directly to oxygen and produce hydrogen peroxide, which is cleaved by peroxisomal catalases. Fatty acid beta-oxidation begins with the addition of coenzyme A to a fatty acid, and ends when only two or three carbons remain (as acetyl-CoA or propionyl-CoA respectively). [GOC:mah, MetaCyc:PWY-5136]' - }, - 'GO:0033541': { - 'name': 'fatty acid beta-oxidation, unsaturated, odd number', - 'def': 'A fatty acid beta-oxidation pathway by which fatty acids having cis-double bonds on odd-numbered carbons are degraded. In this pathway, a cis-3-enoyl-CoA is generated by the core beta-oxidation pathway, and then converted to a trans-2-enoyl-CoA, which can return to the core beta-oxidation pathway for complete degradation. Fatty acid beta-oxidation begins with the addition of coenzyme A to a fatty acid, and ends when only two or three carbons remain (as acetyl-CoA or propionyl-CoA respectively). [GOC:mah, MetaCyc:PWY-5137]' - }, - 'GO:0033542': { - 'name': 'fatty acid beta-oxidation, unsaturated, even number', - 'def': 'A fatty acid beta-oxidation pathway by which fatty acids having cis-double bonds on even-numbered carbons are degraded. Fatty acid beta-oxidation begins with the addition of coenzyme A to a fatty acid, and ends when only two or three carbons remain (as acetyl-CoA or propionyl-CoA respectively). [GOC:mah, MetaCyc:PWY-5138]' - }, - 'GO:0033543': { - 'name': 'fatty acid beta-oxidation, unsaturated, even number, reductase/isomerase pathway', - 'def': 'A fatty acid beta-oxidation pathway by which fatty acids having cis-double bonds on even-numbered carbons are degraded. In this pathway, the intermediate 2,4-dienoyl-CoA is converted to trans-2-enoyl-CoA by 2,4-dienoyl-CoA reductase and delta3-delta2-enoyl-CoA isomerase; trans-2-enoyl-CoA returns to the core beta-oxidation pathway for further degradation. Fatty acid beta-oxidation begins with the addition of coenzyme A to a fatty acid, and ends when only two or three carbons remain (as acetyl-CoA or propionyl-CoA respectively). [GOC:mah, MetaCyc:PWY-5138]' - }, - 'GO:0033544': { - 'name': 'fatty acid beta-oxidation, unsaturated, even number, epimerase pathway', - 'def': 'A fatty acid beta-oxidation pathway by which fatty acids having cis-double bonds on even-numbered carbons are degraded. In this pathway, the intermediate 2,4-dienoyl-CoA is converted to cis-2-enoyl-CoA through one more cycle of the core beta-oxidation pathway. Cis-2-enoyl-CoA cannot be completely degraded via the core beta-oxidation pathway because hydratation of cis-2-enoyl-CoA yields D-3-hydroxyacyl-CoA, which is not a substrate for 3-hydroxylacyl-CoA dehydrogenase. Cis-2-enoyl-CoA must enter the so-called epimerase pathway, which involves converting D-3-hydroxyacyl-CoA to L-3-hydroxyacyl-CoA by 3-hydroxylacyl-CoA epimerase or by two stereo-specific enoyl-CoA hydratases. L-3-hydroxyacyl-CoA then returns to the core beta-oxidation pathway. Fatty acid beta-oxidation begins with the addition of coenzyme A to a fatty acid, and ends when only two or three carbons remain (as acetyl-CoA or propionyl-CoA respectively). [GOC:mah, MetaCyc:PWY-5138]' - }, - 'GO:0033545': { - 'name': 'myo-inositol hexakisphosphate biosynthetic process, lipid-dependent', - 'def': 'The chemical reactions and pathways resulting in the formation of 1D-myo-inositol 1,2,3,4,5,6-hexakisphosphate, phytate, by a pathway using inositol 1,4,5-trisphosphate produced from phosphatidylinositol 4,5-biphosphate hydrolysis by phospholipase C. [GOC:mah, MetaCyc:PWY-6555]' - }, - 'GO:0033546': { - 'name': 'myo-inositol hexakisphosphate biosynthetic process, via inositol 1,3,4-trisphosphate', - 'def': 'The chemical reactions and pathways resulting in the formation of 1D-myo-inositol 1,2,3,4,5,6-hexakisphosphate, phytate, by a pathway using inositol 1,4,5-trisphosphate produced from phosphatidylinositol 4,5-biphosphate hydrolysis by phospholipase C; in this pathway, inositol 1,4,5-trisphosphate is first converted to inositol 1,3,4-trisphosphate, and then phosphorylated further. [GOC:mah, MetaCyc:PWY-6554]' - }, - 'GO:0033547': { - 'name': 'obsolete myo-inositol hexakisphosphate biosynthetic process, via direct phosphorylation of inositol 1,4,5-trisphosphate', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 1D myo-inositol 1,2,3,4,5,6-hexakisphosphate, phytate, by a pathway using inositol 1,4,5-trisphosphate produced from phosphatidylinositol 4,5-biphosphate hydrolysis by phospholipase C; in this pathway, inositol 1,4,5-trisphosphate is successively phosphorylated to yield inositol hexakisphosphate. [GOC:mah, MetaCyc:PWY-4541]' - }, - 'GO:0033548': { - 'name': 'myo-inositol hexakisphosphate biosynthetic process, lipid-independent', - 'def': 'The chemical reactions and pathways resulting in the formation of phytic acid, myo-inositol hexakisphosphate, by the successively phosphorylation of myo-inositol or an inositol trisphosphate; the inositol trisphosphates that may be used by this pathway are inositol 3,4,5-trisphosphate and inositol 3,4,6trisphosphate. [GOC:mah, MetaCyc:PWY-4661]' - }, - 'GO:0033549': { - 'name': 'MAP kinase phosphatase activity', - 'def': 'Catalysis of the reaction: a phosphorylated MAP kinase + H2O = a MAP kinase + phosphate. [GOC:mah, PMID:12184814, PMID:17208316]' - }, - 'GO:0033550': { - 'name': 'MAP kinase tyrosine phosphatase activity', - 'def': 'Catalysis of the reaction: MAP kinase tyrosine phosphate + H2O = MAP kinase tyrosine + phosphate. [GOC:mah]' - }, - 'GO:0033551': { - 'name': 'monopolin complex', - 'def': 'A protein complex required for clamping microtubule binding sites, ensuring orientation of sister kinetochores to the same pole (mono-orientation) during meiosis I. In the yeast S. cerevisiae this complex consists of Csm1p, Lrs4p, Hrr25p and Mam1p; in S. pombe Psc1 and Mde4 have been identified as subunits. [GOC:mah, GOC:rb, PMID:17627824]' - }, - 'GO:0033552': { - 'name': 'response to vitamin B3', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin B3 stimulus. [GOC:sl]' - }, - 'GO:0033553': { - 'name': 'rDNA heterochromatin', - 'def': 'A region of heterochromatin located at the rDNA repeats in a chromosome. [GOC:mah]' - }, - 'GO:0033554': { - 'name': 'cellular response to stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:mah]' - }, - 'GO:0033555': { - 'name': 'multicellular organismal response to stress', - 'def': 'Any process that results in a change in state or activity of a multicellular organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:mah]' - }, - 'GO:0033556': { - 'name': 'dolichyl pyrophosphate Man7GlcNAc2 alpha-1,3-glucosyltransferase activity', - 'def': 'Catalysis of the addition of a glucose residue to the lipid-linked oligosaccharide precursor for N-linked glycosylation; the transfer of glucose from dolichyl phosphate glucose (Dol-P-Glc) on to the lipid-linked oligosaccharide Man(7)GlcNAc(2)-PP-Dol. [GOC:mah, PMID:10336995]' - }, - 'GO:0033557': { - 'name': 'Slx1-Slx4 complex', - 'def': 'A heterodimeric protein complex that possesses an endonuclease activity that specifically cleaves certain types of branched DNA structures; because such structures often form during the replication ribosomal DNA (rDNA) repeats, the complex plays a role in the maintenance of rDNA. The subunits are known as Slx1 and Slx 4 in budding and fission yeasts, and are conserved in eukaryotes. [PMID:14528010, PMID:16467377]' - }, - 'GO:0033558': { - 'name': 'protein deacetylase activity', - 'def': 'Catalysis of the hydrolysis of an acetyl group or groups from a protein substrate. [GOC:mah]' - }, - 'GO:0033559': { - 'name': 'unsaturated fatty acid metabolic process', - 'def': 'The chemical reactions and pathways involving an unsaturated fatty acid, any fatty acid containing one or more double bonds between carbon atoms. [GOC:mah]' - }, - 'GO:0033560': { - 'name': 'folate reductase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydrofolate + NADP+ = folate + NADPH + H+. [GOC:pde]' - }, - 'GO:0033561': { - 'name': 'regulation of water loss via skin', - 'def': 'A process that modulates the rate or extent of water loss from an organism via the skin. [GOC:mah]' - }, - 'GO:0033562': { - 'name': 'co-transcriptional gene silencing by RNA interference machinery', - 'def': 'A process in which the RNAi machinery mediates the degradation of nascent transcripts in association with chromatin. [GOC:mah, GOC:vw, PMID:17512405, PMID:21151114, PMID:22431512]' - }, - 'GO:0033563': { - 'name': 'dorsal/ventral axon guidance', - 'def': 'The process in which the migration of an axon growth cone is directed to a specific target site along the dorsal-ventral body axis in response to a combination of attractive and repulsive cues. The dorsal/ventral axis is defined by a line that runs orthogonal to both the anterior/posterior and left/right axes. The dorsal end is defined by the upper or back side of an organism. The ventral end is defined by the lower or front side of an organism. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0033564': { - 'name': 'anterior/posterior axon guidance', - 'def': 'The process in which the migration of an axon growth cone is directed to a specific target site along the anterior-posterior body axis in response to a combination of attractive and repulsive cues. The anterior-posterior axis is defined by a line that runs from the head or mouth of an organism to the tail or opposite end of the organism. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0033565': { - 'name': 'ESCRT-0 complex', - 'def': 'A protein complex required for the recycling of Golgi proteins, formation of lumenal membranes and sorting of ubiquitinated proteins into those membranes. This complex includes Vps1p and Hse1p in yeast and the Hrs and STAM proteins in mammals. [GOC:rb, PMID:12055639, PMID:17543868]' - }, - 'GO:0033566': { - 'name': 'gamma-tubulin complex localization', - 'def': 'Any process in which a gamma-tubulin complex is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0033567': { - 'name': 'DNA replication, Okazaki fragment processing', - 'def': 'The DNA metabolic process, occurring during lagging strand synthesis, by which RNA primers are removed from Okazaki fragments, the resulting gaps filled by DNA polymerization, and the ends ligated to form a continuous strand. [GOC:mah, ISBN:0716720094]' - }, - 'GO:0033568': { - 'name': 'lactoferrin receptor activity', - 'def': 'Combining with lactoferrin and delivering lactoferrin into the cell via endocytosis. Lactoferrin is an iron-binding glycoprotein which binds ferric iron most efficiently at low pH. [GOC:bf, GOC:mlg, PMID:16261254]' - }, - 'GO:0033569': { - 'name': 'lactoferrin transmembrane transporter activity', - 'def': 'Catalysis of the transfer of lactoferrin from one side of a membrane to the other. [GOC:mlg]' - }, - 'GO:0033570': { - 'name': 'transferrin transmembrane transporter activity', - 'def': 'Enables the transfer of transferrin from one side of a membrane to the other. [GOC:mlg]' - }, - 'GO:0033571': { - 'name': 'lactoferrin transport', - 'def': 'The directed movement of lactoferrin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mlg]' - }, - 'GO:0033572': { - 'name': 'transferrin transport', - 'def': 'The directed movement of transferrin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mlg]' - }, - 'GO:0033573': { - 'name': 'high-affinity iron permease complex', - 'def': 'A protein complex composed of a multicopper ferroxidase that oxidizes Fe(II) to Fe(III), and a ferric iron permease that transports the produced Fe(III) into the cell. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:jp, IntAct:EBI-12592666, PMID:16522632, PMID:8599111]' - }, - 'GO:0033574': { - 'name': 'response to testosterone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a testosterone stimulus. [GOC:sl]' - }, - 'GO:0033575': { - 'name': 'protein glycosylation at cell surface', - 'def': 'The addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid at the surface of a cell. [GOC:mah, GOC:pr, PMID:12042244]' - }, - 'GO:0033576': { - 'name': 'protein glycosylation in cytosol', - 'def': 'The addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid in the cytosol. [GOC:mah, GOC:pr, PMID:12042244]' - }, - 'GO:0033577': { - 'name': 'protein glycosylation in endoplasmic reticulum', - 'def': 'The addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid in the endoplasmic reticulum. [GOC:mah, GOC:pr, PMID:12042244]' - }, - 'GO:0033578': { - 'name': 'protein glycosylation in Golgi', - 'def': 'The addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid in any compartment of the Golgi apparatus. [GOC:mah, GOC:pr, PMID:12042244]' - }, - 'GO:0033579': { - 'name': 'protein galactosylation in endoplasmic reticulum', - 'def': 'The addition of a galactose unit to a protein amino acid in the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0033580': { - 'name': 'protein galactosylation at cell surface', - 'def': 'The addition of a galactose unit to a protein amino acid at the surface of a cell. [GOC:mah]' - }, - 'GO:0033581': { - 'name': 'protein galactosylation in Golgi', - 'def': 'The addition of a galactose unit to a protein amino acid in any compartment of the Golgi apparatus. [GOC:mah]' - }, - 'GO:0033582': { - 'name': 'protein galactosylation in cytosol', - 'def': 'The addition of a galactose unit to a protein amino acid in the cytosol. [GOC:mah]' - }, - 'GO:0033583': { - 'name': 'rhabdomere membrane', - 'def': 'The portion of the plasma membrane surrounding the rhabdomere. [GOC:mah]' - }, - 'GO:0033584': { - 'name': 'tyrosine biosynthetic process from chorismate via L-arogenate', - 'def': 'The chemical reactions and pathways resulting in the formation of tyrosine from other compounds, including chorismate, via the intermediate L-arogenate. [GOC:mah, MetaCyc:PWY-3461]' - }, - 'GO:0033585': { - 'name': 'L-phenylalanine biosynthetic process from chorismate via phenylpyruvate', - 'def': 'The chemical reactions and pathways resulting in the formation of L-phenylalanine from other compounds, including chorismate, via the intermediate phenylpyruvate. [GOC:go_curators]' - }, - 'GO:0033586': { - 'name': 'L-phenylalanine biosynthetic process from chorismate via L-arogenate', - 'def': 'The chemical reactions and pathways resulting in the formation of L-phenylalanine from other compounds, including chorismate, via the intermediate L-arogenate. [GOC:go_curators]' - }, - 'GO:0033587': { - 'name': 'shikimate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of shikimate, (3R,4S,5R)--3,4,5-trihydroxycyclohex-1-ene-1-carboxylate, the anion of shikimic acid. [CHEBI:36208, GOC:mah]' - }, - 'GO:0033588': { - 'name': 'Elongator holoenzyme complex', - 'def': 'A heterohexameric protein complex that is involved in modification of wobble nucleosides in tRNA. The complex can associate physically with hyperphosphorylated RNA polymerase II; it contains two discrete heterotrimeric subcomplexes. [GOC:bhm, GOC:jh, GOC:mah, GOC:vw, PMID:11435442, PMID:11689709, PMID:15769872, PMID:17018299, PMID:18755837, PMID:23165209]' - }, - 'GO:0033590': { - 'name': 'response to cobalamin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cobalamin (vitamin B12) stimulus. [GOC:sl]' - }, - 'GO:0033591': { - 'name': 'response to L-ascorbic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an L-ascorbic acid (vitamin C) stimulus. [GOC:sl]' - }, - 'GO:0033592': { - 'name': 'RNA strand annealing activity', - 'def': 'Facilitates the base-pairing of complementary single-stranded RNA. [GOC:mah]' - }, - 'GO:0033593': { - 'name': 'BRCA2-MAGE-D1 complex', - 'def': 'A heterodimeric protein complex formed of BRCA2 and MAGE-D1; may mediate the synergistic activities of the two proteins in regulating cell growth. [PMID:15930293]' - }, - 'GO:0033594': { - 'name': 'response to hydroxyisoflavone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydroxyisoflavone stimulus. [CHEBI:38755, GOC:mah]' - }, - 'GO:0033595': { - 'name': 'response to genistein', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a genistein stimulus. [CHEBI:28088, GOC:mah]' - }, - 'GO:0033596': { - 'name': 'TSC1-TSC2 complex', - 'def': 'A protein complex consisting of at least tumerin and hamartin; its formation may regulate hamartin homomultimer formation. The complex acts as a GTPase activating protein (GAP) for the small GTPase (Rheb), and inhibits the TOR signaling pathway. [PMID:10585443, PMID:17121544, PMID:9580671]' - }, - 'GO:0033597': { - 'name': 'mitotic checkpoint complex', - 'def': 'A multiprotein complex that functions as a mitotic checkpoint inhibitor of the anaphase-promoting complex/cyclosome (APC/C). In budding yeast this complex consists of Mad2p, Mad3p, Bub3p and Cdc20p, and in mammalian cells it consists of MAD2, BUBR1, BUB3, and CDC20. [PMID:10704439, PMID:11535616, PMID:11726501, PMID:17650307]' - }, - 'GO:0033598': { - 'name': 'mammary gland epithelial cell proliferation', - 'def': 'The multiplication or reproduction of mammary gland epithelial cells, resulting in the expansion of a cell population. Mammary gland epithelial cells make up the covering of surfaces of the mammary gland. The mammary gland is a large compound sebaceous gland that in female mammals is modified to secrete milk. [GOC:dph, GOC:mah]' - }, - 'GO:0033599': { - 'name': 'regulation of mammary gland epithelial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of mammary gland epithelial cell proliferation. [GOC:mah]' - }, - 'GO:0033600': { - 'name': 'negative regulation of mammary gland epithelial cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of mammary gland epithelial cell proliferation. [GOC:mah]' - }, - 'GO:0033601': { - 'name': 'positive regulation of mammary gland epithelial cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of mammary gland epithelial cell proliferation. [GOC:mah]' - }, - 'GO:0033602': { - 'name': 'negative regulation of dopamine secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of dopamine. [GOC:sl]' - }, - 'GO:0033603': { - 'name': 'positive regulation of dopamine secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of dopamine. [GOC:sl]' - }, - 'GO:0033604': { - 'name': 'negative regulation of catecholamine secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of a catecholamine. [GOC:mah]' - }, - 'GO:0033605': { - 'name': 'positive regulation of catecholamine secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of a catecholamine. [GOC:mah]' - }, - 'GO:0033606': { - 'name': 'chemokine receptor transport within lipid bilayer', - 'def': 'The directed movement of a chemokine receptor within a lipid bilayer. [GOC:mah]' - }, - 'GO:0033607': { - 'name': 'SOD1-Bcl-2 complex', - 'def': 'A heterodimeric protein complex formed of superoxide dismutase 1 and Bcl-2. Complex formation is thought to link superoxide dismutase to an apoptotic pathway. [PMID:15233914, PMID:16790527]' - }, - 'GO:0033608': { - 'name': 'formyl-CoA transferase activity', - 'def': 'Catalysis of the reaction: formyl-CoA + oxalate = formate + oxalyl-CoA. [EC:2.8.3.16, RHEA:16548]' - }, - 'GO:0033609': { - 'name': 'oxalate metabolic process', - 'def': 'The chemical reactions and pathways involving oxalate, the organic acid ethanedioate. [CHEBI:30623, GOC:mlg]' - }, - 'GO:0033610': { - 'name': 'oxalate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of oxalate, the organic acid ethanedioate. [CHEBI:30623, GOC:mlg]' - }, - 'GO:0033611': { - 'name': 'oxalate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of oxalate, the organic acid ethanedioate. [CHEBI:30623, GOC:mlg]' - }, - 'GO:0033612': { - 'name': 'receptor serine/threonine kinase binding', - 'def': 'Interacting selectively and non-covalently with a receptor that possesses protein serine/threonine kinase activity. [GOC:mah]' - }, - 'GO:0033613': { - 'name': 'activating transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an activating transcription factor, any protein whose activity is required to initiate or upregulate transcription. [GOC:mah, GOC:txnOH]' - }, - 'GO:0033614': { - 'name': 'chloroplast proton-transporting ATP synthase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a proton-transporting ATP synthase in the chloroplast thylakoid membrane. [GOC:mah]' - }, - 'GO:0033615': { - 'name': 'mitochondrial proton-transporting ATP synthase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a proton-transporting ATP synthase in the mitochondrial inner membrane. [GOC:mah]' - }, - 'GO:0033616': { - 'name': 'plasma membrane proton-transporting ATP synthase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a proton-transporting ATP synthase in the plasma membrane. [GOC:mah]' - }, - 'GO:0033617': { - 'name': 'mitochondrial respiratory chain complex IV assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form respiratory chain complex IV (also known as cytochrome c oxidase) in the mitochondrial inner membrane. [GOC:mah]' - }, - 'GO:0033618': { - 'name': 'plasma membrane respiratory chain complex IV assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form respiratory chain complex IV (also known as cytochrome c oxidase) in the plasma membrane. [GOC:mah]' - }, - 'GO:0033619': { - 'name': 'membrane protein proteolysis', - 'def': 'The proteolytic cleavage of a transmembrane protein leading to the release of its intracellular or ecto-domains. [GOC:pde]' - }, - 'GO:0033620': { - 'name': 'Mei2 nuclear dot complex', - 'def': 'A ribonucleoprotein complex that forms during meiotic prophase in a fixed position in the horsetail nucleus; contains Mei2 and meiRNA. May play a role in the progression of meiosis I. [GOC:vw, PMID:12808043]' - }, - 'GO:0033621': { - 'name': 'nuclear-transcribed mRNA catabolic process, meiosis-specific transcripts', - 'def': 'The chemical reactions and pathways resulting in the selective degradation of meiosis-specific transcripts during vegetative growth, by a mechanism that requires determinant of selective removal (DSR) sequences in the targeted mRNAs and involves a YTH family protein. [PMID:16823445]' - }, - 'GO:0033622': { - 'name': 'integrin activation', - 'def': 'The aggregation, arrangement and bonding together of an integrin, a heterodimeric adhesion receptor formed by the non-covalent association of particular alpha and beta subunits, that lead to the increased affinity of the integrin for its extracellular ligands. [GOC:add, PMID:12213832, PMID:14754902]' - }, - 'GO:0033623': { - 'name': 'regulation of integrin activation', - 'def': 'Any process that modulates the frequency, rate, or extent of integrin activation. [GOC:add]' - }, - 'GO:0033624': { - 'name': 'negative regulation of integrin activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of integrin activation. [GOC:add]' - }, - 'GO:0033625': { - 'name': 'positive regulation of integrin activation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of integrin activation. [GOC:add]' - }, - 'GO:0033626': { - 'name': 'positive regulation of integrin activation by cell surface receptor linked signal transduction', - 'def': 'Any series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of the target cell that lead to the increased affinity of an integrin, a heterodimeric adhesion receptor formed by the non-covalent association of particular alpha and beta subunits, for its extracellular ligands. [GOC:add, PMID:12213832, PMID:14754902]' - }, - 'GO:0033627': { - 'name': 'cell adhesion mediated by integrin', - 'def': 'The attachment of a cell, either to another cell or to an underlying substrate such as the extracellular matrix, via an integrin, a heterodimeric adhesion receptor formed by the non-covalent association of particular alpha and beta subunits. [GOC:add, PMID:12213832, PMID:14754902]' - }, - 'GO:0033628': { - 'name': 'regulation of cell adhesion mediated by integrin', - 'def': 'Any process that modulates the frequency, rate, or extent of cell adhesion mediated by integrin. [GOC:add]' - }, - 'GO:0033629': { - 'name': 'negative regulation of cell adhesion mediated by integrin', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of cell adhesion mediated by integrin. [GOC:add]' - }, - 'GO:0033630': { - 'name': 'positive regulation of cell adhesion mediated by integrin', - 'def': 'Any process that activates or increases the frequency, rate, or extent of cell adhesion mediated by integrin. [GOC:add]' - }, - 'GO:0033631': { - 'name': 'cell-cell adhesion mediated by integrin', - 'def': 'The attachment of one cell to another cell via an integrin, a heterodimeric adhesion receptor formed by the non-covalent association of particular alpha and beta subunits. [GOC:add, PMID:12213832, PMID:14754902]' - }, - 'GO:0033632': { - 'name': 'regulation of cell-cell adhesion mediated by integrin', - 'def': 'Any process that modulates the frequency, rate, or extent of cell-cell adhesion mediated by integrin. [GOC:add]' - }, - 'GO:0033633': { - 'name': 'negative regulation of cell-cell adhesion mediated by integrin', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of cell-cell adhesion mediated by integrin. [GOC:add]' - }, - 'GO:0033634': { - 'name': 'positive regulation of cell-cell adhesion mediated by integrin', - 'def': 'Any process that activates or increases the frequency, rate, or extent of cell-cell adhesion mediated by integrin. [GOC:add]' - }, - 'GO:0033635': { - 'name': 'modulation by symbiont of host response to abiotic stimulus', - 'def': 'Any process in which an organism modulates a change in the state or activity of a host cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an abiotic (non-living) stimulus. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033636': { - 'name': 'modulation by symbiont of host response to temperature stimulus', - 'def': 'Any process in which an organism modulates a change in state or activity of a host cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a temperature stimulus. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033637': { - 'name': 'modulation by symbiont of host response to cold', - 'def': 'Any process in which an organism modulates a change in state or activity of a host cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cold stimulus, a temperature stimulus below the optimal temperature for that organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033638': { - 'name': 'modulation by symbiont of host response to heat', - 'def': 'Any process in which an organism modulates a change in state or activity of a host cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a heat stimulus, a temperature stimulus above the optimal temperature for that organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033639': { - 'name': 'modulation by symbiont of host response to water', - 'def': 'Any process in which an organism modulates a change in state or activity of a host cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a water stimulus. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033640': { - 'name': 'modulation by symbiont of host response to osmotic stress', - 'def': 'Any process in which an organism modulates a change in state or activity of a host cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033641': { - 'name': 'modulation by symbiont of host response to pH', - 'def': 'Any process in which an organism modulates a change in state or activity of a host cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pH stimulus. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033642': { - 'name': 'modulation by symbiont of host response to gravitational stimulus', - 'def': 'Any process in which an organism modulates a change in state or activity of a host cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gravitational stimulus. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033643': { - 'name': 'host cell part', - 'def': 'Any constituent part of a host cell. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033644': { - 'name': 'host cell membrane', - 'def': 'Double layer of lipid molecules as it encloses host cells, and, in eukaryotes, many organelles; may be a single or double lipid bilayer; also includes associated proteins. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033645': { - 'name': 'host cell endomembrane system', - 'def': 'A collection of membranous structures involved in transport within the host cell. The main components of the endomembrane system are endoplasmic reticulum, Golgi bodies, vesicles, cell membrane and nuclear envelope. Members of the endomembrane system pass materials through each other or though the use of vesicles. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033646': { - 'name': 'host intracellular part', - 'def': 'Any constituent part of the living contents of a host cell; the matter contained within (but not including) the plasma membrane, usually taken to exclude large vacuoles and masses of secretory or ingested material. In eukaryotes it includes the nucleus and cytoplasm. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033647': { - 'name': 'host intracellular organelle', - 'def': 'Organized structure of distinctive morphology and function, occurring within the host cell. Includes the nucleus, mitochondria, plastids, vacuoles, vesicles, ribosomes and the cytoskeleton. Excludes the plasma membrane. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033648': { - 'name': 'host intracellular membrane-bounded organelle', - 'def': 'Organized structure of distinctive morphology and function, as found in host cells, bounded by a single or double lipid bilayer membrane and occurring within the cell. Includes the nucleus, mitochondria, plastids, vacuoles, and vesicles. Excludes the plasma membrane. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033650': { - 'name': 'host cell mitochondrion', - 'def': 'A semiautonomous, self replicating organelle as found in host cells that occurs in varying numbers, shapes, and sizes in the cell cytoplasm. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033651': { - 'name': 'host cell plastid', - 'def': 'Any member of a family of organelles as found in the cytoplasm of host cells, which are membrane-bounded and contain DNA. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033652': { - 'name': 'host cell chloroplast', - 'def': 'A chlorophyll-containing plastid as found within host cells with thylakoids organized into grana and frets, or stroma thylakoids, and embedded in a stroma. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033653': { - 'name': 'host cell chloroplast part', - 'def': 'Any constituent part of a chloroplast as it is found in host cells and which are a chlorophyll-containing plastid with thylakoids organized into grana and frets, or stroma thylakoids, and embedded in a stroma. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033654': { - 'name': 'host cell chloroplast thylakoid membrane', - 'def': 'Any sac-like membranous structures (cisternae) in a chloroplast found in host cells, combined into stacks (grana) and present singly in the stroma (stroma thylakoids or frets) as interconnections between grana. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033655': { - 'name': 'host cell cytoplasm part', - 'def': 'Any constituent part of the host cell cytoplasm, all of the contents of a cell excluding the plasma membrane and nucleus, but including other subcellular structures. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033656': { - 'name': 'modification by symbiont of host chloroplast', - 'def': 'The process in which an organism effects a change in the structure or function of host cell chloroplasts. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033657': { - 'name': 'modification by symbiont of host chloroplast part', - 'def': 'The process in which an organism effects a change in the structure or function of a component of the host cell chloroplast. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033658': { - 'name': 'modification by symbiont of host chloroplast thylakoid', - 'def': 'The process in which an organism effects a change in the structure or function of the host cell chloroplast thylakoid. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033659': { - 'name': 'modification by symbiont of host mitochondrion', - 'def': 'The process in which an organism effects a change in the structure or function of host cell mitochondria. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033660': { - 'name': 'negative regulation by symbiont of host resistance gene-dependent defense response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the resistance gene-dependent defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033661': { - 'name': 'negative regulation by symbiont of defense-related host reactive oxygen species production', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the production of reactive oxygen species as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033662': { - 'name': 'modulation by symbiont of host defense-related protein level', - 'def': 'The alternation by a symbiont of the levels of defense-related proteins in its host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033663': { - 'name': 'negative regulation by symbiont of host defense-related protein level', - 'def': 'Any process in which the symbiont stops or reduces of the levels of defense-related proteins in its host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033664': { - 'name': 'positive regulation by symbiont of host defense-related protein level', - 'def': 'Any process in which the symbiont activates, maintains or increases levels of defense-related proteins in its host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033665': { - 'name': 'obsolete regulation of growth or development of symbiont in host', - 'def': 'OBSOLETE. Any process by which the symbiont regulates the increase in its size or mass, or its progression from an initial condition to a later condition, within the cells or tissues of the host organism. This may (but not necessarily) include a filamentous growth form, and also can include secretion of proteases and lipases to break down. The host is defined as the larger of the organisms involved in the symbiotic interaction. [GOC:dph, GOC:pamgo_curators, GOC:tb]' - }, - 'GO:0033666': { - 'name': 'obsolete positive regulation of growth or development of symbiont in host', - 'def': 'OBSOLETE. Any process by which the symbiont activates, maintains or increases its size or mass or its progression from an initial condition to a later condition, within the cells or tissues of the host organism. The host is defined as the larger of the organisms involved in the symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033667': { - 'name': 'obsolete negative regulation of growth or development of symbiont in host', - 'def': 'OBSOLETE. Any process by which the symbiont stops, prevents or reduces its increase in size or mass or its progression from an initial condition to a later condition, within the cells or tissues of the host organism. The host is defined as the larger of the organisms involved in the symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033668': { - 'name': 'negative regulation by symbiont of host apoptotic process', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of programmed cell death in the host, where programmed cell death proceeds by apoptosis. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0033670': { - 'name': 'regulation of NAD+ kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of NAD kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to an NAD molecule. [GOC:mah]' - }, - 'GO:0033671': { - 'name': 'negative regulation of NAD+ kinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of NAD kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to an NAD molecule. [GOC:mah]' - }, - 'GO:0033672': { - 'name': 'positive regulation of NAD+ kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of NAD kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to an NAD molecule. [GOC:mah]' - }, - 'GO:0033673': { - 'name': 'negative regulation of kinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. [GOC:mah]' - }, - 'GO:0033674': { - 'name': 'positive regulation of kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. [GOC:mah]' - }, - 'GO:0033675': { - 'name': 'pericanalicular vesicle', - 'def': 'A membrane-bounded vesicle found near the apical, or pericanalicular, membrane of a hepatocyte; contains proteins involved in bile salt transport and other fluid and solute transport processes. [PMID:15763347, PMID:9790571]' - }, - 'GO:0033676': { - 'name': 'double-stranded DNA-dependent ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction requires the presence of double-stranded DNA, and it drives another reaction. [GOC:mah]' - }, - 'GO:0033677': { - 'name': 'DNA/RNA helicase activity', - 'def': 'Catalysis of the reaction: NTP + H2O = NDP + phosphate; this reaction drives the unwinding of a DNA/RNA duplex, i.e. a double helix in which a strand of DNA pairs with a complementary strand of RNA. [GOC:mah]' - }, - 'GO:0033678': { - 'name': "5'-3' DNA/RNA helicase activity", - 'def': "Catalysis of the unwinding of a DNA/RNA duplex in the direction 5' to 3'. [GOC:mah]" - }, - 'GO:0033679': { - 'name': "3'-5' DNA/RNA helicase activity", - 'def': "Catalysis of the unwinding of a DNA/RNA duplex in the direction 3' to 5'. [GOC:mah]" - }, - 'GO:0033680': { - 'name': 'ATP-dependent DNA/RNA helicase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction drives the unwinding of a DNA/RNA duplex. [GOC:mah]' - }, - 'GO:0033681': { - 'name': "ATP-dependent 3'-5' DNA/RNA helicase activity", - 'def': "Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction drives the unwinding of a DNA/RNA duplex in the direction 3' to 5'. [GOC:mah]" - }, - 'GO:0033682': { - 'name': "ATP-dependent 5'-3' DNA/RNA helicase activity", - 'def': "Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction drives the unwinding of a DNA/RNA duplex in the direction 5' to 3'. [GOC:mah]" - }, - 'GO:0033683': { - 'name': 'nucleotide-excision repair, DNA incision', - 'def': 'A process that results in the endonucleolytic cleavage of the damaged strand of DNA. The incision occurs at the junction of single-stranded DNA and double-stranded DNA that is formed when the DNA duplex is unwound. [GOC:elh, PMID:8631896]' - }, - 'GO:0033684': { - 'name': 'regulation of luteinizing hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of luteinizing hormone. [GOC:mah]' - }, - 'GO:0033685': { - 'name': 'negative regulation of luteinizing hormone secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of luteinizing hormone. [GOC:mah]' - }, - 'GO:0033686': { - 'name': 'positive regulation of luteinizing hormone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of luteinizing hormone. [GOC:mah]' - }, - 'GO:0033687': { - 'name': 'osteoblast proliferation', - 'def': 'The multiplication or reproduction of osteoblasts, resulting in the expansion of an osteoblast cell population. An osteoblast is a bone-forming cell which secretes an extracellular matrix. Hydroxyapatite crystals are then deposited into the matrix to form bone. [GOC:mah]' - }, - 'GO:0033688': { - 'name': 'regulation of osteoblast proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of osteoblast proliferation. [GOC:mah]' - }, - 'GO:0033689': { - 'name': 'negative regulation of osteoblast proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of osteoblast proliferation. [GOC:mah]' - }, - 'GO:0033690': { - 'name': 'positive regulation of osteoblast proliferation', - 'def': 'Any process that activates or increases the rate or extent of osteoblast proliferation. [GOC:mah]' - }, - 'GO:0033691': { - 'name': 'sialic acid binding', - 'def': 'Interacting selectively and non-covalently with sialic acid, any of a variety of N- or O- substituted derivatives of neuraminic acid, a nine carbon monosaccharide. Sialic acids often occur in polysaccharides, glycoproteins, and glycolipids in animals and bacteria. [CHEBI:26667, GOC:add, http://www.biology-online.org, ISBN:0721601465]' - }, - 'GO:0033692': { - 'name': 'cellular polysaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polysaccharides, polymers of many (typically more than 10) monosaccharide residues linked glycosidically, occurring at the level of an individual cell. [CHEBI:18154, GOC:go_curators]' - }, - 'GO:0033693': { - 'name': 'neurofilament bundle assembly', - 'def': 'The assembly of neurofilaments into bundles, in which the filaments are longitudinally oriented, with numerous crossbridges between them. Neurofilament bundles may be cross-linked to each other, to membrane-bounded organelles or other cytoskeletal structures such as microtubules. [PMID:11034913, PMID:11264295]' - }, - 'GO:0033694': { - 'name': 'oxidoreductase activity, acting on the CH-NH group of donors, iron-sulfur protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH group acts as a hydrogen or electron donor and reduces an iron-sulfur protein. [GOC:jl]' - }, - 'GO:0033695': { - 'name': 'oxidoreductase activity, acting on CH or CH2 groups, quinone or similar compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH2 group acts as a hydrogen or electron donor and reduces a quinone or similar acceptor molecule. [EC:1.17.5, GOC:mah]' - }, - 'GO:0033696': { - 'name': 'negative regulation of extent of heterochromatin assembly', - 'def': 'Any process that reduces the extent of heterochromatin formation; reduces the size of a chromosomal region converted to heterochromatin. [GOC:mah]' - }, - 'GO:0033697': { - 'name': 'positive regulation of extent of heterochromatin assembly', - 'def': 'Any process that increases the extent of heterochromatin formation; increases the size of a chromosomal region converted to heterochromatin. [GOC:mah]' - }, - 'GO:0033698': { - 'name': 'Rpd3L complex', - 'def': 'A histone deacetylase complex which deacetylates histones across gene coding regions. Composed of a catalytic histone deacetylase subunit, an Sds-3 family protein, a SIN3 family co-repressor, a WD repeat protein, and a zf- PHD finger (Clr6, Sds3, Pst1, Prw1, Png2 in Schizosaccharomyces pombe; Rpd3p, Sin3p, Ume1p, Pho23p, Sap30p, Sds3p, Cti6p, Rxt2p, Rxt3p, Dep1p, Ume6p and Ash1p in Saccharomyces cerevisiae). [GOC:vw, PMID:17450151]' - }, - 'GO:0033699': { - 'name': "DNA 5'-adenosine monophosphate hydrolase activity", - 'def': "Catalysis of the reaction: 5'-AMP-DNA + H2O = AMP + DNA; nucleophilic release of a covalently linked adenylate residue from a DNA strand, leaving a 5' phosphate terminus. [GOC:mah, PMID:16547001, PMID:17276982]" - }, - 'GO:0033700': { - 'name': 'phospholipid efflux', - 'def': 'The directed movement of a phospholipid out of a cell or organelle. [GOC:mah]' - }, - 'GO:0033701': { - 'name': 'dTDP-galactose 6-dehydrogenase activity', - 'def': 'Catalysis of the reaction: dTDP-D-galactose + 2 NADP+ + H2O = dTDP-D-galacturonate + 2 NADPH + 2 H+. [EC:1.1.1.186]' - }, - 'GO:0033702': { - 'name': '(+)-trans-carveol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (1R,5S)-carveol + NAD(+) = (S)-carvone + H(+) + NADH. [EC:1.1.1.275, RHEA:14828]' - }, - 'GO:0033703': { - 'name': '3beta-hydroxy-5beta-steroid dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3beta-hydroxy-5beta-pregnane-20-one + NADP(+) = 5beta-pregnan-3,20-dione + H(+) + NADPH. [EC:1.1.1.277, RHEA:22947]' - }, - 'GO:0033704': { - 'name': '3beta-hydroxy-5alpha-steroid dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3beta-hydroxy-5alpha-pregnane-20-one + NADP(+) = 5alpha-pregnane-3,20-dione + H(+) + NADPH. [EC:1.1.1.278, RHEA:18140]' - }, - 'GO:0033705': { - 'name': 'GDP-4-dehydro-6-deoxy-D-mannose reductase activity', - 'def': 'Catalysis of the reaction: GDP-6-deoxy-D-mannose + NAD(P)+ = GDP-4-dehydro-6-deoxy-D-mannose + NAD(P)H + H+. [EC:1.1.1.281]' - }, - 'GO:0033706': { - 'name': 'obsolete quinate/shikimate dehydrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: L-quinate + NAD(P)+ = 3-dehydroquinate + NAD(P)H + H+, and shikimate + NAD(P)+ = 3-dehydroshikimate + NAD(P)H + H+. [EC:1.1.1.282]' - }, - 'GO:0033707': { - 'name': "3''-deamino-3''-oxonicotianamine reductase activity", - 'def': "Catalysis of the reaction: 2'-deoxymugineic acid + NAD(P)+ = 3''-deamino-3''-oxonicotianamine + NAD(P)H + H+. [EC:1.1.1.285]" - }, - 'GO:0033708': { - 'name': 'isocitrate-homoisocitrate dehydrogenase activity', - 'def': 'Catalysis of the reactions: isocitrate + NAD+ = 2-oxoglutarate + CO2 + NADH, and (1R,2S)-1-hydroxybutane-1,2,4-tricarboxylate + NAD+ = 2-oxoadipate + CO2 + NADH + H+. [EC:1.1.1.286]' - }, - 'GO:0033709': { - 'name': 'D-arabinitol dehydrogenase, D-ribulose forming (NADP+) activity', - 'def': 'Catalysis of the reaction: D-arabinitol + NADP+ = D-ribulose + NADPH + H+. [EC:1.1.1.287]' - }, - 'GO:0033711': { - 'name': '4-phosphoerythronate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-phospho-D-erythronate + NAD(+) = (R)-3-hydroxy-2-oxo-4-phosphonooxybutanoate + H(+) + NADH. [EC:1.1.1.290, RHEA:18832]' - }, - 'GO:0033712': { - 'name': '1,5-anhydro-D-fructose reductase (1,5-anhydro-D-mannitol-forming) activity', - 'def': 'Catalysis of the reaction: 1,5-anhydro-D-mannitol + NADP(+) = 1,5-anhydro-D-fructose + H(+) + NADPH. [EC:1.1.1.292, RHEA:24211]' - }, - 'GO:0033713': { - 'name': 'choline:oxygen 1-oxidoreductase activity', - 'def': 'Catalysis of the reaction: choline + O2 = betaine aldehyde + hydrogen peroxide. [EC:1.1.3.17]' - }, - 'GO:0033714': { - 'name': 'secondary-alcohol oxidase activity', - 'def': 'Catalysis of the reaction: O(2) + secondary alcohol = H(2)O(2) + ketone. [EC:1.1.3.18, RHEA:23183]' - }, - 'GO:0033715': { - 'name': 'nucleoside oxidase activity', - 'def': "Catalysis of the reactions: inosine + O2 = 9-riburonosylhypoxanthine + 2 H2O; (1a) 2 inosine + O2 = 2 5'-dehydroinosine + 2 H2O, and (1b) 2 5'-dehydroinosine + O2 = 2 9-riburonosylhypoxanthine + 2 H2O. [EC:1.1.3.28]" - }, - 'GO:0033716': { - 'name': 'nucleoside oxidase (hydrogen peroxide-forming) activity', - 'def': "Catalysis of the reactions: adenosine + 2 O2 = 9-riburonosyladenine + 2 hydrogen peroxide; (1a) adenosine + O2 = 5'-dehydroadenosine + hydrogen peroxide, and (1b) 5'-dehydroadenosine + O2 = 9-riburonosyladenine + hydrogen peroxide. [EC:1.1.3.39]" - }, - 'GO:0033717': { - 'name': 'gluconate 2-dehydrogenase (acceptor) activity', - 'def': 'Catalysis of the reaction: D-gluconate + acceptor = 2-dehydro-D-gluconate + reduced acceptor. [EC:1.1.99.3]' - }, - 'GO:0033718': { - 'name': 'pyranose dehydrogenase (acceptor) activity', - 'def': 'Catalysis of the reactions: pyranose + acceptor = 2-dehydropyranose (or 3-dehydropyranose or 2,3-didehydropyranose) + reduced acceptor, and a pyranoside + acceptor = a 3-dehydropyranoside (or 3,4-didehydropyranoside) + reduced acceptor. [EC:1.1.99.29]' - }, - 'GO:0033719': { - 'name': '2-oxo-acid reductase activity', - 'def': 'Catalysis of the reaction: a (2R)-hydroxy-carboxylate + acceptor = a 2-oxo-carboxylate + reduced acceptor. [EC:1.1.99.30]' - }, - 'GO:0033720': { - 'name': '(S)-mandelate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-2-hydroxy-2-phenylacetate + acceptor = 2-oxo-2-phenylacetate + reduced acceptor. [EC:1.1.99.31]' - }, - 'GO:0033721': { - 'name': 'aldehyde dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: an aldehyde + NADP+ + H2O = an acid + NADPH + H+. [EC:1.2.1.4]' - }, - 'GO:0033722': { - 'name': 'malonate-semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-oxopropanoate + NAD(P)+ + H2O = malonate + NAD(P)H + H+. [EC:1.2.1.15]' - }, - 'GO:0033723': { - 'name': 'fluoroacetaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: fluoroacetaldehyde + NAD+ + H2O = fluoroacetate + NADH + 2 H+. [EC:1.2.1.69]' - }, - 'GO:0033726': { - 'name': 'aldehyde ferredoxin oxidoreductase activity', - 'def': 'Catalysis of the reaction: an aldehyde + H2O + 2 oxidized ferredoxin = an acid + 2 H+ + 2 reduced ferredoxin. [EC:1.2.7.5]' - }, - 'GO:0033727': { - 'name': 'aldehyde dehydrogenase (FAD-independent) activity', - 'def': 'Catalysis of the reaction: an aldehyde + H2O + acceptor = a carboxylate + reduced acceptor. [EC:1.2.99.7]' - }, - 'GO:0033728': { - 'name': 'divinyl chlorophyllide a 8-vinyl-reductase activity', - 'def': 'Catalysis of the reaction: chlorophyllide a + NADP+ = divinyl chlorophyllide a + NADPH + H+. [EC:1.3.1.75]' - }, - 'GO:0033729': { - 'name': 'anthocyanidin reductase activity', - 'def': 'Catalysis of the reaction: a flavan-3-ol + 2 NAD(P)+ = an anthocyanidin + 2 NAD(P)H + H+. [EC:1.3.1.77]' - }, - 'GO:0033730': { - 'name': 'arogenate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: L-arogenate + NADP+ = L-tyrosine + NADPH + CO2. [EC:1.3.1.78]' - }, - 'GO:0033731': { - 'name': 'arogenate dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: L-arogenate + NAD(P)+ = L-tyrosine + NAD(P)H + CO2. [EC:1.3.1.79]' - }, - 'GO:0033732': { - 'name': 'pyrroloquinoline-quinone synthase activity', - 'def': 'Catalysis of the reaction: 6-(2-amino-2-carboxyethyl)-7,8-dioxo-1,2,3,4,7,8-hexahydroquinoline-2,4-dicarboxylate + 3 O(2) = 2 H(2)O + 2 H(2)O(2) + H(+) + pyrroloquinoline quinone. [EC:1.3.3.11, RHEA:10695]' - }, - 'GO:0033734': { - 'name': '(R)-benzylsuccinyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-2-benzylsuccinyl-CoA + 2 electron-transferring flavoprotein = (E)-2-benzylidenesuccinyl-CoA + 2 reduced electron-transferring flavoprotein. [EC:1.3.99.21]' - }, - 'GO:0033735': { - 'name': 'aspartate dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-aspartate + H2O + NAD(P)+ = oxaloacetate + NH3 + NAD(P)H + H+. [EC:1.4.1.21]' - }, - 'GO:0033736': { - 'name': 'L-lysine 6-oxidase activity', - 'def': 'Catalysis of the reaction: L-lysine + H(2)O + O(2) = allysine + H(2)O(2) + NH(4)(+). [EC:1.4.3.20, RHEA:22551]' - }, - 'GO:0033737': { - 'name': '1-pyrroline dehydrogenase activity', - 'def': 'Catalysis of the reaction: 1-pyrroline + NAD+ + 2 H2O = 4-aminobutanoate + NADH + 2 H+. [MetaCyc:1.5.1.35-RXN]' - }, - 'GO:0033738': { - 'name': 'methylenetetrahydrofolate reductase (ferredoxin) activity', - 'def': 'Catalysis of the reaction: 5-methyltetrahydrofolate + oxidized ferredoxin = 5,10-methylenetetrahydrofolate + reduced ferredoxin. [EC:1.5.7.1]' - }, - 'GO:0033739': { - 'name': 'preQ1 synthase activity', - 'def': 'Catalysis of the reaction: 7-aminomethyl-7-deazaguanine + 2 NADP(+) = 7-cyano-7-deazaguanine + 3 H(+) + 2 NADPH. [EC:1.7.1.13, RHEA:13412]' - }, - 'GO:0033740': { - 'name': 'hydroxylamine oxidoreductase activity', - 'def': 'Catalysis of the reactions: hydroxylamine + NH3 = hydrazine + H2O, and hydrazine + acceptor = N2 + reduced acceptor. [EC:1.7.99.8]' - }, - 'GO:0033741': { - 'name': 'adenylyl-sulfate reductase (glutathione) activity', - 'def': "Catalysis of the reaction: AMP + glutathione disulfide + H(+) + sulfite = 5'-adenylyl sulfate + 2 glutathione. [EC:1.8.4.9, RHEA:14144]" - }, - 'GO:0033743': { - 'name': 'peptide-methionine (R)-S-oxide reductase activity', - 'def': 'Catalysis of the reaction: peptide-L-methionine + H(2)O + thioredoxin disulfide = peptide-L-methionine (R)-S-oxide + thioredoxin. Can act on oxidized methionine in peptide linkage with specificity for the R enantiomer. Thioredoxin disulfide is the oxidized form of thioredoxin. [EC:1.8.4.12, GOC:mah, GOC:vw, RHEA:24167]' - }, - 'GO:0033744': { - 'name': 'L-methionine:thioredoxin-disulfide S-oxidoreductase activity', - 'def': 'Catalysis of the reaction: L-methionine + thioredoxin disulfide + H2O = L-methionine (S)-S-oxide + thioredoxin. [EC:1.8.4.13]' - }, - 'GO:0033745': { - 'name': 'L-methionine-(R)-S-oxide reductase activity', - 'def': 'Catalysis of the reaction: L-methionine + thioredoxin disulfide + H2O = L-methionine (R)-S-oxide + thioredoxin. [EC:1.8.4.14]' - }, - 'GO:0033746': { - 'name': 'histone demethylase activity (H3-R2 specific)', - 'def': 'Catalysis of the removal of a methyl group from arginine at position 2 of the histone H3 protein. [GOC:mah]' - }, - 'GO:0033747': { - 'name': 'obsolete versatile peroxidase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: Reactive Black 5 + hydrogen peroxide = oxidized Reactive Black 5 + 2 H2O, and donor + hydrogen peroxide = oxidized donor + 2 H2O. [EC:1.11.1.16]' - }, - 'GO:0033748': { - 'name': 'hydrogenase (acceptor) activity', - 'def': 'Catalysis of the reaction: H2 + A = AH2. [EC:1.12.99.6]' - }, - 'GO:0033749': { - 'name': 'histone demethylase activity (H4-R3 specific)', - 'def': 'Catalysis of the removal of a methyl group from arginine at position 3 of the histone H4 protein. [GOC:mah]' - }, - 'GO:0033750': { - 'name': 'ribosome localization', - 'def': 'A process in which a ribosome is transported to, and/or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0033751': { - 'name': 'linoleate diol synthase activity', - 'def': 'Catalysis of the reaction: linoleate + O2 = (9Z,12Z)-(7S,8S)-dihydroxyoctadeca-9,12-dienoate. [EC:1.13.11.44]' - }, - 'GO:0033752': { - 'name': 'acetylacetone-cleaving enzyme activity', - 'def': 'Catalysis of the reaction: pentane-2,4-dione + O2 = acetate + 2-oxopropanal. [EC:1.13.11.50]' - }, - 'GO:0033753': { - 'name': 'establishment of ribosome localization', - 'def': 'The directed movement of the ribosome to a specific location. [GOC:mah]' - }, - 'GO:0033754': { - 'name': 'indoleamine 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: tryptophan + O2 = N-formylkynurenine. The product of the reaction depends on the substrate; D-tryptophan produces N-formyl-D-kynurenine, and L-tryptophan produces N-formyl-L-kynurenine. [EC:1.13.11.52]' - }, - 'GO:0033755': { - 'name': 'sulfur oxygenase/reductase activity', - 'def': 'Catalysis of the reaction: 4 sulfur + 4 H2O + O2 = 2 hydrogen sulfide + 2 bisulfite + 2 H+. [EC:1.13.11.55]' - }, - 'GO:0033756': { - 'name': 'Oplophorus-luciferin 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: Oplophorus luciferin + O2 = oxidized Oplophorus luciferin + CO2 + hnu. [EC:1.13.12.13]' - }, - 'GO:0033757': { - 'name': 'glucoside 3-dehydrogenase activity', - 'def': 'Catalysis of the reaction: sucrose + acceptor = 3-dehydro-alpha-D-glucosyl-beta-D-fructofuranoside + reduced acceptor. [EC:1.1.99.13]' - }, - 'GO:0033758': { - 'name': 'clavaminate synthase activity', - 'def': 'Catalysis of the reactions: deoxyamidinoproclavaminate + 2-oxoglutarate + O2 = amidinoproclavaminate + succinate + CO2 + H2O; proclavaminate + 2-oxoglutarate + O2 = dihydroclavaminate + succinate + CO2 + 2 H2O; and dihydroclavaminate + 2-oxoglutarate + O2 = clavaminate + succinate + CO2 + 2 H2O. [EC:1.14.11.21]' - }, - 'GO:0033759': { - 'name': 'flavone synthase activity', - 'def': 'Catalysis of the reaction: a flavanone + 2-oxoglutarate + O2 = a flavone + succinate + CO2 + H2O. [EC:1.14.11.22]' - }, - 'GO:0033760': { - 'name': "2'-deoxymugineic-acid 2'-dioxygenase activity", - 'def': "Catalysis of the reaction: 2'-deoxymugineate + 2-oxoglutarate + O(2) = CO(2) + H(+) + mugineate + succinate. [EC:1.14.11.24, RHEA:12203]" - }, - 'GO:0033761': { - 'name': 'mugineic-acid 3-dioxygenase activity', - 'def': 'Catalysis of the reactions: mugineic acid + 2-oxoglutarate + O2 = 3-epihydroxymugineic acid + succinate + CO2. [EC:1.14.11.25]' - }, - 'GO:0033762': { - 'name': 'response to glucagon', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glucagon stimulus. [GOC:sl]' - }, - 'GO:0033763': { - 'name': 'proline 3-hydroxylase activity', - 'def': 'Catalysis of the reaction: L-proline + 2-oxoglutarate + O2 = cis-3-hydroxy-L-proline + succinate + CO2. [EC:1.14.11.28]' - }, - 'GO:0033764': { - 'name': 'steroid dehydrogenase activity, acting on the CH-OH group of donors, NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-OH group acts as a hydrogen or electron donor and reduces NAD+ or NADP, and in which one substrate is a sterol derivative. [GOC:mah]' - }, - 'GO:0033765': { - 'name': 'steroid dehydrogenase activity, acting on the CH-CH group of donors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-CH group acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor, and in which one substrate is a sterol derivative. [GOC:mah]' - }, - 'GO:0033766': { - 'name': '2-hydroxyquinoline 8-monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADH + O(2) + quinolin-2-ol = H(2)O + NAD(+) + quinoline-2,8-diol. [EC:1.14.13.61, RHEA:22083]' - }, - 'GO:0033767': { - 'name': '4-hydroxyacetophenone monooxygenase activity', - 'def': "Catalysis of the reaction: 4'-hydroxyacetophenone + H(+) + NADPH + O(2) = 4-hydroxyphenyl acetate + H(2)O + NADP(+). [EC:1.14.13.84, RHEA:22919]" - }, - 'GO:0033768': { - 'name': 'SUMO-targeted ubiquitin ligase complex', - 'def': 'A nuclear ubiquitin ligase complex that specifically targets SUMOylated proteins; the complex is formed of homodimers or heterodimers of RNF4 family ubiquitin ligases and is conserved in eukaryotes. [GOC:vw, PMID:17762864, PMID:17762865]' - }, - 'GO:0033769': { - 'name': 'glyceollin synthase activity', - 'def': 'Catalysis of the reactions: 2-dimethylallyl-(6aS,11aS)-3,6a,9-trihydroxypterocarpan + NADPH + H+ + O2 = glyceollin + NADP+ + 2 H2O, and 4-dimethylallyl-(6aS,11aS)-3,6a,9-trihydroxypterocarpan + NADPH + H+ + O2 = glyceollin + NADP+ + 2 H2O. [EC:1.14.13.85]' - }, - 'GO:0033770': { - 'name': '2-hydroxyisoflavanone synthase activity', - 'def': 'Catalysis of the reaction: apigenin + 2 NADPH + 2 H+ + O2 = 2-hydroxy-2,3-dihydrogenistein + 2 NADP+ + H2O. [EC:1.14.13.86]' - }, - 'GO:0033771': { - 'name': 'licodione synthase activity', - 'def': 'Catalysis of the reaction: H(+) + liquiritigenin + NADPH + O(2) = H(2)O + licodione + NADP(+). [EC:1.14.13.87, RHEA:15700]' - }, - 'GO:0033772': { - 'name': "flavonoid 3',5'-hydroxylase activity", - 'def': "Catalysis of the reactions: a flavanone + NADPH + H+ + O2 = a 3'-hydroxyflavanone + NADP+ + H2O, and a 3'-hydroxyflavanone + NADPH + H+ + O2 = a 3',5'-dihydroxyflavanone + NADP+ + H2O. [EC:1.14.13.88]" - }, - 'GO:0033773': { - 'name': "isoflavone 2'-hydroxylase activity", - 'def': "Catalysis of the reaction: an isoflavone + NADPH + H+ + O2 = a 2'-hydroxyisoflavone + NADP+ + H2O. [EC:1.14.13.89]" - }, - 'GO:0033774': { - 'name': 'basal labyrinth', - 'def': 'A region in the lower half of some cells formed from extensive infoldings of the basal plasma membrane; includes cytoplasm adjacent to the infolded membrane. [GOC:mah, GOC:sart, PMID:11640882]' - }, - 'GO:0033775': { - 'name': 'deoxysarpagine hydroxylase activity', - 'def': 'Catalysis of the reaction: 10-deoxysarpagine + H(+) + NADPH + O(2) = H(2)O + NADP(+) + sarpagine. [EC:1.14.13.91, RHEA:14240]' - }, - 'GO:0033776': { - 'name': 'phenylacetone monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + phenylacetone = benzyl acetate + H(2)O + NADP(+). [EC:1.14.13.92, RHEA:10127]' - }, - 'GO:0033777': { - 'name': 'lithocholate 6beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: H(+) + lithocholate + NADPH + O(2) = 6-beta-hydroxylithocholate + H(2)O + NADP(+). [EC:1.14.13.94, RHEA:18860]' - }, - 'GO:0033778': { - 'name': '7alpha-hydroxycholest-4-en-3-one 12alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: 7alpha-hydroxycholest-4-en-3-one + H(+) + NADPH + O(2) = 7alpha,12alpha-dihydroxycholest-4-en-3-one + H(2)O + NADP(+). [EC:1.14.13.95, RHEA:10507]' - }, - 'GO:0033779': { - 'name': '5beta-cholestane-3alpha,7alpha-diol 12alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: 5beta-cholestane-3alpha,7alpha-diol + H(+) + NADPH + O(2) = 5beta-cholestane-3alpha,7alpha,12alpha-triol + H(2)O + NADP(+). [EC:1.14.13.96, RHEA:15264]' - }, - 'GO:0033780': { - 'name': 'taurochenodeoxycholate 6alpha-hydroxylase activity', - 'def': 'Catalysis of the reactions: taurochenodeoxycholate + NADPH + H+ + O2 = taurohyocholate + NADP+ + H2O, and lithocholate + NADPH + H+ + O2 = hyodeoxycholate + NADP+ + H2O. [EC:1.14.13.97]' - }, - 'GO:0033781': { - 'name': 'cholesterol 24-hydroxylase activity', - 'def': 'Catalysis of the reaction: cholesterol + H(+) + NADPH + O(2) = (24S)-24-hydroxycholesterol + H(2)O + NADP(+). [EC:1.14.13.98, RHEA:22719]' - }, - 'GO:0033782': { - 'name': '24-hydroxycholesterol 7alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: (24R)-cholest-5-ene-3beta,24-diol + H(+) + NADPH + O(2) = (24R)-7alpha,24-dihydroxycholesterol + H(2)O + NADP(+). [EC:1.14.13.99, RHEA:16096]' - }, - 'GO:0033783': { - 'name': '25-hydroxycholesterol 7alpha-hydroxylase activity', - 'def': 'Catalysis of the reactions: cholest-5-ene-3beta,25-diol + NADPH + H+ + O2 = cholest-5-ene-3beta,7alpha,25-triol + NADP+ + H2O, and cholest-5-ene-3beta,27-diol + NADPH + H+ + O2 = cholest-5-ene-3beta,7alpha,27-triol + NADP+ + H2O. [EC:1.14.13.100]' - }, - 'GO:0033784': { - 'name': 'senecionine N-oxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + senecionine = H(2)O + NADP(+) + senecionine N-oxide. [EC:1.14.13.101, RHEA:11423]' - }, - 'GO:0033785': { - 'name': 'heptose 7-phosphate kinase activity', - 'def': 'Catalysis of the reaction: D-alpha,beta-D-heptose-7-phosphate + ATP = D-beta-D-heptose-1,7-bisphosphate + ADP. [MetaCyc:RXN0-4341]' - }, - 'GO:0033786': { - 'name': 'heptose-1-phosphate adenylyltransferase activity', - 'def': 'Catalysis of the reaction: D-beta-D-heptose-1-phosphate + ATP = ADP-D-glycero-D-manno-heptose. [MetaCyc:RXN0-4342]' - }, - 'GO:0033787': { - 'name': 'cyanocobalamin reductase (cyanide-eliminating) activity', - 'def': 'Catalysis of the reaction: cob(I)alamin + hydrogen cyanide + NADP(+) = cyanocob(III)alamin + H(+) + NADPH. [EC:1.16.1.6, RHEA:16116]' - }, - 'GO:0033788': { - 'name': 'leucoanthocyanidin reductase activity', - 'def': 'Catalysis of the reaction: (2R,3S)-catechin + NADP+ + H2O = 2,3-trans-3,4-cis-leucocyanidin + NADPH + H+. [EC:1.17.1.3]' - }, - 'GO:0033789': { - 'name': 'phenylacetyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2 1,4-benzoquinone + H(2)O + phenylacetyl-CoA = 2 hydroquinone + phenylglyoxylyl-CoA. [EC:1.17.5.1, RHEA:15708]' - }, - 'GO:0033790': { - 'name': 'hydroxymethylfurfural reductase activity', - 'def': 'Catalysis of the reaction: 5-hydroxymethylfurfural + NAD(P)H + H+ = 2,5-bis-hydroxymethylfuran + NAD(P)+. [GOC:jp, GOC:mah, PMID:15338422, PMID:16652391]' - }, - 'GO:0033791': { - 'name': '3alpha,7alpha,12alpha-trihydroxy-5beta-cholestanoyl-CoA 24-hydroxylase activity', - 'def': 'Catalysis of the reaction: (25R)-3alpha,7alpha,12alpha-trihydroxy-5beta-cholestan-26-oyl-CoA + H2O + acceptor = (24R,25R)-3alpha,7alpha,12alpha,24-tetrahydroxy-5beta-cholestan-26-oyl-CoA + reduced acceptor. [EC:1.17.99.3]' - }, - 'GO:0033792': { - 'name': 'bile-acid 7alpha-dehydroxylase activity', - 'def': 'Catalysis of the reactions: deoxycholate + FAD + H2O = cholate + FADH2, and lithocholate + FAD + H2O = chenodeoxycholate + FADH2. [EC:1.17.99.5]' - }, - 'GO:0033793': { - 'name': 'aureusidin synthase activity', - 'def': "Catalysis of the reactions: 2',4,4',6'-tetrahydroxychalcone + O2 = aureusidin + H2O, and 2',3,4,4',6'-pentahydroxychalcone + 1/2 O2 = aureusidin + H2O. [EC:1.21.3.6]" - }, - 'GO:0033794': { - 'name': 'sarcosine reductase activity', - 'def': 'Catalysis of the reaction: acetyl phosphate + methylamine + thioredoxin disulfide = N-methylglycine + phosphate + thioredoxin. [EC:1.21.4.3]' - }, - 'GO:0033795': { - 'name': 'betaine reductase activity', - 'def': 'Catalysis of the reaction: acetyl phosphate + trimethylamine + thioredoxin disulfide = N,N,N-trimethylglycine + phosphate + thioredoxin. [EC:1.21.4.4]' - }, - 'GO:0033796': { - 'name': 'sulfur reductase activity', - 'def': 'Catalysis of the reduction of elemental sulfur or polysulfide to hydrogen sulfide. [EC:1.97.1.3]' - }, - 'GO:0033797': { - 'name': 'selenate reductase activity', - 'def': 'Catalysis of the reaction: 2 e(-) + 2 H(+) + selenate = H(2)O + selenite. [EC:1.97.1.9, RHEA:14031]' - }, - 'GO:0033798': { - 'name': 'thyroxine 5-deiodinase activity', - 'def': "Catalysis of the reaction: 3,3',5'-triiodo-L-thyronine + iodide + A + H+ = L-thyroxine + AH2. [EC:1.97.1.11]" - }, - 'GO:0033799': { - 'name': "myricetin 3'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + myricetin = S-adenosyl-L-homocysteine + laricitrin. [MetaCyc:RXN-8451]' - }, - 'GO:0033800': { - 'name': 'isoflavone 7-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + a 7-hydroxyisoflavone = S-adenosyl-L-homocysteine + a 7-methoxyisoflavone. [EC:2.1.1.150]' - }, - 'GO:0033801': { - 'name': "vitexin 2''-O-rhamnoside 7-O-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + vitexin 2''-O-beta-L-rhamnoside = S-adenosyl-L-homocysteine + 7-O-methylvitexin 2''-O-beta-L-rhamnoside. [EC:2.1.1.153]" - }, - 'GO:0033802': { - 'name': "isoliquiritigenin 2'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + isoliquiritigenin = 2'-O-methylisoliquiritigenin + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.154, RHEA:21611]" - }, - 'GO:0033803': { - 'name': "kaempferol 4'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + kaempferol = S-adenosyl-L-homocysteine + H(+) + kaempferide. [EC:2.1.1.155, RHEA:15108]' - }, - 'GO:0033804': { - 'name': 'obsolete glycine/sarcosine N-methyltransferase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: S-adenosyl-L-methionine + glycine = S-adenosyl-L-homocysteine + sarcosine, and S-adenosyl-L-methionine + sarcosine = S-adenosyl-L-homocysteine + N,N-dimethylglycine. [EC:2.1.1.156]' - }, - 'GO:0033805': { - 'name': 'obsolete sarcosine/dimethylglycine N-methyltransferase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: S-adenosyl-L-methionine + sarcosine = S-adenosyl-L-homocysteine + N,N-dimethylglycine, and S-adenosyl-L-methionine + N,N-dimethylglycine = S-adenosyl-L-homocysteine + betaine. [EC:2.1.1.157]' - }, - 'GO:0033806': { - 'name': 'fluorothreonine transaldolase activity', - 'def': 'Catalysis of the reaction: L-threonine + fluoroacetaldehyde = acetaldehyde + 4-fluoro-L-threonine. [EC:2.2.1.8]' - }, - 'GO:0033807': { - 'name': 'icosanoyl-CoA synthase activity', - 'def': 'Catalysis of the reaction: stearoyl-CoA + malonyl-CoA + 2 NAD(P)H + 2 H+ = icosanoyl-CoA + CO2 + 2 NAD(P)+. [EC:2.3.1.119]' - }, - 'GO:0033808': { - 'name': "6'-deoxychalcone synthase activity", - 'def': 'Catalysis of the reaction: 3 malonyl-CoA + 4-coumaroyl-CoA + NADPH + H+ = 4 CoA + isoliquiritigenin + 3 CO2 + NADP+ + H2O. [EC:2.3.1.170]' - }, - 'GO:0033809': { - 'name': "anthocyanin 6''-O-malonyltransferase activity", - 'def': 'Catalysis of the reaction: malonyl-CoA + an anthocyanidin 3-O-beta-D-glucoside = CoA + an anthocyanidin 3-O-(6-O-malonyl-beta-D-glucoside). [EC:2.3.1.171]' - }, - 'GO:0033810': { - 'name': "anthocyanin 5-O-glucoside 6'''-O-malonyltransferase activity", - 'def': "Catalysis of the reaction: malonyl-CoA + pelargonidin 3-O-(6-caffeoyl-beta-D-glucoside) 5-O-beta-D-glucoside = CoA + 4'''-demalonylsalvianin. [EC:2.3.1.172]" - }, - 'GO:0033811': { - 'name': 'flavonol-3-O-triglucoside O-coumaroyltransferase activity', - 'def': 'Catalysis of the reaction: 4-coumaroyl-CoA + a flavonol 3-O-[beta-D-glucosyl-(1->2)-beta-D-glucosyl-(1->2)-beta-D-glucoside] = CoA + a flavonol 3-O-[6-(4-coumaroyl)-beta-D-glucosyl-(1->2)-beta-D-glucosyl-(1->2)-beta-D-glucoside]. [EC:2.3.1.173]' - }, - 'GO:0033812': { - 'name': '3-oxoadipyl-CoA thiolase activity', - 'def': 'Catalysis of the reaction: succinyl-CoA + acetyl-CoA = CoA + 3-oxoadipyl-CoA. [EC:2.3.1.174]' - }, - 'GO:0033813': { - 'name': 'deacetylcephalosporin-C acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + deacetylcephalosporin C = cephalosporin C + CoA. [EC:2.3.1.175, RHEA:23863]' - }, - 'GO:0033814': { - 'name': 'propanoyl-CoA C-acyltransferase activity', - 'def': 'Catalysis of the reaction: 3alpha,7alpha,12alpha-trihydroxy-5beta-cholanoyl-CoA + propanoyl-CoA = CoA + 3alpha,7alpha,12alpha-trihydroxy-24-oxo-5beta-cholestanoyl-CoA. [EC:2.3.1.176]' - }, - 'GO:0033815': { - 'name': 'biphenyl synthase activity', - 'def': 'Catalysis of the reaction: 3 malonyl-CoA + benzoyl-CoA = 4 CoA + 3,5-dihydroxybiphenyl + 4 CO2. [EC:2.3.1.177]' - }, - 'GO:0033816': { - 'name': 'diaminobutyrate acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-2,4-diaminobutyrate + acetyl-CoA = N(4)-acetyl-L-2,4-diaminobutyrate + CoA + H(+). [EC:2.3.1.178, RHEA:16904]' - }, - 'GO:0033817': { - 'name': 'beta-ketoacyl-acyl-carrier-protein synthase II activity', - 'def': 'Catalysis of the reaction: (Z)-hexadec-11-enoyl-[acyl-carrier protein] + malonyl-[acyl-carrier protein] = (Z)-3-oxooctadec-13-enoyl-[acyl-carrier protein] + CO2 + [acyl-carrier protein]. [EC:2.3.1.179]' - }, - 'GO:0033818': { - 'name': 'beta-ketoacyl-acyl-carrier-protein synthase III activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + malonyl-[acyl-carrier protein] = acetoacyl-[acyl-carrier protein] + CoA + CO2. [EC:2.3.1.180]' - }, - 'GO:0033819': { - 'name': 'lipoyl(octanoyl) transferase activity', - 'def': 'Catalysis of the reaction: octanoyl-[acyl-carrier protein] + protein = protein N6-(octanoyl)lysine + acyl-carrier protein. [EC:2.3.1.181]' - }, - 'GO:0033820': { - 'name': 'DNA alpha-glucosyltransferase activity', - 'def': 'Catalysis of the transfer of an alpha-D-glucosyl residue from UDP-glucose to a hydroxymethylcytosine residue in DNA. [EC:2.4.1.26]' - }, - 'GO:0033821': { - 'name': 'DNA beta-glucosyltransferase activity', - 'def': 'Catalysis of the transfer of a beta-D-glucosyl residue from UDP-glucose to a hydroxymethylcytosine residue in DNA. [EC:2.4.1.27]' - }, - 'GO:0033822': { - 'name': 'glucosyl-DNA beta-glucosyltransferase activity', - 'def': 'Catalysis of the transfer of a beta-D-glucosyl residue from UDP-glucose to a glucosylhydroxymethylcytosine residue in DNA. [EC:2.4.1.28]' - }, - 'GO:0033823': { - 'name': 'procollagen glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + 5-(D-galactosyloxy)-L-lysine-procollagen = UDP + 1,2-D-glucosyl-5-D-(galactosyloxy)-L-lysine-procollagen. [EC:2.4.1.66]' - }, - 'GO:0033824': { - 'name': 'alternansucrase activity', - 'def': 'Catalysis of the transfer of an alpha-D-glucosyl residue from sucrose to alternately the 6-position and the 3-position of the non-reducing terminal residue of an alpha-D-glucan, thus producing a glucan having alternating alpha-1,6- and alpha-1,3-linkages. [EC:2.4.1.140]' - }, - 'GO:0033825': { - 'name': 'oligosaccharide 4-alpha-D-glucosyltransferase activity', - 'def': 'Catalysis of the transfer of the non-reducing terminal alpha-D-glucose residue from a 1,4-alpha-D-glucan to the 4-position of an alpha-D-glucan, thus bringing about the hydrolysis of oligosaccharides. [EC:2.4.1.161]' - }, - 'GO:0033826': { - 'name': 'xyloglucan 4-glucosyltransferase activity', - 'def': 'Catalysis of the transfer of a beta-D-glucosyl residue from UDP-glucose on to a glucose residue in xyloglucan, forming a beta-1,4-D-glucosyl-D-glucose linkage. [EC:2.4.1.168]' - }, - 'GO:0033827': { - 'name': 'high-mannose-oligosaccharide beta-1,4-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the transfer of an N-acetyl-D-glucosamine residue from UDP-N-acetyl-D-glucosamine to the 4-position of a mannose linked alpha-1,6 to the core mannose of high-mannose oligosaccharides produced by Dictyostelium discoideum. [EC:2.4.1.197]' - }, - 'GO:0033828': { - 'name': 'glucosylglycerol-phosphate synthase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + ADP-glucose = 2-O-(beta-D-glucosyl)-sn-glycerol 3-phosphate + ADP + H(+). [EC:2.4.1.213, RHEA:12884]' - }, - 'GO:0033829': { - 'name': 'O-fucosylpeptide 3-beta-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the transfer of a beta-D-GlcNAc residue from UDP-D-GlcNAc to the fucose residue of a fucosylated protein acceptor. [EC:2.4.1.222]' - }, - 'GO:0033830': { - 'name': 'Skp1-protein-hydroxyproline N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetylglucosamine + Skp1-protein-hydroxyproline = UDP + Skp1-protein-O-(N-acetyl-D-glucosaminyl)hydroxyproline. [EC:2.4.1.229]' - }, - 'GO:0033831': { - 'name': 'kojibiose phosphorylase activity', - 'def': 'Catalysis of the reaction: kojibiose + phosphate = beta-D-glucose 1-phosphate + D-glucose. [EC:2.4.1.230, RHEA:11179]' - }, - 'GO:0033832': { - 'name': 'alpha,alpha-trehalose phosphorylase (configuration-retaining) activity', - 'def': 'Catalysis of the reaction: alpha,alpha-trehalose + phosphate = alpha-D-glucose + alpha-D-glucose 1-phosphate. [EC:2.4.1.231]' - }, - 'GO:0033833': { - 'name': 'hydroxymethylfurfural reductase (NADH) activity', - 'def': 'Catalysis of the reaction: 5-hydroxymethylfurfural + NADH + H+ = 2,5-bis-hydroxymethylfuran + NAD+. [GOC:jp, GOC:mah, PMID:15338422, PMID:16652391]' - }, - 'GO:0033834': { - 'name': 'kaempferol 3-O-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + kaempferol = UDP + kaempferol 3-O-beta-D-galactoside. [EC:2.4.1.234]' - }, - 'GO:0033835': { - 'name': "flavanone 7-O-glucoside 2''-O-beta-L-rhamnosyltransferase activity", - 'def': 'Catalysis of the reaction: UDP-L-rhamnose + a flavanone 7-O-glucoside = UDP + a flavanone 7-O-[beta-L-rhamnosyl-(1->2)-beta-D-glucoside]. [EC:2.4.1.236]' - }, - 'GO:0033836': { - 'name': 'flavonol 7-O-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a flavonol = UDP + a flavonol 7-O-beta-D-glucoside. [EC:2.4.1.237]' - }, - 'GO:0033837': { - 'name': "anthocyanin 3'-O-beta-glucosyltransferase activity", - 'def': "Catalysis of the reaction: UDP-glucose + an anthocyanin = UDP + an anthocyanin 3'-O-beta-D-glucoside. [EC:2.4.1.238]" - }, - 'GO:0033838': { - 'name': 'flavonol-3-O-glucoside glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a flavonol 3-O-beta-D-glucoside = UDP + a flavonol 3-O-beta-D-glucosyl-(1->2)-beta-D-glucoside. [EC:2.4.1.239]' - }, - 'GO:0033839': { - 'name': 'flavonol-3-O-glycoside glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a flavonol 3-O-beta-D-glucosyl-(1->2)-beta-D-glucoside = UDP + a flavonol 3-O-beta-D-glucosyl-(1->2)-beta-D-glucosyl-(1->2)-beta-D-glucoside. [EC:2.4.1.240]' - }, - 'GO:0033840': { - 'name': 'NDP-glucose-starch glucosyltransferase activity', - 'def': 'Catalysis of the reaction: NDP-glucose + (1,4-alpha-D-glucosyl)n = NDP + (1,4-alpha-D-glucosyl)n+1. [EC:2.4.1.242]' - }, - 'GO:0033841': { - 'name': '6G-fructosyltransferase activity', - 'def': 'Catalysis of the reaction: [1-beta-D-fructofuranosyl-(2->1)-]m+1 alpha-D-glucopyranoside + [1-beta-D-fructofuranosyl-(2->1)-]n+1 alpha-D-glucopyranoside = [1-beta-D-fructofuranosyl-(2->1)-]m alpha-D-glucopyranoside + [1-beta-D-fructofuranosyl-(2->1)-]n+1 beta-D-fructofuranosyl-(2->6)-alpha-D-glucopyranoside (m > 0; n >= 0). [EC:2.4.1.243]' - }, - 'GO:0033842': { - 'name': 'N-acetyl-beta-glucosaminyl-glycoprotein 4-beta-N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-galactosamine + N-acetyl-beta-D-glucosaminyl group = UDP + N-acetyl-beta-D-galactosaminyl-(1->4)-N-acetyl-beta-D-glucosaminyl group. [EC:2.4.1.244]' - }, - 'GO:0033843': { - 'name': 'xyloglucan 6-xylosyltransferase activity', - 'def': 'Catalysis of the transfer of an alpha-D-xylosyl residue from UDP-D-xylose to a glucose residue in xyloglucan, forming an alpha-1,6-D-xylosyl-D-glucose linkage. [EC:2.4.2.39]' - }, - 'GO:0033844': { - 'name': 'galactose-6-sulfurylase activity', - 'def': 'Catalysis of the elimination of sulfate from the D-galactose 6-sulfate residues of porphyran, producing 3,6-anhydrogalactose residues. [EC:2.5.1.5]' - }, - 'GO:0033845': { - 'name': 'hydroxymethylfurfural reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: 5-hydroxymethylfurfural + NADPH + H+ = 2,5-bis-hydroxymethylfuran + NADP+. [GOC:jp, GOC:mah, PMID:15338422, PMID:16652391]' - }, - 'GO:0033846': { - 'name': 'adenosyl-fluoride synthase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + fluoride = 5'-deoxy-5'-fluoroadenosine + L-methionine. [EC:2.5.1.63]" - }, - 'GO:0033847': { - 'name': 'O-phosphoserine sulfhydrylase activity', - 'def': 'Catalysis of the reaction: O-phospho-L-serine + hydrogen sulfide = L-cysteine + phosphate. [EC:2.5.1.65]' - }, - 'GO:0033848': { - 'name': 'N2-(2-carboxyethyl)arginine synthase activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde 3-phosphate + L-arginine = N(2)-(2-carboxyethyl)-L-arginine + H(+) + phosphate. [EC:2.5.1.66, RHEA:10559]' - }, - 'GO:0033849': { - 'name': 'chrysanthemyl diphosphate synthase activity', - 'def': 'Catalysis of the reaction: 2 dimethylallyl diphosphate = (R,R)-chrysanthemyl diphosphate + diphosphate. [EC:2.5.1.67, RHEA:14012]' - }, - 'GO:0033850': { - 'name': 'Z-farnesyl diphosphate synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate + isopentenyl diphosphate = 2-cis,6-trans-farnesyl diphosphate + diphosphate. [EC:2.5.1.68, RHEA:23303]' - }, - 'GO:0033851': { - 'name': 'lavandulyl diphosphate synthase activity', - 'def': 'Catalysis of the reaction: 2 dimethylallyl diphosphate = diphosphate + lavandulyl diphosphate. [EC:2.5.1.69, RHEA:21679]' - }, - 'GO:0033852': { - 'name': 'thyroid-hormone transaminase activity', - 'def': "Catalysis of the reaction: 2-oxoglutarate + 3,5,3'-triiodo-L-thyronine = 3,5,3'-triiodothyropyruvate + L-glutamate. [EC:2.6.1.26, RHEA:19136]" - }, - 'GO:0033853': { - 'name': 'aspartate-prephenate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-arogenate + oxaloacetate = prephenate + L-aspartate. [EC:2.6.1.78]' - }, - 'GO:0033854': { - 'name': 'glutamate-prephenate aminotransferase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-arogenate = L-glutamate + prephenate. [EC:2.6.1.79, RHEA:22883]' - }, - 'GO:0033855': { - 'name': 'nicotianamine aminotransferase activity', - 'def': "Catalysis of the reaction: 2-oxoglutarate + nicotianamine = 3''-deamino-3''-oxonicotianamine + L-glutamate. [EC:2.6.1.80, RHEA:22107]" - }, - 'GO:0033856': { - 'name': "pyridoxine 5'-phosphate synthase activity", - 'def': "Catalysis of the reaction: 1-deoxy-D-xylulose 5-phosphate + 3-amino-2-oxopropyl phosphate = 2 H(2)O + H(+) + phosphate + pyridoxine 5'-phosphate. [EC:2.6.99.2, RHEA:15268]" - }, - 'GO:0033857': { - 'name': 'diphosphoinositol-pentakisphosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1D-myo-inositol 5-diphosphate pentakisphosphate = ADP + 1D-myo-inositol bisdiphosphate tetrakisphosphate. [EC:2.7.4.24]' - }, - 'GO:0033858': { - 'name': 'N-acetylgalactosamine kinase activity', - 'def': 'Catalysis of the reaction: ATP + N-acetyl-D-galactosamine = ADP + N-acetyl-alpha-D-galactosamine 1-phosphate. [EC:2.7.1.157]' - }, - 'GO:0033859': { - 'name': 'furaldehyde metabolic process', - 'def': 'The chemical reactions and pathways involving furaldehyde, a furan ring-containing aldehyde compound which can be formed from the thermal decomposition of biomass. [GOC:jp, PMID:15338422, PMID:16652391]' - }, - 'GO:0033860': { - 'name': 'regulation of NAD(P)H oxidase activity', - 'def': 'Any process that modulates the activity of the enzyme NAD(P)H oxidase. [GOC:mah]' - }, - 'GO:0033861': { - 'name': 'negative regulation of NAD(P)H oxidase activity', - 'def': 'Any process that stops or reduces the activity of the enzyme NAD(P)H oxidase. [GOC:mah]' - }, - 'GO:0033862': { - 'name': 'UMP kinase activity', - 'def': 'Catalysis of the reaction: ATP + UMP = ADP + UDP. [EC:2.7.4.22]' - }, - 'GO:0033863': { - 'name': 'ribose 1,5-bisphosphate phosphokinase activity', - 'def': 'Catalysis of the reaction: D-ribose 1,5-diphosphate + ATP = 5-phospho-alpha-D-ribose 1-diphosphate + ADP + H(+). [EC:2.7.4.23, RHEA:20112]' - }, - 'GO:0033864': { - 'name': 'positive regulation of NAD(P)H oxidase activity', - 'def': 'Any process that activates or increases the activity of the enzyme NAD(P)H oxidase. [GOC:mah]' - }, - 'GO:0033865': { - 'name': 'nucleoside bisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a nucleoside bisphosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0033866': { - 'name': 'nucleoside bisphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a nucleoside bisphosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0033867': { - 'name': 'Fas-activated serine/threonine kinase activity', - 'def': 'Catalysis of the reaction: ATP + Fas-activated serine/threonine protein = ADP + Fas-activated serine/threonine phosphoprotein. [EC:2.7.11.8]' - }, - 'GO:0033868': { - 'name': 'Goodpasture-antigen-binding protein kinase activity', - 'def': 'Catalysis of the reaction: ATP + Goodpasture antigen-binding protein = ADP + Goodpasture antigen-binding phosphoprotein. [EC:2.7.11.9]' - }, - 'GO:0033869': { - 'name': 'nucleoside bisphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a nucleoside bisphosphate, a compound consisting of a nucleobase linked to a deoxyribose or ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0033870': { - 'name': 'thiol sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenylyl sulfate + a thiol = adenosine 3',5'-bisphosphate + an S-alkyl thiosulfate. [EC:2.8.2.16]" - }, - 'GO:0033871': { - 'name': '[heparan sulfate]-glucosamine 3-sulfotransferase 2 activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenylyl sulfate + [heparan sulfate]-glucosamine = adenosine 3',5'-bisphosphate + [heparan sulfate]-glucosamine 3-sulfate; modifies selected glucosamine residues preceded by GlcA2S. [EC:2.8.2.29]" - }, - 'GO:0033872': { - 'name': '[heparan sulfate]-glucosamine 3-sulfotransferase 3 activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenylyl sulfate + [heparan sulfate]-glucosamine = adenosine 3',5'-bisphosphate + [heparan sulfate]-glucosamine 3-sulfate. [EC:2.8.2.30]" - }, - 'GO:0033873': { - 'name': 'petromyzonol sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + 5alpha-cholane-3alpha,7alpha,12alpha,24-tetrol = 3alpha,7alpha,12alpha-trihydroxy-5alpha-cholan-24-yl sulfate + adenosine 3',5'-diphosphate + H(+). [EC:2.8.2.31, RHEA:17000]" - }, - 'GO:0033874': { - 'name': 'scymnol sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + 5beta-scymnol = 5beta-scymnol sulfate + adenosine 3',5'-diphosphate + H(+). [EC:2.8.2.32, RHEA:15480]" - }, - 'GO:0033875': { - 'name': 'ribonucleoside bisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a ribonucleoside bisphosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0033876': { - 'name': 'glycochenodeoxycholate sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + glycochenodeoxycholate = adenosine 3',5'-diphosphate + glycochenodeoxycholate 7-sulfate + H(+). [EC:2.8.2.34, RHEA:17692]" - }, - 'GO:0033877': { - 'name': 'succinyl-CoA:(R)-benzylsuccinate CoA-transferase activity', - 'def': 'Catalysis of the reaction: (R)-2-benzylsuccinate + succinyl-CoA = (R)-2-benzylsuccinyl-CoA + succinate. [EC:2.8.3.15, RHEA:16472]' - }, - 'GO:0033878': { - 'name': 'hormone-sensitive lipase activity', - 'def': 'Catalysis of the reactions: diacylglycerol + H2O = monoacylglycerol + a carboxylate; triacylglycerol + H2O = diacylglycerol + a carboxylate; and monoacylglycerol + H2O = glycerol + a carboxylate. [EC:3.1.1.79]' - }, - 'GO:0033879': { - 'name': 'acetylajmaline esterase activity', - 'def': 'Catalysis of the reactions: 17-O-acetylajmaline + H2O = ajmaline + acetate, and 17-O-acetylnorajmaline + H2O = norajmaline + acetate. [EC:3.1.1.80]' - }, - 'GO:0033880': { - 'name': 'phenylacetyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + phenylglyoxylyl-CoA = CoA + H(+) + phenylglyoxylate. [EC:3.1.2.25, RHEA:15340]' - }, - 'GO:0033881': { - 'name': 'bile-acid-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: deoxycholoyl-CoA + H(2)O = CoA + deoxycholate + H(+). [EC:3.1.2.26, RHEA:17696]' - }, - 'GO:0033882': { - 'name': 'choloyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: choloyl-CoA + H2O = cholate + CoA. [EC:3.1.2.27]' - }, - 'GO:0033883': { - 'name': 'pyridoxal phosphatase activity', - 'def': "Catalysis of the reaction: pyridoxal 5'-phosphate + H2O = pyridoxal + phosphate. [EC:3.1.3.74]" - }, - 'GO:0033884': { - 'name': 'obsolete phosphoethanolamine/phosphocholine phosphatase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: O-phosphoethanolamine + H2O = ethanolamine + phosphate, and phosphocholine + H2O = choline + phosphate. [EC:3.1.3.75]' - }, - 'GO:0033885': { - 'name': '10-hydroxy-9-(phosphonooxy)octadecanoate phosphatase activity', - 'def': 'Catalysis of the reaction: (9S,10S)-10-hydroxy-9-(phosphonooxy)octadecanoate + H(2)O = (9S,10S)-9,10-dihydroxyoctadecanoate + phosphate. [EC:3.1.3.76, RHEA:16540]' - }, - 'GO:0033886': { - 'name': 'cellulose-polysulfatase activity', - 'def': 'Catalysis of the hydrolysis of the 2- and 3-sulfate groups of the polysulfates of cellulose and charonin. [EC:3.1.6.7]' - }, - 'GO:0033887': { - 'name': 'chondro-4-sulfatase activity', - 'def': 'Catalysis of the reaction: 4-deoxy-beta-D-gluc-4-enuronosyl-(1->3)-N-acetyl-D-galactosamine 4-sulfate + H(2)O = 4-deoxy-beta-D-gluc-4-enuronosyl-(1->3)-N-acetyl-D-galactosamine + H(+) + sulfate. [EC:3.1.6.9, RHEA:11447]' - }, - 'GO:0033888': { - 'name': 'chondro-6-sulfatase activity', - 'def': 'Catalysis of the reaction: 4-deoxy-beta-D-gluc-4-enuronosyl-(1->3)-N-acetyl-D-galactosamine 6-sulfate + H(2)O = 4-deoxy-beta-D-gluc-4-enuronosyl-(1->3)-N-acetyl-D-galactosamine + H(+) + sulfate. [EC:3.1.6.10, RHEA:10539]' - }, - 'GO:0033889': { - 'name': 'N-sulfoglucosamine-3-sulfatase activity', - 'def': 'Catalysis of the hydrolysis of the 3-sulfate groups of the N-sulfo-D-glucosamine 3-O-sulfate units of heparin. [EC:3.1.6.15]' - }, - 'GO:0033890': { - 'name': 'ribonuclease D activity', - 'def': "Catalysis of the exonucleolytic cleavage that removes extra residues from the 3'-terminus of tRNA to produce 5'-mononucleotides. [EC:3.1.13.5]" - }, - 'GO:0033891': { - 'name': 'CC-preferring endodeoxyribonuclease activity', - 'def': "Catalysis of the endonucleolytic cleavage to give 5'-phosphooligonucleotide end-products, with a preference for cleavage within the sequence CC. [EC:3.1.21.6]" - }, - 'GO:0033892': { - 'name': 'deoxyribonuclease (pyrimidine dimer) activity', - 'def': "Catalysis of the endonucleolytic cleavage near pyrimidine dimers to products with 5'-phosphate. [EC:3.1.25.1]" - }, - 'GO:0033893': { - 'name': 'ribonuclease IV activity', - 'def': "Catalysis of the endonucleolytic cleavage of poly(A) to fragments terminated by 3'-hydroxy and 5'-phosphate groups. [EC:3.1.26.6]" - }, - 'GO:0033894': { - 'name': 'ribonuclease P4 activity', - 'def': "Catalysis of the endonucleolytic cleavage of RNA, removing 3'-extranucleotides from tRNA precursor. [EC:3.1.26.7]" - }, - 'GO:0033895': { - 'name': 'ribonuclease [poly-(U)-specific] activity', - 'def': "Catalysis of the endonucleolytic cleavage of poly(U) to fragments terminated by 3'-hydroxy and 5'-phosphate groups. [EC:3.1.26.9]" - }, - 'GO:0033896': { - 'name': 'ribonuclease IX activity', - 'def': "Catalysis of the endonucleolytic cleavage of poly(U) or poly(C) to fragments terminated by 3'-hydroxy and 5'-phosphate groups. [EC:3.1.26.10]" - }, - 'GO:0033897': { - 'name': 'ribonuclease T2 activity', - 'def': "Catalysis of the two-stage endonucleolytic cleavage to nucleoside 3'-phosphates and 3'-phosphooligonucleotides with 2',3'-cyclic phosphate intermediates. [EC:3.1.27.1]" - }, - 'GO:0033898': { - 'name': 'Bacillus subtilis ribonuclease activity', - 'def': "Catalysis of the endonucleolytic cleavage to 2',3'-cyclic nucleotides. [EC:3.1.27.2]" - }, - 'GO:0033899': { - 'name': 'ribonuclease U2 activity', - 'def': "Catalysis of the two-stage endonucleolytic cleavage to nucleoside 3'-phosphates and 3'-phosphooligonucleotides ending in Ap or Gp with 2',3'-cyclic phosphate intermediates. [EC:3.1.27.4]" - }, - 'GO:0033900': { - 'name': 'ribonuclease F activity', - 'def': "Catalysis of the endonucleolytic cleavage of RNA precursor into two, leaving 5'-hydroxy and 3'-phosphate groups. [EC:3.1.27.7]" - }, - 'GO:0033901': { - 'name': 'ribonuclease V activity', - 'def': "Catalysis of the hydrolysis of poly(A), forming oligoribonucleotides and ultimately 3'-AMP. [EC:3.1.27.8]" - }, - 'GO:0033902': { - 'name': 'rRNA endonuclease activity', - 'def': 'Catalysis of the hydrolysis of the phosphodiester linkage between guanosine and adenosine residues at one specific position in 28S rRNA from rat ribosomes. [EC:3.1.27.10]' - }, - 'GO:0033903': { - 'name': 'obsolete endo-1,3(4)-beta-glucanase activity', - 'def': 'OBSOLETE. Catalysis of the endohydrolysis of 1,3- or 1,4-linkages in beta-D-glucans when the glucose residue whose reducing group is involved in the linkage to be hydrolysed is itself substituted at C-3. [EC:3.2.1.6]' - }, - 'GO:0033904': { - 'name': 'dextranase activity', - 'def': 'Catalysis of the endohydrolysis of 1,6-alpha-D-glucosidic linkages in dextran. [EC:3.2.1.11]' - }, - 'GO:0033905': { - 'name': 'xylan endo-1,3-beta-xylosidase activity', - 'def': 'Catalysis of the random hydrolysis of (1->3)-beta-D-glycosidic linkages in (1->3)-beta-D-xylans. [EC:3.2.1.32]' - }, - 'GO:0033906': { - 'name': 'hyaluronoglucuronidase activity', - 'def': 'Catalysis of the random hydrolysis of 1,3-linkages between beta-D-glucuronate and N-acetyl-D-glucosamine residues in hyaluronate. [EC:3.2.1.36]' - }, - 'GO:0033907': { - 'name': 'beta-D-fucosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal non-reducing beta-D-fucose residues in beta-D-fucosides. [EC:3.2.1.38]' - }, - 'GO:0033908': { - 'name': 'beta-L-rhamnosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing beta-L-rhamnose residues in beta-L-rhamnosides. [EC:3.2.1.43]' - }, - 'GO:0033909': { - 'name': 'fucoidanase activity', - 'def': 'Catalysis of the endohydrolysis of 1,2-alpha-L-fucoside linkages in fucoidan without release of sulfate. [EC:3.2.1.44]' - }, - 'GO:0033910': { - 'name': 'glucan 1,4-alpha-maltotetraohydrolase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-alpha-D-glucosidic linkages in amylaceous polysaccharides, to remove successive maltotetraose residues from the non-reducing chain ends. [EC:3.2.1.60]' - }, - 'GO:0033911': { - 'name': 'mycodextranase activity', - 'def': 'Catalysis of the endohydrolysis of 1,4-alpha-D-glucosidic linkages in alpha-D-glucans containing both 1,3- and 1,4-bonds. [EC:3.2.1.61]' - }, - 'GO:0033912': { - 'name': '2,6-beta-fructan 6-levanbiohydrolase activity', - 'def': 'Catalysis of the hydrolysis of (2->6)-beta-D-fructofuranan, to remove successive disaccharide residues as levanbiose, i.e. 6-(beta-D-fructofuranosyl)-D-fructose, from the end of the chain. [EC:3.2.1.64]' - }, - 'GO:0033913': { - 'name': 'glucan endo-1,2-beta-glucosidase activity', - 'def': 'Catalysis of the random hydrolysis of (1->2)-glucosidic linkages in (1->2)-beta-D-glucans. [EC:3.2.1.71]' - }, - 'GO:0033914': { - 'name': 'xylan 1,3-beta-xylosidase activity', - 'def': 'Catalysis of the hydrolysis of successive xylose residues from the non-reducing termini of (1->3)-beta-D-xylans. [EC:3.2.1.72]' - }, - 'GO:0033915': { - 'name': 'mannan 1,2-(1,3)-alpha-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->2) and (1->3) linkages in mannan, releasing mannose. [EC:3.2.1.77]' - }, - 'GO:0033916': { - 'name': 'beta-agarase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-beta-D-galactosidic linkages in agarose, giving the tetramer as the predominant product. [EC:3.2.1.81]' - }, - 'GO:0033917': { - 'name': 'exo-poly-alpha-galacturonosidase activity', - 'def': 'Catalysis of the hydrolysis of pectic acid from the non-reducing end, releasing digalacturonate. [EC:3.2.1.82]' - }, - 'GO:0033918': { - 'name': 'kappa-carrageenase activity', - 'def': 'Catalysis of the endohydrolysis of 1,4-beta-D-linkages between D-galactose 4-sulfate and 3,6-anhydro-D-galactose in kappa-carrageenans. [EC:3.2.1.83]' - }, - 'GO:0033919': { - 'name': 'glucan 1,3-alpha-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal (1->3)-alpha-D-glucosidic links in 1,3-alpha-D-glucans. [EC:3.2.1.84]' - }, - 'GO:0033920': { - 'name': '6-phospho-beta-galactosidase activity', - 'def': 'Catalysis of the reaction: a 6-phospho-beta-D-galactoside + H2O = 6-phospho-D-galactose + an alcohol. [EC:3.2.1.85]' - }, - 'GO:0033921': { - 'name': 'capsular-polysaccharide endo-1,3-alpha-galactosidase activity', - 'def': 'Catalysis of the random hydrolysis of (1->3)-alpha-D-galactosidic linkages in Aerobacter aerogenes capsular polysaccharide. [EC:3.2.1.87]' - }, - 'GO:0033922': { - 'name': 'peptidoglycan beta-N-acetylmuramidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing N-acetylmuramic residues. [EC:3.2.1.92]' - }, - 'GO:0033923': { - 'name': 'glucan 1,6-alpha-isomaltosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->6)-alpha-D-glucosidic linkages in polysaccharides, to remove successive isomaltose units from the non-reducing ends of the chains. [EC:3.2.1.94]' - }, - 'GO:0033924': { - 'name': 'dextran 1,6-alpha-isomaltotriosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->6)-alpha-D-glucosidic linkages in dextrans, to remove successive isomaltotriose units from the non-reducing ends of the chains. [EC:3.2.1.95]' - }, - 'GO:0033925': { - 'name': 'mannosyl-glycoprotein endo-beta-N-acetylglucosaminidase activity', - 'def': "Catalysis of the endohydrolysis of the N,N'-diacetylchitobiosyl unit in high-mannose glycopeptides and glycoproteins containing the -[Man(GlcNAc)2]Asn-structure. One N-acetyl-D-glucosamine residue remains attached to the protein; the rest of the oligosaccharide is released intact. [EC:3.2.1.96]" - }, - 'GO:0033926': { - 'name': 'glycopeptide alpha-N-acetylgalactosaminidase activity', - 'def': 'Catalysis of the reaction: D-galactosyl-3-(N-acetyl-alpha-D-galactosaminyl)-L-serine + H2O = D-galactosyl-3-N-acetyl-alpha-D-galactosamine + L-serine. [EC:3.2.1.97, MetaCyc:3.2.1.97-RXN]' - }, - 'GO:0033927': { - 'name': 'glucan 1,4-alpha-maltohexaosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-alpha-D-glucosidic linkages in amylaceous polysaccharides, to remove successive maltohexaose residues from the non-reducing chain ends. [EC:3.2.1.98]' - }, - 'GO:0033928': { - 'name': 'mannan 1,4-mannobiosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-beta-D-mannosidic linkages in (1->4)-beta-D-mannans, to remove successive mannobiose residues from the non-reducing chain ends. [EC:3.2.1.100]' - }, - 'GO:0033929': { - 'name': 'blood-group-substance endo-1,4-beta-galactosidase activity', - 'def': 'Catalysis of the endohydrolysis of (1->4)-beta-D-galactosidic linkages in blood group A and B substances. [EC:3.2.1.102]' - }, - 'GO:0033930': { - 'name': 'keratan-sulfate endo-1,4-beta-galactosidase activity', - 'def': 'Catalysis of the endohydrolysis of (1->4)-beta-D-galactosidic linkages in keratan sulfate. [EC:3.2.1.103]' - }, - 'GO:0033931': { - 'name': 'endogalactosaminidase activity', - 'def': 'Catalysis of the endohydrolysis of (1->4)-alpha-D-galactosaminidic linkages in poly(D-galactosamine). [EC:3.2.1.109]' - }, - 'GO:0033932': { - 'name': '1,3-alpha-L-fucosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->3) linkages between alpha-L-fucose and N-acetylglucosamine residues in glycoproteins. [EC:3.2.1.111]' - }, - 'GO:0033933': { - 'name': 'branched-dextran exo-1,2-alpha-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->2)-alpha-D-glucosidic linkages at the branch points of dextrans and related polysaccharides, producing free D-glucose. [EC:3.2.1.115]' - }, - 'GO:0033934': { - 'name': 'glucan 1,4-alpha-maltotriohydrolase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-alpha-D-glucosidic linkages in amylaceous polysaccharides, to remove successive maltotriose residues from the non-reducing chain ends. [EC:3.2.1.116]' - }, - 'GO:0033935': { - 'name': 'oligoxyloglucan beta-glycosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-beta-D-glucosidic links in oligoxyloglucans so as to remove successive isoprimeverose (i.e. alpha-xylo-1,6-beta-D-glucosyl-) residues from the non-reducing chain ends. [EC:3.2.1.120]' - }, - 'GO:0033936': { - 'name': 'polymannuronate hydrolase activity', - 'def': 'Catalysis of the endohydrolysis of the D-mannuronide linkages of polymannuronate. [EC:3.2.1.121]' - }, - 'GO:0033937': { - 'name': '3-deoxy-2-octulosonidase activity', - 'def': 'Catalysis of the endohydrolysis of the beta-ketopyranosidic linkages of 3-deoxy-D-manno-2-octulosonate in capsular polysaccharides. [EC:3.2.1.124]' - }, - 'GO:0033938': { - 'name': '1,6-alpha-L-fucosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->6) linkages between alpha-L-fucose and N-acetyl-D-glucosamine in glycopeptides such as immunoglobulin G glycopeptide and fucosyl-asialo-agalacto-fetuin. [EC:3.2.1.127]' - }, - 'GO:0033939': { - 'name': 'xylan alpha-1,2-glucuronosidase activity', - 'def': 'Catalysis of the hydrolysis of alpha-D-(1->2)-(4-O-methyl)glucuronosyl links in the main chain of hardwood xylans. [EC:3.2.1.131]' - }, - 'GO:0033940': { - 'name': 'glucuronoarabinoxylan endo-1,4-beta-xylanase activity', - 'def': 'Catalysis of the endohydrolysis of (1->4)-beta-D-xylosyl links in some glucuronoarabinoxylans. [EC:3.2.1.136]' - }, - 'GO:0033941': { - 'name': 'mannan exo-1,2-1,6-alpha-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->2)-alpha-D- and (1->6)-alpha-D- linkages in mannan, releasing D-mannose. [EC:3.2.1.137]' - }, - 'GO:0033942': { - 'name': '4-alpha-D-\\{(1->4)-alpha-D-glucano}trehalose trehalohydrolase activity', - 'def': 'Catalysis of the hydrolysis of alpha-(1->4)-D-glucosidic linkage in 4-alpha-D-{(1->4)-alpha-D-glucanosyl}n trehalose to yield trehalose and alpha-(1->4)-D-glucan. [EC:3.2.1.141]' - }, - 'GO:0033943': { - 'name': 'galactan 1,3-beta-galactosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing beta-D-galactose residues in (1->3)-beta-D-galactopyranans. [EC:3.2.1.145]' - }, - 'GO:0033944': { - 'name': 'beta-galactofuranosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal non-reducing beta-D-galactofuranosides, releasing galactose. [EC:3.2.1.146]' - }, - 'GO:0033945': { - 'name': 'oligoxyloglucan reducing-end-specific cellobiohydrolase activity', - 'def': 'Catalysis of the hydrolysis of cellobiose from the reducing end of xyloglucans consisting of a beta-(1->4) linked glucan carrying alpha-D-xylosyl groups on O-6 of the glucose residues. To be a substrate, the first residue must be unsubstituted, the second residue may bear a xylosyl group, whether further glycosylated or not, and the third residue, which becomes the new terminus by the action of the enzyme, is preferably xylosylated, but this xylose residue must not be further substituted. [EC:3.2.1.150]' - }, - 'GO:0033946': { - 'name': 'xyloglucan-specific endo-beta-1,4-glucanase activity', - 'def': 'Catalysis of the reaction: xyloglucan + H2O = xyloglucan oligosaccharides. This reaction is the endohydrolysis of (1->4)-beta-D-glucosidic linkages in xyloglucan. [EC:3.2.1.151]' - }, - 'GO:0033947': { - 'name': 'mannosylglycoprotein endo-beta-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of the alpha-D-mannosyl-(1->6)-beta-D-mannosyl-(1->4)-beta-D-N-acetylglucosaminyl-(1->4)-beta-D-N-acetylglucosaminyl sequence of glycoprotein to alpha-D-mannosyl-(1->6)-D-mannose and beta-D-N-acetylglucosaminyl-(1->4)-beta-D-N-acetylglucosaminyl sequences. [EC:3.2.1.152]' - }, - 'GO:0033948': { - 'name': 'fructan beta-(2,1)-fructosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing (2->1) linked beta-D-fructofuranose residues in fructans. [EC:3.2.1.153]' - }, - 'GO:0033949': { - 'name': 'fructan beta-(2,6)-fructosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing (2->6) linked beta-D-fructofuranose residues in fructans. [EC:3.2.1.154]' - }, - 'GO:0033950': { - 'name': 'xyloglucan-specific exo-beta-1,4-glucanase activity', - 'def': 'Catalysis of the reaction: xyloglucan + H2O = xyloglucan oligosaccharides. This reaction is the exohydrolysis of 1,4-beta-D-glucosidic linkages in xyloglucan. [EC:3.2.1.155]' - }, - 'GO:0033951': { - 'name': 'oligosaccharide reducing-end xylanase activity', - 'def': 'Catalysis of the hydrolysis of 1,4-beta-D-xylose residues from the reducing end of oligosaccharides. [EC:3.2.1.156]' - }, - 'GO:0033952': { - 'name': 'iota-carrageenase activity', - 'def': 'Catalysis of the endohydrolysis of 1,4-beta-D-linkages between D-galactose 4-sulfate and 3,6-anhydro-D-galactose-2-sulfate in iota-carrageenans. [EC:3.2.1.157]' - }, - 'GO:0033953': { - 'name': 'alpha-agarase activity', - 'def': 'Catalysis of the endohydrolysis of 1,3-alpha-L-galactosidic linkages in agarose, yielding agarotetraose as the major product. [EC:3.2.1.158]' - }, - 'GO:0033954': { - 'name': 'alpha-neoagaro-oligosaccharide hydrolase activity', - 'def': 'Catalysis of the hydrolysis of the 1,3-alpha-L-galactosidic linkages of neoagaro-oligosaccharides that are smaller than a hexamer, yielding 3,6-anhydro-L-galactose and D-galactose. [EC:3.2.1.159]' - }, - 'GO:0033955': { - 'name': 'mitochondrial DNA inheritance', - 'def': 'The process in which copies of the mitochondrial genome are distributed into daughter mitochondria upon mitochondrial fission. [GOC:mah]' - }, - 'GO:0033956': { - 'name': 'beta-apiosyl-beta-glucosidase activity', - 'def': 'Catalysis of the reaction: 7-[beta-D-apiofuranosyl-(1->6)-beta-D-glucopyranosyloxy]isoflavonoid + H2O = a 7-hydroxyisoflavonoid + beta-D-apiofuranosyl-(1->6)-D-glucose. [EC:3.2.1.161]' - }, - 'GO:0033957': { - 'name': 'lambda-carrageenase activity', - 'def': 'Catalysis of the endohydrolysis of beta-1,4-linkages in the backbone of lambda-carrageenan, resulting in the tetrasaccharide alpha-D-Galp2,6S2-(1->3)-beta-D-Galp2S-(1->4)-alpha-D-Galp2,6S2-(1->3)-D-Galp2S. [EC:3.2.1.162]' - }, - 'GO:0033958': { - 'name': 'DNA-deoxyinosine glycosylase activity', - 'def': 'Catalysis of the hydrolysis of DNA and polynucleotides, releasing free hypoxanthine. [EC:3.2.2.15]' - }, - 'GO:0033959': { - 'name': 'deoxyribodipyrimidine endonucleosidase activity', - 'def': "Catalysis of the cleavage of the N-glycosidic bond between the 5'-pyrimidine residue in cyclobutadipyrimidine (in DNA) and the corresponding deoxy-D-ribose residue. [EC:3.2.2.17]" - }, - 'GO:0033960': { - 'name': 'N-methyl nucleosidase activity', - 'def': 'Catalysis of the reaction: 7-methylxanthosine + H(2)O = 7-methylxanthine + H(+) + ribofuranose. [EC:3.2.2.25, RHEA:10883]' - }, - 'GO:0033961': { - 'name': 'cis-stilbene-oxide hydrolase activity', - 'def': 'Catalysis of the reaction: cis-stilbene oxide + H2O = (+)-(1R,2R)-1,2-diphenylethane-1,2-diol. [EC:3.3.2.9]' - }, - 'GO:0033962': { - 'name': 'cytoplasmic mRNA processing body assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and RNA molecules to form a cytoplasmic mRNA processing body. [GOC:mah, PMID:17429074]' - }, - 'GO:0033963': { - 'name': 'cholesterol-5,6-oxide hydrolase activity', - 'def': 'Catalysis of the reactions: 5,6alpha-epoxy-5alpha-cholestan-3beta-ol + H2O = cholestane-3beta-5alpha,6beta-triol, and 5,6beta-epoxy-5beta-cholestan-3beta-ol + H2O = cholestane-3beta-5alpha,6beta-triol. [EC:3.3.2.11]' - }, - 'GO:0033964': { - 'name': 'glycosphingolipid deacylase activity', - 'def': 'Catalysis of the hydrolysis of gangliosides and neutral glycosphingolipids, releasing fatty acids to form the lyso-derivatives. [EC:3.5.1.69]' - }, - 'GO:0033965': { - 'name': 'aculeacin-A deacylase activity', - 'def': 'Catalysis of the hydrolysis of the amide bond in aculeacin A and related neutral lipopeptide antibiotics, releasing the long-chain fatty acid side-chain. [EC:3.5.1.70]' - }, - 'GO:0033966': { - 'name': 'N-substituted formamide deformylase activity', - 'def': 'Catalysis of the reaction: N-benzylformamide + H2O = formate + benzylamine. [EC:3.5.1.91]' - }, - 'GO:0033967': { - 'name': 'box C/D snoRNA metabolic process', - 'def': 'The chemical reactions and pathways involving box C/D type small nucleolar RNA. [GOC:mah]' - }, - 'GO:0033968': { - 'name': 'glutaryl-7-aminocephalosporanic-acid acylase activity', - 'def': 'Catalysis of the reaction: (7R)-7-(4-carboxybutanamido)cephalosporanate + H2O = (7R)-7-aminocephalosporanate + glutarate. [EC:3.5.1.93]' - }, - 'GO:0033969': { - 'name': 'gamma-glutamyl-gamma-aminobutyrate hydrolase activity', - 'def': 'Catalysis of the reaction: 4-(L-gamma-glutamylamino)butanoate + H(2)O = 4-aminobutanoate + L-glutamate. [EC:3.5.1.94, RHEA:19740]' - }, - 'GO:0033970': { - 'name': 'N-malonylurea hydrolase activity', - 'def': 'Catalysis of the reaction: 3-oxo-3-ureidopropanoate + H(2)O = H(+) + malonate + urea. [EC:3.5.1.95, RHEA:17364]' - }, - 'GO:0033971': { - 'name': 'hydroxyisourate hydrolase activity', - 'def': 'Catalysis of the reaction: 5-hydroxyisourate + H(2)O = 5-hydroxy-2-oxo-4-ureido-2,5-dihydro-1H-imidazole-5-carboxylate + H(+). [EC:3.5.2.17, RHEA:23739]' - }, - 'GO:0033972': { - 'name': 'proclavaminate amidinohydrolase activity', - 'def': 'Catalysis of the reaction: amidinoproclavaminate + H(2)O = proclavaminate + urea. [EC:3.5.3.22, RHEA:17004]' - }, - 'GO:0033973': { - 'name': 'dCTP deaminase (dUMP-forming) activity', - 'def': 'Catalysis of the reaction: dCTP + 2 H(2)O = diphosphate + dUMP + H(+) + NH(4)(+). [EC:3.5.4.30, RHEA:19208]' - }, - 'GO:0033974': { - 'name': 'nucleoside phosphoacylhydrolase activity', - 'def': 'Catalysis of the hydrolysis of mixed phospho-anhydride bonds. [EC:3.6.1.24]' - }, - 'GO:0033975': { - 'name': '(R)-2-haloacid dehalogenase activity', - 'def': 'Catalysis of the reaction: (R)-2-haloacid + H2O = (S)-2-hydroxyacid + halide. [EC:3.8.1.9]' - }, - 'GO:0033976': { - 'name': '2-haloacid dehalogenase (configuration-inverting) activity', - 'def': 'Catalysis of the reactions: (S)-2-haloacid + H2O = (R)-2-hydroxyacid + halide, and (R)-2-haloacid + H2O = (S)-2-hydroxyacid + halide. [EC:3.8.1.10]' - }, - 'GO:0033977': { - 'name': '2-haloacid dehalogenase (configuration-retaining) activity', - 'def': 'Catalysis of the reactions: (S)-2-haloacid + H2O = (S)-2-hydroxyacid + halide, and (R)-2-haloacid + H2O = (R)-2-hydroxyacid + halide. [EC:3.8.1.11]' - }, - 'GO:0033978': { - 'name': 'phosphonopyruvate hydrolase activity', - 'def': 'Catalysis of the reaction: 3-phosphonopyruvate + H(2)O = phosphate + pyruvate. [EC:3.11.1.3, RHEA:16676]' - }, - 'GO:0033979': { - 'name': 'box H/ACA snoRNA metabolic process', - 'def': 'The chemical reactions and pathways involving box H/ACA type small nucleolar RNA. [GOC:mah]' - }, - 'GO:0033980': { - 'name': 'phosphonopyruvate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-phosphonopyruvate + 2 H(+) = CO(2) + phosphonoacetaldehyde. [EC:4.1.1.82, RHEA:20771]' - }, - 'GO:0033981': { - 'name': 'D-dopachrome decarboxylase activity', - 'def': 'Catalysis of the reaction: D-dopachrome + H(+) = 5,6-dihydroxyindole + CO(2). [EC:4.1.1.84, RHEA:18444]' - }, - 'GO:0033982': { - 'name': '3-dehydro-L-gulonate-6-phosphate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-dehydro-L-gulonate 6-phosphate + H(+) = L-xylulose 5-phosphate + CO(2). [EC:4.1.1.85, RHEA:14356]' - }, - 'GO:0033983': { - 'name': 'diaminobutyrate decarboxylase activity', - 'def': 'Catalysis of the reaction: L-2,4-diaminobutyrate + H(+) = 1,3-diaminopropane + CO(2). [EC:4.1.1.86, RHEA:15692]' - }, - 'GO:0033984': { - 'name': 'indole-3-glycerol-phosphate lyase activity', - 'def': 'Catalysis of the reaction: (1S,2R)-1-C-(indol-3-yl)glycerol 3-phosphate = indole + D-glyceraldehyde 3-phosphate. [EC:4.1.2.8]' - }, - 'GO:0033985': { - 'name': 'acidocalcisome lumen', - 'def': 'The volume enclosed by the membranes of an acidocalcisome. [GOC:mah]' - }, - 'GO:0033986': { - 'name': 'response to methanol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methanol stimulus. [GOC:sl]' - }, - 'GO:0033987': { - 'name': '2-hydroxyisoflavanone dehydratase activity', - 'def': "Catalysis of the reaction: 2,7,4'-trihydroxyisoflavanone = daidzein + H2O. [EC:4.2.1.105]" - }, - 'GO:0033988': { - 'name': 'bile-acid 7alpha-dehydratase activity', - 'def': 'Catalysis of the reaction: 7alpha,12alpha-dihydroxy-3-oxochol-4-en-24-oate = 12alpha-hydroxy-3-oxochola-4,6-dien-24-oate + H(2)O. [EC:4.2.1.106, RHEA:10439]' - }, - 'GO:0033989': { - 'name': '3alpha,7alpha,12alpha-trihydroxy-5beta-cholest-24-enoyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: (24R,25R)-3alpha,7alpha,12alpha,24-tetrahydroxy-5beta-cholestanoyl-CoA = (24E)-3alpha,7alpha,12alpha-trihydroxy-5beta-cholest-24-enoyl-CoA + H2O. [EC:4.2.1.107]' - }, - 'GO:0033990': { - 'name': 'ectoine synthase activity', - 'def': 'Catalysis of the reaction: N(4)-acetyl-L-2,4-diaminobutyrate = ectoine + H(2)O. [EC:4.2.1.108, RHEA:17284]' - }, - 'GO:0033991': { - 'name': 'aldos-2-ulose dehydratase activity', - 'def': 'Catalysis of the reactions: 1,5-anhydro-D-fructose = 2-hydroxy-2-(hydroxymethyl)-2H-pyran-3(6H)-one + H2O; (1a) 1,5-anhydro-D-fructose = 1,5-anhydro-4-deoxy-D-glycero-hex-3-en-2-ulose + H2O and (1b) 1,5-anhydro-4-deoxy-D-glycero-hex-3-en-2-ulose = 2-hydroxy-2-(hydroxymethyl)-2H-pyran-3(6H)-one. [EC:4.2.1.110]' - }, - 'GO:0033992': { - 'name': '1,5-anhydro-D-fructose dehydratase activity', - 'def': 'Catalysis of the reaction: 1,5-anhydro-D-fructose = 1,5-anhydro-4-deoxy-D-glycero-hex-3-en-2-ulose + H2O. [EC:4.2.1.111]' - }, - 'GO:0033993': { - 'name': 'response to lipid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipid stimulus. [GOC:sl]' - }, - 'GO:0033994': { - 'name': 'glucuronan lyase activity', - 'def': 'Catalysis of the reaction: (1->4)-beta-D-glucuronan = an oligosaccharide with 4-deoxy-beta-D-gluc-4-enuronosyl end + (1->4)-beta-D-glucuronan. This reaction is the eliminative cleavage of (1->4)-beta-D-glucuronans to give oligosaccharides with 4-deoxy-beta-D-gluc-4-enuronosyl groups at their non-reducing ends. Complete degradation of glucuronans results in the formation of tetrasaccharides. [EC:4.2.2.14]' - }, - 'GO:0033995': { - 'name': 'anhydrosialidase activity', - 'def': 'Catalysis of the reaction: an N-acetylneuraminate glycoside = 2,7-anhydro-alpha-N-acetylneuraminate + an alpha-sialyl group. This reaction is the elimination of alpha-sialyl groups in N-acetylneuraminic acid glycosides, releasing 2,7-anhydro-alpha-N-acetylneuraminate. [EC:4.2.2.15]' - }, - 'GO:0033996': { - 'name': 'levan fructotransferase (DFA-IV-forming) activity', - 'def': "Catalysis of the reaction: beta-D-fructopyranosyl-(2->6)-[D-fructofuranosyl-(2->6)]n-D-fructofuranoside = beta-D-fructopyranosyl-(2->6)-[D-fructofuranosyl-(2->6)](n-1)-D-fructofuranoside + di-beta-D-fructofuranose 2,6':2',6-dianhydride. This reaction is the production of di-beta-D-fructofuranose 2,6':2',6-dianhydride (DFA IV) by successively eliminating the diminishing (2->6)-beta-D-fructan (levan) chain from the terminal D-fructosyl-D-fructosyl disaccharide. [EC:4.2.2.16]" - }, - 'GO:0033997': { - 'name': 'inulin fructotransferase (DFA-I-forming) activity', - 'def': "Catalysis of the reaction: [(2->1)-beta-D-fructosyl](n) = [(2->1)-beta-D-fructosyl](n-1) + alpha-D-fructofuranose-beta-D-fructofuranose 1,2':1,2'-dianhydride. This reaction is the production of alpha-D-fructofuranose beta-D-fructofuranose 1,2':2,1'-dianhydride (DFA I) by successively eliminating the diminishing (2->1)-beta-D-fructan (inulin) chain from the terminal D-fructosyl-D-fructosyl disaccharide. [EC:4.2.2.17]" - }, - 'GO:0033998': { - 'name': 'inulin fructotransferase (DFA-III-forming) activity', - 'def': "Catalysis of the reaction: [(2->1)-beta-D-fructosyl](n) = [(2->1)-beta-D-fructosyl](n-1) + alpha-D-fructofuranose beta-D-fructofuranose 1,2':2,3'-dianhydride. This reaction is the production of alpha-D-fructofuranose beta-D-fructofuranose 1,2':2,3'-dianhydride (DFA III) by successively eliminating the diminishing (2->1)-beta-D-fructan (inulin) chain from the terminal D-fructosyl-D-fructosyl disaccharide. [EC:4.2.2.18]" - }, - 'GO:0033999': { - 'name': 'chondroitin B lyase activity', - 'def': 'Catalysis of the reaction: dermatan sulfate = n 4-deoxy-beta-D-gluc-4-enuronosyl-(1,3)-N-acetyl-D-galactosamine 4-sulfate. This reaction is the eliminative cleavage of dermatan sulfate containing 1,4-beta-D-hexosaminyl and 1,3-beta-D-glucurosonyl or 1,3-alpha-L-iduronosyl linkages to disaccharides containing 4-deoxy-beta-D-gluc-4-enuronosyl groups to yield a 4,5-unsaturated dermatan-sulfate disaccharide (DeltaUA-GalNAC-4S). Chondroitin sulfate B is also known as dermatan sulfate. [EC:4.2.2.19]' - }, - 'GO:0034000': { - 'name': 'chondroitin-sulfate-ABC endolyase activity', - 'def': 'Catalysis of the endolytic cleavage of beta-1,4-galactosaminic bonds between N-acetylgalactosamine and either D-glucuronic acid or L-iduronic acid to produce a mixture of Delta4-unsaturated oligosaccharides of different sizes that are ultimately degraded to Delta4-unsaturated tetra- and disaccharides. [EC:4.2.2.20]' - }, - 'GO:0034001': { - 'name': 'chondroitin-sulfate-ABC exolyase activity', - 'def': 'Catalysis of the exolytic cleavage of disaccharide residues from the non-reducing ends of both polymeric chondroitin sulfates and their oligosaccharide fragments. [EC:4.2.2.21]' - }, - 'GO:0034002': { - 'name': '(R)-limonene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate = (4R)-limonene + diphosphate. [EC:4.2.3.20, RHEA:10943]' - }, - 'GO:0034003': { - 'name': 'vetispiradiene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = diphosphate + vetispiradiene. [EC:4.2.3.21, RHEA:10343]' - }, - 'GO:0034004': { - 'name': 'germacradienol synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate + H2O = (1E,4S,5E,7R)-germacra-1(10),5-dien-11-ol + diphosphate. [EC:4.2.3.22]' - }, - 'GO:0034005': { - 'name': 'germacrene-A synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = (+)-(R)-germacrene A + diphosphate. [EC:4.2.3.23, RHEA:12519]' - }, - 'GO:0034006': { - 'name': 'amorpha-4,11-diene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = amorpha-4,11-diene + diphosphate. [EC:4.2.3.24, RHEA:18328]' - }, - 'GO:0034007': { - 'name': 'S-linalool synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate + H(2)O = (S)-linalool + diphosphate. [EC:4.2.3.25, RHEA:24119]' - }, - 'GO:0034008': { - 'name': 'R-linalool synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate + H(2)O = (R)-linalool + diphosphate. [EC:4.2.3.26, RHEA:15812]' - }, - 'GO:0034009': { - 'name': 'isoprene synthase activity', - 'def': 'Catalysis of the reaction: dimethylallyl diphosphate = diphosphate + isoprene. [EC:4.2.3.27, RHEA:13372]' - }, - 'GO:0034010': { - 'name': 'sulfolactate sulfo-lyase activity', - 'def': 'Catalysis of the reaction: 3-sulfolactate = pyruvate + sulfite. [EC:4.4.1.24, RHEA:21431]' - }, - 'GO:0034011': { - 'name': 'L-cysteate sulfo-lyase activity', - 'def': 'Catalysis of the reaction: L-cysteate + H(2)O = NH(4)(+) + pyruvate + sulfite. [EC:4.4.1.25, RHEA:13444]' - }, - 'GO:0034012': { - 'name': 'FAD-AMP lyase (cyclizing) activity', - 'def': "Catalysis of the reaction: FAD = AMP + riboflavin cyclic-4',5'-phosphate. [EC:4.6.1.15]" - }, - 'GO:0034013': { - 'name': 'aliphatic aldoxime dehydratase activity', - 'def': 'Catalysis of the reaction: an aliphatic aldoxime = an aliphatic nitrile + H2O. [EC:4.99.1.5]' - }, - 'GO:0034014': { - 'name': 'response to triglyceride', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a triglyceride stimulus. [GOC:sl]' - }, - 'GO:0034015': { - 'name': 'L-ribulose-5-phosphate 3-epimerase activity', - 'def': 'Catalysis of the reaction: L-ribulose 5-phosphate = L-xylulose 5-phosphate. [EC:5.1.3.22]' - }, - 'GO:0034016': { - 'name': 'polyenoic fatty acid isomerase activity', - 'def': 'Catalysis of the reaction: all-cis-icosa-5,8,11,14,17-pentaenoate = (5Z,7E,9E,14Z,17Z)-icosapentaenoate. [EC:5.3.3.13, RHEA:14892]' - }, - 'GO:0034017': { - 'name': 'trans-2-decenoyl-acyl-carrier-protein isomerase activity', - 'def': 'Catalysis of the reaction: trans-dec-2-enoyl-[acyl-carrier protein] = cis-dec-3-enoyl-[acyl-carrier protein]. [EC:5.3.3.14, IMG:02508]' - }, - 'GO:0034018': { - 'name': 'ascopyrone tautomerase activity', - 'def': 'Catalysis of the reaction: 1,5-anhydro-4-deoxy-D-glycero-hex-3-en-2-ulose = 1,5-anhydro-4-deoxy-D-glycero-hex-1-en-3-ulose. [EC:5.3.3.15]' - }, - 'GO:0034019': { - 'name': 'obsolete capsanthin/capsorubin synthase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: violaxanthin = capsorubin, and antheraxanthin = capsanthin. [EC:5.3.99.8]' - }, - 'GO:0034020': { - 'name': 'neoxanthin synthase activity', - 'def': 'Catalysis of the reaction: all-trans-violaxanthin = all-trans-neoxanthin. [EC:5.3.99.9, RHEA:10131]' - }, - 'GO:0034021': { - 'name': 'response to silicon dioxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a silicon dioxide stimulus. [GOC:sl]' - }, - 'GO:0034022': { - 'name': '3-(hydroxyamino)phenol mutase activity', - 'def': 'Catalysis of the reaction: 3-hydroxyaminophenol = aminohydroquinone. [EC:5.4.4.3, RHEA:20580]' - }, - 'GO:0034023': { - 'name': '5-(carboxyamino)imidazole ribonucleotide mutase activity', - 'def': 'Catalysis of the reaction: 5-carboxyamino-1-(5-phospho-D-ribosyl)imidazole = 5-amino-1-(5-phospho-D-ribosyl)imidazole-4-carboxylate. [EC:5.4.99.18]' - }, - 'GO:0034024': { - 'name': 'glutamate-putrescine ligase activity', - 'def': 'Catalysis of the reaction: L-glutamate + ATP + putrescine = gamma-L-glutamylputrescine + ADP + 2 H(+) + phosphate. [EC:6.3.1.11, RHEA:13636]' - }, - 'GO:0034025': { - 'name': 'D-aspartate ligase activity', - 'def': 'Catalysis of the reaction: ATP + D-aspartate + [beta-GlcNAc-(1->4)-Mur2Ac(oyl-L-Ala-gamma-D-Glu-L-Lys-D-Ala-D-Ala)]n = [beta-GlcNAc-(1->4)-Mur2Ac(oyl-L-Ala-gamma-D-Glu-6-N-(beta-D-Asp)-L-Lys-D-Ala-D-Ala)]n + ADP + phosphate. [EC:6.3.1.12]' - }, - 'GO:0034026': { - 'name': 'L-amino-acid alpha-ligase activity', - 'def': 'Catalysis of the reaction: ATP + an L-amino acid + an L-amino acid = ADP + phosphate + L-aminoacyl-L-amino acid. [EC:6.3.2.28]' - }, - 'GO:0034027': { - 'name': '(carboxyethyl)arginine beta-lactam-synthase activity', - 'def': 'Catalysis of the reaction: N(2)-(2-carboxyethyl)-L-arginine + ATP = AMP + deoxyamidinoproclavaminate + diphosphate + 2 H(+). [EC:6.3.3.4, RHEA:23623]' - }, - 'GO:0034028': { - 'name': '5-(carboxyamino)imidazole ribonucleotide synthase activity', - 'def': 'Catalysis of the reaction: 5-amino-1-(5-phospho-D-ribosyl)imidazole + ATP + bicarbonate = 5-carboxyamino-1-(5-phospho-D-ribosyl)imidazole + ADP + 3 H(+) + phosphate. [EC:6.3.4.18, RHEA:19320]' - }, - 'GO:0034029': { - 'name': '2-oxoglutarate carboxylase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + ATP + bicarbonate = ADP + 2 H(+) + oxalosuccinate + phosphate. [EC:6.4.1.7, RHEA:20428]' - }, - 'GO:0034030': { - 'name': 'ribonucleoside bisphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a ribonucleoside bisphosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0034031': { - 'name': 'ribonucleoside bisphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a ribonucleoside bisphosphate, a compound consisting of a nucleobase linked to a ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0034032': { - 'name': 'purine nucleoside bisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a purine nucleoside bisphosphate, a compound consisting of a purine base linked to a deoxyribose or ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0034033': { - 'name': 'purine nucleoside bisphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a purine nucleoside bisphosphate, a compound consisting of a purine base linked to a deoxyribose or ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0034034': { - 'name': 'purine nucleoside bisphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a purine nucleoside bisphosphate, a compound consisting of a purine base linked to a deoxyribose or ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0034035': { - 'name': 'purine ribonucleoside bisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a purine ribonucleoside bisphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0034036': { - 'name': 'purine ribonucleoside bisphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a purine ribonucleoside bisphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0034037': { - 'name': 'purine ribonucleoside bisphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a purine ribonucleoside bisphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with one phosphate group attached to each of two different hydroxyl groups on the sugar. [GOC:mah, GOC:pde]' - }, - 'GO:0034038': { - 'name': 'deoxyhypusine synthase activity', - 'def': 'Catalysis of the reaction: [eIF5A-precursor]-lysine + spermidine = [eIF5A-precursor]-deoxyhypusine + propane-1,3-diamine. Four sub-reactions have been identified,in which the intermediates remain tightly associated with the enzyme: spermidine + NAD+ = dehydrospermidine + NADH; dehydrospermidine + [enzyme]-lysine = N-(4-aminobutylidene)-[enzyme]-lysine + propane-1,3-diamine; N-(4-aminobutylidene)-[enzyme]-lysine + [eIF5A-precursor]-lysine = N-(4-aminobutylidene)-[eIF5A-precursor]-lysine + [enzyme]-lysine; N-(4-aminobutylidene)-[eIF5A-precursor]-lysine + NADH + H+ = [eIF5A-precursor]-deoxyhypusine + NAD+. [EC:2.5.1.46, GOC:pde, MetaCyc:2.5.1.46-RXN]' - }, - 'GO:0034039': { - 'name': '8-oxo-7,8-dihydroguanine DNA N-glycosylase activity', - 'def': "Catalysis of the removal of 8-oxo-7,8-dihydroguanine bases by cleaving the N-C1' glycosidic bond between the oxidized purine and the deoxyribose sugar. [GOC:mah, PMID:17641464]" - }, - 'GO:0034040': { - 'name': 'lipid-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + lipid(in) = ADP + phosphate + lipid(out). [GOC:BHF, GOC:rl]' - }, - 'GO:0034041': { - 'name': 'sterol-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + sterol(in) = ADP + phosphate + sterol(out). [GOC:BHF, GOC:rl]' - }, - 'GO:0034042': { - 'name': '5-formyluracil DNA N-glycosylase activity', - 'def': "Catalysis of the removal of 5-formyluracil bases by cleaving the N-C1' glycosidic bond between the oxidized pyrimidine and the deoxyribose sugar. [GOC:mah, PMID:17641464]" - }, - 'GO:0034043': { - 'name': '5-hydroxymethyluracil DNA N-glycosylase activity', - 'def': "Catalysis of the removal of 5-hydroxymethyluracil bases by cleaving the N-C1' glycosidic bond between the oxidized pyrimidine and the deoxyribose sugar. [GOC:mah, PMID:17641464]" - }, - 'GO:0034044': { - 'name': 'exomer complex', - 'def': 'A protein complex that forms a coat structure on vesicles involved in exocytosis of proteins from the trans-Golgi network to the cell surface; in Saccharomyces, the complex contains Chs5p, Chs6p, and Chs6p paralogues. [PMID:16498409, PMID:17000877]' - }, - 'GO:0034045': { - 'name': 'pre-autophagosomal structure membrane', - 'def': 'A cellular membrane associated with the pre-autophagosomal structure. [GOC:mah, GOC:rph, PMID:16874040, PMID:17382324]' - }, - 'GO:0034046': { - 'name': 'poly(G) binding', - 'def': 'Interacting selectively and non-covalently with a sequence of guanine residues in an RNA molecule. [GOC:mah]' - }, - 'GO:0034050': { - 'name': 'host programmed cell death induced by symbiont', - 'def': 'Cell death in a host resulting from activation of host endogenous cellular processes after direct or indirect interaction with a symbiont (defined as the smaller of two, or more, organisms engaged in symbiosis, a close interaction encompassing mutualism through parasitism). An example of direct interaction is contact with penetrating hyphae of a fungus; an example of indirect interaction is encountering symbiont-secreted molecules. [GOC:pamgo_curators]' - }, - 'GO:0034051': { - 'name': 'negative regulation of plant-type hypersensitive response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the hypersensitive response in a plant. [GOC:pamgo_curators]' - }, - 'GO:0034052': { - 'name': 'positive regulation of plant-type hypersensitive response', - 'def': 'Any process that activates or increases the frequency, rate or extent of the hypersensitive response in a plant. [GOC:pamgo_curators]' - }, - 'GO:0034053': { - 'name': 'modulation by symbiont of host defense-related programmed cell death', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of defense-related programmed cell death in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0034054': { - 'name': 'negative regulation by symbiont of host defense-related programmed cell death', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of defense-related programmed cell death in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0034055': { - 'name': 'positive regulation by symbiont of host defense-related programmed cell death', - 'def': 'Any process in which an organism activates or increases the frequency, rate or extent of defense-related programmed cell death in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0034056': { - 'name': 'estrogen response element binding', - 'def': 'Interacting selectively and non-covalently with the estrogen response element (ERE), a conserved sequence found in the promoters of genes whose expression is regulated in response to estrogen. [GOC:ecd, PMID:15036253, PMID:17975005]' - }, - 'GO:0034057': { - 'name': 'RNA strand-exchange activity', - 'def': 'Facilitates the displacement of one strand of an RNA-RNA duplex and its replacement with a different strand of higher complementarity. [GOC:mcc, PMID:9769100]' - }, - 'GO:0034058': { - 'name': 'endosomal vesicle fusion', - 'def': 'The homotypic fusion of endocytic vesicles to form or add to an early endosome. [PMID:11964142, PMID:9422733]' - }, - 'GO:0034059': { - 'name': 'response to anoxia', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating a decline in oxygen levels to trace amounts, <0.1%. [GOC:kmv]' - }, - 'GO:0034060': { - 'name': 'cyanelle stroma', - 'def': 'The space enclosed by the double membrane of a cyanelle. [GOC:rph]' - }, - 'GO:0034061': { - 'name': 'DNA polymerase activity', - 'def': "Catalysis of the reaction: deoxynucleoside triphosphate + DNA(n) = diphosphate + DNA(n+1); the synthesis of DNA from deoxyribonucleotide triphosphates in the presence of a nucleic acid template and a 3'hydroxyl group. [EC:2.7.7.7, GOC:mah]" - }, - 'GO:0034062': { - 'name': "5'-3' RNA polymerase activity", - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1); the synthesis of RNA from ribonucleotide triphosphates in the presence of a nucleic acid template, via extension of the 3'-end. [EC:2.7.7.6, GOC:mah, GOC:pf]" - }, - 'GO:0034063': { - 'name': 'stress granule assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and RNA molecules to form a stress granule. [GOC:mah, PMID:17392519]' - }, - 'GO:0034064': { - 'name': 'Tor2-Mei2-Ste11 complex', - 'def': 'A protein complex that contains the transcription factor Ste11 and the RNA binding protein Mei2; involved in regulation of conjugation in fission yeast. [GOC:vw, PMID:17046992]' - }, - 'GO:0034066': { - 'name': 'RIC1-RGP1 guanyl-nucleotide exchange factor complex', - 'def': 'A protein complex that acts as a nucleotide exchange factor for the GTPase Ypt6p, and is required for fusion of endosome-derived vesicles with the Golgi. [GOC:jh, GOC:mah, PMID:10990452]' - }, - 'GO:0034067': { - 'name': 'protein localization to Golgi apparatus', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the Golgi apparatus. [GOC:mah]' - }, - 'GO:0034068': { - 'name': 'aminoglycoside nucleotidyltransferase activity', - 'def': 'Catalysis of the reaction: nucleoside triphosphate + aminoglycoside = diphosphate + nucleotidylaminoglycoside. [GOC:cb]' - }, - 'GO:0034069': { - 'name': 'aminoglycoside N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + aminoglycoside = CoA + N-acetylaminoglycoside. [GOC:cb]' - }, - 'GO:0034070': { - 'name': 'aminoglycoside 1-N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + aminoglycoside = CoA + 1-N-acetylaminoglycoside. This is acetylation of the 1-amino group of the central deoxystreptamine ring. [GOC:cb]' - }, - 'GO:0034071': { - 'name': 'aminoglycoside phosphotransferase activity', - 'def': 'Catalysis of the reaction: ATP + aminoglycoside = ADP + phosphoaminoglycoside. [GOC:cb, GOC:mah]' - }, - 'GO:0034072': { - 'name': 'squalene cyclase activity', - 'def': 'Catalysis of the reaction: squalene = triterpene. [GOC:cb, PMID:18033581]' - }, - 'GO:0034073': { - 'name': 'tetrahymanol cyclase activity', - 'def': 'Catalysis of the reaction: squalene = tetrahymanol. [CHEBI:9493, GOC:cb, PMID:18033581]' - }, - 'GO:0034074': { - 'name': 'marneral synthase activity', - 'def': 'Catalysis of the reaction: oxidosqualene = marneral. [GOC:cb, http://www.wiley-vch.de/contents/jc_2002/2006/z503420_s.pdf, PMID:16425307, PMID:18033581]' - }, - 'GO:0034075': { - 'name': 'arabidiol synthase activity', - 'def': 'Catalysis of the reaction: oxidosqualene + H2O = arabidiol ((13R,14R,17E)-malabarica-17,21-diene-3beta,14-diol). [GOC:cb, PMID:16774269, PMID:17474751]' - }, - 'GO:0034076': { - 'name': 'cucurbitadienol synthase activity', - 'def': 'Catalysis of the reaction: oxidosqualene = cucurbitadienol. [GOC:cb, PMID:18033581]' - }, - 'GO:0034077': { - 'name': 'butanediol metabolic process', - 'def': 'The chemical reactions and pathways involving butanediol; the biologically relevant isomer is 2,3-butanediol, CH3CH(OH)CH(OH)CH3. [ISBN:0911910123, MetaCyc:BUTANEDIOL, MetaCyc:P125-PWY]' - }, - 'GO:0034078': { - 'name': 'butanediol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of butanediol; the biologically relevant isomer is 2,3-butanediol, CH3CH(OH)CH(OH)CH3. [GOC:mah, ISBN:0911910123, MetaCyc:125-PWY, MetaCyc:BUTANEDIOL]' - }, - 'GO:0034079': { - 'name': 'butanediol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of butanediol; the biologically relevant isomer is 2,3-butanediol, CH3CH(OH)CH(OH)CH3. [GOC:mah, ISBN:0911910123, MetaCyc:125-PWY, MetaCyc:BUTANEDIOL]' - }, - 'GO:0034080': { - 'name': 'CENP-A containing nucleosome assembly', - 'def': 'The formation of nucleosomes containing the histone H3 variant CENP-A to form centromeric chromatin. This specialised chromatin occurs at centromeric region in point centromeres, and the central core in modular centromeres. [GOC:mah, GOC:vw, PMID:18158900, PMID:19217403]' - }, - 'GO:0034081': { - 'name': 'polyketide synthase complex', - 'def': 'A protein complex that carries out enzymatic reactions involved in the biosynthesis of polyketides, any of a diverse group of natural products synthesized via linear poly-beta-ketones. [GOC:mah, PMID:12636085]' - }, - 'GO:0034082': { - 'name': 'type II polyketide synthase complex', - 'def': 'A polyketide synthase complex that consists of several different polypeptide chains, each of which catalyzes a single reaction. [GOC:cb, GOC:mah, PMID:12636085]' - }, - 'GO:0034083': { - 'name': 'type III polyketide synthase complex', - 'def': 'A polyketide synthase complex that consists of two identical ketosynthase polypeptides. [GOC:cb, PMID:12636085]' - }, - 'GO:0034084': { - 'name': 'steryl deacetylase activity', - 'def': 'Catalysis of the hydrolysis of an acetyl group or groups from an acetylated sterol. [GOC:rb, PMID:18034159]' - }, - 'GO:0034085': { - 'name': 'establishment of sister chromatid cohesion', - 'def': 'The process in which the sister chromatids of a replicated chromosome become associated with each other during S phase. [GOC:jh, GOC:mah, PMID:14623866]' - }, - 'GO:0034086': { - 'name': 'maintenance of sister chromatid cohesion', - 'def': 'The process in which the association between sister chromatids of a replicated chromosome is maintained as chromosomes condense, attach to the spindle in a bipolar orientation, and congress to the metaphase plate. [GOC:mah, PMID:14623866]' - }, - 'GO:0034087': { - 'name': 'establishment of mitotic sister chromatid cohesion', - 'def': 'The process in which the sister chromatids of a replicated chromosome become joined along the entire length of the chromosome during S phase during a mitotic cell cycle. [GOC:mah]' - }, - 'GO:0034088': { - 'name': 'maintenance of mitotic sister chromatid cohesion', - 'def': 'The process in which the association between sister chromatids of a replicated chromosome is maintained as chromosomes condense, attach to the spindle in a bipolar orientation, and congress to the metaphase plate during a mitotic cell cycle. [GOC:mah]' - }, - 'GO:0034089': { - 'name': 'establishment of meiotic sister chromatid cohesion', - 'def': 'The process in which the sister chromatids of a replicated chromosome become joined along the entire length of the chromosome during S phase during a meiotic cell cycle. [GOC:mah]' - }, - 'GO:0034090': { - 'name': 'maintenance of meiotic sister chromatid cohesion', - 'def': 'The process in which the association between sister chromatids of a replicated chromosome is maintained as chromosomes condense, attach to the spindle in a bipolar orientation, and congress to the metaphase plate during a meiotic cell cycle. [GOC:mah]' - }, - 'GO:0034091': { - 'name': 'regulation of maintenance of sister chromatid cohesion', - 'def': 'Any process that modulates the extent to which the association between sister chromatids of a replicated chromosome is maintained. [GOC:mah, GOC:vw]' - }, - 'GO:0034092': { - 'name': 'negative regulation of maintenance of sister chromatid cohesion', - 'def': 'Any process that decreases the extent to which the association between sister chromatids of a replicated chromosome is maintained. [GOC:mah, GOC:vw]' - }, - 'GO:0034093': { - 'name': 'positive regulation of maintenance of sister chromatid cohesion', - 'def': 'Any process that increases the extent to which the association between sister chromatids of a replicated chromosome is maintained. [GOC:mah, GOC:vw]' - }, - 'GO:0034094': { - 'name': 'regulation of maintenance of meiotic sister chromatid cohesion', - 'def': 'Any process that modulates the extent to which the association between sister chromatids of a replicated chromosome is maintained during a meiotic cell cycle. [GOC:mah, GOC:vw]' - }, - 'GO:0034095': { - 'name': 'negative regulation of maintenance of meiotic sister chromatid cohesion', - 'def': 'Any process that decreases the extent to which the association between sister chromatids of a replicated chromosome is maintained during a meiotic cell cycle. [GOC:mah, GOC:vw]' - }, - 'GO:0034096': { - 'name': 'positive regulation of maintenance of meiotic sister chromatid cohesion', - 'def': 'Any process that increases the extent to which the association between sister chromatids of a replicated chromosome is maintained during a meiotic cell cycle. [GOC:mah, GOC:vw]' - }, - 'GO:0034097': { - 'name': 'response to cytokine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cytokine stimulus. [GOC:sl]' - }, - 'GO:0034098': { - 'name': 'VCP-NPL4-UFD1 AAA ATPase complex', - 'def': 'A multiprotein ATPase complex required for the efficient dislocation of ER-lumenal degradation substrates, and their subsequent proteolysis by the proteasome. In budding yeast, this complex includes Cdc48p, Npl4p and Ufd1p proteins. In mammals, this complex includes a hexamer of VCP/p97 (a cytosolic ATPase) and trimers of each of its cofactors UFD1L and NPL4 (NPLOC4) (e.g. a 6:3:3 stoichiometry). [PMID:11813000, PMID:16179952]' - }, - 'GO:0034099': { - 'name': 'luminal surveillance complex', - 'def': 'A multiprotein complex that recognizes ERAD-luminal misfolded substrates and brings them to the ubiquitination/extraction machinery. In yeast, this complex consists of Yos9p, Kar2p and Hrd3p proteins. [PMID:16873065]' - }, - 'GO:0034101': { - 'name': 'erythrocyte homeostasis', - 'def': 'Any process of regulating the production and elimination of erythrocytes within an organism. [GOC:add, PMID:10694114, PMID:14754397]' - }, - 'GO:0034102': { - 'name': 'erythrocyte clearance', - 'def': 'The selective elimination of erythrocytes from the body by autoregulatory mechanisms. [GOC:add, PMID:12905029, PMID:14754397]' - }, - 'GO:0034103': { - 'name': 'regulation of tissue remodeling', - 'def': 'Any process that modulates the frequency, rate, or extent of tissue remodeling. [GOC:add]' - }, - 'GO:0034104': { - 'name': 'negative regulation of tissue remodeling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of tissue remodeling. [GOC:add]' - }, - 'GO:0034105': { - 'name': 'positive regulation of tissue remodeling', - 'def': 'Any process that activates or increases the frequency, rate, or extent of tissue remodeling. [GOC:add]' - }, - 'GO:0034106': { - 'name': 'regulation of erythrocyte clearance', - 'def': 'Any process that modulates the frequency, rate, or extent of erythrocyte clearance. [GOC:add, PMID:12905029, PMID:14754397]' - }, - 'GO:0034107': { - 'name': 'negative regulation of erythrocyte clearance', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of erythrocyte clearance. [GOC:add, PMID:12905029, PMID:14754397]' - }, - 'GO:0034108': { - 'name': 'positive regulation of erythrocyte clearance', - 'def': 'Any process that activates or increases the frequency, rate, or extent of erythrocyte clearance. [GOC:add, PMID:12905029, PMID:14754397]' - }, - 'GO:0034109': { - 'name': 'homotypic cell-cell adhesion', - 'def': 'The attachment of a cell to a second cell of the identical type via adhesion molecules. [GOC:add]' - }, - 'GO:0034110': { - 'name': 'regulation of homotypic cell-cell adhesion', - 'def': 'Any process that modulates the frequency, rate, or extent of homotypic cell-cell adhesion. [GOC:add]' - }, - 'GO:0034111': { - 'name': 'negative regulation of homotypic cell-cell adhesion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of homotypic cell-cell adhesion. [GOC:add]' - }, - 'GO:0034112': { - 'name': 'positive regulation of homotypic cell-cell adhesion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of homotypic cell-cell adhesion. [GOC:add]' - }, - 'GO:0034113': { - 'name': 'heterotypic cell-cell adhesion', - 'def': 'The attachment of a cell to a cell of a different type via adhesion molecules. [GOC:add]' - }, - 'GO:0034114': { - 'name': 'regulation of heterotypic cell-cell adhesion', - 'def': 'Any process that modulates the frequency, rate, or extent of heterotypic cell-cell adhesion. [GOC:add]' - }, - 'GO:0034115': { - 'name': 'negative regulation of heterotypic cell-cell adhesion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of heterotypic cell-cell adhesion. [GOC:add]' - }, - 'GO:0034116': { - 'name': 'positive regulation of heterotypic cell-cell adhesion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of heterotypic cell-cell adhesion. [GOC:add]' - }, - 'GO:0034117': { - 'name': 'erythrocyte aggregation', - 'def': 'The adhesion of one erythrocyte to one or more other erythrocytes via adhesion molecules. [GOC:add, PMID:14631543]' - }, - 'GO:0034118': { - 'name': 'regulation of erythrocyte aggregation', - 'def': 'Any process that modulates the frequency, rate, or extent of erythrocyte aggregation. [GOC:add]' - }, - 'GO:0034119': { - 'name': 'negative regulation of erythrocyte aggregation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of erythrocyte aggregation. [GOC:add]' - }, - 'GO:0034120': { - 'name': 'positive regulation of erythrocyte aggregation', - 'def': 'Any process that activates or increases the frequency, rate, or extent of erythrocyte aggregation. [GOC:add]' - }, - 'GO:0034121': { - 'name': 'regulation of toll-like receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034122': { - 'name': 'negative regulation of toll-like receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034123': { - 'name': 'positive regulation of toll-like receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034124': { - 'name': 'regulation of MyD88-dependent toll-like receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of MyD88-dependent toll-like receptor signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034125': { - 'name': 'negative regulation of MyD88-dependent toll-like receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of MyD88-dependent toll-like receptor signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034126': { - 'name': 'positive regulation of MyD88-dependent toll-like receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of MyD88-dependent toll-like receptor signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034127': { - 'name': 'regulation of MyD88-independent toll-like receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of MyD88-independent toll-like receptor signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034128': { - 'name': 'negative regulation of MyD88-independent toll-like receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of MyD88-independent toll-like receptor signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034129': { - 'name': 'positive regulation of MyD88-independent toll-like receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of MyD88-independent toll-like receptor signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034130': { - 'name': 'toll-like receptor 1 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 1. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034131': { - 'name': 'regulation of toll-like receptor 1 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 1 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034132': { - 'name': 'negative regulation of toll-like receptor 1 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 1 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034133': { - 'name': 'positive regulation of toll-like receptor 1 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 1 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034134': { - 'name': 'toll-like receptor 2 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 2. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034135': { - 'name': 'regulation of toll-like receptor 2 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 2 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034136': { - 'name': 'negative regulation of toll-like receptor 2 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 2 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034137': { - 'name': 'positive regulation of toll-like receptor 2 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 2 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034138': { - 'name': 'toll-like receptor 3 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 3. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034139': { - 'name': 'regulation of toll-like receptor 3 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 3 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034140': { - 'name': 'negative regulation of toll-like receptor 3 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 3 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034141': { - 'name': 'positive regulation of toll-like receptor 3 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 3 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034142': { - 'name': 'toll-like receptor 4 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 4. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034143': { - 'name': 'regulation of toll-like receptor 4 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 4 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034144': { - 'name': 'negative regulation of toll-like receptor 4 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 4 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034145': { - 'name': 'positive regulation of toll-like receptor 4 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 4 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034146': { - 'name': 'toll-like receptor 5 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 5. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034147': { - 'name': 'regulation of toll-like receptor 5 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 5 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034148': { - 'name': 'negative regulation of toll-like receptor 5 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 5 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034149': { - 'name': 'positive regulation of toll-like receptor 5 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 5 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034150': { - 'name': 'toll-like receptor 6 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 6. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034151': { - 'name': 'regulation of toll-like receptor 6 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 6 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034152': { - 'name': 'negative regulation of toll-like receptor 6 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 6 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034153': { - 'name': 'positive regulation of toll-like receptor 6 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 6 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034154': { - 'name': 'toll-like receptor 7 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 7. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034155': { - 'name': 'regulation of toll-like receptor 7 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 7 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034156': { - 'name': 'negative regulation of toll-like receptor 7 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 7 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034157': { - 'name': 'positive regulation of toll-like receptor 7 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 7 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034158': { - 'name': 'toll-like receptor 8 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 8. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034159': { - 'name': 'regulation of toll-like receptor 8 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 8 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034160': { - 'name': 'negative regulation of toll-like receptor 8 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 8 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034161': { - 'name': 'positive regulation of toll-like receptor 8 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 8 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034162': { - 'name': 'toll-like receptor 9 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 9. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034163': { - 'name': 'regulation of toll-like receptor 9 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 9 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034164': { - 'name': 'negative regulation of toll-like receptor 9 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 9 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034165': { - 'name': 'positive regulation of toll-like receptor 9 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 9 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034166': { - 'name': 'toll-like receptor 10 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 10. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034167': { - 'name': 'regulation of toll-like receptor 10 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 10 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034168': { - 'name': 'negative regulation of toll-like receptor 10 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 10 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034169': { - 'name': 'positive regulation of toll-like receptor 10 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 10 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034170': { - 'name': 'toll-like receptor 11 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 11. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034171': { - 'name': 'regulation of toll-like receptor 11 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 11 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034172': { - 'name': 'negative regulation of toll-like receptor 11 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 11 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034173': { - 'name': 'positive regulation of toll-like receptor 11 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 11 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034174': { - 'name': 'toll-like receptor 12 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 12. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034175': { - 'name': 'regulation of toll-like receptor 12 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 12 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034176': { - 'name': 'negative regulation of toll-like receptor 12 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 12 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034177': { - 'name': 'positive regulation of toll-like receptor 12 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 12 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034178': { - 'name': 'toll-like receptor 13 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 13. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034179': { - 'name': 'regulation of toll-like receptor 13 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of toll-like receptor 13 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034180': { - 'name': 'negative regulation of toll-like receptor 13 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of toll-like receptor 13 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034181': { - 'name': 'positive regulation of toll-like receptor 13 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of toll-like receptor 13 signaling pathway. [GOC:add, PMID:16551253, PMID:17328678]' - }, - 'GO:0034182': { - 'name': 'regulation of maintenance of mitotic sister chromatid cohesion', - 'def': 'Any process that modulates the extent to which the association between sister chromatids of a replicated chromosome is maintained during a mitotic cell cycle. [GOC:mah, GOC:vw]' - }, - 'GO:0034183': { - 'name': 'negative regulation of maintenance of mitotic sister chromatid cohesion', - 'def': 'Any process that decreases the extent to which the association between sister chromatids of a replicated chromosome is maintained during a mitotic cell cycle. [GOC:mah, GOC:vw]' - }, - 'GO:0034184': { - 'name': 'positive regulation of maintenance of mitotic sister chromatid cohesion', - 'def': 'Any process that increases the extent to which the association between sister chromatids of a replicated chromosome is maintained during a mitotic cell cycle. [GOC:mah, GOC:vw]' - }, - 'GO:0034185': { - 'name': 'apolipoprotein binding', - 'def': 'Interacting selectively and non-covalently with an apolipoprotein, the protein component of a lipoprotein complex. [GOC:BHF, GOC:rl]' - }, - 'GO:0034186': { - 'name': 'apolipoprotein A-I binding', - 'def': 'Interacting selectively and non-covalently with apolipoprotein A-I. [GOC:BHF, GOC:rl]' - }, - 'GO:0034187': { - 'name': 'obsolete apolipoprotein E binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with apolipoprotein E. [GOC:BHF, GOC:rl]' - }, - 'GO:0034188': { - 'name': 'apolipoprotein A-I receptor activity', - 'def': 'Combining with apolipoprotein A-I and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, GOC:BHF, GOC:rl, GOC:signaling, PMID:16443932]' - }, - 'GO:0034189': { - 'name': 'very-low-density lipoprotein particle binding', - 'def': 'Interacting selectively and non-covalently with a very-low-density lipoprotein particle, a triglyceride-rich lipoprotein particle that is typically composed of APOB100, APOE and APOCs and has a density of about 1.006 g/ml and a diameter of between 20-80 nm. [GOC:BHF, GOC:mah]' - }, - 'GO:0034190': { - 'name': 'apolipoprotein receptor binding', - 'def': 'Interacting selectively and non-covalently with an apolipoprotein receptor. [GOC:BHF, GOC:rl]' - }, - 'GO:0034191': { - 'name': 'apolipoprotein A-I receptor binding', - 'def': 'Interacting selectively and non-covalently with an apolipoprotein A-I receptor. [GOC:BHF, GOC:rl]' - }, - 'GO:0034192': { - 'name': 'D-galactonate metabolic process', - 'def': 'The chemical reactions and pathways involving D-galactonate, the anion of D-galactonic acid. [GOC:mah]' - }, - 'GO:0034193': { - 'name': 'L-galactonate metabolic process', - 'def': 'The chemical reactions and pathways involving L-galactonate, the anion of L-galactonic acid. [GOC:mah]' - }, - 'GO:0034194': { - 'name': 'D-galactonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-galactonate, the anion of D-galactonic acid. [GOC:ai, GOC:mah]' - }, - 'GO:0034195': { - 'name': 'L-galactonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-galactonate, the anion of L-galactonic acid. [GOC:ai, GOC:mah]' - }, - 'GO:0034196': { - 'name': 'acylglycerol transport', - 'def': 'The directed movement of an acylglycerol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. An acylglycerol is any mono-, di- or triester of glycerol with (one or more) fatty acids. [GOC:BHF, GOC:rl]' - }, - 'GO:0034197': { - 'name': 'triglyceride transport', - 'def': 'The directed movement of triglyceride into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Triglycerides are important components of plant oils, animal fats and animal plasma lipoproteins. [GOC:BHF, GOC:rl]' - }, - 'GO:0034198': { - 'name': 'cellular response to amino acid starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of amino acids. [GOC:ecd]' - }, - 'GO:0034199': { - 'name': 'activation of protein kinase A activity', - 'def': 'Any process that initiates the activity of the inactive enzyme protein kinase A. [GOC:pde]' - }, - 'GO:0034200': { - 'name': 'D,D-heptose 1,7-bisphosphate phosphatase activity', - 'def': 'Catalysis of the reaction: D-beta-D-heptose 1,7-bisphosphate + H2O = D-beta-D-heptose 1-phosphate + phosphate. [MetaCyc:RXN0-4361, PMID:11279237]' - }, - 'GO:0034201': { - 'name': 'response to oleic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an oleic acid stimulus. [CHEBI:16196, GOC:lp]' - }, - 'GO:0034202': { - 'name': 'glycolipid-translocating activity', - 'def': "Catalysis of the movement of glycolipids from one membrane face to the other (glycolipid 'flippase' activity). [GOC:krc, PMID:11807558]" - }, - 'GO:0034203': { - 'name': 'glycolipid translocation', - 'def': 'The translocation, or flipping, of glycolipid molecules from one monolayer of a membrane bilayer to the opposite monolayer. [GOC:go_curators, PMID:11807558]' - }, - 'GO:0034204': { - 'name': 'lipid translocation', - 'def': 'The translocation, or flipping, of lipid molecules from one monolayer of a membrane bilayer to the opposite monolayer. [GOC:mah]' - }, - 'GO:0034205': { - 'name': 'beta-amyloid formation', - 'def': 'The generation of beta-amyloid by cleavage of the amyloid precursor protein (APP). [GOC:mah]' - }, - 'GO:0034206': { - 'name': 'enhanceosome', - 'def': 'A protein-DNA complex formed by the association of a distinct set of general and specific transcription factors with a region of enhancer DNA. The cooperative assembly of an enhanceosome confers specificity of transcriptional regulation. [PMID:11250145, PMID:17574024]' - }, - 'GO:0034207': { - 'name': 'steroid acetylation', - 'def': 'The addition of an acetyl group to a steroid molecule. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:mah]' - }, - 'GO:0034208': { - 'name': 'steroid deacetylation', - 'def': 'The removal of an acetyl group from a steroid molecule. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:mah]' - }, - 'GO:0034209': { - 'name': 'sterol acetylation', - 'def': 'The addition of an acetyl group to a sterol molecule. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:rb, PMID:18034159]' - }, - 'GO:0034210': { - 'name': 'sterol deacetylation', - 'def': 'The removal of an acetyl group from a sterol molecule. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:rb, PMID:18034159]' - }, - 'GO:0034211': { - 'name': 'GTP-dependent protein kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein serine/threonine = ADP + protein serine/threonine phosphate, dependent on the presence of GTP. [GOC:ecd, PMID:17200152]' - }, - 'GO:0034212': { - 'name': 'peptide N-acetyltransferase activity', - 'def': 'Catalysis of the acetylation of an amino acid residue of a peptide or protein, according to the reaction: acetyl-CoA + peptide = CoA + N-acetylpeptide. [GOC:mah]' - }, - 'GO:0034213': { - 'name': 'quinolinate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of quinolinate, the anion of quinolinic acid, also known as 2,3-pyridinedicarboxylic acid. [GOC:mah]' - }, - 'GO:0034214': { - 'name': 'protein hexamerization', - 'def': 'The formation of a protein hexamer, a macromolecular structure consisting of six noncovalently associated identical or nonidentical subunits. [GOC:ecd]' - }, - 'GO:0034215': { - 'name': 'thiamine:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: thiamine(out) + H+(out) = thiamine(in) + H+(in). [GOC:mah]' - }, - 'GO:0034216': { - 'name': 'high-affinity thiamine:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: thiamine(out) + H+(out) = thiamine(in) + H+(in). In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:mah]' - }, - 'GO:0034217': { - 'name': 'ascospore wall chitin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ascospore wall chitin, a linear polysaccharide consisting of P-1,4-linked N-acetyl-D-glucosamine residues, found in the walls of ascospores. [GOC:mah, GOC:vw]' - }, - 'GO:0034218': { - 'name': 'ascospore wall chitin metabolic process', - 'def': 'The chemical reactions and pathways involving ascospore wall chitin, a linear polysaccharide consisting of P-1,4-linked N-acetyl-D-glucosamine residues, found in the walls of ascospores. [GOC:mah, GOC:vw]' - }, - 'GO:0034219': { - 'name': 'carbohydrate transmembrane transport', - 'def': 'The process in which a carbohydrate is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034220': { - 'name': 'ion transmembrane transport', - 'def': 'A process in which an ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034221': { - 'name': 'fungal-type cell wall chitin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cell wall chitin, a linear polysaccharide consisting of P-1,4-linked N-acetyl-D-glucosamine residues, found in the walls of fungal cells. [GOC:mah]' - }, - 'GO:0034222': { - 'name': 'regulation of cell wall chitin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving chitin in a cell wall. [GOC:mah]' - }, - 'GO:0034223': { - 'name': 'regulation of ascospore wall chitin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of ascospore wall chitin. [GOC:mah]' - }, - 'GO:0034224': { - 'name': 'cellular response to zinc ion starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of zinc ions. [GOC:mah]' - }, - 'GO:0034225': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to zinc ion starvation', - 'def': 'Modulation of the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is deprived of zinc ions. [GOC:mah]' - }, - 'GO:0034226': { - 'name': 'lysine import', - 'def': 'The directed movement of lysine, 2,6-diaminohexanoic acid, into a cell or organelle. [GOC:jl, GOC:mah]' - }, - 'GO:0034227': { - 'name': 'tRNA thio-modification', - 'def': 'The addition a sulfur atom to a nucleotide in a tRNA molecule. [GOC:mcc, PMID:12549933, PMID:14722066]' - }, - 'GO:0034228': { - 'name': 'ethanolamine transmembrane transporter activity', - 'def': 'Enables the transfer of ethanolamine from one side of the membrane to the other. Ethanolamine (2-aminoethanol, monoethanolamine) is an amino alcohol that occurs widely in living organisms as a constituent of certain types of phospholipids, such as phosphatidylethanolamine. [GOC:rn, PMID:3514579]' - }, - 'GO:0034229': { - 'name': 'ethanolamine transport', - 'def': 'The directed movement of ethanolamine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Ethanolamine (2-aminoethanol, monoethanolamine) is an amino alcohol that occurs widely in living organisms as a constituent of certain types of phospholipids, such as phosphatidylethanolamine. [GOC:rn, PMID:3514579]' - }, - 'GO:0034230': { - 'name': 'enkephalin processing', - 'def': 'The formation of mature enkephalin, a pentapeptide hormone involved in regulating pain and nociception in the body by proteolytic processing of enkephalin propeptide. [GOC:BHF, GOC:mah, GOC:rl, PMID:8262946]' - }, - 'GO:0034231': { - 'name': 'islet amyloid polypeptide processing', - 'def': 'The formation of mature islet amyloid polypeptide (IAPP) by posttranslational processing of pro-islet amyloid polypeptide (pro-IAPP). [GOC:BHF, GOC:rl, PMID:15983213, PMID:8262946]' - }, - 'GO:0034232': { - 'name': 'ascospore wall chitin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ascospore wall chitin, a linear polysaccharide consisting of P-1,4-linked N-acetyl-D-glucosamine residues, found in the walls of ascospores. [GOC:mah]' - }, - 'GO:0034233': { - 'name': 'regulation of cell wall chitin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of cell wall chitin. [GOC:mah]' - }, - 'GO:0034234': { - 'name': 'regulation of ascospore wall chitin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of ascospore wall chitin. [GOC:mah]' - }, - 'GO:0034235': { - 'name': 'GPI anchor binding', - 'def': 'Interacting selectively and non-covalently with any glycosylphosphatidylinositol anchor. GPI anchors serve to attach membrane proteins to the lipid bilayer of cell membranes. [GOC:vw]' - }, - 'GO:0034236': { - 'name': 'protein kinase A catalytic subunit binding', - 'def': 'Interacting selectively and non-covalently with one or both of the catalytic subunits of protein kinase A. [GOC:mah]' - }, - 'GO:0034237': { - 'name': 'protein kinase A regulatory subunit binding', - 'def': 'Interacting selectively and non-covalently with one or both of the regulatory subunits of protein kinase A. [GOC:mah]' - }, - 'GO:0034238': { - 'name': 'macrophage fusion', - 'def': 'The binding and fusion of a macrophage to one or more other cells to form a multinucleated cell. [GOC:sl]' - }, - 'GO:0034239': { - 'name': 'regulation of macrophage fusion', - 'def': 'Any process that modulates the frequency, rate or extent of macrophage fusion. [GOC:mah]' - }, - 'GO:0034240': { - 'name': 'negative regulation of macrophage fusion', - 'def': 'Any process that stops, prevents, or decreases the frequency, rate or extent of macrophage fusion. [GOC:mah]' - }, - 'GO:0034241': { - 'name': 'positive regulation of macrophage fusion', - 'def': 'Any process that activates or increases the frequency, rate or extent of macrophage fusion. [GOC:mah]' - }, - 'GO:0034242': { - 'name': 'negative regulation of syncytium formation by plasma membrane fusion', - 'def': 'Any process that decreases the frequency, rate or extent of the formation of a syncytium, a mass of cytoplasm containing several nuclei enclosed within a single plasma membrane, by the fusion of the plasma membranes of two or more individual cells. [GOC:mah]' - }, - 'GO:0034243': { - 'name': 'regulation of transcription elongation from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of transcription elongation, the extension of an RNA molecule after transcription initiation and promoter clearance by the addition of ribonucleotides, catalyzed by RNA polymerase II. [GOC:mah, GOC:txnOH]' - }, - 'GO:0034244': { - 'name': 'negative regulation of transcription elongation from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription elongation, the extension of an RNA molecule after transcription initiation and promoter clearance by the addition of ribonucleotides, catalyzed by RNA polymerase II. [GOC:mah, GOC:txnOH]' - }, - 'GO:0034245': { - 'name': 'mitochondrial DNA-directed RNA polymerase complex', - 'def': 'A DNA-directed RNA polymerase complex located in the mitochondrion. Mitochondrial RNA polymerase is composed of two subunits, a catalytic core, which resembles the enzymes from bacteriophage T7 and T3, and a specificity factor required for promoter recognition, which is similar to members of the eubacterial sigma factor family. In S. cerevisiae, these are encoded by the nuclear genes RPO41 and MTF1 and the specificity factor, required for promoter recognition and initiation, is not present in the elongating form. [GOC:krc, GOC:mah, PMID:7929382]' - }, - 'GO:0034246': { - 'name': 'mitochondrial RNA polymerase binding promoter specificity activity', - 'def': 'Interacting selectively and non-covalently with a mitochondrial RNA polymerase to form a holoenzyme complex and also, while present in the holoenzyme, interacting with promoter sequences in order to confer sequence specific recognition of mitochondrial promoter DNA sequence motifs. [GOC:txnOH]' - }, - 'GO:0034247': { - 'name': 'snoRNA splicing', - 'def': 'The process of removing sections of a primary snoRNA transcript to remove sequences not present in the mature form of the snoRNA and joining the remaining sections to form the mature form of the snoRNA. [GOC:mah]' - }, - 'GO:0034248': { - 'name': 'regulation of cellular amide metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving amides. [GOC:mah]' - }, - 'GO:0034249': { - 'name': 'negative regulation of cellular amide metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving amides. [GOC:mah]' - }, - 'GO:0034250': { - 'name': 'positive regulation of cellular amide metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving amides. [GOC:mah]' - }, - 'GO:0034251': { - 'name': 'regulation of cellular amide catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of amides. [GOC:mah]' - }, - 'GO:0034252': { - 'name': 'negative regulation of cellular amide catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of amides. [GOC:mah]' - }, - 'GO:0034253': { - 'name': 'positive regulation of cellular amide catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of amides. [GOC:mah]' - }, - 'GO:0034254': { - 'name': 'regulation of urea catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of urea. [GOC:mah]' - }, - 'GO:0034255': { - 'name': 'regulation of urea metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving urea. [GOC:mah]' - }, - 'GO:0034256': { - 'name': 'chlorophyll(ide) b reductase activity', - 'def': 'Catalysis of the reaction: 71-hydroxychlorophyll(ide) a + NAD(P)+ = chlorophyll(ide) b + NAD(P)H + H+. [EC:1.1.1.294, MetaCyc:RXN-7678]' - }, - 'GO:0034257': { - 'name': 'nicotinamide riboside transmembrane transporter activity', - 'def': 'Enables the transfer of nicotinamide riboside, which is a pyridine-3-carboxamide covalently bonded to a ribose sugar, from one side of a membrane to the other. [GOC:se]' - }, - 'GO:0034258': { - 'name': 'nicotinamide riboside transport', - 'def': 'The directed movement of a nicotinamide riboside, which is a pyridine-3-carboxamide covalently bonded to a ribose sugar, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:se]' - }, - 'GO:0034260': { - 'name': 'negative regulation of GTPase activity', - 'def': 'Any process that stops or reduces the rate of GTP hydrolysis by a GTPase. [GO_REF:0000058, GOC:mah, GOC:rb, GOC:TermGenie, PMID:16143306, PMID:24335649]' - }, - 'GO:0034263': { - 'name': 'positive regulation of autophagy in response to ER overload', - 'def': 'The process in which the accumulation of misfolded proteins in the endoplasmic reticulum triggers a response that positively regulates autophagy. [GOC:mah]' - }, - 'GO:0034264': { - 'name': 'isopentenyl adenine metabolic process', - 'def': 'The chemical reactions and pathways involving the cytokinin 6-isopentenyladenine. [GOC:mah, PMID:18216168]' - }, - 'GO:0034265': { - 'name': 'isopentenyl adenine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the cytokinin 6-isopentenyladenine. [GOC:mah, PMID:18216168]' - }, - 'GO:0034266': { - 'name': 'isopentenyl adenine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the cytokinin 6-isopentenyladenine. [GOC:mah, PMID:18216168]' - }, - 'GO:0034267': { - 'name': 'discadenine metabolic process', - 'def': 'The chemical reactions and pathways involving discadenine, (2S)-2-amino-4-{6-[(3-methylbut-2-en-1-yl)amino]-3H-purin-3-yl}butanoic acid. [CHEBI:15955, GOC:mah]' - }, - 'GO:0034268': { - 'name': 'discadenine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of discadenine, (2S)-2-amino-4-{6-[(3-methylbut-2-en-1-yl)amino]-3H-purin-3-yl}butanoic acid. [CHEBI:15955, GOC:mah]' - }, - 'GO:0034269': { - 'name': 'discadenine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of discadenine, (2S)-2-amino-4-{6-[(3-methylbut-2-en-1-yl)amino]-3H-purin-3-yl}butanoic acid. [CHEBI:15955, GOC:mah]' - }, - 'GO:0034270': { - 'name': 'CVT complex', - 'def': 'A protein complex that is involved in the CVT pathway. In budding yeast, the CVT complex consists of multimers of preApe1p. [GOC:rb, PMID:15659643]' - }, - 'GO:0034271': { - 'name': 'phosphatidylinositol 3-kinase complex, class III, type I', - 'def': 'A class III phosphatidylinositol 3-kinase complex that is involved in autophagy. In budding yeast, this complex consists of Vps30p, Vps34p, Apg14p and Vps15p. [GOC:ha, GOC:rb, PMID:11157979, PMID:16421251]' - }, - 'GO:0034272': { - 'name': 'phosphatidylinositol 3-kinase complex, class III, type II', - 'def': 'A class III phosphatidylinositol 3-kinase complex that is involved in vacuolar protein sorting (VPS) via endosomes. In budding yeast, this complex consists of Vps30p, Vps34p, Vps38 and Vps15p. [GOC:ha, GOC:rb, PMID:11157979, PMID:16421251]' - }, - 'GO:0034274': { - 'name': 'Atg12-Atg5-Atg16 complex', - 'def': 'A protein complex required for the expansion of the autophagosomal membrane. In budding yeast, this complex consists of Atg12p, Atg5p and Atg16p. [GOC:rb, PMID:17986448]' - }, - 'GO:0034275': { - 'name': 'kynurenic acid metabolic process', - 'def': 'The chemical reactions and pathways involving kynurenic acid, 4-hydroxyquinoline-2-carboxylic acid. [CHEBI:18344, GOC:mah]' - }, - 'GO:0034276': { - 'name': 'kynurenic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of kynurenic acid, 4-hydroxyquinoline-2-carboxylic acid. [CHEBI:18344, GOC:mah]' - }, - 'GO:0034277': { - 'name': 'ent-cassa-12,15-diene synthase activity', - 'def': 'Catalysis of the reaction: ent-copalyl diphosphate = ent-cassa-12,15-diene + diphosphate. [EC:4.2.3.28, RHEA:25535]' - }, - 'GO:0034278': { - 'name': 'stemar-13-ene synthase activity', - 'def': 'Catalysis of the reaction: 9-alpha-copalyl diphosphate = stemar-13-ene + diphosphate. [MetaCyc:RXN-4882, RHEA:25555]' - }, - 'GO:0034279': { - 'name': 'syn-pimara-7,15-diene synthase activity', - 'def': 'Catalysis of the reaction: 9-alpha-copalyl diphosphate = 9-beta-pimara-7,15-diene + diphosphate. [MetaCyc:RXN-4883, RHEA:25563]' - }, - 'GO:0034280': { - 'name': 'ent-sandaracopimaradiene synthase activity', - 'def': 'Catalysis of the reaction: ent-copalyl diphosphate = ent-sandaracopimara-8(14),15-diene + diphosphate. [MetaCyc:RXN-4884, RHEA:25539]' - }, - 'GO:0034281': { - 'name': 'ent-isokaurene synthase activity', - 'def': 'Catalysis of the reaction: ent-copalyl diphosphate = ent-isokaurene + diphosphate. [PMID:17141283]' - }, - 'GO:0034282': { - 'name': 'ent-pimara-8(14),15-diene synthase activity', - 'def': 'Catalysis of the reaction: ent-copalyl diphosphate = ent-pimara-8(14),15-diene + diphosphate. [RHEA:25543]' - }, - 'GO:0034283': { - 'name': 'syn-stemod-13(17)-ene synthase activity', - 'def': 'Catalysis of the reaction: 9-alpha-copalyl diphosphate = stemod-13(17)-ene + diphosphate. [RHEA:25559]' - }, - 'GO:0034284': { - 'name': 'response to monosaccharide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a monosaccharide stimulus. [GOC:mah]' - }, - 'GO:0034285': { - 'name': 'response to disaccharide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disaccharide stimulus. [GOC:sart]' - }, - 'GO:0034286': { - 'name': 'response to maltose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a maltose stimulus. [GOC:sart]' - }, - 'GO:0034287': { - 'name': 'detection of monosaccharide stimulus', - 'def': 'The series of events in which a stimulus from a monosaccharide is received and converted into a molecular signal. [GOC:mah]' - }, - 'GO:0034288': { - 'name': 'detection of disaccharide stimulus', - 'def': 'The series of events in which a stimulus from a disaccharide is received and converted into a molecular signal. [GOC:sart]' - }, - 'GO:0034289': { - 'name': 'detection of maltose stimulus', - 'def': 'The series of events in which a maltose stimulus is received by a cell and converted into a molecular signal. [GOC:sart]' - }, - 'GO:0034290': { - 'name': 'holin activity', - 'def': 'A compound function consisting of the regulated formation of a pore via oligomerisation of an existing pool of subunits in the plasma membrane. The resulting channel activity directly or indirectly allows murein hydrolyases to access their cell wall substrate. [GOC:jh2, PMID:1406491, PMID:25157079]' - }, - 'GO:0034291': { - 'name': 'canonical holin activity', - 'def': 'A compound function consisting of the regulated formation of a pore via oligomerisation of an existing pool of subunits in the plasma membrane. The resulting channel activity directly allows release of a fully-folded phage-encoded endolysin (murein-degradase) from the cell. [GOC:jh2, GOC:mah, PMID:1406491, PMID:25157079]' - }, - 'GO:0034292': { - 'name': 'pinholin activity', - 'def': 'A compound function consisting of the regulated formation of a pore via oligomerisation of an existing pool of subunits in the plasma membrane. The resulting ion channel activity indirectly allows endolysin (murein hydrolyases) to access their cell wall substrate by collapsing the proton motive force (PMF) across the membrane, allowing the endolysin to fold to an active form and hydrolyze bonds in the peptidoglycan cell wall. [GOC:jh2, GOC:mah, PMID:1406491, PMID:25157079]' - }, - 'GO:0034293': { - 'name': 'sexual sporulation', - 'def': 'The formation of spores derived from the products of meiosis. [GOC:mah]' - }, - 'GO:0034294': { - 'name': 'sexual spore wall assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a sexual spore wall, the specialized envelope lying outside the cell membrane of a spore derived from a product of meiosis. [GOC:mah]' - }, - 'GO:0034295': { - 'name': 'basidiospore formation', - 'def': 'The process in which spores form outside a specialized end cell known as a basidium. Basidia are characteristic of the basidiomycete fungi (phylum Basidiomycota), and give rise to spores that each contain a haploid nucleus that is the product of meiosis. The spores are usually attached to the basidium by short spikes called sterigmata (singular: sterigma). In most basidiomycetes there are four sterigmata (and four spores) to a basidium. [GOC:di, GOC:ds, GOC:mah, GOC:mcc, http://www.gsbs.utmb.edu/microbook/ch073.htm, http://www.ilmyco.gen.chicago.il.us/Terms/basid133.html]' - }, - 'GO:0034296': { - 'name': 'zygospore formation', - 'def': 'The process in which zygospores are formed. Zygospores are characteristic of the zygomycete fungi (phylum Zygomycota) thick-walled and darkly colored, and usually heavily ornamented as well, with many spines or ridges. It is formed between two specialized organs called suspensors, which are themselves usually heavily ornamented, one from each mating partner. The zygospore forms between them and then breaks away. [GOC:ds, GOC:mah, http://www.ilmyco.gen.chicago.il.us/Terms/zygos581.html]' - }, - 'GO:0034297': { - 'name': 'oidium formation', - 'def': 'The process in which oidia, a type of asexual spore found in fungi, are formed. Oidia are borne a few at a time on very simple hyphae that protrude a short distance into the substrate, and are usually presumed not to constitute the main reproductive strategy of the fungus. [GOC:mah, http://www.ilmyco.gen.chicago.il.us/Terms/oidiu163.html]' - }, - 'GO:0034298': { - 'name': 'arthrospore formation', - 'def': 'The formation of conidia by the conversion of a pre-existing hypha. An arthrospore is produced by the last cell on a hypha breaking off and dispersing. Usually the walls thicken and the cell(s) separates before swelling of each spore. Sometimes further septa form in each cell prior to disarticulation. [GOC:mah, http://bugs.bio.usyd.edu.au/Mycology/Glossary/glossary_a_b.shtml#arthrospore, http://www.ilmyco.gen.chicago.il.us/Terms/arthr620.html]' - }, - 'GO:0034299': { - 'name': 'reproductive blastospore formation', - 'def': 'The formation of a spore following the marked enlargement of part of a cell before separation by a septum. Blastospores are a type of asexual spore found in some fungi, most notably the class Glomeromycota. [GOC:mah, http://bugs.bio.usyd.edu.au/Mycology/Glossary/glossary_a_b.shtml#blastospore, http://bugs.bio.usyd.edu.au/Mycology/Taxonomy/glomeromycota.shtml]' - }, - 'GO:0034300': { - 'name': 'sporangiospore formation', - 'def': 'The process in which sporangiospores, a type of asexual spore found in fungi, are formed. Sporangiospores are formed within sac-like structure, the sporangium, following the division of the cytoplasm. [GOC:ds, GOC:mah, http://bugs.bio.usyd.edu.au/Mycology/Glossary/glossary_n_z.shtml]' - }, - 'GO:0034301': { - 'name': 'endospore formation', - 'def': 'The process in which a cell gives rise to an endospore, a dormant, highly resistant spore with a thick wall that forms within the mother cell. Endospores are produced by some low G+C Gram-positive bacteria in response to harsh conditions. [GOC:ds, GOC:mah, ISBN:0470090278]' - }, - 'GO:0034302': { - 'name': 'akinete formation', - 'def': 'The process in which an akinete, a thick-walled (encysted) dormant cell derived from the enlargement of a vegetative cell, is formed. Akinetes typically have granular cytoplasm, are more resistant to environmental extremes than vegetative cells, and are characteristic of several groups of Cyanobacteria. [GOC:ds, GOC:mah, http://www.msu.edu/course/bot/423/algalglossary.htm#Reproductive, PMID:11948167]' - }, - 'GO:0034303': { - 'name': 'myxospore formation', - 'def': 'The process in which differentiated, resting cells are formed, usually within a fruiting body by Myxobacteria. The myxospore is more resistant to high temperature, dessication, and UV than vegetative myxobacteria. [GOC:ds, ISBN:0122268008]' - }, - 'GO:0034304': { - 'name': 'actinomycete-type spore formation', - 'def': 'The process in which differentiated, resting cells are formed from a substrate mycelium; characteristic of many members of the order Actinomycetales. [GOC:ds, ISBN:0122268008]' - }, - 'GO:0034305': { - 'name': 'regulation of asexual sporulation', - 'def': 'Any process that modulates the frequency, rate or extent of spore formation from the products of mitosis. [GOC:mah]' - }, - 'GO:0034306': { - 'name': 'regulation of sexual sporulation', - 'def': 'Any process that modulates the frequency, rate or extent of spore formation from the products of meiosis. An example of this is found in Saccharomyces cerevisiae. [GOC:mah]' - }, - 'GO:0034307': { - 'name': 'regulation of ascospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of ascospore formation. An example of this process is found in Saccharomyces cerevisiae. [GOC:mah]' - }, - 'GO:0034308': { - 'name': 'primary alcohol metabolic process', - 'def': 'The chemical reactions and pathways involving primary alcohols. A primary alcohol is any alcohol in which a hydroxy group, -OH, is attached to a saturated carbon atom which has either three hydrogen atoms attached to it or only one other carbon atom and two hydrogen atoms attached to it. [CHEBI:15734, GOC:mah]' - }, - 'GO:0034309': { - 'name': 'primary alcohol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of primary alcohols. A primary alcohol is any alcohol in which a hydroxy group, -OH, is attached to a saturated carbon atom which has either three hydrogen atoms attached to it or only one other carbon atom and two hydrogen atoms attached to it. [CHEBI:15734, GOC:mah]' - }, - 'GO:0034310': { - 'name': 'primary alcohol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of primary alcohols. A primary alcohol is any alcohol in which a hydroxy group, -OH, is attached to a saturated carbon atom which has either three hydrogen atoms attached to it or only one other carbon atom and two hydrogen atoms attached to it. [CHEBI:15734, GOC:mah]' - }, - 'GO:0034311': { - 'name': 'diol metabolic process', - 'def': 'The chemical reactions and pathways involving a diol, a compound that contains two hydroxy groups, generally assumed to be, but not necessarily, alcoholic. [CHEBI:23824]' - }, - 'GO:0034312': { - 'name': 'diol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a diol, any alcohol containing two hydroxyl groups attached to saturated carbon atoms. [CHEBI:23824, GOC:mah]' - }, - 'GO:0034313': { - 'name': 'diol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a diol, any alcohol containing two hydroxyl groups attached to saturated carbon atoms. [CHEBI:23824, GOC:mah]' - }, - 'GO:0034314': { - 'name': 'Arp2/3 complex-mediated actin nucleation', - 'def': 'The actin nucleation process in which actin monomers combine to form a new branch on the side of an existing actin filament; mediated by the Arp2/3 protein complex and its interaction with other proteins. [GOC:mah, PMID:16959963, PMID:18640983]' - }, - 'GO:0034315': { - 'name': 'regulation of Arp2/3 complex-mediated actin nucleation', - 'def': 'Any process that modulates the frequency, rate or extent of actin nucleation mediated by the Arp2/3 complex and interacting proteins. [GOC:mah]' - }, - 'GO:0034316': { - 'name': 'negative regulation of Arp2/3 complex-mediated actin nucleation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of actin nucleation mediated by the Arp2/3 complex and interacting proteins. [GOC:mah, PMID:16959963]' - }, - 'GO:0034317': { - 'name': 'nicotinic acid riboside kinase activity', - 'def': 'Catalysis of the reaction: ATP + nicotinic acid riboside = ADP + nicotinic acid mononucleotide. [PMID:17914902]' - }, - 'GO:0034318': { - 'name': 'alcohol O-acyltransferase activity', - 'def': 'Catalysis of the transfer of an acyl group to an oxygen atom on an alcohol acceptor molecule. [GOC:mah]' - }, - 'GO:0034319': { - 'name': 'alcohol O-butanoyltransferase activity', - 'def': 'Catalysis of the reaction: butanoyl-CoA + an alcohol = CoA + a butyl ester. [GOC:mah, PMID:16361250]' - }, - 'GO:0034320': { - 'name': 'alcohol O-hexanoyltransferase activity', - 'def': 'Catalysis of the reaction: hexanoyl-CoA + an alcohol = CoA + a hexyl ester. [GOC:mah, PMID:16361250]' - }, - 'GO:0034321': { - 'name': 'alcohol O-octanoyltransferase activity', - 'def': 'Catalysis of the reaction: octanoyl-CoA + an alcohol = CoA + an octyl ester. [GOC:mah, PMID:16361250]' - }, - 'GO:0034322': { - 'name': 'alcohol O-decanoyltransferase activity', - 'def': 'Catalysis of the reaction: decanoyl-CoA + an alcohol = CoA + a decyl ester. [GOC:mah, PMID:16361250]' - }, - 'GO:0034323': { - 'name': 'O-butanoyltransferase activity', - 'def': 'Catalysis of the transfer of a butyl group to an oxygen atom on the acceptor molecule. [GOC:mah]' - }, - 'GO:0034324': { - 'name': 'O-hexanoyltransferase activity', - 'def': 'Catalysis of the transfer of a hexyl group to an oxygen atom on the acceptor molecule. [GOC:mah]' - }, - 'GO:0034325': { - 'name': 'O-decanoyltransferase activity', - 'def': 'Catalysis of the transfer of a decyl group to an oxygen atom on the acceptor molecule. [GOC:mah]' - }, - 'GO:0034326': { - 'name': 'butanoyltransferase activity', - 'def': 'Catalysis of the transfer of a butanoyl (CH3-[CH2]2-CO-) group to an acceptor molecule. [GOC:mah]' - }, - 'GO:0034327': { - 'name': 'hexanoyltransferase activity', - 'def': 'Catalysis of the transfer of a hexanoyl (CH3-[CH2]4-CO-) group to an acceptor molecule. [GOC:mah]' - }, - 'GO:0034328': { - 'name': 'decanoyltransferase activity', - 'def': 'Catalysis of the transfer of a decanoyl (CH3-[CH2]8-CO-) group to an acceptor molecule. [GOC:mah]' - }, - 'GO:0034329': { - 'name': 'cell junction assembly', - 'def': 'A cellular process that results in the aggregation, arrangement and bonding together of a set of components to form a cell junction. [GOC:mah]' - }, - 'GO:0034330': { - 'name': 'cell junction organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a cell junction. A cell junction is a specialized region of connection between two cells or between a cell and the extracellular matrix. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0034331': { - 'name': 'cell junction maintenance', - 'def': 'The organization process that preserves a cell junction in a stable functional or structural state. A cell junction is a specialized region of connection between two cells or between a cell and the extracellular matrix. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0034332': { - 'name': 'adherens junction organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an adherens junction. An adherens junction is a cell junction at which the cytoplasmic face of the plasma membrane is attached to actin filaments. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0034333': { - 'name': 'adherens junction assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an adherens junction. An adherens junction is a cell junction at which the cytoplasmic face of the plasma membrane is attached to actin filaments. [GOC:mah]' - }, - 'GO:0034334': { - 'name': 'adherens junction maintenance', - 'def': 'The maintenance of an adherens junction. An adherens junction is a cell junction at which the cytoplasmic face of the plasma membrane is attached to actin filaments. [GOC:mah]' - }, - 'GO:0034335': { - 'name': 'DNA supercoiling activity', - 'def': 'Catalytic introduction of supercoils in a DNA molecule or region thereof. In bacteria, negative supercoils are only introduced by DNA gyrase, a type II topoisomerase, but not all DNA gyrases are capable of introducing supercoils. In bacteria, the level of supercoiling varies widely between species and has been characterized properly in only a handful of organisms. The best characterized enzyme, from E.coli, is exceptionally proficient at supercoiling and this ability is not representative of all bacteria. [GOC:mah]' - }, - 'GO:0034336': { - 'name': 'misfolded RNA binding', - 'def': 'Interacting selectively and non-covalently with an RNA molecule that has assumed an incorrect conformation. [GOC:mah, PMID:10393192]' - }, - 'GO:0034337': { - 'name': 'RNA folding', - 'def': 'The process of assisting in the covalent and noncovalent assembly of single or multimeric RNAs into the correct tertiary structure. [GOC:mah, PMID:10393192]' - }, - 'GO:0034338': { - 'name': 'short-chain carboxylesterase activity', - 'def': 'Catalysis of the reaction: a carboxylic ester + H2O = an alcohol + a carboxylic anion, where the carboxylic chain has 8 or fewer carbon atoms. [GOC:jp]' - }, - 'GO:0034339': { - 'name': 'obsolete regulation of transcription from RNA polymerase II promoter by nuclear hormone receptor', - 'def': 'OBSOLETE. Any process in which a ligand-bound hormone receptor acts in the nucleus to modulate the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GO_REF:0000021, GOC:mah, GOC:mh]' - }, - 'GO:0034340': { - 'name': 'response to type I interferon', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a type I interferon stimulus. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:add, ISBN:0126896631, PMID:15546383, PMID:16681834]' - }, - 'GO:0034341': { - 'name': 'response to interferon-gamma', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interferon-gamma stimulus. Interferon-gamma is also known as type II interferon. [GOC:add, ISBN:0126896631, PMID:15546383]' - }, - 'GO:0034342': { - 'name': 'response to type III interferon', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a type III interferon stimulus. Interferon lambda is the only member of the type III interferon found so far. [GOC:add, ISBN:0126896631, PMID:15546383, PMID:16734557]' - }, - 'GO:0034343': { - 'name': 'type III interferon production', - 'def': 'The appearance of type III interferon due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. Interferon lambda is the only member of the type III interferon found so far. [GOC:add, ISBN:0126896631, PMID:15546383, PMID:16734557]' - }, - 'GO:0034344': { - 'name': 'regulation of type III interferon production', - 'def': 'Any process that modulates the frequency, rate, or extent of type III interferon production. Interferon lambda is the only member of the type III interferon found so far. [GOC:add, ISBN:0126896631, PMID:15546383, PMID:16734557]' - }, - 'GO:0034345': { - 'name': 'negative regulation of type III interferon production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of type III interferon production. Interferon lambda is the only member of the type III interferon found so far. [GOC:add, ISBN:0126896631, PMID:15546383, PMID:16734557]' - }, - 'GO:0034346': { - 'name': 'positive regulation of type III interferon production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of type III interferon production. Interferon lambda is the only member of the type III interferon found so far. [GOC:add, ISBN:0126896631, PMID:15546383, PMID:16734557]' - }, - 'GO:0034347': { - 'name': 'type III interferon binding', - 'def': 'Interacting selectively and non-covalently with a type III interferon. Interferon lambda is the only member of the type III interferon found so far. [GOC:add, ISBN:0126896631, PMID:15546383, PMID:16734557]' - }, - 'GO:0034348': { - 'name': 'type III interferon receptor activity', - 'def': 'Combining with a type III interferon and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. Interferon lambda is the only member of the type III interferon found so far. [GOC:add, GOC:signaling, ISBN:0126896631, PMID:15546383, PMID:16734557]' - }, - 'GO:0034349': { - 'name': 'glial cell apoptotic process', - 'def': 'Any apoptotic process in a glial cell, a non-neuronal cell of the nervous system. [CL:0000125, GOC:mtg_apoptosis, GOC:sart]' - }, - 'GO:0034350': { - 'name': 'regulation of glial cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate, or extent of glial cell apoptotic process. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0034351': { - 'name': 'negative regulation of glial cell apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of glial cell apoptotic process. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0034352': { - 'name': 'positive regulation of glial cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of glial cell apoptotic process. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0034353': { - 'name': 'RNA pyrophosphohydrolase activity', - 'def': "Catalysis of the removal of a 5' terminal pyrophosphate from the 5'-triphosphate end of an RNA, leaving a 5'-monophosphate end. [GOC:jh2, PMID:17612492, PMID:18202662]" - }, - 'GO:0034354': { - 'name': "'de novo' NAD biosynthetic process from tryptophan", - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide adenine dinucleotide (NAD), beginning with the synthesis of tryptophan from simpler precursors; biosynthesis may be of either the oxidized form, NAD, or the reduced form, NADH. [PMID:17161604]' - }, - 'GO:0034355': { - 'name': 'NAD salvage', - 'def': 'Any process that generates nicotinamide adenine dinucleotide (NAD) from derivatives of it, without de novo synthesis; salvage is usually from the degradation products nicotinic acid (Na) and nicotinamide (Nam). [GOC:mah, PMID:12648681]' - }, - 'GO:0034356': { - 'name': 'NAD biosynthesis via nicotinamide riboside salvage pathway', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide adenine dinucleotide (NAD) from the vitamin precursor nicotinamide riboside. [PMID:17482543]' - }, - 'GO:0034357': { - 'name': 'photosynthetic membrane', - 'def': 'A membrane enriched in complexes formed of reaction centers, accessory pigments and electron carriers, in which photosynthetic reactions take place. [GOC:ds, GOC:mah]' - }, - 'GO:0034358': { - 'name': 'plasma lipoprotein particle', - 'def': 'A spherical particle with a hydrophobic core of triglycerides and/or cholesterol esters, surrounded by an amphipathic monolayer of phospholipids, cholesterol and apolipoproteins. Plasma lipoprotein particles transport lipids, which are non-covalently associated with the particles, in the blood or lymph. [GOC:BHF, GOC:expert_pt, GOC:rl]' - }, - 'GO:0034359': { - 'name': 'mature chylomicron', - 'def': 'A chylomicron that contains apolipoprotein C2 (APOC2), a cofactor for lipoprotein lipase (LPL) activity, and has a mean diameter of 500 nm and density of 0.95g/ml. Mature chylomicron particles transport exogenous (dietary) lipids from the intestines to other body tissues, via the blood and lymph. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034360': { - 'name': 'chylomicron remnant', - 'def': 'A lipoprotein particle that is derived from a mature chylomicron particle by the removal of triglycerides from the chylomicron core by lipoprotein lipase and the subsequent loss of surface components. It characteristically contains apolipoprotein E (APOE) and is cleared from the blood by the liver. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034361': { - 'name': 'very-low-density lipoprotein particle', - 'def': 'A triglyceride-rich lipoprotein particle that is typically composed of APOB100, APOE and APOCs and has a density of about 1.006 g/ml and a diameter of between 20-80 nm. It is found in blood and transports endogenous products (newly synthesized cholesterol and triglycerides) from the liver. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034362': { - 'name': 'low-density lipoprotein particle', - 'def': 'A lipoprotein particle, rich in cholesterol esters and low in triglycerides that is typically composed of APOB100 and APOE and has a density of 1.02-1.06 g/ml and a diameter of between 20-25 nm. LDL particles are formed from VLDL particles (via IDL) by the loss of triglyceride and gain of cholesterol ester. They transport endogenous cholesterol (and to some extent triglycerides) from peripheral tissues back to the liver. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034363': { - 'name': 'intermediate-density lipoprotein particle', - 'def': 'A triglyceride-rich lipoprotein particle that typically contains APOB100, APOE and APOCs and has a density of 1.006-1.019 g/ml and a diameter of between 25-30 nm. IDL particles are found in blood and are formed by the delipidation of very-low-density lipoprotein particles (VLDL). IDL particles are removed from blood by the liver, following binding to the APOE receptor, or are converted to low-density lipoprotein (LDL). [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034364': { - 'name': 'high-density lipoprotein particle', - 'def': 'A lipoprotein particle with a high density (typically 1.063-1.21 g/ml) and a diameter of 5-10 nm that contains APOAs and may contain APOCs and APOE; found in blood and carries lipids from body tissues to the liver as part of the reverse cholesterol transport process. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:pde, GOC:rl]' - }, - 'GO:0034365': { - 'name': 'discoidal high-density lipoprotein particle', - 'def': 'A newly formed high-density lipoprotein particle; consists of a phospholipid bilayer surrounded by two or more APOA1 molecules. The discoidal HDL particle is formed when lipid-free or lipid-poor APOA1 acquires phospholipids and unesterified cholesterol from either cell membranes or triglyceride-rich lipoproteins (undergoing lipolysis by lipoprotein lipase). [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034366': { - 'name': 'spherical high-density lipoprotein particle', - 'def': 'A mature high-density lipoprotein (HDL) particle, converted from discoidal HDL particles following the esterification of cholesterol in the particle by phosphatidylcholine-sterol O-acyltransferase (lecithin cholesterol acyltransferase; LCAT). [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034367': { - 'name': 'macromolecular complex remodeling', - 'def': 'The acquisition, loss, or modification of macromolecules within a complex, resulting in the alteration of an existing complex. [GOC:BHF, GOC:mah, GOC:mtg_mpo, GOC:rl]' - }, - 'GO:0034368': { - 'name': 'protein-lipid complex remodeling', - 'def': 'The acquisition, loss or modification of a protein or lipid within a protein-lipid complex. [GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0034369': { - 'name': 'plasma lipoprotein particle remodeling', - 'def': 'The acquisition, loss or modification of a protein or lipid within a plasma lipoprotein particle, including the hydrolysis of triglyceride by hepatic lipase, with the subsequent loss of free fatty acid, and the esterification of cholesterol by phosphatidylcholine-sterol O-acyltransferase (lecithin cholesterol acyltransferase; LCAT). [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034370': { - 'name': 'triglyceride-rich lipoprotein particle remodeling', - 'def': 'The acquisition, loss or modification of a protein or lipid within a triglyceride-rich lipoprotein particle, including the hydrolysis of triglyceride by lipoprotein lipase, with the subsequent loss of free fatty acid, and the transfer of cholesterol esters to a triglyceride-rich lipoprotein particle by cholesteryl ester transfer protein (CETP), with the simultaneous transfer of triglyceride from a triglyceride-rich lipoprotein particle. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034371': { - 'name': 'chylomicron remodeling', - 'def': 'The acquisition, loss or modification of a protein or lipid within a chylomicron, including the hydrolysis of triglyceride by lipoprotein lipase and the subsequent loss of free fatty acid. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034372': { - 'name': 'very-low-density lipoprotein particle remodeling', - 'def': 'The acquisition, loss or modification of a protein or lipid within a very-low-density lipoprotein particle, including the hydrolysis of triglyceride by hepatic lipase or lipoprotein lipase and the subsequent loss of free fatty acid. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034373': { - 'name': 'intermediate-density lipoprotein particle remodeling', - 'def': 'The acquisition, loss or modification of a protein or lipid within an intermediate-density lipoprotein particle. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034374': { - 'name': 'low-density lipoprotein particle remodeling', - 'def': 'The acquisition, loss or modification of a protein or lipid within a low-density lipoprotein particle, including the hydrolysis of triglyceride by hepatic lipase, with the subsequent loss of free fatty acid, and the transfer of cholesterol esters from LDL to a triglyceride-rich lipoprotein particle by cholesteryl ester transfer protein (CETP), with the simultaneous transfer of triglyceride to LDL. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034375': { - 'name': 'high-density lipoprotein particle remodeling', - 'def': 'The acquisition, loss or modification of a protein or lipid within a high-density lipoprotein particle, including the hydrolysis of triglyceride by hepatic lipase, with the subsequent loss of free fatty acid, and the transfer of cholesterol esters from LDL to a triglyceride-rich lipoprotein particle by cholesteryl ester transfer protein (CETP), with the simultaneous transfer of triglyceride to LDL. [GOC:BHF, GOC:expert_pt, GOC:mah, GOC:rl]' - }, - 'GO:0034376': { - 'name': 'conversion of discoidal high-density lipoprotein particle to spherical high-density lipoprotein particle', - 'def': 'The process in which a discoidal high-density lipoprotein (HDL) particle acquires additional lipid or protein molecules, and cholesterol in the particle is converted to tightly bound cholesterol esters by the action of phosphatidylcholine-sterol O-acyltransferase (lecithin cholesterol acyltransferase; LCAT), resulting in the formation of a spherical HDL particle. [GOC:BHF, GOC:mah, GOC:pde]' - }, - 'GO:0034377': { - 'name': 'plasma lipoprotein particle assembly', - 'def': 'The non-covalent aggregation and arrangement of proteins and lipids to form a plasma lipoprotein particle. [GOC:BHF, GOC:mah]' - }, - 'GO:0034378': { - 'name': 'chylomicron assembly', - 'def': 'The non-covalent aggregation and arrangement of proteins and lipids in the intestine to form a chylomicron. [GOC:BHF, GOC:mah]' - }, - 'GO:0034379': { - 'name': 'very-low-density lipoprotein particle assembly', - 'def': 'The non-covalent aggregation and arrangement of proteins and lipids in the liver to form a very-low-density lipoprotein particle. [GOC:BHF, GOC:mah]' - }, - 'GO:0034380': { - 'name': 'high-density lipoprotein particle assembly', - 'def': 'The non-covalent aggregation and arrangement of proteins and lipids to form a high-density lipoprotein particle. [GOC:BHF, GOC:mah]' - }, - 'GO:0034381': { - 'name': 'plasma lipoprotein particle clearance', - 'def': 'The process in which a lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:ascb_2009, GOC:BHF, GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0034382': { - 'name': 'chylomicron remnant clearance', - 'def': 'The process in which a chylomicron remnant is removed from the blood via receptor-mediated endocytosis into liver cells and its constituent parts degraded. [GOC:BHF, GOC:mah, GOC:pde]' - }, - 'GO:0034383': { - 'name': 'low-density lipoprotein particle clearance', - 'def': 'The process in which a low-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:mah]' - }, - 'GO:0034384': { - 'name': 'high-density lipoprotein particle clearance', - 'def': 'The process in which a high-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:mah]' - }, - 'GO:0034385': { - 'name': 'triglyceride-rich plasma lipoprotein particle', - 'def': 'A plasma lipoprotein particle that has a hydrophobic core enriched in triglycerides surrounded by an amphipathic monolayer of phospholipids, cholesterol and apolipoproteins. Triglyceride-rich lipoprotein particles transport lipids, which are non-covalently associated with the particles, in the blood. [GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0034386': { - 'name': '4-aminobutyrate:2-oxoglutarate transaminase activity', - 'def': 'Catalysis of the reaction: 4-aminobutanoate + 2-oxoglutarate = succinate semialdehyde + L-glutamate. [EC:2.6.1.19, GOC:mah]' - }, - 'GO:0034387': { - 'name': '4-aminobutyrate:pyruvate transaminase activity', - 'def': 'Catalysis of the reaction: 4-aminobutanoate + pyruvate = succinate semialdehyde + alanine. [EC:2.6.1.19, GOC:mah]' - }, - 'GO:0034388': { - 'name': 'Pwp2p-containing subcomplex of 90S preribosome', - 'def': "A protein complex that forms a subcomplex of the 90S preribosome and can interact directly with the 5' External Transcribed Spacer (ETS) of the full length pre-rRNA transcript. In S. cerevisiae, it sediments at 25-30 S and is composed of Pwp2p, Dip2p, Utp21p, Utp13p, Utp18p, and Utp6p. [GOC:krc, PMID:15231838]" - }, - 'GO:0034389': { - 'name': 'lipid particle organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a lipid particle. [GOC:dph, GOC:jl, GOC:mah, PMID:18093937, PMID:18250201]' - }, - 'GO:0034390': { - 'name': 'smooth muscle cell apoptotic process', - 'def': 'Any apoptotic process in a smooth muscle cell. Smooth muscle consists of non-striated, elongated, spindle-shaped cell found lining the digestive tract, uterus, and blood vessels. [CL:0000192, GOC:BHF, GOC:mah, GOC:mtg_apoptosis, GOC:rl]' - }, - 'GO:0034391': { - 'name': 'regulation of smooth muscle cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate, or extent of smooth muscle cell apoptotic process. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl]' - }, - 'GO:0034392': { - 'name': 'negative regulation of smooth muscle cell apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of smooth muscle cell apoptotic process. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl]' - }, - 'GO:0034393': { - 'name': 'positive regulation of smooth muscle cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate, or extent of smooth muscle cell apoptotic process. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl]' - }, - 'GO:0034394': { - 'name': 'protein localization to cell surface', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the external part of the cell wall and/or plasma membrane. [GOC:mah]' - }, - 'GO:0034395': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to iron', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter in response to an iron stimulus. [GO_REF:0000021, GOC:mah]' - }, - 'GO:0034396': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to iron', - 'def': 'Any process that stops, prevents or reduces the rate of transcription from an RNA polymerase II promoter in response to an iron stimulus. [GOC:mah]' - }, - 'GO:0034397': { - 'name': 'telomere localization', - 'def': 'Any process in which a telomere is transported to, and/or maintained in, a specific location. [GOC:mah, GOC:vw]' - }, - 'GO:0034398': { - 'name': 'telomere tethering at nuclear periphery', - 'def': 'The process in which a telomere is maintained in a specific location at the nuclear periphery. [GOC:mah]' - }, - 'GO:0034399': { - 'name': 'nuclear periphery', - 'def': 'The portion of the nuclear lumen proximal to the inner nuclear membrane. [GOC:krc, GOC:mah]' - }, - 'GO:0034400': { - 'name': 'gerontoplast', - 'def': 'A plastid found in senescing, formerly green tissues that is derived from a chloroplast that undergoes an organized developmental program of senescence. [PMID:12654863, PMID:16151876]' - }, - 'GO:0034401': { - 'name': 'chromatin organization involved in regulation of transcription', - 'def': 'Any cellular process that results in the specification, formation or maintenance of the physical structure of eukaryotic chromatin that modulates the rate, frequency or extent of DNA-dependent transcription. [GOC:curators]' - }, - 'GO:0034402': { - 'name': "recruitment of 3'-end processing factors to RNA polymerase II holoenzyme complex", - 'def': "The process in which proteins required for 3'-end transcript processing become associated with the RNA polymerase II holoenzyme complex and the 3' end of a transcript. [PMID:18195044]" - }, - 'GO:0034403': { - 'name': "alignment of 3' and 5' splice sites of mRNA", - 'def': "Recognition of both the 5' and 3'-splice sites and positioning them in the correct alignment with respect to each other so that the second catalytic step of nuclear mRNA splicing can occur. [GOC:krc, PMID:9430647]" - }, - 'GO:0034404': { - 'name': 'nucleobase-containing small molecule biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a nucleobase-containing small molecule: a nucleobase, a nucleoside, or a nucleotide. [GOC:mah]' - }, - 'GO:0034405': { - 'name': 'response to fluid shear stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fluid shear stress stimulus. Fluid shear stress is the force acting on an object in a system where the fluid is moving across a solid surface. [GOC:sl]' - }, - 'GO:0034406': { - 'name': 'cell wall beta-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving beta-glucans, compounds composed of glucose residues linked by beta-D-glucosidic bonds, found in the walls of cells. [GOC:mah]' - }, - 'GO:0034407': { - 'name': 'cell wall (1->3)-beta-D-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D-glucosidic bonds, found in the walls of cells. [GOC:mah]' - }, - 'GO:0034408': { - 'name': 'ascospore wall beta-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving beta-glucans, compounds composed of glucose residues linked by beta-D-glucosidic bonds, found in the walls of ascospores. [GOC:mah]' - }, - 'GO:0034409': { - 'name': 'ascospore wall (1->3)-beta-D-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D-glucosidic bonds, found in the walls of ascospores. [GOC:mah]' - }, - 'GO:0034410': { - 'name': 'cell wall beta-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-glucans, compounds composed of glucose residues linked by beta-D-glucosidic bonds, found in the walls of cells. [GOC:mah]' - }, - 'GO:0034411': { - 'name': 'cell wall (1->3)-beta-D-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D-glucosidic bonds, found in the walls of cells. [GOC:mah]' - }, - 'GO:0034412': { - 'name': 'ascospore wall beta-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-glucans, compounds composed of glucose residues linked by beta-D-glucosidic bonds, found in the walls of ascospores. [GOC:mah]' - }, - 'GO:0034413': { - 'name': 'ascospore wall (1->3)-beta-D-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D-glucosidic bonds, found in the walls of ascospores. [GOC:mah]' - }, - 'GO:0034414': { - 'name': "tRNA 3'-trailer cleavage, endonucleolytic", - 'def': "Endonucleolytic cleavage of the 3'-end of the pre-tRNA as part of the process of generating the mature 3'-end of the tRNA. [GOC:mah]" - }, - 'GO:0034415': { - 'name': "tRNA 3'-trailer cleavage, exonucleolytic", - 'def': "Exonucleolytic cleavage of the 3'-end of the pre-tRNA as part of the process of generating the mature 3'-end of the tRNA. [GOC:mah]" - }, - 'GO:0034416': { - 'name': 'bisphosphoglycerate phosphatase activity', - 'def': 'Catalysis of the reaction: 2,3-diphosphoglycerate + H2O = phosphoglycerate + phosphate. [EC:3.1.3.13, EC:3.1.3.80, GOC:mah, PMID:18413611]' - }, - 'GO:0034417': { - 'name': 'bisphosphoglycerate 3-phosphatase activity', - 'def': 'Catalysis of the reaction: 2,3-diphosphoglycerate + H2O = 2-phospho-D-glycerate + phosphate. [EC:3.1.3.80, GOC:mah, PMID:18413611]' - }, - 'GO:0034418': { - 'name': 'urate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of urate, the anion of uric acid, 2,6,8-trioxypurine. [GOC:mah]' - }, - 'GO:0034419': { - 'name': 'L-2-hydroxyglutarate oxidase activity', - 'def': 'Catalysis of the reaction: L-2-hydroxyglutarate + O2 = 2-oxoglutarate + hydrogen peroxide. [PMID:18390652]' - }, - 'GO:0034420': { - 'name': 'co-translational protein acetylation', - 'def': 'The addition of an acetyl group to one or more amino acids in a protein, occurring before the protein has been completely translated and released from the ribosome. [GOC:mah]' - }, - 'GO:0034421': { - 'name': 'post-translational protein acetylation', - 'def': 'The addition of an acetyl group to one or more amino acids in a protein, occurring after the protein has been completely translated and released from the ribosome. [GOC:mah]' - }, - 'GO:0034422': { - 'name': 'aleurone grain lumen', - 'def': 'The volume enclosed by the membrane of an aleurone grain. [GOC:rph]' - }, - 'GO:0034423': { - 'name': 'autophagosome lumen', - 'def': 'The volume enclosed within the autophagosome double-membrane. [GOC:autophagy, GOC:rph]' - }, - 'GO:0034424': { - 'name': 'Vps55/Vps68 complex', - 'def': 'A membrane-associated protein complex that is required for a late stage of endosomal transport. In budding yeast, this complex consists of Vps55p and Vps68p proteins. [PMID:18216282]' - }, - 'GO:0034425': { - 'name': 'etioplast envelope', - 'def': 'The double lipid bilayer enclosing the etioplast and separating its contents from the rest of the cytoplasm; includes the intermembrane space. [GOC:mah]' - }, - 'GO:0034426': { - 'name': 'etioplast membrane', - 'def': 'Either of the lipid bilayers that surround a etioplast and form the etioplast envelope. [GOC:rph]' - }, - 'GO:0034427': { - 'name': "nuclear-transcribed mRNA catabolic process, exonucleolytic, 3'-5'", - 'def': "The chemical reactions and pathways resulting in the breakdown of the mRNA transcript body that occurs when the 3' end is not protected by a 3'-poly(A) tail; degradation proceeds in the 3' to 5' direction. [GOC:krc, GOC:mah]" - }, - 'GO:0034428': { - 'name': "nuclear-transcribed mRNA catabolic process, exonucleolytic, 5'-3'", - 'def': "The chemical reactions and pathways resulting in the breakdown of the mRNA transcript body that occurs when the 5' end is not protected by a 5'-cap; degradation proceeds in the 5' to 3' direction. [GOC:krc, GOC:mah]" - }, - 'GO:0034429': { - 'name': 'tectobulbar tract morphogenesis', - 'def': 'Generation of a long process of a CNS neuron, that carries efferent (outgoing) action potentials from the cell body in the optic tectum towards target cells in the premotor reticulospinal system in the hindbrain. [GOC:dsf, PMID:15065115, PMID:17507550, PMID:8038988]' - }, - 'GO:0034430': { - 'name': 'monolayer-surrounded lipid storage body outer lipid monolayer', - 'def': 'The single layer of phopholipids surrounding a lipid storage body. [GOC:rph]' - }, - 'GO:0034431': { - 'name': "bis(5'-adenosyl)-hexaphosphatase activity", - 'def': "Catalysis of the reaction: P1-P6-bis(5'-adenosyl) hexaphosphate + H2O = AMP + adenosine 5'-pentaphosphate. [PMID:10085096, PMID:9450008]" - }, - 'GO:0034432': { - 'name': "bis(5'-adenosyl)-pentaphosphatase activity", - 'def': "Catalysis of the reaction: P1-P6-bis(5'-adenosyl) pentaphosphate + H2O = AMP + adenosine 5'-tetraphosphate. [PMID:10085096, PMID:9450008]" - }, - 'GO:0034433': { - 'name': 'steroid esterification', - 'def': 'A lipid modification process in which a steroid ester is formed by the combination of a carboxylic acid (often a fatty acid) and a steroid molecule (e.g. cholesterol). [GOC:BHF, GOC:mah, GOC:pde, GOC:rl]' - }, - 'GO:0034434': { - 'name': 'sterol esterification', - 'def': 'A lipid modification process in which a sterol ester is formed by the combination of a carboxylic acid (often a fatty acid) and a sterol molecule (e.g. cholesterol). [GOC:BHF, GOC:mah, GOC:pde, GOC:rl]' - }, - 'GO:0034435': { - 'name': 'cholesterol esterification', - 'def': 'A lipid modification process in which a sterol ester is formed by the combination of a carboxylic acid (often a fatty acid) and cholesterol. In the blood this process is associated with the conversion of free cholesterol into cholesteryl ester, which is then sequestered into the core of a lipoprotein particle. [GOC:BHF, GOC:mah, GOC:pde, GOC:rl]' - }, - 'GO:0034436': { - 'name': 'glycoprotein transport', - 'def': 'The directed movement of a glycoprotein, any protein that contains covalently bound glycose (i.e. monosaccharide) residues, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0034437': { - 'name': 'glycoprotein transporter activity', - 'def': 'Enables the directed movement of a glycoprotein, any protein that contains covalently bound glycose (i.e. monosaccharide) residues, into, out of or within a cell, or between cells. [GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0034438': { - 'name': 'lipoprotein amino acid oxidation', - 'def': 'The modification of a lipoprotein by oxidation of one or more amino acids in the protein. [GOC:BHF, GOC:mah]' - }, - 'GO:0034439': { - 'name': 'lipoprotein lipid oxidation', - 'def': 'The modification of a lipoprotein by oxidation of the lipid group. [GOC:BHF, GOC:mah]' - }, - 'GO:0034440': { - 'name': 'lipid oxidation', - 'def': 'The removal of one or more electrons from a lipid, with or without the concomitant removal of a proton or protons, by reaction with an electron-accepting substance, by addition of oxygen or by removal of hydrogen. [GOC:BHF, GOC:mah]' - }, - 'GO:0034441': { - 'name': 'plasma lipoprotein oxidation', - 'def': 'The modification of a lipoprotein by oxidation of one or more amino acids or the lipid group, occurring in the blood plasma. [GOC:BHF, GOC:mah]' - }, - 'GO:0034442': { - 'name': 'regulation of lipoprotein oxidation', - 'def': 'Any process that modulates the frequency, rate or extent of lipoprotein oxidation. [GOC:BHF, GOC:mah]' - }, - 'GO:0034443': { - 'name': 'negative regulation of lipoprotein oxidation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of lipoprotein oxidation. [GOC:BHF, GOC:mah]' - }, - 'GO:0034444': { - 'name': 'regulation of plasma lipoprotein oxidation', - 'def': 'Any process that modulates the frequency, rate or extent of lipoprotein oxidation, occurring in the blood plasma. [GOC:BHF, GOC:mah]' - }, - 'GO:0034445': { - 'name': 'negative regulation of plasma lipoprotein oxidation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of lipoprotein particle oxidation, occurring in the blood plasma. [GOC:BHF, GOC:mah]' - }, - 'GO:0034446': { - 'name': 'substrate adhesion-dependent cell spreading', - 'def': 'The morphogenetic process that results in flattening of a cell as a consequence of its adhesion to a substrate. [GOC:mah, GOC:pf, PMID:17050732]' - }, - 'GO:0034447': { - 'name': 'very-low-density lipoprotein particle clearance', - 'def': 'The process in which a very-low-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF, GOC:rl]' - }, - 'GO:0034448': { - 'name': 'EGO complex', - 'def': 'A vacuolar membrane-associated protein complex that is required for activation of microautophagy during exit from rapamycin-induced growth arrest. In budding yeast, S. cerevisiae, this complex includes Gtr1p, Gtr2p, Meh1p, and Slm4p. [GOC:dgf, GOC:rb, PMID:15989961, PMID:16732272, PMID:19748353]' - }, - 'GO:0034450': { - 'name': 'ubiquitin-ubiquitin ligase activity', - 'def': 'Isoenergetic transfer of ubiquitin from one protein to an existing ubiquitin chain via the reaction X-ubiquitin + Y-ubiquitin -> Y-ubiquitin-ubiquitin + X, where both the X-ubiquitin and Y-ubiquitin-ubiquitin linkages are thioester bonds between the C-terminal glycine of ubiquitin and a sulfhydryl side group of a cysteine residue. [GOC:mah, GOC:mcc, PMID:10089879, PMID:17190603]' - }, - 'GO:0034451': { - 'name': 'centriolar satellite', - 'def': 'A small (70-100 nm) cytoplasmic granule that contains a number of centrosomal proteins; centriolar satellites traffic toward microtubule minus ends and are enriched near the centrosome. [GOC:BHF, PMID:10579718, PMID:12403812]' - }, - 'GO:0034452': { - 'name': 'dynactin binding', - 'def': 'Interacting selectively and non-covalently with any part of a dynactin complex; dynactin is a large protein complex that activates dynein-based motor activity. [GOC:BHF, GOC:mah]' - }, - 'GO:0034453': { - 'name': 'microtubule anchoring', - 'def': 'Any process in which a microtubule is maintained in a specific location in a cell. [GOC:mah]' - }, - 'GO:0034454': { - 'name': 'microtubule anchoring at centrosome', - 'def': 'Any process in which a microtubule is maintained in a specific location in a cell by attachment to a centrosome. [GOC:BHF, GOC:mah]' - }, - 'GO:0034455': { - 'name': 't-UTP complex', - 'def': 'A protein complex that forms a subcomplex of the 90S preribosome and is required for the subsequent assembly of the rest of the preribosome. In S. cerevisiae, it is composed of Utp5p, Utp4p, Nan1p, Utp8p, Utp9p, Utp10 and Utp15p. [GOC:krc, GOC:mah, GOC:vw, PMID:17515605]' - }, - 'GO:0034456': { - 'name': 'UTP-C complex', - 'def': 'A protein complex that forms a subcomplex of the 90S preribosome. In S. cerevisiae, it is composed of Rrp7p, Utp22p, Ckb1p, Cka1p, Ckb2p and Cka2p. [GOC:mah, PMID:17515605]' - }, - 'GO:0034457': { - 'name': 'Mpp10 complex', - 'def': 'A protein complex that forms a subcomplex of the 90S preribosome. In S. cerevisiae, it is composed of Mpp10p, Imp3p and Imp4p. [GOC:mah, PMID:17515605]' - }, - 'GO:0034458': { - 'name': "3'-5' RNA helicase activity", - 'def': "Catalysis of the unwinding of an RNA helix in the direction 3' to 5'. [GOC:mah]" - }, - 'GO:0034459': { - 'name': "ATP-dependent 3'-5' RNA helicase activity", - 'def': "Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction drives the unwinding of an RNA helix in the direction 3' to 5'. [GOC:jp]" - }, - 'GO:0034460': { - 'name': 'uropod assembly', - 'def': 'The assembly of a uropod by rearrangement of the cytoskeleton and overlying membrane. [GOC:mah]' - }, - 'GO:0034461': { - 'name': 'uropod retraction', - 'def': 'The process in which a uropod detaches from the cell substrate and retracts the rear of a migrating cell. [GOC:mah, PMID:10704379]' - }, - 'GO:0034462': { - 'name': 'small-subunit processome assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and RNA molecules to form a small-subunit processome. [GOC:mah]' - }, - 'GO:0034463': { - 'name': '90S preribosome assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and RNA molecules to form a 90S preribosome. The 90S preribosome represents the complex that forms on the primary rRNA transcript before it splits into the small subunit and large subunit portions. [GOC:krc, GOC:mah, GOC:tb]' - }, - 'GO:0034464': { - 'name': 'BBSome', - 'def': 'A ciliary protein complex involved in cilium biogenesis. It consists of at least seven Bardet-Biedl syndrome (BBS) proteins and BBIP10. It moves in association with IFT trains through cilia (likely as an IFT-A/B adaptor or cargo), and is required for the integrity of IFT-A and IFT-B. [GOC:BHF, GOC:cilia, PMID:15231740, PMID:17574030, PMID:26498262]' - }, - 'GO:0034465': { - 'name': 'response to carbon monoxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carbon monoxide (CO) stimulus. [GOC:ecd]' - }, - 'GO:0034466': { - 'name': 'chromaffin granule lumen', - 'def': 'The volume enclosed by the membrane of a chromaffin granule. [GOC:rph]' - }, - 'GO:0034467': { - 'name': 'esterosome lumen', - 'def': 'The volume enclosed by the membrane of an esterosome. [GOC:rph]' - }, - 'GO:0034468': { - 'name': 'glycosome lumen', - 'def': 'The volume enclosed by the membrane of a glycosome. [GOC:rph]' - }, - 'GO:0034469': { - 'name': 'Golgi stack lumen', - 'def': 'The volume enclosed by any of the membranes of the thin, flattened cisternae that form the central portion of the Golgi complex. [GOC:mah]' - }, - 'GO:0034470': { - 'name': 'ncRNA processing', - 'def': 'Any process that results in the conversion of one or more primary non-coding RNA (ncRNA) transcripts into one or more mature ncRNA molecules. [GOC:mah]' - }, - 'GO:0034471': { - 'name': "ncRNA 5'-end processing", - 'def': "Any process involved in forming the mature 5' end of a non-coding RNA molecule. [GOC:mah]" - }, - 'GO:0034472': { - 'name': "snRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of an snRNA molecule. [GOC:mah]" - }, - 'GO:0034473': { - 'name': "U1 snRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a U1 snRNA molecule. [GOC:mah]" - }, - 'GO:0034474': { - 'name': "U2 snRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a U2 snRNA molecule. [GOC:mah]" - }, - 'GO:0034475': { - 'name': "U4 snRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a U4 snRNA molecule. [GOC:mah]" - }, - 'GO:0034476': { - 'name': "U5 snRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a U5 snRNA molecule. [GOC:mah]" - }, - 'GO:0034477': { - 'name': "U6 snRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a U6 snRNA molecule. [GOC:mah]" - }, - 'GO:0034478': { - 'name': 'phosphatidylglycerol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphatidylglycerols, any of a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of glycerol. [GOC:mah]' - }, - 'GO:0034479': { - 'name': 'phosphatidylglycerol phospholipase C activity', - 'def': 'Catalysis of the reaction: a phosphatidylglycerol + H2O = 1,2-diacylglycerol + glycerol 3-phosphate. [GOC:mah, PMID:18434318]' - }, - 'GO:0034480': { - 'name': 'phosphatidylcholine phospholipase C activity', - 'def': 'Catalysis of the reaction: phosphatidylcholine + H2O = 1,2-diacylglycerol + a choline phosphate. [EC:3.1.4.3, GOC:mah]' - }, - 'GO:0034481': { - 'name': 'chondroitin sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + chondroitin = adenosine 3',5'-bisphosphate + chondroitin sulfate. [EC:2.8.2.17, EC:2.8.2.5, GOC:mah]" - }, - 'GO:0034482': { - 'name': 'chondroitin 2-O-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + chondroitin = adenosine 3',5'-bisphosphate + chondroitin 2'-O-sulfate. Results in sulfation of glucuronic acid and iduronic acid residues. [PMID:17227754]" - }, - 'GO:0034483': { - 'name': 'heparan sulfate sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + heparan sulfate = adenosine 3',5'-bisphosphate + sulfated heparan sulfate. [GOC:mah]" - }, - 'GO:0034484': { - 'name': 'raffinose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of raffinose, the trisaccharide beta-D-fructofuranosyl alpha-D-galactopyranosyl-(1->6)-alpha-D-glucopyranoside. [CHEBI:16634, GOC:mah]' - }, - 'GO:0034485': { - 'name': 'phosphatidylinositol-3,4,5-trisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylinositol-3,4,5-trisphosphate + H2O = phosphatidylinositol-3,4-bisphosphate + phosphate. [GOC:pf]' - }, - 'GO:0034486': { - 'name': 'vacuolar transmembrane transport', - 'def': 'The process in which a solute is transported from one side of the vacuolar membrane to the other. [GOC:mah]' - }, - 'GO:0034487': { - 'name': 'vacuolar amino acid transmembrane transport', - 'def': 'The process in which an amino acid is transported from one side of the vacuolar membrane to the other. [GOC:mah]' - }, - 'GO:0034488': { - 'name': 'basic amino acid transmembrane export from vacuole', - 'def': 'The directed movement of basic amino acids out of the vacuole, across the vacuolar membrane. [GOC:mah]' - }, - 'GO:0034489': { - 'name': 'neutral amino acid transmembrane export from vacuole', - 'def': 'The directed movement of neutral amino acids out of the vacuole, across the vacuolar membrane. [GOC:mah]' - }, - 'GO:0034490': { - 'name': 'basic amino acid transmembrane import into vacuole', - 'def': 'The directed movement of basic amino acids into the vacuole across the vacuolar membrane. [GOC:mah]' - }, - 'GO:0034491': { - 'name': 'neutral amino acid transmembrane import into vacuole', - 'def': 'The directed movement of neutral amino acids into the vacuole across the vacuolar membrane. [GOC:mah]' - }, - 'GO:0034492': { - 'name': 'hydrogenosome lumen', - 'def': 'The volume enclosed by the hydrogenosome membrane. [GOC:rph]' - }, - 'GO:0034493': { - 'name': 'melanosome lumen', - 'def': 'The volume enclosed by the melanosome membrane. [GOC:rph]' - }, - 'GO:0034494': { - 'name': 'microneme lumen', - 'def': 'The volume enclosed by the microneme membrane. [GOC:rph]' - }, - 'GO:0034495': { - 'name': 'protein storage vacuole lumen', - 'def': 'The volume enclosed by the protein storage vacuole membrane. [GOC:rph]' - }, - 'GO:0034496': { - 'name': 'multivesicular body membrane disassembly', - 'def': 'The controlled breakdown of the membranes of multivesicular bodies. [GOC:rb]' - }, - 'GO:0034497': { - 'name': 'protein localization to pre-autophagosomal structure', - 'def': 'Any process in which a protein is transported to, or maintained at, the pre-autophagosomal structure (PAS). [GOC:rb]' - }, - 'GO:0034498': { - 'name': 'early endosome to Golgi transport', - 'def': 'The directed movement of substances from early endosomes to the Golgi. [GOC:rb]' - }, - 'GO:0034499': { - 'name': 'late endosome to Golgi transport', - 'def': 'The directed movement of substances from late endosomes to the Golgi. [GOC:rb]' - }, - 'GO:0034501': { - 'name': 'protein localization to kinetochore', - 'def': 'Any process in which a protein is transported to, or maintained at, the kinetochore. [GOC:mah]' - }, - 'GO:0034502': { - 'name': 'protein localization to chromosome', - 'def': 'Any process in which a protein is transported to, or maintained at, a specific location on a chromosome. [GOC:mah]' - }, - 'GO:0034503': { - 'name': 'protein localization to nucleolar rDNA repeats', - 'def': 'Any process in which a protein is transported to, or maintained at, the rDNA repeats on a chromosome in the nucleolus. [GOC:mah]' - }, - 'GO:0034504': { - 'name': 'protein localization to nucleus', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the nucleus. [GOC:ecd]' - }, - 'GO:0034505': { - 'name': 'tooth mineralization', - 'def': 'The process in which calcium salts are deposited into calcareous tooth structures such as dental enamel, dentin and cementum. [GOC:mah, MP:0002817, MSH:D014074]' - }, - 'GO:0034506': { - 'name': 'chromosome, centromeric core domain', - 'def': 'The innermost portion of the centromeric region of a chromosome, encompassing the core region of a chromosome centromere and the proteins that bind to it. [GOC:mah, GOC:vw]' - }, - 'GO:0034507': { - 'name': 'chromosome, centromeric outer repeat region', - 'def': 'The portion of the centromeric region of a chromosome that flanks the core region, encompassing repeated regions of a chromosome centromere and the proteins that bind to it. [GOC:mah, GOC:vw]' - }, - 'GO:0034508': { - 'name': 'centromere complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and centromeric DNA molecules to form a centromeric protein-DNA complex. Includes the formation of the chromatin structures which form a platform for the kinetochore, and assembly of the kinetochore onto this specialized chromatin. In fission yeast and higher eukaryotes this process also includes the formation of heterochromatin at the outer repeat (pericentric) regions of the centromere. [GOC:mah, GOC:vw]' - }, - 'GO:0034510': { - 'name': 'centromere separation', - 'def': 'The cell cycle process in which centromeres are physically detached from each other during chromosome separation. [GOC:mah]' - }, - 'GO:0034511': { - 'name': 'U3 snoRNA binding', - 'def': 'Interacting selectively and non-covalently with U3 small nucleolar RNA. [GOC:mah]' - }, - 'GO:0034512': { - 'name': 'box C/D snoRNA binding', - 'def': 'Interacting selectively and non-covalently with box C/D small nucleolar RNA. [GOC:mah]' - }, - 'GO:0034513': { - 'name': 'box H/ACA snoRNA binding', - 'def': 'Interacting selectively and non-covalently with box H/ACA small nucleolar RNA. [GOC:mah]' - }, - 'GO:0034514': { - 'name': 'mitochondrial unfolded protein response', - 'def': 'The series of molecular signals generated as a consequence of the presence of unfolded proteins in the mitochondrial matrix; results in transcriptional upregulation of nuclear genes encoding mitochondrial stress proteins. [GOC:mah, PMID:17849004]' - }, - 'GO:0034515': { - 'name': 'proteasome storage granule', - 'def': 'A multisubunit proteasome complex that localizes in the cytoplasm as dot-like structures when cells are in a quiescent state. [GOC:rb, PMID:18504300]' - }, - 'GO:0034516': { - 'name': 'response to vitamin B6', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin B6 stimulus. Vitamin B6 encompasses pyridoxal, pyridoxamine and pyridoxine and the active form, pyridoxal phosphate. [GOC:mah, GOC:rph]' - }, - 'GO:0034517': { - 'name': 'ribophagy', - 'def': 'The process in which cells degrade mature ribosomes under conditions of starvation. [GOC:autophagy, PMID:18391941]' - }, - 'GO:0034518': { - 'name': 'RNA cap binding complex', - 'def': 'Any protein complex that binds to a specialized RNA cap structure at any time in the lifetime of the RNA. [GOC:mah]' - }, - 'GO:0034519': { - 'name': 'cytoplasmic RNA cap binding complex', - 'def': "A protein complex found in the cytoplasm that binds the 5' cap structure of an mRNA, and typically consists of the cap-binding protein eIF4E, the adaptor protein eIF4G, and a multi-factor complex comprising eIF1, eIF2, eIF3 and eIF5. This complex mediates recruitment of the 40S subunit to mRNA. [PMID:16405910]" - }, - 'GO:0034520': { - 'name': '2-naphthaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-naphthaldehyde + NAD+ + H2O = 2-naphthoate + NADH + H+. [UM-BBD_reactionID:r0772]' - }, - 'GO:0034521': { - 'name': '1-naphthoic acid dioxygenase activity', - 'def': 'Catalysis of the reaction: 1-naphthoic acid + NADH + O2 + H+ = cis-1,2-dihydroxy-1,2-dihydro-8-carboxynaphthalene + NAD+. [UM-BBD_reactionID:r0773]' - }, - 'GO:0034522': { - 'name': 'cis-1,2-dihydroxy-1,2-dihydro-8-carboxynaphthalene dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-1,2-dihydroxy-1,2-dihydro-8-carboxynaphthalene = 1,2-dihydroxy-8-carboxynaphthalene + 2 H+ + 2 e-. [UM-BBD_reactionID:r0774]' - }, - 'GO:0034523': { - 'name': '3-formylsalicylate oxidase activity', - 'def': 'Catalysis of the reaction: 3-formylsalicylic acid + O2 + H2O = 2-hydroxyisophthalic acid + hydrogen peroxide. [UM-BBD_reactionID:r0777]' - }, - 'GO:0034524': { - 'name': '2-hydroxyisophthalate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2-hydroxyisophthalic acid = salicylate + CO2. [UM-BBD_reactionID:r0776]' - }, - 'GO:0034525': { - 'name': '1-naphthaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 1-naphthaldehyde + NAD+ + H2O = 1-naphthoic acid + NADH + H+. [UM-BBD_reactionID:r0787]' - }, - 'GO:0034526': { - 'name': '2-methylnaphthalene hydroxylase activity', - 'def': 'Catalysis of the reaction: 2-methylnaphthalene + NADH + O2 + H+ = 2-hydroxymethylnaphthalene + NAD+ + H2O. [UM-BBD_reactionID:r0788]' - }, - 'GO:0034527': { - 'name': '1,2-dihydroxy-8-carboxynaphthalene dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxy-8-carboxynaphthalene + O2 = 2-carboxy-2-hydroxy-8-carboxychromene. [UM-BBD_reactionID:r0790]' - }, - 'GO:0034528': { - 'name': '2-carboxy-2-hydroxy-8-carboxychromene isomerase activity', - 'def': 'Catalysis of the reaction: 2-carboxy-2-hydroxy-8-carboxychromene = 2-hydroxy-3-carboxybenzalpyruvate. [UM-BBD_reactionID:r0791]' - }, - 'GO:0034529': { - 'name': '2-hydroxy-3-carboxy-benzalpyruvate hydratase-aldolase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-3-carboxybenzalpyruvate + H2O = 3-formylsalicylic acid + pyruvate. [UM-BBD_reactionID:r0792]' - }, - 'GO:0034530': { - 'name': '4-hydroxymethylsalicyaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-hydroxymethylsalicylaldehyde + NAD+ + H2O = 4-hydroxymethylsalicylate + NADH + 2 H+. [UM-BBD_reactionID:r0767]' - }, - 'GO:0034531': { - 'name': '2-hydroxy-4-hydroxymethylbenzalpyruvate hydratase-aldolase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-4-hydroxymethylbenzalpyruvate + H2O = pyruvate + 4-hydroxymethylsalicylaldehyde. [UM-BBD_reactionID:r0766]' - }, - 'GO:0034532': { - 'name': '2-hydroxy-7-hydroxymethylchromene-2-carboxylate isomerase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-7-hydroxymethylchromene-2-carboxylate = 2-hydroxy-4-hydroxymethylbenzalpyruvate. [UM-BBD_reactionID:r0765]' - }, - 'GO:0034533': { - 'name': '1,2-dihydroxy-7-hydroxymethylnaphthalene dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxy-7-hydroxymethylnaphthalene + O2 = 2-hydroxy-7-hydroxymethylchromene-2-carboxylate. [UM-BBD_reactionID:r0764]' - }, - 'GO:0034534': { - 'name': '1-methylnaphthalene hydroxylase activity', - 'def': 'Catalysis of the reaction: 1-methylnaphthalene + NADH + H+ + O2 = 1-hydroxymethylnaphthalene + NAD+ + H2O. [UM-BBD_reactionID:r0795]' - }, - 'GO:0034535': { - 'name': '1,2-dihydroxy-8-methylnaphthalene dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxy-8-methylnaphthalene + O2 = 2-hydroxy-8-methylchromene-2-carboxylate + H+. [UM-BBD_reactionID:r0781]' - }, - 'GO:0034536': { - 'name': '2-hydroxy-8-methylchromene-2-carboxylate isomerase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-8-methylchromene-2-carboxylate = 2-hydroxy-3-methylbenzalpyruvate. [UM-BBD_reactionID:r0782]' - }, - 'GO:0034537': { - 'name': '2-hydroxy-3-methylbenzalpyruvate hydratase-aldolase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-3-methylbenzalpyruvate + H2O = pyruvate + 3-methylsalicylaldehyde. [UM-BBD_reactionID:r0783]' - }, - 'GO:0034538': { - 'name': '3-methylsalicylaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-methylsalicylaldehyde + NAD+ = 3-methylsalicylate + NADH + H+. [UM-BBD_reactionID:r0784]' - }, - 'GO:0034539': { - 'name': "3,3',5,5'-tetrabromobisphenol A reductive dehalogenase activity", - 'def': "Catalysis of the reaction: 3,3',5,5'-tetrabromobisphenol A + 2 H+ + 2 e- = 3,3',5-tribromobisphenol A + HBr. [UM-BBD_reactionID:r0821]" - }, - 'GO:0034540': { - 'name': '3-monobromobisphenol A reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: 3-monobromobisphenol A + 2 H+ + 2 e- = bisphenol A + HBr. [UM-BBD_reactionID:r0824]' - }, - 'GO:0034541': { - 'name': 'dimethylarsinite methyltransferase activity', - 'def': 'Catalysis of the reaction: dimethylarsenous acid + R2S-CH3 = trimethylarsine oxide + R2SH. [UM-BBD_reactionID:r0806]' - }, - 'GO:0034542': { - 'name': 'trimethylarsine oxidase activity', - 'def': 'Catalysis of the reaction: trimethylarsine oxide + 2 H+ + 2 e- = trimethylarsine + H2O. [UM-BBD_reactionID:r0807]' - }, - 'GO:0034543': { - 'name': '5-aminosalicylate dioxygenase activity', - 'def': 'Catalysis of the reaction: 5-aminosalicylate + O2 = cis-4-amino-6-carboxy-2-oxo-hexa-3,5-dienoate. [UM-BBD_reactionID:r0809]' - }, - 'GO:0034544': { - 'name': 'trans-ACOHDA hydrolase activity', - 'def': 'Catalysis of the reaction: trans-4-amino-6-carboxy-2-oxo-hexa-3,5-dienoate + H2O = fumarylpyruvate + NH3. [UM-BBD_reactionID:r0810]' - }, - 'GO:0034545': { - 'name': 'fumarylpyruvate hydrolase activity', - 'def': 'Catalysis of the reaction: fumarylpyruvate + H2O = fumarate + pyruvate + H+. [UM-BBD_reactionID:r0811]' - }, - 'GO:0034546': { - 'name': '2,4-dichloroaniline reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: 2,4-dichloroaniline + 2 H+ + 2 e- = 4-chloroaniline + HCl. [UM-BBD_reactionID:r0819]' - }, - 'GO:0034547': { - 'name': 'N-cyclopropylmelamine deaminase activity', - 'def': 'Catalysis of the reaction: cyromazine + H2O = N-cyclopropylammeline + NH3. [UM-BBD_reactionID:r0825]' - }, - 'GO:0034548': { - 'name': 'N-cyclopropylammeline deaminase activity', - 'def': 'Catalysis of the reaction: N-cyclopropylammeline + H2O = N-cyclopropylammelide + NH3. [UM-BBD_reactionID:r0826]' - }, - 'GO:0034549': { - 'name': 'N-cyclopropylammelide alkylamino hydrolase activity', - 'def': 'Catalysis of the reaction: N-cyclopropylammelide + H2O = cyclopropylamine + cyanuric acid. [UM-BBD_reactionID:r0827]' - }, - 'GO:0034550': { - 'name': 'dimethylarsinate reductase activity', - 'def': 'Catalysis of the reaction: dimethylarsinate + 3 H+ + 2 e- = dimethylarsinous acid + H2O. [UM-BBD_reactionID:r0838]' - }, - 'GO:0034551': { - 'name': 'mitochondrial respiratory chain complex III assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the cytochrome bc(1) complex (also known as ubiquinol-cytochrome c reductase), in the mitochondrial inner membrane. [GOC:dgf, GOC:mcc]' - }, - 'GO:0034552': { - 'name': 'respiratory chain complex II assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form respiratory chain complex II. [GOC:dgf]' - }, - 'GO:0034553': { - 'name': 'mitochondrial respiratory chain complex II assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form respiratory chain complex II, in the mitochondrial inner membrane. [GOC:dgf]' - }, - 'GO:0034554': { - 'name': "3,3',5-tribromobisphenol A reductive dehalogenase activity", - 'def': "Catalysis of the reaction: 3,3',5-tribromobisphenol A + 2 H+ + 2 e- = 3,3'-dibromobisphenol A + HBr. [UM-BBD_reactionID:r0842]" - }, - 'GO:0034555': { - 'name': "3,3'-dibromobisphenol A reductive dehalogenase activity", - 'def': "Catalysis of the reaction: 3,3'-dibromobisphenol A + 2 H+ + 2 e- = 3-monobromobisphenol A + HBr. [UM-BBD_reactionID:r0844]" - }, - 'GO:0034556': { - 'name': 'nitrobenzoate nitroreductase activity', - 'def': 'Catalysis of the reaction: o-nitrobenzoate + NADPH + H+ = o-hydroxylaminobenzoate + NADP+. [UM-BBD_reactionID:r0849]' - }, - 'GO:0034557': { - 'name': '2-hydroxylaminobenzoate reductase activity', - 'def': 'Catalysis of the reaction: 2-hydroxylaminobenzoate + NAD(P)H = anthranilate + NAD(P)+ + H2O. [MetaCyc:RXN-8848]' - }, - 'GO:0034558': { - 'name': 'technetium (VII) reductase activity', - 'def': 'Catalysis of the reaction: pertechnetate ion + 3/2 H2 = technetium (IV) oxide + H2O + OH-. [UM-BBD_reactionID:r0859]' - }, - 'GO:0034559': { - 'name': 'bisphenol A hydroxylase B activity', - 'def': 'Catalysis of the reaction: bisphenol A + NADH + H+ + O2 = 1,2-bis(4-hydroxyphenyl)-2-propanol + NAD+ + H2O. [UM-BBD_reactionID:r0860]' - }, - 'GO:0034560': { - 'name': 'bisphenol A hydroxylase A activity', - 'def': 'Catalysis of the reaction: bisphenol A + NADH + H+ + O2 = 2,2-bis(4-hydroxyphenyl)-1-propanol + NAD+ + H2O. [UM-BBD_reactionID:r0861]' - }, - 'GO:0034561': { - 'name': '1,2-bis(4-hydroxyphenyl)-2-proponol dehydratase activity', - 'def': "Catalysis of the reaction: 1,2-bis(4-hydroxyphenyl)-2-propanol = 4,4'-dihydroxy-alpha-methylstilbene + H2O. [UM-BBD_reactionID:r0862]" - }, - 'GO:0034562': { - 'name': '2,2-bis(4-hydroxyphenyl)-1-propanol hydroxylase activity', - 'def': 'Catalysis of the reaction: 2,2-bis(4-hydroxyphenyl)-1-propanol + NADH + H+ + O2 = 2,3-bis(4-hydroxyphenyl)-1,2-propanediol + NAD+ + H2O. [UM-BBD_reactionID:r0864]' - }, - 'GO:0034563': { - 'name': '2,3-bis(4-hydroxyphenyl)-1,2-propanediol dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-bis(4-hydroxyphenyl)-1,2-propanediol + O2 = 4-hydroxyphenacyl alcohol + 4-hydroxybenzoate + 2 H+ + 2 e-. [UM-BBD_reactionID:r0867]' - }, - 'GO:0034564': { - 'name': "4,4'-dihydroxy-alpha-methylstilbene dioxygenase activity", - 'def': "Catalysis of the reaction: 4,4'-dihydroxy-alpha-methylstilbene + O2 = 4-hydroxybenzaldehyde + 4-hydroxyacetophenone + 2 H+ + 2 e-. [UM-BBD_reactionID:r0866]" - }, - 'GO:0034565': { - 'name': '1-nitro-1,2-dihydro-1,3,5-triazine hydrolase activity', - 'def': 'Catalysis of the reaction: 1-nitro-1,2-dihydro-1,3,5-triazine + 2 H2O = 1-nitro-1,3,5-triazinane-2,4-diol. [UM-BBD_reactionID:r0872]' - }, - 'GO:0034567': { - 'name': 'chromate reductase activity', - 'def': 'Catalysis of the reaction: chromate = chromium (III). [UM-BBD_reactionID:r0884]' - }, - 'GO:0034568': { - 'name': 'isoproturon dimethylaminedehydrogenase activity', - 'def': 'Catalysis of the reaction: isoproturon + H2O = formaldehyde + monodemethylisoproturon + 2 H+ + 2 e-. [UM-BBD_reactionID:r0892]' - }, - 'GO:0034569': { - 'name': 'monodemethylisoproturon dehydrogenase activity', - 'def': 'Catalysis of the reaction: monodemethylisoproturon + H2O = hydroxymonodemethylisoproturon + 2 H+ + 2 e-. [UM-BBD_reactionID:r0893]' - }, - 'GO:0034570': { - 'name': 'hydroxymonomethylisoproturon dimethylaminedehydrogenase activity', - 'def': "Catalysis of the reaction: hydroxymonodemethylisoproturon + H2O = formaldehyde + 4'-(2-hydroxyisopropyl)phenylurea + 2 H+ + 2 e-. [UM-BBD_reactionID:r0894]" - }, - 'GO:0034571': { - 'name': "4'-(2-hydroxyisopropyl)phenylurea amidohydrolase activity", - 'def': "Catalysis of the reaction: 4'-(2-hydroxyisopropyl)phenylurea + H2O = 4'-(2-hydroxyisopropyl)phenylaniline + carbamic acid. [UM-BBD_reactionID:r0895]" - }, - 'GO:0034572': { - 'name': 'monodemethylisoproturon dimethylaminedehydrogenase activity', - 'def': 'Catalysis of the reaction: monodemethylisoproturon + H2O = didemethylisoproturon + formaldehyde + 2 H+ + 2 e-. [UM-BBD_reactionID:r0897]' - }, - 'GO:0034573': { - 'name': 'didemethylisoproturon amidohydrolase activity', - 'def': 'Catalysis of the reaction: didemethylisoproturon + H2O = carbamic acid + 4-isopropylaniline. [UM-BBD_reactionID:r0898]' - }, - 'GO:0034574': { - 'name': 'didemethylisoproturon dehydrogenase activity', - 'def': "Catalysis of the reaction: didemethylisoproturon + H2O = 4'-(2-hydroxyisopropyl)phenylurea + 2 H+ + 2 e-. [UM-BBD_reactionID:r0899]" - }, - 'GO:0034575': { - 'name': '4-isopropylaniline dehydrogenase activity', - 'def': "Catalysis of the reaction: 4-isopropylaniline + H2O = 4'-(2-hydroxyisopropyl)phenylaniline + 2 H+ + 2 e-. [UM-BBD_reactionID:r0901]" - }, - 'GO:0034576': { - 'name': 'N-isopropylacetanilide amidohydrolase activity', - 'def': 'Catalysis of the reaction: N-isopropylacetanilide + OH- = N-isopropylaniline + acetate. [UM-BBD_reactionID:r0913]' - }, - 'GO:0034577': { - 'name': 'N-isopropylacetaniline monooxygenase activity', - 'def': 'Catalysis of the reaction: N-isopropylacetanilide + 1/2 O2 = acetanilide + acetone. [UM-BBD_reactionID:r0914]' - }, - 'GO:0034578': { - 'name': 'limonene 8-hydratase activity', - 'def': 'Catalysis of the reaction: limonene + H2O = alpha-terpineol. [UM-BBD_reactionID:r0916]' - }, - 'GO:0034579': { - 'name': '(1-methylpentyl)succinate synthase activity', - 'def': 'Catalysis of the reaction: fumarate + n-hexane = (1-methylpentyl)succinate. [UM-BBD_reactionID:r0920]' - }, - 'GO:0034580': { - 'name': '4-methyloctanoyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-methyloctanoyl-CoA = 4-methyloct-2-enoyl-CoA + 2 H+ + 2 e-. [UM-BBD_reactionID:r0924]' - }, - 'GO:0034581': { - 'name': '4-methyloct-2-enoyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: 4-methyloct-2-enoyl-CoA + H2O = 3-hydroxy-4-methyloctanoyl-CoA. [UM-BBD_reactionID:r0925]' - }, - 'GO:0034582': { - 'name': '3-hydroxy-4-methyloctanoyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-4-methyloctanoyl-CoA = 4-methyl-3-oxooctanoyl-CoA + 2 H+ + 2 e-. [UM-BBD_reactionID:r0926]' - }, - 'GO:0034583': { - 'name': '21U-RNA binding', - 'def': "Interacting selectively and non-covalently with a 21U-RNA, a 21-nucleotide RNA characterized by a uridine 5'-monophosphate and a modified 3' end resistant to periodate degradation. 21U-RNAs are derived from distinct, autonomously expressed loci within the genome. [GOC:kmv]" - }, - 'GO:0034584': { - 'name': 'piRNA binding', - 'def': 'Interacting selectively and non-covalently with a piRNA, a Piwi-associated RNA, a 24- to 30-nucleotide RNA derived from repeat or complex DNA sequence elements and processed by a Dicer-independent mechanism. [GOC:kmv]' - }, - 'GO:0034585': { - 'name': '21U-RNA metabolic process', - 'def': "The chemical reactions and pathways involving 21U-RNAs, a class of single-stranded RNA molecules of about 21 nucleotides in length characterized by a uridine 5'-monophosphate and a modified 3' end resistant to periodate degradation. 21U-RNAs are derived from distinct, autonomously expressed loci within the genome. [GOC:kmv]" - }, - 'GO:0034586': { - 'name': '21U-RNA catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of 21U-RNAs, a class of single-stranded RNA molecules of about 21 nucleotides in length characterized by a uridine 5'-monophosphate and a modified 3' end resistant to periodate degradation. 21U-RNAs are derived from distinct, autonomously expressed loci within the genome. [GOC:kmv]" - }, - 'GO:0034587': { - 'name': 'piRNA metabolic process', - 'def': 'The chemical reactions and pathways involving piRNAs, Piwi-associated RNAs, a class of 24- to 30-nucleotide RNA derived from repeat or complex DNA sequence elements and processed by a Dicer-independent mechanism. [GOC:kmv]' - }, - 'GO:0034588': { - 'name': 'piRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of piRNAs, Piwi-associated RNAs, a class of 24- to 30-nucleotide RNA derived from repeat or complex DNA sequence elements and processed by a Dicer-independent mechanism. [GOC:kmv]' - }, - 'GO:0034589': { - 'name': 'hydroxyproline transport', - 'def': 'The directed movement of hydroxyproline into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah, PMID:14502423]' - }, - 'GO:0034590': { - 'name': 'L-hydroxyproline transmembrane transporter activity', - 'def': 'Enables the transfer of L-hydroxyproline from one side of a membrane to the other. [GOC:mah, PMID:14502423]' - }, - 'GO:0034591': { - 'name': 'rhoptry lumen', - 'def': 'The volume enclosed by the rhoptry membrane. [GOC:rph, PMID:17997128]' - }, - 'GO:0034592': { - 'name': 'synaptic vesicle lumen', - 'def': 'The volume enclosed by the synaptic vesicle membrane. [GOC:rph]' - }, - 'GO:0034593': { - 'name': 'phosphatidylinositol bisphosphate phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylinositol bisphosphate + H2O = phosphatidylinositol phosphate + phosphate. [GOC:mah]' - }, - 'GO:0034594': { - 'name': 'phosphatidylinositol trisphosphate phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylinositol trisphosphate + H2O = phosphatidylinositol bisphosphate + phosphate. [GOC:mah]' - }, - 'GO:0034595': { - 'name': 'phosphatidylinositol phosphate 5-phosphatase activity', - 'def': 'Catalysis of the removal of the 5-phosphate group of a phosphatidylinositol phosphate. [GOC:elh]' - }, - 'GO:0034596': { - 'name': 'phosphatidylinositol phosphate 4-phosphatase activity', - 'def': 'Catalysis of the removal of the 4-phosphate group of a phosphatidylinositol phosphate. [GOC:mah]' - }, - 'GO:0034597': { - 'name': 'phosphatidylinositol-4,5-bisphosphate 4-phosphatase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-myo-inositol 4,5-bisphosphate + H2O = 1-phosphatidyl-1D-myo-inositol 3-phosphate + phosphate. [GOC:mah]' - }, - 'GO:0034598': { - 'name': 'phosphothreonine lyase activity', - 'def': 'Catalysis of the removal of the phosphate group from phosphothreonine by cleavage of the C-OP bond with the concomitant abstraction of the alpha proton, generating a double bond-containing product. [PMID:17303758, PMID:18084305]' - }, - 'GO:0034599': { - 'name': 'cellular response to oxidative stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, e.g. superoxide anions, hydrogen peroxide (H2O2), and hydroxyl radicals. [GOC:mah]' - }, - 'GO:0034601': { - 'name': 'oxoglutarate dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + CoA + NAD(P)+ = succinyl-CoA + CO2 + NAD(P)H. [GOC:mah]' - }, - 'GO:0034602': { - 'name': 'oxoglutarate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + CoA + NAD+ = succinyl-CoA + CO2 + NADH. [GOC:mah]' - }, - 'GO:0034603': { - 'name': 'pyruvate dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: pyruvate + CoA + NAD(P)+ = acetyl-CoA + CO2 + NAD(P)H. [GOC:mah]' - }, - 'GO:0034604': { - 'name': 'pyruvate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: pyruvate + CoA + NAD+ = acetyl-CoA + CO2 + NADH. [GOC:mah, ISBN:0201090910]' - }, - 'GO:0034605': { - 'name': 'cellular response to heat', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a heat stimulus, a temperature stimulus above the optimal temperature for that organism. [GOC:mah]' - }, - 'GO:0034606': { - 'name': 'response to hermaphrodite contact', - 'def': "The response by the male to a hermaphrodite after initial contact following mate finding. The male stops forward locomotion, presses the ventral side of his tail against his partner's body, and begins moving backward along the hermaphrodite. Male response behavior is initiated when sensory neurons located in the rays of his tail contact a potential mate. [PMID:18050467, WB_REF:WBPaper00002109]" - }, - 'GO:0034607': { - 'name': 'turning behavior involved in mating', - 'def': "The sharp ventral turn performed by the male as he approaches either the hermaphrodite head or tail, whilst trying to locate his partner's vulva. Turning occurs via a sharp ventral coil of the male's tail. [PMID:18050467, WB_REF:WBPaper00002109]" - }, - 'GO:0034608': { - 'name': 'vulval location', - 'def': "Location, by the male, of his partner's vulva when backing along the ventral side of the hermaphrodite during mating. The male stops at the vulva, coordinates his movements to the hermaphrodite's, and positions his tail precisely over the vulva so that he may insert his spicules and ejaculate. [PMID:18050467]" - }, - 'GO:0034609': { - 'name': 'spicule insertion', - 'def': 'Insertion of the male copulatory spicules into the hermaphrodite. Spicule insertion behavior initiates when the male cloaca contacts the vulva. During most mating encounters, the spicule tips will prod the vulva continuously until they partially penetrate, which then causes the protractors to contract completely so that the spicules extend through the vulva. [PMID:18050467]' - }, - 'GO:0034610': { - 'name': 'oligodeoxyribonucleotidase activity', - 'def': "Catalysis of the exonucleolytic cleavage of oligodeoxyribonucleotides to yield deoxyribonucleoside 5'-phosphates. [GOC:mah]" - }, - 'GO:0034611': { - 'name': 'oligoribonucleotidase activity', - 'def': "Catalysis of the exonucleolytic cleavage of oligoribonucleotides to yield ribonucleoside 5'-phosphates. [GOC:mah]" - }, - 'GO:0034612': { - 'name': 'response to tumor necrosis factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tumor necrosis factor stimulus. [GOC:mah]' - }, - 'GO:0034613': { - 'name': 'cellular protein localization', - 'def': 'Any process in which a protein is transported to, and/or maintained in, a specific location at the level of a cell. Localization at the cellular level encompasses movement within the cell, from within the cell to the cell surface, or from one location to another at the surface of a cell. [GOC:mah]' - }, - 'GO:0034614': { - 'name': 'cellular response to reactive oxygen species', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a reactive oxygen species stimulus. Reactive oxygen species include singlet oxygen, superoxide, and oxygen free radicals. [GOC:mah]' - }, - 'GO:0034615': { - 'name': 'GCH1 complex', - 'def': 'A protein complex that possesses GTP cyclohydrolase I activity. In E. coli and human, the complex is a homodecamer, and monomers are catalytically inactive. [PMID:16696853]' - }, - 'GO:0034616': { - 'name': 'response to laminar fluid shear stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a laminar fluid shear stress stimulus. Laminar fluid flow is the force acting on an object in a system where the fluid is moving across a solid surface in parallel layers. As an example, laminar shear stress can be seen where blood flows against the luminal side of blood vessel walls. [GOC:ecd]' - }, - 'GO:0034617': { - 'name': 'tetrahydrobiopterin binding', - 'def': 'Interacting selectively and non-covalently with a tetrahydrobiopterin, 5,6,7,8-tetrahydrobiopterin or a derivative thereof; tetrahydrobiopterins are enzyme cofactors that carry electrons in redox reactions. [CHEBI:15372, GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0034618': { - 'name': 'arginine binding', - 'def': 'Interacting selectively and non-covalently with 2-amino-5-(carbamimidamido)pentanoic acid. [CHEBI:29016, GOC:BHF, GOC:rl]' - }, - 'GO:0034620': { - 'name': 'cellular response to unfolded protein', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an unfolded protein stimulus. [GOC:mah]' - }, - 'GO:0034622': { - 'name': 'cellular macromolecular complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of macromolecules to form a complex, carried out at the cellular level. [GOC:mah]' - }, - 'GO:0034624': { - 'name': 'DNA recombinase assembly involved in gene conversion at mating-type locus', - 'def': 'The aggregation, arrangement and bonding together of strand exchange proteins (recombinases) into higher order oligomers on single-stranded DNA, involved in the conversion of the mating-type locus from one allele to another. [GOC:mah]' - }, - 'GO:0034625': { - 'name': 'fatty acid elongation, monounsaturated fatty acid', - 'def': 'Elongation of a fatty acid chain into which one C-C double bond has been introduced. [GOC:mah]' - }, - 'GO:0034626': { - 'name': 'fatty acid elongation, polyunsaturated fatty acid', - 'def': 'Elongation of a fatty acid chain into which two or more C-C double bonds have been introduced. [GOC:mah]' - }, - 'GO:0034627': { - 'name': "'de novo' NAD biosynthetic process", - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide adenine dinucleotide (NAD), beginning with the synthesis of tryptophan or aspartate from simpler precursors; biosynthesis may be of either the oxidized form, NAD, or the reduced form, NADH. [GOC:imk, PMID:17161604]' - }, - 'GO:0034628': { - 'name': "'de novo' NAD biosynthetic process from aspartate", - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide adenine dinucleotide (NAD), beginning with the synthesis of aspartate from simpler precursors; biosynthesis may be of either the oxidized form, NAD, or the reduced form, NADH. [GOC:imk]' - }, - 'GO:0034629': { - 'name': 'cellular protein complex localization', - 'def': 'A protein complex localization process that takes place at the cellular level; as a result, a protein complex is transported to, or maintained in, a specific location within a cell. [GOC:mah]' - }, - 'GO:0034630': { - 'name': 'RITS complex localization', - 'def': 'Any process in which a RITS complex is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0034631': { - 'name': 'microtubule anchoring at spindle pole body', - 'def': 'Any process in which a microtubule is maintained in a specific location in a cell by attachment to a spindle pole body. Microtubules attach to spindle pole bodies at the minus end. [GOC:mah, PMID:17486116]' - }, - 'GO:0034632': { - 'name': 'retinol transporter activity', - 'def': "Enables the directed movement of retinol into, out of or within a cell, or between cells. Retinol is vitamin A1, 2,6,6-trimethyl-1-(9'-hydroxy-3',7'-dimethylnona-1',3',5',7'-tetraenyl)cyclohex-1-ene, one of the three components that makes up vitamin A. [GOC:BHF, GOC:mah, GOC:vk]" - }, - 'GO:0034633': { - 'name': 'retinol transport', - 'def': "The directed movement of retinol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Retinol is vitamin A1, 2,6,6-trimethyl-1-(9'-hydroxy-3',7'-dimethylnona-1',3',5',7'-tetraenyl)cyclohex-1-ene, one of the three components that makes up vitamin A. [GOC:BHF, GOC:mah, GOC:vk]" - }, - 'GO:0034634': { - 'name': 'glutathione transmembrane transporter activity', - 'def': 'Enables the directed movement of glutathione, the tripeptide glutamylcysteinylglycine, across a membrane into, out of or within a cell, or between cells. [GOC:mah]' - }, - 'GO:0034635': { - 'name': 'glutathione transport', - 'def': 'The directed movement of glutathione, the tripeptide glutamylcysteinylglycine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034636': { - 'name': 'strand invasion involved in gene conversion at mating-type locus', - 'def': 'The process in which the nucleoprotein complex (composed of the broken single-strand DNA and the recombinase) searches and identifies a region of homology in intact duplex DNA at the mating-type locus. The broken single-strand DNA displaces the like strand and forms Watson-Crick base pairs with its complement, forming a duplex in which each strand is from one of the two recombining DNA molecules. This process occurs as part of gene conversion at the mating-type locus. [GOC:mah]' - }, - 'GO:0034637': { - 'name': 'cellular carbohydrate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, carried out by individual cells. [GOC:mah]' - }, - 'GO:0034638': { - 'name': 'phosphatidylcholine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphatidylcholines, any of a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of choline. [GOC:jp]' - }, - 'GO:0034639': { - 'name': 'L-amino acid efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of an L-amino acid from the inside of the cell to the outside of the cell across a membrane. [GOC:mah]' - }, - 'GO:0034640': { - 'name': 'establishment of mitochondrion localization by microtubule attachment', - 'def': 'The directed movement of a mitochondrion by attachment to a microtubule, followed by elongation of the microtubule by tubulin polymerization. [GOC:mah, PMID:12972644]' - }, - 'GO:0034641': { - 'name': 'cellular nitrogen compound metabolic process', - 'def': 'The chemical reactions and pathways involving various organic and inorganic nitrogenous compounds, as carried out by individual cells. [GOC:mah]' - }, - 'GO:0034642': { - 'name': 'mitochondrion migration along actin filament', - 'def': 'The directed movement of a mitochondrion along a microfilament, mediated by motor proteins. [GOC:mah, PMID:15979253, PMID:16306220]' - }, - 'GO:0034643': { - 'name': 'establishment of mitochondrion localization, microtubule-mediated', - 'def': 'The directed movement of the mitochondrion to a specific location, by a process involving microtubules. [GOC:mah, PMID:12972644, PMID:15979253, PMID:16306220]' - }, - 'GO:0034644': { - 'name': 'cellular response to UV', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ultraviolet radiation (UV light) stimulus. Ultraviolet radiation is electromagnetic radiation with a wavelength in the range of 10 to 380 nanometers. [GOC:mah]' - }, - 'GO:0034645': { - 'name': 'cellular macromolecule biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a macromolecule, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass, carried out by individual cells. [CHEBI:33694, GOC:mah]' - }, - 'GO:0034646': { - 'name': 'organelle-enclosing lipid monolayer', - 'def': 'A lipid monolayer that surrounds and encloses an organelle. [GOC:mah]' - }, - 'GO:0034647': { - 'name': 'histone demethylase activity (H3-trimethyl-K4 specific)', - 'def': 'Catalysis of the removal of a methyl group from trimethylated lysine at position 4 of the histone H3 protein. [GOC:mah, PMID:17550896]' - }, - 'GO:0034648': { - 'name': 'histone demethylase activity (H3-dimethyl-K4 specific)', - 'def': 'Catalysis of the removal of a methyl group from dimethylated lysine at position 4 of the histone H3 protein. [GOC:mah, PMID:17550896]' - }, - 'GO:0034649': { - 'name': 'histone demethylase activity (H3-monomethyl-K4 specific)', - 'def': 'Catalysis of the reaction: histone H3 N6-methyl-L-lysine (position 4) + O2 + FAD + H2O = histone H3 L-lysine (position 4) + H2O2 + formaldehyde + FADH2. This reaction is the removal of a methyl group from monomethylated lysine at position 4 of the histone H3 protein. [GOC:mah, PMID:16223729]' - }, - 'GO:0034650': { - 'name': 'cortisol metabolic process', - 'def': 'The chemical reactions and pathways involving cortisol, the steroid hormone 11-beta-17,21-trihydroxypregn-4-ene-3,20-dione. Cortisol is synthesized from cholesterol in the adrenal gland and controls carbohydrate, fat and protein metabolism and has anti-inflammatory properties. [CHEBI:17650, GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0034651': { - 'name': 'cortisol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cortisol, the steroid hormone 11-beta-17,21-trihydroxypregn-4-ene-3,20-dione. Cortisol is synthesized from cholesterol in the adrenal gland and controls carbohydrate, fat and protein metabolism and has anti-inflammatory properties. [CHEBI:17650, GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0034652': { - 'name': 'extrachromosomal circular DNA localization involved in cell aging', - 'def': 'A process in which extrachromosomal circular DNA molecules are transported to, or maintained in, a specific location in cells contributing to their aging. [GOC:dph, GOC:jp, GOC:tb, PMID:18660802]' - }, - 'GO:0034653': { - 'name': 'retinoic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of retinoic acid, one of the three components that makes up vitamin A. [GOC:BHF, GOC:mah]' - }, - 'GO:0034654': { - 'name': 'nucleobase-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nucleobases, nucleosides, nucleotides and nucleic acids. [GOC:mah]' - }, - 'GO:0034655': { - 'name': 'nucleobase-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nucleobases, nucleosides, nucleotides and nucleic acids. [GOC:mah]' - }, - 'GO:0034656': { - 'name': 'nucleobase-containing small molecule catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a nucleobase-containing small molecule: a nucleobase, a nucleoside, or a nucleotide. [GOC:mah]' - }, - 'GO:0034657': { - 'name': 'GID complex', - 'def': 'A protein complex with ubiquitin ligase activity that is involved in proteasomal degradation of fructose-1,6-bisphosphatase (FBPase) and phosphoenolpyruvate carboxykinase during the transition from gluconeogenic to glycolytic growth conditions. In S. cerevisiae, the GID (Glucose Induced degradation Deficient) complex consists of Vid30p, Rmd5p, Vid24p, Vid28p, Gid7p, Gid8p, and Fyv10p. [PMID:12686616, PMID:18508925]' - }, - 'GO:0034658': { - 'name': 'isopropylmalate transmembrane transporter activity', - 'def': 'Enables the transfer of isopropylmalate from one side of the membrane to the other. [GOC:mah]' - }, - 'GO:0034659': { - 'name': 'isopropylmalate transport', - 'def': 'The directed movement of isopropylmalate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034660': { - 'name': 'ncRNA metabolic process', - 'def': 'The chemical reactions and pathways involving non-coding RNA transcripts (ncRNAs). [GOC:mah]' - }, - 'GO:0034661': { - 'name': 'ncRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of non-coding RNA transcripts (ncRNAs). Includes the breakdown of cryptic unstable transcripts (CUTs). [GOC:rb, PMID:18591258]' - }, - 'GO:0034662': { - 'name': 'CFTR-NHERF-ezrin complex', - 'def': 'A protein complex that contains ezrin, Na+/H+ exchanger regulatory factor (NHERF, also called EBP50), and two copies of the cystic fibrosis transmembrane conductance regulator (CFTR). The CFTR molecules interact with NHERF via their cytoplasmic tail domains; the complex is thought to link the CFTR channel to the actin cytoskeleton and contribute to the regulation of channel activity. [PMID:16129695, PMID:16798722, PMID:16926444]' - }, - 'GO:0034663': { - 'name': 'endoplasmic reticulum chaperone complex', - 'def': 'A protein complex that is located in the endoplasmic reticulum and is composed of chaperone proteins, including BiP, GRP94; CaBP1, protein disulfide isomerase (PDI), ERdj3, cyclophilin B, ERp72, GRP170, UDP-glucosyltransferase, and SDF2-L1. [PMID:12475965]' - }, - 'GO:0034664': { - 'name': 'Ig heavy chain-bound endoplasmic reticulum chaperone complex', - 'def': 'A protein complex that is located in the endoplasmic reticulum (ER) and is formed by the association of an immunoglobulin heavy chain with the proteins of the ER chaperone complex; the latter include BiP, GRP94; CaBP1, protein disulfide isomerase (PDI), ERdj3, cyclophilin B, ERp72, GRP170, UDP-glucosyltransferase, and SDF2-L1. [PMID:12475965]' - }, - 'GO:0034665': { - 'name': 'integrin alpha1-beta1 complex', - 'def': 'An integrin complex that comprises one alpha1 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034666': { - 'name': 'integrin alpha2-beta1 complex', - 'def': 'An integrin complex that comprises one alpha2 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034667': { - 'name': 'integrin alpha3-beta1 complex', - 'def': 'An integrin complex that comprises one alpha3 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034668': { - 'name': 'integrin alpha4-beta1 complex', - 'def': 'An integrin complex that comprises one alpha4 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034669': { - 'name': 'integrin alpha4-beta7 complex', - 'def': 'An integrin complex that comprises one alpha4 subunit and one beta7 subunit. [PMID:12297042]' - }, - 'GO:0034670': { - 'name': 'chemotaxis to arachidonic acid', - 'def': 'The directed movement of a motile cell or organism in response to the presence of arachidonic acid. [GOC:go_curators, PMID:18202452]' - }, - 'GO:0034671': { - 'name': 'retinoic acid receptor signaling pathway involved in pronephros anterior/posterior pattern specification', - 'def': 'The series of molecular signals generated as a consequence of a retinoic acid receptor binding to one of its physiological ligands that results in the spatial identity of regions along the anterior-posterior axis of the pronephros. [GOC:mh]' - }, - 'GO:0034672': { - 'name': 'anterior/posterior pattern specification involved in pronephros development', - 'def': 'The developmental process that results in the creation of defined areas or spaces within the pronephros along the anterior/posterior axis to which cells respond and eventually are instructed to differentiate. [GOC:mah]' - }, - 'GO:0034673': { - 'name': 'inhibin-betaglycan-ActRII complex', - 'def': 'A protein complex that consists of inhibin, type III transforming growth factor beta receptor (also known as betaglycan), and the type II activin receptor ActRII. The complex is thought to negatively regulate the activity of activin B. [GOC:BHF, PMID:10746731]' - }, - 'GO:0034674': { - 'name': 'integrin alpha5-beta1 complex', - 'def': 'An integrin complex that comprises one alpha5 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034675': { - 'name': 'integrin alpha6-beta1 complex', - 'def': 'An integrin complex that comprises one alpha6 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034676': { - 'name': 'integrin alpha6-beta4 complex', - 'def': 'An integrin complex that comprises one alpha6 subunit and one beta4 subunit. [PMID:12297042]' - }, - 'GO:0034677': { - 'name': 'integrin alpha7-beta1 complex', - 'def': 'An integrin complex that comprises one alpha7 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034678': { - 'name': 'integrin alpha8-beta1 complex', - 'def': 'An integrin complex that comprises one alpha8 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034679': { - 'name': 'integrin alpha9-beta1 complex', - 'def': 'An integrin complex that comprises one alpha9 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034680': { - 'name': 'integrin alpha10-beta1 complex', - 'def': 'An integrin complex that comprises one alpha10 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034681': { - 'name': 'integrin alpha11-beta1 complex', - 'def': 'An integrin complex that comprises one alpha11 subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034682': { - 'name': 'integrin alphav-beta1 complex', - 'def': 'An integrin complex that comprises one alphav subunit and one beta1 subunit. [PMID:12297042]' - }, - 'GO:0034683': { - 'name': 'integrin alphav-beta3 complex', - 'def': 'An integrin complex that comprises one alphav subunit and one beta3 subunit. [PMID:12297042]' - }, - 'GO:0034684': { - 'name': 'integrin alphav-beta5 complex', - 'def': 'An integrin complex that comprises one alphav subunit and one beta5 subunit. [PMID:12297042]' - }, - 'GO:0034685': { - 'name': 'integrin alphav-beta6 complex', - 'def': 'An integrin complex that comprises one alphav subunit and one beta6 subunit. [PMID:12297042]' - }, - 'GO:0034686': { - 'name': 'integrin alphav-beta8 complex', - 'def': 'An integrin complex that comprises one alphav subunit and one beta8 subunit. [PMID:12297042]' - }, - 'GO:0034687': { - 'name': 'integrin alphaL-beta2 complex', - 'def': 'An integrin complex that comprises one alphaL subunit and one beta2 subunit. [PMID:12297042]' - }, - 'GO:0034688': { - 'name': 'integrin alphaM-beta2 complex', - 'def': 'An integrin complex that comprises one alphaM subunit and one beta2 subunit. [PMID:12297042]' - }, - 'GO:0034689': { - 'name': 'integrin alphaX-beta2 complex', - 'def': 'An integrin complex that comprises one alphaX subunit and one beta2 subunit. [PMID:12297042]' - }, - 'GO:0034690': { - 'name': 'integrin alphaD-beta2 complex', - 'def': 'An integrin complex that comprises one alphaD subunit and one beta2 subunit. [PMID:12297042]' - }, - 'GO:0034691': { - 'name': 'integrin alphaE-beta7 complex', - 'def': 'An integrin complex that comprises one alphaE subunit and one beta7 subunit. [PMID:12297042]' - }, - 'GO:0034692': { - 'name': 'E.F.G complex', - 'def': 'A protein complex that comprises three core spliceosomal proteins, designated E, F, and G. Formation of the E.F.G complex is essential but not sufficient for the formation of a stable U1 snRNP complex. [PMID:8641291]' - }, - 'GO:0034693': { - 'name': 'U11/U12 snRNP', - 'def': 'A ribonucleoprotein complex formed by the association of the U11 and U12 small nuclear ribonucleoproteins. [GOC:mah, PMID:15146077]' - }, - 'GO:0034694': { - 'name': 'response to prostaglandin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin stimulus. [GOC:BHF, GOC:vk]' - }, - 'GO:0034695': { - 'name': 'response to prostaglandin E', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin E stimulus. [GOC:BHF, GOC:vk]' - }, - 'GO:0034696': { - 'name': 'response to prostaglandin F', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin F stimulus. [GOC:BHF, GOC:vk]' - }, - 'GO:0034697': { - 'name': 'response to prostaglandin I', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin I stimulus. [GOC:BHF, GOC:vk]' - }, - 'GO:0034698': { - 'name': 'response to gonadotropin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gonadotropin stimulus. [GOC:BHF, GOC:vk]' - }, - 'GO:0034699': { - 'name': 'response to luteinizing hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a luteinizing hormone stimulus. [GOC:BHF, GOC:vk]' - }, - 'GO:0034700': { - 'name': 'allulose 6-phosphate 3-epimerase activity', - 'def': 'Catalysis of the reaction: D-allulose 6-phosphate = D-fructose 6-phosphate. [GOC:imk]' - }, - 'GO:0034701': { - 'name': 'tripeptidase activity', - 'def': 'Catalysis of the hydrolysis of a tripeptide. [GOC:mah]' - }, - 'GO:0034702': { - 'name': 'ion channel complex', - 'def': 'A protein complex that spans a membrane and forms a water-filled channel across the phospholipid bilayer allowing selective ion transport down its electrochemical gradient. [GOC:mah, ISBN:071673706X]' - }, - 'GO:0034703': { - 'name': 'cation channel complex', - 'def': 'An ion channel complex through which cations pass. [GOC:mah]' - }, - 'GO:0034704': { - 'name': 'calcium channel complex', - 'def': 'An ion channel complex through which calcium ions pass. [GOC:mah]' - }, - 'GO:0034705': { - 'name': 'potassium channel complex', - 'def': 'An ion channel complex through which potassium ions pass. [GOC:mah]' - }, - 'GO:0034706': { - 'name': 'sodium channel complex', - 'def': 'An ion channel complex through which sodium ions pass. [GOC:mah]' - }, - 'GO:0034707': { - 'name': 'chloride channel complex', - 'def': 'An ion channel complex through which chloride ions pass. [GOC:mah]' - }, - 'GO:0034708': { - 'name': 'methyltransferase complex', - 'def': 'A protein complex that possesses methyltransferase activity. [GOC:mah]' - }, - 'GO:0034709': { - 'name': 'methylosome', - 'def': 'A large (20 S) protein complex that possesses protein arginine methyltransferase activity and modifies specific arginines to dimethylarginines in the arginine- and glycine-rich domains of several spliceosomal Sm proteins, thereby targeting these proteins to the survival of motor neurons (SMN) complex for assembly into small nuclear ribonucleoprotein (snRNP) core particles. Proteins found in the methylosome include the methyltransferase JBP1 (PRMT5), pICln (CLNS1A), MEP50 (WDR77), and unmethylated forms of SM proteins that have RG domains. [PMID:11713266, PMID:11756452]' - }, - 'GO:0034710': { - 'name': 'inhibin complex binding', - 'def': 'Interacting selectively and non-covalently with an inhibin complex, a dimer of one inhibin-alpha subunit and one inhibin-beta subunit. [GOC:BHF, GOC:mah]' - }, - 'GO:0034711': { - 'name': 'inhibin binding', - 'def': 'Interacting selectively and non-covalently with an inhibin monomer, any of the polypeptides that combine to form activin and inhibin dimers. [GOC:BHF, GOC:mah]' - }, - 'GO:0034713': { - 'name': 'type I transforming growth factor beta receptor binding', - 'def': 'Interacting selectively and non-covalently with a type I transforming growth factor beta receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0034714': { - 'name': 'type III transforming growth factor beta receptor binding', - 'def': 'Interacting selectively and non-covalently with a type III transforming growth factor beta receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0034715': { - 'name': 'pICln-Sm protein complex', - 'def': 'A protein complex that contains pICln (CLNS1A) and several Sm proteins, including SmD1, SmD2, SmE, SmF, and SmG. [GOC:mah, PMID:11713266]' - }, - 'GO:0034716': { - 'name': 'Gemin3-Gemin4-Gemin5 complex', - 'def': 'A protein complex that contains Gemin3 (DDX20), Gemin4, and Gemin5, and can bind to snRNAs; may be an intermediate in SMN complex assembly. [GOC:mah, PMID:17640873]' - }, - 'GO:0034717': { - 'name': 'Gemin6-Gemin7-unrip complex', - 'def': 'A protein complex that contains Gemin6, Gemin7, and unrip (STRAP), and can bind to snRNAs; may play a role in snRNP assembly. [GOC:mah, PMID:17640873]' - }, - 'GO:0034718': { - 'name': 'SMN-Gemin2 complex', - 'def': 'A protein complex that contains the survival motor neuron (SMN) protein and Gemin2; may form the stable core of the larger SMN complex. [GOC:mah, PMID:17640873]' - }, - 'GO:0034719': { - 'name': 'SMN-Sm protein complex', - 'def': 'A protein complex formed by the association of several methylated Sm proteins with the SMN complex; the latter contains the survival motor neuron (SMN) protein and at least eight additional integral components, including the Gemin2-8 and unrip proteins; additional proteins, including galectin-1 and galectin-3, are also found in the SMN-SM complex. The SMN-Sm complex is involved in spliceosomal snRNP assembly in the cytoplasm. [GOC:vw, PMID:11522829, PMID:17401408]' - }, - 'GO:0034720': { - 'name': 'histone H3-K4 demethylation', - 'def': 'The modification of histone H3 by the removal of a methyl group from lysine at position 4 of the histone. [GOC:mah]' - }, - 'GO:0034721': { - 'name': 'histone H3-K4 demethylation, trimethyl-H3-K4-specific', - 'def': 'The modification of histone H3 by the removal of a methyl group from a trimetylated lysine at position 4 of the histone. [GOC:mah]' - }, - 'GO:0034722': { - 'name': 'gamma-glutamyl-peptidase activity', - 'def': 'Catalysis of the cleavage of a gamma-linked glutamate bond. [EC:3.4.19.9, MEROPS_fam:C26]' - }, - 'GO:0034723': { - 'name': 'DNA replication-dependent nucleosome organization', - 'def': 'The formation or destruction of chromatin structures on newly replicated DNA, coupled to strand elongation. [GOC:mah, PMID:17510629]' - }, - 'GO:0034724': { - 'name': 'DNA replication-independent nucleosome organization', - 'def': 'The formation or destruction of chromatin structures, occurring outside the context of DNA replication. [GOC:mah, PMID:17510629]' - }, - 'GO:0034725': { - 'name': 'DNA replication-dependent nucleosome disassembly', - 'def': 'The controlled breakdown of nucleosomes on newly replicated DNA, coupled to strand elongation. [GOC:mah, PMID:17510629]' - }, - 'GO:0034726': { - 'name': 'DNA replication-independent nucleosome disassembly', - 'def': 'The controlled breakdown of nucleosomes outside the context of DNA replication. [GOC:mah, PMID:17510629]' - }, - 'GO:0034727': { - 'name': 'piecemeal microautophagy of nucleus', - 'def': 'Degradation of a cell nucleus by lysosomal microautophagy. [GOC:autophagy, GOC:jp, PMID:18701704]' - }, - 'GO:0034728': { - 'name': 'nucleosome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of one or more nucleosomes. [GOC:mah]' - }, - 'GO:0034729': { - 'name': 'histone H3-K79 methylation', - 'def': 'The modification of histone H3 by addition of a methyl group to lysine at position 79 of the histone. [GOC:se]' - }, - 'GO:0034730': { - 'name': 'SmD-containing SMN-Sm protein complex', - 'def': "An SMN-Sm protein complex formed by the association of the methylated Sm proteins B/B', D1, D2, D3, E, F, and G with the SMN complex. [PMID:12975319, PMID:17401408]" - }, - 'GO:0034731': { - 'name': 'Lsm-containing SMN-Sm protein complex', - 'def': "An SMN-Sm protein complex formed by the association of the methylated Sm proteins B/B', D3, E, F, and G, and Lsm10 and Lsm11, with the SMN complex. This complex forms Sm cores on U7 snRNA. [PMID:12975319, PMID:17401408]" - }, - 'GO:0034732': { - 'name': 'transcription factor TFIIIB-alpha complex', - 'def': "A transcription factor TFIIIB-beta complex that contains the TATA-binding protein (TBP), B'' and a specialized homolog of the conserved subunit BRF referred to as BRFU or TFIIIB50, which found in human but not conserved in yeast; the complex is involved in the regulation of transcription from type 3 (upstream) RNA polymerase III promoters. [PMID:11433012]" - }, - 'GO:0034733': { - 'name': 'transcription factor TFIIIB-beta complex', - 'def': "A transcription factor TFIIIB-beta complex that contains the TATA-binding protein (TBP), B'' and BRF, and is involved in the regulation of transcription from type 2 RNA polymerase III promoters. [PMID:11433012]" - }, - 'GO:0034734': { - 'name': 'transcription factor TFIIIC1 complex', - 'def': 'A transcription factor complex that forms part of the TFIIIC complex, observed in human. The complex is poorly characterized, but contains the 250-kDa form of HsBdp1, and is thought to include nuclear factor 1 (NF1). It stimulates binding by human TFIIIC2 and is required for transcription activity. [GOC:mah, PMID:11433012, PMID:15096501]' - }, - 'GO:0034735': { - 'name': 'transcription factor TFIIIC2 complex', - 'def': 'A transcription factor complex that forms part of the TFIIIC complex, observed in human; composed of five subunits (GTF3C1/hTFIIIC220/TFIIICalpha, GTF3C2/hTFIIIC110/TFIIICbeta, GTF3C3/hTFIIIC102/TFIIICgamma, GTF3C4/hTFIIIC90/TFIIICdelta and GTF3C5/hTFIIIC63/TFIIICepsilon in human) that together recognize the type 2 RNA polymerase III promoter. [GOC:mah, PMID:11433012]' - }, - 'GO:0034736': { - 'name': 'cholesterol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + cholesterol = a cholesterol ester + CoA. [EC:2.3.1.26, RHEA:17732]' - }, - 'GO:0034737': { - 'name': 'ergosterol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + ergosterol = CoA + ergosterol ester. [GOC:mah]' - }, - 'GO:0034738': { - 'name': 'lanosterol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + lanosterol = CoA + lanosterol ester. [GOC:mah]' - }, - 'GO:0034739': { - 'name': 'histone deacetylase activity (H4-K16 specific)', - 'def': 'Catalysis of the reaction: histone H4 N6-acetyl-L-lysine (position 16) + H2O = histone H4 L-lysine (position 16) + acetate. This reaction represents the removal of an acetyl group from lysine at position 16 of the histone H4 protein. [EC:3.5.1.17, GOC:vw, RHEA:24551]' - }, - 'GO:0034740': { - 'name': 'TFIIIC-TOP1-SUB1 complex', - 'def': 'A protein complex that contains TFIIIC, topoisomerase 1, and Sub1/PC4. Characterized in human, the complex is involved in regulating transcription from RNA polymerase III (Pol III) promoters. Topoisomerase 1 and Sub1 enhance the accuracy of transcription termination, and promote reinitiation by Pol III. [PMID:9660958]' - }, - 'GO:0034741': { - 'name': 'APC-tubulin-IQGAP1 complex', - 'def': 'A protein complex that contains the tumor suppressor protein adenomatous polyposis coli (APC), alpha-tubulin, gamma-tubulin, and the Rac1 and Cdc42 effector IQGAP1; may play a role in cytoskeleton organization. [PMID:17126424]' - }, - 'GO:0034743': { - 'name': 'APC-IQGAP complex', - 'def': 'A protein complex that contains the tumor suppressor protein adenomatous polyposis coli (APC) and the Rac1 and Cdc42 effector IQGAP1; may play a role in cytoskeleton organization and cell migration. [PMID:15572129]' - }, - 'GO:0034744': { - 'name': 'APC-IQGAP1-Cdc42 complex', - 'def': 'A protein complex that contains the tumor suppressor protein adenomatous polyposis coli (APC), the small GTPase Cdc42, and the Rac1 and Cdc42 effector IQGAP1; may play a role in cytoskeleton organization and cell migration. [PMID:15572129]' - }, - 'GO:0034745': { - 'name': 'APC-IQGAP1-Rac1 complex', - 'def': 'A protein complex that contains the tumor suppressor protein adenomatous polyposis coli (APC), the small GTPase Rac1, and the Rac1 and Cdc42 effector IQGAP1; may play a role in cytoskeleton organization and cell migration. [PMID:15572129]' - }, - 'GO:0034746': { - 'name': 'APC-IQGAP1-CLIP-170 complex', - 'def': 'A protein complex that contains the tumor suppressor protein adenomatous polyposis coli (APC), the small GTPase Cdc42, and CLIP-170; may play a role in cytoskeleton organization and cell migration. [PMID:15572129]' - }, - 'GO:0034748': { - 'name': 'Par3-APC-KIF3A complex', - 'def': 'A protein complex that contains Par3, the tumor suppressor protein adenomatous polyposis coli (APC), and the kinesin-related protein KIF3A; involved in establishing neuronal cell polarity. [PMID:15556865]' - }, - 'GO:0034749': { - 'name': 'Scrib-APC complex', - 'def': 'A protein complex that contains the Scribble protein (a cell polarity determinant) and the tumor suppressor protein adenomatous polyposis coli (APC); may be involved in the control of cell proliferation. [PMID:16611247]' - }, - 'GO:0034750': { - 'name': 'Scrib-APC-beta-catenin complex', - 'def': 'A protein complex that contains the Scribble protein (a cell polarity determinant), the tumor suppressor protein adenomatous polyposis coli (APC), and beta-catenin; may be involved in the control of cell proliferation. [PMID:16611247]' - }, - 'GO:0034751': { - 'name': 'aryl hydrocarbon receptor complex', - 'def': 'A protein complex that acts as an aryl hydrocarbon (Ah) receptor. Cytosolic and nuclear Ah receptor complexes have different subunit composition, but both contain the ligand-binding subunit AhR. [GOC:mah, PMID:7598497]' - }, - 'GO:0034752': { - 'name': 'cytosolic aryl hydrocarbon receptor complex', - 'def': 'An aryl hydrocarbon receptor complex found in the cytosol, in which the ligand-binding subunit AhR is not bound to ligand; consists of AhR, two molecules of HSP90, the protein kinase c-Src, and the immunophilin XAP2/AIP. [PMID:7598497, PMID:8937476, PMID:9447995]' - }, - 'GO:0034753': { - 'name': 'nuclear aryl hydrocarbon receptor complex', - 'def': 'An aryl hydrocarbon receptor (AhR) complex found in the nucleus; ; consists of ligand-bound AhR and the aryl hydrocarbon receptor nuclear translocator (ARNT). [PMID:7598497]' - }, - 'GO:0034754': { - 'name': 'cellular hormone metabolic process', - 'def': 'The chemical reactions and pathways involving any hormone, naturally occurring substances secreted by specialized cells that affects the metabolism or behavior of other cells possessing functional receptors for the hormone, as carried out by individual cells. [GOC:mah]' - }, - 'GO:0034755': { - 'name': 'iron ion transmembrane transport', - 'def': 'A process in which an iron ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034756': { - 'name': 'regulation of iron ion transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of iron ions (Fe) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034757': { - 'name': 'negative regulation of iron ion transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of iron ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034758': { - 'name': 'positive regulation of iron ion transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of iron ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034759': { - 'name': 'regulation of iron ion transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of iron ions (Fe) from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034760': { - 'name': 'negative regulation of iron ion transmembrane transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of iron ions from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034761': { - 'name': 'positive regulation of iron ion transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of iron ions from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034762': { - 'name': 'regulation of transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a solute from one side of a membrane to the other. [GOC:mah]' - }, - 'GO:0034763': { - 'name': 'negative regulation of transmembrane transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of a solute from one side of a membrane to the other. [GOC:mah]' - }, - 'GO:0034764': { - 'name': 'positive regulation of transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of a solute from one side of a membrane to the other. [GOC:mah]' - }, - 'GO:0034765': { - 'name': 'regulation of ion transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of ions from one side of a membrane to the other. [GOC:mah]' - }, - 'GO:0034766': { - 'name': 'negative regulation of ion transmembrane transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of ions from one side of a membrane to the other. [GOC:mah]' - }, - 'GO:0034767': { - 'name': 'positive regulation of ion transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of ions from one side of a membrane to the other. [GOC:mah]' - }, - 'GO:0034768': { - 'name': '(E)-beta-ocimene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate = (E)-beta-ocimene + diphosphate. [PMID:12624761]' - }, - 'GO:0034769': { - 'name': 'basement membrane disassembly', - 'def': 'The controlled breakdown of the basement membrane in the context of a normal process such as imaginal disc eversion. [GOC:sart, PMID:17301221]' - }, - 'GO:0034770': { - 'name': 'histone H4-K20 methylation', - 'def': 'The modification of histone H4 by addition of one or more methyl groups to lysine at position 20 of the histone. [GOC:mah]' - }, - 'GO:0034771': { - 'name': 'histone H4-K20 monomethylation', - 'def': 'The modification of histone H4 by addition of one methyl group to lysine at position 20 of the histone. [GOC:mah]' - }, - 'GO:0034772': { - 'name': 'histone H4-K20 dimethylation', - 'def': 'The modification of histone H4 by addition of two methyl groups to lysine at position 20 of the histone. [GOC:mah]' - }, - 'GO:0034773': { - 'name': 'histone H4-K20 trimethylation', - 'def': 'The modification of histone H4 by addition of three methyl groups to lysine at position 20 of the histone. [GOC:mah]' - }, - 'GO:0034774': { - 'name': 'secretory granule lumen', - 'def': 'The volume enclosed by the membrane of a secretory granule. [GOC:rph]' - }, - 'GO:0034775': { - 'name': 'glutathione transmembrane transport', - 'def': 'A process in which glutathione is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0034776': { - 'name': 'response to histamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a histamine stimulus. Histamine, the biogenic amine 2-(1H-imidazol-4-yl)ethanamine, is involved in local immune responses as well as regulating physiological function in the gut and acting as a neurotransmitter. [CHEBI:18295, GOC:BHF, GOC:mah, GOC:vk]' - }, - 'GO:0034777': { - 'name': 'recycling endosome lumen', - 'def': 'The volume enclosed by the membranes of a recycling endosome. [GOC:rph]' - }, - 'GO:0034778': { - 'name': '2-hydroxy-4-isopropenylcyclohexane-1-carboxyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-4-isopropenylcyclohexane-1-carboxyl-CoA = 4-isopropenyl-2-ketocyclohexane-1-carboxyl-CoA + 2 H+ + 2 e-. [UM-BBD_reactionID:r1003]' - }, - 'GO:0034779': { - 'name': '4-isopropenyl-2-ketocyclohexane-1-carboxyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: 4-isopropenyl-2-ketocyclohexane-1-carboxyl-CoA + H2O = 3-isopropenylpimelyl-CoA. [UM-BBD_reactionID:r1004]' - }, - 'GO:0034780': { - 'name': 'glyphosate dehydrogenase activity', - 'def': 'Catalysis of the reaction: glyphosate + OH- = glyoxylate + aminomethylphosphonic acid + H+ + 2 e-. [UM-BBD_reactionID:r0073]' - }, - 'GO:0034781': { - 'name': 'N-cyclohexylformamide amidohydrolase activity', - 'def': 'Catalysis of the reaction: N-cyclohexylformamide + OH- = cyclohexylamine + formate. [UM-BBD_reactionID:r1030]' - }, - 'GO:0034782': { - 'name': 'dimethylmalonate decarboxylase activity', - 'def': 'Catalysis of the reaction: dimethylmalonate + H+ = isobutyrate + CO2. [UM-BBD_reactionID:r1031]' - }, - 'GO:0034783': { - 'name': 'pivalate-CoA ligase activity', - 'def': 'Catalysis of the reaction: pivalate + H+ + HSCoA + ATP = pivalyl-CoA + PPi + AMP. [UM-BBD_reactionID:r1032]' - }, - 'GO:0034784': { - 'name': 'pivalyl-CoA mutase activity', - 'def': 'Catalysis of the reaction: pivalyl-CoA = 3-methylbutyryl-CoA. [UM-BBD_reactionID:r1033]' - }, - 'GO:0034785': { - 'name': 'salicylate 5-hydroxylase activity', - 'def': 'Catalysis of the reaction: salicylate + O2 + NAD(P)H + H+ = gentisate + H2O + NAD(P)+. [UM-BBD_reactionID:r1034]' - }, - 'GO:0034786': { - 'name': '9-fluorenone-3,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: 9-fluorenone + O2 + 2 H+ + 2 e- = 1-hydro-1,1a-dihydroxy-9-fluorenone. [UM-BBD_reactionID:r1039]' - }, - 'GO:0034787': { - 'name': '1-hydro-1,1a-dihydroxy-9-fluorenone dehydrogenase activity', - 'def': "Catalysis of the reaction: 1-hydro-1,1a-dihydroxy-9-fluorenone + H2O = 2,3-dihydroxy-2'-carboxybiphenyl + 3 H+ + 2 e-. [UM-BBD_reactionID:r1040]" - }, - 'GO:0034788': { - 'name': "2,3-dihydroxy-2'-carboxybiphenyl 1,2-dioxygenase activity", - 'def': "Catalysis of the reaction: 2,3-dihydroxy-2'-carboxybiphenyl + O2 = 2-hydroxy-6-oxo-6-(2-carboxyphenyl)-hexa-2,4-dienoate + H+. [UM-BBD_reactionID:r1041]" - }, - 'GO:0034789': { - 'name': '2-hydroxy-6-oxo-6-(2-carboxyphenyl)-hexa-2,4-dienoate hydrolase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-6-oxo-6-(2-carboxyphenyl)-hexa-2,4-dienoate + H2O = cis-2-hydroxypenta-2,4-dienoate + phthalate + H+. [UM-BBD_reactionID:r1042]' - }, - 'GO:0034790': { - 'name': '3,4-dihydroxy-3,4-dihydrofluorene dehydrogenase activity', - 'def': 'Catalysis of the reaction: (+)-(3S,4R)-cis-3,4-dihydroxy-3,4-dihydrofluorene = 3,4-dihydroxyfluorene + 2 H+ + 2 e-. [UM-BBD_reactionID:r1043]' - }, - 'GO:0034791': { - 'name': 'isobutylamine N-hydroxylase activity', - 'def': 'Catalysis of the reaction: isobutylamine + NADPH + O2 = isobutylhydroxylamine + NADP+ + H2O. [UM-BBD_reactionID:r1053]' - }, - 'GO:0034792': { - 'name': 'hypophosphite dioxygenase activity', - 'def': 'Catalysis of the reaction: hypophosphite + 2-oxoglutarate + O2 = succinate + phosphite + CO2. [UM-BBD_reactionID:r1058]' - }, - 'GO:0034793': { - 'name': 'cyclopropanecarboxylate-CoA ligase activity', - 'def': 'Catalysis of the reaction: cyclopropanecarboxylate + CoASH = cyclopropanecarboxyl-CoA + OH-. [UM-BBD_reactionID:r1056]' - }, - 'GO:0034794': { - 'name': 'cyclopropanecarboxyl-CoA decyclase activity', - 'def': 'Catalysis of the reaction: cyclopropanecarboxyl-CoA = crotonoyl-CoA. [UM-BBD_reactionID:r1057]' - }, - 'GO:0034795': { - 'name': 'cyclohexane monooxygenase activity', - 'def': 'Catalysis of the reaction: cyclohexane + O2 + NAD(P)H + H+ = cyclohexanol + NAD(P)+ + H2O. [UM-BBD_reactionID:r1059]' - }, - 'GO:0034796': { - 'name': 'adipate-CoA ligase activity', - 'def': 'Catalysis of the reaction: adipate + CoASH = adipyl-CoA + OH-. [UM-BBD_reactionID:r1060]' - }, - 'GO:0034797': { - 'name': 'fosfomycin 2-glutathione ligase activity', - 'def': 'Catalysis of the reaction: hydrogen (2R,3S)-3-methyloxiran-2-ylphosphonic acid + glutathione = hydrogen (1R,2R)-1-glutathio-2-hydroxypropylphosphonic acid. [UM-BBD_reactionID:r1073]' - }, - 'GO:0034798': { - 'name': 'fosfomycin 2-L-cysteine ligase activity', - 'def': 'Catalysis of the reaction: hydrogen (2R,3S)-3-methyloxiran-2-ylphosphonic acid + L-cysteine = hydrogen (1R,2R)-1-L-cysteine-2-hydroxypropylphosphonic acid. [UM-BBD_reactionID:r1074]' - }, - 'GO:0034799': { - 'name': 'dihydride TNP tautomerase activity', - 'def': 'Catalysis of the reaction: TNP dihydride Meisenheimer complex (aci form) = TNP dihydride Meisenheimer complex (nitro form). [UM-BBD_reactionID:r1070]' - }, - 'GO:0034800': { - 'name': 'trinitrophenol dihydride denitratase activity', - 'def': 'Catalysis of the reaction: trinitrophenol dihydride Meisenheimer complex (aci form) = 2,4-dinitrophenol hydride Meisenheimer complex + NO2. Trinitrophenol is also known as TNP and dinitrophenol is also known as DNP. [UM-BBD_reactionID:r1067]' - }, - 'GO:0034801': { - 'name': '2,4-dinitrocyclohexanone hydrolase activity', - 'def': 'Catalysis of the reaction: 2,4-dinitrocyclohexanone + OH- = 4,6-dinitrohexanoate. [UM-BBD_reactionID:r1069]' - }, - 'GO:0034802': { - 'name': 'branched-chain dodecylbenzene sulfonate monooxygenase activity', - 'def': 'Catalysis of the reaction: branched-chain dodecylbenzene sulfonate + 1/2 O2 + H+ = sulfurous acid + branched-chain dodecyl-4-hydroxy-benzene + sulfite. [UM-BBD_reactionID:r1079]' - }, - 'GO:0034803': { - 'name': '3-hydroxy-2-naphthoate 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-2-naphthoate + O2 = (3E)-3-[(6Z)-6-(carboxymethylene)cyclohexa-2,4-dien-1-ylidene]-2-oxopropanate. [UM-BBD_reactionID:r1104]' - }, - 'GO:0034804': { - 'name': 'benzo(a)pyrene 11,12-epoxidase activity', - 'def': 'Catalysis of the reaction: benzo(a)pyrene + O2 = benzo(a)pyrene-11,12-epoxide. [UM-BBD_reactionID:r1119]' - }, - 'GO:0034805': { - 'name': 'benzo(a)pyrene-trans-11,12-dihydrodiol dehydrogenase activity', - 'def': 'Catalysis of the reaction: benzo(a)pyrene-trans-11,12-dihydrodiol = 11,12-dihydroxybenzo(a)pyrene + 2 H+ + 2 e-. [UM-BBD_reactionID:r1121]' - }, - 'GO:0034806': { - 'name': 'benzo(a)pyrene 11,12-dioxygenase activity', - 'def': 'Catalysis of the reaction: benzo(a)pyrene + O2 = benzo(a)pyrene-cis-11,12-dihydrodiol. [UM-BBD_reactionID:r1124]' - }, - 'GO:0034807': { - 'name': '4,5-dihydroxybenzo(a)pyrene methyltransferase activity', - 'def': 'Catalysis of the reaction: 4,5-dihydroxybenzo(a)pyrene + C1 unit = hydroxymethoxybenzo(a)pyrene. [UM-BBD_reactionID:r1131]' - }, - 'GO:0034808': { - 'name': 'benzo(a)pyrene 4,5-dioxygenase activity', - 'def': 'Catalysis of the reaction: benzo(a)pyrene + O2 = benzo(a)pyrene-cis-4,5-dihydrodiol. [UM-BBD_reactionID:r1126]' - }, - 'GO:0034809': { - 'name': 'benzo(a)pyrene-cis-4,5-dihydrodiol dehydrogenase activity', - 'def': 'Catalysis of the reaction: benzo(a)pyrene-cis-4,5-dihydrodiol = 4,5-dihydroxybenzo(a)pyrene + H2. [UM-BBD_reactionID:r1127]' - }, - 'GO:0034810': { - 'name': '4,5-dihydroxybenzo(a)pyrene dioxygenase activity', - 'def': 'Catalysis of the reaction: 4,5-dihydroxybenzo(a)pyrene + O2 = 4,5-chrysenedicarboxylate. [UM-BBD_reactionID:r1128]' - }, - 'GO:0034811': { - 'name': 'benzo(a)pyrene 9,10-dioxygenase activity', - 'def': 'Catalysis of the reaction: benzo(a)pyrene + O2 = benzo(a)pyrene-cis-9,10-dihydrodiol. [UM-BBD_reactionID:r1132]' - }, - 'GO:0034812': { - 'name': '9,10-dihydroxybenzo(a)pyrene dioxygenase activity', - 'def': 'Catalysis of the reaction: 9,10-dihydroxybenzo(a)pyrene + O2 = cis-4-(8-hydroxypyren-7-yl)-2-oxobut-3-enoate. [UM-BBD_reactionID:r1134]' - }, - 'GO:0034813': { - 'name': 'benzo(a)pyrene 7,8-dioxygenase activity', - 'def': 'Catalysis of the reaction: benzo(a)pyrene + O2 = benzo(a)pyrene-cis-7,8-dihydrodiol. [UM-BBD_reactionID:1137]' - }, - 'GO:0034814': { - 'name': '7,8-dihydroxy benzo(a)pyrene dioxygenase activity', - 'def': 'Catalysis of the reaction: benzo(a)pyrene-cis-7,8-dihydrodiol + O2 = cis-4-(7-hydroxypyren-8-yl)-2-oxobut-3-enoate. [UM-BBD_reactionID:r1138]' - }, - 'GO:0034815': { - 'name': 'cis-4-(8-hydroxypyren-7-yl)-2-oxobut-3-enoate lyase activity', - 'def': 'Catalysis of the reaction: cis-4-(8-hydroxypyren-7-yl)-2-oxobut-3-enoate = 10-oxabenzo(def)chrysen-9-one + formate + H+. [UM-BBD_reactionID:r1135]' - }, - 'GO:0034816': { - 'name': 'anthracene 9,10-dioxygenase activity', - 'def': 'Catalysis of the reaction: anthracene + 2 H2O = cis-9,10-dihydroanthracene-9,10-diol. [UM-BBD_reactionID:r1141]' - }, - 'GO:0034817': { - 'name': 'cis-9,10-dihydroanthracene-9,10-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-9,10-dihydroanthracene-9,10-diol = 9,10-anthraquinone + 4 H+ + 4 e-. [UM-BBD_reactionID:r1144]' - }, - 'GO:0034818': { - 'name': 'ADD 9alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: androsta-1,4-diene-3,17-dione + reduced ferredoxin + O2 = 3-hydroxy-9,10-secoandrosta-1,3,5(10)-triene-9,17-dione + H2O + oxidized ferredoxin. [UM-BBD_reactionID:r1149]' - }, - 'GO:0034819': { - 'name': '3-HSA hydroxylase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-9,10-secoandrosta-1,3,5(10)-triene-9,17-dione + NADPH + H+ + O2 = 3,4-dihydroxy-9,10-secoandrosta-1,3,5(10)-triene-9,17-dione + NADP+ + H2O. [UM-BBD_reactionID:r1150]' - }, - 'GO:0034820': { - 'name': '4,9-DSHA hydrolase activity', - 'def': 'Catalysis of the reaction: (3E,1Z)-4,5-9,10-diseco-3-hydroxy-5,9,17-trioxoandrosta-1(10),2-diene-4-oate + H2O = (2E,4E)-2-hydroxyhexa-2,4-dienoate + 9,17-dioxo-1,2,3,4,10,19-hexanorandrostan-5-oate + H+. [UM-BBD_reactionID:r1152]' - }, - 'GO:0034821': { - 'name': 'citronellol dehydrogenase activity', - 'def': 'Catalysis of the reaction: citronellol + NAD+ = citronellal + NADH + H+. [UM-BBD_reactionID:r1155]' - }, - 'GO:0034822': { - 'name': 'citronellal dehydrogenase activity', - 'def': 'Catalysis of the reaction: citronellal + NAD+ + OH- = citronellate + NADH + H+. [UM-BBD_reactionID:r1156]' - }, - 'GO:0034823': { - 'name': 'citronellyl-CoA ligase activity', - 'def': 'Catalysis of the reaction: citronellate + CoASH + ATP = citronellyl-CoA + AMP + PPi. [UM-BBD_reactionID:r1157]' - }, - 'GO:0034824': { - 'name': 'citronellyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: citronellyl-CoA + NAD+ = cis-geranyl-CoA + NADH + H+. [UM-BBD_reactionID:r1159]' - }, - 'GO:0034825': { - 'name': 'tetralin ring-hydroxylating dioxygenase activity', - 'def': 'Catalysis of the reaction: tetralin + O2 + NADH + H+ = cis-1,2-dihydroxy-1,2,5,6,7,8-hexahydronaphthalene + NAD+. [UM-BBD_reactionID:r1169]' - }, - 'GO:0034826': { - 'name': '1,2-dihydroxy-1,2,5,6,7,8-hexyhadronaphthalene dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-1,2-dihydroxy-1,2,5,6,7,8-hexahydronaphthalene + NAD+ = 1,2-dihydroxy-5,6,7,8-tetrahydronaphthalene + NADH + H+. [UM-BBD_reactionID:r1170]' - }, - 'GO:0034827': { - 'name': '1,2-dihydroxy-5,6,7,8-tetrahydronaphthalene extradiol dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydroxy-5,6,7,8-tetrahydronaphthalene + O2 = 4-(2-oxocyclohexyl)-2-hydroxy-buta-2,4-dienoate + H+. [UM-BBD_reactionID:r1171]' - }, - 'GO:0034828': { - 'name': '4-(2-oxocyclohexyl)-2-hydroxy-buta-2,4-dienoate hydrolase activity', - 'def': 'Catalysis of the reaction: 4-(2-oxocyclohexyl)-2-hydroxy-buta-2,4-dienoate + H2O = 2-hydroxydec-2,4-diene-1,10-dioate + H+. [UM-BBD_reactionID:r1172]' - }, - 'GO:0034829': { - 'name': '2-hydroxydec-2,4-diene-1,10-dioate hydratase activity', - 'def': 'Catalysis of the reaction: 2-hydroxydec-2,4-diene-1,10-dioate + H2O = (2Z)-2,4-dihydroxydec-2-enedioate. [UM-BBD_reactionID:r1172]' - }, - 'GO:0034830': { - 'name': '(2Z)-2,4-dihydroxydec-2-enedioate aldolase activity', - 'def': 'Catalysis of the reaction: (2Z)-2,4-dihydroxydec-2-enedioate = pyruvate + 7-oxoheptanoate. [UM-BBD_reactionID:r1174]' - }, - 'GO:0034831': { - 'name': '(R)-(-)-1,2,3,4-tetrahydronaphthol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-1,2,3,4-tetrahydronaphthol = 1,2,3,4-tetrahydronaphthalone + 2 H+ + 2 e-. [UM-BBD_reactionID:r1176]' - }, - 'GO:0034832': { - 'name': 'geranial dehydrogenase activity', - 'def': 'Catalysis of the reaction: geranial + NAD+ + OH- = geranylate + NADH + H+. [UM-BBD_reactionID:r1164]' - }, - 'GO:0034833': { - 'name': 'geranylate CoA-transferase activity', - 'def': 'Catalysis of the reaction: geranylate + CoASH = trans-geranyl-CoA + OH-. [UM-BBD_reactionID:r1165]' - }, - 'GO:0034834': { - 'name': '2-mercaptobenzothiazole dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-mercaptobenzothiazole + O2 + 2 H+ + 2 e- = 2-mercaptobenzothiazole-cis-6,7-dihydrodiol. [UM-BBD_reactionID:r1177]' - }, - 'GO:0034835': { - 'name': '2-mercaptobenzothiazole monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-mercaptobenzothiazole + 1/2 O2 = 6-hydroxy-2-mercaptobenzothiazole. [UM-BBD_reactionID:r1178]' - }, - 'GO:0034836': { - 'name': '6-hydroxy-2-mercaptobenzothiazole monooxygenase activity', - 'def': 'Catalysis of the reaction: 6-hydroxy-2-mercaptobenzothiazole + 1/2 O2 = 6,7-dihydroxy-2-mercaptobenzothiazole. [UM-BBD_reactionID:r1181]' - }, - 'GO:0034837': { - 'name': '2-mercaptobenzothiazole-cis-6,7-dihydrodiol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-mercaptobenzothiazole-cis-6,7-dihydrodiol = 6,7-dihydroxy-2-mercaptobenzothiazole + 2 H+ + 2 e-. [UM-BBD_reactionID:r1179]' - }, - 'GO:0034838': { - 'name': 'menthone dehydrogenase activity', - 'def': 'Catalysis of the reaction: (-)-(2S,5R)-menthone + NAD+ = (5R)-menth-2-enone + NADH + H+. [UM-BBD_reactionID:r1183]' - }, - 'GO:0034839': { - 'name': 'menth-2-enone hydratase activity', - 'def': 'Catalysis of the reaction: (5R)-menth-2-enone + H2O = (5R)-3-hydroxymenthone. [UM-BBD_reactionID:r1184]' - }, - 'GO:0034840': { - 'name': '3-hydroxymenthone dehydrogenase activity', - 'def': 'Catalysis of the reaction: (5R)-3-hydroxymenthone + NAD+ = mentha-1,3-dione + NADH + H+. [UM-BBD_reactionID:r1185]' - }, - 'GO:0034841': { - 'name': 'mentha-1,3-dione-CoA ligase activity', - 'def': 'Catalysis of the reaction: mentha-1,3-dione + CoASH = 3,7-dimethyl-5-oxo-octyl-CoA. [UM-BBD_reactionID:r1186]' - }, - 'GO:0034842': { - 'name': 'thiophene-2-carboxylate-CoA ligase activity', - 'def': 'Catalysis of the reaction: thiophene-2-carboxylate + ATP + CoASH = thiophene-2-carboxyl-CoA + AMP + PPi. [UM-BBD_reactionID:r1234]' - }, - 'GO:0034843': { - 'name': '2-oxoglutaryl-CoA thioesterase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutaryl-CoA + OH- = 2-oxoglutarate + CoASH. [UM-BBD_reactionID:r1238]' - }, - 'GO:0034844': { - 'name': 'naphthyl-2-methyl-succinate CoA-transferase activity', - 'def': 'Catalysis of the reaction: naphthyl-2-methyl-succinate + succinyl-CoA = naphthyl-2-methyl-succinyl-CoA + succinate. [UM-BBD_reactionID:r1256]' - }, - 'GO:0034845': { - 'name': 'naphthyl-2-methyl-succinyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: naphthyl-2-methyl-succinyl-CoA = naphthyl-2-methylene-succinyl-CoA + 2 H+ + 2 e-. [UM-BBD_reactionID:r1258]' - }, - 'GO:0034846': { - 'name': 'naphthyl-2-methylene-succinyl-CoA lyase activity', - 'def': 'Catalysis of the reaction: naphthyl-2-methylene-succinyl-CoA + H2O = naphthyl-2-hydroxymethyl-succinyl-CoA. [UM-BBD_reactionID:r1259]' - }, - 'GO:0034847': { - 'name': 'naphthyl-2-hydroxymethyl-succinyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: naphthyl-2-hydroxymethyl-succinyl-CoA = naphthyl-2-oxomethyl-succinyl-CoA + 2 H+ + 2 e-. [UM-BBD_reactionID:r1260]' - }, - 'GO:0034848': { - 'name': 'naphthyl-2-oxomethyl-succinyl-CoA succinyl transferase activity', - 'def': 'Catalysis of the reaction: naphthyl-2-oxomethyl-succinyl-CoA + CoASH = 2-naphthoyl-CoA + succinyl-CoA. [UM-BBD_reactionID:r1261]' - }, - 'GO:0034849': { - 'name': '2-naphthoate CoA-transferase activity', - 'def': 'Catalysis of the reaction: 2-naphthoyl-CoA + OH- = 2-naphthoate + CoASH. [UM-BBD_reactionID:r1262]' - }, - 'GO:0034850': { - 'name': 'isooctane monooxygenase activity', - 'def': 'Catalysis of the reaction: isooctane + 1/2 O2 = 2,4,4-trimethyl-1-pentanol. [UM-BBD_reactionID:r1269]' - }, - 'GO:0034851': { - 'name': '2,4,4-trimethyl-3-oxopentanoyl-CoA 2-C-propanoyl transferase activity', - 'def': 'Catalysis of the reaction: 2,4,4-trimethyl-3-oxopentanoyl-CoA + CoASH = pivalyl-CoA + propanoyl-CoA. [UM-BBD_reactionID:r1274]' - }, - 'GO:0034852': { - 'name': '4,4-dimethyl-3-oxopentanal dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4,4-dimethyl-3-oxopentanal + H2O = 4,4-dimethyl-3-oxopentanoate + 3 H+ + 2 e-. [UM-BBD_reactionID:r1309]' - }, - 'GO:0034853': { - 'name': '2,4,4-trimethyl-3-oxopentanoate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2,4,4-trimethyl-3-oxopentanoate + H+ = 2,2-dimethyl-3-pentanone + CO2. [UM-BBD_reactionID:r1278]' - }, - 'GO:0034854': { - 'name': '4,4-dimethyl-3-oxopentanoate decarboxylase activity', - 'def': 'Catalysis of the reaction: 4,4-dimethyl-3-oxopentanoate + H+ = 3,3-dimethyl-2-butanone + CO2. [UM-BBD_reactionID:r1280]' - }, - 'GO:0034855': { - 'name': '4-AD 9alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: androst-4-ene-3,17-dione + O2 + 2 H+ + 2 e- = 9alpha-hydroxy-4-androstene-3,17-dione + H2O. [UM-BBD_reactionID:r1153]' - }, - 'GO:0034856': { - 'name': '2-hydroxyhexa-2,4-dienoate hydratase activity', - 'def': 'Catalysis of the reaction: (2E,4E)-2-hydroxyhexa-2,4-dienoate + H2O = 4-hydroxy-2-oxohexanoate. [UM-BBD_reactionID:r1281]' - }, - 'GO:0034857': { - 'name': '2-(methylthio)benzothiazole monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-(methylthio)benzothiazole + 1/2 O2 = 2-(methylsulfinyl)benzothiazole. [UM-BBD_reactionID:r1287]' - }, - 'GO:0034858': { - 'name': '2-hydroxybenzothiazole monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-hydroxybenzothiazole + 1/2 O2 = 2,6-dihydroxybenzothiazole. [UM-BBD_reactionID:r1291]' - }, - 'GO:0034859': { - 'name': 'benzothiazole monooxygenase activity', - 'def': 'Catalysis of the reaction: benzothiazole + 1/2 O2 = 2-hydroxybenzothiazole. [UM-BBD_reactionID:r1292]' - }, - 'GO:0034860': { - 'name': '2-mercaptobenzothiazole desulfurase activity', - 'def': 'Catalysis of the reaction: 2-mercaptobenzothiazole + reduced acceptor = benzothiazole + hydrogen sulfide + oxidized acceptor. [UM-BBD_reactionID:r1288]' - }, - 'GO:0034861': { - 'name': 'benzothiazole-2-sulfonate hydrolase activity', - 'def': 'Catalysis of the reaction: benzothiazole-2-sulfonate + H2O = 2-hydroxybenzothiazole + HSO3-. [UM-BBD_reactionID:r1290]' - }, - 'GO:0034862': { - 'name': '2,6-dihydroxybenzothiazole monooxygenase activity', - 'def': 'Catalysis of the reaction: 2,6-dihydroxybenzothiazole + 1/2 O2 = 2,6,7-trihydroxybenzothiazole. [UM-BBD_reactionID:r1294]' - }, - 'GO:0034863': { - 'name': '2,4,4-trimethyl-1-pentanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2,4,4-trimethyl-1-pentanol = 2,4,4-trimethylpentanal + 2 H+ + 2 e-. [UM-BBD_reactionID:r1270]' - }, - 'GO:0034864': { - 'name': '2,4,4-trimethylpentanal dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2,4,4-trimethylpentanal + H2O = 2,4,4-trimethylpentanoate + 3 H+ + 2 e-. [UM-BBD_reactionID:r1275]' - }, - 'GO:0034865': { - 'name': '2,4,4-trimethylpentanoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: 2,4,4-trimethylpentanoate + CoASH = 2,4,4-trimethylpentanoyl-CoA + OH-. [UM-BBD_reactionID:r1271]' - }, - 'GO:0034866': { - 'name': '2,4,4-trimethylpentanoyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2,4,4-trimethylpentanoyl-CoA = 2,4,4-trimethylpent-2-enoyl-CoA + 2 H+ + 2 e-. [UM-BBD_reactionID:r1276]' - }, - 'GO:0034867': { - 'name': '2,4,4-trimethylpent-2-enoyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: 2,4,4-trimethylpent-2-enoyl-CoA + H2O = 2,4,4-trimethyl-3-hydroxypentanoyl-CoA. [UM-BBD_reactionID:r1277]' - }, - 'GO:0034868': { - 'name': '2,4,4-trimethyl-3-hydroxypentanoyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2,4,4-trimethyl-3-hydroxypentanoyl-CoA = 2,4,4-trimethyl-3-oxopentanoyl-CoA + 2 H+ + 2 e-. [UM-BBD_reactionID:r1273]' - }, - 'GO:0034869': { - 'name': '2,4,4-trimethyl-3-oxopentanoyl-CoA thioesterase activity', - 'def': 'Catalysis of the reaction: 2,4,4-trimethyl-3-oxopentanoyl-CoA + OH- = 2,4,4-trimethyl-3-oxopentanoate + CoASH. [UM-BBD_reactionID:r1307]' - }, - 'GO:0034870': { - 'name': 'pinacolone 5-monooxygenase activity', - 'def': 'Catalysis of the reaction: 2,2-dimethyl-3-pentanone + 1/2 O2 = 1-hydroxy-4,4-dimethylpentan-3-one. [UM-BBD_reactionID:r12979]' - }, - 'GO:0034871': { - 'name': '1-hydroxy-4,4-dimethylpentan-3-one dehydrogenase activity', - 'def': 'Catalysis of the reaction: 1-hydroxy-4,4-dimethylpentan-3-one = 4,4-dimethyl-3-oxopentanal + 2 H+ + 2 e-. [UM-BBD_reactionID:r1308]' - }, - 'GO:0034872': { - 'name': 'trans-geranyl-CoA isomerase activity', - 'def': 'Catalysis of the reaction: trans-geranyl-CoA = cis-geranyl-CoA. [UM-BBD_reactionID:r1310]' - }, - 'GO:0034873': { - 'name': 'thioacetamide S-oxygenase activity', - 'def': 'Catalysis of the reaction: thioacetamide + O2 + 2 H+ + 2 e- = thioacetamide S-oxide + H2O. [UM-BBD_reactionID:r1312]' - }, - 'GO:0034874': { - 'name': 'thioacetamide S-oxide S-oxygenase activity', - 'def': 'Catalysis of the reaction: thioacetamide S-oxide + O2 + 2 H+ + 2 e- = thioacetamide S,S-dioxide + H2O. [UM-BBD_reactionID:r1313]' - }, - 'GO:0034875': { - 'name': 'caffeine oxidase activity', - 'def': 'Catalysis of the reaction: caffeine + O2 + 2 H+ + 2 e- = 1,3,7-trimethyluric acid + H2O. [UM-BBD_reactionID:r1321]' - }, - 'GO:0034876': { - 'name': 'isonicotinic acid hydrazide hydrolase activity', - 'def': 'Catalysis of the reaction: isoniazid + H2O = isonicotinate + hydrazine. [UM-BBD_reactionID:r1336]' - }, - 'GO:0034877': { - 'name': 'isonicotinate dehydrogenase activity', - 'def': 'Catalysis of the reaction: isonicotinate + acceptor + H2O = 2-hydroxyisonicotinate + reduced acceptor. [UM-BBD_reactionID:r1337]' - }, - 'GO:0034878': { - 'name': '2-hydroxyisonicotinate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-hydroxyisonicotinate + acceptor + H2O = citrazinate + reduced acceptor. [UM-BBD_reactionID:r1338]' - }, - 'GO:0034879': { - 'name': '2,3,6-trihydroxyisonicotinate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2,3,6-trihydroxyisonicotinate = 2,3,6-trihydroxypyridine + CO2. [UM-BBD_reactionID:r1340]' - }, - 'GO:0034880': { - 'name': 'citrazinate dehydrogenase activity', - 'def': 'Catalysis of the reaction: citrazinate + H2O = 2,3,6-trihydroxyisonicotinate + 2 H+ + 2 e-. [UM-BBD_reactionID:r1339]' - }, - 'GO:0034881': { - 'name': 'citrazinate hydrolase activity', - 'def': 'Catalysis of the reaction: citrazinate + H2O = cis-aconitamide. [UM-BBD_reactionID:r1343]' - }, - 'GO:0034882': { - 'name': 'cis-aconitamide amidase activity', - 'def': 'Catalysis of the reaction: cis-aconitamide + H2O = cis-aconitate + HN3. [UM-BBD_reactionID:r1344]' - }, - 'GO:0034883': { - 'name': 'obsolete isonicotinate reductase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: isonicotinate + 2 H+ + 2 e- = 1,4-dihydroisonicotinate. [UM-BBD_reactionID:r1347]' - }, - 'GO:0034884': { - 'name': 'obsolete gamma-N-formylaminovinylacetaldehyde dehydrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: gamma-N-formylaminovinylacetaldehyde + H2O = gamma-N-formylaminovinylacetate + 2 H+ + 2 e-. [UM-BBD_reactionID:r1349]' - }, - 'GO:0034885': { - 'name': 'gamma-N-formylaminovinylacetate hydrolase activity', - 'def': 'Catalysis of the reaction: gamma-N-formylaminovinylacetate + H2O = gamma-aminovinylacetate + HCOOH. [UM-BBD_reactionID:r1350]' - }, - 'GO:0034886': { - 'name': 'gamma-aminovinylacetate deaminase activity', - 'def': 'Catalysis of the reaction: gamma-aminovinylacetate + H2O = succinic semialdehyde + NH3. [UM-BBD_reactionID:r1351]' - }, - 'GO:0034887': { - 'name': 'obsolete 1,4-dihydroisonicotinate 2,3-dioxygenase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: 1,4-dihydroisonicotinate + O2 = gamma-N-formylaminovinylacetaldehyde + CO2. [UM-BBD_reactionID:r1348]' - }, - 'GO:0034888': { - 'name': 'endosulfan monooxygenase I activity', - 'def': 'Catalysis of the reaction: endosulfan + O2 + 2 H+ + 2 e- = endosulfan sulfate + H2O. [UM-BBD_reactionID:r1382]' - }, - 'GO:0034889': { - 'name': 'endosulfan hemisulfate sulfatase activity', - 'def': 'Catalysis of the reaction: endosulfan hemisulfate + H2O = endosulfan monoalcohol + 2 H+ + sulfate. [UM-BBD_reactionID:r1384]' - }, - 'GO:0034890': { - 'name': 'endosulfan diol hydrolyase (cyclizing) activity', - 'def': 'Catalysis of the reaction: endosulfan diol = endosulfan ether + H2O. [UM-BBD_reactionID:r1386]' - }, - 'GO:0034891': { - 'name': 'endosulfan diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: endosulfan diol = endosulfan hydroxyether + 2 H+ + 2 e-. [UM-BBD_reactionID:r1388]' - }, - 'GO:0034892': { - 'name': 'endosulfan lactone lactonase activity', - 'def': 'Catalysis of the reaction: endosulfan lactone + H2O = endosulfan hydroxycarboxylate + H+. [UM-BBD_reactionID:r1389]' - }, - 'GO:0034893': { - 'name': 'N-nitrodimethylamine hydroxylase activity', - 'def': 'Catalysis of the reaction: N-nitrodimethylamine + O2 + 2 H+ + 2 e- = N-nitromethylamine + formaldehyde + H2O. [UM-BBD_reactionID:r1395]' - }, - 'GO:0034894': { - 'name': '4-hydroxypyridine-3-hydroxylase activity', - 'def': 'Catalysis of the reaction: 4-hydroxypyridine + O2 + H+ + NADPH = pyridine-3,4-diol + H2O + NADP+. [UM-BBD_reactionID:r1397]' - }, - 'GO:0034895': { - 'name': 'pyridine-3,4-diol dioxygenase activity', - 'def': 'Catalysis of the reaction: pryidine-3,4-diol + O2 = 3-(N-formyl)-formiminopyruvate. [UM-BBD_reactionID:r1398]' - }, - 'GO:0034896': { - 'name': '3-formiminopyruvate hydrolase activity', - 'def': 'Catalysis of the reaction: 3-formiminopyruvate + H2O = 3-formylpyruvate + HN3. [UM-BBD_reactionID:r1400]' - }, - 'GO:0034897': { - 'name': '4-(1-ethyl-1,4-dimethyl-pentyl)phenol monoxygenase activity', - 'def': 'Catalysis of the reaction: 4-(1-ethyl-1,4-dimethyl-pentyl)phenol + O2 + 2 H+ + 2 e- = hydroquinone + 3,6-dimethylheptan-3-ol. [UM-BBD_reactionID:r1358]' - }, - 'GO:0034898': { - 'name': 'hexadecyltrimethylammonium chloride monooxygenase activity', - 'def': 'Catalysis of the reaction: hexadecyltrimethylammonium chloride + NAD(P)H + H+ + O2 = trimethylamine + hexadecanal + NAD(P)+ + H2O. [UM-BBD_reactionID:r1373]' - }, - 'GO:0034899': { - 'name': 'trimethylamine monooxygenase activity', - 'def': 'Catalysis of the reaction: N,N,N-trimethylamine + NADPH + H+ + O2 = N,N,N-trimethylamine N-oxide + NADP+ + H2O. [EC:1.14.13.148, UM-BBD_reactionID:r1407]' - }, - 'GO:0034900': { - 'name': '3-(N-formyl)-formiminopyruvate hydrolase activity', - 'def': 'Catalysis of the reaction: 3-(N-formyl)-formiminopyruvate + H2O = 3-formiminopyruvate + formate. [UM-BBD_reactionID:r1399]' - }, - 'GO:0034901': { - 'name': 'endosulfan hydroxyether dehydrogenase activity', - 'def': 'Catalysis of the reaction: endosulfan hydroxyether = endosulfan lactone + 2 H+ + 2 e-. [UM-BBD_reactionID:r1411]' - }, - 'GO:0034902': { - 'name': 'endosulfan sulfate hydrolase activity', - 'def': 'Catalysis of the reaction: endosulfan sulfate + H2O = endosulfan diol + sulfite. [UM-BBD_reactionID:r1387]' - }, - 'GO:0034903': { - 'name': 'endosulfan ether monooxygenase activity', - 'def': 'Catalysis of the reaction: endosulfan ether + O2 + 2 H+ + 2 e- = endosulfan hydroxyether + H2O. [UM-BBD_reactionID:r1413]' - }, - 'GO:0034904': { - 'name': '5-chloro-2-oxopent-4-enoate hydratase activity', - 'def': 'Catalysis of the reaction: 5-chloro-2-oxopent-4-enoate + H2O = 5-chloro-4-hydroxy-2-oxopentanate. [UM-BBD_reactionID:r1436]' - }, - 'GO:0034905': { - 'name': '5-chloro-4-hydroxy-2-oxopentanate aldolase activity', - 'def': 'Catalysis of the reaction: 5-chloro-4-hydroxy-2-oxopentanate = pyruvate + chloroacetaldehyde. [UM-BBD_reactionID:r1437]' - }, - 'GO:0034906': { - 'name': 'N-isopropylaniline 1,2-dixoxygenase activity', - 'def': 'Catalysis of the reaction: N-isopropylaniline + O2 + 2 H+ + NADH = catechol + NAD+ + isopropylamine. [UM-BBD_reactionID:r0721]' - }, - 'GO:0034907': { - 'name': 'acetanilide 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: acetanilide + O2 + 2 H+ + NADH = catechol + NAD+ + acetamide. [UM-BBD_reactionID:r0723]' - }, - 'GO:0034908': { - 'name': '2-chloro-N-isopropylacetanilide 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-chloro-N-isopropylacetanilide + O2 + 2 H+ + NADH = 2-chloro-N-isopropylacetamide + catechol + NAD+. [UM-BBD_reactionID:r0724]' - }, - 'GO:0034909': { - 'name': '6-hydroxypseudooxynicotine dehydrogenase activity', - 'def': 'Catalysis of the reaction: 6-hydroxypseudooxynicotine + H2O + OH- = 6-hydroxy-3-succinoylpyridine + 4 H+ + 4 e- + methylamine. [UM-BBD_reactionID:r1441]' - }, - 'GO:0034910': { - 'name': '6-hydroxy-3-succinoylpyridine hydrolase activity', - 'def': 'Catalysis of the reaction: 6-hydroxy-3-succinoylpyridine + H2O = succinic semialdehyde + 2,5-dihydroxypyridine. [UM-BBD_reactionID:r1442]' - }, - 'GO:0034911': { - 'name': 'phthalate 3,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: phthalate + O2 + NADH + H+ = phthalate 3,4-cis-dihydrodiol + NAD+. [UM-BBD_reactionID:r1444]' - }, - 'GO:0034912': { - 'name': 'phthalate 3,4-cis-dihydrodiol dehydrogenase activity', - 'def': 'Catalysis of the reaction: phthalate 3,4-cis-dihydrodiol + NAD+ = 3,4-dihydroxyphthalate + NADH + H+. [UM-BBD_reactionID:r1445]' - }, - 'GO:0034914': { - 'name': 'trinitrophenol hydride denitratase activity', - 'def': 'Catalysis of the reaction: trinitrophenol hydride Meisenheimer complex = 2,4-dinitrophenol + nitrite. Trinitrophenol is also known as TNP. [UM-BBD_reactionID:r1448]' - }, - 'GO:0034915': { - 'name': '2-methylhexanoyl-CoA C-acetyltransferase activity', - 'def': 'Catalysis of the reaction: 4-methyl-3-oxooctanoyl-CoA + CoA = acetyl-CoA + 2-methylhexanoyl-CoA. [UM-BBD_reactionID:r0927]' - }, - 'GO:0034916': { - 'name': '2-methylhexanoyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-methylhexanoyl-CoA = 2-methylhex-2-enoyl-CoA + 2 H+ + e-. [UM-BBD_reactionID:r0928]' - }, - 'GO:0034917': { - 'name': '2-methylhex-2-enoyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: 2-methylhex-2-enoyl-CoA + H2O = 3-hydroxy-2-methylhexanoyl-CoA. [UM-BBD_reactionID:r0929]' - }, - 'GO:0034918': { - 'name': '3-hydroxy-2-methylhexanoyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-2-methylhexanoyl-CoA = 2-methyl-3-oxohexanoyl-CoA + 2 H+ + 2 e-. [UM-BBD_reactionID:r0930]' - }, - 'GO:0034919': { - 'name': 'butyryl-CoA 2-C-propionyltransferase activity', - 'def': 'Catalysis of the reaction: 2-methyl-3-oxohexanoyl-CoA + CoA = propanoyl-CoA + butyryl-CoA. [UM-BBD_reactionID:r0931]' - }, - 'GO:0034920': { - 'name': 'pyrene dioxygenase activity', - 'def': 'Catalysis of the reaction: pyrene + 2 H+ + 2 e- + O2 = cis-4,5-dihydroxy-4,5-dihydropyrene. [UM-BBD_reactionID:r0934]' - }, - 'GO:0034921': { - 'name': 'cis-4,5-dihydroxy-4,5-dihydropyrene dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-4,5-dihydroxy-4,5-dihydropyrene = 4,5-dihydroxypyrene + 2 H+ + 2 e-. [UM-BBD_reactionID:r0935]' - }, - 'GO:0034922': { - 'name': '4,5-dihydroxypyrene dioxygenase activity', - 'def': 'Catalysis of the reaction: 4,5-dihydroxypyrene + O2 = phenanthrene-4,5-dicarboxylate + 2 H+. [UM-BBD_reactionID:r0936]' - }, - 'GO:0034923': { - 'name': 'phenanthrene-4,5-dicarboxylate decarboxylase activity', - 'def': 'Catalysis of the reaction: phenanthrene-4,5-dicarboxylate + H+ = phenanthrene-4-carboxylate + CO2. [UM-BBD_reactionID:r0937]' - }, - 'GO:0034924': { - 'name': 'cis-3,4-phenanthrenedihydrodiol-4-carboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: cis-3,4-phenanthrenedihydrodiol-4-carboxylate = 3,4-dihydroxyphenanthrene + H+ + 2 e- + CO2. [UM-BBD_reactionID:r0940]' - }, - 'GO:0034925': { - 'name': 'pyrene 4,5-monooxygenase activity', - 'def': 'Catalysis of the reaction: pyrene + O2 + 2 H+ + 2 e- = pyrene-4,5-oxide + H2O. [UM-BBD_reactionID:r0941]' - }, - 'GO:0034926': { - 'name': 'pyrene-4,5-epoxide hydrolase activity', - 'def': 'Catalysis of the reaction: pyrene-4,5-oxide + H2O = trans-4,5-dihydroxy-4,5-dihydropyrene. [UM-BBD_reactionID:r0942]' - }, - 'GO:0034927': { - 'name': 'pyrene 1,2-monooxygenase activity', - 'def': 'Catalysis of the reaction: pyrene + O2 + 2 H+ + 2 e- = pyrene-1,2-oxide + H2O. [UM-BBD_reactionID:r0943]' - }, - 'GO:0034928': { - 'name': '1-hydroxypyrene 6,7-monooxygenase activity', - 'def': 'Catalysis of the reaction: 1-hydroxypyrene + O2 + 2 H+ + 2 e- = 1-hydroxypyrene-6,7-oxide + H2O. [UM-BBD_reactionID:r0946]' - }, - 'GO:0034929': { - 'name': '1-hydroxypyrene 7,8-monooxygenase activity', - 'def': 'Catalysis of the reaction: 1-hydroxypyrene + O2 + 2 H+ + 2 e- = 1-hydroxypyrene-7,8-oxide + H2O. [UM-BBD_reactionID:r0949]' - }, - 'GO:0034930': { - 'name': '1-hydroxypyrene sulfotransferase activity', - 'def': 'Catalysis of the reaction: 1-hydroxypyrene + XSO3- = 1-pyrenylsulfate + HX. [UM-BBD_reactionID:r0952]' - }, - 'GO:0034931': { - 'name': '1-hydroxypyrene methyltransferase activity', - 'def': 'Catalysis of the reaction: 1-hydroxypyrene + XCH3 = 1-methoxypyrene + HX. [UM-BBD_reactionID:r0953]' - }, - 'GO:0034932': { - 'name': '1-methoxypyrene 6,7-monooxygenase activity', - 'def': 'Catalysis of the reaction: 1-methoxypyrene + O2 + 2 H+ + 2 e- = 1-methoxypyrene-6,7-oxide + H2O. [UM-BBD_reactionID:r0954]' - }, - 'GO:0034933': { - 'name': '1-hydroxy-6-methoxypyrene methyltransferase activity', - 'def': 'Catalysis of the reaction: 1-hydroxy-6-methoxypyrene + XCH3 = 1,6-dimethoxypyrene + HX. [UM-BBD_reactionID:r0956]' - }, - 'GO:0034934': { - 'name': 'phenanthrene-4-carboxylate dioxygenase activity', - 'def': 'Catalysis of the reaction: phenanthrene-4-carboxylate + 2 H+ + 2 e- + O2 = cis-3,4-phenanthrenedihydrodiol-4-carboxylate. [UM-BBD_reactionID:r0939]' - }, - 'GO:0034935': { - 'name': 'tetrachlorobenzene dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,4-dichlorotoluene + NADH + H+ + O2 = 4,6-dichloro-3-methyl-cis-1,2-dihydroxycyclohexa-3,5-diene + NAD+. [UM-BBD_reactionID:r0957]' - }, - 'GO:0034936': { - 'name': '4,6-dichloro-3-methylcatechol 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 4,6-dichloro-3-methylcatechol + O2 = 3,5-dichloro-3-methyl-cis,cis-muconate + 2 H+. [UM-BBD_reactionID:r0959]' - }, - 'GO:0034937': { - 'name': 'perchlorate reductase activity', - 'def': 'Catalysis of the reaction: perchlorate + 2 H+ + 2 e- = chlorate + H2O. [UM-BBD_reactionID:r0980]' - }, - 'GO:0034938': { - 'name': 'pyrrole-2-carboxylate monooxygenase activity', - 'def': 'Catalysis of the reaction: pryrole-2-carboxylate + NADH + O2 + H+ = 5-hydroxypyrrole-2-carboxylate + NAD+ + H2O. [UM-BBD_reactionID:r0968]' - }, - 'GO:0034939': { - 'name': '5-hydroxypyrrole-2-carboxylate tautomerase activity', - 'def': 'Catalysis of the reaction: 5-hydroxypyrrole-2-carboxylate = 5-oxo-4,5-dihydropyrrole-2-carboxylate. [UM-BBD_reactionID:r0969]' - }, - 'GO:0034940': { - 'name': '5-oxo-4,5-dihydropyrrole-2-carboxylate amidase activity', - 'def': 'Catalysis of the reaction: 5-oxo-4,5-dihydropyrrole-2-carboxylate + 2 H2O = 2-oxoglutarate + NH3. [UM-BBD_reactionID:r0984]' - }, - 'GO:0034941': { - 'name': 'pyrrole-2-carboxylate decarboxylase activity', - 'def': 'Catalysis of the reaction: pryrole-2-carboxylate + H+ = pyrrole + CO2. [UM-BBD_reactionID:r0970]' - }, - 'GO:0034942': { - 'name': 'cis-2-methyl-5-isopropylhexa-2,5-dienoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: cis-2-methyl-5-isopropylhexa-2,5-dienoic acid + ATP + CoASH = cis-2-methyl-5-isopropylhexa-2,5-dienoyl-CoA + AMP + PPi. [UM-BBD_reactionID:r0988]' - }, - 'GO:0034943': { - 'name': 'trans-2-methyl-5-isopropylhexa-2,5-dienoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: trans-2-methyl-5-isopropylhexa-2,5-dienoic acid + ATP + CoASH = trans-2-methyl-5-isopropylhexa-2,5-dienoyl-CoA + AMP + PPi. [UM-BBD_reactionID:r0989]' - }, - 'GO:0034944': { - 'name': '3-hydroxy-2,6-dimethyl-5-methylene-heptanoyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-2,6-dimethyl-5-methylene-heptanoyl-CoA + NAD+ = 2,6-dimethyl-5-methylene-3-oxo-heptanoyl-CoA + NADH+ + H+. [UM-BBD_reactionID:r0986]' - }, - 'GO:0034945': { - 'name': '2,6-dimethyl-5-methylene-3-oxo-heptanoyl-CoA C-acetyltransferase activity', - 'def': 'Catalysis of the reaction: 2,6-dimethyl-5-methylene-3-oxo-heptanoyl-CoA + CoASH = 3-isopropylbut-3-enoyl-CoA + propanoyl-CoA. [UM-BBD_reactionID:r0987]' - }, - 'GO:0034946': { - 'name': '3-isopropylbut-3-enoyl-CoA thioesterase activity', - 'def': 'Catalysis of the reaction: 3-isopropylbut-3-enoyl-CoA + H2O = 3-isopropylbut-3-enoic acid + CoASH. [UM-BBD_reactionID:r0994]' - }, - 'GO:0034947': { - 'name': 'terephthalate decarboxylase activity', - 'def': 'Catalysis of the reaction: terephthalate + H2O = benzoate + HCO3-. [UM-BBD_reactionID:r0321]' - }, - 'GO:0034948': { - 'name': '2,6-dihydroxypseudooxynicotine hydrolase activity', - 'def': 'Catalysis of the reaction: 2,6-dihydroxypseudooxynicotine + H2O = 2,6-dihydroxypyridine + 4-methylaminobutyrate. [UM-BBD_reactionID:r0482]' - }, - 'GO:0034949': { - 'name': '1,1-dichloroethane reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: 1,1-dichloroethane + 2 H+ + 2 e- = chloroethane + HCl. [UM-BBD_reactionID:r1008]' - }, - 'GO:0034950': { - 'name': 'phenylboronic acid monooxygenase activity', - 'def': 'Catalysis of the reaction: phenylboronic acid + O2 + 2 H+ + 2 e- = phenol + B(OH)3. [UM-BBD_reactionID:r1020]' - }, - 'GO:0034951': { - 'name': 'o-hydroxylaminobenzoate mutase activity', - 'def': 'Catalysis of the reaction: o-hydroxylaminobenzoate = 3-hydroxyanthranilate. [UM-BBD_reactionID:r1026]' - }, - 'GO:0034952': { - 'name': 'malonate semialdehyde decarboxylase activity', - 'def': 'Catalysis of the reaction: malonate semialdehyde + H+ = acetaldehyde + CO2. [UM-BBD_reactionID:r0266]' - }, - 'GO:0034953': { - 'name': 'perillyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: perillyl-CoA + H2O = 2-hydroxy-4-isopropenylcyclohexane-1-carboxyl-CoA. [UM-BBD_reactionID:r1002]' - }, - 'GO:0034954': { - 'name': 'diphenyl ether 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: diphenyl ether + O2 = 2,3-dihydroxydiphenyl ether. [UM-BBD_reactionID:r1450]' - }, - 'GO:0034955': { - 'name': '2,3-dihydroxydiphenyl ether dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxydiphenyl ether + O2 + H2O = 2-hydroxymuconate + phenol. [UM-BBD_reactionID:r1451]' - }, - 'GO:0034956': { - 'name': 'diphenyl ether 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: diphenyl ether + NADH + O2 + H+ = phenol + catechol + NAD+. [UM-BBD_reactionID:r1453]' - }, - 'GO:0034957': { - 'name': '3-nitrophenol nitroreductase activity', - 'def': 'Catalysis of the reaction: 3-nitrophenol + 2 NADH + 2 H+ = 3-hydroxyaminophenol + 2 NAD+ + H2O. [UM-BBD_reactionID:r1495]' - }, - 'GO:0034958': { - 'name': 'aminohydroquinone monooxygenase activity', - 'def': 'Catalysis of the reaction: aminohydroquinone + 2 e- + 2 H+ + 1/2 O2 = 1,2,4-benzenetriol + NH3. [UM-BBD_reactionID:r1497]' - }, - 'GO:0034959': { - 'name': 'endothelin maturation', - 'def': 'The process leading to the attainment of the full functional capacity of endothelin by conversion of Big-endothelin substrate into mature endothelin. [GOC:BHF, GOC:rl]' - }, - 'GO:0034963': { - 'name': 'box C/D snoRNA processing', - 'def': 'Any process involved in the conversion of a primary box C/D type small nucleolar RNA (snoRNA) transcript into a mature box C/D snoRNA. [GOC:mah]' - }, - 'GO:0034964': { - 'name': 'box H/ACA snoRNA processing', - 'def': 'Any process involved in the conversion of a primary box H/ACA type small nucleolar RNA (snoRNA) transcript into a mature box H/ACA snoRNA. [GOC:mah]' - }, - 'GO:0034965': { - 'name': 'intronic box C/D snoRNA processing', - 'def': 'Any process involved in the conversion of a primary box C/D type small nucleolar RNA (snoRNA) transcript that resides within, and is processed from, the intron of a pre-mRNA into a mature box C/D snoRNA. [GOC:mah]' - }, - 'GO:0034966': { - 'name': 'intronic box H/ACA snoRNA processing', - 'def': 'Any process involved in the conversion of a primary box H/ACA type small nucleolar RNA (snoRNA) transcript that resides within, and is processed from, the intron of a pre-mRNA into a mature box H/ACA snoRNA. [GOC:mah]' - }, - 'GO:0034967': { - 'name': 'Set3 complex', - 'def': 'A histone deacetylase complex that is involved in transcriptional regulation. In S. cerevisiae, this complex consists of Set3p, Snt1p, Hos4p, Sif2p, Cpr1p, Hos2p, and Hst1p. [GOC:ds, PMID:11711434]' - }, - 'GO:0034968': { - 'name': 'histone lysine methylation', - 'def': 'The modification of a histone by addition of one or more methyl groups to a lysine residue. [GOC:mah, GOC:pr]' - }, - 'GO:0034969': { - 'name': 'histone arginine methylation', - 'def': 'The modification of a histone by addition of a methyl group to an arginine residue. [GOC:mah]' - }, - 'GO:0034970': { - 'name': 'histone H3-R2 methylation', - 'def': 'The modification of histone H3 by addition of a methyl group to arginine at position 2 of the histone. [GOC:mah]' - }, - 'GO:0034971': { - 'name': 'histone H3-R17 methylation', - 'def': 'The modification of histone H3 by addition of a methyl group to arginine at position 17 of the histone. [GOC:mah]' - }, - 'GO:0034972': { - 'name': 'histone H3-R26 methylation', - 'def': 'The modification of histone H3 by addition of a methyl group to arginine at position 26 of the histone. [GOC:mah]' - }, - 'GO:0034973': { - 'name': 'Sid2-Mob1 complex', - 'def': 'A protein complex that contains a protein kinase (Sid2 in S. pombe) and its regulatory subunit (Mob1). The Sid2p-Mob1p kinase complex is a component of the septation initiation network in fission yeast (called the mitotic exit network in S. cerevisiae) and is required for cytokinesis. The analogous complex in S. cerevisiae is called Dbf2p-Mob1p complex. [GOC:vw, PMID:10837231, PMID:15060149]' - }, - 'GO:0034974': { - 'name': 'Swi5-Swi2 complex', - 'def': 'A protein complex involved that contains proteins known in Schizosaccharomyces as Swi5 monomers and Swi2, and is involved in mating type switching. [PMID:14663140]' - }, - 'GO:0034975': { - 'name': 'protein folding in endoplasmic reticulum', - 'def': 'A protein folding process that takes place in the endoplasmic reticulum (ER). Secreted, plasma membrane and organelle proteins are folded in the ER, assisted by chaperones and foldases (protein disulphide isomerases), and additional factors required for optimal folding (ATP, Ca2+ and an oxidizing environment to allow disulfide bond formation). [GOC:mah, GOC:vw]' - }, - 'GO:0034976': { - 'name': 'response to endoplasmic reticulum stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stress acting at the endoplasmic reticulum. ER stress usually results from the accumulation of unfolded or misfolded proteins in the ER lumen. [GOC:cjm, GOC:mah]' - }, - 'GO:0034977': { - 'name': 'ABIN2-NFKB1-MAP3K8 complex', - 'def': 'A protein complex that contains the precursor form of NF-kappaB (p105), the NF-kappaB inhibitor ABIN-2, and the kinase TPL-2 (MAP3K8); the complex stabilizes TPL-2 and is involved in signaling in lipopolysaccharide (LPS)-stimulated macrophages. [PMID:15169888]' - }, - 'GO:0034978': { - 'name': 'PDX1-PBX1b-MRG1 complex', - 'def': 'A protein complex that contains the homeodomain proteins PDX1, PBX1b and MRG1 (MEIS2) and is involved in the transcriptional regulation of pancreatic acinar cell-specific genes. [PMID:11279116, PMID:9710595]' - }, - 'GO:0034979': { - 'name': 'NAD-dependent protein deacetylase activity', - 'def': 'Catalysis of the removal of one or more acetyl groups from a protein, requiring NAD. [GOC:BHF, GOC:mah]' - }, - 'GO:0034980': { - 'name': 'FHL2-CREB complex', - 'def': 'A protein complex that contains CREB and FHL2, and is involved in transcriptional regulation. [PMID:11046156]' - }, - 'GO:0034981': { - 'name': 'FHL3-CREB complex', - 'def': 'A protein complex that contains CREB and FHL3, and is involved in transcriptional regulation. [PMID:11046156]' - }, - 'GO:0034982': { - 'name': 'mitochondrial protein processing', - 'def': 'The peptide cleavage of mitochondrial proteins, including cleavage contributing to their import. [GOC:curators]' - }, - 'GO:0034983': { - 'name': 'peptidyl-lysine deacetylation', - 'def': 'The removal of an acetyl group from an acetylated lysine residue in a peptide or protein. [GOC:BHF, GOC:mah]' - }, - 'GO:0034985': { - 'name': 'Ecsit-NDUFAF1 complex', - 'def': 'Any large protein complex that contains Ecsit and NDUFAF1, is located in the mitochondrion, and is involved in the assembly of complex I of the oxidative phosphorylation system. In mammalian cells, three complexes of approximately 500, 600, and 850 kDa containing the 45 kDa isoform of Ecsit and NDUFAF1 have been observed. [PMID:17344420]' - }, - 'GO:0034986': { - 'name': 'iron chaperone activity', - 'def': 'Assists in the delivery of iron ions to target proteins or compartments. [GOC:BHF, GOC:vk]' - }, - 'GO:0034987': { - 'name': 'immunoglobulin receptor binding', - 'def': 'Interacting selectively and non-covalently with one or more specific sites on an immunoglobulin receptor molecule. [GOC:BHF, GOC:vk]' - }, - 'GO:0034988': { - 'name': 'Fc-gamma receptor I complex binding', - 'def': 'Interacting selectively and non-covalently with one or more specific sites on the Fc-gamma receptor I complex. The complex functions primarily as an activating receptor for IgG. [GOC:BHF, GOC:vk]' - }, - 'GO:0034990': { - 'name': 'nuclear mitotic cohesin complex', - 'def': 'A cohesin complex that mediates sister chromatid cohesion in the nucleus during mitosis; has a subunit composition distinct from that of the meiotic cohesin complex. [GOC:mah]' - }, - 'GO:0034991': { - 'name': 'nuclear meiotic cohesin complex', - 'def': 'A cohesin complex that mediates sister chromatid cohesion in the nucleus during meiosis; has a subunit composition distinct from that of the mitotic cohesin complex. [GOC:mah]' - }, - 'GO:0034992': { - 'name': 'microtubule organizing center attachment site', - 'def': 'A region of the nuclear envelope to which a microtubule organizing center (MTOC) attaches; protein complexes embedded in the nuclear envelope mediate direct or indirect linkages between the microtubule cytoskeleton and the nuclear envelope. [GOC:mah, PMID:18692466]' - }, - 'GO:0034993': { - 'name': 'LINC complex', - 'def': 'A protein complex that spans the nuclear outer and inner membranes, thereby linking the major cytoplasmic cytoskeleton elements to the nuclear lumen; the complex is conserved in eukaryotes and contains proteins with SUN and KASH domains. [GOC:mah, PMID:18692466]' - }, - 'GO:0034994': { - 'name': 'microtubule organizing center attachment site organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a microtubule organizing center attachment site. A microtubule organizing center attachment site is a region of the nuclear envelope to which a microtubule organizing center (MTOC) attaches. [GOC:mah, PMID:18692466]' - }, - 'GO:0034995': { - 'name': 'SC5b-7 complex', - 'def': 'A protein complex that consist of complement components C5b6 and C7 stably inserted in a cell membrane. Formation of the SC5b-7 complex is the first phase of membrane attack complex assembly. [PMID:10090939]' - }, - 'GO:0034996': { - 'name': 'RasGAP-Fyn-Lyn-Yes complex', - 'def': 'A protein complex that consists of a GTPase activator protein (GAP) for Ras and three Src family protein tyrosine kinases, Fyn, Lyn and Yes. The complex is involved in signaling upon platelet activation. [PMID:1544885]' - }, - 'GO:0034997': { - 'name': 'alphav-beta5 integrin-vitronectin complex', - 'def': 'A protein complex that comprises one integrin alphav subunit, one integrin beta5 subunit, and vitronectin. [PMID:1694173, Reactome:REACT_14045.1]' - }, - 'GO:0034998': { - 'name': 'oligosaccharyltransferase I complex', - 'def': 'An oligosaccharyltransferase (OST) complex that contains at least seven polypeptides and is the major OST complex in mammalian cells. Of the three forms of mammalian OST complex identified, the OSTI complex has the weakest affinity for ribosomes. [PMID:15835887]' - }, - 'GO:0034999': { - 'name': 'oligosaccharyltransferase II complex', - 'def': 'An oligosaccharyltransferase (OST) complex that contains the seven polypeptides found in OST complex I, plus heterotrimeric Sec61alpha-beta-gamma. Of the three forms of mammalian OST complexes identified, the OSTII complex has intermediate affinity for ribosomes. [GOC:BHF, PMID:15835887]' - }, - 'GO:0035000': { - 'name': 'oligosaccharyltransferase III complex', - 'def': 'An oligosaccharyltransferase (OST) complex that contains the seven polypeptides found in OST complex I, plus heterotrimeric Sec61alpha-beta-gamma and the tetrameric TRAP complex. Of the three forms of mammalian OST complexes identified, the OSTIII complex has the strongest affinity for ribosomes. [PMID:15835887]' - }, - 'GO:0035001': { - 'name': 'dorsal trunk growth, open tracheal system', - 'def': 'Growth of epithelial tubes that originate from pits in an open tracheal system and grow towards each other to meet and form a continuous open tube called the dorsal trunk. The dorsal trunk extends from the anterior spiracle to the posterior spiracle of the larva and forms the main airway of the insect tracheal system. [GOC:mtg_sensu, ISBN:0879694238]' - }, - 'GO:0035002': { - 'name': 'liquid clearance, open tracheal system', - 'def': 'The clearance of liquid from the epithelial tubes of an open tracheal system, shortly before the emergence of the larva, to generate an air-filled tubule system. [GOC:mtg_sensu, PMID:12571352]' - }, - 'GO:0035003': { - 'name': 'subapical complex', - 'def': 'The most apical region of the lateral plasma membrane of an invertebrate epithelial cell. The subapical complex lies above the zonula adherens and the septate junction, and is comparable to the position of the tight junction of vertebrate cells. [PMID:11752566, PMID:12500938]' - }, - 'GO:0035004': { - 'name': 'phosphatidylinositol 3-kinase activity', - 'def': "Catalysis of the reaction: ATP + a phosphatidylinositol = ADP + a phosphatidylinositol 3-phosphate. This reaction is the addition of a phosphate group to phosphatidylinositol or one of its phosphorylated derivatives at the 3' position of the inositol ring. [GOC:bf, PMID:10209156, PMID:9255069]" - }, - 'GO:0035005': { - 'name': '1-phosphatidylinositol-4-phosphate 3-kinase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol 4-phosphate + ATP = 1-phosphatidyl-1D-myo-inositol 3,4-bisphosphate + ADP + 2 H(+). [EC:2.7.1.154, RHEA:18376]' - }, - 'GO:0035006': { - 'name': 'melanization defense response', - 'def': 'The blackening of the wounded area of the cuticle or the surface of invading pathogens, parasites or parasitoids, resulting from a proteolytic cascade leading to the de novo synthesis and deposition of melanin. [GOC:bf, PMID:12408809]' - }, - 'GO:0035007': { - 'name': 'regulation of melanization defense response', - 'def': 'Any process that affects the rate, extent or location of the melanization defense response during injury or invasion. [GOC:bf]' - }, - 'GO:0035008': { - 'name': 'positive regulation of melanization defense response', - 'def': 'Any process that increases the rate or extent of the melanization defense response during injury or invasion. [GOC:bf]' - }, - 'GO:0035009': { - 'name': 'negative regulation of melanization defense response', - 'def': 'Any process that reduces the rate or extent of the melanization defense response. This regulation is critical to limit melanization to the site of injury or infection. [GOC:bf, PMID:12408809]' - }, - 'GO:0035010': { - 'name': 'encapsulation of foreign target', - 'def': 'Events resulting in the formation of a multilayered cellular sheath surrounding an invader and thus preventing its development. This defense mechanism is often seen in insects in response to nematodes or parasitoids, which are too large to be phagocytosed by individual hemocytes. In some organisms the capsule is blackened due to melanization. [GO_REF:0000022, GOC:bf, GOC:mtg_15nov05, PMID:11846478, PMID:12225920]' - }, - 'GO:0035011': { - 'name': 'melanotic encapsulation of foreign target', - 'def': 'Formation of a multilayered, melanized sheath of cells around a foreign invader. [GOC:bf]' - }, - 'GO:0035012': { - 'name': 'polytene chromosome, telomeric region', - 'def': 'The terminal region of a polytene chromosome. [GOC:bf]' - }, - 'GO:0035013': { - 'name': 'myosuppressin receptor activity', - 'def': 'Combining with the peptide myosuppressin to initiate a change in cell activity. [GOC:bf]' - }, - 'GO:0035014': { - 'name': 'phosphatidylinositol 3-kinase regulator activity', - 'def': 'Modulates the activity of any of the phosphatidylinositol 3-kinases (PI3Ks). Regulatory subunits can link a PI3K catalytic subunit to upstream signaling events and help position the catalytic subunits close to their lipid substrates. [GOC:bf, PMID:9255069]' - }, - 'GO:0035015': { - 'name': 'elongation of arista core', - 'def': 'The increase in length of the aristal core. The arista is the terminal segment of the antenna and consists of a central core and a series of lateral extensions. [GOC:bf, PMID:11404081]' - }, - 'GO:0035016': { - 'name': 'elongation of arista lateral', - 'def': 'The increase in length of the aristal laterals. The arista is the terminal segment of the antenna and consists of a central core and a series of lateral extensions. [GOC:bf, PMID:11404081]' - }, - 'GO:0035017': { - 'name': 'cuticle pattern formation', - 'def': 'The regionalization process that gives rise to the patterns of cell differentiation in the cuticle. [GOC:bf]' - }, - 'GO:0035018': { - 'name': 'adult chitin-based cuticle pattern formation', - 'def': 'The process that gives rise to the patterns of cell differentiation that will arise in the chitin-based adult cuticle. An example of this process is adult chitin-based cuticle pattern formation in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035019': { - 'name': 'somatic stem cell population maintenance', - 'def': 'Any process by which an organism retains a population of somatic stem cells, undifferentiated cells in the embryo or adult which can undergo unlimited division and give rise to cell types of the body other than those of the germ-line. [GOC:bf, ISBN:0582227089]' - }, - 'GO:0035020': { - 'name': 'regulation of Rac protein signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of Rac protein signal transduction. [GOC:bf]' - }, - 'GO:0035021': { - 'name': 'negative regulation of Rac protein signal transduction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Rac protein signal transduction. [GOC:bf]' - }, - 'GO:0035022': { - 'name': 'positive regulation of Rac protein signal transduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of Rac protein signal transduction. [GOC:bf]' - }, - 'GO:0035023': { - 'name': 'regulation of Rho protein signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of Rho protein signal transduction. [GOC:bf]' - }, - 'GO:0035024': { - 'name': 'negative regulation of Rho protein signal transduction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Rho protein signal transduction. [GOC:bf]' - }, - 'GO:0035025': { - 'name': 'positive regulation of Rho protein signal transduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of Rho protein signal transduction. [GOC:bf]' - }, - 'GO:0035026': { - 'name': 'leading edge cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features of leading edge cells, cells at the front of a migrating epithelial sheet. [GOC:bf]' - }, - 'GO:0035027': { - 'name': 'leading edge cell fate commitment', - 'def': 'The commitment of cells to leading edge cell fate and their capacity to differentiate into leading edge cells. Leading edge cells are found at the front of a migrating epithelial sheet. [GOC:bf]' - }, - 'GO:0035028': { - 'name': 'leading edge cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a leading edge cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:bf]' - }, - 'GO:0035029': { - 'name': 'dorsal closure, leading edge cell fate commitment', - 'def': 'The commitment of cells to leading edge cell fate during dorsal closure. Leading edge cells are the dorsal-most cells of the migrating epidermis. [GOC:bf]' - }, - 'GO:0035032': { - 'name': 'phosphatidylinositol 3-kinase complex, class III', - 'def': 'A phosphatidylinositol 3-kinase complex that contains a catalytic class III phosphoinositide 3-kinase (PI3K) subunit bound to a regulatory (adaptor) subunit. Additional adaptor proteins may be present. Class III PI3Ks have a substrate specificity restricted to phosphatidylinositol (PI). [GOC:bf, PMID:9255069]' - }, - 'GO:0035033': { - 'name': 'histone deacetylase regulator activity', - 'def': 'Modulates the activity of histone deacetylase. [GOC:bf]' - }, - 'GO:0035034': { - 'name': 'histone acetyltransferase regulator activity', - 'def': 'Modulates the activity of histone acetyltransferase. [GOC:bf]' - }, - 'GO:0035035': { - 'name': 'histone acetyltransferase binding', - 'def': 'Interacting selectively and non-covalently with the enzyme histone acetyltransferase. [GOC:bf]' - }, - 'GO:0035036': { - 'name': 'sperm-egg recognition', - 'def': 'The initial contact step made between the sperm plasma membrane and outer layer of the egg during fertilization. [GOC:bf]' - }, - 'GO:0035037': { - 'name': 'sperm entry', - 'def': 'An endocytosis process that results in penetration of the egg shell through the micropyle (a specialized anterior opening in the vitelline envelope) and entry of the entire sperm, including the surrounding plasma membrane and the sperm tail, into the egg cytoplasm. This step in fertilization is seen in Drosophila, where a plasma membrane fusion event between the sperm and the egg does not occur. [GOC:bf, PMID:9630751]' - }, - 'GO:0035038': { - 'name': 'female pronucleus assembly', - 'def': 'Assembly of the haploid nucleus of the unfertilized egg. [GOC:bf, ISBN:0582227089]' - }, - 'GO:0035039': { - 'name': 'male pronucleus assembly', - 'def': 'The conversion at fertilization of the inactive sperm nucleus into a male pronucleus with its chromosomes processed for the first zygotic division. [GOC:bf, PMID:11735001]' - }, - 'GO:0035040': { - 'name': 'sperm nuclear envelope removal', - 'def': 'Removal of the sperm nuclear envelope, allowing entry of maternal factors into the sperm nucleus. [GOC:bf, PMID:11735001]' - }, - 'GO:0035041': { - 'name': 'sperm chromatin decondensation', - 'def': 'Unwinding of the condensed nuclear chromatin of an inactive sperm nucleus. [GOC:bf, PMID:11735001]' - }, - 'GO:0035042': { - 'name': 'fertilization, exchange of chromosomal proteins', - 'def': 'Replacement of sperm-specific chromosomal proteins with somatic histones, to allow the paternal genome to acquire a nucleosomal chromatin organization compatible with nuclear activity. [GOC:bf, PMID:11735001]' - }, - 'GO:0035043': { - 'name': 'male pronuclear envelope synthesis', - 'def': 'Assembly of a nuclear envelope containing nuclear pores and a lamina around the male pronucleus, the final step in sperm pronuclear formation. [GOC:bf, PMID:11735001]' - }, - 'GO:0035044': { - 'name': 'sperm aster formation', - 'def': 'Formation and organization of an aster composed of microtubule arrays originating from the sperm basal body and extending virtually to the egg periphery. The sperm aster ensures the appropriate positioning of the male and female pronuclei. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0035045': { - 'name': 'sperm plasma membrane disassembly', - 'def': 'The gradual disintegration of the sperm plasma membrane following insemination. This process is seen in Drosophila after entry of the entire sperm, surrounded by its plasma membrane, into the egg. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0035046': { - 'name': 'pronuclear migration', - 'def': 'The directed movement of the male and female pronuclei towards each other prior to their fusion. [GOC:bf, PMID:9199363]' - }, - 'GO:0035047': { - 'name': 'centrosomal and pronuclear rotation', - 'def': 'The rotation of centrosomes and associated pronuclei in one-cell embryos such as those of Caenorhabditis elegans, occurring as a transition between pronuclear migration and pronuclear fusion. [GOC:bf, ISBN:087969307X, PMID:10085292]' - }, - 'GO:0035048': { - 'name': 'splicing factor protein import into nucleus', - 'def': 'The directed movement of a pre-mRNA splicing factor from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:bf]' - }, - 'GO:0035049': { - 'name': 'juvenile hormone acid methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to juvenile hormone acid. [GOC:bf]' - }, - 'GO:0035050': { - 'name': 'embryonic heart tube development', - 'def': 'The process whose specific outcome is the progression of the embryonic heart tube over time, from its formation to the mature structure. The heart tube forms as the heart rudiment from the heart field. [GOC:go_curators]' - }, - 'GO:0035051': { - 'name': 'cardiocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a cell that will form part of the cardiac organ of an individual. [GOC:bf]' - }, - 'GO:0035052': { - 'name': 'dorsal vessel aortic cell fate commitment', - 'def': 'The commitment of dorsal vessel cardioblast cells to an aortic cell fate and their capacity to differentiate into aortic cells. An example of this process is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu, PMID:12397110]' - }, - 'GO:0035053': { - 'name': 'dorsal vessel heart proper cell fate commitment', - 'def': 'The commitment of dorsal vessel cardioblast cells to a heart proper cell fate and their capacity to differentiate into heart cells. An example of this process is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu, PMID:12397110]' - }, - 'GO:0035054': { - 'name': 'embryonic heart tube anterior/posterior pattern specification', - 'def': 'The establishment, maintenance and elaboration of cell differentiation that results in the anterior/posterior subdivision of the embryonic heart tube. In Drosophila this results in subdivision of the dorsal vessel into to the posterior heart proper and the anterior aorta. [GOC:bf, PMID:12435360]' - }, - 'GO:0035059': { - 'name': 'RCAF complex', - 'def': 'A protein complex that facilitates the assembly of nucleosomes on to newly synthesized DNA. In Drosophila, the complex comprises ASF1 and histones H3 and H4. [GOC:bf, PMID:10591219]' - }, - 'GO:0035060': { - 'name': 'brahma complex', - 'def': 'A SWI/SNF-type complex that contains the ATPase product of the Drosophila brahma gene, or an ortholog thereof. [GOC:bf, PMID:10809665, PMID:12482982]' - }, - 'GO:0035061': { - 'name': 'interchromatin granule', - 'def': 'A class of nuclear body measuring 20-25 nm in diameter and distributed throughout the interchromatin space, linked together by thin fibrils. They are believed to be storage centers for various snRNAs, snRNPs, serine/arginine-rich proteins and RNA polymerase II. A typical mammalian cell contains 25-50 clusters of interchromatin granules. Interchromatin granule clusters do not contain the heterogeneous nuclear RNA-binding proteins (hnRNPs). [GOC:bf, PMID:10984439]' - }, - 'GO:0035062': { - 'name': 'omega speckle', - 'def': 'A nucleoplasmic speckle distributed in the interchromatin space of cells in close proximity to chromatin. Omega speckles are distinct from interchromatin granules and contain heterogeneous nuclear RNA-binding proteins (hnRNPs). [GOC:bf, PMID:10984439]' - }, - 'GO:0035063': { - 'name': 'nuclear speck organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of nuclear specks, a class of nuclear body in which splicing factors are localized. [GOC:bf, GOC:curators]' - }, - 'GO:0035064': { - 'name': 'methylated histone binding', - 'def': 'Interacting selectively and non-covalently with a histone protein in which a residue has been modified by methylation. Histones are any of a group of water-soluble proteins found in association with the DNA of plant and animal chromosomes. [GOC:bf, PMID:14585615]' - }, - 'GO:0035065': { - 'name': 'regulation of histone acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of the addition of an acetyl group to a histone protein. [GOC:bf]' - }, - 'GO:0035066': { - 'name': 'positive regulation of histone acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the addition of an acetyl group to a histone protein. [GOC:bf]' - }, - 'GO:0035067': { - 'name': 'negative regulation of histone acetylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the addition of an acetyl group to a histone protein. [GOC:bf]' - }, - 'GO:0035068': { - 'name': 'micro-ribonucleoprotein complex', - 'def': 'A complex containing both protein and micro-RNA (miRNA) molecules. miRNAs are approximately 22 nucleotide noncoding RNAs derived from endogenous genes; they are processed from the stem of a longer hairpin like structure termed a pre-miRNA. [GOC:bf, PMID:14559182]' - }, - 'GO:0035069': { - 'name': 'larval midgut histolysis', - 'def': 'The stage-specific break down of the larval midgut during Drosophila metamorphosis, to allow replacement of larval structures by tissues and structures that form the adult fly. [GOC:bf, GOC:dph, GOC:mtg_apoptosis, PMID:9409683]' - }, - 'GO:0035070': { - 'name': 'salivary gland histolysis', - 'def': 'The stage-specific break down of the larval salivary glands during Drosophila metamorphosis, to allow replacement of larval structures by tissues and structures that form the adult fly. [GOC:bf, GOC:dph, GOC:mtg_apoptosis, PMID:9409683]' - }, - 'GO:0035071': { - 'name': 'salivary gland cell autophagic cell death', - 'def': 'The stage-specific programmed cell death of salivary gland cells during salivary gland histolysis. [GOC:bf, GOC:mtg_apoptosis, PMID:10882130]' - }, - 'GO:0035072': { - 'name': 'ecdysone-mediated induction of salivary gland cell autophagic cell death', - 'def': 'Any process induced by ecdysone that directly activates salivary gland programmed cell death during salivary gland histolysis. [GOC:bf]' - }, - 'GO:0035073': { - 'name': 'pupariation', - 'def': 'The onset of prepupal development when the larval stops crawling, everts its spiracles and the larval cuticle becomes the puparium or pupal case that surrounds the organism for the duration of metamorphosis. [GOC:bf, ISBN:0879694238, PMID:9409683]' - }, - 'GO:0035074': { - 'name': 'pupation', - 'def': 'The act of becoming a pupa, a resting stage in the life cycle of organisms with complete metamorphosis. This event marks the end of the prepupal period and the beginning of the pupal period. [GOC:bf, ISBN:0582227089, ISBN:0879694238]' - }, - 'GO:0035075': { - 'name': 'response to ecdysone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ecdysone stimulus. [GOC:bf]' - }, - 'GO:0035076': { - 'name': 'ecdysone receptor-mediated signaling pathway', - 'def': 'The series of molecular signals generated by ecdysone binding to the ecdysone receptor complex. [GOC:bf]' - }, - 'GO:0035077': { - 'name': 'ecdysone-mediated polytene chromosome puffing', - 'def': 'The decondensing (loosening) and swelling of the chromosomal sites of hormone-responsive genes on polytene chromosomes in response to increased production of the steroid hormone 20-hydroxyecdysone (ecdysone) in Drosophila larvae approaching pupation. [GOC:bf, PMID:12543962]' - }, - 'GO:0035078': { - 'name': 'induction of programmed cell death by ecdysone', - 'def': 'Any process induced by the steroid hormone 20-hydroxyecdysone (ecdysone) that directly activates any of the steps required for programmed cell death. [GOC:bf]' - }, - 'GO:0035079': { - 'name': 'polytene chromosome puffing', - 'def': 'The decondensing (loosening) and swelling of the chromosomal sites of target genes on polytene chromosomes following response to a stimulus, to facilitate sudden bursts of transcriptional activity in response to transient environmental signals. [GOC:bf, PMID:12543962]' - }, - 'GO:0035080': { - 'name': 'heat shock-mediated polytene chromosome puffing', - 'def': 'The decondensing (loosening) and swelling of the chromosomal sites of heat shock genes on polytene chromosomes in response to a heat shock stimulus. [GOC:bf, PMID:12543962]' - }, - 'GO:0035081': { - 'name': 'induction of programmed cell death by hormones', - 'def': 'Any process induced by hormones that directly activates any of the steps required for programmed cell death. [GOC:bf]' - }, - 'GO:0035082': { - 'name': 'axoneme assembly', - 'def': 'The assembly and organization of an axoneme, the bundle of microtubules and associated proteins that forms the core of cilia (also called flagella) in eukaryotic cells and is responsible for their movements. [GOC:bf, GOC:cilia, GOC:jl, ISBN:0815316194]' - }, - 'GO:0035087': { - 'name': 'siRNA loading onto RISC involved in RNA interference', - 'def': 'The transfer of small interfering RNA molecules (siRNAs) from the Dicer family of enzymes that cleave the double-stranded RNA, onto the nuclease-containing RNA-initiated silencing complex (RISC), in the context of RNA interference. [GOC:bf, GOC:mah, PMID:14512631]' - }, - 'GO:0035088': { - 'name': 'establishment or maintenance of apical/basal cell polarity', - 'def': "Any cellular process that results in the specification, formation or maintenance polarization of a cell's architecture along its apical/basal axis so that the apical and basal regions of the cell have different membrane, extracellular matrix and sub-membrane cellular components. [GOC:bf, GOC:mah, PMID:10934483]" - }, - 'GO:0035089': { - 'name': 'establishment of apical/basal cell polarity', - 'def': 'The specification and formation of the polarity of a cell along its apical/basal axis. [GOC:bf]' - }, - 'GO:0035090': { - 'name': 'maintenance of apical/basal cell polarity', - 'def': 'Retaining the established polarization of a cell along its apical/basal axis. [GOC:bf]' - }, - 'GO:0035091': { - 'name': 'phosphatidylinositol binding', - 'def': 'Interacting selectively and non-covalently with any inositol-containing glycerophospholipid, i.e. phosphatidylinositol (PtdIns) and its phosphorylated derivatives. [GOC:bf, ISBN:0198506732, PMID:11395417]' - }, - 'GO:0035092': { - 'name': 'sperm chromatin condensation', - 'def': 'The progressive compaction of the spermatid chromatin so that it reaches a level of condensation that is not compatible with nuclear activities such as transcription or DNA replication. [GOC:bf, PMID:11735001]' - }, - 'GO:0035093': { - 'name': 'spermatogenesis, exchange of chromosomal proteins', - 'def': 'The replacement of somatic histones within sperm chromatin with sperm-specific histones or protamines with unique DNA-binding properties, resulting in condensation of the sperm chromatin. [GOC:bf, PMID:11735001]' - }, - 'GO:0035094': { - 'name': 'response to nicotine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nicotine stimulus. [CHEBI:17688, GOC:bf, GOC:ef, ISBN:0198506732, ISBN:0582227089]' - }, - 'GO:0035095': { - 'name': 'behavioral response to nicotine', - 'def': 'Any process that results in a change in the behavior of an organism as a result of a nicotine stimulus. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0035096': { - 'name': 'larval midgut cell programmed cell death', - 'def': 'The stage-specific programmed cell death of cells of the larval midgut, during histolysis of the larval organ. [GOC:bf, GOC:mtg_apoptosis]' - }, - 'GO:0035097': { - 'name': 'histone methyltransferase complex', - 'def': 'A multimeric complex that is able to catalyze the addition of methyl groups to histone proteins. [GOC:bf]' - }, - 'GO:0035098': { - 'name': 'ESC/E(Z) complex', - 'def': 'A multimeric protein complex that can methylate lysine-27 and lysine-9 residues of histone H3. In Drosophila the core subunits of the complex include ESC, E(Z), CAF1 (NURF-55) and SU(Z)12. In mammals the core subunits of the complex include EED, EZH2, SUZ12 and RBBP4. [GOC:bf, GOC:sp, PMID:12408863, PMID:12408864, PMID:20064375]' - }, - 'GO:0035099': { - 'name': 'hemocyte migration', - 'def': 'The directed movement of a hemocyte within the embryo. Hemocytes are blood cells associated with a hemocoel (the cavity containing most of the major organs of the arthropod body) which are involved in defense and clotting of hemolymph, but not involved in transport of oxygen. In Drosophila, embryonic hemocytes originate from the head mesoderm as a cluster of cells. The cluster splits into two and one group of cells crosses the amnioserosa. Both populations then spread toward the middle of the embryo and then disperse evenly throughout the embryo. [GOC:bf, GOC:mtg_sensu, PMID:12885551]' - }, - 'GO:0035100': { - 'name': 'ecdysone binding', - 'def': 'Interacting selectively and non-covalently with 20-hydroxyecdysone (ecdysone). Ecdysone is an ecdysteroid produced by the prothoracic glands of immature insects and the ovaries of adult females, which stimulates growth and molting. [GOC:bf, ISBN:0198506732, ISBN:0582227089]' - }, - 'GO:0035101': { - 'name': 'FACT complex', - 'def': 'An abundant nuclear complex, which was originally identified in mammalian systems as a factor required for transcription elongation on chromatin templates. The FACT complex has been shown to destablilize the interaction between the H2A/H2B dimer and the H3/H4 tetramer of the nucleosome, thus reorganizing the structure of the nucleosome. In this way, the FACT complex may play a role in DNA replication and other processes that traverse the chromatin, as well as in transcription elongation. FACT is composed of two proteins that are evolutionarily conserved in all eukaryotes and homologous to mammalian Spt16 and SSRP1. In metazoans, the SSRP1 homolog contains an HMG domain; however in fungi and protists, it does not. For example, in S. cerevisiae the Pob3 protein is homologous to SSRP1, but lacks the HMG chromatin binding domain. Instead, the yFACT complex of Spt16p and Pob3p, binds to nucleosomes where multiple copies of the HMG-domain containing protein Nhp6p have already bound, but Nhp6p does not form a stable complex with the Spt16p/Pob3p heterodimer. [GOC:bf, GOC:expert_ks, GOC:expert_ras, GOC:expert_tf, GOC:krc, PMID:12934006, PMID:12934007, PMID:16678108]' - }, - 'GO:0035102': { - 'name': 'PRC1 complex', - 'def': 'A multiprotein complex that mediates monoubiquitination of lysine residues of histone H2A (lysine-118 in Drosophila or lysine-119 in mammals). The complex is required for stable long-term maintenance of transcriptionally repressed states and is involved in chromatin remodeling. [GOC:bf, PMID:10412979]' - }, - 'GO:0035103': { - 'name': 'sterol regulatory element binding protein cleavage', - 'def': 'The proteolytic release of a transcriptionally active sterol regulatory element binding protein (SREBP) from intracellular membranes, freeing it to move to the nucleus to upregulate transcription of target genes, in response to altered levels of one or more lipids. [GOC:bf, GOC:vw, PMID:12923525]' - }, - 'GO:0035105': { - 'name': 'sterol regulatory element binding protein import into nucleus', - 'def': 'The transfer of a sterol regulatory element binding protein (SREBP) into the nucleus, across the nuclear membrane, in response to altered levels of one or more lipids. SREBPs are transcription factors that bind sterol regulatory elements (SREs), DNA motifs found in the promoters of target genes. [GOC:bf, GOC:vw, PMID:12923525]' - }, - 'GO:0035106': { - 'name': 'operant conditioning', - 'def': "Learning to anticipate future events on the basis of past experience with the consequences of one's own behavior. [PMID:14662373]" - }, - 'GO:0035107': { - 'name': 'appendage morphogenesis', - 'def': 'The process in which the anatomical structures of appendages are generated and organized. An appendage is an organ or part that is attached to the trunk of an organism, such as a limb or a branch. [ISBN:0582227089]' - }, - 'GO:0035108': { - 'name': 'limb morphogenesis', - 'def': 'The process in which the anatomical structures of a limb are generated and organized. A limb is a paired appendage of a tetrapod used for locomotion or grasping. [UBERON:0002101]' - }, - 'GO:0035109': { - 'name': 'obsolete imaginal disc-derived limb morphogenesis', - 'def': 'OBSOLETE. The process in which the anatomical structures of limbs that are derived from an imaginal disc are generated and organized. A limb is an appendage of an animal used for locomotion or grasping. An example of this process is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035110': { - 'name': 'obsolete leg morphogenesis', - 'def': 'OBSOLETE. The process in which the anatomical structures of a leg are generated and organized. A leg is a limb on which an animal walks and stands. [GOC:bf, ISBN:0198612001]' - }, - 'GO:0035111': { - 'name': 'obsolete leg joint morphogenesis', - 'def': 'OBSOLETE. The process in which the anatomical structures of a leg joint are generated and organized. The leg joint is a flexible region that separates the rigid sections of a leg to allow movement in a controlled manner. One example is the knee, which separates the leg tibia and femur. [GOC:bf, ISBN:0582227089, PMID:12051824]' - }, - 'GO:0035112': { - 'name': 'genitalia morphogenesis', - 'def': 'The process in which the anatomical structures of genitalia are generated and organized. The genitalia are the organs of reproduction or generation, external and internal. [GOC:bf]' - }, - 'GO:0035113': { - 'name': 'embryonic appendage morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the appendage are generated and organized. An appendage is an organ or part that is attached to the trunk of an organism, such as a limb or a branch. [ISBN:0582227089]' - }, - 'GO:0035114': { - 'name': 'imaginal disc-derived appendage morphogenesis', - 'def': 'The process in which the anatomical structures of appendages are generated and organized. An appendage is an organ or part that is attached to the trunk of an organism. [GOC:mtg_sensu, ISBN:0582227089]' - }, - 'GO:0035115': { - 'name': 'embryonic forelimb morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the forelimb are generated and organized. The forelimbs are the front limbs of an animal, e.g. the arms of a human. [ISBN:0198612001]' - }, - 'GO:0035116': { - 'name': 'embryonic hindlimb morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the hindlimbs are generated and organized. The hindlimbs are the posterior limbs of an animal. [ISBN:0198612001]' - }, - 'GO:0035118': { - 'name': 'embryonic pectoral fin morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the pectoral fin are generated and organized. Pectoral fins are bilaterally paired fins mounted laterally and located behind the gill covers of fish. These fins are used for lateral mobility and propulsion. [GOC:dgh]' - }, - 'GO:0035119': { - 'name': 'embryonic pelvic fin morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the pelvic fin are generated and organized. The pelvic fins are bilaterally paired fins mounted in a ventral-lateral position on most fish. These fins are used primarily for lateral mobility and propulsion. [GOC:dgh]' - }, - 'GO:0035120': { - 'name': 'post-embryonic appendage morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of an appendage are generated and organized. An appendage is an organ or part that is attached to the trunk of an organism, such as a limb or a branch. [ISBN:0582227089]' - }, - 'GO:0035121': { - 'name': 'obsolete tail morphogenesis', - 'def': 'OBSOLETE. The process in which the anatomical structures of the tail are generated and organized. The tail is the hindmost part of some animals. [ISBN:0198612001]' - }, - 'GO:0035122': { - 'name': 'embryonic medial fin morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the medial fin are generated and organized. Medial fins are unpaired fins of fish, usually located dorsomedially or ventromedially and primarily used for stability while swimming. [GOC:dgh]' - }, - 'GO:0035123': { - 'name': 'embryonic dorsal fin morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the dorsal fin are generated and organized. A dorsal fin is an unpaired medial fin on the dorsal aspect of a fish that provides lateral stability while swimming. Generally fish have one or two dorsal fins. [GOC:dgh]' - }, - 'GO:0035124': { - 'name': 'embryonic caudal fin morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the caudal fin are generated and organized. The caudal fin is an unpaired medial fin mounted at the caudal end of the fish and is the main fin used for propulsion. [GOC:dgh]' - }, - 'GO:0035125': { - 'name': 'embryonic anal fin morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the embryonic anal fin are generated and organized. An anal fin is an unpaired medial fin on the ventral aspect near the caudal end of a fish, which provides lateral stability while swimming. [GOC:dgh]' - }, - 'GO:0035126': { - 'name': 'post-embryonic genitalia morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the genitalia are generated and organized. [GOC:bf]' - }, - 'GO:0035127': { - 'name': 'post-embryonic limb morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the limb are generated and organized. A limb is an appendage of an animal used for locomotion or grasping. [ISBN:0395825172]' - }, - 'GO:0035128': { - 'name': 'post-embryonic forelimb morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the forelimb are generated and organized. The forelimbs are the front limbs of an organism. [GOC:bf]' - }, - 'GO:0035129': { - 'name': 'post-embryonic hindlimb morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the hindlimb are generated and organized. [GOC:bf]' - }, - 'GO:0035130': { - 'name': 'post-embryonic pectoral fin morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the pectoral fin are generated and organized. Pectoral fins are bilaterally paired fins mounted laterally and located behind the gill covers of fish. These fins are used for lateral mobility and propulsion. [GOC:dgh]' - }, - 'GO:0035131': { - 'name': 'post-embryonic pelvic fin morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the pelvic fin are generated and organized. The pelvic fins are bilaterally paired fins mounted in a ventral-lateral position on most fish. These fins are used primarily for lateral mobility and propulsion. [GOC:dgh]' - }, - 'GO:0035132': { - 'name': 'post-embryonic medial fin morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the medial fin are generated and organized. Medial fins are unpaired fins of fish, usually located dorsomedially or ventromedially and primarily used for stability while swimming. [GOC:dgh]' - }, - 'GO:0035133': { - 'name': 'post-embryonic caudal fin morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the caudal fin are generated and organized. The caudal fin is an unpaired medial fin mounted at the caudal end of the fish and is the main fin used for propulsion. [GOC:dgh]' - }, - 'GO:0035134': { - 'name': 'post-embryonic dorsal fin morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the dorsal fin are generated and organized. A dorsal fin is an unpaired medial fin on the dorsal aspect of a fish that provides lateral stability while swimming. Generally fish have one or two dorsal fins. [GOC:dgh]' - }, - 'GO:0035135': { - 'name': 'post-embryonic anal fin morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the anal fin are generated and organized. An anal fin is an unpaired medial fin on the ventral aspect near the caudal end of a fish, which provides lateral stability while swimming. [GOC:dgh]' - }, - 'GO:0035136': { - 'name': 'forelimb morphogenesis', - 'def': 'The process in which the anatomical structures of the forelimb are generated and organized. The forelimbs are the front limbs of an animal, e.g. the arms of a human. [GOC:go_curators]' - }, - 'GO:0035137': { - 'name': 'hindlimb morphogenesis', - 'def': 'The process in which the anatomical structures of the hindlimb are generated and organized. [GOC:go_curators]' - }, - 'GO:0035138': { - 'name': 'pectoral fin morphogenesis', - 'def': 'The process in which the anatomical structures of the pectoral fin are generated and organized. Pectoral fins are bilaterally paired fins mounted laterally and located behind the gill covers of fish. These fins are used for lateral mobility and propulsion. [GOC:dgh]' - }, - 'GO:0035139': { - 'name': 'pelvic fin morphogenesis', - 'def': 'The process in which the anatomical structures of the pelvic fin are generated and organized. Pelvic fins are bilaterally paired fins mounted in a ventral-lateral position on most fish. These fins are used primarily for lateral mobility and propulsion. [GOC:dgh]' - }, - 'GO:0035141': { - 'name': 'medial fin morphogenesis', - 'def': 'The process in which the anatomical structures of the medial fin are generated and organized. A medial fin is an unpaired fin of fish, usually located dorsomedially or ventromedially and primarily used for stability while swimming. [GOC:dgh]' - }, - 'GO:0035142': { - 'name': 'dorsal fin morphogenesis', - 'def': 'The process in which the anatomical structures of the dorsal fin are generated and organized. A dorsal fin is an unpaired medial fin on the dorsal aspect of fish that provides lateral stability while swimming. Generally fish have one or two dorsal fins. [GOC:dgh]' - }, - 'GO:0035143': { - 'name': 'caudal fin morphogenesis', - 'def': 'The process in which the anatomical structures of the caudal fin are generated and organized. A caudal fin is an unpaired medial fin mounted at the caudal end of the fish, and is the main fin used for propulsion. [GOC:dgh]' - }, - 'GO:0035144': { - 'name': 'anal fin morphogenesis', - 'def': 'The process in which the anatomical structures of the anal fin are generated and organized. An anal fin is an unpaired medial fin on the ventral aspect near the caudal end of a fish, which provides lateral stability while swimming. [GOC:dgh]' - }, - 'GO:0035145': { - 'name': 'exon-exon junction complex', - 'def': 'A multi-subunit complex deposited by the spliceosome upstream of messenger RNA exon-exon junctions. The exon-exon junction complex provides a binding platform for factors involved in mRNA export and nonsense-mediated mRNA decay. [PMID:11532962, PMID:11743026]' - }, - 'GO:0035146': { - 'name': 'tube fusion', - 'def': 'The joining of specific branches of a tubular system to form a continuous network. [GOC:bf]' - }, - 'GO:0035147': { - 'name': 'branch fusion, open tracheal system', - 'def': 'Fusing of specific tracheal branches in an open tracheal system to branches from neighboring hemisegments to form a continuous tracheal network. Branch fusion is mediated by individual cells at the tip of each branch, which contact a similar cell and undergo a coordinated series of morphogenetic events that create a bicellular fusion joint. [GOC:mtg_sensu, PMID:14570584]' - }, - 'GO:0035148': { - 'name': 'tube formation', - 'def': 'Creation of the central hole of a tube in an anatomical structure through which gases and/or liquids flow. [GOC:bf]' - }, - 'GO:0035149': { - 'name': 'lumen formation, open tracheal system', - 'def': 'Creation of the central hole of a tube in an open tracheal system through which gases flow. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035150': { - 'name': 'regulation of tube size', - 'def': 'Ensuring that a tube is of the correct length and diameter. Tube size must be maintained not only during tube formation, but also throughout development and in some physiological processes. [PMID:10887083]' - }, - 'GO:0035151': { - 'name': 'regulation of tube size, open tracheal system', - 'def': 'Ensuring that an epithelial tube in an open tracheal system is of the correct length and diameter. Tracheal tubes undergo highly regulated tube-size increases during development, expanding up to 40 times their initial size by the end of larval life. Tube size appears to be controlled by regulation of apical membrane expansion and secretion, rather than by changes in cell number, size or shape. [GOC:mtg_sensu, PMID:10887083, PMID:12930776, PMID:12973360]' - }, - 'GO:0035152': { - 'name': 'regulation of tube architecture, open tracheal system', - 'def': 'Ensuring that tracheal cells form and maintain tubular structures with the correct size and shape for their position in the network. This is essential for efficient flow of gases through the tracheal network. [GOC:mtg_sensu, PMID:14570584]' - }, - 'GO:0035153': { - 'name': 'epithelial cell type specification, open tracheal system', - 'def': 'Allocation of epithelial cells within each migrating branch in an open tracheal system to distinct tracheal cell fates. During the migration phase each branch forms a well-defined number of cell types (including fusion cells, terminal cells and branch cells) at precise positions. [GOC:mtg_sensu, PMID:10684581, PMID:11063940]' - }, - 'GO:0035154': { - 'name': 'terminal cell fate specification, open tracheal system', - 'def': 'The process in which a cell in an open tracheal system becomes capable of differentiating autonomously into a terminal cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. Terminal cells send long and bifurcated hollow branches toward target tissues to allow oxygen exchange. [GOC:mtg_sensu, PMID:10684581, PMID:11063940]' - }, - 'GO:0035155': { - 'name': 'negative regulation of terminal cell fate specification, open tracheal system', - 'def': 'Any process that restricts, stops or prevents a cell from adopting a terminal cell fate in an open tracheal system. Once the terminal and fusion fates have been correctly induced, inhibitory feedback loops prevent the remaining branch cells from assuming similar fates. [GOC:mtg_sensu, PMID:10684581]' - }, - 'GO:0035156': { - 'name': 'fusion cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a fusion cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. Fusion cells allow the interconnection of adjacent tracheal metameres during tracheal tube fusion. [PMID:11063940]' - }, - 'GO:0035157': { - 'name': 'negative regulation of fusion cell fate specification', - 'def': 'Any process that restricts, stops or prevents a cell from adopting a fusion cell fate. Once the terminal and fusion fates have been correctly induced, inhibitory feedback loops prevent the remaining branch cells from assuming similar fates. [PMID:10684581]' - }, - 'GO:0035158': { - 'name': 'regulation of tube diameter, open tracheal system', - 'def': 'Ensuring that a tube in an open tracheal system is of the correct diameter. When primary branches form their lumens are small (less than 2 micrometers) in caliber and must undergo regulated expansion during larval life to reach their mature size. [GOC:mtg_sensu, PMID:14570584]' - }, - 'GO:0035159': { - 'name': 'regulation of tube length, open tracheal system', - 'def': 'Ensuring that a tube in an open tracheal system is of the correct length. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035160': { - 'name': 'maintenance of epithelial integrity, open tracheal system', - 'def': 'Ensuring that tracheal tubes in an open tracheal system maintain their epithelial structure during the cell shape changes and movements that occur during the branching process. [GOC:mtg_sensu, PMID:10694415, PMID:14681183]' - }, - 'GO:0035161': { - 'name': 'imaginal disc lineage restriction', - 'def': 'Formation and/or maintenance of a lineage boundary between compartments in an imaginal disc that cells cannot cross, thus separating the populations of cells in each compartment. [GOC:bf, PMID:10625531, PMID:9374402]' - }, - 'GO:0035162': { - 'name': 'embryonic hemopoiesis', - 'def': 'The stages of blood cell formation that take place within the embryo. [GOC:bf]' - }, - 'GO:0035163': { - 'name': 'embryonic hemocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell derived from the embryonic head mesoderm acquires the specialized features of a mature hemocyte. Hemocytes are blood cells associated with a hemocoel (the cavity containing most of the major organs of the arthropod body) which are involved in defense and clotting of hemolymph, but not involved in transport of oxygen. [GOC:bf, GOC:mtg_sensu, PMID:14602069]' - }, - 'GO:0035164': { - 'name': 'embryonic plasmatocyte differentiation', - 'def': 'The process in which an embryonic mesoderm-derived hemocyte precursor cell acquires the specialized features of the phagocytic blood-cell type, the plasmatocyte. [GOC:bf, PMID:11921077, PMID:8174791]' - }, - 'GO:0035165': { - 'name': 'embryonic crystal cell differentiation', - 'def': 'The process in which an embryonic mesoderm-derived hemocyte precursor cell acquires the specialized features of a crystal cell. Crystal cells are a class of cells that contain crystalline inclusions and are involved in the melanization of pathogenic material in the hemolymph. [GOC:bf, http://sdb.bio.purdue.edu/fly/gene/serpent3.htm]' - }, - 'GO:0035166': { - 'name': 'post-embryonic hemopoiesis', - 'def': 'The stages of blood cell formation that take place after completion of embryonic development. [GOC:bf]' - }, - 'GO:0035167': { - 'name': 'larval lymph gland hemopoiesis', - 'def': 'The production of blood cells from the larval lymph gland. The lymph gland consists of three to six bilaterally paired lobes that are attached to the cardioblasts during larval stages, and it degenerates during pupal stages. [GOC:bf, GOC:mtg_sensu, PMID:12445385]' - }, - 'GO:0035168': { - 'name': 'larval lymph gland hemocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell derived from the larval lymph gland acquires the specialized features of a mature hemocyte. The lymph gland consists of three to six bilaterally paired lobes that are attached to the cardioblasts during larval stages, and it degenerates during pupal stages. Hemocytes are blood cells associated with a hemocoel (the cavity containing most of the major organs of the arthropod body) which are involved in defense and clotting of hemolymph, but not involved in transport of oxygen. An example of this process is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu, PMID:14602069]' - }, - 'GO:0035169': { - 'name': 'lymph gland plasmatocyte differentiation', - 'def': 'The process in which a relatively unspecialized larval lymph gland-derived hemocyte precursor cell acquires the specialized features of the phagocytic blood-cell type, the plasmatocyte. [GOC:bf, PMID:11921077, PMID:8174791]' - }, - 'GO:0035170': { - 'name': 'lymph gland crystal cell differentiation', - 'def': 'The process in which a relatively unspecialized larval lymph gland-derived hemocyte precursor cell acquires the specialized features of a crystal cell. Crystal cells are a class of cells that contain crystalline inclusions and are involved in the melanization of pathogenic material in the hemolymph. [GOC:bf, http://sdb.bio.purdue.edu/fly/gene/serpent3.htm]' - }, - 'GO:0035171': { - 'name': 'lamellocyte differentiation', - 'def': 'The process in which a relatively unspecialized hemocyte precursor cell acquires the specialized features of a lamellocyte. Lamellocytes are a hemocyte lineage that exists only in larvae, but are seldom observed in healthy animals. Lamellocytes differentiate massively in the lymph glands after parasitization and are large flat cells devoted to encapsulation of invaders too large to be phagocytosed by plasmatocytes. [GOC:bf, PMID:14734104]' - }, - 'GO:0035172': { - 'name': 'hemocyte proliferation', - 'def': 'The multiplication or reproduction of hemocytes, resulting in the expansion of the cell population. Hemocytes are blood cells associated with a hemocoel (the cavity containing most of the major organs of the arthropod body) which are involved in defense and clotting of hemolymph, but not involved in transport of oxygen. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035173': { - 'name': 'histone kinase activity', - 'def': 'Catalysis of the transfer of a phosphate group to a histone. Histones are any of a group of water-soluble proteins found in association with the DNA of plant and animal chromosomes. [GOC:bf]' - }, - 'GO:0035174': { - 'name': 'histone serine kinase activity', - 'def': 'Catalysis of the transfer of a phosphate group to a serine residue of a histone. Histones are any of a group of water-soluble proteins found in association with the DNA of plant and animal chromosomes. [GOC:bf]' - }, - 'GO:0035175': { - 'name': 'histone kinase activity (H3-S10 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the serine-10 residue of the N-terminal tail of histone H3. [GOC:bf, PMID:15041176]' - }, - 'GO:0035176': { - 'name': 'social behavior', - 'def': 'Behavior directed towards society, or taking place between members of the same species. Occurs predominantly, or only, in individuals that are part of a group. [GOC:jh2, PMID:12848939, Wikipedia:Social_behavior]' - }, - 'GO:0035177': { - 'name': 'larval foraging behavior', - 'def': 'The movement of a larva through a feeding substrate whilst feeding on food. [PMID:12848927]' - }, - 'GO:0035178': { - 'name': 'turning behavior', - 'def': 'Fine-tuning the spatial position of an organism in response to variability in their environment. For example, reorientation of an organism in the direction of a food source. [PMID:10880478]' - }, - 'GO:0035179': { - 'name': 'larval turning behavior', - 'def': 'Fine-tuning the spatial position of a larva in response to variability in their environment. For example, reorientation of a larva in the direction of a food source. [PMID:10880478]' - }, - 'GO:0035180': { - 'name': 'larval wandering behavior', - 'def': 'The movement of a third instar larva through a substrate in search of a pupation site. This movement occurs without feeding and is characterized by short bursts of forward movement, separated by stops and repeated side-to-side head probes, followed normally by a change in direction. [PMID:12848927, PMID:12956960]' - }, - 'GO:0035181': { - 'name': 'larval burrowing behavior', - 'def': 'Digging into the substrate by non-feeding larvae in search for food-free sites suitable for pupation. [PMID:12848927, PMID:12848939]' - }, - 'GO:0035182': { - 'name': 'female germline ring canal outer rim', - 'def': 'An electron opaque backbone of the insect ovarian ring canal that is a part of or adjacent to the plasma membrane. The outer rim is established as the cleavage furrow is arrested, and contains F-actin, anillin, glycoproteins and at least one a protein with a high content of phosphorylated tyrosine residues. [PMID:12435357, PMID:7925006]' - }, - 'GO:0035183': { - 'name': 'female germline ring canal inner rim', - 'def': 'A proteinaceous actin-rich layer of the insect ovarian ring canal that forms subcortically to the outer rim. The electron dense inner rim accumulates after the final mitotic division of each germline syncytia, and contains actin, a phosphotyrosine protein, and a number of cytoskeletal proteins. [PMID:10556087, PMID:7925006, PMID:9093858]' - }, - 'GO:0035184': { - 'name': 'histone threonine kinase activity', - 'def': 'Catalysis of the transfer of a phosphate group to a threonine residue of a histone. Histones are any of a group of water-soluble proteins found in association with the DNA of plant and animal chromosomes. [GOC:bf]' - }, - 'GO:0035185': { - 'name': 'preblastoderm mitotic cell cycle', - 'def': 'The first nine mitotic division cycles of the insect embryo, during which the dividing nuclei lie deep in the interior of the egg and divide nearly synchronously. This is the first phase of the syncytial period where nuclei divide in a common cytoplasm without cytokinesis. [ISBN:0879694238]' - }, - 'GO:0035186': { - 'name': 'syncytial blastoderm mitotic cell cycle', - 'def': 'Mitotic division cycles 10 to 13 of the insect embryo. This is the second phase of the syncytial period where nuclei divide in a common cytoplasm without cytokinesis. The majority of migrating nuclei reach the embryo surface during cycle 10, after which they divide less synchronously than before, and the syncytial blastoderm cycles lengthen progressively. [ISBN:0879694238]' - }, - 'GO:0035187': { - 'name': 'hatching behavior', - 'def': 'The specific behavior of an organism during the emergence from an egg shell. In Drosophila for example, the larva swings its head reiteratively through a semicircular arc, using its mouth hooks to tear apart the chorion in front of it and thus free itself from within the egg shell. [GOC:pr, PMID:10436051]' - }, - 'GO:0035188': { - 'name': 'hatching', - 'def': 'The emergence of an immature organism from a protective structure. [GOC:dgh, GOC:isa_complete, ISBN:0198612001]' - }, - 'GO:0035189': { - 'name': 'Rb-E2F complex', - 'def': 'A multiprotein complex containing a heterodimeric E2F transcription factor and a Retinoblastoma (Rb) family member. This complex is capable of repressing transcription of E2F-regulated genes in order to regulate cell cycle progression. [PMID:14616073]' - }, - 'GO:0035190': { - 'name': 'syncytial nuclear migration', - 'def': 'The directed movement of nuclei within the syncytial embryo of insects. These precise temporal and spatial patterns of nuclear movement are coordinated with mitotic divisons and are required during blastoderm formation to reposition dividing nuclei from the interior of the syncytial embryo to the cortex. [GOC:bf, ISBN:0879694238, PMID:8314839]' - }, - 'GO:0035191': { - 'name': 'nuclear axial expansion', - 'def': 'The stepwise asymmetric spreading out of nuclei internally along the anterior-posterior axis of the developing insect embryo during mitotic cycles 4 to 6. This movement leads to the distribution of nuclei in a hollow ellipsoid underlying the cortex. [PMID:8314839]' - }, - 'GO:0035192': { - 'name': 'nuclear cortical migration', - 'def': 'The symmetric outward movement of the syncytial nuclei from their positions in the ellipsoid toward the periphery of the embryo, during mitotic cycles 8 and 9. This movement results in the placement of nuclei in a uniform monolayer at the cortex of the developing embryo. [PMID:8314839]' - }, - 'GO:0035193': { - 'name': 'larval central nervous system remodeling', - 'def': 'Reorganization of the pre-existing, functional larval central nervous system into one that can serve the novel behavioral needs of the adult. An example of this process is found in Drosophila melanogaster. [GOC:sensu, PMID:9647692]' - }, - 'GO:0035194': { - 'name': 'posttranscriptional gene silencing by RNA', - 'def': 'Any process of posttranscriptional gene inactivation (silencing) mediated by small RNA molecules that may trigger mRNA degradation or negatively regulate translation. [GOC:mah, PMID:15020054, PMID:15066275, PMID:15066283]' - }, - 'GO:0035195': { - 'name': 'gene silencing by miRNA', - 'def': 'Downregulation of gene expression through the action of microRNAs (miRNAs), endogenous 21-24 nucleotide small RNAs processed from stem-loop RNA precursors (pre-miRNAs). Once incorporated into a RNA-induced silencing complex (RISC), miRNAs can downregulate gene expression by either of two posttranscriptional mechanisms: endolytic cleavage of mRNA cleavage or translational repression, usually accompanied by poly-A tail shortening and subsequent degradation of the mRNA. [PMID:14744438, PMID:15066275, PMID:15066283, PMID:23209154]' - }, - 'GO:0035196': { - 'name': 'production of miRNAs involved in gene silencing by miRNA', - 'def': 'Cleavage of stem-loop RNA precursors into microRNAs (miRNAs), a class of small RNAs that primarily silence genes by blocking the translation of mRNA transcripts into protein. [GOC:dph, GOC:tb, PMID:15066275, PMID:15066283]' - }, - 'GO:0035197': { - 'name': 'siRNA binding', - 'def': 'Interacting selectively and non-covalently with a small interfering RNA, a 21-23 nucleotide RNA that is processed from double stranded RNA (dsRNA) by an RNAse enzyme. [PMID:15066275, PMID:15066283]' - }, - 'GO:0035198': { - 'name': 'miRNA binding', - 'def': 'Interacting selectively and non-covalently with a microRNA, a 21-23 nucleotide RNA that is processed from a stem-loop RNA precursor (pre-miRNA) that is encoded within plant and animal genomes. [PMID:15066283]' - }, - 'GO:0035199': { - 'name': 'salt aversion', - 'def': 'The specific avoidance actions or reactions of an organism in response to the perception of salt. [GOC:bf]' - }, - 'GO:0035200': { - 'name': 'leg disc anterior/posterior pattern formation', - 'def': 'The establishment, maintenance and elaboration of the anterior/posterior axis of the leg imaginal disc. [GOC:bf]' - }, - 'GO:0035201': { - 'name': 'leg disc anterior/posterior lineage restriction', - 'def': 'Formation and/or maintenance of a lineage boundary between anterior and posterior compartments of the leg disc that cells cannot cross, thus separating the populations of cells in each compartment. [GOC:bf]' - }, - 'GO:0035202': { - 'name': 'tracheal pit formation in open tracheal system', - 'def': 'Formation of the tracheal pits, the first tube-like structures to form in the open tracheal system. Once cells are determined to their tracheal cell fate, the tracheal pits arise by invagination of each ectodermal cluster of tracheal placode cells, between 5 and 7 hours after egg laying. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11063940, PMID:11992723, PMID:14570584]' - }, - 'GO:0035203': { - 'name': 'regulation of lamellocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of lamellocyte differentiation. Lamellocytes differentiate massively in the lymph glands after parasitization and are large flat cells devoted to encapsulation of invaders too large to be phagocytosed by plasmatocytes. [PMID:14734104]' - }, - 'GO:0035204': { - 'name': 'negative regulation of lamellocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of lamellocyte differentiation. Lamellocytes differentiate massively in the lymph glands after parasitization and are large flat cells devoted to encapsulation of invaders too large to be phagocytosed by plasmatocytes. [PMID:14734104]' - }, - 'GO:0035205': { - 'name': 'positive regulation of lamellocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of lamellocyte differentiation. Lamellocytes differentiate massively in the lymph glands after parasitization and are large flat cells devoted to encapsulation of invaders too large to be phagocytosed by plasmatocytes. [PMID:14734104]' - }, - 'GO:0035206': { - 'name': 'regulation of hemocyte proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of hemocyte proliferation. Hemocytes are blood cells associated with a hemocoel (the cavity containing most of the major organs of the arthropod body) which are involved in defense and clotting of hemolymph, but not involved in transport of oxygen. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035207': { - 'name': 'negative regulation of hemocyte proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of hemocyte proliferation. Hemocytes are blood cells associated with a hemocoel (the cavity containing most of the major organs of the arthropod body) which are involved in defense and clotting of hemolymph, but not involved in transport of oxygen. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035208': { - 'name': 'positive regulation of hemocyte proliferation', - 'def': 'Any process that activates or increases the rate or extent of hemocyte proliferation. Hemocytes are blood cells associated with a hemocoel (the cavity containing most of the major organs of the arthropod body) that are involved in defense and clotting of hemolymph, but not involved in transport of oxygen. An example of this process is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035209': { - 'name': 'pupal development', - 'def': 'The process whose specific outcome is the progression of the pupa over time, from its formation to the mature structure. The pupa is a dormant life stage interposed between the larval and the adult stages in insects that undergo a complete metamorphosis. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035210': { - 'name': 'prepupal development', - 'def': 'The process whose specific outcome is the progression of the prepupa over time, from its formation to the mature structure. The prepupal stage is a life stage interposed between the larval and the pupal stages in insects that undergo a complete metamorphosis. The start of the pre-pupal stage is marked by pupariation, and the end is marked by pupation. [GOC:mtg_sensu, http://sdb.bio.purdue.edu/fly/aimain/1adult.htm]' - }, - 'GO:0035211': { - 'name': 'spermathecum morphogenesis', - 'def': 'The process in which the anatomical structures of a spermathecum, a sperm storage organ, are generated and organized. Paired spermathecae lie at the anterior end of the insect uterus on the dorsal side. Each spermatheca consists of an oval shaped capsule, connected to the uterus by a spermathecal stalk. [PMID:12679097]' - }, - 'GO:0035212': { - 'name': 'cell competition in a multicellular organism', - 'def': 'Competitive interactions within multicellular organisms between cell populations that differ in growth rates, leading to the elimination of the slowest-growing cells. [GOC:bf, PMID:1116643, PMID:15066286]' - }, - 'GO:0035213': { - 'name': 'clypeo-labral disc development', - 'def': 'The process whose specific outcome is the progression of the clypeo-labral disc over time, from its formation to the metamorphosis to form adult structures. The clypeo-labral disc develops into the labrum, anterior cibarial plate, fish trap bristles, epistomal sclerite. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0035214': { - 'name': 'eye-antennal disc development', - 'def': 'Progression of the eye-antennal imaginal disc over time, from its initial formation through to its metamorphosis to form adult structures including the eye, antenna, head capsule and maxillary palps. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0035215': { - 'name': 'genital disc development', - 'def': 'Progression of the genital imaginal disc over time, from its initial formation through to its metamorphosis to form the adult terminalia, comprising the entire set of internal and external genitalia and analia. Both sexes of Drosophila have a single genital disc formed from the female and male genital primordia, and the anal primordium. The anal primordium develops in both sexes, forming either male or female analia. However, only one of the genital primordia develops in each sex, forming either the male or the female genitalia. [GOC:bf, ISBN:0879694238, PMID:11494318]' - }, - 'GO:0035216': { - 'name': 'haltere disc development', - 'def': 'Progression of the haltere imaginal disc over time, from its initial formation through to its metamorphosis to form the adult capitellum, pedicel, haltere sclerite, metathoracic spiracle and metanotum. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0035217': { - 'name': 'labial disc development', - 'def': 'Progression of the labial imaginal disc over time, from its initial formation through to its metamorphosis to form adult structures including parts of the proboscis. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0035218': { - 'name': 'leg disc development', - 'def': 'Progression of the leg imaginal disc over time, from its initial formation through to its metamorphosis to form adult structures including the leg, coxa and ventral thoracic pleura. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0035219': { - 'name': 'prothoracic disc development', - 'def': 'Progression of the prothoracic disc over time, from its initial formation through to its metamorphosis to form the adult humerous and anterior spiracle. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0035220': { - 'name': 'wing disc development', - 'def': 'Progression of the wing disc over time, from its initial formation through to its metamorphosis to form adult structures including the wing hinge, wing blade and pleura. [GOC:bf, ISBN:0879694238]' - }, - 'GO:0035221': { - 'name': 'genital disc pattern formation', - 'def': 'The process that gives rise to the patterns of cell differentiation that will arise in the genital imaginal disc. [GOC:bf]' - }, - 'GO:0035222': { - 'name': 'wing disc pattern formation', - 'def': 'The process giving rise to the pattern of cell differentiation in the wing imaginal disc. [GOC:bf]' - }, - 'GO:0035223': { - 'name': 'leg disc pattern formation', - 'def': 'The process that gives rise to the patterns of cell differentiation in the leg imaginal disc. [GOC:bf]' - }, - 'GO:0035224': { - 'name': 'genital disc anterior/posterior pattern formation', - 'def': 'The establishment, maintenance and elaboration of the anterior/posterior axis of the genital disc. An anterior and posterior compartment form in each of the three genital disc primoridia (the female genital disc primordium, the male genital disc primordium and the anal primordium). [PMID:11494318]' - }, - 'GO:0035225': { - 'name': 'determination of genital disc primordium', - 'def': 'Allocation of embryonic cells to the genital imaginal disc founder populations. Early in development at the blastoderm stage, the anlage of the genital disc of both sexes consists of three primordia: the female genital primoridum lcoated anteriorly, the anal primoridum located posteriorly, and the male gential primordium between the two. [GOC:bf, PMID:11494318]' - }, - 'GO:0035226': { - 'name': 'glutamate-cysteine ligase catalytic subunit binding', - 'def': 'Interacting selectively and non-covalently with the catalytic subunit of glutamate-cysteine ligase. [PMID:12954617]' - }, - 'GO:0035227': { - 'name': 'regulation of glutamate-cysteine ligase activity', - 'def': 'Any process that modulates the activity of glutamate-cysteine ligase. [GOC:bf]' - }, - 'GO:0035228': { - 'name': 'negative regulation of glutamate-cysteine ligase activity', - 'def': 'Any process that stops or reduces the activity of the enzyme glutamate-cysteine ligase. [GOC:bf]' - }, - 'GO:0035229': { - 'name': 'positive regulation of glutamate-cysteine ligase activity', - 'def': 'Any process that activates or increases the activity of glutamate-cysteine ligase, typically by lowering its sensitivity to inhibition by glutathione and by increasing its affinity for glutamate. [PMID:12954617]' - }, - 'GO:0035230': { - 'name': 'cytoneme', - 'def': 'A long, thin, polarized cell projection that contains actin and can extend for distances many times the diameter of the cell. Cytonemes represent extensions of cell cytoplasm and typically have a diameter of approximately 0.2um. [PMID:10367889, PMID:10675901]' - }, - 'GO:0035231': { - 'name': 'cytoneme assembly', - 'def': 'Formation of a cytoneme, a long, thin and polarized actin-based cytoplasmic extension that projects from a cell. [PMID:10367889, PMID:10675901]' - }, - 'GO:0035232': { - 'name': 'germ cell attraction', - 'def': 'The directed movement of a germ cell from their site of production to the gonad, through the attraction of cells towards their target. [PMID:12885551]' - }, - 'GO:0035233': { - 'name': 'germ cell repulsion', - 'def': 'The directed movement of a germ cell from their site of production to the gonad, through the repulsion of cells away from a tissue. [PMID:12885551]' - }, - 'GO:0035234': { - 'name': 'ectopic germ cell programmed cell death', - 'def': 'Programmed cell death of an errant germ line cell that is outside the normal migratory path or ectopic to the gonad. This is an important mechanism of regulating germ cell survival within the embryo. [PMID:12814944]' - }, - 'GO:0035235': { - 'name': 'ionotropic glutamate receptor signaling pathway', - 'def': 'A series of molecular signals initiated by glutamate binding to a glutamate receptor on the surface of the target cell, followed by the movement of ions through a channel in the receptor complex. Ends with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, ISBN:0198506732]' - }, - 'GO:0035236': { - 'name': 'proctolin receptor activity', - 'def': 'Combining with the neuropeptide proctolin, to initiate a change in cell activity. [GOC:bf]' - }, - 'GO:0035237': { - 'name': 'corazonin receptor activity', - 'def': 'Combining with the neuropeptide corazonin to initiate a change in cell activity. [GOC:bf]' - }, - 'GO:0035238': { - 'name': 'vitamin A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any of the vitamin A compounds, retinol, retinal (retinaldehyde) and retinoic acid. Animals cannot synthesize vitamin A de novo, but form it through oxidative cleavage of carotenoids. [PMID:11158606]' - }, - 'GO:0035239': { - 'name': 'tube morphogenesis', - 'def': 'The process in which the anatomical structures of a tube are generated and organized. Epithelial and endothelial tubes transport gases, liquids and cells from one site to another and form the basic structure of many organs and tissues, with tube shape and organization varying from the single-celled excretory organ in Caenorhabditis elegans to the branching trees of the mammalian kidney and insect tracheal system. [GOC:bf, PMID:14624839]' - }, - 'GO:0035240': { - 'name': 'dopamine binding', - 'def': 'Interacting selectively and non-covalently with dopamine, a catecholamine neurotransmitter formed by aromatic-L-amino-acid decarboxylase from 3,4-dihydroxy-L-phenylalanine. [ISBN:0198506732]' - }, - 'GO:0035241': { - 'name': 'protein-arginine omega-N monomethyltransferase activity', - 'def': 'Catalysis of the addition of a methyl group to either of the unmethylated terminal nitrogen atoms (also called omega nitrogen) in peptidyl-arginine to form an omega-N-G-monomethylated arginine residue. The reaction is S-adenosyl-L-methionine + [protein]-L-arginine = S-adenosyl-L-homocysteine + [protein]-Nomega-methyl-L-arginine. [EC:2.1.1.321, PMID:14705965, RESID:AA0069]' - }, - 'GO:0035242': { - 'name': 'protein-arginine omega-N asymmetric methyltransferase activity', - 'def': 'Catalysis of the addition of a second methyl group to methylated peptidyl-arginine. Methylation is on the same terminal nitrogen (omega nitrogen) residue that was previously methylated, resulting in asymmetrical peptidyl-N(omega),N(omega)-dimethylated arginine residues. [EC:2.1.1.319, PMID:14705965, RESID:AA0068, RESID:AA0069]' - }, - 'GO:0035243': { - 'name': 'protein-arginine omega-N symmetric methyltransferase activity', - 'def': "Catalysis of the addition of a second methyl group to methylated peptidyl-arginine. Methylation is on the terminal nitrogen (omega nitrogen) residue that is not already methylated, resulting in symmetrical peptidyl-N(omega),N'(omega)-dimethyled arginine residues. [EC:2.1.1.320, PMID:14705965, RESID:AA0067, RESID:AA0069]" - }, - 'GO:0035244': { - 'name': 'peptidyl-arginine C-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to the carbon atom of an arginine residue in a protein. [GOC:bf]' - }, - 'GO:0035245': { - 'name': 'peptidyl-arginine C-methylation', - 'def': 'The addition of a methyl group onto a carbon atom of an arginine residue in a protein. [GOC:bf]' - }, - 'GO:0035246': { - 'name': 'peptidyl-arginine N-methylation', - 'def': 'The addition of a methyl group onto a nitrogen atom of an arginine residue in a protein. [GOC:bf]' - }, - 'GO:0035247': { - 'name': 'peptidyl-arginine omega-N-methylation', - 'def': 'The addition of a methyl group onto a terminal nitrogen (omega nitrogen) atom of an arginine residue in a protein. [PMID:14705965, RESID:AA0067, RESID:AA0068, RESID:AA0069]' - }, - 'GO:0035248': { - 'name': 'alpha-1,4-N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the transfer of an N-acetylgalactosaminyl residue from UDP-N-acetyl-galactosamine to an acceptor molecule, forming an alpha-1,4 linkage. [PMID:15130086]' - }, - 'GO:0035249': { - 'name': 'synaptic transmission, glutamatergic', - 'def': 'The process of communication from a neuron to another neuron across a synapse using the neurotransmitter glutamate. [GOC:kmv]' - }, - 'GO:0035250': { - 'name': 'UDP-galactosyltransferase activity', - 'def': 'Catalysis of the transfer of a galactose group from UDP-galactose to an acceptor molecule. [http://www.chem.qmul.ac.uk/iubmb/enzyme/reaction/polysacc/UDPsugar.html]' - }, - 'GO:0035251': { - 'name': 'UDP-glucosyltransferase activity', - 'def': 'Catalysis of the transfer of a glucosyl group from UDP-glucose to an acceptor molecule. [http://www.chem.qmul.ac.uk/iubmb/enzyme/reaction/polysacc/UDPsugar.html]' - }, - 'GO:0035252': { - 'name': 'UDP-xylosyltransferase activity', - 'def': 'Catalysis of the transfer of a xylosyl group from UDP-xylose to an acceptor molecule. [http://www.chem.qmul.ac.uk/iubmb/enzyme/reaction/polysacc/UDPsugar.html]' - }, - 'GO:0035253': { - 'name': 'ciliary rootlet', - 'def': 'A cytoskeleton-like structure, originating from the basal body at the proximal end of a cilium, and extending proximally toward the cell nucleus. Rootlets are typically 80-100 nm in diameter and contain cross striae distributed at regular intervals of approximately 55-70 nm. [GOC:cilia, PMID:12427867]' - }, - 'GO:0035254': { - 'name': 'glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a glutamate receptor. [GOC:bf]' - }, - 'GO:0035255': { - 'name': 'ionotropic glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with an ionotropic glutamate receptor. Ionotropic glutamate receptors bind glutamate and exert an effect through the regulation of ion channels. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0035256': { - 'name': 'G-protein coupled glutamate receptor binding', - 'def': 'Interacting selectively and non-covalently with a G-protein coupled glutamate receptor (a metabotropic glutamate receptor). [GOC:bf, ISBN:0198506732, PMID:9069287]' - }, - 'GO:0035257': { - 'name': 'nuclear hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a nuclear hormone receptor, a ligand-dependent receptor found in the nucleus of the cell. [GOC:bf]' - }, - 'GO:0035258': { - 'name': 'steroid hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a steroid hormone receptor. [GOC:bf]' - }, - 'GO:0035259': { - 'name': 'glucocorticoid receptor binding', - 'def': 'Interacting selectively and non-covalently with a glucocorticoid receptor. [GOC:bf]' - }, - 'GO:0035260': { - 'name': 'internal genitalia morphogenesis', - 'def': 'The process in which the anatomical structures of the internal genitalia are generated and organized. The internal genitalia are the internal sex organs such as the uterine tube, the uterus and the vagina in female mammals, and the testis, seminal vesicle, ejaculatory duct and prostate in male mammals. [http://www.ndif.org/Terms/genitalia.html]' - }, - 'GO:0035261': { - 'name': 'external genitalia morphogenesis', - 'def': 'The process in which the anatomical structures of the external genitalia are generated and organized. The external genitalia are the outer sex organs, such as the penis or vulva in mammals. [http://www.ndif.org/Terms/genitalia.html]' - }, - 'GO:0035262': { - 'name': 'gonad morphogenesis', - 'def': 'The process in which the anatomical structures of the gonads are generated and organized. A gonad is an animal organ producing gametes, e.g. the testes or the ovary in mammals. [ISBN:0198612001]' - }, - 'GO:0035263': { - 'name': 'genital disc sexually dimorphic development', - 'def': 'The sex-specific patterns of primoridia growth and differentiation in the genital imaginal disc. The anal primordium of the genital disc develops in both sexes, but depending on the genetic sex gives rise to either male or female analia. Depending on the genetic sex, only one of the two genital primordia develop. In females the female genital primordium develops and gives rise to the female genitalia whereas the male primordium is repressed. Conversely, in males the male genital primordium develops and gives rise to the male genitalia whereas the female genital primordium is repressed. [PMID:11290302, PMID:11494318, PMID:11702781]' - }, - 'GO:0035264': { - 'name': 'multicellular organism growth', - 'def': 'The increase in size or mass of an entire multicellular organism, as opposed to cell growth. [GOC:bf, GOC:curators, GOC:dph, GOC:tb]' - }, - 'GO:0035265': { - 'name': 'organ growth', - 'def': 'The increase in size or mass of an organ. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that function together as to perform a specific function. [GOC:bf, ISBN:0471245208, ISBN:0721662544]' - }, - 'GO:0035266': { - 'name': 'meristem growth', - 'def': 'The increase in size or mass of a meristem, a region of tissue in a plant that is composed of one or more undifferentiated cells capable of undergoing mitosis and differentiation. [GOC:bf, ISBN:0198547684]' - }, - 'GO:0035267': { - 'name': 'NuA4 histone acetyltransferase complex', - 'def': 'A complex having histone acetylase activity on chromatin, as well as ATPase, DNA helicase and structural DNA binding activities. The complex is thought to be involved in double-strand DNA break repair. Subunits of the human complex include HTATIP/TIP60, TRRAP, RUVBL1, BUVBL2, beta-actin and BAF53/ACTL6A. In yeast, the complex has 13 subunits, including the catalytic subunit Esa1 (homologous to human Tip60). [GOC:ecd, PMID:10966108, PMID:14966270]' - }, - 'GO:0035268': { - 'name': 'protein mannosylation', - 'def': 'The addition of a mannose residue to a protein acceptor molecule. [GOC:bf, GOC:pr]' - }, - 'GO:0035269': { - 'name': 'protein O-linked mannosylation', - 'def': 'The transfer of mannose from dolichyl activated mannose to the hydroxyl group of a seryl or threonyl residue of a protein acceptor molecule, to form an O-linked protein-sugar linkage. [GOC:bf, PMID:9878797]' - }, - 'GO:0035270': { - 'name': 'endocrine system development', - 'def': 'Progression of the endocrine system over time, from its formation to a mature structure. The endocrine system is a system of hormones and ductless glands, where the glands release hormones directly into the blood, lymph or other intercellular fluid, and the hormones circulate within the body to affect distant organs. The major glands that make up the human endocrine system are the hypothalamus, pituitary, thyroid, parathryoids, adrenals, pineal body, and the reproductive glands which include the ovaries and testes. [GOC:bf, http://encyclopedia.thefreedictionary.com/Endocrine+sytem, ISBN:0198506732]' - }, - 'GO:0035271': { - 'name': 'ring gland development', - 'def': 'Progression of the ring gland over time, from its formation to a mature structure. The ring gland is a neuroendocrine organ found in higher Dipterans, which is composed of the prothoracic gland, the corpus allatum, and the corpora cardiacum. The ring gland is the site of production and release of ecdysteroids and juvenile hormones. [GOC:bf, PMID:11223816, PMID:9584098]' - }, - 'GO:0035272': { - 'name': 'exocrine system development', - 'def': 'Progression of the exocrine system over time, from its formation to a mature structure. The exocrine system is a system of hormones and glands, where the glands secrete straight to a target site via ducts or tubes. The human exocrine system includes the salivary glands, sweat glands and many glands of the digestive system. [GOC:bf, http://encyclopedia.thefreedictionary.com/Exocrine+gland, ISBN:0198506732]' - }, - 'GO:0035273': { - 'name': 'phthalate binding', - 'def': 'Interacting selectively and non-covalently with a phthalate, any ester or salt of phthalic acid. [http://umbbd.ahc.umn.edu/pth/pth_map.html]' - }, - 'GO:0035274': { - 'name': 'diphenyl phthalate binding', - 'def': 'Interacting selectively and non-covalently with diphenyl phthalate, C(20)H(14)O(4). [http://www.sigmaaldrich.com]' - }, - 'GO:0035275': { - 'name': 'dibutyl phthalate binding', - 'def': 'Interacting selectively and non-covalently with dibutyl phthalate, C(16)H(22)O(4). [http://www.sigmaaldrich.com]' - }, - 'GO:0035276': { - 'name': 'ethanol binding', - 'def': 'Interacting selectively and non-covalently with ethanol, CH(3)-CH(2)-OH. [ISBN:0198506732]' - }, - 'GO:0035277': { - 'name': 'spiracle morphogenesis, open tracheal system', - 'def': 'The process in which the anatomical structures of a spiracle are generated and organized. Spiracles are the openings in the insect open tracheal system; externally they connect to the epidermis and internally they connect to the tracheal trunk. [GOC:mtg_sensu, PMID:10491268]' - }, - 'GO:0035278': { - 'name': 'miRNA mediated inhibition of translation', - 'def': "The process in which microRNAs (miRNAs) block the translation of target mRNAs into proteins. Once incorporated into a RNA-induced silencing complex (RISC), a miRNA will typically mediate repression of translation if the miRNA imperfectly base-pairs with the 3' untranslated regions of target mRNAs [PMID:14744438, PMID:15196554]" - }, - 'GO:0035279': { - 'name': 'mRNA cleavage involved in gene silencing by miRNA', - 'def': 'The process in which microRNAs (miRNAs) direct the cleavage of target mRNAs. Once incorporated into a RNA-induced silencing complex (RISC), a miRNA base pairing with near-perfect complementarity to the target mRNA will typically direct targeted endonucleolytic cleavage of the mRNA. Many plant miRNAs downregulate gene expression through this mechanism. [GOC:dph, GOC:mtg_lung, PMID:14744438, PMID:15196554]' - }, - 'GO:0035280': { - 'name': 'miRNA loading onto RISC involved in gene silencing by miRNA', - 'def': 'The transfer of a microRNA (miRNA) strand from a miRNA:miRNA duplex onto the RNA-initiated silencing complex (RISC). [PMID:14744438]' - }, - 'GO:0035281': { - 'name': 'pre-miRNA export from nucleus', - 'def': 'Transport of pre-microRNAs (pre-miRNAs) from the nucleus to the cytoplasm. Pre-miRNAs are a ~60-70 nucleotide stem loop intermediate in miRNA production, produced by the nuclear cleavage of a primary miRNA (pri-mRNA) transcript. Pre-miRNAs are transported from the nucleus to the cytoplasm where further cleavage occurs to produce a mature miRNA product. [GOC:sl, PMID:14744438]' - }, - 'GO:0035282': { - 'name': 'segmentation', - 'def': 'The regionalization process that divides an organism or part of an organism into a series of semi-repetitive parts, or segments, often arranged along a longitudinal axis. [PMID:10611687, PMID:9706689]' - }, - 'GO:0035283': { - 'name': 'central nervous system segmentation', - 'def': 'Division of the central nervous system into a series of semi-repetitive parts or segments. [GOC:bf]' - }, - 'GO:0035284': { - 'name': 'brain segmentation', - 'def': 'Division of the brain into a series of semi-repetitive parts or segments. [GOC:bf]' - }, - 'GO:0035285': { - 'name': 'appendage segmentation', - 'def': 'Division of an appendage, an organ or part that is attached to the main body of an organism, into a series of semi-repetitive parts or segments. Most arthropod appendages, such as the legs and antennae, are visibly segmented. [PMID:10357895]' - }, - 'GO:0035286': { - 'name': 'obsolete leg segmentation', - 'def': 'OBSOLETE. Division of a leg into a series of semi-repetitive parts or segments. Most arthropod appendages are visibly segmented; the Drosophila leg for example has nine segments, each separated from the next by a flexible joint. [PMID:10357895]' - }, - 'GO:0035287': { - 'name': 'head segmentation', - 'def': 'Partitioning the insect head anlage into a fixed number of segmental units. The number of segments composing the insect head has long been a subject of debate, but it is generally agreed that there are 6 or 7 segments. From anterior to posterior the head segments are the procephalic segments (labral, (ocular), antennal and intercalary) and the gnathal segments (mandibular, maxillary and labial). [PMID:10477305, PMID:7915837]' - }, - 'GO:0035288': { - 'name': 'anterior head segmentation', - 'def': 'Partitioning the insect head anlage into procephalic (labral, (ocular), antennal and intercalary) segments. The procephalic segments lie anterior to the gnathal (posterior head) segments, and are pattered by different segmentation gene cascades to the abdominal, thoracic and posterior head (gnathal) segments. [PMID:15382136]' - }, - 'GO:0035289': { - 'name': 'posterior head segmentation', - 'def': 'Partitioning the posterior region of the insect head anlage into gnathal (mandibular, maxillary and labial) segments. Unlike the anterior head (procephalic) segments, formation of the posterior head (gnathal) segments occurs by a similar mechanism to trunk segmentation, where a cascade of gap genes, pair-rule genes and segment-polarity genes subdivide the embryo into progressively smaller domains. [PMID:15382136]' - }, - 'GO:0035290': { - 'name': 'trunk segmentation', - 'def': 'Partitioning of the blastoderm embryo into trunk segmental units. In Drosophila, the trunk segments include thoracic segments and abdominal segments A1 to A8. [PMID:1360402]' - }, - 'GO:0035291': { - 'name': 'specification of segmental identity, intercalary segment', - 'def': 'The specification of the characteristic structures of the intercalary segment of the anterior head, following establishment of segment boundaries. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [ISBN:0878932437, PMID:10477305]' - }, - 'GO:0035292': { - 'name': 'specification of segmental identity, trunk', - 'def': 'The specification of the characteristic structures of trunk segments, following establishment of segment boundaries. In Drosophila, the trunk segments include thoracic segments and abdominal segments A1 to A8. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [PMID:1360402]' - }, - 'GO:0035293': { - 'name': 'chitin-based larval cuticle pattern formation', - 'def': 'The process that gives rise to the patterns of cell differentiation in the chitin-based larval cuticle. An example of this is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0035294': { - 'name': 'determination of wing disc primordium', - 'def': 'Allocation of embryonic cells to the wing disc founder populations, groups of cells that are committed to contribute to the formation of a wing imaginal disc. [ISBN:0879694238]' - }, - 'GO:0035295': { - 'name': 'tube development', - 'def': 'The process whose specific outcome is the progression of a tube over time, from its initial formation to a mature structure. Epithelial and endothelial tubes transport gases, liquids and cells from one site to another and form the basic structure of many organs and tissues including lung and trachea, kidney, the mammary gland, the vascular system and the gastrointestinal and urinary-genital tracts. [PMID:12526790]' - }, - 'GO:0035296': { - 'name': 'regulation of tube diameter', - 'def': 'Any process that modulates the diameter of a tube. [GOC:bf]' - }, - 'GO:0035297': { - 'name': 'regulation of Malpighian tubule diameter', - 'def': 'Ensuring that the Malpighian tubule is the correct width. Malpighian tubules have a uniform circumference along their length; the circumference of the tubes is eight cells during the time the cells are dividing, after which the cells rearrange producting tubes with a cirumference of two cells. [PMID:9286684]' - }, - 'GO:0035298': { - 'name': 'regulation of Malpighian tubule size', - 'def': 'Ensuring that a Malpighian tubule is the correct length and diameter. [GOC:bf]' - }, - 'GO:0035299': { - 'name': 'inositol pentakisphosphate 2-kinase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,3,4,5,6-pentakisphosphate + ATP = 1D-myo-inositol hexakisphosphate + ADP + 2 H(+). [EC:2.7.1.158, RHEA:20316]' - }, - 'GO:0035300': { - 'name': 'obsolete inositol-1,3,4-trisphosphate 5/6-kinase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: ATP + 1D-myo-inositol 1,3,4-trisphosphate = ADP + 1D-myo-inositol 1,3,4,5-tetrakisphosphate, and ATP + 1D-myo-inositol 1,3,4-trisphosphate = ADP + 1D-myo-inositol 1,3,4,6-tetrakisphosphate. [EC:2.7.1.159, PMID:9126335]' - }, - 'GO:0035301': { - 'name': 'Hedgehog signaling complex', - 'def': 'A multiprotein complex that binds microtubules in a Hedgehog-dependent manner, and is required for signal transduction by members of the Hedgehog family of proteins. The core components of the complex are the serine/threonine protein kinase Fused, the kinesin motor protein Costal2 (Cos2), and a zinc finger transcription factor (Gli family members in humans, and Cubitus interruptus (Ci) in Drosophila). [PMID:10825151, PMID:15057936]' - }, - 'GO:0035302': { - 'name': 'ecdysteroid 25-hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of an ecdysteroid at carbon position 25. Ecdysteroids are a group of polyhydroxylated ketosteroids which initiate post-embryonic development, particularly metamorphosis, in insects and other arthropods. [ISBN:0198506732, PMID:15350618]' - }, - 'GO:0035303': { - 'name': 'regulation of dephosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of removal of phosphate groups from a molecule. [GOC:bf]' - }, - 'GO:0035304': { - 'name': 'regulation of protein dephosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of removal of phosphate groups from a protein. [GOC:bf]' - }, - 'GO:0035305': { - 'name': 'negative regulation of dephosphorylation', - 'def': 'Any process the stops, prevents, or reduces the frequency, rate or extent of removal of phosphate groups from a molecule. [GOC:bf]' - }, - 'GO:0035306': { - 'name': 'positive regulation of dephosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of removal of phosphate groups from a molecule. [GOC:bf]' - }, - 'GO:0035307': { - 'name': 'positive regulation of protein dephosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of removal of phosphate groups from a protein. [GOC:bf]' - }, - 'GO:0035308': { - 'name': 'negative regulation of protein dephosphorylation', - 'def': 'Any process the stops, prevents, or reduces the frequency, rate or extent of removal of phosphate groups from a protein. [GOC:bf]' - }, - 'GO:0035309': { - 'name': 'wing and notum subfield formation', - 'def': 'The regionalization process that subdivides the wing imaginal disc into the wing and notum (body wall) subfields, thus determining whether cells ultimately differentiate wing or notum-specific structures. [PMID:10860999]' - }, - 'GO:0035310': { - 'name': 'notum cell fate specification', - 'def': 'The process in which a cell in the larval wing imaginal disc becomes capable of differentiating autonomously into a notum cell, if left in its normal environment. [PMID:10860999]' - }, - 'GO:0035311': { - 'name': 'wing cell fate specification', - 'def': 'The process in which a cell in the larval wing imaginal disc becomes capable of differentiating autonomously into a wing cell, if left in its normal environment. [PMID:10860999]' - }, - 'GO:0035312': { - 'name': "5'-3' exodeoxyribonuclease activity", - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 5' terminus of a DNA molecule. [ISBN:0198547684]" - }, - 'GO:0035313': { - 'name': 'wound healing, spreading of epidermal cells', - 'def': 'The migration of an epidermal cell along or through a wound gap that contributes to the reestablishment of a continuous epidermis. [GOC:bf, PMID:15269788]' - }, - 'GO:0035314': { - 'name': 'scab formation', - 'def': 'Formation of hardened covering (a scab) at a wound site. The scab has multiple functions including limiting blood loss, providing structural stability to the wound and guarding against infection. [GOC:bf, PMID:15269788]' - }, - 'GO:0035315': { - 'name': 'hair cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a hair cell. [GOC:bf]' - }, - 'GO:0035316': { - 'name': 'non-sensory hair organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of non-sensory hairs. These hairs are polarized cellular extensions that cover much of the insect epidermis. [GOC:mtg_sensu, PMID:11064425]' - }, - 'GO:0035317': { - 'name': 'imaginal disc-derived wing hair organization', - 'def': 'A process that is carried out at the cellular level that results in the assembly, arrangement of constituent parts, or disassembly of an imaginal disc-derived wing hair. A wing hair is an actin-rich, polarized, non-sensory apical projection that protrudes from each of the approximately 30,000 wing epithelial cells. An example of this is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11064425, PMID:12540853]' - }, - 'GO:0035318': { - 'name': 'imaginal disc-derived wing hair outgrowth', - 'def': 'Extrusion of a cellular projection from the apical membrane of an epithelial cell in an imaginal disc-derived wing. Outgrowth initiates approximately 35 hours after puparium formation from the distal side of the cell, and at this stage the cellular extension is termed a prehair. [GOC:mtg_sensu, PMID:11064425, PMID:8947551]' - }, - 'GO:0035319': { - 'name': 'imaginal disc-derived wing hair elongation', - 'def': 'Growth of a prehair in the approximately 10 hour period following its emergence from an epidermal cell in an imaginal disc-derived wing. Prehair elongation is guided and/or driven by the polymerization of actin filaments and the orderly crosslinking of filaments into bundles. [GOC:mtg_sensu, PMID:11832234]' - }, - 'GO:0035320': { - 'name': 'imaginal disc-derived wing hair site selection', - 'def': 'Determination of the site in the cell of an imaginal disc-derived wing at which a prehair initiates outgrowth. Restriction of prehair initiation to the distalmost part of a cell is essential to ensure that each wing epithelial cell produces one adult hair that points distally. [GOC:mtg_transport, ISBN:0815340729, PMID:8947551]' - }, - 'GO:0035321': { - 'name': 'maintenance of imaginal disc-derived wing hair orientation', - 'def': 'Ensuring that hairs in the imaginal disc-derived wing continue to point distally during development, following the initial establishment of wing hair polarity. [GOC:mtg_sensu, PMID:15501220]' - }, - 'GO:0035322': { - 'name': 'mesenchymal cell migration involved in limb bud formation', - 'def': 'The orderly movement of a mesenchymal cell from one site to another that will contribute to the formation of a limb bud. [GOC:dgh]' - }, - 'GO:0035323': { - 'name': 'male germline ring canal', - 'def': 'An intercellular bridge that connects the germline cells of a male cyst. [PMID:9635420]' - }, - 'GO:0035324': { - 'name': 'female germline ring canal', - 'def': 'An intercellular bridge that connects the germline cells of a female cyst. [PMID:9635420]' - }, - 'GO:0035325': { - 'name': 'Toll-like receptor binding', - 'def': 'Interacting selectively and non-covalently with a Toll-like protein, a pattern recognition receptor that binds pattern motifs from a variety of microbial sources to initiate an innate immune response. [PMID:19076341]' - }, - 'GO:0035326': { - 'name': 'enhancer binding', - 'def': 'Interacting selectively and non-covalently with an enhancer, a transcription regulatory region that is somewhat distal from the core promoter and which enhances transcription from that promoter. [GOC:sart, GOC:txnOH, SO:0000165]' - }, - 'GO:0035327': { - 'name': 'transcriptionally active chromatin', - 'def': 'The ordered and organized complex of DNA and protein that forms regions of the chromosome that are being actively transcribed. [GOC:sart, PMID:17965872]' - }, - 'GO:0035328': { - 'name': 'transcriptionally silent chromatin', - 'def': 'The ordered and organized complex of DNA and protein that forms regions of the chromosome that are not being actively transcribed. [GOC:sart, PMID:17965872]' - }, - 'GO:0035329': { - 'name': 'hippo signaling', - 'def': 'The series of molecular signals mediated by the serine/threonine kinase Hippo or one of its orthologs. In Drosophila, Hippo in complex with the scaffold protein Salvador (Sav), phosphorylates and activates Warts (Wts), which in turn phosphorylates and inactivates the Yorkie (Yki) transcriptional activator. The core fly components hippo, sav, wts and mats are conserved in mammals as STK4/3 (MST1/2), SAV1/WW45, LATS1/2 and MOB1. [PMID:17318211, PMID:18328423]' - }, - 'GO:0035330': { - 'name': 'regulation of hippo signaling', - 'def': 'Any process that modulates the frequency, rate or extent of hippo signaling. [GOC:bf]' - }, - 'GO:0035331': { - 'name': 'negative regulation of hippo signaling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of hippo signaling. [GOC:bf]' - }, - 'GO:0035332': { - 'name': 'positive regulation of hippo signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of hippo signaling. [GOC:bf]' - }, - 'GO:0035333': { - 'name': 'Notch receptor processing, ligand-dependent', - 'def': 'The proteolytic cleavages to the Notch protein that occur as a result of ligand binding. Ligand binding at the cell surface exposes an otherwise inaccessible cleavage site in the extracellular portion of Notch, which when cleaved releases a membrane-tethered form of the Notch intracellular domain. Subsequent cleavage within the transmembrane domain then leads to the release of the soluble Notch intracellular domain (NICD). [GOC:bf, PMID:12651094]' - }, - 'GO:0035334': { - 'name': 'Notch receptor processing, ligand-independent', - 'def': 'The proteolytic cleavages to the Notch protein that occur prior to ligand binding. A primary cleavage event within the extracellular domain whilst the Notch protein in still in the secretory pathway, leads to the transportation of a processed heterodimer to the cell surface. [GOC:bf, PMID:12651094]' - }, - 'GO:0035335': { - 'name': 'peptidyl-tyrosine dephosphorylation', - 'def': 'The removal of phosphoric residues from peptidyl-O-phospho-tyrosine to form peptidyl-tyrosine. [GOC:bf]' - }, - 'GO:0035336': { - 'name': 'long-chain fatty-acyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving long-chain fatty-acyl-CoAs, any derivative of coenzyme A in which the sulfhydryl group is in a thioester linkage with a long-chain fatty-acyl group. Long-chain fatty-acyl-CoAs have chain lengths of C13 or more. [CHEBI:33184, ISBN:0198506732]' - }, - 'GO:0035337': { - 'name': 'fatty-acyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving a fatty-acyl-CoA, any derivative of coenzyme A in which the sulfhydryl group is in thiolester linkage with a fatty-acyl group. [ISBN:0198506732]' - }, - 'GO:0035338': { - 'name': 'long-chain fatty-acyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a long-chain fatty-acyl-CoA any derivative of coenzyme A in which the sulfhydryl group is in a thioester linkage with a long-chain fatty-acyl group. Long-chain fatty-acyl-CoAs have chain lengths of C13 or more. [CHEBI:33184, ISBN:0198506732]' - }, - 'GO:0035339': { - 'name': 'SPOTS complex', - 'def': 'A multiprotein complex at least composed of serine palmitoyltransferases and ORM proteins (known as ORMDL proteins in mammals and other higher vertebrates) that plays a key role in sphingolipid homeostasis. [PMID:20182505]' - }, - 'GO:0035340': { - 'name': 'inosine transport', - 'def': 'The directed movement of the purine ribonucleoside inosine, also known as hypoxanthine riboside, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:17596, PMID:19135251]' - }, - 'GO:0035341': { - 'name': 'regulation of inosine transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of inosine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf]' - }, - 'GO:0035342': { - 'name': 'positive regulation of inosine transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of inosine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf]' - }, - 'GO:0035343': { - 'name': 'negative regulation of inosine transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of inosine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf]' - }, - 'GO:0035344': { - 'name': 'hypoxanthine transport', - 'def': 'The directed movement of hypoxanthine, 6-hydroxypurine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:17368, GOC:sl]' - }, - 'GO:0035345': { - 'name': 'regulation of hypoxanthine transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of hypoxanthine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf]' - }, - 'GO:0035346': { - 'name': 'positive regulation of hypoxanthine transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of hypoxanthine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf]' - }, - 'GO:0035347': { - 'name': 'negative regulation of hypoxanthine transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of hypoxanthine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf]' - }, - 'GO:0035348': { - 'name': 'acetyl-CoA transmembrane transport', - 'def': 'The process in which acetyl-CoA is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. Acetyl-CoA is a derivative of coenzyme A in which the sulfhydryl group is acetylated; it is a metabolite derived from several pathways (e.g. glycolysis, fatty acid oxidation, amino-acid catabolism) and is further metabolized by the tricarboxylic acid cycle. It is a key intermediate in lipid and terpenoid biosynthesis. [GO:bf]' - }, - 'GO:0035349': { - 'name': 'coenzyme A transmembrane transport', - 'def': "The process in which coenzyme A is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. Coenzyme A, 3'-phosphoadenosine-(5')diphospho(4')pantatheine, is an acyl carrier in many acylation and acyl-transfer reactions in which the intermediate is a thiol ester. [GOC:bf]" - }, - 'GO:0035350': { - 'name': 'FAD transmembrane transport', - 'def': 'The process in which flavin-adenine dinucleotide (FAD) is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. FAD forms the coenzyme of the prosthetic group of various flavoprotein oxidoreductase enzymes, in which it functions as an electron acceptor by being reversibly converted to its reduced form. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0035351': { - 'name': 'heme transmembrane transport', - 'def': 'The process in which heme, any compound of iron complexed in a porphyrin (tetrapyrrole) ring, is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:bf]' - }, - 'GO:0035352': { - 'name': 'NAD transmembrane transport', - 'def': 'The process in which nicotinamide adenine dinucleotide is transported from one side of a membrane to the other by means of some agent such as a transporter or pore; transport may be of either the oxidized form, NAD, or the reduced form, NADH. [GOC:bf]' - }, - 'GO:0035353': { - 'name': 'nicotinamide mononucleotide transmembrane transport', - 'def': 'The process in which nicotinamide mononucleotide is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. Nicotinamide mononucleotide is a ribonucleotide in which the nitrogenous base, nicotinamide, is in beta-n-glycosidic linkage with the c-1 position of d-ribose. It is a constituent of NAD and NADP. [GOC:bf, ISBN:0721662544]' - }, - 'GO:0035354': { - 'name': 'Toll-like receptor 1-Toll-like receptor 2 protein complex', - 'def': 'A heterodimeric protein complex containing Toll-like receptor 1 (TLR1) and Toll-like receptor 2 (TLR2). [GOC:add, GOC:signaling, PMID:17889651, PMID:21481769]' - }, - 'GO:0035355': { - 'name': 'Toll-like receptor 2-Toll-like receptor 6 protein complex', - 'def': 'A heterodimeric protein complex containing Toll-like receptor 2 (TLR2) and Toll-like receptor 6 (TLR6). [GOC:add, GOC:signaling, PMID:19931471, PMID:21481769]' - }, - 'GO:0035356': { - 'name': 'cellular triglyceride homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of triglyceride within a cell or between a cell and its external environment. [GOC:BHF]' - }, - 'GO:0035357': { - 'name': 'peroxisome proliferator activated receptor signaling pathway', - 'def': 'The series of molecular signals initiated by binding of a ligand to any of the peroxisome proliferator activated receptors (alpha, beta or gamma) in the nuclear membrane, and ending with the initiation or termination of the transcription of target genes. [GOC:BHF, PMID:18221086]' - }, - 'GO:0035358': { - 'name': 'regulation of peroxisome proliferator activated receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the peroxisome proliferator activated receptor signaling pathway. [GOC:bf]' - }, - 'GO:0035359': { - 'name': 'negative regulation of peroxisome proliferator activated receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the peroxisome proliferator activated receptor signaling pathway. [GOC:bf]' - }, - 'GO:0035360': { - 'name': 'positive regulation of peroxisome proliferator activated receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the peroxisome proliferator activated receptor signaling pathway. [GOC:bf]' - }, - 'GO:0035361': { - 'name': 'Cul8-RING ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex in which a cullin from the Cul8 subfamily and a RING domain protein form the catalytic core. In S. cerevisiae, Mms1p acts as the adaptor protein and substrate specificity is conferred by any of a number of different proteins. [GOC:krc, PMID:20139071]' - }, - 'GO:0035362': { - 'name': 'protein-DNA ISRE complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and DNA molecules to form a protein-DNA complex, in which the complex is formed through interaction of the protein(s) with a interferon-stimulated response element (ISRE) in the DNA. [GOC:amm, PMID:11747630]' - }, - 'GO:0035363': { - 'name': 'histone locus body', - 'def': 'A nuclear body associated with the histone gene locus that is thought to contain all of the factors necessary for histone mRNA transcription and pre-mRNA processing. In Drosophila, U7 snRNP is located in the histone locus body rather than the distinct Cajal body. [GOC:sart, PMID:16533947, PMID:18927579, PMID:19620235]' - }, - 'GO:0035364': { - 'name': 'thymine transport', - 'def': 'The directed movement of thymine, 5-methyluracil, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GO:sl]' - }, - 'GO:0035365': { - 'name': 'regulation of thymine transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of thymine, 5-methyluracil, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf, GOC:sl]' - }, - 'GO:0035366': { - 'name': 'negative regulation of thymine transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of thymine, 5-methyluracil, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf, GOC:sl]' - }, - 'GO:0035367': { - 'name': 'positive regulation of thymine transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of thymine, 5-methyluracil, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf, GOC:sl]' - }, - 'GO:0035368': { - 'name': 'selenocysteine insertion sequence binding', - 'def': 'Interacting selectively and non-covalently with the selenocysteine insertion sequence (SECIS), a regulatory sequence within mRNA which directs incorporation of a selenocysteine at a stop codon (UGA) during translation. [GOC:imk, PMID:10760958]' - }, - 'GO:0035369': { - 'name': 'pre-B cell receptor complex', - 'def': 'An immunoglobulin-like complex that is present in at least the plasma membrane of pre-B cells, and that is composed of two identical immunoglobulin heavy chains and two surrogate light chains, each composed of the lambda-5 and VpreB proteins, and a signaling subunit, a heterodimer of the Ig-alpha and Ig-beta proteins. [GOC:add, ISBN:0781765196, PMID:16464608, PMID:17306522]' - }, - 'GO:0035370': { - 'name': 'UBC13-UEV1A complex', - 'def': 'A heterodimeric ubiquitin conjugating enzyme complex that catalyzes assembly of K63-linked polyubiquitin chains and is involved in NF-kappaB activation. In humans at least, the complex comprises the ubiquitin-conjugating enzyme UBC13 and ubiquitin-conjugating enzyme variant 1A (UEV1A). [GOC:amm, PMID:16129784]' - }, - 'GO:0035371': { - 'name': 'microtubule plus-end', - 'def': 'The growing (plus) end of a microtubule. In vitro, microtubules polymerize more quickly at the plus end than at the minus end. In vivo, microtubule growth occurs only at the plus end, and the plus end switches between periods of growth and shortening, a behavior known as dynamic instability. [GOC:bf, GOC:lb, PMID:12700769, PMID:16643273]' - }, - 'GO:0035372': { - 'name': 'protein localization to microtubule', - 'def': 'A process in which a protein is transported to, or maintained at, a microtubule. [GOC:bf, GOC:lb]' - }, - 'GO:0035373': { - 'name': 'chondroitin sulfate proteoglycan binding', - 'def': 'Interacting selectively and non-covalently with a chondroitin sulfate proteoglycan, any proteoglycan containing chondroitin sulfate as the glycosaminoglycan carbohydrate unit. [GOC:kmv, ISBN:0198506732]' - }, - 'GO:0035374': { - 'name': 'chondroitin sulfate binding', - 'def': 'Interacting selectively and non-covalently with chondroitin sulfate, a glycosaminoglycan made up of two alternating monosaccharides: D-glucuronic acid (GlcA) and N-acetyl-D-galactosamine (GalNAc). [GOC:kmv, ISBN:0198506732]' - }, - 'GO:0035375': { - 'name': 'zymogen binding', - 'def': 'Interacting selectively and non-covalently with a zymogen, an enzymatically inactive precursor of an enzyme that is often convertible to an active enzyme by proteolysis. [ISBN:0198506732]' - }, - 'GO:0035376': { - 'name': 'sterol import', - 'def': 'The directed movement of a sterol into a cell or organelle. Sterols are steroids with one or more hydroxyl groups and a hydrocarbon side-chain in the molecule. [GOC:bf, PMID:19793923]' - }, - 'GO:0035377': { - 'name': 'transepithelial water transport', - 'def': 'The directed movement of water (H2O) from one side of an epithelium to the other. [GOC:yaf]' - }, - 'GO:0035378': { - 'name': 'carbon dioxide transmembrane transport', - 'def': 'A process in which carbon dioxide (CO2) is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:yaf]' - }, - 'GO:0035379': { - 'name': 'carbon dioxide transmembrane transporter activity', - 'def': 'Enables the transfer of carbon dioxide (CO2) from one side of a membrane to the other. [GOC:yaf]' - }, - 'GO:0035380': { - 'name': 'very long-chain-3-hydroxyacyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxyacyl-CoA + NAD(P)+ = 3-oxoacyl-CoA + NAD(P)H + H+, where the acyl group is a very long-chain fatty acid residue. A very long-chain fatty acid is a fatty acid which has a chain length greater than C22. [CHEBI:27283, GOC:pde]' - }, - 'GO:0035381': { - 'name': 'ATP-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when ATP has been bound by the channel complex or one of its constituent parts. [GOC:bf]' - }, - 'GO:0035382': { - 'name': 'sterol transmembrane transport', - 'def': 'The directed movement of a sterol across a membrane into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Sterols are steroids with one or more hydroxyl groups and a hydrocarbon side-chain in the molecule. [GOC:vw]' - }, - 'GO:0035383': { - 'name': 'thioester metabolic process', - 'def': "The chemical reactions and pathways involving a thioester, a compound of general formula RC(=O)SR' in which the linking oxygen in an ester is replaced by a sulfur atom. They are the product of esterification between a carboxylic acid and a thiol. [CHEBI:51277, GOC:bf, http://encyclopedia.thefreedictionary.com/Thioester]" - }, - 'GO:0035384': { - 'name': 'thioester biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a thioester, a compound of general formula RC(=O)SR' in which the linking oxygen in an ester is replaced by a sulfur atom. They are the product of esterification between a carboxylic acid and a thiol. [CHEBI:51277, GOC:bf, http://encyclopedia.thefreedictionary.com/Thioester]" - }, - 'GO:0035385': { - 'name': 'Roundabout signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a SLIT protein to a Roundabout (ROBO) family receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:signaling]' - }, - 'GO:0035386': { - 'name': 'regulation of Roundabout signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the Roundabout signaling pathway. [GOC:BHF]' - }, - 'GO:0035387': { - 'name': 'negative regulation of Roundabout signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the Roundabout signaling pathway. [GOC:BHF]' - }, - 'GO:0035388': { - 'name': 'positive regulation of Roundabout signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the Roundabout signaling pathway. [GOC:BHF]' - }, - 'GO:0035389': { - 'name': 'establishment of chromatin silencing at silent mating-type cassette', - 'def': 'The initial formation of a transcriptionally silent chromatin structure such as heterochromatin at silent mating-type loci. [GOC:vw]' - }, - 'GO:0035390': { - 'name': 'establishment of chromatin silencing at telomere', - 'def': 'The initial formation of a transcriptionally silent chromatin structure such as heterochromatin at the telomere. [GOC:vw]' - }, - 'GO:0035391': { - 'name': 'maintenance of chromatin silencing at silent mating-type cassette', - 'def': 'The maintenance of chromatin in a transcriptionally silent state such as heterochromatin at silent mating-type loci. [GOC:vw]' - }, - 'GO:0035392': { - 'name': 'maintenance of chromatin silencing at telomere', - 'def': 'The maintenance of chromatin in a transcriptionally silent state such as heterochromatin at the telomere. [GOC:vw]' - }, - 'GO:0035393': { - 'name': 'chemokine (C-X-C motif) ligand 9 production', - 'def': 'The appearance of chemokine (C-X-C motif) ligand 9 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add]' - }, - 'GO:0035394': { - 'name': 'regulation of chemokine (C-X-C motif) ligand 9 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of chemokine (C-X-C motif) ligand 9. [GOC:bf]' - }, - 'GO:0035395': { - 'name': 'negative regulation of chemokine (C-X-C motif) ligand 9 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of chemokine (C-X-C motif) ligand 9. [GOC:bf]' - }, - 'GO:0035396': { - 'name': 'positive regulation of chemokine (C-X-C motif) ligand 9 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of chemokine (C-X-C motif) ligand 9. [GOC:bf]' - }, - 'GO:0035397': { - 'name': 'helper T cell enhancement of adaptive immune response', - 'def': 'Positive regulation of an adaptive immune response mediated via cytokine production by helper T cell. [GOC:add]' - }, - 'GO:0035398': { - 'name': 'helper T cell enhancement of T cell mediated immune response', - 'def': 'Positive regulation of a T cell mediated immune response mediated via cytokine production by a helper T cell. [GOC:add]' - }, - 'GO:0035399': { - 'name': 'helper T cell enhancement of B cell mediated immune response', - 'def': 'Positive regulation of a B cell mediated immune response mediated via cytokine production by a helper T cell. [GOC:add]' - }, - 'GO:0035400': { - 'name': 'histone tyrosine kinase activity', - 'def': 'Catalysis of the transfer of a phosphate group to a tyrosine residue of a histone. Histones are any of a group of water-soluble proteins found in association with the DNA of plant and animal chromosomes. [GOC:bf]' - }, - 'GO:0035401': { - 'name': 'histone kinase activity (H3-Y41 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the tyrosine-41 residue of histone H3. [GOC:bf]' - }, - 'GO:0035402': { - 'name': 'histone kinase activity (H3-T11 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the threonine-11 residue of the N-terminal tail of histone H3. [GOC:bf]' - }, - 'GO:0035403': { - 'name': 'histone kinase activity (H3-T6 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the threonine-6 residue of the N-terminal tail of histone H3. [GOC:bf]' - }, - 'GO:0035404': { - 'name': 'histone-serine phosphorylation', - 'def': 'The modification of histones by addition of a phosphate group to a serine residue. [GOC:bf]' - }, - 'GO:0035405': { - 'name': 'histone-threonine phosphorylation', - 'def': 'The modification of histones by addition of a phosphate group to a threonine residue. [GOC:bf]' - }, - 'GO:0035406': { - 'name': 'histone-tyrosine phosphorylation', - 'def': 'The modification of histones by addition of a phosphate group to a tyrosine residue. [GOC:bf]' - }, - 'GO:0035407': { - 'name': 'histone H3-T11 phosphorylation', - 'def': 'The modification of histone H3 by the addition of an phosphate group to a threonine residue at position 11 of the histone. [GOC:bf]' - }, - 'GO:0035408': { - 'name': 'histone H3-T6 phosphorylation', - 'def': 'The modification of histone H3 by the addition of an phosphate group to a threonine residue at position 6 of the histone. [GOC:bf]' - }, - 'GO:0035409': { - 'name': 'histone H3-Y41 phosphorylation', - 'def': 'The modification of histone H3 by the addition of a phosphate group to a tyrosine residue at position 41 of the histone. [GOC:bf]' - }, - 'GO:0035410': { - 'name': 'dihydrotestosterone 17-beta-dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5alpha-dihydrotestosterone + NAD+ = 5alpha-androstane-3,17-dione + NADH. [GOC:ecd, http://www.brenda-enzymes.org/php/result_flat.php4?ecno=1.1.1.63, PMID:4152755]' - }, - 'GO:0035411': { - 'name': 'catenin import into nucleus', - 'def': 'The directed movement of a catenin protein from the cytoplasm into the nucleus. [GOC:BHF]' - }, - 'GO:0035412': { - 'name': 'regulation of catenin import into nucleus', - 'def': 'Any process that modulates the rate, frequency or extent of the directed movement of a catenin protein from the cytoplasm into the nucleus. [GOC:BHF]' - }, - 'GO:0035413': { - 'name': 'positive regulation of catenin import into nucleus', - 'def': 'Any process that increases the rate, frequency or extent of the directed movement of a catenin protein from the cytoplasm into the nucleus. [GOC:BHF]' - }, - 'GO:0035414': { - 'name': 'negative regulation of catenin import into nucleus', - 'def': 'Any process that decreases the rate, frequency or extent of the directed movement of a catenin protein from the cytoplasm into the nucleus. [GOC:BHF]' - }, - 'GO:0035415': { - 'name': 'obsolete regulation of mitotic prometaphase', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of mitotic prometaphase, the stage following prophase in mitosis (in higher eukaryotes) during which the nuclear envelope is disrupted and breaks into membrane vesicles, and the spindle microtubules enter the nuclear region. [GOC:bf]' - }, - 'GO:0035416': { - 'name': 'obsolete positive regulation of mitotic prometaphase', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of mitotic prometaphase, the stage following prophase in mitosis (in higher eukaryotes) during which the nuclear envelope is disrupted and breaks into membrane vesicles, and the spindle microtubules enter the nuclear region. [GOC:bf]' - }, - 'GO:0035417': { - 'name': 'obsolete negative regulation of mitotic prometaphase', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the rate or extent of mitotic prometaphase, the stage following prophase in mitosis (in higher eukaryotes) during which the nuclear envelope is disrupted and breaks into membrane vesicles, and the spindle microtubules enter the nuclear region. [GOC:bf]' - }, - 'GO:0035418': { - 'name': 'protein localization to synapse', - 'def': 'Any process in which a protein is transported to, and/or maintained at the synapse, the junction between a nerve fiber of one neuron and another neuron or muscle fiber or glial cell. [GOC:bf]' - }, - 'GO:0035419': { - 'name': 'activation of MAPK activity involved in innate immune response', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase in the context of an innate immune response, a defense response mediated by germline encoded components that directly recognize components of potential pathogens. [GOC:bf]' - }, - 'GO:0035420': { - 'name': 'MAPK cascade involved in innate immune response', - 'def': 'A MAPK cascade that contributes to an innate immune response, a defense response mediated by germline encoded components that directly recognize components of potential pathogens. [GOC:bf]' - }, - 'GO:0035421': { - 'name': 'activation of MAPKK activity involved in innate immune response', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase kinase in the context of an innate immune response, a defense response mediated by germline encoded components that directly recognize components of potential pathogens. [GOC:bf]' - }, - 'GO:0035422': { - 'name': 'activation of MAPKKK activity involved in innate immune response', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase kinase kinase in the context of an innate immune response, a defense response mediated by germline encoded components that directly recognize components of potential pathogens. [GOC:bf]' - }, - 'GO:0035423': { - 'name': 'inactivation of MAPK activity involved in innate immune response', - 'def': 'Any process that terminates the activity of the active enzyme MAP kinase in the context of an innate immune response, a defense response mediated by germline encoded components that directly recognize components of potential pathogens. [GOC:bf]' - }, - 'GO:0035424': { - 'name': 'MAPK import into nucleus involved in innate immune response', - 'def': 'The directed movement of a MAP kinase to the nucleus in the context of an innate immune response, a defense response mediated by germline encoded components that directly recognize components of potential pathogens. [GOC:bf]' - }, - 'GO:0035425': { - 'name': 'autocrine signaling', - 'def': 'Signaling between cells of the same type. The signal produced by the signaling cell binds to a receptor on, and affects a cell of the same type. [GOC:bf, ISBN:3527303782]' - }, - 'GO:0035426': { - 'name': 'extracellular matrix-cell signaling', - 'def': 'Any process that mediates the transfer of information between the extracellular matrix and a cell. [GOC:bf]' - }, - 'GO:0035428': { - 'name': 'hexose transmembrane transport', - 'def': 'The directed movement of hexose across a membrane by means of some agent such as a transporter or pore. Hexoses are any aldoses with a chain of six carbon atoms in the molecule. [GOC:vw]' - }, - 'GO:0035429': { - 'name': 'gluconate transmembrane transport', - 'def': 'The directed movement of gluconate across a membrane by means of some agent such as a transporter or pore. Gluconate is the aldonic acid derived from glucose. [GOC:vw, ISBN:0198506732]' - }, - 'GO:0035430': { - 'name': 'regulation of gluconate transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a gluconate across a membrane by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0035431': { - 'name': 'negative regulation of gluconate transmembrane transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of gluconate across a membrane by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0035432': { - 'name': 'positive regulation of gluconate transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of gluconate across a membrane by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0035433': { - 'name': 'acetate transmembrane transport', - 'def': 'The directed movement of acetate across a membrane by means of some agent such as a transporter or pore. Acetate is the 2-carbon carboxylic acid ethanoic acid. [GOC:vw]' - }, - 'GO:0035434': { - 'name': 'copper ion transmembrane transport', - 'def': 'The directed movement of copper cation across a membrane. [GOC:vw]' - }, - 'GO:0035435': { - 'name': 'phosphate ion transmembrane transport', - 'def': 'The directed movement of phosphate across a membrane by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0035436': { - 'name': 'triose phosphate transmembrane transport', - 'def': 'The directed movement of triose phosphate across a membrane by means of some agent such as a transporter or pore. Triose phosphate is any organic three carbon compound phosphate ester. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0035437': { - 'name': 'maintenance of protein localization in endoplasmic reticulum', - 'def': 'Any process in which a protein is maintained in the endoplasmic reticulum and prevented from moving elsewhere. These include sequestration within the endoplasmic reticulum, protein stabilization to prevent transport elsewhere and the active retrieval of proteins that escape the endoplasmic reticulum. [GOC:bf, GOC:vw]' - }, - 'GO:0035438': { - 'name': 'cyclic-di-GMP binding', - 'def': 'Interacting selectively and non-covalently with cyclic-di-GMP, cyclic dimeric guanosine monophosphate. [CHEBI:49537, GOC:bf]' - }, - 'GO:0035439': { - 'name': 'halimadienyl-diphosphate synthase activity', - 'def': 'Catalysis of the reaction: geranylgeranyl diphosphate = halima-5(6),13-dien-15-yl diphosphate. [EC:5.5.1.16]' - }, - 'GO:0035440': { - 'name': 'tuberculosinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tuberculosinol (halima-5,6,dien-15-ol), a secondary metabolite in Mycobacteria. [CHEBI:50387, MetaCyc:PWY-5935]' - }, - 'GO:0035441': { - 'name': 'cell migration involved in vasculogenesis', - 'def': 'The orderly movement of a cell from one site to another that will contribute to the differentiation of an endothelial cell that will form de novo blood vessels and tubes. [GOC:dgh]' - }, - 'GO:0035442': { - 'name': 'dipeptide transmembrane transport', - 'def': 'The directed movement of a dipeptide across a membrane by means of some agent such as a transporter or pore. A dipeptide is a combination of two amino acids linked together by a peptide (-CO-NH-) bond. [GOC:vw]' - }, - 'GO:0035443': { - 'name': 'tripeptide transmembrane transport', - 'def': 'The directed movement of a tripeptide across a membrane by means of some agent such as a transporter or pore. A tripeptide is a compound containing three amino acids linked together by peptide bonds. [GOC:vw]' - }, - 'GO:0035444': { - 'name': 'nickel cation transmembrane transport', - 'def': 'The directed movement of nickel (Ni) cations across a membrane by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0035445': { - 'name': 'borate transmembrane transport', - 'def': 'The directed movement of borate across a membrane by means of some agent such as a transporter or pore. Borate is the anion (BO3)3-; boron is a group 13 element, with properties which are borderline between metals and non-metals. [CHEBI:22908, GOC:curators]' - }, - 'GO:0035446': { - 'name': 'cysteine-glucosaminylinositol ligase activity', - 'def': 'Catalysis of the reaction: 1-(2-amino-2-deoxy-alpha-D-glucopyranoside)-1D-myo-inositol + L-cysteine + ATP = 1-D-myo-inosityl-2-L-cysteinylamido-2-deoxy-alpha-D-glucopyranoside + AMP + diphosphate + 2 H+. 1-(2-amino-2-deoxy-alpha-D-glucopyranoside)-1D-myo-inositol is also known as glucosaminyl-inositol or GlcN-Ins, and 1-D-myo-inosityl-2-L-cysteinylamido-2-deoxy-alpha-D-glucopyranoside as desacetylmycothiol or Cys-GlcN-Ins. [EC:6.3.1.13, MetaCyc:RXN1G-4, PMID:12033919]' - }, - 'GO:0035447': { - 'name': 'mycothiol synthase activity', - 'def': 'Catalysis of the reaction: 1-D-myo-inosityl-2-L-cysteinylamido-2-deoxy-alpha-D-glucopyranoside + acetyl-CoA = mycothiol + coenzyme A + H+. Mycothiol is also known as AcCys-GlcN-Ins and 1-D-myo-inosityl-2-L-cysteinylamido-2-deoxy-alpha-D-glucopyranoside as Cys-GlcN-Ins or desacetylmycothiol. [MetaCyc:MONOMER-9684, PMID:12033919]' - }, - 'GO:0035448': { - 'name': 'extrinsic component of thylakoid membrane', - 'def': 'The component of a thylakoid membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:bf, GOC:dos]' - }, - 'GO:0035449': { - 'name': 'extrinsic component of plastid thylakoid membrane', - 'def': 'The component of a plastid thylakoid membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:bf, GOC:dos]' - }, - 'GO:0035450': { - 'name': 'extrinsic component of lumenal side of plastid thylakoid membrane', - 'def': 'The component of a plastid thylakoid membrane consisting of gene products and protein complexes that are loosely bound to its lumenal surface, but not integrated into the hydrophobic region. [GOC:bf, GOC:dos]' - }, - 'GO:0035451': { - 'name': 'extrinsic component of stromal side of plastid thylakoid membrane', - 'def': 'The component of a plastid thylakoid membrane consisting of gene products and protein complexes that are loosely bound to its stromal surface, but not integrated into the hydrophobic region. [GOC:bf, GOC:dos]' - }, - 'GO:0035452': { - 'name': 'extrinsic component of plastid membrane', - 'def': 'The component of a plastid membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:bf, GOC:dos]' - }, - 'GO:0035453': { - 'name': 'extrinsic component of plastid inner membrane', - 'def': 'The component of a plastid inner membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:bf, GOC:dos]' - }, - 'GO:0035454': { - 'name': 'extrinsic component of stromal side of plastid inner membrane', - 'def': 'The component of a plastid inner membrane consisting of gene products and protein complexes that are loosely bound to its stromal surface, but not integrated into the hydrophobic region. [GOC:bf, GOC:dos]' - }, - 'GO:0035455': { - 'name': 'response to interferon-alpha', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interferon-alpha stimulus. Interferon-alpha is a type I interferon. [GOC:sl, PMID:11356686]' - }, - 'GO:0035456': { - 'name': 'response to interferon-beta', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interferon-beta stimulus. Interferon-beta is a type I interferon. [GOC:sl, PMID:9561374, PR:000008924]' - }, - 'GO:0035457': { - 'name': 'cellular response to interferon-alpha', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interferon-alpha stimulus. Interferon-alpha is a type I interferon. [GOC:sl, PR:000024938]' - }, - 'GO:0035458': { - 'name': 'cellular response to interferon-beta', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interferon-beta stimulus. Interferon-beta is a type I interferon. [GOC:sl, PR:000024939]' - }, - 'GO:0035459': { - 'name': 'cargo loading into vesicle', - 'def': 'The formation of a macromolecular complex between the coat proteins and proteins and/or lipoproteins that are going to be transported by a vesicle. [GOC:bf, GOC:lb]' - }, - 'GO:0035460': { - 'name': 'L-ascorbate 6-phosphate lactonase activity', - 'def': 'Catalysis of the reaction: L-ascorbate 6-phosphate + H2O = 3-keto-L-gulonate 6-phosphate. [PMID:18097099, PMID:20359483]' - }, - 'GO:0035461': { - 'name': 'vitamin transmembrane transport', - 'def': 'The process in which a vitamin is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. A vitamin is one of a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. [GOC:bf]' - }, - 'GO:0035462': { - 'name': 'determination of left/right asymmetry in diencephalon', - 'def': 'The establishment of the diencephalon with respect to the left and right halves. [GOC:dgh, PMID:15084459]' - }, - 'GO:0035463': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in determination of left/right asymmetry', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a transforming growth factor beta receptor on the surface of a target cell, which contributes to determination of organismal asymmetry with respect to the left and right halves. [GOC:dgh, GOC:signaling]' - }, - 'GO:0035464': { - 'name': 'regulation of transforming growth factor receptor beta signaling pathway involved in determination of left/right asymmetry', - 'def': 'Any process that modulates the frequency, rate or extent of activity of any TGF-beta receptor signaling pathway that is involved in the determination of organismal asymmetry with regard to its left and right halves. [GOC:dgh]' - }, - 'GO:0035465': { - 'name': 'obsolete regulation of transforming growth factor beta receptor signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of activity of any TGF-beta receptor signaling pathway that is involved in the determination of the lateral plate mesoderm with respect to its left and right halves. [GOC:dgh, PMID:15084459]' - }, - 'GO:0035469': { - 'name': 'determination of pancreatic left/right asymmetry', - 'def': 'Determination of the asymmetric location of the pancreas with respect to the left and right halves of the organism. [GOC:dgh, PMID:12702646]' - }, - 'GO:0035470': { - 'name': 'positive regulation of vascular wound healing', - 'def': 'Any process that increases the rate, frequency, or extent of blood vessel formation when new vessels emerge from the proliferation of pre-existing blood vessels and contribute to the series of events that restore integrity to damaged vasculature. [GOC:rph]' - }, - 'GO:0035471': { - 'name': 'luteinizing hormone signaling pathway involved in ovarian follicle development', - 'def': 'The series of molecular signals initiated by luteinizing hormone binding to a receptor, where the activated receptor signals via downstream effectors that contribute to progression of the ovarian follicle over time, from its formation to the mature structure. [GOC:bf]' - }, - 'GO:0035472': { - 'name': 'choriogonadotropin hormone receptor activity', - 'def': 'Combining with the choriogonadotropin hormone to initiate a change in cell activity. [GOC:bf, ISBN:0198506732, PMID:1922095]' - }, - 'GO:0035473': { - 'name': 'lipase binding', - 'def': 'Interacting selectively and non-covalently with any lipase. [GOC:BHF]' - }, - 'GO:0035474': { - 'name': 'selective angioblast sprouting', - 'def': 'The segregation of angioblasts into discrete arterial and venous vessels from one common precursor vessel. [GOC:dgh, PMID:19815777]' - }, - 'GO:0035475': { - 'name': 'angioblast cell migration involved in selective angioblast sprouting', - 'def': 'The directional migration of angioblast cells as part of selective angioblast sprouting, which results in angioblast segregation into arterial and venous populations. [GOC:dgh, PMID:19815777]' - }, - 'GO:0035476': { - 'name': 'angioblast cell migration', - 'def': 'The orderly movement of angioblasts, cells involved in blood vessel morphogenesis. [GOC:dgh, PMID:19815777]' - }, - 'GO:0035477': { - 'name': 'regulation of angioblast cell migration involved in selective angioblast sprouting', - 'def': 'Any process that modulates the frequency, rate or extent of angioblast cell migration involved in selective angioblast sprouting. [GOC:dgh, PMID:19815777]' - }, - 'GO:0035478': { - 'name': 'chylomicron binding', - 'def': 'Interacting selectively and non-covalently with a chylomicron, a large lipoprotein particle (diameter 75-1200 nm) composed of a central core of triglycerides and cholesterol surrounded by a protein-phospholipid coating. The proteins include one molecule of apolipoprotein B-48 and may include a variety of apolipoproteins, including APOAs, APOCs and APOE. [GOC:BHF, http://www.britannica.com/EBchecked/topic/117461/chylomicron]' - }, - 'GO:0035479': { - 'name': 'angioblast cell migration from lateral mesoderm to midline', - 'def': 'The directed movement of angioblasts from the lateral mesoderm to the midline which occurs as part of the formation of the early midline vasculature. [GOC:dgh, PMID:11861480]' - }, - 'GO:0035480': { - 'name': 'regulation of Notch signaling pathway involved in heart induction', - 'def': 'Any process that modulates the frequency, rate or extent of the series of molecular signals initiated by binding of an extracellular ligand to a Notch receptor on the surface of the target cell that contributes to heart induction. [GOC:BHF]' - }, - 'GO:0035481': { - 'name': 'positive regulation of Notch signaling pathway involved in heart induction', - 'def': 'Any process that activates or increases the frequency, rate or extent of the series of molecular signals initiated by binding of an extracellular ligand to a Notch receptor on the surface of the target cell that contributes to heart induction. [GOC:BHF]' - }, - 'GO:0035482': { - 'name': 'gastric motility', - 'def': 'The spontaneous peristaltic movements of the stomach that aid in digestion, moving food through the stomach and out through the pyloric sphincter into the duodenum. [GOC:cy, ISBN:9781416032458, PMID:16139031]' - }, - 'GO:0035483': { - 'name': 'gastric emptying', - 'def': 'The process in which the liquid and liquid-suspended solid contents of the stomach exit through the pylorus into the duodenum. [GOC:cy, ISBN:9781416032458]' - }, - 'GO:0035484': { - 'name': 'adenine/adenine mispair binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing an A/A mispair. [GOC:bf, GOC:jh]' - }, - 'GO:0035485': { - 'name': 'adenine/guanine mispair binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing an A/G mispair. [GOC:bf, GOC:jh]' - }, - 'GO:0035486': { - 'name': 'cytosine/cytosine mispair binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a C/C mispair. [GOC:bf, GOC:jh]' - }, - 'GO:0035487': { - 'name': 'thymine/thymine mispair binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a T/T mispair. [GOC:bf, GOC:jh]' - }, - 'GO:0035488': { - 'name': 'cytosine/thymine mispair binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a C/T mispair. [GOC:bf, GOC:jh]' - }, - 'GO:0035489': { - 'name': 'guanine/guanine mispair binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA containing a G/G mispair. [GOC:bf, GOC:jh]' - }, - 'GO:0035490': { - 'name': 'regulation of leukotriene production involved in inflammatory response', - 'def': 'Any process that modulates the rate, frequency or extent of the synthesis or release of any leukotriene following a stimulus as part of an inflammatory response. [GOC:bf]' - }, - 'GO:0035491': { - 'name': 'positive regulation of leukotriene production involved in inflammatory response', - 'def': 'Any process that increases the rate, frequency or extent of the synthesis or release of any leukotriene following a stimulus as part of an inflammatory response. [GOC:bf]' - }, - 'GO:0035492': { - 'name': 'negative regulation of leukotriene production involved in inflammatory response', - 'def': 'Any process that decreases the rate, frequency or extent of the synthesis or release of any leukotriene following a stimulus as part of an inflammatory response. [GOC:bf]' - }, - 'GO:0035493': { - 'name': 'SNARE complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a SNARE complex, a protein complex involved in membrane fusion; a stable ternary complex consisting of a four-helix bundle, usually formed from one R-SNARE and three Q-SNAREs with an ionic layer sandwiched between hydrophobic layers. [GOC:rb, PMID:10872468]' - }, - 'GO:0035494': { - 'name': 'SNARE complex disassembly', - 'def': 'The disaggregation of the SNARE protein complex into its constituent components. The SNARE complex is a protein complex involved in membrane fusion; a stable ternary complex consisting of a four-helix bundle, usually formed from one R-SNARE and three Q-SNAREs with an ionic layer sandwiched between hydrophobic layers. [GOC:rb, PMID:11697877]' - }, - 'GO:0035495': { - 'name': 'regulation of SNARE complex disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of disassembly of the SNARE complex. The SNARE complex is a protein complex involved in membrane fusion; a stable ternary complex consisting of a four-helix bundle, usually formed from one R-SNARE and three Q-SNAREs with an ionic layer sandwiched between hydrophobic layers. [GOC:rb]' - }, - 'GO:0035496': { - 'name': 'lipopolysaccharide-1,5-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + lipopolysaccharide = UDP + 1,5 alpha-D-galactosyl-lipopolysaccharide. [EC:2.4.1.-, PMID:11304545]' - }, - 'GO:0035497': { - 'name': 'cAMP response element binding', - 'def': 'Interacting selectively and non-covalently with the cyclic AMP response element (CRE), a short palindrome-containing sequence found in the promoters of genes whose expression is regulated in response to cyclic AMP. [PMID:2875459, PMID:2900470]' - }, - 'GO:0035498': { - 'name': 'carnosine metabolic process', - 'def': 'The chemical reactions and pathways involving the dipeptide beta-alanyl-L-histidine (carnosine). [PMID:20097752]' - }, - 'GO:0035499': { - 'name': 'carnosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the dipeptide beta-alanyl-L-histidine (carnosine). [EC:6.3.2.11, PMID:20097752]' - }, - 'GO:0035500': { - 'name': 'MH2 domain binding', - 'def': 'Interacting selectively and non-covalently with the MH2 (MAD homology 2) domain of a protein. The MH2 domain is found at the carboxy terminus of MAD related proteins such as Smads. The MH2 domain mediates interaction with a wide variety of proteins and provides specificity and selectivity to Smad function and also is critical for mediating interactions in Smad oligomers. [Pfam:PF03166]' - }, - 'GO:0035501': { - 'name': 'MH1 domain binding', - 'def': 'Interacting selectively and non-covalently with the MH1 (MAD homology 1) domain of a protein. The MH1 domain is found at the amino terminus of MAD related proteins such as Smads and can mediate DNA binding in some proteins. Smads also use the MH1 domain to interact with some transcription factors. [Pfam:PF03165]' - }, - 'GO:0035502': { - 'name': 'metanephric part of ureteric bud development', - 'def': 'The development of the portion of the ureteric bud tube that contributes to the morphogenesis of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0035503': { - 'name': 'ureter part of ureteric bud development', - 'def': 'The development of the portion of the ureteric bud that contributes to the morphogenesis of the ureter. The ureter ureteric bud is the initial structure that forms the ureter. [GOC:mtg_kidney_jan10]' - }, - 'GO:0035504': { - 'name': 'regulation of myosin light chain kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of myosin light chain kinase activity. [GOC:bf, GOC:go_curators]' - }, - 'GO:0035505': { - 'name': 'positive regulation of myosin light chain kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of myosin light chain kinase activity. [GOC:bf, GOC:go_curators]' - }, - 'GO:0035506': { - 'name': 'negative regulation of myosin light chain kinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of myosin light chain kinase activity. [GOC:bf, GOC:go_curators]' - }, - 'GO:0035507': { - 'name': 'regulation of myosin-light-chain-phosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of myosin-light-chain-phosphatase activity. [GOC:bf, GOC:go_curators]' - }, - 'GO:0035508': { - 'name': 'positive regulation of myosin-light-chain-phosphatase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of myosin-light-chain-phosphatase activity. [GOC:bf, GOC:go_curators]' - }, - 'GO:0035509': { - 'name': 'negative regulation of myosin-light-chain-phosphatase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of myosin-light-chain-phosphatase activity. [GOC:bf, GOC:go_curators]' - }, - 'GO:0035510': { - 'name': 'DNA dealkylation', - 'def': 'The removal of an alkyl group from one or more nucleotides within an DNA molecule. [GOC:bf]' - }, - 'GO:0035511': { - 'name': 'oxidative DNA demethylation', - 'def': 'Removal of the methyl group from one or more nucleotides within a DNA molecule involving the oxidation (i.e. electron loss) of one or more atoms. [PMID:12594517, PMID:16482161, PMID:18775698]' - }, - 'GO:0035512': { - 'name': 'hydrolytic DNA demethylation', - 'def': 'The hydrolytic removal of the methyl group from one or more nucleotides within a DNA molecule. [GOC:bf]' - }, - 'GO:0035513': { - 'name': 'oxidative RNA demethylation', - 'def': 'The removal of the methyl group from one or more nucleotides within an RNA molecule involving oxidation (i.e. electron loss) of one or more atoms. [PMID:12594517, PMID:16482161, PMID:18775698]' - }, - 'GO:0035514': { - 'name': 'DNA demethylase activity', - 'def': 'Catalysis of the removal of a methyl group from one or more nucleosides within a DNA molecule. [GOC:bf]' - }, - 'GO:0035515': { - 'name': 'oxidative RNA demethylase activity', - 'def': 'Catalysis of the removal of a methyl group from one or more nucleosides within a RNA molecule involving the oxidation (i.e. electron loss) of one or more atoms. [PMID:12594517, PMID:16482161, PMID:18775698]' - }, - 'GO:0035516': { - 'name': 'oxidative DNA demethylase activity', - 'def': 'Catalysis of the removal of the methyl group from one or more nucleotides within a DNA molecule involving the oxidation (i.e. electron loss) of one or more atoms. [PMID:12594517, PMID:16482161, PMID:18775698]' - }, - 'GO:0035517': { - 'name': 'PR-DUB complex', - 'def': 'A multimeric protein complex that removes monoubiquitin from histone H2A. In Drosophila and mammals, the core of the complex is composed of Calypso/BAP1 and Asx/ASXL1, respectively. [PMID:20436459]' - }, - 'GO:0035518': { - 'name': 'histone H2A monoubiquitination', - 'def': 'The modification of histone H2A by addition of a single ubiquitin group. [PMID:18206970]' - }, - 'GO:0035519': { - 'name': 'protein K29-linked ubiquitination', - 'def': 'A protein ubiquitination process in which a polymer of ubiquitin, formed by linkages between lysine residues at position 29 of the ubiquitin monomers, is added to a protein. K29-linked ubiquitination targets the substrate protein for degradation. [PMID:17028573]' - }, - 'GO:0035520': { - 'name': 'monoubiquitinated protein deubiquitination', - 'def': 'The removal of the ubiquitin group from a monoubiquitinated protein. [GOC:bf]' - }, - 'GO:0035521': { - 'name': 'monoubiquitinated histone deubiquitination', - 'def': 'The removal of the ubiquitin group from a monoubiquitinated histone protein. [GOC:bf, PMID:20436459]' - }, - 'GO:0035522': { - 'name': 'monoubiquitinated histone H2A deubiquitination', - 'def': 'The removal of the ubiquitin group from a monoubiquitinated histone H2A protein. [GOC:bf, PMID:18226187, PMID:20436459]' - }, - 'GO:0035523': { - 'name': 'protein K29-linked deubiquitination', - 'def': 'A protein deubiquitination process in which a K29-linked ubiquitin chain, i.e. a polymer of ubiquitin formed by linkages between lysine residues at position 29 of the ubiquitin monomers, is removed from a protein. [GOC:bf]' - }, - 'GO:0035524': { - 'name': 'proline transmembrane transport', - 'def': 'The directed movement of proline, pyrrolidine-2-carboxylic acid, across a membrane by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0035525': { - 'name': 'NF-kappaB p50/p65 complex', - 'def': 'A heterodimer of NF-kappa B p50 and p65 subunits. [GO:add, PMID:20393192, PMID:9299584]' - }, - 'GO:0035526': { - 'name': 'retrograde transport, plasma membrane to Golgi', - 'def': 'The directed movement of substances from the plasma membrane back to the trans-Golgi network, mediated by vesicles. [GOC:lb, PMID:17488291]' - }, - 'GO:0035527': { - 'name': '3-hydroxypropionate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: 3-hydroxypropanoate + NADP+ = 3-oxopropanoate + H+ + NADPH. [RHEA:26441]' - }, - 'GO:0035528': { - 'name': 'UDP-N-acetylglucosamine biosynthesis involved in chitin biosynthesis', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-N-acetylglucosamine, a substance composed of N-acetylglucosamine in glycosidic linkage with uridine diphosphate, that contribute to the biosynthesis of chitin. [GOC:bf]' - }, - 'GO:0035529': { - 'name': 'NADH pyrophosphatase activity', - 'def': 'Catalysis of the reaction: NADH + H2O = AMP + NMNH + 2 H+. [MetaCyc:RXN0-4401, PMID:12399474, PMID:20181750]' - }, - 'GO:0035530': { - 'name': 'chemokine (C-C motif) ligand 6 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 6 (CCL6) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, PMID:19812544]' - }, - 'GO:0035531': { - 'name': 'regulation of chemokine (C-C motif) ligand 6 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of chemokine (C-C motif) ligand 6 (CCL6). [GOC:add, GOC:bf]' - }, - 'GO:0035532': { - 'name': 'negative regulation of chemokine (C-C motif) ligand 6 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of chemokine (C-C motif) ligand 6 (CCL6). [GOC:add, GOC:bf]' - }, - 'GO:0035533': { - 'name': 'positive regulation of chemokine (C-C motif) ligand 6 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of chemokine (C-C motif) ligand 6 (CCL6). [GOC:add, GOC:bf]' - }, - 'GO:0035534': { - 'name': 'chemokine (C-C motif) ligand 6 secretion', - 'def': 'The regulated release of chemokine (C-C motif) ligand 6 (CCL6) from a cell. [GOC:add, GOC:amm]' - }, - 'GO:0035535': { - 'name': 'regulation of chemokine (C-C motif) ligand 6 secretion', - 'def': 'Any process that modulates the rate, frequency or extent of the regulated release of chemokine (C-C motif) ligand 6 (CCL6) from a cell. [GOC:add, GOC:bf]' - }, - 'GO:0035536': { - 'name': 'negative regulation of chemokine (C-C motif) ligand 6 secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of the regulated release of chemokine (C-C motif) ligand 6 (CCL6) from a cell. [GOC:add, GOC:bf]' - }, - 'GO:0035537': { - 'name': 'positive regulation of chemokine (C-C motif) ligand 6 secretion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of the regulated release of chemokine (C-C motif) ligand 6 (CCL6) from a cell. [GOC:add, GOC:bf]' - }, - 'GO:0035538': { - 'name': 'carbohydrate response element binding', - 'def': 'Interacting selectively and non-covalently with the carbohydrate response element (ChoRE) found in the promoters of genes whose expression is regulated in response to carbohydrates, such as the triglyceride synthesis genes. [GOC:BHF, PMID:20001964]' - }, - 'GO:0035539': { - 'name': '8-oxo-7,8-dihydrodeoxyguanosine triphosphate pyrophosphatase activity', - 'def': 'Catalysis of the reaction: 8-oxo-7,8-dihydrodeoxyguanosine-triphosphate + H2O = 8-oxo-7,8-dihydrodeoxyguanosine phosphate + diphosphate. 8-oxo-7,8-dihydrodeoxyguanosine-triphosphate, or 8-oxo-dGTP, is the oxidised form of the free guanine nucleotide and can act as a potent mutagenic substrate for DNA synthesis causing transversion mutations. 8-oxo-dGTPase hydrolyses 8-oxo-dGTP to its monophosphate form to prevent the misincorporation of 8-oxo-dGTP into cellular DNA. [PMID:17804481, PMID:7782328, PMID:7859359]' - }, - 'GO:0035540': { - 'name': 'positive regulation of SNARE complex disassembly', - 'def': 'Any process that increases the frequency, rate or extent of disassembly of the SNARE complex. The SNARE complex is a protein complex involved in membrane fusion; a stable ternary complex consisting of a four-helix bundle, usually formed from one R-SNARE and three Q-SNAREs with an ionic layer sandwiched between hydrophobic layers. [GOC:rb]' - }, - 'GO:0035541': { - 'name': 'negative regulation of SNARE complex disassembly', - 'def': 'Any process that decreases the frequency, rate or extent of disassembly of the SNARE complex. The SNARE complex is a protein complex involved in membrane fusion; a stable ternary complex consisting of a four-helix bundle, usually formed from one R-SNARE and three Q-SNAREs with an ionic layer sandwiched between hydrophobic layers. [GOC:rb]' - }, - 'GO:0035542': { - 'name': 'regulation of SNARE complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of assembly of the SNARE complex. The SNARE complex is a protein complex involved in membrane fusion; a stable ternary complex consisting of a four-helix bundle, usually formed from one R-SNARE and three Q-SNAREs with an ionic layer sandwiched between hydrophobic layers. [GOC:rb]' - }, - 'GO:0035543': { - 'name': 'positive regulation of SNARE complex assembly', - 'def': 'Any process that increases the frequency, rate or extent of assembly of the SNARE complex. The SNARE complex is a protein complex involved in membrane fusion; a stable ternary complex consisting of a four-helix bundle, usually formed from one R-SNARE and three Q-SNAREs with an ionic layer sandwiched between hydrophobic layers. [GOC:rb]' - }, - 'GO:0035544': { - 'name': 'negative regulation of SNARE complex assembly', - 'def': 'Any process that decreases the frequency, rate or extent of assembly of the SNARE complex. The SNARE complex is a protein complex involved in membrane fusion; a stable ternary complex consisting of a four-helix bundle, usually formed from one R-SNARE and three Q-SNAREs with an ionic layer sandwiched between hydrophobic layers. [GOC:rb]' - }, - 'GO:0035545': { - 'name': 'determination of left/right asymmetry in nervous system', - 'def': 'The establishment of the nervous system with respect to the left and right halves. [GOC:kmv, PMID:17717195, PMID:19641012]' - }, - 'GO:0035546': { - 'name': 'interferon-beta secretion', - 'def': 'The regulated release of interferon-beta from a cell. [GOC:add, GOC:bf]' - }, - 'GO:0035547': { - 'name': 'regulation of interferon-beta secretion', - 'def': 'Any process that modulates the frequency, rate, or extent of interferon-beta secretion. [GOC:add, GOC:bf]' - }, - 'GO:0035548': { - 'name': 'negative regulation of interferon-beta secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interferon-beta secretion. [GOC:add, GOC:bf]' - }, - 'GO:0035549': { - 'name': 'positive regulation of interferon-beta secretion', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interferon-beta secretion. [GOC:add, GOC:bf]' - }, - 'GO:0035550': { - 'name': 'urease complex', - 'def': 'A multiprotein nickel-containing complex that possesses urease activity (catalysis of the hydrolysis of urea to ammonia and carbon dioxide). [InterPro:IPR008221, PMID:2651866]' - }, - 'GO:0035551': { - 'name': 'protein initiator methionine removal involved in protein maturation', - 'def': 'Removal of the initiating methionine or formylmethionine residue from a protein that contributes to protein maturation, the attainment of the full functional capacity of a protein. [GOC:bf, GOC:hjd, GOC:vw]' - }, - 'GO:0035552': { - 'name': 'oxidative single-stranded DNA demethylation', - 'def': 'Removal of the methyl group from one or more nucleotides within a single-stranded DNA molecule involving the oxidation (i.e. electron loss) of one or more atoms. [GOC:BHF, GOC:rl, PMID:18775698]' - }, - 'GO:0035553': { - 'name': 'oxidative single-stranded RNA demethylation', - 'def': 'Removal of the methyl group from one or more nucleotides within a single-stranded RNA molecule involving the oxidation (i.e. electron loss) of one or more atoms. [GOC:BHF, GOC:rl, PMID:18775698]' - }, - 'GO:0035554': { - 'name': 'termination of Roundabout signal transduction', - 'def': 'The signaling process in which signaling from the receptor ROBO is brought to an end, rather than being reversibly modulated. [GOC:BHF, GOC:vk]' - }, - 'GO:0035555': { - 'name': 'obsolete initiation of Roundabout signal transduction', - 'def': 'OBSOLETE. The process in which a SLIT protein causes activation of the receptor, Roundabout (ROBO). [GOC:vk]' - }, - 'GO:0035556': { - 'name': 'intracellular signal transduction', - 'def': 'The process in which a signal is passed on to downstream components within the cell, which become activated themselves to further propagate the signal and finally trigger a change in the function or state of the cell. [GOC:bf, GOC:jl, GOC:signaling, ISBN:3527303782]' - }, - 'GO:0035557': { - 'name': 'obsolete intracellular signal transduction involved in cell surface receptor linked signaling', - 'def': 'OBSOLETE. The process in which a signal is passed on from a receptor at the cell surface to downstream components within the cell, which become activated themselves to further propagate the signal and finally trigger a change in the function or state of the cell. [GOC:signaling, ISBN:3527303782]' - }, - 'GO:0035558': { - 'name': 'obsolete phosphatidylinositol 3-kinase cascade involved in insulin receptor signaling', - 'def': 'OBSOLETE. The process in which a signal is passed from the insulin receptor to components of the phosphatidylinositol 3-kinase (PI3K) cascade, which become activated themselves to further propagate the signal and finally trigger a change in the function or state of the cell. [GOC:bf, GOC:signaling]' - }, - 'GO:0035559': { - 'name': 'obsolete MAPKKK cascade involved in epidermal growth factor receptor signaling', - 'def': 'OBSOLETE. The process in which a signal is passed from the epidermal growth factor receptor (EGFR) to components of the MAPKKK cascade, which become activated themselves to further propagate the signal and finally trigger a change in the function or state of the cell. [GOC:signaling]' - }, - 'GO:0035560': { - 'name': 'pheophoridase activity', - 'def': 'Catalysis of the reaction: pheophorbide a + H2O = pyropheophorbide a + methanol + CO2. The reaction occurs in two steps; pheophoridase catalyzes the conversion of pheophorbide a to a precursor of pyropheophorbide a, C-13(2)-carboxylpyropheophorbide a, by demethylation, and then the precursor is decarboxylated non-enzymatically to yield pyropheophorbide a. [EC:3.1.1.82, PMID:16228561]' - }, - 'GO:0035561': { - 'name': 'regulation of chromatin binding', - 'def': 'Any process that modulates the frequency, rate or extent of chromatin binding. Chromatin binding is the selective interaction with chromatin, the network of fibers of DNA, protein, and sometimes RNA, that make up the chromosomes of the eukaryotic nucleus during interphase. [GOC:bf, PMID:20404130]' - }, - 'GO:0035562': { - 'name': 'negative regulation of chromatin binding', - 'def': 'Any process that stops or reduces the frequency, rate or extent of chromatin binding. Chromatin binding is the selective interaction with chromatin, the network of fibers of DNA, protein, and sometimes RNA, that make up the chromosomes of the eukaryotic nucleus during interphase. [GOC:bf, PMID:20404130]' - }, - 'GO:0035563': { - 'name': 'positive regulation of chromatin binding', - 'def': 'Any process that increases the frequency, rate or extent of chromatin binding. Chromatin binding is the selective interaction with chromatin, the network of fibers of DNA, protein, and sometimes RNA, that make up the chromosomes of the eukaryotic nucleus during interphase. [GOC:bf, PMID:20404130]' - }, - 'GO:0035564': { - 'name': 'regulation of kidney size', - 'def': 'Any process that modulates the size of a kidney. [GOC:bf]' - }, - 'GO:0035565': { - 'name': 'regulation of pronephros size', - 'def': 'Any process that modulates the size of a pronephric kidney. [GOC:bf]' - }, - 'GO:0035566': { - 'name': 'regulation of metanephros size', - 'def': 'Any process that modulates the size of a metanephric kidney. [GOC:bf]' - }, - 'GO:0035567': { - 'name': 'non-canonical Wnt signaling pathway', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via effectors other than beta-catenin. [GOC:signaling]' - }, - 'GO:0035568': { - 'name': 'N-terminal peptidyl-proline methylation', - 'def': 'The methylation of the N-terminal proline of proteins. [PMID:20668449, RESID:AA0419]' - }, - 'GO:0035569': { - 'name': 'obsolete N-terminal peptidyl-proline trimethylation', - 'def': 'The trimethylation of the N-terminal proline of proteins to form the derivative N,N,N-trimethylproline. [PMID:20668449]' - }, - 'GO:0035570': { - 'name': 'N-terminal peptidyl-serine methylation', - 'def': 'The methylation of the N-terminal serine of proteins. [PMID:20668449]' - }, - 'GO:0035571': { - 'name': 'N-terminal peptidyl-serine monomethylation', - 'def': 'The monomethylation of the N-terminal serine of proteins to form the derivative N-methylserine. [PMID:20668449]' - }, - 'GO:0035572': { - 'name': 'N-terminal peptidyl-serine dimethylation', - 'def': 'The dimethylation of the N-terminal serine of proteins to form the derivative N,N-dimethylserine. [PMID:20668449]' - }, - 'GO:0035573': { - 'name': 'N-terminal peptidyl-serine trimethylation', - 'def': 'The trimethylation of the N-terminal serine of proteins to form the derivative N,N,N-trimethylserine. [PMID:20668449]' - }, - 'GO:0035574': { - 'name': 'histone H4-K20 demethylation', - 'def': 'The modification of histone H4 by the removal of a methyl group from lysine at position 20 of the histone. [GOC:sp, PMID:20622853]' - }, - 'GO:0035575': { - 'name': 'histone demethylase activity (H4-K20 specific)', - 'def': 'Catalysis of the reaction: histone H4 N6-methyl-L-lysine (position 20) + 2-oxoglutarate + O2 = histone H4 L-lysine (position 20) + succinate + formaldehyde + CO2. This reaction is the removal of a methyl group from lysine at position 20 of the histone H4 protein. [EC:1.14.11.27, PMID:20622853]' - }, - 'GO:0035576': { - 'name': 'retinoic acid receptor signaling pathway involved in pronephric field specification', - 'def': 'The series of molecular signals generated as a consequence of a retinoic acid receptor binding to one of its physiological ligands that results in regions of the embryo being delineated into the area in which the pronephric kidney will develop. [GOC:bf, PMID:16979153, PMID:19909807]' - }, - 'GO:0035577': { - 'name': 'azurophil granule membrane', - 'def': 'The lipid bilayer surrounding an azurophil granule, a primary lysosomal granule found in neutrophil granulocytes that contains a wide range of hydrolytic enzymes and is released into the extracellular fluid. [GOC:bf, PMID:17152095]' - }, - 'GO:0035578': { - 'name': 'azurophil granule lumen', - 'def': 'The volume enclosed by the membrane of an azurophil granule, a primary lysosomal granule found in neutrophil granulocytes that contains a wide range of hydrolytic enzymes and is released into the extracellular fluid. [GOC:bf, PMID:17152095]' - }, - 'GO:0035579': { - 'name': 'specific granule membrane', - 'def': 'The lipid bilayer surrounding a specific granule, a granule with a membranous, tubular internal structure, found primarily in mature neutrophil cells. Most are released into the extracellular fluid. Specific granules contain lactoferrin, lysozyme, vitamin B12 binding protein and elastase. [GOC:bf, PMID:7334549]' - }, - 'GO:0035580': { - 'name': 'specific granule lumen', - 'def': 'The volume enclosed by the membrane of a specific granule, a granule with a membranous, tubular internal structure, found primarily in mature neutrophil cells. Most are released into the extracellular fluid. Specific granules contain lactoferrin, lysozyme, vitamin B12 binding protein and elastase. [GOC:bf, PMID:7334549]' - }, - 'GO:0035581': { - 'name': 'sequestering of extracellular ligand from receptor', - 'def': 'The process of binding or confining an extracellular signaling ligand, such that the ligand is unable to bind to its cell surface receptor. [GOC:BHF, GOC:signaling]' - }, - 'GO:0035582': { - 'name': 'sequestering of BMP in extracellular matrix', - 'def': 'Confining a bone morphogenetic protein (BMP) to the extracellular matrix (ECM), such that it is separated from other components of the signaling pathway, including its cell surface receptor. Bone morphogenetic proteins (BMPs) are secreted as homodimers, non-covalently associated with N-terminal pro-peptides, and are targeted to the extracellular matrix through interaction with matrix proteins. [GOC:BHF, PMID:20855508]' - }, - 'GO:0035583': { - 'name': 'sequestering of TGFbeta in extracellular matrix', - 'def': 'Confining TGFbeta to the extracellular matrix (ECM) such that it is separated from other components of the signaling pathway, including its cell surface receptor. TGFbeta is secreted as part of a latent complex that is targeted to the extracellular matrix through latent-TGFbeta-binding protein (LTBP)-mediated association with matrix proteins. [GOC:bf, GOC:BHF, GOC:signaling, PMID:12482908, PMID:20855508]' - }, - 'GO:0035584': { - 'name': 'calcium-mediated signaling using intracellular calcium source', - 'def': 'A series of molecular signals in which a cell uses calcium ions released from an intracellular store to convert a signal into a response. [GOC:bf, GOC:BHF, PMID:20192754]' - }, - 'GO:0035585': { - 'name': 'calcium-mediated signaling using extracellular calcium source', - 'def': 'A series of molecular signals in which a cell uses calcium ions imported from an extracellular source to convert a signal into a response. [GOC:bf, GOC:BHF, PMID:20192754]' - }, - 'GO:0035586': { - 'name': 'purinergic receptor activity', - 'def': 'Combining with a purine or purine derivative (purine nucleoside or purine nucleotide) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. A nucleotide is a compound that consists of a nucleoside esterified with a phosphate molecule. [GOC:bf, GOC:BHF, GOC:signaling, PMID:9755289]' - }, - 'GO:0035587': { - 'name': 'purinergic receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a receptor binding to an extracellular purine or purine derivative to initiate a change in cell activity. [GOC:BHF, PMID:9755289]' - }, - 'GO:0035588': { - 'name': 'G-protein coupled purinergic receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a receptor binding to an extracellular purine or purine derivative and transmitting the signal to a heterotrimeric G-protein complex to initiate a change in cell activity. [GOC:BHF, PMID:9755289]' - }, - 'GO:0035589': { - 'name': 'G-protein coupled purinergic nucleotide receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a receptor binding to an extracellular purine nucleotide and transmitting the signal to a heterotrimeric G-protein complex to initiate a change in cell activity. [GOC:BHF, PMID:9755289]' - }, - 'GO:0035590': { - 'name': 'purinergic nucleotide receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a receptor binding to an extracellular purine nucleotide to initiate a change in cell activity. [GOC:BHF, PMID:9755289]' - }, - 'GO:0035591': { - 'name': 'signaling adaptor activity', - 'def': 'The binding activity of a molecule that brings together two or more molecules in a signaling pathway, permitting those molecules to function in a coordinated way. Adaptor molecules themselves do not have catalytic activity. [GOC:bf]' - }, - 'GO:0035592': { - 'name': 'establishment of protein localization to extracellular region', - 'def': 'The directed movement of a protein to a specific location within the extracellular region. [GOC:bf, GOC:BHF]' - }, - 'GO:0035593': { - 'name': 'positive regulation of Wnt signaling pathway by establishment of Wnt protein localization to extracellular region', - 'def': 'Any process that activates or increases the frequency, rate or extent of the Wnt signaling pathway by the directed movement of a Wnt protein within the extracellular region. [GOC:BHF, PMID:19906850]' - }, - 'GO:0035594': { - 'name': 'ganglioside binding', - 'def': 'Interacting selectively and non-covalently with a ganglioside, a ceramide oligosaccharide carrying in addition to other sugar residues, one or more sialic acid residues. [GOC:yaf]' - }, - 'GO:0035595': { - 'name': 'N-acetylglucosaminylinositol deacetylase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 2-acetamido-2-deoxy-alpha-D-glucopyranoside + H2O = 1D-myo-inositol 2-amino-2-deoxy-alpha-D-glucopyranoside + acetate. This reaction is the hydrolysis of an acetyl group from N-acetylglucosaminylinositol. [EC:3.5.1.103, GOC:rs]' - }, - 'GO:0035596': { - 'name': 'methylthiotransferase activity', - 'def': 'Catalysis of the addition of a methylthioether group (-SCH3) to a nucleic acid or protein acceptor. [GOC:jh2, PMID:20472640]' - }, - 'GO:0035597': { - 'name': 'N6-isopentenyladenosine methylthiotransferase activity', - 'def': 'Catalysis of the methylthiolation (-SCH3 addition) at the C2 of the adenosine ring of N6-isopentenyladenosine (i6A) in tRNA, to form 2-methylthio-N6-isopentenyladenosine (ms2i6A). [PMID:20472640]' - }, - 'GO:0035598': { - 'name': 'N6-threonylcarbomyladenosine methylthiotransferase activity', - 'def': 'Catalysis of the methylthiolation (-SCH3 addition) at the C2 of the adenosine ring of N6-threonylcarbomyladenosine (t6A) in tRNA, to form 2-methylthio-N6-threonylcarbamoyladenosine (ms2t6A). [PMID:20472640, PMID:20584901]' - }, - 'GO:0035599': { - 'name': 'aspartic acid methylthiotransferase activity', - 'def': 'Catalysis of the methylthiolation (-SCH3 addition) of the beta-carbon of peptidyl-aspartic acid to form peptidyl-L-beta-methylthioaspartic acid. [PMID:18252828, PMID:8844851, RESID:AA0232]' - }, - 'GO:0035600': { - 'name': 'tRNA methylthiolation', - 'def': 'The addition of a methylthioether group (-SCH3) to a nucleotide in a tRNA molecule. [PMID:20472640]' - }, - 'GO:0035601': { - 'name': 'protein deacylation', - 'def': 'The removal of an acyl group, any group or radical of the form RCO- where R is an organic group, from a protein amino acid. [GOC:se, PMID:12080046]' - }, - 'GO:0035602': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in negative regulation of apoptotic process in bone marrow', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands, which stops, prevents, or reduces the frequency, rate or extent of the occurrence or rate of cell death by apoptotic process in the bone marrow. [GOC:mtg_apoptosis, GOC:yaf]' - }, - 'GO:0035603': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in hemopoiesis', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands, which contributes to hemopoiesis. [GOC:yaf]' - }, - 'GO:0035604': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in positive regulation of cell proliferation in bone marrow', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands, which activates or increases the frequency, rate or extent of cell proliferation in the bone marrow. [GOC:yaf]' - }, - 'GO:0035605': { - 'name': 'peptidyl-cysteine S-nitrosylase activity', - 'def': 'Catalysis of the transfer of a nitric oxide (NO) group to a sulphur atom within a cysteine residue of a protein. [EC:2.6.99.-, GOC:sp, PMID:20972425, PMID:20972426]' - }, - 'GO:0035606': { - 'name': 'peptidyl-cysteine S-trans-nitrosylation', - 'def': 'Transfer of a nitric oxide (NO) group from one cysteine residue to another. [PMID:19854201, PMID:20972425, PMID:20972426]' - }, - 'GO:0035607': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in orbitofrontal cortex development', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor-type receptor binding to one of its physiological ligands, which contributes to the progression of the orbitofrontal cortex over time from its initial formation until its mature state. [GOC:yaf]' - }, - 'GO:0035608': { - 'name': 'protein deglutamylation', - 'def': 'The removal of a glutamate residue from a protein. Glutamate residues in proteins can be gene-encoded, or added as side chains during the protein modification process of polyglutamylation. [GOC:sp, PMID:21074048]' - }, - 'GO:0035609': { - 'name': 'C-terminal protein deglutamylation', - 'def': 'The removal of a C-terminal, gene-encoded glutamate residue from a protein. [GOC:sp, PMID:21074048]' - }, - 'GO:0035610': { - 'name': 'protein side chain deglutamylation', - 'def': 'The removal of a glutamate residue from the side chain of a protein. Glutamate side chains are added to glutamic acid residues within the primary protein sequence during polyglutamylation. [GOC:sp, PMID:21074048]' - }, - 'GO:0035611': { - 'name': 'protein branching point deglutamylation', - 'def': 'The removal of a branching point glutamate residue. A branching point glutamate connects a glutamate side chain to a gene-encoded glutamate residue. [GOC:sp, PMID:21074048]' - }, - 'GO:0035612': { - 'name': 'AP-2 adaptor complex binding', - 'def': 'Interacting selectively and non-covalently with the AP-2 adaptor complex. The AP-2 adaptor complex is a heterotetrameric AP-type membrane coat adaptor complex that consists of alpha, beta2, mu2 and sigma2 subunits and links clathrin to the membrane surface of a vesicle. In at least humans, the AP-2 complex can be heterogeneric due to the existence of multiple subunit isoforms encoded by different alpha genes (alphaA and alphaC). [GOC:BHF, PMID:12221107, PMID:15728179, PMID:21097499]' - }, - 'GO:0035613': { - 'name': 'RNA stem-loop binding', - 'def': 'Interacting selectively and non-covalently with a stem-loop in an RNA molecule. An RNA stem-loop is a secondary RNA structure consisting of a double-stranded RNA (dsRNA) stem and a terminal loop. [GOC:sart, PMID:16568238, PMID:20455544]' - }, - 'GO:0035614': { - 'name': 'snRNA stem-loop binding', - 'def': 'Interacting selectively and non-covalently with a stem-loop in a small nuclear RNA (snRNA). An RNA stem-loop is a secondary RNA structure consisting of a double-stranded RNA (dsRNA) stem and a terminal loop. [GOC:sart, PMID:16568238, PMID:20455544]' - }, - 'GO:0035615': { - 'name': 'clathrin adaptor activity', - 'def': 'The binding activity of a molecule that brings together clathrin and one or more other molecules, permitting them to function in a coordinated way. [GOC:BHF, PMID:15728179]' - }, - 'GO:0035616': { - 'name': 'histone H2B conserved C-terminal lysine deubiquitination', - 'def': 'A histone deubiquitination process in which a ubiquitin monomer is removed from a conserved lysine residue in the C-terminus of histone H2B. The conserved lysine residue is K119 in fission yeast, K123 in budding yeast, or K120 in mammals. [GOC:bf, GOC:vw, PMID:15657442]' - }, - 'GO:0035617': { - 'name': 'stress granule disassembly', - 'def': 'The disaggregation of a stress granule into its constituent protein and RNA parts. [GOC:BHF, PMID:19825938]' - }, - 'GO:0035618': { - 'name': 'root hair', - 'def': 'A long, thin projection from a root epidermal cell that contains F-actin and tubulin, and a cell wall. [http://www.jstor.org/stable/4354264, PO:0000256]' - }, - 'GO:0035619': { - 'name': 'root hair tip', - 'def': 'The tip portion of an outgrowth of a root epidermal cell. [PO:0000029]' - }, - 'GO:0035620': { - 'name': 'ceramide transporter activity', - 'def': 'Enables the directed movement of ceramides into, out of or within a cell, or between cells. Ceramides are a class of lipid composed of sphingosine linked to a fatty acid. [GOC:sart, PMID:14685229]' - }, - 'GO:0035621': { - 'name': 'ER to Golgi ceramide transport', - 'def': 'The directed movement of a ceramide from the endoplasmic reticulum (ER) to the Golgi. Ceramides are a class of lipid composed of sphingosine linked to a fatty acid. [GOC:sart, PMID:14685229]' - }, - 'GO:0035622': { - 'name': 'intrahepatic bile duct development', - 'def': 'The progression of the intrahepatic bile ducts over time, from their formation to the mature structure. Intrahepatic bile ducts (bile ducts within the liver) collect bile from bile canaliculi in the liver, and connect to the extrahepatic bile ducts (bile ducts outside the liver). [GOC:bf, PMID:20614624]' - }, - 'GO:0035623': { - 'name': 'renal glucose absorption', - 'def': 'A renal system process in which glucose is taken up from the collecting ducts and proximal and distal loops of the nephron. In non-mammalian species, absorption may occur in related structures. [GOC:yaf, PMID:11269503]' - }, - 'GO:0035624': { - 'name': 'receptor transactivation', - 'def': 'The process in which a receptor is activated by another receptor. Receptor transactivation can occur through different mechanisms and includes cross-talk between signaling pathways where one receptor activates a receptor for a different ligand, and also activation of subunits within a receptor oligomer. [GOC:al, GOC:bf, GOC:BHF, PMID:16870826, PMID:21063387]' - }, - 'GO:0035625': { - 'name': 'epidermal growth factor-activated receptor transactivation by G-protein coupled receptor signaling pathway', - 'def': 'The process in which an epidermal growth factor-activated receptor is activated via signaling events from a G-protein coupled receptor. This is an example of cross-talk between the EGF and GPCR signaling pathways. [GOC:bf, GOC:BHF, PMID:10622253, PMID:17655843]' - }, - 'GO:0035626': { - 'name': 'juvenile hormone mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of juvenile hormone to a receptor, and ending with regulation of cell state or activity. [GOC:bf, GOC:sart]' - }, - 'GO:0035627': { - 'name': 'ceramide transport', - 'def': 'The directed movement of ceramides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Ceramides are a class of lipid composed of sphingosine linked to a fatty acid. [GOC:bf, GOC:sart]' - }, - 'GO:0035628': { - 'name': 'cystic duct development', - 'def': 'The progression of the cystic duct over time, from its formation to the mature structure. The cystic duct runs from the gall bladder to the common bile duct. [PMID:20614624]' - }, - 'GO:0035629': { - 'name': 'N-terminal protein amino acid N-linked glycosylation', - 'def': 'Addition of a carbohydrate or carbohydrate derivative unit via a nitrogen (N) atom of the N-terminal amino acid of a protein. [GOC:bf, GOC:pr]' - }, - 'GO:0035630': { - 'name': 'bone mineralization involved in bone maturation', - 'def': 'The deposition of hydroxyapatite, involved in the progression of the skeleton from its formation to its mature state. [GOC:bf, GOC:BHF]' - }, - 'GO:0035631': { - 'name': 'CD40 receptor complex', - 'def': 'A protein complex that contains at least CD40 (a cell surface receptor of the tumour necrosis factor receptor (TNFR) superfamily), and other signaling molecules. [GOC:BHF, PMID:20614026, PMID:9221764]' - }, - 'GO:0035632': { - 'name': 'mitochondrial prohibitin complex', - 'def': 'A complex composed of two proteins, prohibitin 1 and prohibitin 2 (PHB1/PHB-1 and PHB2/PHB-2) that is highly conserved amongst eukaryotes and associated with the inner mitochondrial membrane. The mitochondrial prohibitin complex is a macromolecular supercomplex composed of repeating heterodimeric subunits of PHB1 and PHB2. The mitochondrial prohibitin complex plays a role in a number of biological processes, including mitochondrial biogenesis and function, development, replicative senescence, and cell death. [GOC:kmv, PMID:12237468, PMID:21164222]' - }, - 'GO:0035633': { - 'name': 'maintenance of permeability of blood-brain barrier', - 'def': 'Preserving the permeability barrier between the blood and the brain in a stable functional or structural state. The cells in the brain are packed tightly together preventing the passage of most molecules from the blood into the brain. Only lipid soluble molecules or those that are actively transported can pass through the blood-brain barrier. [GOC:bf, GOC:sl, PMID:20080302]' - }, - 'GO:0035634': { - 'name': 'response to stilbenoid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of exposure to a stilbenoid. Stilbenoids are secondary products of heartwood formation in trees that can act as phytoalexins. Stilbenoids are hydroxylated derivatives of stilbene. They belong to the family of phenylpropanoids and share most of their biosynthesis pathway with chalcones. [CHEBI:26776, GOC:yaf, Wikipedia:Stilbenoid]' - }, - 'GO:0035635': { - 'name': 'entry of bacterium into host cell', - 'def': 'The process in which a bacterium enters a host cell. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:bf, PMID:21187937]' - }, - 'GO:0035636': { - 'name': 'multi-organism signaling', - 'def': 'The transfer of information between living organisms. [GOC:go_curators]' - }, - 'GO:0035637': { - 'name': 'multicellular organismal signaling', - 'def': 'The transfer of information occurring at the level of a multicellular organism. [GOC:go_curators]' - }, - 'GO:0035638': { - 'name': 'signal maturation', - 'def': 'Any process leading to the attainment of the full functional capacity of a signal. A signal is a physical entity or change in state that is used to transfer information to trigger a response, and is functional when it can activate a receptor. [GOC:bf, GOC:pde, GOC:signaling]' - }, - 'GO:0035639': { - 'name': 'purine ribonucleoside triphosphate binding', - 'def': 'Interacting selectively and non-covalently with a purine ribonucleoside triphosphate, a compound consisting of a purine base linked to a ribose sugar esterified with triphosphate on the sugar. [CHEBI:26398, GOC:BHF, GOC:ebc, ISBN:0198506732]' - }, - 'GO:0035640': { - 'name': 'exploration behavior', - 'def': 'The specific behavior of an organism in response to a novel environment or stimulus. [GOC:BHF, GOC:pr, PMID:11682103, PMID:9767169]' - }, - 'GO:0035641': { - 'name': 'locomotory exploration behavior', - 'def': 'The specific movement from place to place of an organism in response to a novel environment. [GOC:sart, PMID:17151232]' - }, - 'GO:0035642': { - 'name': 'histone methyltransferase activity (H3-R17 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (histone H3)-arginine (position 17) = S-adenosyl-L-homocysteine + (histone H3)-N-methyl-arginine (position 17). This reaction is the addition of a methyl group to arginine at position 17 of histone H3. [GOC:sp, PMID:11341840]' - }, - 'GO:0035643': { - 'name': 'L-DOPA receptor activity', - 'def': 'Combining with L-DOPA to initiate a change in cell activity. L-DOPA is the modified amino acid (2S)-2-amino-3-(3,4-dihydroxyphenyl) propanoic acid, and is the precursor to dopamine, norepinephrine (noradrenaline) and epinephrine. [CHEBI:15765, PMID:18828673, Wikipedia:L-DOPA]' - }, - 'GO:0035644': { - 'name': 'phosphoanandamide dephosphorylation', - 'def': 'The process of removing one or more phosphate groups from a phosphorylated anandamide. [CHEBI:2700, GOC:BHF, PMID:16938887]' - }, - 'GO:0035645': { - 'name': 'enteric smooth muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a smooth muscle cell of the intestine. [CL:0002504, GOC:BHF]' - }, - 'GO:0035646': { - 'name': 'endosome to melanosome transport', - 'def': 'The directed movement of substances from endosomes to the melanosome, a specialised lysosome-related organelle. [PMID:16162817]' - }, - 'GO:0035647': { - 'name': '3-oxo-delta(4,5)-steroid 5-beta-reductase activity', - 'def': 'Catalysis of the reaction: a 3-oxo-delta-4,5-steroid + NADPH + H(+) = a 5-beta-3-oxo-steroid + NADP(+). [GOC:kad, MetaCyc:RXN-9726, PMID:19166903]' - }, - 'GO:0035648': { - 'name': 'circadian mating behavior', - 'def': 'The fluctuation in mating behavior that occurs over an approximately 24 hour cycle. [GOC:bf, GOC:dos, PMID:11470898, PMID:17276917]' - }, - 'GO:0035649': { - 'name': 'Nrd1 complex', - 'def': 'A complex that functions in transcription termination of RNA polymerase II transcribed non-coding RNAs. This complex interacts with the carboxy-terminal domain (CTD) of PolII and the terminator sequences in the nascent RNA transcript. In yeast this complex consists of Nrd1p, Nab3p, and Sen1p. [GOC:jh, PMID:10655211, PMID:16427013, PMID:21084293]' - }, - 'GO:0035650': { - 'name': 'AP-1 adaptor complex binding', - 'def': 'Interacting selectively and non-covalently with the AP-1 adaptor complex. The AP-1 adaptor complex is a heterotetrameric AP-type membrane coat adaptor complex that consists of beta1, gamma, mu1 and sigma1 subunits and links clathrin to the membrane surface of a vesicle. In at least humans, the AP-1 complex can be heterogeneric due to the existence of multiple subunit isoforms encoded by different genes (gamma1 and gamma2, mu1A and mu1B, and sigma1A, sigma1B and sigma1C). [PMID:21097499]' - }, - 'GO:0035651': { - 'name': 'AP-3 adaptor complex binding', - 'def': 'Interacting selectively and non-covalently with the AP-3 adaptor complex. The AP-3 adaptor complex is a heterotetrameric AP-type membrane coat adaptor complex that consists of beta3, delta, mu3 and sigma3 subunits and is found associated with endosomal membranes. In at least humans, the AP-3 complex can be heterogeneric due to the existence of multiple subunit isoforms encoded by different genes (beta3A and beta3B, mu3A and mu3B, and sigma3A and sigma3B). [PMID:21097499]' - }, - 'GO:0035652': { - 'name': 'cargo loading into clathrin-coated vesicle', - 'def': 'Formation of a macromolecular complex between the cytoplasmic coat proteins on clathrin-coated vesicles and proteins and/or lipoproteins that are going to be transported by a vesicle. [GOC:lb, PMID:16162817]' - }, - 'GO:0035653': { - 'name': 'cargo loading into clathrin-coated vesicle, AP-1-mediated', - 'def': 'Formation of a macromolecular complex between proteins of the AP-1 adaptor complex and proteins and/or lipoproteins that are going to be transported by a clathrin-coated vesicle. The AP-1 adaptor protein complex is a component of the cytoplasmic coat found on clathrin-coated vesicles, and binds to sorting signals of cargo to facilitate their trafficking. [GOC:lb, PMID:12802059, PMID:16162817]' - }, - 'GO:0035654': { - 'name': 'cargo loading into clathrin-coated vesicle, AP-3-mediated', - 'def': 'Formation of a macromolecular complex between proteins of the AP-3 adaptor complex and proteins and/or lipoproteins that are going to be transported by a clathrin-coated vesicle. In some cases, the AP-3 complex is a heterotetrameric AP-type membrane coat adaptor complex that, in some organisms, links clathrin to the membrane surface of a vesicle. [GOC:lb, PMID:12802059, PMID:16162817]' - }, - 'GO:0035655': { - 'name': 'interleukin-18-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-18 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:BHF, GOC:signaling]' - }, - 'GO:0035656': { - 'name': 'kinesin-associated melanosomal adaptor activity', - 'def': 'The activity of linking kinesins, cytoplasmic proteins responsible for moving vesicles and organelles towards the distal end of microtubules, to melanosomes. [PMID:19841138]' - }, - 'GO:0035657': { - 'name': 'eRF1 methyltransferase complex', - 'def': 'A protein complex required for the methylation of a glutamine (Gln) residue in the protein release factor eRF1. In S. cerevisiae, this complex consists of at least Trm112p and Mtq2p. [GOC:rb, PMID:17008308, PMID:20400505]' - }, - 'GO:0035658': { - 'name': 'Mon1-Ccz1 complex', - 'def': 'A protein complex that functions as a guanine nucleotide exchange factor (GEF) and converts Rab-GDP to Rab-GTP. In S. cerevisiae, this complex consists of at least Mon1 and Ccz1, and serves as a GEF for the Rab Ypt7p. [GOC:rb, PMID:20797862]' - }, - 'GO:0035659': { - 'name': 'Wnt signaling pathway involved in wound healing, spreading of epidermal cells', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of a cell in the epidermis that contributes to the migration of an epidermal cell along or through a wound gap to reestablish a continuous epidermis. [GOC:BHF]' - }, - 'GO:0035660': { - 'name': 'MyD88-dependent toll-like receptor 4 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like 4 receptor, where the MyD88 adaptor molecule mediates transduction of the signal. Toll-like 4 receptors bind bacterial lipopolysaccharide (LPS) to initiate an innate immune response. [GOC:BHF, PMID:18304834, PMID:20385024]' - }, - 'GO:0035661': { - 'name': 'MyD88-dependent toll-like receptor 2 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like 2 receptor where the MyD88 adaptor molecule mediates transduction of the signal. Toll-like 2 receptors are pattern recognition receptors that bind microbial pattern motifs to initiate an innate immune response. [GOC:BHF, PMID:20385024]' - }, - 'GO:0035662': { - 'name': 'Toll-like receptor 4 binding', - 'def': 'Interacting selectively and non-covalently with a Toll-like 4 protein, a pattern recognition receptor that binds bacterial lipopolysaccharide (LPS) to initiate an innate immune response. [GOC:BHF, PMID:18304834]' - }, - 'GO:0035663': { - 'name': 'Toll-like receptor 2 binding', - 'def': 'Interacting selectively and non-covalently with a Toll-like 2 protein, a pattern recognition receptor that binds microbial pattern motifs to initiate an innate immune response. [GOC:BHF]' - }, - 'GO:0035664': { - 'name': 'TIRAP-dependent toll-like receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like receptor where the TIRAP/MAL adaptor mediates transduction of the signal. Toll-like receptors directly bind pattern motifs from a variety of microbial sources to initiate innate immune response. [GOC:BHF, PMID:11526399, PMID:11544529, PMID:12447442]' - }, - 'GO:0035665': { - 'name': 'TIRAP-dependent toll-like receptor 4 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like receptor 4 where the TIRAP/MAL adaptor mediates transduction of the signal. Toll-like 4 receptors are pattern recognition receptors that bind bacterial lipopolysaccharide (LPS) to initiate an innate immune response. [GOC:BHF, PMID:12447441]' - }, - 'GO:0035666': { - 'name': 'TRIF-dependent toll-like receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like receptor where the TRIF adaptor mediates transduction of the signal. Toll-like receptors directly bind pattern motifs from a variety of microbial sources to initiate innate immune response. [GOC:BHF, PMID:12855817]' - }, - 'GO:0035667': { - 'name': 'TRIF-dependent toll-like receptor 4 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like 4 receptor where the TRIF adaptor mediates transduction of the signal. Toll-like 4 receptors are pattern recognition receptors that bind bacterial lipopolysaccharide (LPS) to initiate an innate immune response. [GOC:BHF, PMID:18641322, PMID:20511708]' - }, - 'GO:0035668': { - 'name': 'TRAM-dependent toll-like receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like receptor where the TRAM adaptor mediates transduction of the signal. Toll-like receptors directly bind pattern motifs from a variety of microbial sources to initiate innate immune response. [GOC:BHF, PMID:14556004]' - }, - 'GO:0035669': { - 'name': 'TRAM-dependent toll-like receptor 4 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a toll-like receptor 4 where the TRAM adaptor mediates transduction of the signal. Toll-like 4 receptors are pattern recognition receptors that bind bacterial lipopolysaccharide (LPS) to initiate an innate immune response. [GOC:BHF, PMID:14556004, PMID:18297073]' - }, - 'GO:0035670': { - 'name': 'plant-type ovary development', - 'def': 'The process whose specific outcome is the progression of an ovary that produces an ovule over time, from its formation to the mature structure. The ovary is the enlarged basal portion of a carpel and matures into a fruit. An ovule is the multicellular structure that gives rise to and contains the female reproductive cells, and develops into a seed. [GOC:bf, GOC:tb, ISBN:0879015322]' - }, - 'GO:0035671': { - 'name': 'enone reductase activity', - 'def': 'Catalysis of the reaction: an enone + NADPH + H+ = a ketone + NADP+. [EC:1.3.1.-, GOC:kad, PMID:17945329, PMID:19166903]' - }, - 'GO:0035672': { - 'name': 'oligopeptide transmembrane transport', - 'def': 'The directed movement of an oligopeptide across a membrane by means of some agent such as a transporter or pore. Oligopeptides are molecules that contain a small number (2 to 20) of amino-acid residues connected by peptide linkages. [GOC:vw, ISBN:0198506732]' - }, - 'GO:0035673': { - 'name': 'oligopeptide transmembrane transporter activity', - 'def': 'Enables the transfer of oligopeptides from one side of the membrane to the other. [GOC:vw]' - }, - 'GO:0035674': { - 'name': 'tricarboxylic acid transmembrane transport', - 'def': 'The process in which tricarboxylic acids are transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0035675': { - 'name': 'neuromast hair cell development', - 'def': 'The process whose specific outcome is the progression of a neuromast hair cell over time, from its formation to the mature structure. A neuromast hair cell is a hair cell that acts as a sensory receptor of the neuromast; it is morphologically polarized as a result of the relative position of the single kinocilium and the clusters of stereocilia on its apical surface. Cell development does not include the steps involved in committing a cell to a specific fate. [CL:0000856]' - }, - 'GO:0035676': { - 'name': 'anterior lateral line neuromast hair cell development', - 'def': 'The process whose specific outcome is the progression of an anterior lateral line neuromast hair cell over time, from its formation to the mature structure. A neuromast hair cell is a hair cell that acts as a sensory receptor of the neuromast; it is morphologically polarized as a result of the relative position of the single kinocilium and the clusters of stereocilia on its apical surface. Cell development does not include the steps involved in committing a cell to a specific fate. [ISBN:0125296509, ISBN:0387968377]' - }, - 'GO:0035677': { - 'name': 'posterior lateral line neuromast hair cell development', - 'def': 'The process whose specific outcome is the progression of a posterior lateral line neuromast hair cell over time, from its formation to the mature structure. A neuromast hair cell is a hair cell that acts as a sensory receptor of the neuromast; it is morphologically polarized as a result of the relative position of the single kinocilium and the clusters of stereocilia on its apical surface. Cell development does not include the steps involved in committing a cell to a specific fate. [ISBN:0125296509]' - }, - 'GO:0035678': { - 'name': 'neuromast hair cell morphogenesis', - 'def': 'The change in form (cell shape and size) that occurs when a neuromast hair cell progresses from its initial formation to its mature state. A neuromast hair cell is a hair cell that acts as a sensory receptor of the neuromast; it is morphologically polarized as a result of the relative position of the single kinocilium and the clusters of stereocilia on its apical surface. [CL:0000856]' - }, - 'GO:0035679': { - 'name': 'anterior lateral line neuromast hair cell morphogenesis', - 'def': 'The change in form (cell shape and size) that occurs when an anterior lateral line neuromast hair cell progresses from its initial formation to its mature state. A neuromast hair cell is a hair cell that acts as a sensory receptor of the neuromast; it is morphologically polarized as a result of the relative position of the single kinocilium and the clusters of stereocilia on its apical surface. [ISBN:0125296509, ISBN:0387968377]' - }, - 'GO:0035680': { - 'name': 'posterior lateral line neuromast hair cell morphogenesis', - 'def': 'The change in form (cell shape and size) that occurs when a posterior lateral line neuromast hair cell progresses from its initial formation to its mature state. A neuromast hair cell is a hair cell that acts as a sensory receptor of the neuromast; it is morphologically polarized as a result of the relative position of the single kinocilium and the clusters of stereocilia on its apical surface. [ISBN:0125296509]' - }, - 'GO:0035681': { - 'name': 'toll-like receptor 15 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 15. [GOC:pde]' - }, - 'GO:0035682': { - 'name': 'toll-like receptor 21 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to toll-like receptor 21. [GOC:pde]' - }, - 'GO:0035683': { - 'name': 'memory T cell extravasation', - 'def': 'The migration of a memory T cell from the blood vessels into the surrounding tissue. A memory T cell is a distinctly differentiated long-lived T cell that has the phenotype CD45RO-positive and CD127-positive. [CL:0000813, GOC:BHF]' - }, - 'GO:0035684': { - 'name': 'helper T cell extravasation', - 'def': 'The migration of a helper T cell from the blood vessels into the surrounding tissue. A helper T-cell is an effector T cell that provides help in the form of secreted cytokines to other immune cells. [CL:0000912, GOC:BHF]' - }, - 'GO:0035685': { - 'name': 'helper T cell diapedesis', - 'def': 'The passage of a helper T cell between the tight junctions of endothelial cells lining blood vessels, typically the fourth and final step of cellular extravasation. [CL:0000912, GOC:BHF]' - }, - 'GO:0035686': { - 'name': 'sperm fibrous sheath', - 'def': 'A cytoskeletal structure surrounding the axoneme and outer dense fibers of the sperm flagellum. Consists of two longitudinal columns connected by closely arrayed semicircular ribs that assemble from distal to proximal throughout spermiogenesis. The fibrous sheath probably influences the degree of flexibility, plane of flagellar motion, and the shape of the flagellar beat. [GOC:BHF, GOC:cilia, GOC:krc, PMID:20731842, PMID:3282552]' - }, - 'GO:0035687': { - 'name': 'T-helper 1 cell extravasation', - 'def': 'The migration of a T-helper 1 cell from the blood vessels into the surrounding tissue. A T-helper 1 cell is a CD4-positive, alpha-beta T cell that has the phenotype T-bet-positive and produces interferon-gamma. [CL:0000545, GOC:BHF]' - }, - 'GO:0035688': { - 'name': 'T-helper 1 cell diapedesis', - 'def': 'The passage of a T-helper 1 cell between the tight junctions of endothelial cells lining blood vessels, typically the fourth and final step of cellular extravasation. A T-helper 1 cell is a CD4-positive, alpha-beta T cell that has the phenotype T-bet-positive and produces interferon-gamma. [CL:0000545, GOC:BHF, PMID:10477596]' - }, - 'GO:0035689': { - 'name': 'chemokine (C-C motif) ligand 5 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the chemokine CCL5 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, PMID:18337562]' - }, - 'GO:0035690': { - 'name': 'cellular response to drug', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a drug stimulus. A drug is a substance used in the diagnosis, treatment or prevention of a disease. [GOC:sl]' - }, - 'GO:0035691': { - 'name': 'macrophage migration inhibitory factor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of macrophage migration inhibitory factor to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:signaling, PMID:12782713, PMID:19413900]' - }, - 'GO:0035692': { - 'name': 'macrophage migration inhibitory factor receptor complex', - 'def': 'A protein complex that binds macrophage migration inhibitory factor. Comprises CD74 and CD44 cell surface proteins. [GOC:BHF, PMID:12782713, PMID:17045821]' - }, - 'GO:0035693': { - 'name': 'NOS2-CD74 complex', - 'def': 'A protein complex comprising nitric oxide synthase 2 and CD74. This stable complex formation is thought to prevent CD74 degradation by caspases. [GOC:BHF, PMID:18003616]' - }, - 'GO:0035694': { - 'name': 'mitochondrial protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a mitochondrial protein. This process is necessary to maintain the healthy state of mitochondria and is thought to occur via the induction of an intramitochondrial lysosome-like organelle that acts to eliminate the damaged oxidised mitochondrial proteins without destroying the mitochondrial structure. [GOC:sp, PMID:21264221, PMID:21264228]' - }, - 'GO:0035695': { - 'name': 'mitophagy by induced vacuole formation', - 'def': 'The process in which cells degrade mitochondria by inducing a vacuole-like structure which directly engulfs and degrades the unhealthy mitochondria by accumulating lysosomes. [GOC:autophagy, GOC:bf, GOC:sp, PMID:21264228]' - }, - 'GO:0035696': { - 'name': 'monocyte extravasation', - 'def': 'The migration of a monocyte from the blood vessels into the surrounding tissue. [CL:0000576, GOC:BHF, PMID:10657654]' - }, - 'GO:0035697': { - 'name': 'CD8-positive, alpha-beta T cell extravasation', - 'def': 'The migration of a CD8-positive, alpha-beta T cell from the blood vessels into the surrounding tissue. [CL:0000625, GOC:BHF]' - }, - 'GO:0035698': { - 'name': 'CD8-positive, alpha-beta cytotoxic T cell extravasation', - 'def': 'The migration of a CD8-positive, alpha-beta cytotoxic T cell from the blood vessels into the surrounding tissue. [CL:0000794, GOC:BHF]' - }, - 'GO:0035699': { - 'name': 'T-helper 17 cell extravasation', - 'def': 'The migration of a T-helper 17 cell from the blood vessels into the surrounding tissue. [CL:0000899, GOC:BHF]' - }, - 'GO:0035700': { - 'name': 'astrocyte chemotaxis', - 'def': 'The directed movement of an astrocyte guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). [CL:0000127, GOC:BHF, PMID:12271471]' - }, - 'GO:0035701': { - 'name': 'hematopoietic stem cell migration', - 'def': 'The orderly movement of a hematopoietic stem cell from one site to another. A hematopoietic stem cell is a cell from which all cells of the lymphoid and myeloid lineages develop, including blood cells and cells of the immune system. [CL:0000037, GOC:BHF, PMID:20234092]' - }, - 'GO:0035702': { - 'name': 'monocyte homeostasis', - 'def': 'The process of regulating the proliferation and elimination of monocytes such that the total number of monocytes within a whole or part of an organism is stable over time in the absence of an outside stimulus. [CL:0000576, GOC:BHF, PMID:18832716]' - }, - 'GO:0035703': { - 'name': 'monocyte migration into blood stream', - 'def': 'The movement of a monocyte from the bone marrow to the blood stream. [CL:0000576, GOC:BHF]' - }, - 'GO:0035704': { - 'name': 'helper T cell chemotaxis', - 'def': 'The directed movement of a helper T cell in response to an external stimulus. [CL:0000912, GOC:BHF]' - }, - 'GO:0035705': { - 'name': 'T-helper 17 cell chemotaxis', - 'def': 'The directed movement of a T-helper 17 cell in response to an external stimulus. [CL:0000899, GOC:BHF]' - }, - 'GO:0035706': { - 'name': 'T-helper 1 cell chemotaxis', - 'def': 'The directed movement of a T-helper 1 cell in response to an external stimulus. [CL:0000545, GOC:BHF]' - }, - 'GO:0035707': { - 'name': 'T-helper 2 cell chemotaxis', - 'def': 'The directed movement of a T-helper 2 cell in response to an external stimulus. [CL:0000546, GOC:BHF]' - }, - 'GO:0035708': { - 'name': 'interleukin-4-dependent isotype switching to IgE isotypes', - 'def': "The switching of activated B cells from IgM biosynthesis to IgE biosynthesis, accomplished through a recombination process involving an intrachromosomal deletion between switch regions that reside 5' of the IgM and IgE constant region gene segments in the immunoglobulin heavy chain locus, that is dependent on the activity of interleukin 4 (IL-4). [GOC:BHF, PMID:12496423]" - }, - 'GO:0035709': { - 'name': 'memory T cell activation', - 'def': 'The change in morphology and behavior of a memory T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [CL:0000813, GOC:BHF]' - }, - 'GO:0035710': { - 'name': 'CD4-positive, alpha-beta T cell activation', - 'def': 'The change in morphology and behavior of a CD4-positive, alpha-beta T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [CL:0000624, GOC:BHF]' - }, - 'GO:0035711': { - 'name': 'T-helper 1 cell activation', - 'def': 'The change in morphology and behavior of a T-helper 1 cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [CL:0000545, GOC:BHF]' - }, - 'GO:0035712': { - 'name': 'T-helper 2 cell activation', - 'def': 'The change in morphology and behavior of a T helper 2 cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [CL:0000546, GOC:BHF]' - }, - 'GO:0035713': { - 'name': 'response to nitrogen dioxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrogen dioxide (NO2) stimulus. [CHEBI:33101, GOC:BHF]' - }, - 'GO:0035714': { - 'name': 'cellular response to nitrogen dioxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrogen dioxide (NO2) stimulus. [CHEBI:33101, GOC:BHF]' - }, - 'GO:0035715': { - 'name': 'chemokine (C-C motif) ligand 2 binding', - 'def': 'Interacting selectively and non-covalently with chemokine (C-C motif) ligand 2. [GOC:BHF]' - }, - 'GO:0035716': { - 'name': 'chemokine (C-C motif) ligand 12 binding', - 'def': 'Interacting selectively and non-covalently with chemokine (C-C motif) ligand 12. [GOC:BHF]' - }, - 'GO:0035717': { - 'name': 'chemokine (C-C motif) ligand 7 binding', - 'def': 'Interacting selectively and non-covalently with chemokine (C-C motif) ligand 7. [GOC:BHF]' - }, - 'GO:0035718': { - 'name': 'macrophage migration inhibitory factor binding', - 'def': 'Interacting selectively and non-covalently with the cytokine, macrophage migration inhibitory factor. [GOC:BHF, PMID:19601712]' - }, - 'GO:0035719': { - 'name': 'tRNA import into nucleus', - 'def': 'The directed movement of tRNA from the cytoplasm to the nucleus. [GOC:vw, PMID:20032305]' - }, - 'GO:0035720': { - 'name': 'intraciliary anterograde transport', - 'def': 'The directed movement of large protein complexes along microtubules from the cell body toward the tip of a cilium (also called flagellum), mediated by motor proteins. [GOC:BHF, GOC:cilia, PMID:17895364]' - }, - 'GO:0035721': { - 'name': 'intraciliary retrograde transport', - 'def': 'The directed movement of large protein complexes along microtubules from the tip of a cilium (also called flagellum) toward the cell body, mediated by motor proteins. [GOC:BHF, GOC:cilia]' - }, - 'GO:0035722': { - 'name': 'interleukin-12-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-12 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:signaling]' - }, - 'GO:0035723': { - 'name': 'interleukin-15-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-15 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:signaling]' - }, - 'GO:0035724': { - 'name': 'CD24 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of CD24, a CD marker and cell adhesion molecule that occurs on many B-lineage cells and mature granulocytes, and is involved in B cell activation and differentiation as well as T cell co-stimulation. [GOC:BHF]' - }, - 'GO:0035725': { - 'name': 'sodium ion transmembrane transport', - 'def': 'A process in which a sodium ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0035726': { - 'name': 'common myeloid progenitor cell proliferation', - 'def': 'The multiplication or reproduction of common myeloid progenitor cells, resulting in the expansion of a cell population. A common myeloid progenitor cell is a progenitor cell committed to the myeloid lineage. [CL:0000049, GOC:BHF]' - }, - 'GO:0035727': { - 'name': 'lysophosphatidic acid binding', - 'def': 'Interacting selectively and non-covalently with lysophosphatidic acid (LPA), a phospholipid derivative that acts as a potent mitogen due to its activation of high-affinity G-protein-coupled receptors. [CHEBI:52288]' - }, - 'GO:0035728': { - 'name': 'response to hepatocyte growth factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hepatocyte growth factor stimulus. [GOC:bf]' - }, - 'GO:0035729': { - 'name': 'cellular response to hepatocyte growth factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hepatocyte growth factor stimulus. [GOC:bf]' - }, - 'GO:0035730': { - 'name': 'S-nitrosoglutathione binding', - 'def': 'Interacting selectively and non-covalently with S-nitrosoglutathione, a nitrosothiol considered to be a natural nitric oxide (NO) donor involved in S-nitrosylation, and in the storage and transport of nitric oxide in biological systems. [CHEBI:50091, GOC:BHF]' - }, - 'GO:0035731': { - 'name': 'dinitrosyl-iron complex binding', - 'def': 'Interacting selectively and non-covalently with a dinitrosyl-iron complex. Nitric oxide (NO) is stored as dinitrosyl-iron complexes, which form spontaneously from Glutathione (GSH), S-nitrosoglutathione, and trace amounts of ferrous ions, or by reaction of iron-sulfur centers with NO. [GOC:BHF, PMID:10534443]' - }, - 'GO:0035732': { - 'name': 'nitric oxide storage', - 'def': 'The accumulation and maintenance in cells or tissues of nitric oxide (NO). Nitric oxide is stored in the form of dinitrosyl-iron complexes, which are stabilized, and possibly sequestered, by binding to glutathione S-transferase proteins. [GOC:BHF, PMID:12871945]' - }, - 'GO:0035733': { - 'name': 'hepatic stellate cell activation', - 'def': 'A change in the morphology or behavior of a hepatic stellate cell resulting from exposure to a cytokine, chemokine, hormone, cellular ligand or soluble factor. [CL:0000632, GOC:bf]' - }, - 'GO:0035735': { - 'name': 'intraciliary transport involved in cilium assembly', - 'def': 'The bidirectional movement of large protein complexes along microtubules within a cilium that contributes to cilium assembly. [GOC:bf, GOC:cilia, Reactome:R-HSA-5620924.2]' - }, - 'GO:0035736': { - 'name': 'cell proliferation involved in compound eye morphogenesis', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a cell population that contributes to compound eye morphogenesis. [GOC:bf, GOC:sart]' - }, - 'GO:0035737': { - 'name': 'injection of substance in to other organism', - 'def': 'The process of forcing a substance into another organism, either by penetrating the skin of the other organism or by applying the substance externally to a sensitive tissue such as those that surround the eyes. [GOC:pamgo_curators]' - }, - 'GO:0035738': { - 'name': 'envenomation resulting in modification of morphology or physiology of other organism', - 'def': 'The process which begins with venom being forced into an organism by the bite or sting of another organism, and ends with the manifestation of some change or damage to the bitten organism. [GOC:pamgo_curators]' - }, - 'GO:0035739': { - 'name': 'CD4-positive, alpha-beta T cell proliferation', - 'def': 'The expansion of a CD4-positive, alpha-beta T cell population by cell division. [CL:0000624, GOC:BHF]' - }, - 'GO:0035740': { - 'name': 'CD8-positive, alpha-beta T cell proliferation', - 'def': 'The expansion of a CD8-positive, alpha-beta T cell population by cell division. [CL:0000625, GOC:BHF]' - }, - 'GO:0035741': { - 'name': 'activated CD4-positive, alpha-beta T cell proliferation', - 'def': 'The expansion of an activated CD4-positive, alpha-beta T cell population by cell division. [CL:0000896, GOC:BHF]' - }, - 'GO:0035742': { - 'name': 'activated CD8-positive, alpha-beta T cell proliferation', - 'def': 'The expansion of an activated CD8-positive, alpha-beta T cell population by cell division. [CL:0000906, GOC:BHF]' - }, - 'GO:0035743': { - 'name': 'CD4-positive, alpha-beta T cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a CD4-positive, alpha-beta T cell. [CL:0000624, GOC:BHF]' - }, - 'GO:0035744': { - 'name': 'T-helper 1 cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a T-helper 1 cell. [CL:0000545, GOC:BHF]' - }, - 'GO:0035745': { - 'name': 'T-helper 2 cell cytokine production', - 'def': 'Any process that contributes to cytokine production by a T-helper 2 cell. [CL:0000546, GOC:BHF]' - }, - 'GO:0035746': { - 'name': 'granzyme A production', - 'def': 'The appearance of granzyme A due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF]' - }, - 'GO:0035747': { - 'name': 'natural killer cell chemotaxis', - 'def': 'The directed movement of a natural killer cell guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). [CL:0000623, GOC:BHF]' - }, - 'GO:0035748': { - 'name': 'myelin sheath abaxonal region', - 'def': 'The region of the myelin sheath furthest from the axon. [GOC:BHF, PMID:20237282]' - }, - 'GO:0035749': { - 'name': 'myelin sheath adaxonal region', - 'def': 'The region of the myelin sheath nearest to the axon. [GOC:BHF, PMID:20237282]' - }, - 'GO:0035750': { - 'name': 'protein localization to myelin sheath abaxonal region', - 'def': 'Any process in which a protein is transported to, and/or maintained in, the abaxonal region of the myelin sheath. The abaxonal region is the region of the myelin sheath furthest from the axon. [GOC:BHF, PMID:20237282]' - }, - 'GO:0035751': { - 'name': 'regulation of lysosomal lumen pH', - 'def': 'Any process that modulates the pH of the lysosomal lumen, measured by the concentration of the hydrogen ion. [GOC:rph]' - }, - 'GO:0035752': { - 'name': 'lysosomal lumen pH elevation', - 'def': 'Any process that increases the pH of the lysosomal lumen, measured by the concentration of the hydrogen ion. [GOC:bf, GOC:rph]' - }, - 'GO:0035753': { - 'name': 'maintenance of DNA trinucleotide repeats', - 'def': 'Any process involved in sustaining the fidelity and copy number of DNA trinucleotide repeats. DNA trinucleotide repeats are naturally occurring runs of three base-pairs. [GOC:rb, PMID:21347277, SO:0000291]' - }, - 'GO:0035754': { - 'name': 'B cell chemotaxis', - 'def': 'The directed movement of a B cell guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). [CL:0000236, GOC:BHF]' - }, - 'GO:0035755': { - 'name': 'cardiolipin hydrolase activity', - 'def': 'Catalysis of the hydrolysis of cardiolipin (1,3-bis(3-phosphatidyl)glycerol) to form phosphatidic acid (PA). [CHEBI:28494, GOC:sp, PMID:17028579, PMID:21397848]' - }, - 'GO:0035756': { - 'name': 'transepithelial migration of symbiont in host', - 'def': 'The directional movement of an organism from one side of an epithelium to the other within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:bf, PMID:10639460]' - }, - 'GO:0035757': { - 'name': 'chemokine (C-C motif) ligand 19 binding', - 'def': 'Interacting selectively and non-covalently with chemokine (C-C motif) ligand 19. [GOC:BHF]' - }, - 'GO:0035758': { - 'name': 'chemokine (C-C motif) ligand 21 binding', - 'def': 'Interacting selectively and non-covalently with chemokine (C-C motif) ligand 21. [GOC:BHF]' - }, - 'GO:0035759': { - 'name': 'mesangial cell-matrix adhesion', - 'def': 'The binding of a mesangial cell to the extracellular matrix via adhesion molecules. A mesangial cell is a cell that encapsulates the capillaries and venules in the kidney. [CL:0000650, GOC:BHF, PMID:15569314]' - }, - 'GO:0035760': { - 'name': 'cytoplasmic polyadenylation-dependent rRNA catabolic process', - 'def': "The chemical reactions and pathways occurring in the cytoplasm and resulting in the breakdown of a ribosomal RNA (rRNA) molecule, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target rRNA truncated degradation intermediate. [PMID:20368444]" - }, - 'GO:0035761': { - 'name': 'dorsal motor nucleus of vagus nerve maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the dorsal motor nucleus of the vagus nerve to attain its fully functional state. [GOC:dgh]' - }, - 'GO:0035762': { - 'name': 'dorsal motor nucleus of vagus nerve morphogenesis', - 'def': 'The process in which the dorsal motor nucleus of the vagus nerve is generated and organized. Morphogenesis pertains to the creation of form. [GOC:dgh]' - }, - 'GO:0035763': { - 'name': 'dorsal motor nucleus of vagus nerve structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the dorsal motor nucleus of the vagus nerve. This process pertains to the physical shaping of a rudimentary structure. [GOC:dgh]' - }, - 'GO:0035764': { - 'name': 'dorsal motor nucleus of vagus nerve formation', - 'def': 'The process that gives rise to the dorsal motor nucleus of the vagus nerve. This process pertains to the initial formation of a structure from unspecified parts. [GOC:dgh]' - }, - 'GO:0035765': { - 'name': 'motor neuron precursor migration involved in dorsal motor nucleus of vagus nerve formation', - 'def': 'The orderly movement of a motor neuron precursor cell that contributes to formation of the dorsal motor nucleus of the vagus nerve. [GOC:dgh, PMID:21262462]' - }, - 'GO:0035766': { - 'name': 'cell chemotaxis to fibroblast growth factor', - 'def': 'The directed movement of a motile cell in response to the presence of fibroblast growth factor (FGF). [GOC:BHF]' - }, - 'GO:0035767': { - 'name': 'endothelial cell chemotaxis', - 'def': 'The directed movement of an endothelial cell guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). [CL:0000115, GOC:BHF]' - }, - 'GO:0035768': { - 'name': 'endothelial cell chemotaxis to fibroblast growth factor', - 'def': 'The directed movement of an endothelial cell in response to the presence of fibroblast growth factor (FGF). [CL:0000115, GOC:BHF]' - }, - 'GO:0035769': { - 'name': 'B cell chemotaxis across high endothelial venule', - 'def': 'The movement of a B cell to cross a high endothelial venule in response to an external stimulus. [CL:0000236, GOC:BHF]' - }, - 'GO:0035770': { - 'name': 'ribonucleoprotein granule', - 'def': 'A non-membranous macromolecular complex containing proteins and translationally silenced mRNAs. RNA granules contain proteins that control the localization, stability, and translation of their RNA cargo. Different types of RNA granules (RGs) exist, depending on the cell type and cellular conditions. [GOC:go_curators, GOC:sp, PMID:16520386, PMID:20368989, PMID:21436445]' - }, - 'GO:0035771': { - 'name': 'interleukin-4-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-4 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:signaling]' - }, - 'GO:0035772': { - 'name': 'interleukin-13-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-13 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:signaling]' - }, - 'GO:0035773': { - 'name': 'insulin secretion involved in cellular response to glucose stimulus', - 'def': 'The regulated release of proinsulin from secretory granules (B granules) in the B cells of the pancreas; accompanied by cleavage of proinsulin to form mature insulin, in response to a glucose stimulus. [GOC:bf, GOC:yaf, PMID:8492079]' - }, - 'GO:0035774': { - 'name': 'positive regulation of insulin secretion involved in cellular response to glucose stimulus', - 'def': 'Any process that increases the frequency, rate or extent of the regulated release of insulin that contributes to the response of a cell to glucose. [GOC:bf, GOC:yaf]' - }, - 'GO:0035775': { - 'name': 'pronephric glomerulus morphogenesis', - 'def': 'The process in which the anatomical structures of the pronephric glomerulus are generated and organized. The pronephric glomerulus is part of the pronephric nephron and is restricted to one body segment. [GOC:mtg_kidney_jan10, GOC:yaf, PMID:18787069]' - }, - 'GO:0035776': { - 'name': 'pronephric proximal tubule development', - 'def': 'The progression of the pronephric proximal tubule over time, from its formation to the mature structure. A pronephric nephron tubule is an epithelial tube that is part of the pronephros. [GOC:mtg_kidney_jan10, GOC:yaf, PMID:18787069]' - }, - 'GO:0035777': { - 'name': 'pronephric distal tubule development', - 'def': 'The process whose specific outcome is the progression of the pronephric distal tubule over time, from its formation to the mature structure. A pronephric nephron tubule is an epithelial tube that is part of the pronephros. [GOC:mtg_kidney_jan10, GOC:yaf, PMID:18787069]' - }, - 'GO:0035778': { - 'name': 'pronephric nephron tubule epithelial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells of the pronephric nephron tubule as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10, GOC:yaf, PMID:18787069]' - }, - 'GO:0035779': { - 'name': 'angioblast cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of an angioblast cell. Angioblasts are one of the two products formed from hemangioblast cells (the other being pluripotent hemopoietic stem cells). [CL:0000566, GOC:yaf]' - }, - 'GO:0035780': { - 'name': 'CD80 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of CD80, a CD marker that occurs on antigen presenting cells such as activated B cells and monocytes that provides a co-stimulatory signal necessary for T cell activation and survival. [GOC:BHF, GOC:ebc]' - }, - 'GO:0035781': { - 'name': 'CD86 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of CD86, a CD marker that occurs on antigen presenting cells that provides co-stimulatory signals necessary for T cell activation and survival. [GOC:BHF, GOC:ebc]' - }, - 'GO:0035782': { - 'name': 'mature natural killer cell chemotaxis', - 'def': 'The directed movement of a mature natural killer cell guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). A mature natural killer cell is a natural killer cell that is developmentally mature and expresses a variety of inhibitory and activating receptors that recognize MHC class and other stress related molecules. [CL:0000824, GOC:BHF]' - }, - 'GO:0035783': { - 'name': 'CD4-positive, alpha-beta T cell costimulation', - 'def': 'The process of providing, via surface-bound receptor-ligand pairs, a second, antigen-independent, signal in addition to that provided by the T cell receptor to augment CD4-positive, alpha-beta T cell activation. [CL:0000624, GOC:BHF, GOC:pr]' - }, - 'GO:0035784': { - 'name': 'nickel cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of nickel cations within an organism or cell. [GOC:kmv]' - }, - 'GO:0035785': { - 'name': 'cellular nickel ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of nickel ions at the level of a cell. [GOC:kmv]' - }, - 'GO:0035786': { - 'name': 'protein complex oligomerization', - 'def': 'The association of two or more multisubunit protein complexes to form dimers or other multimers of a protein complex. [GOC:bf, GOC:mcc, PMID:18293929]' - }, - 'GO:0035787': { - 'name': 'cell migration involved in kidney development', - 'def': 'The orderly movement of a cell from one site to another that will contribute to the progression of the kidney over time, from its formation to the mature organ. [GOC:bf, GOC:mtg_kidney_jan10, GOC:yaf]' - }, - 'GO:0035788': { - 'name': 'cell migration involved in metanephros development', - 'def': 'The orderly movement of a cell from one site to another that will contribute to the progression of the metanephric kidney over time, from its formation to the mature organ. [GOC:bf, GOC:mtg_kidney_jan10, GOC:yaf]' - }, - 'GO:0035789': { - 'name': 'metanephric mesenchymal cell migration', - 'def': 'The orderly movement of undifferentiated metanephric mesenchymal cells (precursors to metanephric mesangial cells) from the mesenchyme into the cleft of the developing glomerulus, during development of the metanephros. [GOC:bf, GOC:mtg_kidney_jan10, GOC:yaf, PMID:10734101, PMID:19019919]' - }, - 'GO:0035790': { - 'name': 'platelet-derived growth factor receptor-alpha signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a ligand to an alpha-type platelet-derived growth factor receptor (PDGFalpha) on the surface of a signal-receiving cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:yaf, PMID:10372961, PR:000002030]' - }, - 'GO:0035791': { - 'name': 'platelet-derived growth factor receptor-beta signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a ligand to a beta-type platelet-derived growth factor receptor (PDGFbeta) on the surface of a signal-receiving cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:signaling, GOC:yaf, PMID:10372961, PR:000002035]' - }, - 'GO:0035792': { - 'name': 'other organism postsynaptic membrane', - 'def': 'A postsynaptic membrane that is part of another organism, i.e. a secondary organism with which the first organism is interacting. A postsynaptic membrane is a specialized area of membrane facing the presynaptic membrane on the tip of the nerve ending and separated from it by a minute cleft (the synaptic cleft). Neurotransmitters transmit the signal across the synaptic cleft to the postsynaptic membrane. [GOC:ecd]' - }, - 'GO:0035793': { - 'name': 'positive regulation of metanephric mesenchymal cell migration by platelet-derived growth factor receptor-beta signaling pathway', - 'def': 'Any process that increases the frequency, rate or extent of metanephric mesenchymal cell migration as a result of the series of molecular signals generated as a consequence of a platelet-derived growth factor receptor-beta binding to one of its physiological ligands. [GOC:bf, GOC:mtg_kidney_jan10, GOC:yaf, PMID:10734101]' - }, - 'GO:0035794': { - 'name': 'positive regulation of mitochondrial membrane permeability', - 'def': 'Any process that increases the frequency, rate or extent of the passage or uptake of molecules by the mitochondrial membrane. [GOC:bf, PMID:12546810]' - }, - 'GO:0035795': { - 'name': 'negative regulation of mitochondrial membrane permeability', - 'def': 'Any process that decreases the frequency, rate or extent of the passage or uptake of molecules by the mitochondrial membrane. [PMID:10781072]' - }, - 'GO:0035796': { - 'name': 'ATP-binding cassette (ABC) transporter complex, transmembrane substrate-binding subunit-containing', - 'def': "A complex for the transport of metabolites into the cell, consisting of 4 subunits: a transmembrane substrate-binding protein (known as the S component), and an energy-coupling module that comprises two ATP-binding proteins (known as the A and A' components) and a transmembrane protein (known as the T component). Transport of the substrate across the membrane is driven by the hydrolysis of ATP. [PMID:18931129, PMID:20972419, PMID:21135102]" - }, - 'GO:0035797': { - 'name': 'tellurite methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to tellurite [TeO3(2-)]. Methylated derivatives of tellurite include Te(CH3)2 (dimethyltelluride) and Te2(CH3)2 (dimethylditelluride). [CHEBI:30477, GOC:bf, GOC:kad, PMID:11053398, PMID:21244361]' - }, - 'GO:0035798': { - 'name': '2-alkenal reductase (NADP+) activity', - 'def': 'Catalysis of the reaction: n-alkanal + NADP+ = alk-2-enal + NADPH + H+. [GOC:bf, GOC:kad, PMID:16299173]' - }, - 'GO:0035799': { - 'name': 'ureter maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the ureter to attain its fully functional state. The ureter is a muscular tube that transports urine from the kidney to the urinary bladder or from the Malpighian tubule to the hindgut. [GOC:bf, GOC:mtg_kidney_jan10, GOC:yaf, PMID:17881463]' - }, - 'GO:0035800': { - 'name': 'deubiquitinase activator activity', - 'def': 'Increases the activity of deubiquitinase, an enzyme that catalyzes the hydrolysis of various forms of polymeric ubiquitin sequences. [GOC:sart, ISBN:0120793709]' - }, - 'GO:0035801': { - 'name': 'adrenal cortex development', - 'def': 'The process whose specific outcome is the progression of the adrenal cortex over time, from its formation to the mature structure. The adrenal cortex is located at the periphery of the adrenal gland and controls glucose and electrolyte metabolism, response to stress and sexual development through the production of different classes of steroid hormones (glucocorticoids, mineralocorticoids and androgens). [PMID:12185666, PMID:21115154, Wikipedia:Adrenal_cortex]' - }, - 'GO:0035802': { - 'name': 'adrenal cortex formation', - 'def': 'The process that gives rise to the adrenal cortex. This process pertains to the initial formation of a structure from unspecified parts. The adrenogonadal primordium from which the adrenal cortex is formed derives from a condensation of coelomic epithelial cells (the urogenital ridge; the same structure from which gonads and kidney also originate). [PMID:12185666, PMID:21115154]' - }, - 'GO:0035803': { - 'name': 'egg coat formation', - 'def': 'Construction of an egg coat, a specialized extracellular matrix that surrounds the ovum of animals. The egg coat provides structural support and can play an essential role in oogenesis, fertilization and early development. [GOC:bf, GOC:sart, GOC:yaf, PMID:16944418, PMID:17163408]' - }, - 'GO:0035804': { - 'name': 'structural constituent of egg coat', - 'def': 'The action of a molecule that contributes to the structural integrity of an egg coat. An egg coat is a specialized extracellular matrix that surrounds the ovum of animals. The egg coat provides structural support and can play an essential role in oogenesis, fertilization and early development. [PMID:16944418, PMID:17163408]' - }, - 'GO:0035805': { - 'name': 'egg coat', - 'def': 'A specialized extracellular matrix that surrounds the plasma membrane of the ovum of animals. The egg coat provides structural support and can play an essential role in oogenesis, fertilization and early development. [PMID:16944418, PMID:17163408]' - }, - 'GO:0035806': { - 'name': 'modulation of blood coagulation in other organism', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of blood coagulation in another organism. Blood coagulation is the sequential process in which the multiple coagulation factors of the blood interact, ultimately resulting in the formation of an insoluble fibrin clot. [GOC:bf, GOC:fj]' - }, - 'GO:0035807': { - 'name': 'positive regulation of blood coagulation in other organism', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of blood coagulation in another organism. Blood coagulation is the sequential process in which the multiple coagulation factors of the blood interact, ultimately resulting in the formation of an insoluble fibrin clot. [GOC:bf, GOC:fj, PMID:12362232]' - }, - 'GO:0035808': { - 'name': 'meiotic recombination initiation complex', - 'def': 'A protein complex that initiates the formation of double-strand breaks (DSBs) required for meiotic recombination. Consists of a protein that catalyses formation of the double-strand breaks (Spo11 in S. cerevisiae and Rec12 in S. pombe), and a number of accessory proteins. [GOC:vw, PMID:12897161, PMID:20364342, PMID:21429938]' - }, - 'GO:0035809': { - 'name': 'regulation of urine volume', - 'def': 'Any process that modulates the amount of urine excreted from the body over a unit of time. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035810': { - 'name': 'positive regulation of urine volume', - 'def': 'Any process that increases the amount of urine excreted from the body over a unit of time. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035811': { - 'name': 'negative regulation of urine volume', - 'def': 'Any process that decreases the amount of urine excreted from the body over a unit of time. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035812': { - 'name': 'renal sodium excretion', - 'def': 'The elimination by an organism of sodium in the urine. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035813': { - 'name': 'regulation of renal sodium excretion', - 'def': 'Any process that modulates the amount of sodium excreted in urine over a unit of time. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035814': { - 'name': 'negative regulation of renal sodium excretion', - 'def': 'Any process that decreases the amount of sodium excreted in urine over a unit of time. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035815': { - 'name': 'positive regulation of renal sodium excretion', - 'def': 'Any process that increases the amount of sodium excreted in urine over a unit of time. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035816': { - 'name': 'renal water absorption involved in negative regulation of urine volume', - 'def': 'Any process where water is taken up from the collecting ducts and proximal and distal loops of the nephron, which acts to decrease the amount of urine that is excreted from the body per unit time. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035817': { - 'name': 'renal sodium ion absorption involved in negative regulation of renal sodium excretion', - 'def': 'Any process where sodium ions are taken up from the collecting ducts and proximal and distal loops of the nephron, which contributes to decreasing the amount of sodium that is excreted in urine per unit time. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035818': { - 'name': 'positive regulation of urine volume by pressure natriuresis', - 'def': 'An increase in the amount of urine excreted over a unit of time, as a result of pressure natriuresis. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035819': { - 'name': 'positive regulation of renal sodium excretion by pressure natriuresis', - 'def': 'An increase in the amount of sodium excreted in urine over a unit of time, as a result of pressure natriuresis. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035820': { - 'name': 'negative regulation of renal sodium excretion by angiotensin', - 'def': 'The process in which angiotensin decreases the amount of sodium that is excreted in urine over a unit of time. [GOC:mtg_25march11, GOC:yaf]' - }, - 'GO:0035821': { - 'name': 'modification of morphology or physiology of other organism', - 'def': 'The process in which an organism effects a change in the structure or processes of a second organism. [GOC:bf]' - }, - 'GO:0035822': { - 'name': 'gene conversion', - 'def': 'A DNA recombination process that results in the unidirectional transfer of genetic material from a donor sequence to a highly homologous acceptor. [GOC:mah, PMID:17846636]' - }, - 'GO:0035823': { - 'name': 'short tract gene conversion', - 'def': 'A gene conversion process in which a segment of about 50-200 base pairs is transferred from the donor to the acceptor. [GOC:mah, PMID:16954385]' - }, - 'GO:0035824': { - 'name': 'long tract gene conversion', - 'def': 'A gene conversion process in which a segment of more than 1000 base pairs is transferred from the donor to the acceptor. [GOC:mah, PMID:16954385]' - }, - 'GO:0035825': { - 'name': 'reciprocal DNA recombination', - 'def': 'A DNA recombination process that results in the equal exchange of genetic material between the recombining DNA molecules. [GOC:mah, PMID:11139492, PMID:17304215]' - }, - 'GO:0035826': { - 'name': 'rubidium ion transport', - 'def': 'The directed movement of rubidium ions (Rb+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:49847, GOC:yaf]' - }, - 'GO:0035827': { - 'name': 'rubidium ion transmembrane transporter activity', - 'def': 'Enables the transfer of rubidium ions (Rb+) from one side of a membrane to the other. [CHEBI:49847, GOC:yaf]' - }, - 'GO:0035828': { - 'name': 'renal rubidium ion transport', - 'def': 'The directed movement of rubidium ions (Rb+) by the kidney. [CHEBI:49847, GOC:yaf]' - }, - 'GO:0035829': { - 'name': 'renal rubidium ion absorption', - 'def': 'A renal system process in which rubidium ions are taken up from the collecting ducts and proximal and distal loops of the nephron. In non-mammalian species, absorption may occur in related structures. [CHEBI:49847, GOC:yaf]' - }, - 'GO:0035830': { - 'name': 'palmatine metabolic process', - 'def': 'The chemical reactions and pathways involving palmatine, a berberine alkaloid found in many plants. [CHEBI:16096, GOC:yaf]' - }, - 'GO:0035831': { - 'name': 'palmatine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of palmatine, a berberine alkaloid found in many plants. [CHEBI:16096, GOC:yaf]' - }, - 'GO:0035832': { - 'name': 'berbamunine metabolic process', - 'def': 'The chemical reactions and pathways involving berbamunine, an isoquinoline alkaloid. [CHEBI:16777, GOC:yaf]' - }, - 'GO:0035833': { - 'name': 'berbamunine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of berbamunine, an isoquinoline alkaloid. [CHEBI:16777, GOC:yaf]' - }, - 'GO:0035834': { - 'name': 'indole alkaloid metabolic process', - 'def': 'The chemical reactions and pathways involving an indole alkaloid, an alkaloid containing an indole skeleton. [CHEBI:38958, GOC:yaf]' - }, - 'GO:0035835': { - 'name': 'indole alkaloid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an indole alkaloid, an alkaloid containing an indole skeleton. [CHEBI:38958, GOC:yaf]' - }, - 'GO:0035836': { - 'name': 'ergot alkaloid metabolic process', - 'def': 'The chemical reactions and pathways involving an ergot alkaloid, an indole alkaloid. [CHEBI:23943, GOC:yaf]' - }, - 'GO:0035837': { - 'name': 'ergot alkaloid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an ergot alkaloid. [CHEBI:23943, GOC:yaf]' - }, - 'GO:0035838': { - 'name': 'growing cell tip', - 'def': 'The region at either end of the longest axis of a cylindrical or elongated cell, where polarized growth occurs. [GOC:mah]' - }, - 'GO:0035839': { - 'name': 'non-growing cell tip', - 'def': 'A cell tip at which no growth takes place. For example, in fission yeast the cell end newly formed by cell division does not grow immediately upon its formation, and lacks actin cytoskeletal structures. [GOC:expert_jd, GOC:mah]' - }, - 'GO:0035840': { - 'name': 'old growing cell tip', - 'def': 'A cell tip which has existed for at least one complete cell cycle, and at which polarized growth occurs. For example, in fission yeast the cell end that existed prior to cell division grows immediately after division, and contains a distinctive complement of proteins including actin cytoskeletal structures. [GOC:expert_jd, GOC:mah]' - }, - 'GO:0035841': { - 'name': 'new growing cell tip', - 'def': 'A cell tip that was newly formed at the last cell division, and that has started to grow after the cell has activated bipolar cell growth (i.e. in which new end take-off, NETO, has taken place). New end take-off is when monopolar cells initiate bipolar growth. [GOC:expert_jd, GOC:mah, PMID:19431238]' - }, - 'GO:0035842': { - 'name': 'old cell tip after activation of bipolar cell growth', - 'def': 'A cell tip which has existed for at least one complete cell cycle, and at which polarized growth occurs, which is part of a cell that has activated bipolar cell growth (i.e. in which new end take-off, NETO, has taken place). For example, in fission yeast the cell end that existed prior to cell division grows immediately after division, and contains a distinctive complement of proteins including actin cytoskeletal structures. [GOC:expert_jd, GOC:mah]' - }, - 'GO:0035843': { - 'name': 'endonuclear canal', - 'def': 'A membrane-bound structure present in the nucleus of a spermatozoon. There is variation in the number of endonuclear canals between sperm of different organisms, and some species lack these structures altogether. The endonuclear canal may provide a supporting role for the sperm nucleus, and originates during spermiogenesis from an invagination of the nuclear envelope. [GOC:bf, PMID:18359585]' - }, - 'GO:0035844': { - 'name': 'cloaca development', - 'def': "The process whose specific outcome is the progression of the cloaca over time, from it's formation to the mature structure. The cloaca is the common chamber into which intestinal, genital and urinary canals open in vertebrates. [GOC:dgh, ISBN:0582227089]" - }, - 'GO:0035845': { - 'name': 'photoreceptor cell outer segment organization', - 'def': 'A process that is carried out at the cellular level and results in the assembly, arrangement of constituent parts, or disassembly of the outer segment of a photoreceptor cell, a sensory cell that reacts to the presence of light. The outer segment of the photoreceptor cell contains the light-absorbing materials. [ISBN:0824072820, PMID:14507858]' - }, - 'GO:0035846': { - 'name': 'oviduct epithelium development', - 'def': 'The progression of the oviduct epithelium over time from its initial formation to the mature structure. An oviduct is a tube through which an ova passes from the ovary to the uterus, or from the ovary to the outside of the organism. The oviduct epithelium is the specialized epithelium that lines the oviduct. [GOC:yaf, http://www.thefreedictionary.com/oviduct]' - }, - 'GO:0035847': { - 'name': 'uterine epithelium development', - 'def': 'The progression of an epithelium of the uterus over time from its initial formation to the mature structure. An epithelium is a tissue that covers the internal or external surfaces of an anatomical structure. [GOC:bf, GOC:yaf]' - }, - 'GO:0035848': { - 'name': 'oviduct morphogenesis', - 'def': 'The process in which anatomical structures of the oviduct are generated and organized. An oviduct is a tube through which an ova passes from the ovary to the uterus, or from the ovary to the outside of the organism. [GOC:yaf, http://www.thefreedictionary.com/oviduct]' - }, - 'GO:0035849': { - 'name': 'nephric duct elongation', - 'def': 'The process in which the nephric duct grows along its axis. A nephric duct is a tube that drains a primitive kidney. [GOC:mtg_kidney_jan10, GOC:yaf, PMID:16216236]' - }, - 'GO:0035850': { - 'name': 'epithelial cell differentiation involved in kidney development', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features of an epithelial cell that characterize the cells of the kidney as it progresses from its formation to the mature state. [GOC:bf, GOC:mtg_kidney_jan10, GOC:yaf, PMID:16216236]' - }, - 'GO:0035851': { - 'name': 'Krueppel-associated box domain binding', - 'def': 'Interacting selectively and non-covalently with a Krueppel-associated box (KRAB) domain of a protein. The approximately 75 amino acid KRAB domain is enriched in charged amino acids, and is found in the N-terminal regions of many zinc finger-containing transcription factors. [InterPro:IPR001909]' - }, - 'GO:0035852': { - 'name': 'horizontal cell localization', - 'def': 'Any process in which a horizontal cell is transported to, and/or maintained in, a specific location within the inner nuclear layer (INL) of the retina. A horizontal cell is a neuron that laterally connects other neurons in the inner nuclear layer (INL) of the retina. Targeting of retinal neurons to the appropriate lamina is vital to establish the architecture of the retina. [CL:0000745, GOC:bf, GOC:yaf, PMID:18094249]' - }, - 'GO:0035853': { - 'name': 'chromosome passenger complex localization to spindle midzone', - 'def': 'A cellular protein complex localization that acts on a chromosome passenger complex; as a result, the complex is transported to, or maintained in, a specific location at the spindle midzone. A chromosome passenger complex is a protein complex that contains the BIR-domain-containing protein Survivin, Aurora B kinase, INCENP and Borealin, and coordinates various events based on its location to different structures during the course of mitosis. The spindle midzone is the area in the center of the spindle where the spindle microtubules from opposite poles overlap. [GOC:mah, GOC:vw, PMID:15296749]' - }, - 'GO:0035854': { - 'name': 'eosinophil fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a eosinophil cell. A eosinophil is any of the immature or mature forms of a granular leukocyte with a nucleus that usually has two lobes connected by one or more slender threads of chromatin, and cytoplasm containing coarse, round granules that are uniform in size and which can be stained by the dye eosin. [CL:0000771, GOC:BHF, GOC:vk]' - }, - 'GO:0035855': { - 'name': 'megakaryocyte development', - 'def': 'The process whose specific outcome is the progression of a megakaryocyte cell over time, from its formation to the mature structure. Megakaryocyte development does not include the steps involved in committing a cell to a megakaryocyte fate. A megakaryocyte is a giant cell 50 to 100 micron in diameter, with a greatly lobulated nucleus, found in the bone marrow. [CL:0000556, GOC:BHF, GOC:vk]' - }, - 'GO:0035857': { - 'name': 'eosinophil fate specification', - 'def': 'The process involved in the specification of identity of an eosinophil cell. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. [CL:0000771, GOC:BHF, GOC:vk]' - }, - 'GO:0035858': { - 'name': 'eosinophil fate determination', - 'def': 'The cell fate determination process in which a cell becomes capable of differentiating autonomously into an eosinophil cell regardless of its environment; upon determination, the cell fate cannot be reversed. [CL:0000771, GOC:BHF, GOC:vk]' - }, - 'GO:0035859': { - 'name': 'Seh1-associated complex', - 'def': 'A protein complex that associates dynamically with the vacuolar membrane, and is proposed to have a role in membrane-associated trafficking or regulatory processes. In S. cerevisiae the complex contains Seh1p, Sec13p, Npr2p, Npr3p, Iml1p, Mtc5p, Rtc1p, and Sea4p. [GOC:jh, PMID:21454883, PMID:23974112]' - }, - 'GO:0035860': { - 'name': 'glial cell-derived neurotrophic factor receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a glial cell-derived neurotrophic factor receptor binding to one of its physiological ligands. [GOC:yaf, PMID:12953054]' - }, - 'GO:0035861': { - 'name': 'site of double-strand break', - 'def': 'A region of a chromosome at which a DNA double-strand break has occurred. DNA damage signaling and repair proteins accumulate at the lesion to respond to the damage and repair the DNA to form a continuous DNA helix. [GOC:bf, GOC:mah, GOC:vw, PMID:20096808, PMID:21035408]' - }, - 'GO:0035862': { - 'name': 'dITP metabolic process', - 'def': "The chemical reactions and pathways involving dITP (deoxyinosine triphosphate (2'-deoxyinosine 5'-triphosphate). dITP is a deoxyinosine phosphate compound having a triphosphate group at the 5'-position. [CHEBI:28807, GOC:bf]" - }, - 'GO:0035863': { - 'name': 'dITP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dITP, a deoxyinosine phosphate compound having a triphosphate group at the 5'-position. [CHEBI:28807, GOC:dgf]" - }, - 'GO:0035864': { - 'name': 'response to potassium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a potassium ion stimulus. [GOC:yaf]' - }, - 'GO:0035865': { - 'name': 'cellular response to potassium ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a potassium ion stimulus. [GOC:yaf]' - }, - 'GO:0035866': { - 'name': 'alphav-beta3 integrin-PKCalpha complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to protein kinase C alpha. [GOC:BHF, GOC:ebc, PMID:16014375]' - }, - 'GO:0035867': { - 'name': 'alphav-beta3 integrin-IGF-1-IGF1R complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to insulin-like growth factor-1 (IGF-1) and type I insulin-like growth factor receptor (IGF1R). IGF1R is a heterotetramer that consists of two alpha-subunits and two beta-subunits. [GOC:BHF, GOC:ebc, PMID:19578119]' - }, - 'GO:0035868': { - 'name': 'alphav-beta3 integrin-HMGB1 complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to high mobility group box 1 protein. [GOC:BHF, GOC:ebc, PMID:20826760]' - }, - 'GO:0035869': { - 'name': 'ciliary transition zone', - 'def': 'A region of the cilium between the basal body and proximal segment that is characterized by Y-shaped assemblages that connect axonemal microtubules to the ciliary membrane. The ciliary transition zone appears to function as a gate that controls ciliary membrane composition and separates the cytosol from the ciliary plasm. [GOC:cilia, GOC:kmv, PMID:21422230]' - }, - 'GO:0035870': { - 'name': 'dITP diphosphatase activity', - 'def': 'Catalysis of the reaction: dITP + H2O = dIMP + diphosphate. [EC:3.6.1.-, GOC:dgf, PMID:21548881, RHEA:28342]' - }, - 'GO:0035871': { - 'name': 'protein K11-linked deubiquitination', - 'def': 'A protein deubiquitination process in which a K11-linked ubiquitin chain, i.e. a polymer of ubiquitin formed by linkages between lysine residues at position 11 of the ubiquitin monomers, is removed from a protein. [GOC:sp, PMID:21596315]' - }, - 'GO:0035872': { - 'name': 'nucleotide-binding domain, leucine rich repeat containing receptor signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of a nucleotide-binding domain, leucine rich repeat containing receptor (NLR) binding to one of its physiological ligands. NLRs are cytoplasmic receptors defined by their tripartite domain architecture that contains: a variable C-terminus, a middle nucleotide-binding domain, and a LRR domain that is variable in the repeats composition and number. The NLR signaling pathway begins with binding of a ligand to a NLR receptor and ends with regulation of a downstream cellular process. [GOC:sj, PMID:18280719, Reactome:168643]' - }, - 'GO:0035873': { - 'name': 'lactate transmembrane transport', - 'def': 'The directed movement of lactate across a membrane by means of some agent such as a transporter or pore. Lactate is 2-hydroxypropanoate, CH3-CHOH-COOH; L(+)-lactate is formed by anaerobic glycolysis in animal tissues, and DL-lactate is found in sour milk, molasses and certain fruit juices. [GOC:mcc, ISBN:0198506732]' - }, - 'GO:0035874': { - 'name': 'cellular response to copper ion starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of copper ions. [GOC:vw, PMID:16467469]' - }, - 'GO:0035875': { - 'name': 'maintenance of meiotic sister chromatid cohesion, centromeric', - 'def': 'The process in which the association between sister chromatids of a replicated chromosome along the length of the centromeric region is maintained as chromosomes condense, attach to the spindle in a bipolar orientation, and congress to the metaphase plate during a meiotic cell cycle. [GOC:vw, PMID:1708436]' - }, - 'GO:0035876': { - 'name': 'maintenance of meiotic sister chromatid cohesion, arms', - 'def': 'The process in which the association between sister chromatids of a replicated chromosome along the length of the chromosome arms, is maintained as chromosomes condense, attach to the spindle in a bipolar orientation, and congress to the metaphase plate during a meiotic cell cycle. [GOC:vw, PMID:1708436]' - }, - 'GO:0035877': { - 'name': 'death effector domain binding', - 'def': 'Interacting selectively and non-covalently with a DED domain (death effector domain) of a protein, a homotypic protein interaction module composed of a bundle of six alpha-helices that is related in structure to the death domain (DD). [GOC:ecd, InterPro:IPR001875]' - }, - 'GO:0035878': { - 'name': 'nail development', - 'def': 'The process whose specific outcome is the progression of a nail over time, from its formation to the mature structure. A nail is a horn-like envelope covering the outer end of a finger or toe, and consists of the nail plate, the nail matrix and the nail bed below it, and the grooves surrounding it. [GOC:bf, ISBN:0323025781, UBERON:0001705, Wikipedia:Nail_(anatomy)]' - }, - 'GO:0035879': { - 'name': 'plasma membrane lactate transport', - 'def': 'The directed movement of lactate across a plasma membrane. [GOC:mcc]' - }, - 'GO:0035880': { - 'name': 'embryonic nail plate morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of a nail plate are generated and organized. The nail plate is the hard and translucent portion of the nail, composed of keratin, and serves to protect the tips of digits. [GOC:BHF, GOC:vk, ISBN:0323025781, PMID:11369996, UBERON:0008198, Wikipedia:Nail_(anatomy)]' - }, - 'GO:0035881': { - 'name': 'amacrine cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an amacrine cell, an interneuron generated in the inner nuclear layer (INL) of the vertebrate retina. Amacrine cells integrate, modulate, and interpose a temporal domain in the visual message presented to the retinal ganglion cells, with which they synapse in the inner plexiform layer. Amacrine cells lack large axons. [CL:0000561, GOC:bf]' - }, - 'GO:0035882': { - 'name': 'defecation rhythm', - 'def': 'The rhythmic process of defecation that consists of an intestinal oscillator which regulates calcium waves. These waves in turn control a stereotypical, three-part pattern of muscle contractions. In some organisms, defecation can recur with a regularity more frequent than every 24 hours. For example, in a well-fed Caenorhabditis elegans, the defecation motor program occurs approximately every 45 seconds, and is temperature- and touch-compensated. [GOC:bf, GOC:kmv, PMID:7479775, PMID:8158250, PMID:9066270]' - }, - 'GO:0035883': { - 'name': 'enteroendocrine cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of an enteroendocrine cell. Enteroendocrine cells are hormonally active epithelial cells in the gut that constitute the diffuse neuroendocrine system. [CL:0000164, GOC:bf]' - }, - 'GO:0035884': { - 'name': 'arabinan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of arabinan, a polysaccharide composed of arabinose residues. [CHEBI:22590, GOC:rs, ISBN:0198506732]' - }, - 'GO:0035885': { - 'name': 'exochitinase activity', - 'def': 'Catalysis of the hydrolysis of terminal 1,4-beta-linkages of N-acetyl-D-glucosamine (GlcNAc) polymers of chitin and chitodextrins. Typically, exochitinases progressively cleave off two subunits from the reducing or non-reducing ends of the chitin chain. [EC:3.2.1.-, GOC:bf, GOC:kah, GOC:pde, PMID:11468293, PMID:16298970, PMID:21390509]' - }, - 'GO:0035886': { - 'name': 'vascular smooth muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a vascular smooth muscle cell. [GOC:sl, PMID:16151017, PMID:18267954]' - }, - 'GO:0035887': { - 'name': 'aortic smooth muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a smooth muscle cell surrounding the aorta. [GOC:sl]' - }, - 'GO:0035888': { - 'name': 'isoguanine deaminase activity', - 'def': 'Catalysis of the reaction: isoguanine + H2O = xanthine + NH3. [EC:3.5.4.-, GOC:imk, PMID:21604715]' - }, - 'GO:0035889': { - 'name': 'otolith tethering', - 'def': 'The attachment of a developing otolith to the kinocilia of tether cells in the inner ear. [GOC:dgh, PMID:14499652]' - }, - 'GO:0035890': { - 'name': 'exit from host', - 'def': 'The directed movement of an organism out of the body, tissues or cells of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:bf]' - }, - 'GO:0035891': { - 'name': 'exit from host cell', - 'def': 'The directed movement of an organism out of a cell of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:bf, GOC:rs, PMID:19325115]' - }, - 'GO:0035892': { - 'name': 'modulation of platelet aggregation in other organism', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of platelet aggregation in another organism. Platelet aggregation is the adhesion of one platelet to one or more other platelets via adhesion molecules. [GOC:bf, GOC:fj, PMID:15922770]' - }, - 'GO:0035893': { - 'name': 'negative regulation of platelet aggregation in other organism', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of platelet aggregation in a second organism. [GOC:bf, GOC:fj, PMID:15922770]' - }, - 'GO:0035894': { - 'name': 'positive regulation of platelet aggregation in other organism', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of platelet aggregation in another organism. [GOC:bf, GOC:fj, PMID:11453648, PMID:18804547]' - }, - 'GO:0035895': { - 'name': 'modulation of mast cell degranulation in other organism', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of blood mast cell degranulation in another organism. Mast cell degranulation is the regulated exocytosis of secretory granules containing preformed mediators such as histamine, serotonin, and neutral proteases by a mast cell. [GOC:bf, GOC:fj, PMID:21549739]' - }, - 'GO:0035896': { - 'name': 'positive regulation of mast cell degranulation in other organism', - 'def': 'Any process in which an organism increases the frequency, rate or extent of blood mast cell degranulation in another organism. [GOC:bf, GOC:fj]' - }, - 'GO:0035897': { - 'name': 'proteolysis in other organism', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the hydrolysis of proteins in another organism by cleavage of their peptide bonds. [GOC:bf, GOC:fj, PMID:15922779]' - }, - 'GO:0035898': { - 'name': 'parathyroid hormone secretion', - 'def': 'The regulated release of parathyroid hormone into the circulatory system. [GOC:cjm, PMID:12171519, PMID:21164021, PR:000013429]' - }, - 'GO:0035899': { - 'name': 'negative regulation of blood coagulation in other organism', - 'def': 'Any process in which an organism stops, prevents or reduces the frequency, rate or extent of blood coagulation in another organism. Blood coagulation is the sequential process in which the multiple coagulation factors of the blood interact, ultimately resulting in the formation of an insoluble fibrin clot. [GOC:fj]' - }, - 'GO:0035900': { - 'name': 'response to isolation stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lack of contact with other members of the same species. [GOC:bf, PMID:20203532]' - }, - 'GO:0035901': { - 'name': 'cellular response to isolation stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lack of contact with other members of the same species. [GOC:bf, PMID:20203532]' - }, - 'GO:0035902': { - 'name': 'response to immobilization stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of being rendered immobile. [GOC:bf, PMID:17683801, PMID:19893991]' - }, - 'GO:0035903': { - 'name': 'cellular response to immobilization stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of being rendered immobile. [GOC:bf, PMID:17683801, PMID:19893991]' - }, - 'GO:0035904': { - 'name': 'aorta development', - 'def': 'The progression of the aorta over time, from its initial formation to the mature structure. An aorta is an artery that carries blood from the heart to other parts of the body. [GOC:bf, GOC:dgh, MA:0000062, UBERON:0000947, Wikipedia:Aorta]' - }, - 'GO:0035905': { - 'name': 'ascending aorta development', - 'def': 'The progression of the ascending aorta over time, from its initial formation to the mature structure. The ascending aorta is the portion of the aorta in a two-pass circulatory system that lies between the heart and the arch of aorta. In a two-pass circulatory system blood passes twice through the heart to supply the body once. [GOC:bf, GOC:dgh, MA:0002570, UBERON:0001496, Wikipedia:Ascending_aorta]' - }, - 'GO:0035906': { - 'name': 'descending aorta development', - 'def': 'The progression of the descending aorta over time, from its initial formation to the mature structure. The descending aorta is the portion of the aorta in a two-pass circulatory system from the arch of aorta to the point where it divides into the common iliac arteries. In a two-pass circulatory system blood passes twice through the heart to supply the body once. [GOC:bf, GOC:dgh, MA:0002571, UBERON:0001514, Wikipedia:Descending_aorta]' - }, - 'GO:0035907': { - 'name': 'dorsal aorta development', - 'def': 'The progression of the dorsal aorta over time, from its initial formation to the mature structure. The dorsal aorta is a blood vessel in a single-pass circulatory system that carries oxygenated blood from the gills to the rest of the body. In a single-pass circulatory system blood passes once through the heart to supply the body once. [GOC:bf, GOC:dgh, UBERON:0005805, Wikipedia:Aorta, ZFA:0000014]' - }, - 'GO:0035908': { - 'name': 'ventral aorta development', - 'def': 'The progression of the ventral aorta over time, from its initial formation to the mature structure. The ventral aorta is a blood vessel in a single-pass circulatory system that carries de-oxygenated blood from the heart to the gills. In a single-pass circulatory system blood passes once through the heart to supply the body once. [GOC:bf, GOC:dgh, UBERON:0003085, Wikipedia:Aorta, ZFA:0000604]' - }, - 'GO:0035909': { - 'name': 'aorta morphogenesis', - 'def': 'The process in which the anatomical structures of an aorta are generated and organized. An aorta is an artery that carries blood from the heart to other parts of the body. [GOC:bf, GOC:dgh, MA:0000062, UBERON:0000947, Wikipedia:Aorta]' - }, - 'GO:0035910': { - 'name': 'ascending aorta morphogenesis', - 'def': 'The process in which the anatomical structures of the ascending aorta are generated and organized. The ascending aorta is the portion of the aorta in a two-pass circulatory system that lies between the heart and the arch of aorta. In a two-pass circulatory system blood passes twice through the heart to supply the body once. [GOC:bf, GOC:dgh, MA:0002570, UBERON:0001496, Wikipedia:Ascending_aorta]' - }, - 'GO:0035911': { - 'name': 'descending aorta morphogenesis', - 'def': 'The process in which the anatomical structures of the descending aorta are generated and organized. The descending aorta is the portion of the aorta in a two-pass circulatory system from the arch of aorta to the point where it divides into the common iliac arteries. In a two-pass circulatory system blood passes twice through the heart to supply the body once. [GOC:bf, GOC:dgh, MA:0002571, UBERON:0001514, Wikipedia:Descending_aorta]' - }, - 'GO:0035912': { - 'name': 'dorsal aorta morphogenesis', - 'def': 'The process in which the anatomical structures of the dorsal aorta are generated and organized. The dorsal aorta is a blood vessel in a single-pass circulatory system that carries oxygenated blood from the gills to the rest of the body. In a single-pass circulatory system blood passes once through the heart to supply the body once. [GOC:bf, GOC:dgh, UBERON:0005805, Wikipedia:Aorta, ZFA:0000014]' - }, - 'GO:0035913': { - 'name': 'ventral aorta morphogenesis', - 'def': 'The process in which the anatomical structures of the ventral aorta are generated and organized. The ventral aorta is a blood vessel in a single-pass circulatory system that carries de-oxygenated blood from the heart to the gills. In a single-pass circulatory system blood passes once through the heart to supply the body once. [GOC:bf, GOC:dgh, UBERON:0003085, Wikipedia:Aorta, ZFA:0000604]' - }, - 'GO:0035914': { - 'name': 'skeletal muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a skeletal muscle cell, a somatic cell located in skeletal muscle. [CL:0000188, GOC:BHF, GOC:vk]' - }, - 'GO:0035915': { - 'name': 'pore formation in membrane of other organism', - 'def': 'The aggregation, arrangement and bonding together of a set of components by an organism to form a pore complex in a membrane of another organism. [GOC:bf, GOC:fj, PMID:21549739]' - }, - 'GO:0035916': { - 'name': 'modulation of calcium channel activity in other organism', - 'def': 'Any process in which an organism effects a change in the frequency, rate or extent of the activity of a calcium channel in another organism. [GOC:bf, GOC:fj, PMID:20920515]' - }, - 'GO:0035917': { - 'name': 'negative regulation of calcium channel activity in other organism', - 'def': 'Any process in which an organism stops, prevents or reduces the frequency, rate or extent of the activity of a calcium channel in another organism. [GOC:bf, GOC:fj, PMID:20920515]' - }, - 'GO:0035918': { - 'name': 'negative regulation of voltage-gated calcium channel activity in other organism', - 'def': 'Any process in which an organism stops, prevents or reduces the frequency, rate or extent of the activity of a voltage-gated calcium channel in another organism. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:bf, GOC:fj, ISBN:0815340729, PMID:20920515]' - }, - 'GO:0035919': { - 'name': 'negative regulation of low voltage-gated calcium channel activity in other organism', - 'def': 'Any process in which an organism stops, prevents or reduces the frequency, rate or extent of the activity of a low voltage-gated calcium channel in another organism. A low voltage-gated channel is a channel whose open state is dependent on low voltage across the membrane in which it is embedded. [GOC:bf, GOC:fj, ISBN:0815340729, PMID:20920515]' - }, - 'GO:0035920': { - 'name': 'negative regulation of high voltage-gated calcium channel activity in other organism', - 'def': 'Any process in which an organism stops, prevents or reduces the frequency, rate or extent of the activity of a high voltage-gated calcium channel in another organism. A high voltage-gated channel is a channel whose open state is dependent on high voltage across the membrane in which it is embedded. [GOC:bf, GOC:fj, ISBN:0815340729, PMID:20920515]' - }, - 'GO:0035921': { - 'name': 'desmosome disassembly', - 'def': 'The controlled breakdown of a desmosome. A desmosome is a patch-like intercellular junction found in vertebrate tissues, consisting of parallel zones of two cell membranes, separated by an space of 25-35 nm, and having dense fibrillar plaques in the subjacent cytoplasm. [GOC:BHF, GOC:vk, ISBN:0198506732, PMID:9182671]' - }, - 'GO:0035922': { - 'name': 'foramen ovale closure', - 'def': 'The morphogenetic process in which the foramen ovale closes after birth, to prevent blood flow between the right and left atria. In the fetal heart, the foramen ovale allows blood to enter the left atrium from the right atrium. Closure of the foramen ovale after birth stops this blood flow. [GOC:BHF, GOC:vk, PMID:19762328, UBERON:0004754, Wikipedia:Foramen_ovale_(heart)]' - }, - 'GO:0035923': { - 'name': 'flurbiprofen binding', - 'def': 'Interacting selectively and non-covalently with flurbiprofen. [CHEBI:5130, GOC:BHF, GOC:rl]' - }, - 'GO:0035924': { - 'name': 'cellular response to vascular endothelial growth factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vascular endothelial growth factor stimulus. [GOC:BHF, GOC:rl, PMID:18440775]' - }, - 'GO:0035925': { - 'name': "mRNA 3'-UTR AU-rich region binding", - 'def': "Interacting selectively and non-covalently with a region containing frequent adenine and uridine bases within the 3' untranslated region of a mRNA molecule. [GOC:vw]" - }, - 'GO:0035926': { - 'name': 'chemokine (C-C motif) ligand 2 secretion', - 'def': 'The regulated release of chemokine (C-C motif) ligand 2 (CCL2) from a cell. [PMID:21501162]' - }, - 'GO:0035927': { - 'name': 'RNA import into mitochondrion', - 'def': 'The directed movement of RNA from the cytoplasm into a mitochondrion. [GOC:ans, PMID:20691904]' - }, - 'GO:0035928': { - 'name': 'rRNA import into mitochondrion', - 'def': 'The directed movement of rRNA, ribosomal ribonucleic acid, from the cytoplasm into a mitochondrion. [GOC:ans, PMID:20691904]' - }, - 'GO:0035929': { - 'name': 'steroid hormone secretion', - 'def': 'The regulated release of any steroid that acts as a hormone into the circulatory system. [CHEBI:26764, GOC:sl]' - }, - 'GO:0035930': { - 'name': 'corticosteroid hormone secretion', - 'def': 'The regulated release of any corticosteroid hormone into the circulatory system. [CHEBI:3669, GOC:sl]' - }, - 'GO:0035931': { - 'name': 'mineralocorticoid secretion', - 'def': 'The regulated release of any mineralocorticoid into the circulatory system. Mineralocorticoids are a class of steroid hormones that regulate water and electrolyte metabolism. [CHEBI:25354, GOC:sl]' - }, - 'GO:0035932': { - 'name': 'aldosterone secretion', - 'def': 'The regulated release of aldosterone into the circulatory system. Aldosterone is a pregnane-based steroid hormone produced by the outer-section (zona glomerulosa) of the adrenal cortex in the adrenal gland, and acts on the distal tubules and collecting ducts of the kidney to cause the conservation of sodium, secretion of potassium, increased water retention, and increased blood pressure. The overall effect of aldosterone is to increase reabsorption of ions and water in the kidney. [CHEBI:27584, GOC:sl]' - }, - 'GO:0035933': { - 'name': 'glucocorticoid secretion', - 'def': 'The regulated release of any glucocorticoid hormone into the circulatory system. Glucocorticoids are a class of steroid hormones that regulate a variety of physiological processes, in particular control of the concentration of glucose in blood. [CHEBI:24261, GOC:sl]' - }, - 'GO:0035934': { - 'name': 'corticosterone secretion', - 'def': 'The regulated release of corticosterone into the circulatory system. Corticosterone is a 21-carbon steroid hormone of the corticosteroid type produced in the cortex of the adrenal glands. [CHEBI:16827, GOC:sl]' - }, - 'GO:0035935': { - 'name': 'androgen secretion', - 'def': 'The regulated release of an androgen into the circulatory system. Androgens are steroid hormones that stimulate or control the development and maintenance of masculine characteristics in vertebrates. [CHEBI:50113, GOC:sl]' - }, - 'GO:0035936': { - 'name': 'testosterone secretion', - 'def': 'The regulated release of testosterone into the circulatory system. Testosterone is an androgen having 17beta-hydroxy and 3-oxo groups, together with unsaturation at C-4-C-5. [CHEBI:17347, GOC:sl, PMID:12606499]' - }, - 'GO:0035937': { - 'name': 'estrogen secretion', - 'def': 'The regulated release of estrogen into the circulatory system. Estrogen is a steroid hormone that stimulates or controls the development and maintenance of female sex characteristics in mammals. [CHEBI:50114, GOC:sl]' - }, - 'GO:0035938': { - 'name': 'estradiol secretion', - 'def': 'The regulated release of estradiol into the circulatory system. [CHEBI:23965, GOC:sl, PMID:21632818]' - }, - 'GO:0035939': { - 'name': 'microsatellite binding', - 'def': 'Interacting selectively and non-covalently with a microsatellite, a repeat_region in DNA containing repeat units (2 to 4 base pairs) that is repeated multiple times in tandem. [GOC:yaf, PMID:21290414, SO:0000289]' - }, - 'GO:0035940': { - 'name': 'negative regulation of peptidase activity in other organism', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of peptidase activity, the catalysis of the hydrolysis of peptide bonds in a protein, in a second organism. [GOC:klp, PMID:10595640]' - }, - 'GO:0035941': { - 'name': 'androstenedione secretion', - 'def': 'The regulated release of androstenedione (androst-4-ene-3,17-dione) into the circulatory system. [CHEBI:16422, GOC:sl]' - }, - 'GO:0035942': { - 'name': 'dehydroepiandrosterone secretion', - 'def': 'The regulated release of dehydroepiandrosterone (3beta-hydroxyandrost-5-en-17-one) into the circulatory system. [CHEBI:28689, GOC:sl]' - }, - 'GO:0035943': { - 'name': 'estrone secretion', - 'def': 'The regulated release of estrone into the circulatory system. [CHEBI:17263, GOC:sl, PMID:8395854]' - }, - 'GO:0035944': { - 'name': 'perforin production', - 'def': 'The appearance of a perforin protein due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv, PR:000003466]' - }, - 'GO:0035945': { - 'name': 'mitochondrial ncRNA surveillance', - 'def': 'The set of processes involved in identifying and degrading defective or aberrant non-coding RNA transcripts (ncRNAs) within the mitochondrion. [GOC:ans, PMID:19864255]' - }, - 'GO:0035946': { - 'name': 'mitochondrial mRNA surveillance', - 'def': 'The set of processes involved in identifying and degrading messenger RNA (mRNA) within the mitochondrion. [GOC:ans, PMID:19864255]' - }, - 'GO:0035947': { - 'name': 'regulation of gluconeogenesis by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of gluconeogenesis, by regulation of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:11024040, PMID:17875938, PMID:19686338]' - }, - 'GO:0035948': { - 'name': 'positive regulation of gluconeogenesis by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of gluconeogenesis by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:17875938]' - }, - 'GO:0035949': { - 'name': 'positive regulation of gluconeogenesis by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of gluconeogenesis by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:17875938]' - }, - 'GO:0035950': { - 'name': 'regulation of oligopeptide transport by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of oligopeptide transport, by regulation of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:17005992]' - }, - 'GO:0035951': { - 'name': 'positive regulation of oligopeptide transport by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of oligopeptide transport by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf]' - }, - 'GO:0035952': { - 'name': 'negative regulation of oligopeptide transport by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oligopeptide transport by stopping, preventing or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:17005992]' - }, - 'GO:0035953': { - 'name': 'regulation of dipeptide transport by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of dipeptide transport, by regulation of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:17005992]' - }, - 'GO:0035954': { - 'name': 'positive regulation of dipeptide transport by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of dipeptide transport by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf]' - }, - 'GO:0035955': { - 'name': 'negative regulation of dipeptide transport by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dipeptide transport by stopping, preventing or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:10850718, PMID:17005992, PMID:9427760]' - }, - 'GO:0035956': { - 'name': 'regulation of starch catabolic process by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of the breakdown of starch, by modulating the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:9342405]' - }, - 'GO:0035957': { - 'name': 'positive regulation of starch catabolic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of the breakdown of starch, by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf]' - }, - 'GO:0035958': { - 'name': 'regulation of glyoxylate cycle by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of the glyoxylate cycle by modulating the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:11024040, PMID:17875938, PMID:19686338]' - }, - 'GO:0035959': { - 'name': 'positive regulation of glyoxylate cycle by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of the glyoxylate cycle by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:11024040, PMID:17875938, PMID:19686338]' - }, - 'GO:0035960': { - 'name': 'regulation of ergosterol biosynthetic process by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of ergosterol biosynthetic process by modulating the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:11533229, PMID:16055745]' - }, - 'GO:0035961': { - 'name': 'positive regulation of ergosterol biosynthetic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of ergosterol biosynthesis by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:11533229]' - }, - 'GO:0035962': { - 'name': 'response to interleukin-13', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-13 stimulus. [GOC:sjw, PMID:20100461]' - }, - 'GO:0035963': { - 'name': 'cellular response to interleukin-13', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-13 stimulus. [GOC:sjw, PMID:20100461]' - }, - 'GO:0035964': { - 'name': 'COPI-coated vesicle budding', - 'def': 'The evagination of a Golgi membrane, resulting in formation of a COPI-coated vesicle. [GOC:br, PMID:10052452, PMID:17041781]' - }, - 'GO:0035965': { - 'name': 'cardiolipin acyl-chain remodeling', - 'def': 'Remodeling the acyl chains of premature (de novo synthesized) cardiolipin (1,3-bis(3-phosphatidyl)glycerol), through sequential deacylation and re-acylation reactions, to generate mature cardiolipin containing high-levels of unsaturated fatty acids. [GOC:bf, GOC:rb, PMID:19244244]' - }, - 'GO:0035966': { - 'name': 'response to topologically incorrect protein', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a protein that is not folded in its correct three-dimensional structure. [GOC:bf]' - }, - 'GO:0035967': { - 'name': 'cellular response to topologically incorrect protein', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a protein that is not folded in its correct three-dimensional structure. [GOC:bf]' - }, - 'GO:0035968': { - 'name': 'regulation of sterol import by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of sterol import, by regulation of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:12077145]' - }, - 'GO:0035969': { - 'name': 'positive regulation of sterol import by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of sterol import by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:11533229]' - }, - 'GO:0035970': { - 'name': 'peptidyl-threonine dephosphorylation', - 'def': 'The removal of phosphoric residues from peptidyl-O-phospho-L-threonine to form peptidyl-threonine. [GOC:bf]' - }, - 'GO:0035971': { - 'name': 'peptidyl-histidine dephosphorylation', - 'def': 'The removal of phosphoric residues from peptidyl-O-phospho-L-histidine to form peptidyl-histidine. [GOC:BHF, GOC:vk, PMID:12383260]' - }, - 'GO:0035973': { - 'name': 'aggrephagy', - 'def': 'Selective degradation of protein aggregates by macroautophagy. [GOC:autophagy, GOC:kmv, PMID:18508269, PMID:25062811]' - }, - 'GO:0035974': { - 'name': 'meiotic spindle pole body', - 'def': 'The microtubule organizing center that forms as part of the meiotic cell cycle; functionally homologous to the animal cell centrosome. [GOC:vw, PMID:21775631]' - }, - 'GO:0035975': { - 'name': 'carbamoyl phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbamoyl phosphate, an intermediate in the urea cycle and other nitrogen compound metabolic pathways. [CHEBI:17672, GOC:yaf, UniPathway:UPA00996]' - }, - 'GO:0035976': { - 'name': 'transcription factor AP-1 complex', - 'def': 'A heterodimeric transcription factor complex composed of proteins from the c-Fos, c-Jun, activating transcription factor (ATF) or JDP families. The subunits contain a basic leucine zipper (bZIP) domain that is essential for dimerization and DNA binding. Jun-Fos heterodimers bind preferentially to a heptamer consensus sequence (TPA responsive element (TRE)), whereas Jun-ATF dimers bind the cyclic AMP responsive element (CRE) to regulate transcription of target genes. [GOC:bf, GOC:BHF, GOC:rl, PMID:20060892, PMID:9069263, Wikipedia:AP-1_transcription_factor]' - }, - 'GO:0035977': { - 'name': 'protein deglycosylation involved in glycoprotein catabolic process', - 'def': 'The removal of sugar residues from a glycosylated protein that contributes to the breakdown of a glycoprotein. [GOC:bf, GOC:vw]' - }, - 'GO:0035978': { - 'name': 'histone H2A-S139 phosphorylation', - 'def': 'The modification of histone H2A by the addition of an phosphate group to a serine residue at position 139 of the histone. [GOC:yaf, PMID:16061642]' - }, - 'GO:0035979': { - 'name': 'histone kinase activity (H2A-S139 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the serine-139 residue of the C-terminal tail of histone H2A. [GOC:yaf, PMID:16061642]' - }, - 'GO:0035980': { - 'name': 'obsolete invasive growth in response to nitrogen limitation', - 'def': 'OBSOLETE. The growth of colonies in filamentous chains of cells as a result of a reduced availability of nitrogen. [GOC:vw]' - }, - 'GO:0035981': { - 'name': 'tongue muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a tongue muscle cell. [CL:0002673, GOC:yaf, PMID:3393851]' - }, - 'GO:0035982': { - 'name': 'obsolete age-dependent behavioral decline', - 'def': 'OBSOLETE. A developmental process that arises as an organism progresses toward the end of its lifespan that results in a decline in behavioral activities such as locomotory behavior, and learning or memory. [GOC:kmv, PMID:20523893]' - }, - 'GO:0035983': { - 'name': 'response to trichostatin A', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a trichostatin A stimulus. [CHEBI:46024, GOC:yaf, PMID:20181743]' - }, - 'GO:0035984': { - 'name': 'cellular response to trichostatin A', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a trichostatin A stimulus. [CHEBI:46024, GOC:yaf, PMID:20181743]' - }, - 'GO:0035985': { - 'name': 'senescence-associated heterochromatin focus', - 'def': 'A transcriptionally-silent heterochromatin structure present in senescent cells. Contains the condensed chromatin of one chromosome and is enriched for histone modifications. Thought to repress expression of proliferation-promoting genes. [GOC:yaf, PMID:15621527, PMID:21248468]' - }, - 'GO:0035986': { - 'name': 'senescence-associated heterochromatin focus assembly', - 'def': 'The assembly of chromatin into senescence-associated heterochromatin foci (SAHF), transcriptionally-silent heterochromatin structures present in senescent cells, containing the condensed chromatin of one chromosome, and enriched for histone modifications. Formation of these chromatin structures is thought to repress expression of proliferation-promoting genes. [GOC:yaf, PMID:15621527, PMID:21248468]' - }, - 'GO:0035987': { - 'name': 'endodermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an endoderm cell, a cell of the inner of the three germ layers of the embryo. [CL:0000223, GOC:yaf, PMID:17624332]' - }, - 'GO:0035988': { - 'name': 'chondrocyte proliferation', - 'def': 'The multiplication or reproduction of chondrocytes by cell division, resulting in the expansion of their population. A chondrocyte is a polymorphic cell that forms cartilage. [CL:0000138, GOC:yaf, PMID:21484705]' - }, - 'GO:0035989': { - 'name': 'tendon development', - 'def': 'The process whose specific outcome is the progression of a tendon over time, from its formation to the mature structure. A tendon is a fibrous, strong, connective tissue that connects muscle to bone or integument and is capable of withstanding tension. Tendons and muscles work together to exert a pulling force. [GOC:yaf, PMID:21412429, UBERON:0000043]' - }, - 'GO:0035990': { - 'name': 'tendon cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a tendon cell. Tendon cell are elongated fibrocytes in which the cytoplasm is stretched between the collagen fibres of the tendon. Tendon cells have a central cell nucleus with a prominent nucleolus, a well-developed rough endoplasmic reticulum, and are responsible for synthesis and turnover of tendon fibres and ground substance. [CL:0000388, GOC:yaf, PMID:21412429]' - }, - 'GO:0035991': { - 'name': 'nitric oxide sensor activity', - 'def': 'Interacting selectively and non-covalently with and responding, e.g. by conformational change, to changes in the cellular level of nitric oxide (NO). [GOC:kmv, PMID:21491957]' - }, - 'GO:0035992': { - 'name': 'tendon formation', - 'def': 'The process that gives rise to a tendon. This process pertains to the initial formation of a tendon from unspecified parts. [GOC:yaf, PMID:17567668, UBERON:0000043]' - }, - 'GO:0035993': { - 'name': 'deltoid tuberosity development', - 'def': 'The process whose specific outcome is the progression of the deltoid tuberosity over time, from its formation to the mature structure. The deltoid tuberosity is the region on the shaft of the humerus to which the deltoid muscle attaches. The deltoid tuberosity develops through endochondral ossification in a two-phase process; an initiating tendon-dependent phase, and a muscle-dependent growth phase. [GOC:yaf, PMID:17567668, UBERON:0002498, Wikipedia:Deltoid_tuberosity]' - }, - 'GO:0035994': { - 'name': 'response to muscle stretch', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a myofibril being extended beyond its slack length. [GOC:BHF, GOC:vk, PMID:14583192]' - }, - 'GO:0035995': { - 'name': 'detection of muscle stretch', - 'def': 'The series of events by which a muscle stretch stimulus is received by a cell and converted into a molecular signal. [PMID:14583192]' - }, - 'GO:0035996': { - 'name': 'rhabdomere microvillus', - 'def': 'Thin cylindrical membrane-covered projection on the surface of a rhabdomere. [GOC:bf, GOC:sart, PMID:14744998]' - }, - 'GO:0035997': { - 'name': 'rhabdomere microvillus membrane', - 'def': 'The portion of the plasma membrane surrounding a microvillus of a rhabdomere. [GOC:bf, GOC:sart, PMID:14744998]' - }, - 'GO:0035998': { - 'name': "7,8-dihydroneopterin 3'-triphosphate biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of 7,8-dihydroneopterin 3'-triphosphate. [CHEBI:18372, GOC:yaf, UniPathway:UPA00848]" - }, - 'GO:0035999': { - 'name': 'tetrahydrofolate interconversion', - 'def': 'The chemical reactions and pathways by which one-carbon (C1) units are transferred between tetrahydrofolate molecules, to synthesise other tetrahydrofolate molecules. [GOC:yaf, PMID:1825999, UniPathway:UPA00193]' - }, - 'GO:0036000': { - 'name': 'mucocyst', - 'def': 'A small subcellular vesicle, surrounded by a membrane, in the pellicle of ciliate protozoans that discharges a mucus-like secretion. [GOC:mag, PMID:10723937, PMID:4629881]' - }, - 'GO:0036001': { - 'name': "'de novo' pyridoxal 5'-phosphate biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of pyridoxal 5'-phosphate, the active form of vitamin B6, from simpler components. [GOC:bf, GOC:yaf, MetaCyc:PYRIDOXSYN-PWY]" - }, - 'GO:0036002': { - 'name': 'pre-mRNA binding', - 'def': 'Interacting selectively and non-covalently with pre-messenger RNA (pre-mRNA), an intermediate molecule between DNA and protein that may contain introns and, at least in part, encodes one or more proteins. Introns are removed from pre-mRNA to form a mRNA molecule. [GOC:bf, GOC:kmv, PMID:21901112, SO:0000120]' - }, - 'GO:0036003': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to stress', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:mcc]' - }, - 'GO:0036004': { - 'name': 'GAF domain binding', - 'def': 'Interacting selectively and non-covalently with the GAF domain of a protein. [GOC:yaf, InterPro:IPR003018]' - }, - 'GO:0036005': { - 'name': 'response to macrophage colony-stimulating factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a macrophage colony-stimulating factor stimulus. [GOC:yaf, PMID:14687666]' - }, - 'GO:0036006': { - 'name': 'cellular response to macrophage colony-stimulating factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a macrophage colony-stimulating factor stimulus. [GOC:yaf, PMID:14687666]' - }, - 'GO:0036007': { - 'name': 'scintillon', - 'def': 'A body present in the cytoplasm of some dinoflagellates, which is the source of bioluminescence; emits light on acidification in the presence of oxygen. [GOC:mag, GOC:pr, PMID:4501583, PMID:5642469]' - }, - 'GO:0036008': { - 'name': 'sucrose catabolic process to fructose-6-phosphate and glucose-6-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sucrose, which proceeds by phosphorylation of sucrose to form sucrose-6-phosphate. The subsequent actions of a hydrolase and a fructokinase generate fructose-6-phosphate and glucose-6-phosphate. [GOC:bf, GOC:dgf, MetaCyc:SUCUTIL-PWY]' - }, - 'GO:0036009': { - 'name': 'protein-glutamine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + protein L-glutamine = S-adenosyl-L-homocysteine + protein N-methyl-L-glutamine. [GOC:imk, PMID:11847124]' - }, - 'GO:0036010': { - 'name': 'protein localization to endosome', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an endosome. [GOC:yaf]' - }, - 'GO:0036011': { - 'name': 'imaginal disc-derived leg segmentation', - 'def': 'Division of an imaginal disc-derived leg into a series of semi-repetitive parts or segments. The Drosophila leg, for example, has nine segments, each separated from the next by a flexible joint. [GOC:bf]' - }, - 'GO:0036012': { - 'name': 'cyanelle inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of the cyanelle envelope; also faces the cyanelle stroma. [GOC:aa, PMID:18976493]' - }, - 'GO:0036013': { - 'name': 'cyanelle outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing, lipid bilayer of the cyanelle envelope. [GOC:aa]' - }, - 'GO:0036014': { - 'name': 'cyanelle intermembrane space', - 'def': 'The region between the inner and outer lipid bilayers of the cyanelle envelope; includes the peptidoglycan layer. [GOC:aa]' - }, - 'GO:0036015': { - 'name': 'response to interleukin-3', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-3 stimulus. [GOC:yaf, PR:000001387]' - }, - 'GO:0036016': { - 'name': 'cellular response to interleukin-3', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-3 stimulus. [GOC:yaf, PR:000001387]' - }, - 'GO:0036017': { - 'name': 'response to erythropoietin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an erythropoietin stimulus. Erythropoietin is a glycoprotein hormone that controls erythropoiesis. [GOC:yaf, PR:000007141]' - }, - 'GO:0036018': { - 'name': 'cellular response to erythropoietin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an erythropoietin stimulus. [GOC:yaf, PR:000007141]' - }, - 'GO:0036019': { - 'name': 'endolysosome', - 'def': 'An transient hybrid organelle formed by fusion of a late endosome with a lysosome, and in which active degradation takes place. [GOC:pde, PMID:21878991]' - }, - 'GO:0036020': { - 'name': 'endolysosome membrane', - 'def': 'The lipid bilayer surrounding an endolysosome. An endolysosome is a transient hybrid organelle formed by fusion of a late endosome with a lysosome. [GOC:pde]' - }, - 'GO:0036021': { - 'name': 'endolysosome lumen', - 'def': 'The volume enclosed by the membrane of an endolysosome. An endolysosome is a transient hybrid organelle formed by fusion of a late endosome with a lysosome. [GOC:pde]' - }, - 'GO:0036022': { - 'name': 'limb joint morphogenesis', - 'def': 'The process in which the anatomical structures of a limb joint are generated and organized. A limb joint is a flexible region that separates the rigid sections of a limb to allow movement in a controlled manner. [GOC:bf]' - }, - 'GO:0036023': { - 'name': 'embryonic skeletal limb joint morphogenesis', - 'def': 'The process, occurring in the embryo, in which the anatomical structures of a skeletal limb joint are generated and organized. A skeletal limb joint is the connecting structure between the bones of a limb. [GOC:bf, Wikipedia:Joint]' - }, - 'GO:0036024': { - 'name': 'protein C inhibitor-TMPRSS7 complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and transmembrane protease serine 7 (TMPRSS7); formation of the complex inhibits the serine protease activity of transmembrane protease serine 7. [GOC:ans, PMID:15853774]' - }, - 'GO:0036025': { - 'name': 'protein C inhibitor-TMPRSS11E complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and transmembrane protease serine 11E (TMPRSS11E); formation of the complex inhibits the serine protease activity of transmembrane protease serine 11E. [GOC:ans, PMID:15328353]' - }, - 'GO:0036026': { - 'name': 'protein C inhibitor-PLAT complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and tissue-type plasminogen activator (PLAT); formation of the complex inhibits the serine protease activity of tissue-type plasminogen activator. [GOC:ans, PMID:10340997]' - }, - 'GO:0036027': { - 'name': 'protein C inhibitor-PLAU complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and urokinase-type plasminogen activator (PLAU); formation of the complex inhibits the serine protease activity of urokinase-type plasminogen activator. [GOC:ans, PMID:10340997, PMID:3501295, PMID:8536714]' - }, - 'GO:0036028': { - 'name': 'protein C inhibitor-thrombin complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and thrombin (F2); formation of the complex inhibits the serine protease activity of thrombin. [GOC:ans, PMID:6323392]' - }, - 'GO:0036029': { - 'name': 'protein C inhibitor-KLK3 complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and prostate-specific antigen (KLK3); formation of the complex inhibits the serine protease activity of prostate-specific antigen. [GOC:ans, PMID:1725227]' - }, - 'GO:0036030': { - 'name': 'protein C inhibitor-plasma kallikrein complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and plasma kallikrein (KLK1B); formation of the complex inhibits the serine protease activity of plasma kallikrein. [GOC:ans, PMID:2844223, PMID:8536714]' - }, - 'GO:0036031': { - 'name': 'recruitment of mRNA capping enzyme to RNA polymerase II holoenzyme complex', - 'def': "The process in which the guanylyltransferase enzyme responsible for adding a 7-methylguanosine cap on pre-mRNA becomes associated with the RNA polymerase II holoenzyme complex and the 5' end of a transcript. [GOC:bf, GOC:rb, PMID:10594013]" - }, - 'GO:0036032': { - 'name': 'neural crest cell delamination', - 'def': 'The negative regulation of cell adhesion process in which a neural crest cell physically separates from the rest of the neural tube. [CL:0000333, PMID:17076275]' - }, - 'GO:0036033': { - 'name': 'mediator complex binding', - 'def': 'Interacting selectively and non-covalently with a mediator complex. The mediator complex is a protein complex that interacts with the carboxy-terminal domain of the largest subunit of RNA polymerase II and plays an active role in transducing the signal from a transcription factor to the transcriptional machinery. The Saccharomyces complex contains several identifiable subcomplexes: a head domain comprising Srb2, -4, and -5, Med6, -8, and -11, and Rox3 proteins; a middle domain comprising Med1, -4, and -7, Nut1 and -2, Cse2, Rgr1, Soh1, and Srb7 proteins; a tail consisting of Gal11p, Med2p, Pgd1p, and Sin4p; and a regulatory subcomplex comprising Ssn2, -3, and -8, and Srb8 proteins. Metazoan mediator complexes have similar modular structures and include homologs of yeast Srb and Med proteins. [GOC:yaf, PMID:18391015]' - }, - 'GO:0036034': { - 'name': 'mediator complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a mediator complex. The mediator complex is a protein complex that interacts with the carboxy-terminal domain of the largest subunit of RNA polymerase II and plays an active role in transducing the signal from a transcription factor to the transcriptional machinery. The Saccharomyces complex contains several identifiable subcomplexes: a head domain comprising Srb2, -4, and -5, Med6, -8, and -11, and Rox3 proteins; a middle domain comprising Med1, -4, and -7, Nut1 and -2, Cse2, Rgr1, Soh1, and Srb7 proteins; a tail consisting of Gal11p, Med2p, Pgd1p, and Sin4p; and a regulatory subcomplex comprising Ssn2, -3, and -8, and Srb8 proteins. Metazoan mediator complexes have similar modular structures and include homologs of yeast Srb and Med proteins. [GOC:yaf, PMID:17641689]' - }, - 'GO:0036035': { - 'name': 'osteoclast development', - 'def': 'The process whose specific outcome is the progression of a osteoclast from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. An osteoclast is a specialized phagocytic cell associated with the absorption and removal of the mineralized matrix of bone tissue. [CL:0000092, GOC:bf, GOC:yaf]' - }, - 'GO:0036036': { - 'name': 'cardiac neural crest cell delamination', - 'def': 'The negative regulation of cell adhesion process in which a cardiac neural crest cell physically separates from the rest of the neural tube. [GOC:hjd, PMID:17076275, PMID:18539270, PMID:20490374]' - }, - 'GO:0036037': { - 'name': 'CD8-positive, alpha-beta T cell activation', - 'def': 'The change in morphology and behavior of a CD8-positive, alpha-beta T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [CL:0000625, GOC:yaf]' - }, - 'GO:0036038': { - 'name': 'MKS complex', - 'def': 'A protein complex that is located at the ciliary transition zone and consists of several proteins some of which are membrane bound. Acts as an organiser of transition zone inner structure, specifically the Y-shaped links, in conjunction with the NPHP complex. The MKS complex also acts as part of the selective barrier that prevents diffusion of proteins between the ciliary cytoplasm and cellular cytoplasm as well as between the ciliary membrane and plasma membrane. [GOC:cilia, GOC:sp, PMID:21422230, PMID:21565611, PMID:21725307, PMID:22179047, PMID:25869670, PMID:26595381, PMID:26982032]' - }, - 'GO:0036039': { - 'name': 'curcumin metabolic process', - 'def': 'The chemical reactions and pathways involving the polyphenol, curcumin. [CHEBI:3962, PMID:21467222]' - }, - 'GO:0036040': { - 'name': 'curcumin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the polyphenol, curcumin. [CHEBI:3962, PMID:21467222]' - }, - 'GO:0036041': { - 'name': 'long-chain fatty acid binding', - 'def': 'Interacting selectively and non-covalently with a long-chain fatty acid. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, GOC:pm, PMID:12641450]' - }, - 'GO:0036042': { - 'name': 'long-chain fatty acyl-CoA binding', - 'def': 'Interacting selectively and non-covalently with a long-chain fatty acyl-CoA. A long-chain fatty acyl-CoA is any derivative of coenzyme A in which the sulfhydryl group is in a thioester linkage with a long-chain fatty-acyl group. Long-chain fatty-acyl-CoAs have chain lengths of C13 or more. [CHEBI:33184, GOC:pm]' - }, - 'GO:0036043': { - 'name': 'obsolete microspike', - 'def': 'OBSOLETE. A dynamic, actin-rich projection extending from the surface of a migrating animal cell. [PMID:11429692, PMID:12153987, PMID:19095735]' - }, - 'GO:0036044': { - 'name': 'obsolete protein malonylation', - 'def': 'OBSOLETE: The modification of a protein amino acid by the addition of a malonyl (CO-CH2-CO) group. [CHEBI:25134, GOC:sp]' - }, - 'GO:0036045': { - 'name': 'obsolete peptidyl-lysine malonylation', - 'def': 'OBSOLETE. The addition of a malonyl group (CO-CH2-CO) to peptidyl-lysine to form N6-malonyl-L-lysine. [GOC:jsg, GOC:sp, PMID:21908771, PMID:22076378, RESID:AA0568]' - }, - 'GO:0036046': { - 'name': 'protein demalonylation', - 'def': 'The removal of a malonyl group (CO-CH2-CO), from an amino acid residue within a protein or peptide. [GOC:sp, PMID:22076378]' - }, - 'GO:0036047': { - 'name': 'peptidyl-lysine demalonylation', - 'def': 'The process of removing a malonyl group (CO-CH2-CO) from an malonylated lysine residue in a peptide or protein. [GOC:sp, PMID:22076378]' - }, - 'GO:0036048': { - 'name': 'protein desuccinylation', - 'def': 'The removal of a succinyl group (CO-CH2-CH2-CO) from a residue in a peptide or protein. [CHEBI:37952, GOC:sp, PMID:22076378]' - }, - 'GO:0036049': { - 'name': 'peptidyl-lysine desuccinylation', - 'def': 'The removal of a succinyl group (CO-CH2-CH2-CO) from a succinylated lysine residue in a peptide or protein. [CHEBI:37952, GOC:sp, PMID:22076378]' - }, - 'GO:0036050': { - 'name': 'peptidyl-lysine succinylation', - 'def': 'The modification of a peptidyl-lysine residue by the addition of a succinyl group (CO-CH2-CH2-CO) to form N6-succinyl-L-lysine. [CHEBI:37952, GOC:jsg, GOC:sp, PMID:21151122, RESID:AA0545]' - }, - 'GO:0036051': { - 'name': 'protein localization to trailing edge', - 'def': 'A process in which a protein is transported to, or maintained at, the trailing edge. The trailing edge is the area of a motile cell opposite to the direction of movement. [GOC:pf, GOC:pg]' - }, - 'GO:0036052': { - 'name': 'protein localization to uropod', - 'def': 'A process in which a protein is transported to, or maintained in, a uropod. A uropod is a membrane projection with related cytoskeletal components at the trailing edge of a migrating cell. [GOC:add, GOC:pf, ISBN:0781735149, PMID:12714569, PMID:12787750]' - }, - 'GO:0036053': { - 'name': 'glomerular endothelium fenestra', - 'def': 'A large plasma membrane-lined circular pore that perforates the flattened glomerular endothelium and, unlike those of other fenestrated capillaries, is not spanned by diaphragms; the density and size of glomerular fenestrae account, at least in part, for the high permeability of the glomerular capillary wall to water and small solutes. [GOC:cjm, MP:0011454, PMID:19129259]' - }, - 'GO:0036054': { - 'name': 'protein-malonyllysine demalonylase activity', - 'def': 'Catalysis of the reaction: protein-malonyllysine + H2O => protein-lysine + malonate. This reaction is the removal of a malonyl group (CO-CH2-CO) from a malonylated lysine residue of a protein or peptide. [GOC:sp, PMID:21908771, PMID:22076378]' - }, - 'GO:0036055': { - 'name': 'protein-succinyllysine desuccinylase activity', - 'def': 'Catalysis of the reaction: protein-succinyllysine + H2O => protein-lysine + succinate. This reaction is the removal of a succinyl group (CO-CH2-CH2-CO) from a succinylated lysine residue of a protein or peptide. [GOC:sp, PMID:22076378]' - }, - 'GO:0036056': { - 'name': 'filtration diaphragm', - 'def': 'A specialized cell-cell junction found between the cells of the excretory system, which provides a barrier for filtration of blood or hemolymph. [GOC:mtg_kidney_jan10, GOC:sart, PMID:18971929]' - }, - 'GO:0036057': { - 'name': 'slit diaphragm', - 'def': 'A specialized cell-cell junction found between the interdigitating foot processes of the glomerular epithelium (the podocytes) in the vertebrate kidney, which is adapted for facilitating glomerular filtration. [GOC:mtg_kidney_jan10, GOC:rph, PMID:12386277, PMID:15994232, PMID:18971929, PMID:19478094]' - }, - 'GO:0036058': { - 'name': 'filtration diaphragm assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a filtration diaphragm, a specialized cell-cell junction found between the cells of the excretory system, which provides a barrier for filtration of blood or hemolymph. [GOC:mtg_kidney_jan10, PMID:18971929]' - }, - 'GO:0036059': { - 'name': 'nephrocyte diaphragm assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a nephrocyte diaphragm, a specialized cell-cell junction found between nephrocytes of the insect kidney. [GOC:mtg_kidney_jan10, GOC:sart, PMID:18971929]' - }, - 'GO:0036060': { - 'name': 'slit diaphragm assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a slit diaphragm, specialized cell-cell junction found between the interdigitating foot processes of the glomerular epithelium (the podocytes) in the vertebrate kidney, which is adapted for facilitating glomerular filtration. [GOC:mtg_kidney_jan10, GOC:rph, PMID:20633639]' - }, - 'GO:0036061': { - 'name': 'muscle cell chemotaxis toward tendon cell', - 'def': 'The directed movement of a muscle cell towards a tendon cell in response to an external stimulus. Tendon cells, for example, produce positive guidance cues that attract muscle cells. [GOC:sart, PMID:19793885]' - }, - 'GO:0036062': { - 'name': 'presynaptic periactive zone', - 'def': 'A region that surrounds the active zone of the presynaptic plasma membrane, and is specialized for the control of synaptic development. [GOC:sart, PMID:10976048, PMID:18439406]' - }, - 'GO:0036063': { - 'name': 'acroblast', - 'def': 'A cone-shaped structure in the head of a spermatozoon, which is formed by the coalescence of Golgi fragments following the completion of meiosis. The acroblast is situated adjacent to the acrosomal vesicle. [GOC:sart, PMID:19934220]' - }, - 'GO:0036064': { - 'name': 'ciliary basal body', - 'def': 'A membrane-tethered, short cylindrical array of microtubules and associated proteins found at the base of a eukaryotic cilium (also called flagellum) that is similar in structure to a centriole and derives from it. The cilium basal body is the site of assembly and remodelling of the cilium and serves as a nucleation site for axoneme growth. As well as anchoring the cilium, it is thought to provide a selective gateway regulating the entry of ciliary proteins and vesicles by intraflagellar transport. [GOC:cilia, GOC:clt, PMID:21750193]' - }, - 'GO:0036065': { - 'name': 'fucosylation', - 'def': 'The covalent attachment of a fucosyl group to an acceptor molecule. [CHEBI:62688, GOC:sart, PMID:19948734]' - }, - 'GO:0036066': { - 'name': 'protein O-linked fucosylation', - 'def': 'The process of transferring a fucosyl group to a serine or threonine residues in a protein acceptor molecule, to form an O-linked protein-sugar linkage. [GOC:sart, PMID:19948734]' - }, - 'GO:0036067': { - 'name': 'light-dependent chlorophyll biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chlorophyll, any compound of magnesium complexed in a porphyrin (tetrapyrrole) ring and which functions as a photosynthetic pigment, from less complex precursors, which occur in the presence of light. [GOC:yaf, PMID:12242396]' - }, - 'GO:0036068': { - 'name': 'light-independent chlorophyll biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chlorophyll, any compound of magnesium complexed in a porphyrin (tetrapyrrole) ring and which functions as a photosynthetic pigment, from less complex precursors, which occur in the absence of light. [GOC:yaf, PMID:12242396, UniPathway:UPA00670]' - }, - 'GO:0036069': { - 'name': 'light-dependent bacteriochlorophyll biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a bacteriochlorophyll, which occur in the presence of light. Bacteriochlorophylls are any of the chlorophylls of photosynthetic bacteria; they differ structurally from the chlorophylls of higher plants. [GOC:yaf, PMID:12242396]' - }, - 'GO:0036070': { - 'name': 'light-independent bacteriochlorophyll biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a bacteriochlorophyll, which occur in the absence of light. Bacteriochlorophylls are any of the chlorophylls of photosynthetic bacteria; they differ structurally from the chlorophylls of higher plants. [GOC:yaf, PMID:12242396, UniPathway:UPA00671]' - }, - 'GO:0036071': { - 'name': 'N-glycan fucosylation', - 'def': 'The process of transferring a fucosyl group to an N-glycan. An N-glycan is the carbohydrate portion of an N-glycoprotein when attached to a nitrogen from asparagine or arginine side-chains. [CHEBI:59520, GOC:sart, PMID:19948734]' - }, - 'GO:0036072': { - 'name': 'direct ossification', - 'def': 'The formation of bone or of a bony substance, or the conversion of fibrous tissue or of cartilage into bone or a bony substance, that does not require the replacement of preexisting tissues. [GO_REF:0000034]' - }, - 'GO:0036073': { - 'name': 'perichondral ossification', - 'def': 'Intramembranous ossification from the surface of a cartilage element as the perichondrium becomes a periosteum, without replacement of cartilage. [GO_REF:0000034]' - }, - 'GO:0036074': { - 'name': 'metaplastic ossification', - 'def': 'Direct ossification in which bone formation occurs as result of the direct transformation of non-bone cells into bone cells without cell division. [GO_REF:0000034]' - }, - 'GO:0036075': { - 'name': 'replacement ossification', - 'def': 'Ossification that requires the replacement of a preexisting tissue prior to bone tissue formation. [GO_REF:0000034]' - }, - 'GO:0036076': { - 'name': 'ligamentous ossification', - 'def': 'Ossification wherein bone tissue forms within ligamentous tissue. [GO_REF:0000034]' - }, - 'GO:0036077': { - 'name': 'intratendonous ossification', - 'def': 'Ossification wherein bone tissue forms within tendonous tissue. [GO_REF:0000034]' - }, - 'GO:0036078': { - 'name': 'minus-end specific microtubule depolymerization', - 'def': 'The removal of tubulin heterodimers from the minus end of a microtubule. [GOC:sart, PMID:17452528]' - }, - 'GO:0036079': { - 'name': 'purine nucleotide-sugar transport', - 'def': 'The directed movement of a purine nucleotide-sugar into, out of or within a cell. Purine nucleotide-sugars are purine nucleotides in glycosidic linkage with a monosaccharide or monosaccharide derivative. [GOC:sart, PMID:19948734]' - }, - 'GO:0036080': { - 'name': 'purine nucleotide-sugar transmembrane transporter activity', - 'def': 'Enables the transfer of a purine nucleotide-sugar from one side of the membrane to the other. Purine nucleotide-sugars are purine nucleotides in glycosidic linkage with a monosaccharide or monosaccharide derivative. [GOC:sart, PMID:19948734]' - }, - 'GO:0036081': { - 'name': 'extracellular ammonia-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when extracellular ammonia (NH3) has been bound by the channel complex or one of its constituent parts. [GOC:sart, PMID:19135896]' - }, - 'GO:0036082': { - 'name': 'extracellular phenylacetaldehyde-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when extracellular phenylacetaldehyde has been bound by the channel complex or one of its constituent parts. [GOC:sart, PMID:19135896]' - }, - 'GO:0036083': { - 'name': 'positive regulation of unsaturated fatty acid biosynthetic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of unsaturated fatty acid biosynthetic process by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:9927444]' - }, - 'GO:0036084': { - 'name': 'GDP-fucose import into endoplasmic reticulum lumen', - 'def': 'The directed movement of GDP-fucose into the endoplasmic reticulum lumen. GDP-fucose is a substance composed of fucose in glycosidic linkage with guanosine diphosphate. [GOC:sart, PMID:3458237]' - }, - 'GO:0036085': { - 'name': 'GDP-fucose import into Golgi lumen', - 'def': 'The directed movement of GDP-fucose into the Golgi lumen. GDP-fucose is a substance composed of fucose in glycosidic linkage with guanosine diphosphate. [GOC:sart, PMID:3458237]' - }, - 'GO:0036086': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to iron ion starvation', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of deprivation of iron ions. [GOC:cjk]' - }, - 'GO:0036087': { - 'name': 'glutathione synthase complex', - 'def': 'A protein complex composed of two or more polypeptide subunits, and which possesses glutathione synthase activity (catalysis of the reaction: L-gamma-glutamyl-L-cysteine + ATP + glycine = ADP + glutathione + 2 H(+) + phosphate). In eukaryotes, the complex is homodimeric, in E. coli glutathione synthase exists as a tetramer, and in S. pombe the complex exists as a homodimer or a heterotetramer. [GOC:al, PMID:12734194, PMID:14990577, PMID:1958212]' - }, - 'GO:0036088': { - 'name': 'D-serine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-serine, the D-enantiomer of serine, i.e. (2S)-2-amino-3-hydroxypropanoic acid. [CHEBI:16523, GOC:imk]' - }, - 'GO:0036089': { - 'name': 'cleavage furrow formation', - 'def': 'Generation of the cleavage furrow, a shallow groove in the cell surface near the old metaphase plate that marks the site of cytokinesis. This process includes the recruitment and localized activation of signals such as RhoA at the site of the future furrow to ensure that furrowing initiates at the correct site in the cell. [GOC:ans, PMID:15811947, PMID:20687468, PMID:2192590]' - }, - 'GO:0036090': { - 'name': 'cleavage furrow ingression', - 'def': "Advancement of the cleavage furrow from the outside of the cell inward towards the center of the cell. The cleavage furrow acts as a 'purse string' which draws tight to separate daughter cells during cytokinesis and partition the cytoplasm between the two daughter cells. The furrow ingresses until a cytoplasmic bridge is formed. [PMID:15811947, PMID:20687468]" - }, - 'GO:0036091': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to oxidative stress', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is under oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, e.g. superoxide anions, hydrogen peroxide (H2O2), and hydroxyl radicals. [GOC:rn, PMID:14978214, PMID:18439143]' - }, - 'GO:0036092': { - 'name': 'phosphatidylinositol-3-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphatidylinositol-3-phosphate, a phosphatidylinositol monophosphate carrying the phosphate group at the 3-position. [CHEBI:26034, GOC:al, GOC:vw]' - }, - 'GO:0036093': { - 'name': 'germ cell proliferation', - 'def': 'The multiplication or reproduction of germ cells, reproductive cells in multicellular organisms, resulting in the expansion of a cell population. [CL:0000586, GOC:kmv]' - }, - 'GO:0036094': { - 'name': 'small molecule binding', - 'def': 'Interacting selectively and non-covalently with a small molecule, any low molecular weight, monomeric, non-encoded molecule. [GOC:curators, GOC:pde, GOC:pm]' - }, - 'GO:0036095': { - 'name': 'positive regulation of invasive growth in response to glucose limitation by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of invasive growth as a result of deprivation of glucose, by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:jh, PMID:14668363]' - }, - 'GO:0036096': { - 'name': "obsolete 3'-5'-exoribonuclease activity involved in pre-miRNA 3'-end processing", - 'def': "OBSOLETE. Catalysis of the sequential cleavage of mononucleotides from a free 3' terminus of an RNA molecule that contributes to forming the mature 3' end of a miRNA from a pre-miRNA. [GOC:sart, PMID:22055292]" - }, - 'GO:0036097': { - 'name': "obsolete pre-miRNA 3'-end processing", - 'def': "OBSOLETE. Any process involved in forming the mature 3' end of a miRNA from a pre-miRNA. [GOC:sart, PMID:22055292]" - }, - 'GO:0036098': { - 'name': 'male germ-line stem cell population maintenance', - 'def': 'The process by which an organism or tissue maintains a population of male germ-line stem cells. [GOC:sart, PMID:21752937]' - }, - 'GO:0036099': { - 'name': 'female germ-line stem cell population maintenance', - 'def': 'The process by which an organism or tissue maintains a population of female germ-line stem cells. [GOC:sart]' - }, - 'GO:0036100': { - 'name': 'leukotriene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a leukotriene, a pharmacologically active substance derived from a polyunsaturated fatty acid, such as arachidonic acid. [CHEBI:62942, GOC:yaf]' - }, - 'GO:0036101': { - 'name': 'leukotriene B4 catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of leukotriene B4, a leukotriene composed of (6Z,8E,10E,14Z)-eicosatetraenoic acid having (5S)- and (12R)-hydroxy substituents. [CHEBI:15647, GOC:yaf, PMID:9799565, UniPathway:UPA00883]' - }, - 'GO:0036102': { - 'name': 'leukotriene B4 metabolic process', - 'def': 'The chemical reactions and pathways involving leukotriene B4, a leukotriene composed of (6Z,8E,10E,14Z)-eicosatetraenoic acid having (5S)- and (12R)-hydroxy substituents. [CHEBI:15647, GOC:bf]' - }, - 'GO:0036103': { - 'name': 'Kdo2-lipid A metabolic process', - 'def': 'The chemical reactions and pathways involving Kdo2-lipid A, a lipopolysaccharide (LPS) component. [CHEBI:27963, GOC:bf]' - }, - 'GO:0036104': { - 'name': 'Kdo2-lipid A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of Kdo2-lipid A, a lipopolysaccharide (LPS) component. [GOC:yaf, UniPathway:UPA00360]' - }, - 'GO:0036105': { - 'name': 'peroxisome membrane class-1 targeting sequence binding', - 'def': 'Interacting selectively and non-covalently with a class I peroxisomal membrane targeting sequence, any of several sequences of amino acids within a protein that can act as a signal for the localization of the protein into the peroxisome membrane in a PEX19-dependent manner. [GOC:pm, PMID:14709540, PMID:17020786]' - }, - 'GO:0036106': { - 'name': 'peroxisome membrane class-2 targeting sequence binding', - 'def': 'Interacting selectively and non-covalently with a class II peroxisomal membrane targeting sequence, any of several sequences of amino acids within a protein that can act as a signal for the localization of the protein into the peroxisome membrane in a PEX19-independent manner. [GOC:pm, PMID:14709540, PMID:17020786]' - }, - 'GO:0036107': { - 'name': '4-amino-4-deoxy-alpha-L-arabinopyranosyl undecaprenyl phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving 4-amino-4-deoxy-alpha-L-arabinopyranosyl undecaprenyl phosphate, a precursor of 4-amino-4-deoxy-L-arabinose (L-Ara4N). [CHEBI:47039, GOC:yaf]' - }, - 'GO:0036108': { - 'name': '4-amino-4-deoxy-alpha-L-arabinopyranosyl undecaprenyl phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 4-amino-4-deoxy-alpha-L-arabinopyranosyl undecaprenyl phosphate, a precursor of 4-amino-4-deoxy-L-arabinose (L-Ara4N). [CHEBI:47039, GOC:yaf, UniPathway:UPA00036]' - }, - 'GO:0036109': { - 'name': 'alpha-linolenic acid metabolic process', - 'def': 'The chemical reactions and pathways involving alpha-linolenic acid, an unsaturated omega-6 fatty acid that has the molecular formula C18H32O2. [CHEBI:32387]' - }, - 'GO:0036110': { - 'name': 'cellular response to inositol starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of inositol. [CHEBI:24848, GOC:al, PMID:19606215]' - }, - 'GO:0036111': { - 'name': 'very long-chain fatty-acyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving very long-chain fatty-acyl-CoAs, any derivative of coenzyme A in which the sulfhydryl group is in a thioester linkage with a medium-chain fatty-acyl group. A very long-chain fatty acid is a fatty acid which has a chain length greater than C22. [CHEBI:61910, GOC:pm]' - }, - 'GO:0036112': { - 'name': 'medium-chain fatty-acyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving medium-chain fatty-acyl-CoAs, any derivative of coenzyme A in which the sulfhydryl group is in a thioester linkage with a long-chain fatty-acyl group. A medium-chain fatty acid is a fatty acid with a chain length of between C6 and C12. [CHEBI:61907, GOC:pm]' - }, - 'GO:0036113': { - 'name': 'very long-chain fatty-acyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of very long-chain fatty-acyl-CoAs, any derivative of coenzyme A in which the sulfhydryl group is in a thioester linkage with a medium-chain fatty-acyl group. A very long-chain fatty acid is a fatty acid which has a chain length greater than C22. [CHEBI:61910, GOC:pm]' - }, - 'GO:0036114': { - 'name': 'medium-chain fatty-acyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of medium-chain fatty-acyl-CoAs, any derivative of coenzyme A in which the sulfhydryl group is in a thioester linkage with a medium-chain fatty-acyl group. A medium-chain fatty acid is a fatty acid with a chain length of between C6 and C12. [CHEBI:61907, GOC:pm]' - }, - 'GO:0036115': { - 'name': 'fatty-acyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a fatty-acyl-CoA, any derivative of coenzyme A in which the sulfhydryl group is in thiolester linkage with a fatty-acyl group. [CHEBI:37554]' - }, - 'GO:0036116': { - 'name': 'long-chain fatty-acyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of long-chain fatty-acyl-CoAs, any derivative of coenzyme A in which the sulfhydryl group is in a thioester linkage with a medium-chain fatty-acyl group. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:33184, GOC:pm]' - }, - 'GO:0036117': { - 'name': 'hyaluranon cable', - 'def': 'A cable structure, surrounding some cell types (e.g. proximal or bronchial tubular epithelial cells), and composed of hyaluranon (HA), a ubiquitous connective tissue glycosaminoglycan. [GOC:yaf, PMID:16900089]' - }, - 'GO:0036118': { - 'name': 'hyaluranon cable assembly', - 'def': 'A process that results in the aggregation, arrangement and bonding together of a hyaluranon cable, a cable structure, surrounding some cell types (e.g. proximal or bronchial tubular epithelial cells), and composed of hyaluranon (HA), a ubiquitous connective tissue glycosaminoglycan. [GOC:yaf, PMID:16900089]' - }, - 'GO:0036119': { - 'name': 'response to platelet-derived growth factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a platelet-derived growth factor stimulus. [GOC:yaf]' - }, - 'GO:0036120': { - 'name': 'cellular response to platelet-derived growth factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a platelet-derived growth factor stimulus. [GOC:yaf]' - }, - 'GO:0036121': { - 'name': 'double-stranded DNA-dependent ATP-dependent DNA helicase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, in the presence of double-stranded DNA; drives the unwinding of a DNA helix. [GOC:kmv]' - }, - 'GO:0036122': { - 'name': 'BMP binding', - 'def': 'Interacting selectively and non-covalently with a member of the bone morphogenetic protein (BMP) family. [GOC:BHF, PMID:9660951, PR:000000034]' - }, - 'GO:0036123': { - 'name': 'histone H3-K9 dimethylation', - 'def': 'The modification of histone H3 by addition of two methyl groups to lysine at position 9 of the histone. [GOC:vw]' - }, - 'GO:0036124': { - 'name': 'histone H3-K9 trimethylation', - 'def': 'The modification of histone H3 by addition of three methyl groups to lysine at position 9 of the histone. [GOC:vw]' - }, - 'GO:0036125': { - 'name': 'fatty acid beta-oxidation multienzyme complex', - 'def': 'A multienzyme complex possessing three kinds of enzymes that catalyze the chain reactions in the fatty acid beta-oxidation cycle, enoyl-CoA hydratase (ECH), 3-hydroxyacyl-CoA dehydrogenase (HACD), and acetyl-CoA C-acyltransferase (KACT). [GOC:imk, PMID:12115060, PMID:16472743]' - }, - 'GO:0036126': { - 'name': 'sperm flagellum', - 'def': 'A microtubule-based flagellum (or cilium) that is part of a sperm, a mature male germ cell that develops from a spermatid. [GOC:cilia, GOC:sart, PMID:8441407]' - }, - 'GO:0036127': { - 'name': '3-sulfino-L-alanine binding', - 'def': 'Interacting selectively and non-covalently with 3-sulfino-L-alanine (cysteine sulfinate). [CHEBI:61085, GOC:al, PMID:8346915]' - }, - 'GO:0036128': { - 'name': 'CatSper complex', - 'def': 'A sperm-specific voltage-gated calcium channel that controls the intracellular calcium ion concentration and, thereby, the swimming behavior of sperm. Consists of a heteromeric tetramer surrounding a calcium ion- selective pore. May also contain additional auxiliary subunits. [GOC:sp, PMID:17478420, PMID:21224844, PMID:22354039]' - }, - 'GO:0036129': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to hydrogen peroxide', - 'def': 'Any process that decreases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a hydrogen peroxide (H2O2) stimulus. [GOC:al]' - }, - 'GO:0036130': { - 'name': 'prostaglandin H2 endoperoxidase reductase activity', - 'def': 'Catalysis of the reaction: prostaglandin H2 + NADPH + H+ -> prostaglandin F2alpha + NADP+. This reaction is the reduction of prostaglandin H2 ((5Z,13E)-(15S)-9alpha,11alpha-Epidioxy-15-hydroxyprosta-5,13-dienoate) to prostaglandin F2alpha ((5Z,13E)-(15S)-9alpha,11alpha,15-Trihydroxyprosta-5,13-dienoate). [GOC:mw, KEGG:R02264, PMID:10622721, PMID:14979715, PMID:16475787]' - }, - 'GO:0036131': { - 'name': 'prostaglandin D2 11-ketoreductase activity', - 'def': 'Catalysis of the reaction: prostaglandin D2 + H+ + NADPH -> 11-epi-prostaglandin F2alpha + NADP+. [EC:1.1.1.188, GOC:mw, KEGG:R02799, PMID:1504718, PMID:3862115]' - }, - 'GO:0036132': { - 'name': '13-prostaglandin reductase activity', - 'def': 'Catalysis of the reaction: 15-keto-prostaglandin + NAD(P)H + H+ -> 13,14-dihydro-15-keto-prostaglandin + NAD(P)+. This reaction is the reduction of 15-keto-prostaglandin. [EC:1.3.1.48, GOC:mw, KEGG:R04556, KEGG:R04557, PMID:17449869]' - }, - 'GO:0036133': { - 'name': '11-hydroxythromboxane B2 dehydrogenase activity', - 'def': 'Catalysis of the reaction: thromboxane B2 + NAD+ = 11-dehydro-thromboxane B2 + NADH + H+. [GOC:mw, KEGG:R05060, PMID:3461463, PMID:3823488, PMID:8200461]' - }, - 'GO:0036134': { - 'name': '12-hydroxyheptadecatrienoic acid synthase activity', - 'def': 'Catalysis of the reaction: prostaglandin H2 = 12-hydroxyheptadecatrienoic acid (HHT) + malonaldehyde (MDA). [GOC:mw, PMID:11297515]' - }, - 'GO:0036135': { - 'name': 'Schwann cell migration', - 'def': 'The orderly movement of a Schwann cell from one site to another. A Schwann cell is a glial cell that ensheathes axons of neuron in the peripheral nervous system and is necessary for their maintainance and function. [CL:0002573, PMID:20335460]' - }, - 'GO:0036136': { - 'name': 'kynurenine-oxaloacetate transaminase activity', - 'def': 'Catalysis of the reaction: L-kynurenine + 2-oxoglutarate = 4-(2-aminophenyl)-2,4-dioxobutanoate + L-aspartate. [EC:2.6.1.-, GOC:pde, PMID:15606768, PMID:4149765]' - }, - 'GO:0036137': { - 'name': 'kynurenine aminotransferase activity', - 'def': 'Catalysis of the transfer of an amino group from kynurenine to an acceptor, usually a 2-oxo acid. [EC:2.6.1.-, GOC:pde]' - }, - 'GO:0036138': { - 'name': 'peptidyl-histidine hydroxylation', - 'def': 'The hydroxylation of peptidyl-histidine to form peptidyl-hydroxyhistidine. [GOC:reh, PMID:21251231]' - }, - 'GO:0036139': { - 'name': 'peptidyl-histidine dioxygenase activity', - 'def': 'Catalysis of the reaction: peptidyl L-histidine + 2-oxoglutarate + O2 = peptidyl hydroxy-L-histidine + succinate + CO2. [GOC:reh, PMID:21251231]' - }, - 'GO:0036140': { - 'name': 'peptidyl-asparagine 3-dioxygenase activity', - 'def': 'Catalysis of the reaction: peptidyl L-asparagine + 2-oxoglutarate + O2 = peptidyl 3-hydroxy-L-asparagine + succinate + CO2. [GOC:reh, PMID:12215170]' - }, - 'GO:0036141': { - 'name': 'L-phenylalanine-oxaloacetate transaminase activity', - 'def': 'Catalysis of the reaction L-phenylalanine + oxaloacetate = phenylpyruvate + aspartate. [GOC:pde, PMID:15606768]' - }, - 'GO:0036143': { - 'name': 'kringle domain binding', - 'def': 'Interacting selectively and non-covalently with a kringle domain. Kringle domains are protein domains that fold into large loops stabilized by 3 disulfide linkages, and are important in protein-protein interactions with blood coagulation factors. [GOC:yaf, InterPro:IPR000001, Wikipedia:Kringle_domain]' - }, - 'GO:0036145': { - 'name': 'dendritic cell homeostasis', - 'def': 'The process of regulating the proliferation and elimination of dendritic cells such that the total number of dendritic cells within a whole or part of an organism is stable over time in the absence of an outside stimulus. [CL:0000451, GOC:uh, PMID:12570827, PMID:19176316]' - }, - 'GO:0036146': { - 'name': 'cellular response to mycotoxin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mycotoxin stimulus. A mycotoxin is a toxic chemical substance produced by fungi. [GOC:di, PMID:20548963]' - }, - 'GO:0036147': { - 'name': 'rumination', - 'def': 'A digestive process in which food, usually grass or hay, is swallowed into a multi-compartmented stomach, regurgitated, chewed again, and swallowed again. [GOC:maf, Wikipedia:Rumination]' - }, - 'GO:0036148': { - 'name': 'phosphatidylglycerol acyl-chain remodeling', - 'def': 'Remodeling the acyl chains of phosphatidylglycerol, through sequential deacylation and re-acylation reactions, to generate phosphatidylglycerol containing different types of fatty acid acyl chains. [CHEBI:17517, GOC:mw, PMID:15485873, PMID:18458083]' - }, - 'GO:0036149': { - 'name': 'phosphatidylinositol acyl-chain remodeling', - 'def': 'Remodeling the acyl chains of phosphatidylinositol, through sequential deacylation and re-acylation reactions, to generate phosphatidylinositol containing different types of fatty acid acyl chains. [CHEBI:28874, GOC:mw, PMID:18094042, PMID:18772128]' - }, - 'GO:0036150': { - 'name': 'phosphatidylserine acyl-chain remodeling', - 'def': 'Remodeling the acyl chains of phosphatidylserine, through sequential deacylation and re-acylation reactions, to generate phosphatidylserine containing different types of fatty acid acyl chains. [CHEBI:18303, GOC:mw, PMID:18287005, PMID:18458083]' - }, - 'GO:0036151': { - 'name': 'phosphatidylcholine acyl-chain remodeling', - 'def': 'Remodeling the acyl chains of phosphatidylcholine, through sequential deacylation and re-acylation reactions, to generate phosphatidylcholine containing different types of fatty acid acyl chains. [CHEBI:49183, GOC:mw, PMID:18195019, PMID:18458083]' - }, - 'GO:0036152': { - 'name': 'phosphatidylethanolamine acyl-chain remodeling', - 'def': 'Remodeling the acyl chains of phosphatidylethanolamine, through sequential deacylation and re-acylation reactions, to generate phosphatidylethanolamine containing different types of fatty acid acyl chains. [CHEBI:16038, GOC:mw, PMID:18287005, PMID:18458083]' - }, - 'GO:0036153': { - 'name': 'triglyceride acyl-chain remodeling', - 'def': 'Remodeling the acyl chains of triacylglycerol, through sequential deacylation and re-acylation reactions, to generate triacylglycerol containing different types of fatty acid acyl chains. [CHEBI:17855, GOC:mw, PMID:15364929]' - }, - 'GO:0036154': { - 'name': 'diacylglycerol acyl-chain remodeling', - 'def': 'Remodeling the acyl chains of diacylglycerol, through sequential deacylation and re-acylation reactions, to generate diacylglycerol containing different types of fatty acid acyl chains. [CHEBI:17855, GOC:mw, PMID:15364929]' - }, - 'GO:0036155': { - 'name': 'acylglycerol acyl-chain remodeling', - 'def': 'Remodeling the acyl chains of an acylglycerol, through sequential deacylation and re-acylation reactions, to generate an acylglycerol containing different types of fatty acid acyl chains. [CHEBI:47778, GOC:mw, PMID:15364929]' - }, - 'GO:0036156': { - 'name': 'inner dynein arm', - 'def': 'Inner arm structure present on the outer doublet microtubules of ciliary and flagellar axonemes. The structure of inner dynein arms is complex and may vary within the axoneme. Inner dynein arms are heteromeric, comprising 8 different heavy chains and various subunits. Inner and outer dynein arms have different functions in the generation of microtubule-based motility. [GOC:BHF, GOC:vk, PMID:19347929, PMID:2557057, PMID:7962092]' - }, - 'GO:0036157': { - 'name': 'outer dynein arm', - 'def': 'Outer arm structure present on the outer doublet microtubules of ciliary and flagellar axonemes. Outer dynein arms contain 2-3 heavy chains, two or more intermediate chains and a cluster of 4-8 light chains. Inner and outer dynein arms have different functions in the generation of microtubule-based motility. [GOC:BHF, GOC:vk, PMID:2557057, PMID:6218174]' - }, - 'GO:0036158': { - 'name': 'outer dynein arm assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an axonemal dynein outer arm, an outer arm structure present on the outer doublet microtubules of ciliary and flagellar axonemes. [GOC:BHF, GOC:vk, PMID:19944400]' - }, - 'GO:0036159': { - 'name': 'inner dynein arm assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an axonemal dynein inner arm, an inner arm structure present on the outer doublet microtubules of ciliary and flagellar axonemes. [GOC:BHF, GOC:vk, PMID:19944400]' - }, - 'GO:0036160': { - 'name': 'melanocyte-stimulating hormone secretion', - 'def': 'The regulated release of a melanocyte-stimulating hormone, any of a group of peptide hormones that are produced by cells in the intermediate lobe of the pituitary gland, and stimulate the production of melanin to increase pigmentation. [GOC:cjm, Wikipedia:Melanocyte-stimulating_hormone]' - }, - 'GO:0036161': { - 'name': 'calcitonin secretion', - 'def': 'The regulated release of calcitonin, a peptide hormone that participates in calcium and phosphorus metabolism, from a cell. [GOC:cjm, PR:000027222]' - }, - 'GO:0036162': { - 'name': 'oxytocin secretion', - 'def': 'The regulated release of oxytocin, a cyclic nonapeptide hormone with amino acid sequence CYIQNCPLG that also acts as a neurotransmitter in the brain, from a cell. Oxytocin is the principal uterine-contracting and milk-ejecting hormone of the posterior pituitary, and together with the neuropeptide vasopressin, is believed to influence social cognition and behavior. [CHEBI:7872, GOC:cjm, Wikipedia:Oxytocin]' - }, - 'GO:0036163': { - 'name': '3-hexaprenyl-4-hydroxy-5-methoxybenzoic acid decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-hexaprenyl-4-hydroxy-5-methoxybenzoic acid -> 2-hexaprenyl-6-methoxyphenol + CO2. [GOC:mw, KEGG:R06866, PMID:620805, PMID:7028108]' - }, - 'GO:0036164': { - 'name': 'cell-abiotic substrate adhesion', - 'def': 'The attachment of a cell to an underlying abiotic (non-living) substrate via adhesion molecules. [GOC:di]' - }, - 'GO:0036165': { - 'name': 'invasive growth in response to heat', - 'def': 'The growth of colonies in filamentous chains of cells as a result of an increase in temperature. [GOC:di, PMID:22365851]' - }, - 'GO:0036166': { - 'name': 'phenotypic switching', - 'def': 'A reversible switch of a cell from one cell type or form to another, at a frequency above the expected frequency for somatic mutations. Phenotypic switching involves changes in cell morphology and altered gene expression patterns. For example, Candida albicans switches from white cells to opaque cells for sexual mating. Phenotypic switching also occurs in multicellular organisms; smooth muscle cells (SMCs) exhibit phenotypic transitions to allow rapid adaption to fluctuating environmental cues. [GOC:bf, GOC:di, PMID:12443899, PMID:22406749, PMID:8456504, Wikipedia:Phenotypic_switching]' - }, - 'GO:0036167': { - 'name': 'phenotypic switching in response to host', - 'def': 'A reversible switch of a cell from one phenotype to another that occurs upon infection of a host or host cell. For example, Candida albicans switches from a unicellular form to an invasive multicellular filamentous form upon infection of host tissue. Phenotypic switching begins with changes in cell morphology and altered gene expression patterns and ends when the morphology of a population of cells has reverted back to the default state, accompanied by altered expression patterns. [GOC:di, PMID:16696644, Wikipedia:Phenotypic_switching]' - }, - 'GO:0036168': { - 'name': 'filamentous growth of a population of unicellular organisms in response to heat', - 'def': 'The process in which a group of unicellular organisms grow in a threadlike, filamentous shape in response to an increase in temperature. [GOC:di, PMID:17554048]' - }, - 'GO:0036169': { - 'name': '3-methoxy-4-hydroxy-5-decaprenylbenzoic acid decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-methoxy-4-hydroxy-5-decaprenylbenzoic acid -> 2-methoxy-6-decaprenylphenol + CO2. [GOC:mw, PMID:620805, PMID:7028108]' - }, - 'GO:0036170': { - 'name': 'filamentous growth of a population of unicellular organisms in response to starvation', - 'def': 'The process in which a group of unicellular organisms grow in a threadlike, filamentous shape in response to deprivation of nourishment. [GOC:di, PMID:17554048]' - }, - 'GO:0036171': { - 'name': 'filamentous growth of a population of unicellular organisms in response to chemical stimulus', - 'def': 'The process in which a group of unicellular organisms grow in a threadlike, filamentous shape in response to a chemical stimulus. [GOC:di, PMID:17554048]' - }, - 'GO:0036172': { - 'name': 'thiamine salvage', - 'def': 'A process that generates thiamine (vitamin B1) from derivatives of it without de novo synthesis. [PMID:15150256, PMID:16952958]' - }, - 'GO:0036173': { - 'name': 'thiosulfate binding', - 'def': 'Interacting selectively and non-covalently with the inorganic anion thiosulfate, a sulfur oxide that has formula O3S2. [CHEBI:16094, GOC:db, PMID:2188959]' - }, - 'GO:0036174': { - 'name': 'butane monooxygenase activity', - 'def': 'Catalysis of the reaction: butane + O2 + NAD(P)H + H+ = butanol + NAD(P)+ + H2O. [GOC:dh, PMID:17526838, PMID:19383682]' - }, - 'GO:0036175': { - 'name': 'ribonucleoside-diphosphate reductase activity, glutaredoxin disulfide as acceptor', - 'def': "Catalysis of the reaction: 2'-deoxyribonucleoside diphosphate + glutaredoxin disulfide + H2O -> ribonucleoside diphosphate + glutaredoxin. [EC:1.17.4.1, GOC:bf, GOC:pde, PMID:7476363]" - }, - 'GO:0036176': { - 'name': 'response to neutral pH', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a neutral pH (pH close to 7) stimulus. pH is a measure of the acidity or basicity of an aqueous solution. [GOC:di, http:http\\://en.wikipedia.org/wiki/PH]' - }, - 'GO:0036177': { - 'name': 'filamentous growth of a population of unicellular organisms in response to pH', - 'def': 'The process in which a group of unicellular organisms grow in a threadlike, filamentous shape in response to a pH stimulus. pH is a measure of the acidity or basicity of an aqueous solution. [GOC:di, http://en.wikipedia.org/wiki/PH]' - }, - 'GO:0036178': { - 'name': 'filamentous growth of a population of unicellular organisms in response to neutral pH', - 'def': 'The process in which a group of unicellular organisms grow in a threadlike, filamentous shape in response to a neutral pH (pH close to 7) stimulus. [GOC:di, PMID:6374461]' - }, - 'GO:0036179': { - 'name': 'osteoclast maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for an osteoclast cell to attain its fully functional state. An osteoclast is a specialized phagocytic cell associated with the absorption and removal of the mineralized matrix of bone tissue, and which typically differentiates from monocytes. [CL:0000092, GOC:pg]' - }, - 'GO:0036180': { - 'name': 'filamentous growth of a population of unicellular organisms in response to biotic stimulus', - 'def': 'The process in which a group of unicellular organisms grow in a threadlike, filamentous shape in response to a biotic (living) stimulus. [GOC:di]' - }, - 'GO:0036181': { - 'name': 'protein localization to linear element', - 'def': 'A cellular protein localization process in which a protein is transported to, or maintained at, a linear element. A linear element is a proteinaceous scaffold associated with S. pombe chromosomes during meiotic prophase. [GOC:mah, PMID:19756689]' - }, - 'GO:0036182': { - 'name': 'asperthecin metabolic process', - 'def': 'The chemical reactions and pathways involving asperthecin, an anthraquinone pigment obtained from the mould Aspergillus nidulans. [CHEBI:64161, GOC:di]' - }, - 'GO:0036183': { - 'name': 'asperthecin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of asperthecin, an anthraquinone pigment obtained from the mould Aspergillus nidulans. [CHEBI:64161, GOC:di]' - }, - 'GO:0036184': { - 'name': 'asperthecin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of asperthecin, an anthraquinone pigment obtained from the mould Aspergillus nidulans. [CHEBI:64161, GOC:di]' - }, - 'GO:0036185': { - 'name': '13-lipoxin reductase activity', - 'def': 'Definition: Catalysis of the reaction: 15-oxolipoxin A4 + NAD(P)H + H+ = 13,14-dihydro-15-oxolipoxin A4 + NAD(P)+. [GOC:mw, PMID:10837478]' - }, - 'GO:0036186': { - 'name': 'early phagosome membrane', - 'def': 'The lipid bilayer surrounding an early phagosome. [GOC:phg]' - }, - 'GO:0036187': { - 'name': 'cell growth mode switching, budding to filamentous', - 'def': 'The process in which a cell switches from growing as a round budding cell to growing as a filament (elongated cells attached end-to-end). An example of this is the yeast-hyphal transition of Candida albicans. [GOC:di]' - }, - 'GO:0036188': { - 'name': 'abieta-7,13-dien-18-al dehydrogenase activity', - 'def': 'Catalysis of the reaction: abieta-7,13-diene-18-al + H2O + NAD+ = abieta-7,13-diene-18-oate + NADH + H+. [EC:1.2.1.74]' - }, - 'GO:0036189': { - 'name': 'abieta-7,13-diene hydroxylase activity', - 'def': 'Catalysis of the reaction: abieta-7,13-diene + NADPH + H+ + O2 = abieta-7,13-dien-18-ol + NADP+ + H2O. [EC:1.14.13.108]' - }, - 'GO:0036190': { - 'name': 'indole-2-monooxygenase activity', - 'def': 'Catalysis of the reaction: indole + NAD(P)H + H+ + O2 = indolin-2-one + NAD(P)+ + H2O. [EC:1.14.13.137]' - }, - 'GO:0036191': { - 'name': 'indolin-2-one monooxygenase activity', - 'def': 'Catalysis of the reaction: indolin-2-one + NAD(P)H + H+ + O2 = 3-hydroxyindolin-2-one + NAD(P)+ + H2O. [EC:1.14.13.138]' - }, - 'GO:0036192': { - 'name': '3-hydroxyindolin-2-one monooxygenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxyindolin-2-one + NAD(P)H + H+ + O2 = 2-hydroxy-2H-1,4-benzoxazin-3(4H)-one + NAD(P)+ + H2O. [EC:1.14.13.139]' - }, - 'GO:0036193': { - 'name': '2-hydroxy-1,4-benzoxazin-3-one monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-2H-1,4-benzoxazin-3(4H)-one + NAD(P)H + H+ + O2 = 2,4-dihydroxy-2H-1,4-benzoxazin-3(4H)-one + NAD(P)+ + H2O. [EC:1.14.13.140]' - }, - 'GO:0036194': { - 'name': 'muscle cell projection', - 'def': 'A prolongation or process extending from a muscle cell. A muscle cell is a mature contractile cell, commonly known as a myocyte. This cell has as part of its cytoplasm myofibrils organized in various patterns. [CL:0000187, GOC:kmv, PMID:15930100, PMID:22464329]' - }, - 'GO:0036195': { - 'name': 'muscle cell projection membrane', - 'def': 'The portion of the plasma membrane surrounding a muscle cell projection. [CL:0000187, GOC:kmv, PMID:15930100, PMID:22464329]' - }, - 'GO:0036196': { - 'name': 'zymosterol metabolic process', - 'def': 'The chemical reactions and pathways involving zymosterol, (5alpha-cholesta-8,24-dien-3beta-ol). [CHEBI:18252, GOC:yaf]' - }, - 'GO:0036197': { - 'name': 'zymosterol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of zymosterol, (5alpha-cholesta-8,24-dien-3beta-ol). [CHEBI:18252, GOC:yaf, MetaCyc:PWY-6074]' - }, - 'GO:0036198': { - 'name': 'dTMP salvage', - 'def': "Any process which produces dTMP, deoxyribosylthymine monophosphate (2'-deoxyribosylthymine 5'-phosphate) without de novo synthesis. [GOC:yaf, UniPathway:UPA00578]" - }, - 'GO:0036199': { - 'name': 'cholest-4-en-3-one 26-monooxygenase activity', - 'def': 'Catalysis of the reaction: cholest-4-en-3-one + NADH + H+ + O2 = 26-hydroxycholest-4-en-3-one + NAD+ + H2O. This reaction involves the hydroxylation of the C26 carbon, followed by oxidation of the alcohol to the carboxylic acid via the aldehyde intermediate. [EC:1.14.13.141]' - }, - 'GO:0036200': { - 'name': '3-ketosteroid 9-alpha-monooxygenase activity', - 'def': 'Catalysis of the reaction: androsta-1,4-diene-3,17-dione + NADH + H+ + O2 = 9alpha-hydroxyandrosta-1,4-diene-3,17-dione + NAD+ + H2O. [EC:1.14.13.142]' - }, - 'GO:0036201': { - 'name': 'ent-isokaurene C2-hydroxylase activity', - 'def': 'Catalysis of the reaction: ent-isokaurene + O2 + NADPH + H+ = ent-2alpha-hydroxyisokaurene + H2O + NADP+. [EC:1.14.13.143]' - }, - 'GO:0036202': { - 'name': 'ent-cassa-12,15-diene 11-hydroxylase activity', - 'def': 'Catalysis of the reaction: ent-cassa-12,15-diene + O2 + NADPH + H+ = ent-11beta-hydroxycassa-12,15-diene + NADP+ + H2O. [EC:1.14.13.145]' - }, - 'GO:0036203': { - 'name': 'taxoid 14-beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: 10beta-hydroxytaxa-4(20),11-dien-5alpha-yl acetate + O2 + NADPH + H+ = 10beta,14beta-dihydroxytaxa-4(20),11-dien-5alpha-yl acetate + NADP+ + H2O. [EC:1.14.13.146]' - }, - 'GO:0036204': { - 'name': 'abieta-7,13-dien-18-ol hydroxylase activity', - 'def': 'Catalysis of the reaction: abieta-7,13-dien-18-ol + NADPH + H+ + O2 = abieta-7,13-dien-18-al + NADP+ + 2 H2O. This is a two step reaction. The first step is: abieta-7,13-dien-18-ol + NADPH + H+ + O2 = abieta-7,13-dien-18,18-diol + + NADP+ + H2O. The second step is a spontaneous reaction: abieta-7,13-dien-18,18-diol = abieta-7,13-dien-18-al + H2O. [EC:1.14.13.109]' - }, - 'GO:0036205': { - 'name': 'histone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a histone protein by individual cells. [GOC:krc]' - }, - 'GO:0036206': { - 'name': 'regulation of histone gene expression', - 'def': "Any process that modulates the frequency, rate or extent of expression of a histone-encoding gene. Gene expression is the process in which a gene's coding sequence is converted into a mature gene product or products (proteins or RNA). This includes the production of an RNA transcript as well as any processing to produce a mature RNA product or an mRNA (for protein-coding genes) and the translation of that mRNA into protein. [GOC:bf, GOC:krc]" - }, - 'GO:0036207': { - 'name': 'positive regulation of histone gene expression', - 'def': "Any process that increases the frequency, rate or extent of expression of a histone-encoding gene. Gene expression is the process in which a gene's coding sequence is converted into a mature gene product or products (proteins or RNA). This includes the production of an RNA transcript as well as any processing to produce a mature RNA product or an mRNA (for protein-coding genes) and the translation of that mRNA into protein. [GOC:bf, GOC:krc]" - }, - 'GO:0036208': { - 'name': 'negative regulation of histone gene expression', - 'def': "Any process that decreases the frequency, rate or extent of expression of a histone-encoding gene. Gene expression is the process in which a gene's coding sequence is converted into a mature gene product or products (proteins or RNA). This includes the production of an RNA transcript as well as any processing to produce a mature RNA product or an mRNA (for protein-coding genes) and the translation of that mRNA into protein. [GOC:bf, GOC:krc]" - }, - 'GO:0036209': { - 'name': '9beta-pimara-7,15-diene oxidase activity', - 'def': 'Catalysis of the reaction: 9beta-pimara-7,15-diene + 3 O2 + 3 NADPH + 3 H+ = 9beta-pimara-7,15-dien-19-oate + 3 NADP+ + 4 H2O. This is a three-step reaction: (a) 9beta-pimara-7,15-diene + O2 + NADPH + H+ = 9beta-pimara-7,15-dien-19-ol + NADP+ + H2O, (b) 9beta-pimara-7,15-dien-19-ol + O2 + NADPH + H+ = 9neta-pimara-7,15-dien-19-al + NADP+ + 2 H2O, (c) 9beta-pimara-7,15-dien-19-al + O2 + NADPH + H+ = 9beta-pimara-7,15-dien-19-oate + NADP+ + H2O. [EC:1.14.13.144]' - }, - 'GO:0036210': { - 'name': 'protein modification process in other organism', - 'def': 'The covalent alteration performed by one organism of one or more amino acids occurring in proteins, peptides and nascent polypeptides (co-translational, post-translational modifications) in another organism. Includes the modification of charged tRNAs that are destined to occur in a protein (pre-translation modification). [GOC:bf, GOC:jl]' - }, - 'GO:0036211': { - 'name': 'protein modification process', - 'def': 'The covalent alteration of one or more amino acids occurring in proteins, peptides and nascent polypeptides (co-translational, post-translational modifications). Includes the modification of charged tRNAs that are destined to occur in a protein (pre-translation modification). [GOC:bf, GOC:jl]' - }, - 'GO:0036212': { - 'name': 'contractile ring maintenance', - 'def': 'The process in which the contractile ring is maintained, typically in response to an internal or external cue. [GOC:mah, GOC:vw]' - }, - 'GO:0036213': { - 'name': 'contractile ring contraction', - 'def': 'The process of an actomyosin ring getting smaller in diameter. [GOC:mah, GOC:vw]' - }, - 'GO:0036214': { - 'name': 'contractile ring localization', - 'def': 'The process in which a contractile ring is assembled and/or maintained in a specific location. [GOC:mah, GOC:vw]' - }, - 'GO:0036215': { - 'name': 'response to stem cell factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stem cell factor (SCF) stimulus. [GOC:uh, PR:000009345]' - }, - 'GO:0036216': { - 'name': 'cellular response to stem cell factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stem cell factor (SCF) stimulus. [GOC:uh, PMID:18787413, PMID:7520444, PR:000009345]' - }, - 'GO:0036217': { - 'name': 'dGTP diphosphatase activity', - 'def': 'Catalysis of the reaction: dGTP + H2O = dGMP + diphosphate. [GOC:dgf, KEGG:R01855, PMID:17090528, PMID:22531138]' - }, - 'GO:0036218': { - 'name': 'dTTP diphosphatase activity', - 'def': 'Catalysis of the reaction: dTTP + H2O = dTMP + diphosphate. [GOC:dgf, PMID:22531138]' - }, - 'GO:0036219': { - 'name': 'GTP diphosphatase activity', - 'def': 'Catalysis of the reaction: GTP + H2O = GMP + diphosphate. [GOC:dgf, KEGG:R00426, PMID:22531138]' - }, - 'GO:0036220': { - 'name': 'ITP diphosphatase activity', - 'def': 'Catalysis of the reaction: ITP + H2O = IMP + diphosphate. [GOC:dgf, KEGG:R00720, PMID:17899088, PMID:22531138]' - }, - 'GO:0036221': { - 'name': 'UTP diphosphatase activity', - 'def': 'Catalysis of the reaction: UTP + H2O = UMP + diphosphate. [GOC:dgf, KEGG:R00662, PMID:17899088]' - }, - 'GO:0036222': { - 'name': 'XTP diphosphatase activity', - 'def': "Catalysis of the reaction: XTP + H2O = xanthosine 5'-phosphate + diphosphate. [GOC:dgf, PMID:22531138]" - }, - 'GO:0036223': { - 'name': 'cellular response to adenine starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of adenine. [CHEBI:16708, GOC:ai]' - }, - 'GO:0036224': { - 'name': 'pairing center', - 'def': 'A special chromosome region located towards one end of a chromosome that contains dispersed copies of short, repetitive DNA sequences and functions as a cis-acting element essential for presynaptic homologous chromosome pairing and chromosome-nuclear envelope attachment. [GOC:kmv, PMID:18597662]' - }, - 'GO:0036225': { - 'name': 'cellular response to vitamin B1 starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of vitamin B1 (also called thiamin and thiamine). [CHEBI:18385, GOC:al]' - }, - 'GO:0036226': { - 'name': 'obsolete mitotic cell cycle arrest in response to glucose starvation', - 'def': 'OBSOLETE. The process in which the mitotic cell cycle is halted during one of the normal phases (G1, S, G2, M) as a result of deprivation of glucose. [GOC:al, GOC:mah, PMID:958201]' - }, - 'GO:0036227': { - 'name': 'mitotic G2 cell cycle arrest in response to glucose starvation', - 'def': 'The process in which the mitotic cell cycle is halted during G2 phase as a result of deprivation of glucose. [GOC:al, GOC:mah, GOC:mtg_cell_cycle, PMID:958201]' - }, - 'GO:0036228': { - 'name': 'protein targeting to nuclear inner membrane', - 'def': 'The process of targeting a protein to, and inserting it into, the nuclear inner membrane; usually uses signals contained within the protein. [GOC:dgf, PMID:16929305]' - }, - 'GO:0036229': { - 'name': 'L-glutamine import', - 'def': 'The directed movement of L-glutamine, the L-enantiomer of glutamine, into a cell or organelle. [CHEBI:18050, GOC:al]' - }, - 'GO:0036230': { - 'name': 'granulocyte activation', - 'def': 'The change in morphology and behavior of a granulocyte resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor. [CL:0000094, GOC:nhn]' - }, - 'GO:0036231': { - 'name': 'L-threonine import', - 'def': 'The directed movement of L-threonine, the L-enantiomer of threonine, into a cell or organelle. [CHEBI:16857, GOC:al]' - }, - 'GO:0036232': { - 'name': 'L-tyrosine import', - 'def': 'The directed movement of L-tyrosine, the L-enantiomer of tyrosine, into a cell or organelle. [CHEBI:17895, GOC:al]' - }, - 'GO:0036233': { - 'name': 'glycine import', - 'def': 'The directed movement of glycine into a cell or organelle. [GOC:al]' - }, - 'GO:0036234': { - 'name': 'deglucuronidation', - 'def': 'The removal of glucuronic acid from a conjugated substrate. [GOC:BHF, GOC:vk, PMID:22294686, PMID:8560473]' - }, - 'GO:0036235': { - 'name': 'acyl deglucuronidation', - 'def': 'The removal of glucuronic acid from an acyl-glucuronide. [GOC:BHF, GOC:vk, PMID:22294686]' - }, - 'GO:0036236': { - 'name': 'acyl glucuronidation', - 'def': 'The modification of an substrate by the conjugation of glucuronic acid to form an acyl-glucuronide (also called an acyl-glucuronoside). [GOC:BHF, GOC:vk, PMID:12485951, PMID:22294686]' - }, - 'GO:0036237': { - 'name': 'acyl-glucuronidase activity', - 'def': 'Catalysis of the reaction: an acyl-glucuronoside + H2O = an alcohol + D-glucuronate. [GOC:BHF, GOC:vk, PMID:22294686]' - }, - 'GO:0036238': { - 'name': 'gallate dioxygenase activity', - 'def': 'Catalysis of the reaction: gallate + O2 = (1E)-4-oxobut-1-ene-1,2,4-tricarboxylate. [EC:1.13.11.57, PMID:16030014]' - }, - 'GO:0036239': { - 'name': 'taxoid 7beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: taxusin + O2 + NADPH + H+ = 7beta-hydroxytaxusin + NADP+ + H2O. [EC:1.14.13.147]' - }, - 'GO:0036240': { - 'name': 'septal periplasm', - 'def': 'The region between the plasma membrane and the cell wall, as found in organisms such as filamentous fungi. [GOC:di, PMID:21564341]' - }, - 'GO:0036241': { - 'name': 'glutamate catabolic process to 4-hydroxybutyrate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate into 4-hydroxybutyrate. [GOC:bf, MetaCyc:PWY-4321]' - }, - 'GO:0036242': { - 'name': 'glutamate catabolic process to succinate via 2-oxoglutarate-dependent GABA-transaminase activity', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutamate into succinate, that includes the conversion of 4-aminobutyrate to succinate semialdehyde by the 2-oxoglutarate-dependent gamma aminobutyrate (GABA) transaminase. [GOC:bf, MetaCyc:PWY-4321]' - }, - 'GO:0036243': { - 'name': 'succinate-semialdehyde dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: succinate semialdehyde + NADP+ + H2O = succinate + NADPH + 2 H+. [EC:1.2.1.79, GOC:bf]' - }, - 'GO:0036244': { - 'name': 'cellular response to neutral pH', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a neutral pH (pH close to 7) stimulus. pH is a measure of the acidity or basicity of an aqueous solution. [GOC:di, http://en.wikipedia.org/wiki/PH]' - }, - 'GO:0036245': { - 'name': 'cellular response to menadione', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a menadione stimulus. Menadione (also called vitamin K3) is a naphthoquinone having a methyl substituent at the 2-position. [CHEBI:28869, GOC:al]' - }, - 'GO:0036246': { - 'name': 'phytochelatin 2 import into vacuole', - 'def': 'The directed movement of phytochelatin 2 (PC2) into the vacuole. Phytochelatin 2 is a glutathione-related peptide composed of (gamma-Glu-Cys)n-Gly where n=2, and where the Glu and Cys residues are linked through a gamma-carboxylamide bond. [CHEBI:64744, GOC:al, PMID:19001374]' - }, - 'GO:0036247': { - 'name': 'phytochelatin 3 import into vacuole', - 'def': 'The directed movement of phytochelatin 3 (PC3) into the vacuole. Phytochelatin 3 is a glutathione-related peptide composed of (gamma-Glu-Cys)n-Gly where n=3, and where the Glu and Cys residues are linked through a gamma-carboxylamide bond. [CHEBI:64745, GOC:al, PMID:19001374]' - }, - 'GO:0036248': { - 'name': 'phytochelatin 4 import into vacuole', - 'def': 'The directed movement of phytochelatin 4 (PC4) into the vacuole. Phytochelatin 4 is a glutathione-related peptide composed of (gamma-Glu-Cys)n-Gly where n=4, and where the Glu and Cys residues are linked through a gamma-carboxylamide bond. [CHEBI:64747, GOC:al, PMID:19001374]' - }, - 'GO:0036249': { - 'name': 'cadmium ion import into vacuole', - 'def': 'The directed movement of cadmium ions into the vacuole. [GOC:al]' - }, - 'GO:0036250': { - 'name': 'peroxisome transport along microtubule', - 'def': 'The directed movement of a peroxisome along a microtubule, mediated by motor proteins. [GOC:pm, PMID:21525035]' - }, - 'GO:0036251': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to salt stress', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is under salt stress. The stress is usually an increase or decrease in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:al]' - }, - 'GO:0036252': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to menadione', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a menadione stimulus. Menadione (also called vitamin K3) is a naphthoquinone having a methyl substituent at the 2-position. [CHEBI:28869, GOC:al]' - }, - 'GO:0036253': { - 'name': 'response to amiloride', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amiloride stimulus. [CHEBI:2639, GOC:mah]' - }, - 'GO:0036254': { - 'name': 'cellular response to amiloride', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amiloride stimulus. [CHEBI:2639, GOC:mah]' - }, - 'GO:0036255': { - 'name': 'response to methylamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methylamine stimulus. [CHEBI:16830, GOC:mah]' - }, - 'GO:0036256': { - 'name': 'cellular response to methylamine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methylamine stimulus. [CHEBI:16830, GOC:mah]' - }, - 'GO:0036257': { - 'name': 'multivesicular body organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a multivesicular body. A multivesicular body is a type of late endosome in which regions of the limiting endosomal membrane invaginate to form internal vesicles; membrane proteins that enter the internal vesicles are sequestered from the cytoplasm. [GOC:sart, PMID:11566881]' - }, - 'GO:0036258': { - 'name': 'multivesicular body assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a multivesicular body, a type of late endosome in which regions of the limiting endosomal membrane invaginate to form internal vesicles; membrane proteins that enter the internal vesicles are sequestered from the cytoplasm. [GOC:sart, PMID:11566881, PMID:19571114]' - }, - 'GO:0036259': { - 'name': 'aerobic raffinose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of raffinose that occur in the presence of oxygen. [GOC:al, PMID:10082789]' - }, - 'GO:0036260': { - 'name': 'RNA capping', - 'def': "The sequence of enzymatic reactions by which a cap structure is added to the 5' end of a nascent RNA polymerase II transcript. All RNA polymerase II transcripts receive a 7-methyl-G cap. Then for (at least) small nuclear RNAs (snRNAs) and small nucleolar RNAs (snoRNAs), the7-methyl-G cap is hypermethylated to become a 2,2,7-trimethylguanosine (TMG) cap. [GOC:bf, GOC:krc, GOC:mah, PMID:18775984]" - }, - 'GO:0036261': { - 'name': '7-methylguanosine cap hypermethylation', - 'def': "Hypermethylation of the 7-(mono)methylguanosine (m(7)G) cap structure at the 2' position of the guanosine residue to convert a mono-methylated cap to a 2,2,7-trimethylguanosine cap structure. This type of cap modification occurs on small nuclear RNAs (snRNAs) and small nucleolar RNAs (snoRNAs) and is dependent on prior guanine-N7 methylation. [GOC:bf, GOC:BHF, GOC:krc, GOC:mah, GOC:rl, PMID:11983179, PMID:18775984]" - }, - 'GO:0036262': { - 'name': 'granulysin production', - 'def': 'The appearance of granulysin due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv, PR:000008119]' - }, - 'GO:0036263': { - 'name': 'L-DOPA monooxygenase activity', - 'def': 'Catalysis of the reaction: L-DOPA + O2 = ? + H2O. This reaction catalyzes the oxygenation of the dopamine precursor L-DOPA, to the corresponding o-quinone. [GOC:sart, PMID:22120533]' - }, - 'GO:0036264': { - 'name': 'dopamine monooxygenase activity', - 'def': 'Catalysis of the reaction: dopamine + O2 = ? + H2O. This reaction catalyzes the oxygenation of dopamine to the corresponding o-quinone. [GOC:sart, PMID:22120533]' - }, - 'GO:0036265': { - 'name': 'RNA (guanine-N7)-methylation', - 'def': 'The addition of a methyl group to the N7 atom in the base portion of a guanine nucleotide residue in an RNA molecule. [GOC:BHF, GOC:rl]' - }, - 'GO:0036266': { - 'name': 'Cdc48p-Npl4p-Vms1p AAA ATPase complex', - 'def': 'A multiprotein ATPase complex involved in the release of polyubiquitinated proteins, including those damaged by oxidative stress, from the outer mitochondria membrane into the cytoplasm where they are presented to the proteasome for proteolysis, a process also referred to as mitochondria-associated degradation (MAD). In budding yeast, this complex includes Cdc48p, Npl4p and Vms1p. [GOC:rn, PMID:21070972, PMID:21936843]' - }, - 'GO:0036267': { - 'name': 'invasive filamentous growth', - 'def': 'The growth of colonies in filamentous chains of cells into a substrate. [GOC:di, PMID:22276126]' - }, - 'GO:0036268': { - 'name': 'swimming', - 'def': 'Self-propelled movement of an organism from one location to another through water, often by means of active fin movement. [GOC:cvs, PMID:22459995]' - }, - 'GO:0036269': { - 'name': 'swimming behavior', - 'def': 'The response to external or internal stimuli that results in the locomotory process of swimming. Swimming is the self-propelled movement of an organism through the water. [GOC:cvs, PMID:16764679]' - }, - 'GO:0036270': { - 'name': 'response to diuretic', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diuretic stimulus. A diuretic is an agent that promotes the excretion of urine through its effects on kidney function. [CHEBI:35498, GOC:hp]' - }, - 'GO:0036271': { - 'name': 'response to methylphenidate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methylphenidate stimulus. [CHEBI:6887, GOC:hp, Wikipedia:Methylphenidate]' - }, - 'GO:0036272': { - 'name': 'response to gemcitabine', - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gemcitabine stimulus. Gemcitabine is a 2'-deoxycytidine having geminal fluoro substituents in the 2'-position, and is used as a drug in the treatment of various carcinomas. [CHEBI:175901, GOC:hp, Wikipedia:Gemcitabine]" - }, - 'GO:0036273': { - 'name': 'response to statin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a statin stimulus. Statins are organooxygen compounds whose structure is related to compactin (mevastatin) and which may be used as an anticholesteremic drug due its EC 1.1.1.34/EC 1.1.1.88 (hydroxymethylglutaryl-CoA reductase) inhibitory properties. [GOC:hp]' - }, - 'GO:0036274': { - 'name': 'response to lapatinib', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lapatinib stimulus. [CHEBI:49603, GOC:hp]' - }, - 'GO:0036275': { - 'name': 'response to 5-fluorouracil', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 5-fluorouracil stimulus. [CHEBI:46345, GOC:hp]' - }, - 'GO:0036276': { - 'name': 'response to antidepressant', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an antidepressant stimulus, a mood-stimulating drug. [CHEBI:35469, GOC:hp]' - }, - 'GO:0036277': { - 'name': 'response to anticonvulsant', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an anticonvulsant stimulus, a drug used to prevent seizures or reduce their severity. [CHEBI:35623, GOC:hp]' - }, - 'GO:0036278': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to nitrogen starvation', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a deprivation of nitrogen. [GOC:al, PMID:21118960]' - }, - 'GO:0036279': { - 'name': 'positive regulation of protein export from nucleus in response to glucose starvation', - 'def': 'Any process that activates or increases the frequency, rate or extent of directed movement of proteins from the nucleus into the cytoplasm in response to deprivation of glucose. [GOC:al, PMID:3541942]' - }, - 'GO:0036280': { - 'name': 'cellular response to L-canavanine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-canavanine stimulus. L-canavanine is L-homoserine substituted at oxygen with a guanidino (carbamimidamido) group. [CHEBI:609827, GOC:al]' - }, - 'GO:0036281': { - 'name': 'coflocculation', - 'def': 'The non-sexual aggregation between single-celled organisms of different species. [GOC:al, PMID:11472912, PMID:11693916]' - }, - 'GO:0036282': { - 'name': 'coflocculation via protein-carbohydrate interaction', - 'def': 'The non-sexual aggregation between single-celled organisms of different species mediated by interaction of a protein in one species and a carbohydrate in the other species. For example, coflocculation between S. pombe and E. coli is mediated by mannose residues in the yeast cell wall interacting with lectin protein in E. coli cell projections. [GOC:al, PMID:11472912, PMID:11693916]' - }, - 'GO:0036283': { - 'name': 'positive regulation of transcription factor import into nucleus in response to oxidative stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of the movement of a transcription factor from the cytoplasm to the nucleus under conditions of oxidative stress. [GOC:al, PMID:9585505]' - }, - 'GO:0036284': { - 'name': 'tubulobulbar complex', - 'def': 'Actin-based structures involved in establishing close contact between Sertoli-Sertoli cells or Sertoli-spermatids in the seminiferous tubules of the testes. [GOC:sl, PMID:22510523]' - }, - 'GO:0036285': { - 'name': 'SAGA complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a SAGA complex, a SAGA-type histone acetyltransferase complex that contains Spt8 (in budding yeast) or a homolog thereof. [GOC:mah, PMID:10637607, PMID:22456315]' - }, - 'GO:0036286': { - 'name': 'eisosome filament', - 'def': 'A filamentous cortical structure formed, in S. pombe, by the eisosome component Pil1. [GOC:vw, PMID:21900489, PMID:23722945]' - }, - 'GO:0036287': { - 'name': 'response to iloperidone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an iloperidone stimulus. [CHEBI:113949, GOC:hp]' - }, - 'GO:0036288': { - 'name': 'response to ximelagatran', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ximelagatran stimulus. [CHEBI:578003, GOC:hp]' - }, - 'GO:0036289': { - 'name': 'peptidyl-serine autophosphorylation', - 'def': 'The phosphorylation by a protein of one or more of its own serine amino acid residues, or a serine residue on an identical protein. [GOC:pm]' - }, - 'GO:0036290': { - 'name': 'protein trans-autophosphorylation', - 'def': 'The phosphorylation by a protein of a residue on an identical protein. For example, phosphorylation by the other kinase within a homodimer. [GOC:jsg, PMID:20516151]' - }, - 'GO:0036291': { - 'name': 'protein cis-autophosphorylation', - 'def': 'The phosphorylation by a protein of one or more of its own amino acid residues. [GOC:jsg, PMID:9201908]' - }, - 'GO:0036292': { - 'name': 'DNA rewinding', - 'def': 'The process in which interchain hydrogen bonds between two single-stranded DNA (ssDNA) are reformed to regenerate double-stranded DNA (dsDNA). ssDNA is often bound and stabilized by proteins such as replication protein A (RPA) to form ssDNA bubbles. The bubbles can be rewound by ATP-dependent motors to reform base pairs between strands and thus dsDNA. [PMID:21078962, PMID:22704558, PMID:22705370, PMID:22759634]' - }, - 'GO:0036293': { - 'name': 'response to decreased oxygen levels', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting a decline in the level of oxygen. [GOC:al]' - }, - 'GO:0036294': { - 'name': 'cellular response to decreased oxygen levels', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting a decline in the level of oxygen. [GOC:al]' - }, - 'GO:0036295': { - 'name': 'cellular response to increased oxygen levels', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting an increase in the level of oxygen. [GOC:al]' - }, - 'GO:0036296': { - 'name': 'response to increased oxygen levels', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting an increase in the level of oxygen. [GOC:al]' - }, - 'GO:0036297': { - 'name': 'interstrand cross-link repair', - 'def': 'Removal of a DNA interstrand crosslink (a covalent attachment of DNA bases on opposite strands of the DNA) and restoration of the DNA. DNA interstrand crosslinks occur when both strands of duplex DNA are covalently tethered together (e.g. by an exogenous or endogenous agent), thus preventing the strand unwinding necessary for essential DNA functions such as transcription and replication. [GOC:vw, PMID:16464006, PMID:22064477]' - }, - 'GO:0036298': { - 'name': 'recombinational interstrand cross-link repair', - 'def': 'Removal of a DNA interstrand crosslink (a covalent attachment of DNA bases on opposite strands of the DNA) and restoration of the DNA by a mechanism that involves the exchange, reciprocal or nonreciprocal, of genetic material between the broken DNA molecule and a homologous region of DNA. [GOC:vw, PMID:20658649]' - }, - 'GO:0036299': { - 'name': 'non-recombinational interstrand cross-link repair', - 'def': 'Removal of a DNA interstrand crosslink (a covalent attachment of DNA bases on opposite strands of the DNA) and restoration of the DNA by a mechanism that does not involve homologous DNA recombination. [GOC:vw, PMID:11154259, PMID:22064477]' - }, - 'GO:0036300': { - 'name': 'B cell receptor internalization', - 'def': 'A receptor-mediated endocytosis process that results in the movement of a B cell receptor from the plasma membrane to the inside of the cell. [GOC:add, GOC:amm]' - }, - 'GO:0036301': { - 'name': 'macrophage colony-stimulating factor production', - 'def': 'The appearance of macrophage colony-stimulating factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:vk]' - }, - 'GO:0036302': { - 'name': 'atrioventricular canal development', - 'def': 'The progression of the atrioventricular canal over time, from its formation to the mature structure. The atrioventricular canal is the part of the heart connecting the atrium to the cardiac ventricle. [GOC:BHF, GOC:gr, PMID:14701881, UBERON:0002087, ZFA:0001315]' - }, - 'GO:0036303': { - 'name': 'lymph vessel morphogenesis', - 'def': 'The process in which the anatomical structures of lymph vessels are generated and organized. The lymph vessel is the vasculature carrying lymph. [GOC:BHF, GOC:gr, PMID:18093989]' - }, - 'GO:0036304': { - 'name': 'umbilical cord morphogenesis', - 'def': 'The process in which the anatomical structures of the umbilical cord are generated and organized. The umbilical cord is an organ or embryonic origin consisting of the 2 umbilical arteries and the one umbilical vein. The umbilical cord connects the cardiovascular system of the fetus to the mother via the placenta. [GOC:BHF, GOC:gr, PMID:15107403]' - }, - 'GO:0036305': { - 'name': 'ameloblast differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an ameloblast, a cylindrical epithelial cell in the innermost layer of the enamel organ. [CL:0000059]' - }, - 'GO:0036306': { - 'name': 'embryonic heart tube elongation', - 'def': 'The developmental growth that results in the increase in length of the embryonic heart tube. The embryonic heart tube is an epithelial tube that will give rise to the mature heart. [GOC:BHF, GOC:gr, PMID:15901664]' - }, - 'GO:0036307': { - 'name': '23S rRNA (adenine(2030)-N(6))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + adenine(2030) in 23S rRNA = S-adenosyl-L-homocysteine + rRNA containing N(6)-methyladenine(2030) in 23S rRNA. [GOC:imk, PMID:22847818]' - }, - 'GO:0036308': { - 'name': '16S rRNA (guanine(1516)-N(2))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanosine(1516) in 16S rRNA = N(2)-methylguanosine(1516) in 16S rRNA + S-adenosyl-L-homocysteine. [GOC:imk, PMID:22079366]' - }, - 'GO:0036309': { - 'name': 'protein localization to M-band', - 'def': 'Any process in which a protein is transported to, and/or maintained in, the M band. The M band is the midline of aligned thick filaments in a sarcomere. [GOC:BHF, GOC:rl, PMID:18782775]' - }, - 'GO:0036310': { - 'name': 'annealing helicase activity', - 'def': 'Catalysis of the ATP-dependent rewinding of single-stranded DNA (ssDNA) to reform base pairs between strands. Often acts on ssDNA bubbles bound by replication protein A (RPA). [GOC:bf, GOC:sp, PMID:21078962, PMID:22704558, PMID:22705370, PMID:22759634]' - }, - 'GO:0036311': { - 'name': 'chitin disaccharide deacetylase activity', - 'def': 'Catalysis of the reaction: 2-(acetylamino)-4-O-[2-(acetylamino)-2-deoxy-beta-D-glucopyranosyl]-2-deoxy-beta-D-glucopyranose + H2O = 2-(acetylamino)-4-O-(2-amino-2-deoxy-beta-D-glucopyranosyl)-2-deoxy-beta-D-glucopyranose + acetate. [EC:3.5.1.105, GOC:imk]' - }, - 'GO:0036312': { - 'name': 'phosphatidylinositol 3-kinase regulatory subunit binding', - 'def': 'Interacting selectively and non-covalently with a regulatory subunit of phosphatidylinositol 3-kinase. The regulatory subunit associates with the catalytic subunit to regulate both its activity and subcellular location. [GOC:bf, PMID:20505341]' - }, - 'GO:0036313': { - 'name': 'phosphatidylinositol 3-kinase catalytic subunit binding', - 'def': "Interacting selectively and non-covalently with the catalytic subunit of a phosphatidylinositol 3-kinase. The catalytic subunit catalyzes the addition of a phosphate group to an inositol lipid at the 3' position of the inositol ring. [GOC:bf, PMID:17475214]" - }, - 'GO:0036314': { - 'name': 'response to sterol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sterol stimulus. [CHEBI:15889, GOC:bf]' - }, - 'GO:0036315': { - 'name': 'cellular response to sterol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sterol stimulus. [CHEBI:15889, GOC:bf]' - }, - 'GO:0036316': { - 'name': 'SREBP-SCAP complex retention in endoplasmic reticulum', - 'def': 'Any process in which the SREBP-SCAP complex is maintained in the endoplasmic reticulum and prevented from moving elsewhere. The SREBP-SCAP complex is formed by the association of sterol regulatory element binding protein (SREBP) and SREBP-cleavage-activating protein (SCAP). In the absence of sterols, the SREBP-SCAP complex is packaged into COPII vesicles and travels to the Golgi apparatus to be processed. In the presence of sterols, the complex binds ER-resident proteins such as INSIG, which retain the complex in the ER. [GOC:bf, PMID:16525117]' - }, - 'GO:0036317': { - 'name': 'tyrosyl-RNA phosphodiesterase activity', - 'def': "Catalysis of the hydrolysis of a 5' tyrosyl-RNA phosphodiester bond between a protein and RNA. In picornaviruses, this covalent bond connects VPg, a viral-encoded protein essential for RNA replication, to the 5' end of all nascent picornavirus genomes; it is cleaved from viral RNA prior to its engaging in protein synthesis. [GOC:bf, GOC:sp, PMID:21408223, PMID:22908287]" - }, - 'GO:0036318': { - 'name': 'peptide pheromone receptor activity', - 'def': 'Combining with a peptide pheromone, and transmitting the signal across the membrane to initiate a change in cell activity. [CHEBI:38579, GOC:al]' - }, - 'GO:0036319': { - 'name': 'mating-type M-factor pheromone receptor activity', - 'def': 'Combining with the mating-type peptide pheromone M-factor and transmitting the signal across the membrane to initiate a change in cell activity. M-factor is a nine-membered oligopeptide that consists of tyrosyl, threonyl, prolyl, lysyl, valyl, prolyl, tyrosyl, methionyl and methyl S-farnesylcysteinate residues joined in sequence, and is a peptide pheromone released by Schizosaccharomyces pombe cells of the cellular mating type Minus. [CHEBI:64120, GOC:al]' - }, - 'GO:0036320': { - 'name': 'mating-type P-factor pheromone receptor activity', - 'def': 'Combining with the mating-type peptide pheromone P-factor and transmitting the signal across the membrane to initiate a change in cell activity. P-factor is a polypeptide of 23 residues, with the sequence Thr-Tyr-Ala-Asp-Phe-Leu-Arg-Ala-Tyr-Gln-Ser-Trp-Asn-Thr-Phe-Val-Asn-Pro-Asp-Arg-Pro-Asn-Leu, and is a peptide pheromone released by Schizosaccharomyces pombe cells of the cellular mating type Plus. [CHEBI:64120, GOC:al]' - }, - 'GO:0036321': { - 'name': 'ghrelin secretion', - 'def': 'The regulated release of ghrelin from a cell. Ghrelin is a 28 amino acid hunger-stimulating peptide hormone. [GOC:cjm, PMID:14610293, Wikipedia:Ghrelin]' - }, - 'GO:0036322': { - 'name': 'pancreatic polypeptide secretion', - 'def': 'The regulated release of pancreatic polypeptide (PP) from a cell. Pancreatic polypeptide is a 36 amino acid polypeptide secreted by islets of Langerhans cells in the pancreas. [GOC:cjm, PMID:12730894, Wikipedia:Pancreatic_polypeptide]' - }, - 'GO:0036323': { - 'name': 'vascular endothelial growth factor receptor-1 signaling pathway', - 'def': 'Any series of molecular signals initiated by the binding of an extracellular ligand to a vascular endothelial growth factor receptor-1 (VEGFR-1) located on the surface of the receiving cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:uh, PR:000007563, Wikipedia:FLT1, Wikipedia:VEGF_receptors]' - }, - 'GO:0036324': { - 'name': 'vascular endothelial growth factor receptor-2 signaling pathway', - 'def': 'Any series of molecular signals initiated by the binding of an extracellular ligand to a vascular endothelial growth factor receptor-2 (VEGFR-2) located on the surface of the receiving cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:uh, PMID:12967471, PR:000002112, Wikipedia:Kinase_insert_domain_receptor, Wikipedia:VEGF_receptors]' - }, - 'GO:0036325': { - 'name': 'vascular endothelial growth factor receptor-3 signaling pathway', - 'def': 'Any series of molecular signals initiated by the binding of an extracellular ligand to a vascular endothelial growth factor receptor-3 (VEGFR-3) located on the surface of the receiving cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:uh, PR:000007565, Wikipedia:VEGF_receptors, Wikipedia:VEGFR3]' - }, - 'GO:0036326': { - 'name': 'VEGF-A-activated receptor activity', - 'def': 'Combining with vascular endothelial growth factor A (VEGF-A) and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:bf, GOC:signaling, PR:000017284, Wikipedia:VEGF-A]' - }, - 'GO:0036327': { - 'name': 'VEGF-B-activated receptor activity', - 'def': 'Combining with vascular endothelial growth factor B (VEGF-B) and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:bf, GOC:signaling, PR:000003096, Wikipedia:VEGF-B]' - }, - 'GO:0036328': { - 'name': 'VEGF-C-activated receptor activity', - 'def': 'Combining with vascular endothelial growth factor C (VEGF-C) and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:bf, GOC:signaling, PR:000017285, Wikipedia:VEGF-C]' - }, - 'GO:0036329': { - 'name': 'VEGF-D-activated receptor activity', - 'def': 'Combining with vascular endothelial growth factor D (VEGF-D) and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:bf, GOC:signaling, PR:000007520, Wikipedia:VEGF-D]' - }, - 'GO:0036330': { - 'name': 'VEGF-E-activated receptor activity', - 'def': 'Combining with vascular endothelial growth factor E (VEGF-E) and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:bf, GOC:signaling, PMID:19909239]' - }, - 'GO:0036331': { - 'name': 'avascular cornea development in camera-type eye', - 'def': 'The progression of an avascular cornea over time, from its formation to the mature structure. Corneal avascularity (the absence of blood vessels in the cornea) is required for optical clarity and optimal vision. Avascular corneas are present in most animals, except Manatees. [GOC:uh, PMID:16849433, PMID:17051153]' - }, - 'GO:0036332': { - 'name': 'placental growth factor-activated receptor activity', - 'def': 'Combining with placental growth factor (PlGF) and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:uh, PMID:12871269, PMID:7929268, PR:000012605, Wikipedia:Placental_growth_factor]' - }, - 'GO:0036333': { - 'name': 'hepatocyte homeostasis', - 'def': 'Any biological process involved in the maintenance of the steady-state number of hepatocytes within a population of cells. Hepatocytes are specialized epithelial cells of the liver that are organized into interconnected plates called lobules. [CL:0000182, GOC:nhn, PMID:19878874]' - }, - 'GO:0036334': { - 'name': 'epidermal stem cell homeostasis', - 'def': 'Any biological process involved in the maintenance of the steady-state number of epidermal stem cells within a population of cells. [CL:1000428, GOC:nhn, PMID:17666529]' - }, - 'GO:0036335': { - 'name': 'intestinal stem cell homeostasis', - 'def': 'Any biological process involved in the maintenance of the steady-state number of intestinal stem cells within a population of cells. [GOC:nhn, PMID:22042863]' - }, - 'GO:0036336': { - 'name': 'dendritic cell migration', - 'def': 'The movement of a dendritic cell within or between different tissues and organs of the body. [CL:0000451, GOC:nhn, PMID:19339990]' - }, - 'GO:0036337': { - 'name': 'Fas signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a ligand to the receptor Fas on the surface of the cell, and ending with regulation of a downstream cellular process, e.g. transcription. Fas is a death domain-containing member of the tumor necrosis factor receptor (TNFR) superfamily. [GOC:nhn, PMID:12040174, Wikipedia:Fas_receptor]' - }, - 'GO:0036338': { - 'name': 'viral membrane', - 'def': 'The lipid bilayer of a virion, a complete fully infectious extracellular virus particle. [GOC:bm]' - }, - 'GO:0036339': { - 'name': 'lymphocyte adhesion to endothelial cell of high endothelial venule', - 'def': 'The attachment of a lymphocyte to an endothelial cell of a high endothelial venule (HEV) via adhesion molecules. A HEV cell is an endothelial cell that is cuboidal, expresses leukocyte-specific receptors, and allows for passage of lymphocytes into bloodstream. [CL:0000542, CL:0002652, GOC:nhn, PMID:19339990, PMID:7679710, Wikipedia:High_endothelial_venules]' - }, - 'GO:0036340': { - 'name': 'chitin-based cuticle sclerotization by biomineralization', - 'def': 'The process of hardening a chitin-based cuticle by mineral incorporation. For example, the cuticle of crustaceans is hardened by the incorporation of calcium carbonate. [GOC:sart]' - }, - 'GO:0036341': { - 'name': 'chitin-based cuticle sclerotization by protein cross-linking', - 'def': 'The process of hardening of a chitin-based cuticle by protein cross-linking, and the incorporation of phenolic precursors. This mechanism of cuticle hardening occurs in insects and is usually accompanied by darkening of the cuticle. [GOC:bf, GOC:sart]' - }, - 'GO:0036342': { - 'name': 'post-anal tail morphogenesis', - 'def': 'The process in which a post-anal tail is generated and organized. A post-anal tail is a muscular region of the body that extends posterior to the anus. The post-anal tail may aid locomotion and balance. [GOC:bf, GOC:kmv, Wikipedia:Chordate]' - }, - 'GO:0036343': { - 'name': 'psychomotor behavior', - 'def': 'The specific behavior of an organism that combines cognitive functions and physical movement. For example, driving a car, throwing a ball, or playing a musical instrument. [GOC:nhn, GOC:pr, PMID:17159989, Wikipedia:Psychomotor_learning]' - }, - 'GO:0036344': { - 'name': 'platelet morphogenesis', - 'def': 'Generation and organization of a platelet, a non-nucleated disk-shaped cell formed by extrusion from megakaryocytes, found in the blood of all mammals, and mainly involved in blood coagulation. [CL:0000233, GOC:BHF, GOC:vk]' - }, - 'GO:0036345': { - 'name': 'platelet maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a platelet to attain its fully functional state. A platelet is a non-nucleated disk-shaped cell formed by extrusion from megakaryocytes, found in the blood of all mammals, and mainly involved in blood coagulation. [CL:0000233, GOC:BHF, GOC:vk]' - }, - 'GO:0036346': { - 'name': 'cellular response to L-cysteine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-cysteine stimulus. L-cysteine is an optically active form of cysteine having L-configuration. [CHEBI:17561, GOC:al]' - }, - 'GO:0036347': { - 'name': 'glutathione import into cell', - 'def': 'The directed movement of glutathione from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:al]' - }, - 'GO:0036348': { - 'name': 'hydantoin racemase activity', - 'def': 'Catalysis of the reaction: D-5-monosubstituted hydantoin = L-5-monosubstituted hydantoin. [EC:5.1.99.5, InterPro:IPR015942]' - }, - 'GO:0036349': { - 'name': 'galactose-specific flocculation', - 'def': 'The non-sexual aggregation of single-celled organisms mediated by the binding of cell wall proteins on one cell to galactose residues on the other. [GOC:vw, PMID:22098069]' - }, - 'GO:0036350': { - 'name': 'mannose-specific flocculation', - 'def': 'The non-sexual aggregation of single-celled organisms mediated by the binding of cell wall proteins on one cell to mannose residues on the other. [GOC:vw, PMID:9851992]' - }, - 'GO:0036351': { - 'name': 'histone H2A-K13 ubiquitination', - 'def': 'The modification of histone H2A by addition of ubiquitin group at lysine 13 (H2A-K13) in metazoans, and at the equivalent residue in other organisms. Monoubiquitin is first attached to H2A-K13 and K63-linked ubiquitin chains are then extended from this monoubiquitin. [GOC:sp, PMID:22713238, PMID:22980979]' - }, - 'GO:0036352': { - 'name': 'histone H2A-K15 ubiquitination', - 'def': 'The modification of histone H2A by addition of ubiquitin group at lysine 15 (H2A-K15) in metazoans, and at the equivalent residue in other organisms. Monoubiquitin is first attached to H2A-K15 and K63-linked ubiquitin chains are then extended from this monoubiquitin. [GOC:sp, PMID:22713238, PMID:22980979]' - }, - 'GO:0036353': { - 'name': 'histone H2A-K119 monoubiquitination', - 'def': 'The modification of histone H2A by addition of a single ubiquitin group to lysine-119 (H2A- K119) in metazoans, and at the equivalent residue in other organisms. [GOC:sp, PMID:15386022]' - }, - 'GO:0036354': { - 'name': '2-desacetyl-2-hydroxyethyl bacteriochlorophyllide a dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-desacetyl-2-hydroxyethyl bacteriochlorophyllide a = bacteriochlorophyllide a + 2 H+. [GOC:crds, InterPro:IPR005903, MetaCyc:RXN-8787, PMID:8437569]' - }, - 'GO:0036355': { - 'name': '2-iminoacetate synthase activity', - 'def': "Catalysis of the reaction: L-tyrosine + S-adenosyl-L-methionine + reduced acceptor = 2-iminoacetate + 4-methylphenol + 5'-deoxyadenosine + L-methionine + acceptor + 2 H+. [EC:4.1.99.19, GOC:crds, MetaCyc:RXN-11319, PMID:17403671]" - }, - 'GO:0036356': { - 'name': 'cyclic 2,3-diphosphoglycerate synthetase activity', - 'def': 'Catalysis of the reaction: 2,3-diphosphoglycerate (DPG) + ATP = cyclic 2,3-diphosphoglycerate (cDPG) + ADP + phosphate. [GOC:crds, PMID:2226838, PMID:8320225, PMID:9811660]' - }, - 'GO:0036357': { - 'name': '2-phosphoglycerate kinase activity', - 'def': 'Catalysis of the reaction: 2-phosphoglycerate + ATP = 2,3-diphosphoglycerate + ADP. [GOC:bf, InterPro:IPR020872, PMID:2226838, PMID:8159166]' - }, - 'GO:0036358': { - 'name': 'lipoteichoic acid D-alanylation', - 'def': 'The formation of a D-alanyl ester of lipoteichoic acid by transfer of D-Ala onto a membrane-associated lipoteichoic acid (LTA). [GOC:crds, PMID:22750871, PMID:8682792]' - }, - 'GO:0036359': { - 'name': 'renal potassium excretion', - 'def': 'The elimination by an organism of potassium in the urine. [GOC:gap, PMID:15034090, PMID:16014448]' - }, - 'GO:0036360': { - 'name': 'sorocarp stalk morphogenesis', - 'def': 'The process in which the sorocarp stalk is generated and organized. The sorocarp stalk is a tubular structure that consists of cellulose-covered cells stacked on top of each other and surrounded by an acellular stalk tube composed of cellulose and glycoprotein. An example of this process is found in Dictyostelium discoideum. [DDANAT:0000068, GOC:pf, PMID:22902739]' - }, - 'GO:0036361': { - 'name': 'racemase activity, acting on amino acids and derivatives', - 'def': 'Catalysis of the interconversion of the two enantiomers of a chiral amino acid or amino acid derivative. [GOC:crds]' - }, - 'GO:0036362': { - 'name': 'ascus membrane', - 'def': 'A double layer of lipid molecules that surrounds an ascus, a capsule containing the sexual spores in some fungi. [GOC:mcc, GOC:vw, PMID:21900489]' - }, - 'GO:0036363': { - 'name': 'transforming growth factor beta activation', - 'def': 'The release of transforming growth factor beta (TGF-beta) from its latent state. TGF-beta is secreted as part of a large latent complex (LLC) that is targeted to the extracellular matrix. Release of TGFbeta from its latent state is required for TGFbeta to bind to its receptors, and can occur by a variety of mechanisms. [GOC:bf, GOC:sl, PMID:12482908, PMID:9170210]' - }, - 'GO:0036364': { - 'name': 'transforming growth factor beta1 activation', - 'def': 'The release of transforming growth factor beta1 (TGF-beta1) from its latent state. [GOC:sl, PMID:12482908, PMID:9170210]' - }, - 'GO:0036365': { - 'name': 'transforming growth factor beta2 activation', - 'def': 'The release of transforming growth factor beta 2 (TGF-beta2) from its latent state. [GOC:sl, PMID:12482908, PMID:9170210]' - }, - 'GO:0036366': { - 'name': 'transforming growth factor beta3 activation', - 'def': 'The release of transforming growth factor beta 3 (TGF-beta3) from its latent state. [GOC:sl, PMID:12482908, PMID:9170210]' - }, - 'GO:0036367': { - 'name': 'light adaption', - 'def': 'The ability of a photoreceptor to adjust to varying levels of light. [GOC:gap, PMID:16039565]' - }, - 'GO:0036368': { - 'name': 'cone photoresponse recovery', - 'def': 'The processes required for a cone photoreceptor to recover, following light activation, so that it can respond to a subsequent light stimulus. Cone recovery requires the shutoff of active participants in the phototransduction cascade, including the visual pigment and downstream signal transducers. [GOC:gap, PMID:16039565, PMID:22802362]' - }, - 'GO:0036369': { - 'name': 'transcription factor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a sequence-specific DNA binding transcription factor by hydrolysis of its peptide bonds, initiated by the covalent attachment of ubiquitin, and mediated by the proteasome. [GOC:al, GOC:vw, PMID:22833559]' - }, - 'GO:0036370': { - 'name': 'D-alanyl carrier activity', - 'def': 'Accepts activated D-alanine and subsequently transfers D-alanine onto a teichoic acid acceptor molecule. The carrier protein provides an essential link between the D-alanine-D-alanyl carrier protein ligase and the incorporation of D-alanine into the substrate. [GOC:crds, PMID:11222605, PMID:22750871, PMID:8682792]' - }, - 'GO:0036371': { - 'name': 'protein localization to T-tubule', - 'def': 'A process in which a protein is transported to, or maintained in, the T-tubule. The T-tubule is an invagination of the plasma membrane of a muscle cell that extends inward from the cell surface around each myofibril. [GOC:BHF, GOC:rl, PMID:16292983]' - }, - 'GO:0036372': { - 'name': 'opsin transport', - 'def': 'The directed movement of an opsin (a G-protein coupled receptor of photoreceptor cells) into, out of or within a cell, or between cells, or within a multicellular organism by means of some agent such as a transporter or pore. [GOC:atm, PMID:20238016, PMID:22855808]' - }, - 'GO:0036373': { - 'name': 'L-fucose mutarotase activity', - 'def': 'Catalysis of the reaction: alpha-L-fucose = beta-L-fucose. [GOC:crds, PMID:15060078, RHEA:25583]' - }, - 'GO:0036374': { - 'name': 'glutathione hydrolase activity', - 'def': 'Catalysis of the reaction: glutathione + H2O = L-cysteinylglycine + L-glutamate. [EC:3.4.19.13, GOC:imk]' - }, - 'GO:0036375': { - 'name': 'Kibra-Ex-Mer complex', - 'def': 'An apical protein complex that contains the proteins Kibra, Expanded and Merlin (Mer), or orthologs thereof. In humans, the complex contains KIBRA, FDM6 and NF2. [PMID:20159598]' - }, - 'GO:0036376': { - 'name': 'sodium ion export from cell', - 'def': 'The directed movement of sodium ions out of a cell. [GOC:al, PMID:14674689]' - }, - 'GO:0036377': { - 'name': 'arbuscular mycorrhizal association', - 'def': 'A form of mutualism between a fungus and the roots of a vascular plant, where hyphae of the fungus penetrate the plant cell wall and invaginate its cell membrane. Once inside, the fungus forms highly branched structures for nutrient exchange with the plant called arbuscules. Aids in the acquisition by the plant of nutrients such as phosphorus from the soil. [GOC:sk, Wikipedia:Arbuscular_mycorrhiza]' - }, - 'GO:0036378': { - 'name': 'calcitriol biosynthetic process from calciol', - 'def': 'Conversion of vitamin D3 from its largely inactive form (calciol, also called cholecalciferol) into a hormonally active form (calcitriol). Conversion requires 25-hydroxylation of calciol in the liver to form calcidiol, and subsequent 1,alpha-hydroxylation of calcidiol in the kidney to form calcitriol. [GOC:BHF, GOC:rl, PMID:17426122, PMID:20511049]' - }, - 'GO:0036379': { - 'name': 'myofilament', - 'def': 'Any of the smallest contractile units of a myofibril (striated muscle fiber). [Wikipedia:Myofilament]' - }, - 'GO:0036380': { - 'name': 'UDP-N-acetylglucosamine-undecaprenyl-phosphate N-acetylglucosaminephosphotransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-alpha-D-glucosamine + ditrans,octacis-undecaprenyl phosphate = UMP + N-acetyl-alpha-D-glucosaminyldiphospho-ditrans,octacis-undecaprenol. [EC:2.7.8.33, GOC:rs]' - }, - 'GO:0036381': { - 'name': "pyridoxal 5'-phosphate synthase (glutamine hydrolysing) activity", - 'def': "Catalysis of the reaction: D-ribose 5-phosphate + D-glyceraldehyde 3-phosphate + L-glutamine = pyridoxal 5'-phosphate + L-glutamate + 3 H2O + phosphate. The reaction occurs in two steps: L-glutamine + H2O = L-glutamate + NH3, and subsequently D-ribose 5-phosphate + D-glyceraldehyde 3-phosphate + NH3 = pyridoxal 5'-phosphate + 4 H2O + phosphate. [EC:4.3.3.6, GOC:rs]" - }, - 'GO:0036382': { - 'name': 'flavin reductase (NADH) activity', - 'def': 'Catalysis of the reaction: reduced flavin + NAD+ = flavin + NADH + H+. [EC:1.5.1.36, GOC:rs]' - }, - 'GO:0036383': { - 'name': '3-hydroxy-9,10-secoandrosta-1,3,5(10)-triene-9,17-dione monooxygenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-9,10-secoandrosta-1,3,5(10)-triene-9,17-dione + FMNH2 + O2 = 3,4-dihydroxy-9,10-secoandrosta-1,3,5(10)-triene-9,17-dione + FMN + H2O. [EC:1.14.14.12, GOC:rs]' - }, - 'GO:0036384': { - 'name': 'cytidine diphosphatase activity', - 'def': 'Catalysis of the reaction: CDP + H2O = CMP + phosphate. [GOC:al]' - }, - 'GO:0036385': { - 'name': 'nucleoid DNA packaging', - 'def': 'Any process in which DNA and associated proteins are formed into a compact, orderly structure within a nucleoid. [GOC:bf, GOC:bhm]' - }, - 'GO:0036386': { - 'name': 'bacterial nucleoid DNA packaging', - 'def': 'Compaction of DNA in a bacterial nucleoid into a compact structure. Often achieved by DNA supercoiling. [GOC:bf, GOC:bhm, PMID:17097674, PMID:17360520]' - }, - 'GO:0036387': { - 'name': 'pre-replicative complex', - 'def': "A protein-DNA complex that forms at the origin of replication during the initial step of DNA replication and allows the origin to become competent, or 'licensed', for replication. [GOC:bf, GOC:bhm, GOC:jh2, Wikipedia:Pre-replication_complex]" - }, - 'GO:0036388': { - 'name': 'pre-replicative complex assembly', - 'def': "The aggregation, arrangement and bonding together of a set of components to form the pre-replicative complex, a protein-DNA complex that forms at the origin of replication during the initial step of DNA replication and allows the origin to become competent, or 'licensed', for replication. [GOC:bf, GOC:bhm, GOC:jh2]" - }, - 'GO:0036389': { - 'name': 'bacterial pre-replicative complex', - 'def': "A protein-DNA complex that forms at the bacterial oriC during the initial step of DNA replication and allows the origin to become competent, or 'licensed', for replication. [GOC:bf, GOC:bhm, GOC:jh2, PMID:19833870, PMID:21035377, Wikipedia:Pre-replication_complex]" - }, - 'GO:0036390': { - 'name': 'pre-replicative complex assembly involved in bacterial-type DNA replication', - 'def': "The aggregation, arrangement and bonding together of a set of components to form the bacterial pre-replicative complex, a protein-DNA complex that forms at the bacterial oriC during the initial step of DNA replication and allows the origin to become competent, or 'licensed', for replication. [GOC:bf, GOC:bhm, GOC:jh2, PMID:19833870, PMID:21035377, PMID:21895796]" - }, - 'GO:0036391': { - 'name': 'medial cortex septin ring', - 'def': 'A ring-shaped structure that forms at the medial cortex of a symmetrically dividing cell at the onset of cytokinesis; composed of members of the conserved family of filament forming proteins called septins as well as septin-associated proteins. [GOC:vw, PMID:16009555]' - }, - 'GO:0036392': { - 'name': 'chemokine (C-C motif) ligand 20 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 20 (CCL20) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:jc]' - }, - 'GO:0036393': { - 'name': 'thiocyanate peroxidase activity', - 'def': 'Catalysis of the reaction: thiocyanate (SCN-) + hydrogen peroxide (H2O2) = hypothiocyanite (OSCN-) + 2 H2O. Catalyzes the hydrogen peroxide oxidation of thiocyanate. [GOC:pm, PMID:12626341]' - }, - 'GO:0036394': { - 'name': 'amylase secretion', - 'def': 'The controlled release of amylase from a cell. [GOC:jc, PMID:19028687]' - }, - 'GO:0036395': { - 'name': 'pancreatic amylase secretion', - 'def': 'The controlled release of amylase from a cell of the pancreas. [GOC:jc, PMID:19028687]' - }, - 'GO:0036396': { - 'name': 'MIS complex', - 'def': 'An mRNA methyltransferase complex that catalyzes the post-transcriptional methylation of adenosine to form N6-methyladenosine (m6A). In budding yeast, the MIS complex consists of Mum2p, Ime4p and Slz1p. In vertebrates, the complex consists of METTL3, METTL14 and WTAP. [GOC:dgf, GOC:sp, PMID:22685417, PMID:24316715]' - }, - 'GO:0036397': { - 'name': 'formate dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: formate + a quinone = CO2 + a quinol. [EC:1.1.5.6, GOC:bm]' - }, - 'GO:0036398': { - 'name': 'TCR signalosome', - 'def': 'A multi-protein complex containing at least the T-cell receptor complex and the LAT (linker for activation of T cells) scaffold protein. Also contains a variety of signaling proteins including co-receptors, kinases, phosphatases and adaptors such as CD8. Connects events on the plasma membrane to distal signaling cascades to ultimately modulate T cell biology. [GOC:krc, PMID:17534068, PMID:20107804, PMID:22426112]' - }, - 'GO:0036399': { - 'name': 'TCR signalosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a TCR signalosome. [GOC:krc, PMID:22426112]' - }, - 'GO:0036400': { - 'name': 'short neuropeptide F receptor activity', - 'def': 'Combining with a short neuropeptide F and transmitting the signal within the cell to initiate a change in cell activity. Short neuropeptide F is an arthropod peptide of less than 28 residues (as small as 8-10 residues in some species) with a C-terminal RFamide or LRFamide. [GOC:ha, PMID:16330127, PMID:21440021]' - }, - 'GO:0036401': { - 'name': 'pyrokinin receptor activity', - 'def': 'Combining with a pyrokinin and transmitting the signal within the cell to induce a change in cell activity. Pyrokinins are a group of insect neuropeptides that share the common C-terminal pentapeptide sequence Phe-X-Pro-Arg-Leu-NH2 (X = S, T, K, A, or G). They play a central role in diverse physiological processes including stimulation of gut motility, production and release of sex pheromones, diapause, and pupariation. [GOC:ha, PMID:12951076, PMID:19186060]' - }, - 'GO:0036402': { - 'name': 'proteasome-activating ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, which promotes unfolding of protein substrates, and channel opening of the core proteasome. [GOC:rb, PMID:11430818]' - }, - 'GO:0036403': { - 'name': 'arachidonate 8(S)-lipoxygenase activity', - 'def': 'Catalysis of the reaction: arachidonate + O(2) = (5Z,8S,9E,11Z,14Z)-8-hydroperoxyicosa-5,9,11,14-tetraenoate. [EC:1.13.11.-, GOC:lb, PMID:10625675]' - }, - 'GO:0036404': { - 'name': 'conversion of ds siRNA to ss siRNA', - 'def': 'The process in which double-stranded small interfering RNA (ds siRNA) molecules are converted to single-stranded small interfering RNA (ss siRNA). [GOC:vw]' - }, - 'GO:0036405': { - 'name': 'anchored component of cell outer membrane', - 'def': 'The component of the cell outer membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos, GOC:md]' - }, - 'GO:0036406': { - 'name': 'anchored component of periplasmic side of cell outer membrane', - 'def': 'The component of the cell outer membrane consisting of gene products and protein complexes that are tethered to the periplasmic side of membrane by only a covalently attached anchor, embedded in the periplasmic side of the membrane only. [GOC:dos, GOC:md]' - }, - 'GO:0036407': { - 'name': 'mycolate outer membrane', - 'def': 'A mycolic acid-rich cell outer membrane containing a lipid bilayer and long-chain mycolic acids (hydroxylated branched-chain fatty acids) that are covalently linked to the cell wall peptidoglycan via an arabinogalactan network. Found in mycobacteria and related genera (e.g. corynebacteria). [GOC:bf, GOC:das, GOC:md, PMID:18316738, PMID:18567661]' - }, - 'GO:0036408': { - 'name': 'histone acetyltransferase activity (H3-K14 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 L-lysine (position 14) = CoA + histone H3 N6-acetyl-L-lysine (position 14). [GOC:vw, PMID:21289066]' - }, - 'GO:0036409': { - 'name': 'histone H3-K14 acetyltransferase complex', - 'def': 'A protein complex that can catalyze the acetylation of lysine at position 14 in histone H3. [GOC:vw, PMID:21289066]' - }, - 'GO:0036410': { - 'name': 'Mst2 histone acetyltransferase complex', - 'def': 'A protein complex that can catalyze the acetylation of lysine at position 14 in histone H3, and contains Mst2 as the catalytic subunit. In fission yeast, contains at least Mst2, Nto1, Ptf2, Ptf1 and Eaf6. [GOC:vw, PMID:21289066]' - }, - 'GO:0036411': { - 'name': 'H-NS-Cnu complex', - 'def': 'A trimeric protein complex containing a H-NS homodimer and a Cnu monomer. In bacteria, this complex negatively regulates transcription of a range of genes. [GOC:bhm, PMID:18189420, PMID:22358512]' - }, - 'GO:0036412': { - 'name': 'acetyl-CoA:oxalate CoA-transferase', - 'def': 'Catalysis of the reaction: acetyl-CoA + oxalate = acetate + oxalyl-CoA. [GOC:imk, PMID:23935849]' - }, - 'GO:0036413': { - 'name': 'histone H3-R26 citrullination', - 'def': 'The hydrolysis of peptidyl-arginine to form peptidyl-citrulline at position 26 in histone H3. [GOC:als, PMID:22853951]' - }, - 'GO:0036414': { - 'name': 'histone citrullination', - 'def': 'The hydrolysis of peptidyl-arginine to form peptidyl-citrulline on a histone protein. [GOC:als, PMID:22853951, PMID:23175390]' - }, - 'GO:0036415': { - 'name': 'regulation of tRNA stability', - 'def': 'Any process that modulates the propensity of transfer RNA (tRNA) molecules to degradation. Includes processes that both stabilize and destabilize tRNAs. [GOC:aa, PMID:21502523, PMID:23572593]' - }, - 'GO:0036416': { - 'name': 'tRNA stabilization', - 'def': 'Prevention of degradation of tRNA molecules. [GOC:aa, GOC:bf, PMID:20459084]' - }, - 'GO:0036417': { - 'name': 'tRNA destabilization', - 'def': 'Any process that decreases the stability of a tRNA molecule, making it more vulnerable to degradative processes. [GOC:aa, GOC:bf]' - }, - 'GO:0036418': { - 'name': 'intrinsic component of mycolate outer membrane', - 'def': 'The component of the mycolate outer membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:md]' - }, - 'GO:0036419': { - 'name': 'integral component of mycolate outer membrane', - 'def': 'The component of the mycolate outer membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:md]' - }, - 'GO:0036420': { - 'name': 'extrinsic component of mycolate outer membrane', - 'def': 'The component of mycolate outer membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, GOC:md]' - }, - 'GO:0036421': { - 'name': 'extrinsic component of external side of mycolate outer membrane', - 'def': 'The component of mycolate membrane consisting of gene products and protein complexes that are loosely bound to its external surface, but not integrated into the hydrophobic region. [GOC:md]' - }, - 'GO:0036422': { - 'name': 'heptaprenyl diphosphate synthase activity', - 'def': 'Catalysis of the reaction: (2E,6E)-farnesyl diphosphate + 4 isopentenyl diphosphate = 4 diphosphate + all-trans-heptaprenyl diphosphate. [EC:2.5.1.30, RHEA:27797]' - }, - 'GO:0036423': { - 'name': 'hexaprenyl-diphosphate synthase ((2E,6E)-farnesyl-diphosphate specific) activity', - 'def': 'Catalysis of the reaction: (2E,6E)-farnesyl diphosphate + 3 isopentenyl diphosphate = 3 diphosphate + all-trans-hexaprenyl diphosphate. [EC:2.5.1.83, RHEA:27562]' - }, - 'GO:0036424': { - 'name': 'L-phosphoserine phosphatase activity', - 'def': 'Catalysis of the reaction: O-phospho-L-serine + H2O <=> L-serine + phosphate. [RHEA:21211]' - }, - 'GO:0036425': { - 'name': 'D-phosphoserine phosphatase activity', - 'def': 'Catalysis of the reaction: O-phospho-D-serine + H2O <=> L-serine + phosphate. [RHEA:24876]' - }, - 'GO:0036426': { - 'name': 'ditrans, polycis-undecaprenyl-phosphate mannosyltransferase activity', - 'def': 'Catalysis of the reaction: ditrans,octacis-undecaprenyl phosphate + GDP-alpha-D-mannose = D-mannosyl undecaprenyl phosphate+ GDP. [RHEA:28121]' - }, - 'GO:0036427': { - 'name': 'all-trans-undecaprenyl-phosphate mannosyltransferase activity', - 'def': 'Catalysis of the reaction: all-trans-undecaprenyl phosphate + GDP-alpha-D-mannose = D-mannosyl undecaprenyl phosphate + GDP. [RHEA:12784]' - }, - 'GO:0036428': { - 'name': 'adenosylcobinamide kinase (GTP-specific) activity', - 'def': 'Catalysis of the reaction: adenosylcobinamide + GTP = adenosylcobinamide phosphate + GDP + H+. [RHEA:15768]' - }, - 'GO:0036429': { - 'name': 'adenosylcobinamide kinase (ATP-specific) activity', - 'def': 'Catalysis of the reaction: adenosylcobinamide + ATP = adenosylcobinamide phosphate + ADP + H+. [RHEA:15772]' - }, - 'GO:0036430': { - 'name': 'CMP kinase activity', - 'def': 'Catalysis of the reaction: ATP + CMP = ADP + CDP. [RHEA:11603]' - }, - 'GO:0036431': { - 'name': 'dCMP kinase activity', - 'def': 'Catalysis of the reaction: ATP + dCMP = ADP + dCDP. [RHEA:25097]' - }, - 'GO:0036432': { - 'name': 'all-trans undecaprenol kinase activity', - 'def': 'Catalysis of the reaction: ATP + undecaprenol + all-trans-undecaprenyl phosphate + ADP + H+. [RHEA:23755]' - }, - 'GO:0036433': { - 'name': 'di-trans, poly-cis-undecaprenol kinase activity', - 'def': 'Catalysis of the reaction: di-trans, octa-cis-undecaprenol + ATP = di-trans,octa-cis-undecaprenyl phosphate + ADP + H+. [RHEA:28125]' - }, - 'GO:0036434': { - 'name': 'nitronate monooxygenase (FMN-linked) activity', - 'def': 'Catalysis of the reaction: ethylnitronate + FMNH(2) + O(2) = acetaldehyde + FMN + H(2)O + H(+) + nitrite. [RHEA:26461]' - }, - 'GO:0036435': { - 'name': 'K48-linked polyubiquitin binding', - 'def': 'Interacting selectively and non-covalently and non-covalently with a polymer of ubiquitin formed by linkages between lysine residues at position 48 of the ubiquitin monomers. [GOC:al, PMID:20739285]' - }, - 'GO:0036436': { - 'name': 'Isw1a complex', - 'def': 'An Isw1 complex that binds DNA and has nucleosome-stimulated ATPase activity. In S. cerevisiae, contains an Isw1p ATPase subunit in complex with Ioc3p. [GOC:jd, PMID:12482963]' - }, - 'GO:0036437': { - 'name': 'Isw1b complex', - 'def': 'An Isw1 complex that binds DNA and has nucleosome-stimulated ATPase activity. In S. cerevisiae, contains an Isw1p ATPase subunit in complex with Ioc2p and Ioc4p. [GOC:jd, PMID:12482963]' - }, - 'GO:0036438': { - 'name': 'maintenance of lens transparency', - 'def': 'A homeostatic process in which the lens is maintained in a highly refractive, transparent state to allow for optimal focusing of light on the retina. [GOC:nhn, PMID:22095752]' - }, - 'GO:0036439': { - 'name': 'glycerol-3-phosphate dehydrogenase [NADP+] activity', - 'def': 'Catalysis of the reaction: glycerol 3-phosphate + NADP+ = glycerone phosphate + H+ + NADPH. [RHEA:11099]' - }, - 'GO:0036440': { - 'name': 'citrate synthase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + H2O + oxaloacetate = citrate + CoA. [RHEA:16848]' - }, - 'GO:0036441': { - 'name': '2-dehydropantolactone reductase activity', - 'def': 'Catalysis of the reaction: (R)-pantolactone + NADP+ = 2-dehydropantolactone + NADPH + H+. [RHEA:18984]' - }, - 'GO:0036442': { - 'name': 'hydrogen-exporting ATPase activity', - 'def': 'Catalysis of the transfer of protons from one side of a membrane to the other according to the reaction: ATP + H2O + H+(in) -> ADP + phosphate + H+(out). [RHEA:20855]' - }, - 'GO:0036443': { - 'name': 'dermatan 6-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenylyl sulfate + dermatan = adenosine 3',5'-bisphosphate + dermatan 6'-sulfate. [EC:2.8.2.33, GOC:bf, KEGG:R07288]" - }, - 'GO:0036444': { - 'name': 'mitochondrial calcium uptake', - 'def': 'A process in which a calcium ion (Ca2+) is transported from one side of a membrane to the other into the mitochondrion by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0036445': { - 'name': 'neuronal stem cell division', - 'def': 'The self-renewing division of a neuronal stem cell. [CL:0000047, GOC:nhn]' - }, - 'GO:0036446': { - 'name': 'myofibroblast differentiation', - 'def': 'The process in which an undifferentiated cell acquires the features of a myofibroblast cell. [CL:0000186, GOC:nhn]' - }, - 'GO:0036447': { - 'name': 'cellular response to sugar-phosphate stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the accumulation of sugar-phosphate. [GOC:am, PMID:17383224]' - }, - 'GO:0036448': { - 'name': 'cellular response to glucose-phosphate stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the accumulation of glucose-phosphate. [GOC:am, PMID:17383224]' - }, - 'GO:0036449': { - 'name': 'microtubule minus-end', - 'def': 'The end of a microtubule that does not preferentially grow (polymerize). [GOC:lb, PMID:23169647]' - }, - 'GO:0036450': { - 'name': 'polyuridylation-dependent decapping of nuclear-transcribed mRNA', - 'def': "Cleavage of the 5'-cap of a nuclear-transcribed mRNA that has been modified by the enzymatic addition of a sequence of uridylyl residues (polyuridylation) at the 3' end. [GOC:vw, PMID:19430462]" - }, - 'GO:0036451': { - 'name': 'cap mRNA methylation', - 'def': "Methylation of the 2'-O-ribose of the first or second transcribed nucleotide of a 5'-capped mRNA. [GOC:bf, PMID:20713356]" - }, - 'GO:0036452': { - 'name': 'ESCRT complex', - 'def': 'An endosomal sorting complex required for transport. [PMID:16689637, VZ:1536]' - }, - 'GO:0036453': { - 'name': 'transitive RNA interference', - 'def': "An RNA interference where the silencing signal spreads along the target mRNA in a 5' or 3' direction, outside of the initial target sequence. [GOC:pf, PMID:11719187, PMID:12554873, PMID:23724097, PMID:24369430]" - }, - 'GO:0036454': { - 'name': 'growth factor complex', - 'def': 'A protein complex that has growth factor activity. [GOC:bm]' - }, - 'GO:0036455': { - 'name': 'iron-sulfur transferase activity', - 'def': 'Catalysis of the transfer of a iron-sulfur cluster from one compound (donor) to another (acceptor). [GOC:bhm]' - }, - 'GO:0036456': { - 'name': 'L-methionine-(S)-S-oxide reductase activity', - 'def': 'Catalysis of the reaction: L-methionine (S)-S-oxide + thioredoxin -> L-methionine + thioredoxin disulfide + H2O. [GOC:vw, RHEA:19995]' - }, - 'GO:0036457': { - 'name': 'keratohyalin granule', - 'def': 'A cytoplasmic, non-membrane bound granule of, at least, keratinocyte. Associated to keratin intermediate filaments and partially crosslinked to the cell envelope. [GOC:krc, PMID:15854042]' - }, - 'GO:0036458': { - 'name': 'hepatocyte growth factor binding', - 'def': 'Interacting selectively and non-covalently with a hepatocyte growth factor. [PR:000008534]' - }, - 'GO:0036459': { - 'name': 'thiol-dependent ubiquitinyl hydrolase activity', - 'def': 'Catalysis of the thiol-dependent hydrolysis of an ester, thioester, amide, peptide or isopeptide bond formed by the C-terminal glycine of ubiquitin. [EC:3.4.19.12, GOC:bf, GOC:ka]' - }, - 'GO:0036460': { - 'name': 'cellular response to cell envelope stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of stress acting at the cell envelope. [GOC:imk, PMID:15101969, PMID:15882407]' - }, - 'GO:0036461': { - 'name': 'BLOC-2 complex binding', - 'def': 'Interacting selectively and non-covalently with a BLOC-2 complex, a protein complex required for the biogenesis of specialized organelles of the endosomal-lysosomal system, such as melanosomes and platelet dense granules. [GOC:bf, GOC:PARL, PMID:22511774]' - }, - 'GO:0036462': { - 'name': 'TRAIL-activated apoptotic signaling pathway', - 'def': 'An extrinsic apoptotic signaling pathway initiated by the binding of the ligand TRAIL (tumor necrosis factor-related apoptosis-inducing ligand) to a death receptor on the cell surface. [GOC:bf, GOC:PARL, PMID:21785459]' - }, - 'GO:0036463': { - 'name': 'TRAIL receptor activity', - 'def': 'Combining with the ligand TRAIL (tumor necrosis factor-related apoptosis-inducing ligand) and transmitting the signal from one side of the plasma membrane to the other to initiate apoptotic cell death. [GOC:bf, GOC:PARL]' - }, - 'GO:0036464': { - 'name': 'cytoplasmic ribonucleoprotein granule', - 'def': 'A ribonucleoprotein granule located in the cytoplasm. [GOC:bf, GOC:PARL, PMID:15121898]' - }, - 'GO:0036465': { - 'name': 'synaptic vesicle recycling', - 'def': 'The trafficking of synaptic vesicles from the pre-synaptic membrane so the vesicle can dock and prime for another round of exocytosis and neurotransmitter release. Recycling occurs after synaptic vesicle exocytosis, and is necessary to replenish presynaptic vesicle pools, sustain transmitter release and preserve the structural integrity of the presynaptic membrane. Recycling can occur following transient fusion with the presynaptic membrane (kiss and run), or via endocytosis of presynaptic membrane. [GOC:bf, GOC:pad, GOC:PARL, PMID:15217342, PMID:22026965, PMID:23245563]' - }, - 'GO:0036466': { - 'name': 'synaptic vesicle recycling via endosome', - 'def': 'Synaptic vesicle recycling where vesicles endocytose via clathrin-coated pits, re-acidify, and refill with neurotransmitters after passing through an endosomal intermediate. [GOC:bf, GOC:dos, GOC:pad, GOC:PARL, PMID:15217342]' - }, - 'GO:0036467': { - 'name': '5-hydroxy-L-tryptophan decarboxylase activity', - 'def': 'Catalysis of the reaction: 5-hydroxy-L-tryptophan + H+ = CO2 + serotonin. [GOC:bf, GOC:PARL, RHEA:18536]' - }, - 'GO:0036468': { - 'name': 'L-dopa decarboxylase activity', - 'def': 'Catalysis of the reaction: L-dopa + H+ = CO2 + dopamine. [GOC:bf, GOC:PARL, RHEA:12275]' - }, - 'GO:0036469': { - 'name': 'L-tryptophan decarboxylase activity', - 'def': 'Catalysis of the reaction: L-tryptophan + H+ = CO2 + tryptamine. [GOC:bf, GOC:PARL, RHEA:30342]' - }, - 'GO:0036470': { - 'name': 'tyrosine 3-monooxygenase activator activity', - 'def': 'Interacts with and increases tyrosine 3-monooxygenase (tyrosine hydroxylase) activity. [GOC:bf, GOC:PARL, PMID:19703902]' - }, - 'GO:0036471': { - 'name': 'cellular response to glyoxal', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glyoxal stimulus. [GOC:bf, GOC:PARL]' - }, - 'GO:0036472': { - 'name': 'suppression by virus of host protein-protein interaction', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of interaction between host proteins. [GOC:bf, GOC:PARL, PMID:17297443]' - }, - 'GO:0036473': { - 'name': 'cell death in response to oxidative stress', - 'def': 'Any biological process that results in permanent cessation of all vital functions of a cell upon exposure to an oxidative stress stimulus. [GOC:bf, GOC:PARL]' - }, - 'GO:0036474': { - 'name': 'cell death in response to hydrogen peroxide', - 'def': 'Any biological process that results in permanent cessation of all vital functions of a cell upon exposure to hydrogen peroxide (H2O2). [GOC:bf, GOC:PARL]' - }, - 'GO:0036475': { - 'name': 'neuron death in response to oxidative stress', - 'def': 'Any biological process that results in permanent cessation of all vital functions of a neuron upon exposure to an oxidative stress stimulus. [GOC:bf, GOC:PARL]' - }, - 'GO:0036476': { - 'name': 'neuron death in response to hydrogen peroxide', - 'def': 'Any biological process that results in permanent cessation of all vital functions of a neuron upon exposure to hydrogen peroxide (H2O2). [GOC:bf, GOC:PARL]' - }, - 'GO:0036477': { - 'name': 'somatodendritic compartment', - 'def': 'The region of a neuron that includes the cell body (cell soma) and the dendrite, but excludes the axon. [GOC:pad, GOC:PARL]' - }, - 'GO:0036478': { - 'name': 'L-dopa decarboxylase activator activity', - 'def': 'Interacts with and increases L-dopa decarboxylase activity. [GOC:bf, GOC:PARL]' - }, - 'GO:0036479': { - 'name': 'peroxidase inhibitor activity', - 'def': 'Interacts with, and stops, prevents or reduces the activity of a peroxidase. [GOC:bf, GOC:PARL]' - }, - 'GO:0036480': { - 'name': 'neuron intrinsic apoptotic signaling pathway in response to oxidative stress', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a neuron. The pathway is induced in response to oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, and ends when the execution phase of apoptosis is triggered. [GOC:bf, GOC:PARL, PMID:23858059]' - }, - 'GO:0036481': { - 'name': 'intrinsic apoptotic signaling pathway in response to hydrogen peroxide', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced in response to hydrogen peroxide (H2O2). [GOC:bf, GOC:PARL]' - }, - 'GO:0036482': { - 'name': 'neuron intrinsic apoptotic signaling pathway in response to hydrogen peroxide', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a neuron in response to hydrogen peroxide. [GOC:bf, GOC:PARL]' - }, - 'GO:0036483': { - 'name': 'neuron intrinsic apoptotic signaling pathway in response to endoplasmic reticulum stress', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a neuron. The pathway is induced in response to a stimulus indicating endoplasmic reticulum (ER) stress, and ends when the execution phase of apoptosis is triggered. ER stress usually results from the accumulation of unfolded or misfolded proteins in the ER lumen. [GOC:bf, GOC:PARL, PMID:21113145]' - }, - 'GO:0036484': { - 'name': 'trunk neural crest cell migration', - 'def': 'The characteristic movement of trunk neural crest cells from the neural tube to other locations in the vertebrate embryo. [GOC:bf, GOC:mat, GOC:PARL, PMID:2387238]' - }, - 'GO:0036485': { - 'name': 'dorsolateral trunk neural crest cell migration', - 'def': 'The movement of trunk neural crest cells from the neural tube, travelling dorso-laterally into the ectoderm and continuing toward the ventral midline of the belly. These migrating trunk neural crest cells become melanocytes, the melanin-forming pigment cells. [GOC:bf, GOC:mat, GOC:PARL, PMID:2387238]' - }, - 'GO:0036486': { - 'name': 'ventral trunk neural crest cell migration', - 'def': 'The movement of trunk neural crest cells from the neural tube, travelling ventrally through the anterior half of each sclerotome. Trunk neural crest cells that remain in the sclerotome form the dorsal root ganglia containing the sensory neurons. Trunk neural crest cells that continue more ventrally form the sympathetic ganglia, the adrenal medulla, and the nerve clusters surrounding the aorta. [GOC:bf, GOC:mat, GOC:PARL, PMID:16319111, PMID:19386662]' - }, - 'GO:0036487': { - 'name': 'nitric-oxide synthase inhibitor activity', - 'def': 'Interacts with, and stops, prevents or reduces the activity of nitric oxide synthase. [GOC:BHF, GOC:rl, PMID:17242280]' - }, - 'GO:0036488': { - 'name': 'CHOP-C/EBP complex', - 'def': 'A heterodimeric protein complex that is composed of the transcription factor CHOP (GADD153) and a member of the C/EBP family of transcription factors. [GOC:bf, GOC:PARL, PMID:1547942]' - }, - 'GO:0036489': { - 'name': 'neuromelanin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of neuromelanin. Neuromelanin is a polymer of 5,6-dihydroxyindole monomers. [GOC:bf, GOC:PARL, Wiki:Neuromelanin]' - }, - 'GO:0036490': { - 'name': 'regulation of translation in response to endoplasmic reticulum stress', - 'def': 'Modulation of the frequency, rate or extent of translation as a result of endoplasmic reticulum stress. [GOC:bf, GOC:PARL, PMID:14676213, PMID:16835242]' - }, - 'GO:0036491': { - 'name': 'regulation of translation initiation in response to endoplasmic reticulum stress', - 'def': 'Any process that modulates the frequency, rate or extent of translation initiation, as a result of endoplasmic reticulum stress. [GOC:bf, GOC:PARL, PMID:14676213, PMID:16835242]' - }, - 'GO:0036492': { - 'name': 'eiF2alpha phosphorylation in response to endoplasmic reticulum stress', - 'def': 'The addition of a phosphate group on to the translation initiation factor eIF2alpha, as a result of endoplasmic reticulum stress. [GOC:bf, GOC:PARL, PMID:14676213, PMID:16835242]' - }, - 'GO:0036493': { - 'name': 'positive regulation of translation in response to endoplasmic reticulum stress', - 'def': 'Any process that activates, or increases the frequency, rate or extent of translation as a result of endoplasmic reticulum stress. [GOC:bf, GOC:PARL]' - }, - 'GO:0036494': { - 'name': 'positive regulation of translation initiation in response to endoplasmic reticulum stress', - 'def': 'Any process that activates, or increases the frequency, rate or extent of translation initiation as a result of endoplasmic reticulum stress. [GOC:bf, GOC:PARL]' - }, - 'GO:0036495': { - 'name': 'negative regulation of translation initiation in response to endoplasmic reticulum stress', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of translation initiation as a result of endoplasmic reticulum stress. [GOC:bf, GOC:PARL]' - }, - 'GO:0036496': { - 'name': 'regulation of translational initiation by eIF2 alpha dephosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of translation initiation in response to stress by the dephosphorylation of eIF2 alpha. [GOC:bf, GOC:PARL]' - }, - 'GO:0036497': { - 'name': 'eIF2alpha dephosphorylation in response to endoplasmic reticulum stress', - 'def': 'The removal of a phosphate group from the translation initiation factor eIF2alpha, as a result of endoplasmic reticulum stress. [GOC:bf, GOC:PARL, PMID:16835242]' - }, - 'GO:0036498': { - 'name': 'IRE1-mediated unfolded protein response', - 'def': 'A series of molecular signals mediated by the endoplasmic reticulum stress sensor IRE1 (Inositol-requiring transmembrane kinase/endonuclease). Begins with activation of IRE1 in response to endoplasmic reticulum (ER) stress, and ends with regulation of a downstream cellular process, e.g. transcription. One target of activated IRE1 is the transcription factor HAC1 in yeast, or XBP1 in mammals; IRE1 cleaves an intron of a mRNA coding for HAC1/XBP1 to generate an activated HAC1/XBP1 transcription factor, which controls the up regulation of UPR-related genes. At least in mammals, IRE1 can also signal through additional intracellular pathways including JNK and NF-kappaB. [GOC:bf, GOC:PARL, PMID:22013210]' - }, - 'GO:0036499': { - 'name': 'PERK-mediated unfolded protein response', - 'def': 'A series of molecular signals mediated by the endoplasmic reticulum membrane stress sensor PERK (PKR-like ER kinase). Begins with activation of PERK in response to endoplasmic reticulum (ER) stress and ends with regulation of a downstream cellular process, e.g. transcription. The main substrate of PERK is the translation initiation factor eIF2alpha. Serine-phosphorylation of eIF2alpha by PERK inactivates eIF2alpha and inhibits general protein translation. In addition, eIF2alpha phosphorylation preferentially increases the translation of selective mRNAs such as ATF4 (activating transcription factor 4), which up regulates a subset of UPR genes required to restore folding capacity. [GOC:bf, GOC:PARL, PMID:22013210]' - }, - 'GO:0036500': { - 'name': 'ATF6-mediated unfolded protein response', - 'def': 'A series of molecular signals mediated by the endoplasmic reticulum membrane stress sensor ATF6 (activating transcription factor 6). Begins with activation of ATF6 in response to endoplasmic reticulum (ER) stress, and ends with regulation of a downstream cellular process, e.g. transcription. Under conditions of endoplasmic reticulum stress, ATF6 translocates to the Golgi where it is processed by proteases to release a cytoplasmic domain (ATF6f), which operates as a transcriptional activator of many genes required to restore folding capacity. [GOC:bf, GOC:PARL, PMID:22013210]' - }, - 'GO:0036501': { - 'name': 'UFD1-NPL4 complex', - 'def': 'A dimeric protein complex that contains the co-factors for the ATPase VCP/p97 (Cdc48p in budding yeast). In mammals, this complex consists of UFD1L (UFD1) and NPLOC4 (NPL4). In budding yeast, the complex is a dimer of Ufd1p and Npl4p. [GOC:bf, GOC:PARL, PMID:10811609, PMID:17289586]' - }, - 'GO:0036502': { - 'name': 'Derlin-1-VIMP complex', - 'def': 'A protein complex containing, in mammals, Derlin-1 and VCP-interacting membrane protein (VIMP). The complex links the p97/VCP-containing ATPase complex with Derlin-1 during translocation of protein substrates from the endoplasmic reticulum to the cytosol for degradation by the cytosolic proteasome. [GOC:bf, GOC:PARL, PMID:15215856, PMID:16186510]' - }, - 'GO:0036503': { - 'name': 'ERAD pathway', - 'def': 'The protein catbolic pathway which targets endoplasmic reticulum (ER)-resident proteins for degradation by the cytoplasmic proteasome. It begins with recognition of the ER-resident protein, includes retrotranslocation (dislocation) of the protein from the ER to the cytosol, protein modifications necessary for correct substrate transfer (e.g. ubiquitination), transport of the protein to the proteasome, and ends with degradation of the protein by the cytoplasmic proteasome. [GOC:bf, GOC:PARL, PMID:20940304, PMID:21969857]' - }, - 'GO:0036504': { - 'name': 'Golgi membrane fusion', - 'def': 'The joining of two lipid bilayers that surround the Golgi apparatus to form a single Golgi membrane. [GOC:bf, GOC:PARL, PMID:12473691]' - }, - 'GO:0036505': { - 'name': 'prosaposin receptor activity', - 'def': 'Combining with prosaposin to initiate a change in cell activity. Prosaposin is the glycoprotein precursor of four cleavage products (saposins A, B, C and D). [GOC:bf, GOC:PARL, PMID:23690594, PMID:9388493, PR:000031300]' - }, - 'GO:0036506': { - 'name': 'maintenance of unfolded protein', - 'def': 'Maintaining a protein in an unfolded, soluble state. [GOC:bf, GOC:BHF, GOC:nc, GOC:PARL, PMID:21636303]' - }, - 'GO:0036507': { - 'name': 'protein demannosylation', - 'def': 'The removal of one or more mannose residues from a mannosylated protein. [GOC:bf, GOC:PARL, PMID:25092655]' - }, - 'GO:0036508': { - 'name': 'protein alpha-1,2-demannosylation', - 'def': 'The removal of one or more alpha 1,2-linked mannose residues from a mannosylated protein. [GOC:bf, GOC:PARL, PMID:21062743, PMID:25092655]' - }, - 'GO:0036509': { - 'name': 'trimming of terminal mannose on B branch', - 'def': 'The removal of an alpha-1,2-linked mannose from the B-chain of a glycoprotein oligosaccharide in the endoplasmic reticulum. [GOC:bf, GOC:PARL, KEGG:R06722, PMID:22160784]' - }, - 'GO:0036510': { - 'name': 'trimming of terminal mannose on C branch', - 'def': 'The removal of an alpha-1,2-linked mannose from the C-chain of a glycoprotein oligosaccharide in the endoplasmic reticulum. [GOC:bf, GOC:PARL, PMID:20065073]' - }, - 'GO:0036511': { - 'name': 'trimming of first mannose on A branch', - 'def': 'The removal of the first alpha-1,2-linked mannose from the A-chain of a glycoprotein oligosaccharide in the endoplasmic reticulum. [GOC:bf, GOC:PARL, PMID:12829701]' - }, - 'GO:0036512': { - 'name': 'trimming of second mannose on A branch', - 'def': 'The removal of the second alpha-1,2-linked mannose from the A-chain of a glycoprotein oligosaccharide in the endoplasmic reticulum. [GOC:bf, GOC:PARL, PMID:12829701]' - }, - 'GO:0036513': { - 'name': 'Derlin-1 retrotranslocation complex', - 'def': 'A protein complex that functions in the retrotranslocation step of ERAD (ER-associated protein degradation), and includes at its core Derlin-1 oligomers forming a retrotranslocation channel. [GOC:bf, GOC:PARL, PMID:15215856, PMID:16186510]' - }, - 'GO:0036514': { - 'name': 'dopaminergic neuron axon guidance', - 'def': 'The chemotaxis process that directs the migration of an axon growth cone of a dopaminergic neuron to a specific target site in response to a combination of attractive and repulsive cues. [GOC:bf, GOC:PARL, PMID:21106844, PMID:23517308]' - }, - 'GO:0036515': { - 'name': 'serotonergic neuron axon guidance', - 'def': 'The chemotaxis process that directs the migration of an axon growth cone of a serotonergic neuron to a specific target site in response to a combination of attractive and repulsive cues. [CL:0000850, GOC:bf, GOC:PARL, PMID:21106844]' - }, - 'GO:0036516': { - 'name': 'chemoattraction of dopaminergic neuron axon', - 'def': 'The process in which a dopaminergic neuron growth cone is directed to a specific target site in response to an attractive chemical signal. [GOC:bf, GOC:PARL, PMID:21106844]' - }, - 'GO:0036517': { - 'name': 'chemoattraction of serotonergic neuron axon', - 'def': 'The process in which a serotonergic neuron growth cone is directed to a specific target site in response to an attractive chemical signal. [CL:0000850, GOC:bf, GOC:PARL, PMID:21106844]' - }, - 'GO:0036518': { - 'name': 'chemorepulsion of dopaminergic neuron axon', - 'def': 'The process in which a dopaminergic neuron growth cone is directed to a specific target site in response to a repulsive chemical cue. [GOC:bf, GOC:PARL, PMID:21106844, PMID:23517308]' - }, - 'GO:0036519': { - 'name': 'chemorepulsion of serotonergic neuron axon', - 'def': 'The process in which a serotonergic neuron growth cone is directed to a specific target site in response to a repulsive chemical cue. [CL:0000850, GOC:bf, GOC:PARL, PMID:21106844]' - }, - 'GO:0036520': { - 'name': 'astrocyte-dopaminergic neuron signaling', - 'def': 'Cell-cell signaling that mediates the transfer of information from an astrocyte to a dopaminergic neuron. [GOC:bf, GOC:PARL, PMID:12794311, PMID:21752258]' - }, - 'GO:0036521': { - 'name': 'modulation by symbiont of host protein localization to phagocytic vesicle', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of protein localisation to the host phagosome. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:bf, GOC:PARL, PMID:25063865]' - }, - 'GO:0036522': { - 'name': 'negative regulation by symbiont of host protein localization to phagocytic vesicle', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of protein localisation to the host phagosome. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:bf, GOC:PARL, PMID:25063865]' - }, - 'GO:0036523': { - 'name': 'positive regulation by symbiont of host cytokine secretion', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of cytokine secretion in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:bf, GOC:PARL, PMID:25063865]' - }, - 'GO:0036524': { - 'name': 'protein deglycase activity', - 'def': 'Catalysis of the removal of a sugar or dicarbonyl from a lysine residue of a glycated protein. [GOC:bf, GOC:PARL, MetaCyc:RXN-17630, MetaCyc:RXN-17632, MetaCyc:RXN-17634, PMID:14568004, PMID:25416785, PMID:26873906, RHEA:49548, RHEA:49552, RHEA:49556]' - }, - 'GO:0036525': { - 'name': 'protein deglycation', - 'def': 'The removal of a sugar or dicarbonyl from a glycated protein. [GOC:bf, GOC:PARL, PMID:14568004, PMID:25416785]' - }, - 'GO:0036526': { - 'name': 'peptidyl-cysteine deglycation', - 'def': 'The removal of a sugar or dicarbonyl from a cysteine residue of a glycated protein. [GOC:bf, GOC:PARL, PMID:14568004, PMID:25416785]' - }, - 'GO:0036527': { - 'name': 'peptidyl-arginine deglycation', - 'def': 'The removal of a sugar or dicarbonyl from an arginine residue of a glycated protein. [GOC:bf, GOC:PARL, PMID:14568004, PMID:25416785]' - }, - 'GO:0036528': { - 'name': 'peptidyl-lysine deglycation', - 'def': 'The removal of a sugar or dicarbonyl from a lysine residue of a glycated protein. [GOC:bf, GOC:PARL, PMID:14568004, PMID:25416785]' - }, - 'GO:0036529': { - 'name': 'protein deglycation, glyoxal removal', - 'def': 'The removal of glyoxal from a glycated protein, to form glycolate and a deglycated protein. [GOC:bf, GOC:PARL, PMID:25416785]' - }, - 'GO:0036530': { - 'name': 'protein deglycation, methylglyoxal removal', - 'def': 'The removal of methylglyoxal from a glycated protein, to form lactate and a deglycated protein. [GOC:bf, GOC:PARL, PMID:25416785]' - }, - 'GO:0036531': { - 'name': 'glutathione deglycation', - 'def': 'The removal of a sugar or dicarbonyl from glycated glutathione. Glutathione is the tripeptide glutamylcysteinylglycine. [GOC:bf, GOC:PARL, PMID:25416785]' - }, - 'GO:0038001': { - 'name': 'paracrine signaling', - 'def': 'The transfer of information from one cell to another, where the signal travels from the signal-producing cell to the receiving cell by passive diffusion or bulk flow in intercellular fluid. The signaling cell and the receiving cell are usually in the vicinity of each other. [GOC:mtg_signaling_feb11, ISBN:3527303782]' - }, - 'GO:0038002': { - 'name': 'endocrine signaling', - 'def': 'The transfer of information from one cell to another, where an endocrine hormone is transported from the signal-producing cell to the receiving cell via the circulatory system (via blood, lymph or cerebrospinal fluid). The signaling cell and the receiving cell are often distant to each other. [GOC:mtg_signaling_feb11, ISBN:0199264678, ISBN:3527303782]' - }, - 'GO:0038003': { - 'name': 'opioid receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an opioid receptor binding to one of its physiological ligands. [GOC:bf, PMID:20494127]' - }, - 'GO:0038004': { - 'name': 'epidermal growth factor receptor ligand maturation', - 'def': 'Any process leading to the attainment of the full functional capacity of a ligand for an epidermal growth factor receptor. The ligand is functional when it can bind to and activate an epidermal growth factor receptor. [GOC:signaling, PMID:11672524]' - }, - 'GO:0038005': { - 'name': 'peptide bond cleavage involved in epidermal growth factor receptor ligand maturation', - 'def': 'The hydrolysis of a peptide bond or bonds within a ligand for the epidermal growth factor receptor, as part of protein maturation, the process leading to the attainment of the full functional capacity of a protein. In Drosophila for example, in the Golgi apparatus of the signal producing cell, Spitz is cleaved within its transmembrane domain to release a functional soluble extracellular fragment. [GOC:signaling, PMID:11672524, PMID:11672525]' - }, - 'GO:0038006': { - 'name': 'netrin receptor activity involved in chemoattraction', - 'def': 'Combining with a netrin signal and transmitting the signal from one side of the membrane to the other to contribute to the directed movement of a motile cell towards a higher concentration of netrin. [GOC:signaling]' - }, - 'GO:0038007': { - 'name': 'netrin-activated signaling pathway', - 'def': 'A series of molecular events initiated by the binding of a netrin protein to a receptor on the surface of the target cell, and ending with regulation of a downstream cellular process, e.g. transcription. Netrins can act as chemoattractant signals for some cells and chemorepellent signals for others. Netrins also have roles outside of cell and axon guidance. [GOC:signaling, PMID:10399919, PMID:15960985, PMID:19785719, PMID:20108323]' - }, - 'GO:0038008': { - 'name': 'TRAF-mediated signal transduction', - 'def': 'The intracellular process in which a signal is passed on to downstream components within the cell via a tumor necrosis factor receptor-associated factor (TRAF). TRAFs are directly or indirectly recruited to the intracellular domains of cell surface receptors, and engage other signaling proteins to transfer the signal from a cell surface receptor to other intracellular signaling components. [GOC:bf, PMID:19918944, PMID:20596822]' - }, - 'GO:0038009': { - 'name': 'regulation of signal transduction by receptor internalization', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction by the movement of a signaling receptor from the plasma membrane to the inside of the cell. Receptor internalization can have a positive or negative effect on a signaling pathway. [GOC:bf, GOC:signaling, PMID:17011816, PMID:19696798]' - }, - 'GO:0038010': { - 'name': 'positive regulation of signal transduction by receptor internalization', - 'def': 'Any process in which the internalization of a signaling receptor activates or increases the frequency, rate or extent of signal transduction. Receptor internalization can enhance signaling by concentrating signaling molecules in one location, or by moving a ligand-activated receptor to the location of downstream signaling proteins. Endosomes for example can serve as important intracellular signaling platforms. [GOC:bf, GOC:signaling, PMID:17908284, PMID:19696798]' - }, - 'GO:0038011': { - 'name': 'negative regulation of signal transduction by receptor internalization', - 'def': 'Any process in which internalization of a signaling receptor stops, prevents, or reduces the frequency, rate or extent of signal transduction. Receptor internalization can attenuate or reduce the strength of signaling by reducing the concentration of cell surface receptors available to ligands. [GOC:bf, GOC:signaling, PMID:17908284, PMID:19696798]' - }, - 'GO:0038012': { - 'name': 'negative regulation of Wnt signaling pathway by Wnt receptor internalization', - 'def': 'Any process in which internalization of a Wnt receptor stops, prevents, or reduces the frequency, rate or extent of Wnt signal transduction. [GOC:bf, GOC:BHF, GOC:rl, PMID:17908284, PMID:19643732]' - }, - 'GO:0038013': { - 'name': 'positive regulation of Wnt signaling pathway by Wnt receptor internalization', - 'def': 'Any process in which internalization of a Wnt receptor activates or increases the frequency, rate or extent of the Wnt signaling pathway. [GOC:bf, GOC:signaling, PMID:17908284]' - }, - 'GO:0038014': { - 'name': 'negative regulation of insulin receptor signaling pathway by insulin receptor internalization', - 'def': 'Any process in which internalization of an insulin receptor stops, prevents, or reduces the frequency, rate or extent of insulin receptor signal transduction. Internalization of insulin in association with its receptor clears insulin from the circulation and is necessary for subsequent insulin dissociation from the receptor and insulin degradation. [GOC:bf, GOC:signaling, PMID:18492485, PMID:7821727, PMID:7978876, PMID:9609114]' - }, - 'GO:0038015': { - 'name': 'positive regulation of insulin receptor signaling pathway by insulin receptor internalization', - 'def': 'Any process in which internalization of an insulin receptor activates or increases the frequency, rate or extent of the insulin receptor signaling pathway. Endocytosis of activated receptors can concentrate receptors within endosomes and allow the insulin receptor to phosphorylate substrates that are spatially distinct from those accessible at the plasma membrane. [GOC:bf, GOC:signaling, PMID:9609114]' - }, - 'GO:0038016': { - 'name': 'insulin receptor internalization', - 'def': 'A receptor-mediated endocytosis process that results in the movement of an insulin receptor from the plasma membrane to the inside of the cell. [GOC:bf, PMID:3907718, PMID:9609114]' - }, - 'GO:0038017': { - 'name': 'Wnt receptor internalization', - 'def': 'A receptor-mediated endocytosis process that results in the movement of a Wnt receptor from the plasma membrane to the inside of the cell. [GOC:bf, PMID:17908284]' - }, - 'GO:0038018': { - 'name': 'Wnt receptor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a Wnt receptor. Internalized Wnt receptors can be recycled to the plasma membrane or sorted to lysosomes for protein degradation. [GOC:BHF, GOC:rl, GOC:signaling, PMID:19643732]' - }, - 'GO:0038019': { - 'name': 'Wnt receptor recycling', - 'def': 'The process that results in the return of a Wnt receptor to an active state at the plasma membrane. An active state is when the receptor is ready to receive a Wnt signal. Internalized Wnt receptors can be recycled to the plasma membrane or sorted to lysosomes for protein degradation. [GOC:bf, GOC:signaling, PMID:19643732]' - }, - 'GO:0038020': { - 'name': 'insulin receptor recycling', - 'def': 'The process that results in the return of an insulin receptor to an active state at the plasma membrane. An active state is when the receptor is ready to receive an insulin signal. Internalized insulin receptors can be recycled to the plasma membrane or sorted to lysosomes for protein degradation. [GOC:bf, GOC:signaling, PMID:3907718]' - }, - 'GO:0038021': { - 'name': 'leptin receptor activity', - 'def': 'Combining with the fat-cell specific hormone leptin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, GOC:signaling, PMID:9102398, Wikipedia:Leptin_receptor]' - }, - 'GO:0038022': { - 'name': 'G-protein coupled olfactory receptor activity', - 'def': 'Combining with an odorant and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:sart, PMID:21041441]' - }, - 'GO:0038023': { - 'name': 'signaling receptor activity', - 'def': 'Receiving a signal and transmitting the signal in the cell to initiate a change in cell activity. A signal is a physical entity or change in state that is used to transfer information in order to trigger a response. [GOC:bf, GOC:signaling]' - }, - 'GO:0038024': { - 'name': 'cargo receptor activity', - 'def': 'Combining selectively with an extracellular substance and delivering the substance into the cell via endocytosis. [GOC:bf, GOC:signaling, PMID:15239958]' - }, - 'GO:0038025': { - 'name': 'reelin receptor activity', - 'def': 'Combining with the secreted glycoprotein reelin, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, PMID:12827279, PMID:20223215, PR:000013879]' - }, - 'GO:0038026': { - 'name': 'reelin-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of reelin (a secreted glycoprotein) to a receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, PMID:12827279, PMID:20223215, PR:000013879]' - }, - 'GO:0038027': { - 'name': 'apolipoprotein A-I-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of apolipoprotein A-I to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:signaling, PMID:16443932]' - }, - 'GO:0038028': { - 'name': 'insulin receptor signaling pathway via phosphatidylinositol 3-kinase', - 'def': 'The series of molecular signals generated as a consequence of the insulin receptor binding to its physiological ligand, where the signal is passed on via the phosphatidylinositol 3-kinase cascade. [GOC:bf, GOC:signaling, PMID:19322168, PMID:20696212]' - }, - 'GO:0038029': { - 'name': 'epidermal growth factor receptor signaling pathway via MAPK cascade', - 'def': 'The series of molecular signals generated as a consequence of an epidermal growth factor receptor binding to one of its physiological ligands, where the signal is passed on via the MAPKKK cascade. [GOC:bf, GOC:signaling, PMID:21167805]' - }, - 'GO:0038030': { - 'name': 'non-canonical Wnt signaling pathway via MAPK cascade', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, where the signal is passed on via the MAPKKK cascade. [GOC:BHF, GOC:signaling, GOC:vk, PMID:17720811]' - }, - 'GO:0038031': { - 'name': 'non-canonical Wnt signaling pathway via JNK cascade', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, where the signal is passed on via the JNK cascade. [GOC:BHF, GPC:rl, PMID:19137009, PMID:20032469]' - }, - 'GO:0038032': { - 'name': 'termination of G-protein coupled receptor signaling pathway', - 'def': 'The signaling process in which G-protein coupled receptor signaling is brought to an end. For example, through the action of GTPase-activating proteins (GAPs) that act to accelerate hydrolysis of GTP to GDP on G-alpha proteins, thereby terminating the transduced signal. [GOC:bf, GOC:signaling]' - }, - 'GO:0038033': { - 'name': 'positive regulation of endothelial cell chemotaxis by VEGF-activated vascular endothelial growth factor receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a vascular endothelial growth factor (VEGF) to a VEGFR on the surface of a cell, which activates or increases the frequency, rate or extent of endothelial cell chemotaxis. [GOC:bf, GOC:BHF, GOC:rl, PMID:21245381]' - }, - 'GO:0038034': { - 'name': 'signal transduction in absence of ligand', - 'def': 'A series of molecular signals initiated by the absence of a ligand or the withdrawal of a ligand from a receptor. [GOC:al, GOC:ppm, GOC:pr, PMID:15044679]' - }, - 'GO:0038035': { - 'name': 'G-protein coupled receptor signaling in absence of ligand', - 'def': 'A series of molecular signals beginning with a G-protein coupled receptor promoting the exchange of GDP for GTP on the alpha-subunit of an associated heterotrimeric G-protein complex, where the G-protein coupled receptor is not bound to an agonist. [GOC:al, PMID:12402500, PMID:17629961]' - }, - 'GO:0038036': { - 'name': 'sphingosine-1-phosphate receptor activity', - 'def': 'Combining with the sphingolipid sphingosine-1-phosphate (S1P), and transmitting the signal across the membrane by activating an associated G-protein. [GOC:bf, PMID:12728273, Wikipedia:S1PR1]' - }, - 'GO:0038037': { - 'name': 'G-protein coupled receptor dimeric complex', - 'def': 'A protein complex that contains two G-protein coupled receptors. [GOC:al, GOC:bf, PMID:10713101]' - }, - 'GO:0038038': { - 'name': 'G-protein coupled receptor homodimeric complex', - 'def': 'A protein complex that contains two G-protein coupled receptors (GPCRs) of the same subtype. Formation of a GPCR homodimer may be important for the transport of newly formed receptors to the cell surface, and the function of the receptor. [GOC:al, GOC:bf, PMID:10713101, PMID:16670762]' - }, - 'GO:0038039': { - 'name': 'G-protein coupled receptor heterodimeric complex', - 'def': 'A protein complex that contains two G-protein coupled receptors (GPCRs) of different subtypes. Formation of a GPCR heterodimer may alter the functional property of the GPCR. [GOC:al, GOC:bf, PMID:16109836, PMID:20150590]' - }, - 'GO:0038040': { - 'name': 'cross-receptor activation within G-protein coupled receptor heterodimer', - 'def': 'Activation of one protomer of a G-protein coupled receptor (GPCR) heterodimer by the associated subunit. For example, agonist occupancy in one protomer of a GPCR dimer may activate the associated promoter. [GOC:al, GOC:bf, PMID:21063387]' - }, - 'GO:0038041': { - 'name': 'cross-receptor inhibition within G-protein coupled receptor heterodimer', - 'def': 'Inhibition of one protomer of a G-protein coupled receptor (GPCR) heterodimer by the associated subunit. For example, agonist activation of one cytokine receptor can prevent activation of its associated cytokine receptor subunit. [GOC:al, GOC:bf, PMID:15979374]' - }, - 'GO:0038042': { - 'name': 'dimeric G-protein coupled receptor signaling pathway', - 'def': 'A series of molecular signals initiated by an extracellular signal combining with a dimeric receptor on the surface of the target cell, and proceeding with the activated receptor promoting the exchange of GDP for GTP on the alpha-subunit of an associated heterotrimeric G-protein complex. Heterodimeric and homodimeric GPCRs may have different functional properties from those of the respective monomers. [GOC:al, GOC:bf, PMID:15979374, PMID:21063387]' - }, - 'GO:0038043': { - 'name': 'interleukin-5-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-5 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:pg, GOC:signaling, PR:000001392]' - }, - 'GO:0038044': { - 'name': 'transforming growth factor-beta secretion', - 'def': 'The regulated release of transforming growth factor-beta (TGF-beta) from a cell into the extracellular region. TGF-beta is mostly secreted as a large latent TGF-beta complex (LLC) containing latency-associated proteins (LAPs) derived from the N-terminal region of the TGF-beta gene product, dimeric TGF-beta and latent TGF-beta binding proteins (LTBPs). [GOC:bf, GOC:yaf, PMID:2350783, Reactome:REACT_6888.1]' - }, - 'GO:0038045': { - 'name': 'large latent transforming growth factor-beta complex', - 'def': 'A protein complex containing latency-associated proteins (LAPs), mature disulphide-linked dimeric TGF-beta, and latent TGF-beta binding proteins (LTBPs). TGF-beta is mostly secreted as part of the large latent complex, and must be subsequently released from the LLC in order to bind to cell surface receptors. [GOC:bf, PMID:2350783, PMID:8680476, PMID:9805445, Reactome:REACT_6888.1]' - }, - 'GO:0038046': { - 'name': 'enkephalin receptor activity', - 'def': 'Combining with an enkephalin, and transmitting the signal across the membrane by activating an associated G-protein. A enkephalin is a pentapeptide (Tyr-Gly-Gly-Phe-Met or Tyr-Gly-Gly-Phe-Leu) involved in regulating nociception in the body. [GOC:bf, Wikipedia:Enkephalin]' - }, - 'GO:0038047': { - 'name': 'morphine receptor activity', - 'def': 'Combining with morphine (17-methyl-7,8-didehydro-4,5alpha-epoxymorphinan-3,6alpha-diol), and transmitting the signal across the membrane by activating an associated G-protein. [CHEBI:17303, GOC:bf]' - }, - 'GO:0038048': { - 'name': 'dynorphin receptor activity', - 'def': 'Combining with a dynorphin peptide, and transmitting the signal across the membrane by activating an associated G-protein. Dynorphin is any opioid peptide that is generated by cleavage of the precursor protein prodynorphin. [GOC:bf, Wikipedia:Dynorphin]' - }, - 'GO:0038049': { - 'name': 'transcription factor activity, ligand-activated RNA polymerase II transcription factor binding', - 'def': 'Combining with a signal and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with an RNA polymerase II transcription factor, which may be a single protein or a complex, in order to modulate transcription. For example, some steroid hormone receptors bind to transcription factor complexes to regulate transcription of genes whose promoters do not contain hormone response elements. [GOC:signaling, GOC:txnOH]' - }, - 'GO:0038050': { - 'name': 'RNA polymerase II transcription factor activity, glucocorticoid-activated sequence-specific DNA binding', - 'def': 'Combining with a glucocorticoid and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. [GOC:signaling, PMID:17689856]' - }, - 'GO:0038051': { - 'name': 'glucocorticoid-activated RNA polymerase II transcription factor binding transcription factor activity', - 'def': 'Combining with a glucocorticoid and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with an RNA polymerase II transcription factor, which may be a single protein or a complex, in order to modulate transcription. For example, glucocorticoid-bound receptors can bind to transcription factor complexes to regulate transcription of genes whose promoters do not contain glucocorticoid response elements. [GOC:signaling, PMID:17689856]' - }, - 'GO:0038052': { - 'name': 'RNA polymerase II transcription factor activity, estrogen-activated sequence-specific DNA binding', - 'def': 'Combining with estrogen and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with a specific DNA sequence in order to modulate transcription by RNA polymerase II. [GOC:signaling, PMID:17615392]' - }, - 'GO:0038053': { - 'name': 'transcription factor activity, estrogen-activated RNA polymerase II transcription factor binding', - 'def': 'Combining with estrogen and transmitting the signal to the transcriptional machinery by interacting selectively and non-covalently with an RNA polymerase II transcription factor, which may be a single protein or a complex, in order to modulate transcription. For example, estrogen-bound receptors can bind to transcription factor complexes to regulate transcription of genes whose promoters do not contain estrogen response elements. [GOC:signaling, PMID:17615392]' - }, - 'GO:0038054': { - 'name': 'G-protein coupled estrogen receptor activity', - 'def': 'Combining with estrogen and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:signaling, PMID:17379646, PMID:20960099]' - }, - 'GO:0038055': { - 'name': 'BMP secretion', - 'def': 'The controlled release of a member of the BMP family of proteins from a cell. [GOC:sart, PR:000000034]' - }, - 'GO:0038056': { - 'name': 'negative regulation of BMP signaling pathway by negative regulation of BMP secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the BMP signaling pathway by stopping, preventing or reducing the frequency, rate or extent of secretion of a member of the BMP family of proteins from the signaling cell. [GOC:bf, GOC:sart, PMID:21750037]' - }, - 'GO:0038057': { - 'name': 'TNFSF11 binding', - 'def': 'Interacting selectively and non-covalently with tumor necrosis factor ligand superfamily member 11 (TNFSF11), a member of the tumor necrosis factor (TNF) cytokine family. [GOC:cjm, PR:000002107]' - }, - 'GO:0038058': { - 'name': 'TNFSF11 receptor activity', - 'def': 'Combining with a tumor necrosis factor ligand superfamily member 11 (TNFSF11) and transmitting the signal across the cell membrane to initiate a change in cell activity or function. [GOC:bf, GOC:cjm, PR:000002107]' - }, - 'GO:0038059': { - 'name': 'IKKalpha-IKKalpha complex', - 'def': 'A homodimeric protein complex containing two IkappaB kinase (IKK) alpha subunits. [GOC:bf, PMID:18626576, PMID:21173796]' - }, - 'GO:0038060': { - 'name': 'nitric oxide-cGMP-mediated signaling pathway', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell by nitric oxide (NO) activating soluble guanylyl cyclase (sGC). Includes synthesis of nitric oxide, guanylyl cyclase activity, and downstream effectors that further transmit the signal within the cell following activation by cGMP. [GOC:signaling, PMID:21549190, PMID:22019632]' - }, - 'GO:0038061': { - 'name': 'NIK/NF-kappaB signaling', - 'def': 'The process in which a signal is passed on to downstream components within the cell through the NIK-dependent processing and activation of NF-KappaB. Begins with activation of the NF-KappaB-inducing kinase (NIK), which in turn phosphorylates and activates IkappaB kinase alpha (IKKalpha). IKKalpha phosphorylates the NF-Kappa B2 protein (p100) leading to p100 processing and release of an active NF-KappaB (p52). [GOC:bf, GOC:mg2, GOC:signaling, GOC:vs, PMID:11239468, PMID:15140882]' - }, - 'GO:0038062': { - 'name': 'protein tyrosine kinase collagen receptor activity', - 'def': 'Combining with collagen and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity by catalysis of the reaction: ATP + a protein-L-tyrosine = ADP + a protein-L-tyrosine phosphate. [GOC:bf, GOC:uh, PMID:16626936, PMID:21568710]' - }, - 'GO:0038063': { - 'name': 'collagen-activated tyrosine kinase receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of collagen to a receptor on the surface of the target cell where the receptor possesses tyrosine kinase activity. The pathway ends with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:uh, PMID:15888913, PMID:16626936]' - }, - 'GO:0038064': { - 'name': 'collagen receptor activity', - 'def': 'Combining with a collagen and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, GOC:uh, PMID:21568710]' - }, - 'GO:0038065': { - 'name': 'collagen-activated signaling pathway', - 'def': 'A series of molecular signals initiated by collagen binding to a cell surface receptor, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:uh, PMID:21568710]' - }, - 'GO:0038066': { - 'name': 'p38MAPK cascade', - 'def': 'An intracellular protein kinase cascade containing at least a p38 MAPK, a MAPKK and a MAP3K. The cascade can also contain two additional tiers: the upstream MAP4K and the downstream MAP Kinase-activated kinase (MAPKAPK). The kinases in each tier phosphorylate and activate the kinases in the downstream tier to transmit a signal within a cell. [GOC:signaling, PMID:20811974]' - }, - 'GO:0038067': { - 'name': 'MAP kinase activity involved in cell wall organization or biogenesis', - 'def': 'Catalysis of the reaction: protein + ATP = protein phosphate + ADP by a mitogen-activated protein kinase, as part of a MAPK signaling cascade that contributes to cell wall organization or biogenesis. [GOC:signaling]' - }, - 'GO:0038068': { - 'name': 'MAP kinase kinase activity involved in cell wall organization or biogenesis', - 'def': 'Catalysis of the concomitant phosphorylation of threonine (T) and tyrosine (Y) residues in a Thr-Glu-Tyr (TEY) thiolester sequence in a MAP kinase (MAPK) substrate, as part of a MAPK signaling cascade that contributes to cell wall organization or biogenesis. [GOC:signaling]' - }, - 'GO:0038069': { - 'name': 'MAP kinase phosphatase activity involved in regulation of cell wall biogenesis', - 'def': 'Catalysis of the reaction: a phosphorylated MAP kinase + H2O = a MAP kinase + phosphate, where the MAP kinase (MAPK) is part of a MAPK signaling cascade that contributes to cell wall biogenesis. [GOC:signaling]' - }, - 'GO:0038070': { - 'name': 'MAP kinase kinase kinase activity involved in cell wall organization or biogenesis', - 'def': 'Catalysis of the phosphorylation and activation of a MAP kinase kinase (MAPKK), as part of a MAPK signaling cascade that contributes to cell wall organization or biogenesis. [GOC:signaling]' - }, - 'GO:0038071': { - 'name': 'MAP kinase activity involved in conjugation with cellular fusion', - 'def': 'Catalysis of the reaction: protein + ATP = protein phosphate + ADP by a mitogen-activated protein kinase, as part of a MAPK signaling cascade that contributes to conjugation with cellular fusion. [GOC:signaling]' - }, - 'GO:0038072': { - 'name': 'MAP kinase kinase activity involved in conjugation with cellular fusion', - 'def': 'Catalysis of the concomitant phosphorylation of threonine (T) and tyrosine (Y) residues in a Thr-Glu-Tyr (TEY) thiolester sequence in a MAP kinase (MAPK) substrate, as part of a MAPK signaling cascade that contributes to conjugation with cellular fusion. [GOC:signaling]' - }, - 'GO:0038073': { - 'name': 'MAP kinase kinase kinase activity involved in conjugation with cellular fusion', - 'def': 'Catalysis of the phosphorylation and activation of a MAP kinase kinase (MAPKK), as part of a MAPK signaling cascade that contributes to cell wall biogenesis. [GOC:signaling]' - }, - 'GO:0038074': { - 'name': 'MAP kinase phosphatase activity involved in regulation of conjugation with cellular fusion', - 'def': 'Catalysis of the reaction: a phosphorylated MAP kinase + H2O = a MAP kinase + phosphate, where the MAP kinase (MAPK) is part of a MAPK signaling cascade that contributes to conjugation with cellular fusion. [GOC:signaling]' - }, - 'GO:0038075': { - 'name': 'MAP kinase activity involved in innate immune response', - 'def': 'Catalysis of the reaction: protein + ATP = protein phosphate + ADP by a mitogen-activated protein kinase, as part of a MAPK signaling cascade that contributes to an innate immune response. [GOC:signaling]' - }, - 'GO:0038076': { - 'name': 'MAP kinase kinase activity involved in innate immune response', - 'def': 'Catalysis of the concomitant phosphorylation of threonine (T) and tyrosine (Y) residues in a Thr-Glu-Tyr (TEY) thiolester sequence in a MAP kinase (MAPK) substrate, as part of a MAPK signaling cascade that contributes to an innate immune response. [GOC:signaling]' - }, - 'GO:0038077': { - 'name': 'MAP kinase kinase kinase activity involved in innate immune response', - 'def': 'Catalysis of the phosphorylation and activation of a MAP kinase kinase (MAPKK), as part of a MAPK signaling cascade that contributes to an innate immune response. [GOC:signaling]' - }, - 'GO:0038078': { - 'name': 'MAP kinase phosphatase activity involved in regulation of innate immune response', - 'def': 'Catalysis of the reaction: a phosphorylated MAP kinase + H2O = a MAP kinase + phosphate, where the MAP kinase (MAPK) is part of a MAPK signaling cascade that contributes to an innate immune response. [GOC:signaling]' - }, - 'GO:0038079': { - 'name': 'MAP kinase activity involved in osmosensory signaling pathway', - 'def': 'Catalysis of the reaction: protein + ATP = protein phosphate + ADP by a mitogen-activated protein kinase, as part of a MAPK signaling cascade that passes on a signal within an osmosensory signaling pathway. [GOC:signaling]' - }, - 'GO:0038080': { - 'name': 'MAP kinase kinase activity involved in osmosensory signaling pathway', - 'def': 'Catalysis of the concomitant phosphorylation of threonine (T) and tyrosine (Y) residues in a Thr-Glu-Tyr (TEY) thiolester sequence in a MAP kinase (MAPK) substrate, as part of a MAPK signaling cascade that passes on a signal within an osmosensory signaling pathway. [GOC:signaling]' - }, - 'GO:0038081': { - 'name': 'MAP kinase kinase kinase activity involved in osmosensory signaling pathway', - 'def': 'Catalysis of the phosphorylation and activation of a MAP kinase kinase (MAPKK), as part of a MAPK signaling cascade that passes on a signal within an osmosensory signaling pathway. [GOC:signaling]' - }, - 'GO:0038082': { - 'name': 'MAP kinase phosphatase activity involved in regulation of osmosensory signaling pathway', - 'def': 'Catalysis of the reaction: a phosphorylated MAP kinase + H2O = a MAP kinase + phosphate, where the MAP kinase (MAPK) is part of a MAPK signaling cascade that passes on a signal within an osmosensory signaling pathway. [GOC:signaling]' - }, - 'GO:0038083': { - 'name': 'peptidyl-tyrosine autophosphorylation', - 'def': 'The phosphorylation by a protein of one or more of its own tyrosine amino acid residues, or a tyrosine residue on an identical protein. [PMID:10037737, PMID:10068444, PMID:10940390]' - }, - 'GO:0038084': { - 'name': 'vascular endothelial growth factor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a vascular endothelial growth factor (VEGF) to a receptor on the surface of the target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, PMID:17470632, PR:000003096, PR:000007520, PR:000017284, PR:000017285]' - }, - 'GO:0038085': { - 'name': 'vascular endothelial growth factor binding', - 'def': 'Interacting selectively and non-covalently with a vascular endothelial growth factor. [PMID:17470632, PR:000003096, PR:000007520, PR:000017284, PR:000017285]' - }, - 'GO:0038086': { - 'name': 'VEGF-activated platelet-derived growth factor receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a vascular endothelial growth factor (VEGF) to a platelet-derived growth factor receptor (PDGFR) on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, PMID:17470632]' - }, - 'GO:0038087': { - 'name': 'VEGF-activated platelet-derived growth factor receptor-alpha signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a vascular endothelial growth factor (VEGF) to an alpha-type platelet-derived growth factor receptor (PDGFR) on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, PMID:17470632]' - }, - 'GO:0038088': { - 'name': 'VEGF-activated platelet-derived growth factor receptor-beta signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a vascular endothelial growth factor (VEGF) to a beta-type platelet-derived growth factor receptor (PDGFR) on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, PMID:17470632]' - }, - 'GO:0038089': { - 'name': 'positive regulation of cell migration by vascular endothelial growth factor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a vascular endothelial growth factor (VEGF) to a receptor on the surface of a cell, which activates or increases the frequency, rate or extent of the orderly movement of a cell from one site to another. [GOC:bf, GOC:signaling, PR:000003096, PR:000017284, PR:000017285]' - }, - 'GO:0038090': { - 'name': 'positive regulation of cell migration by VEGF-activated platelet derived growth factor receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a vascular endothelial growth factor (VEGF) to a platelet-derived growth factor receptor (PDGFR) on the surface of a cell, which activates or increases the frequency, rate or extent of the orderly movement of a cell from one site to another. [GOC:bf, GOC:signaling, PMID:17470632]' - }, - 'GO:0038091': { - 'name': 'positive regulation of cell proliferation by VEGF-activated platelet derived growth factor receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a vascular endothelial growth factor (VEGF) to a platelet-derived growth factor receptor (PDGFR) on the surface of a cell, which activates or increases the frequency, rate or extent of cell proliferation. [GOC:signaling, PMID:17470632]' - }, - 'GO:0038092': { - 'name': 'nodal signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a nodal protein to an activin receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:vk, PMID:17287255]' - }, - 'GO:0038093': { - 'name': 'Fc receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the Fc portion of an immunoglobulin to an Fc receptor on the surface of a signal-receiving cell, and ending with regulation of a downstream cellular process, e.g. transcription. The Fc portion of an immunoglobulin is its C-terminal constant region. [GOC:phg, Wikipedia:Fc_receptor]' - }, - 'GO:0038094': { - 'name': 'Fc-gamma receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the Fc portion of immunoglobulin G (IgG) to an Fc-gamma receptor on the surface of a signal-receiving cell, and ending with regulation of a downstream cellular process, e.g. transcription. The Fc portion of an immunoglobulin is its C-terminal constant region. [GOC:phg, PMID:11244038]' - }, - 'GO:0038095': { - 'name': 'Fc-epsilon receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the Fc portion of immunoglobulin E (IgE) to an Fc-epsilon receptor on the surface of a signal-receiving cell, and ending with regulation of a downstream cellular process, e.g. transcription. The Fc portion of an immunoglobulin is its C-terminal constant region. [GOC:phg, PMID:12413516, PMID:15048725]' - }, - 'GO:0038096': { - 'name': 'Fc-gamma receptor signaling pathway involved in phagocytosis', - 'def': 'An Fc-gamma receptor signaling pathway that contributes to the endocytic engulfment of external particulate material by phagocytes. [GOC:phg, PMID:12488490, PMID:15466916]' - }, - 'GO:0038097': { - 'name': 'positive regulation of mast cell activation by Fc-epsilon receptor signaling pathway', - 'def': 'An Fc-epsilon receptor signaling pathway that results in the change in morphology and behavior of a mast cell resulting from exposure to a cytokine, chemokine, soluble factor, or to (at least in mammals) an antigen which the mast cell has specifically bound via IgE bound to Fc-epsilonRI receptors. [GOC:phg, PMID:12413516]' - }, - 'GO:0038098': { - 'name': 'sequestering of BMP from receptor via BMP binding', - 'def': 'Binding to a bone morphogenetic protein (BMP) in the extracellular region, and inhibiting BMP signaling by preventing BMP from binding to its cell surface receptor. [GOC:bf, GOC:signaling, PMID:19855014]' - }, - 'GO:0038099': { - 'name': 'nodal receptor complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a complex containing a type II activin receptor, a type I activin receptor, and a coreceptor of the EGF-CFC family (e.g. Cripto or Cryptic, in mammals). [GOC:bf, GOC:signaling, PMID:15062104]' - }, - 'GO:0038100': { - 'name': 'nodal binding', - 'def': 'Interacting selectively and non-covalently with a nodal protein, a member of the transforming growth factor-beta superfamily. [GOC:bf, PMID:20629020, PR:000000105]' - }, - 'GO:0038101': { - 'name': 'sequestering of nodal from receptor via nodal binding', - 'def': 'Binding to a nodal protein in the extracellular region, and inhibiting nodal signaling by preventing nodal from binding to its cell surface receptor. [GOC:signaling, PMID:14570583, PMID:15062104]' - }, - 'GO:0038102': { - 'name': 'activin receptor antagonist activity', - 'def': 'Interacting with an activin receptor complex to reduce the action of another ligand, the agonist. A receptor antagonist does not initiate signaling upon binding to a receptor, but instead blocks an agonist from binding to the receptor. [GOC:signaling, PMID:15062104]' - }, - 'GO:0038103': { - 'name': 'activin receptor antagonist activity involved in negative regulation of nodal signaling pathway', - 'def': 'Interacting with an activin receptor to reduce the action of the agonist nodal. A receptor antagonist does not initiate signaling upon binding to a receptor, but instead blocks an agonist from binding to the receptor. [GOC:signaling, PMID:15062104]' - }, - 'GO:0038104': { - 'name': 'nodal receptor complex', - 'def': 'A protein complex containing at least a type II activin receptor, a type I activin receptor, and a coreceptor (EGF-CFC protein) such as Cripto or Cryptic. Nodal receptor complexes are capable of binding a nodal protein and transducing the signal into the cell. [GOC:bf, GOC:signaling, PMID:11024047, PMID:15062104]' - }, - 'GO:0038105': { - 'name': 'sequestering of TGFbeta from receptor via TGFbeta binding', - 'def': 'Binding to a transforming growth factor-beta (TGFbeta) protein in the extracellular region, and inhibiting TGFbeta signaling by preventing TGFbeta from binding to its cell surface receptor. [GOC:bf, GOC:signaling, PMID:19855014]' - }, - 'GO:0038106': { - 'name': 'choriogonadotropin hormone binding', - 'def': 'Interacting selectively and non-covalently with choriogonadotropin hormone, a heterodimer, with an alpha subunit identical to that of luteinizing hormone (LH), follicle-stimulating hormone (FSH) and thyroid-stimulating hormone (TSH), and a unique beta subunit. [GOC:BHF, GOC:rl, Wikipedia:Human_chorionic_gonadotropin]' - }, - 'GO:0038107': { - 'name': 'nodal signaling pathway involved in determination of left/right asymmetry', - 'def': "A series of molecular signals initiated by the binding of a nodal protein to an activin receptor on the surface of a target cell, which contributes to the establishment of an organism's body plan or part of an organism with respect to the left and right halves. [GOC:BHF, GOC:vk, PMID:12857784, PMID:17287255, PMID:20413706]" - }, - 'GO:0038108': { - 'name': 'negative regulation of appetite by leptin-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of leptin to a receptor on the surface of a cell, which reduces appetite, the desire or physical craving for food. [GOC:BHF, GOC:vk, PMID:19150989]' - }, - 'GO:0038109': { - 'name': 'Kit signaling pathway', - 'def': 'A series of molecular signals that starts with the binding of stem cell factor to the tyrosine kinase receptor KIT on the surface of a cell, and ends with regulation of a downstream cellular process, e.g. transcription. Stem cell factor (KIT ligand) binding to the receptor Kit mediates receptor dimerization, activation of its intrinsic tyrosine kinase activity and autophosphorylation. The activated receptor then phosphorylates various substrates, thereby activating distinct signaling cascades within the cell that trigger a change in state or activity of the cell. [GOC:nhn, GOC:signaling, PMID:16129412]' - }, - 'GO:0038110': { - 'name': 'interleukin-2-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-2 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038111': { - 'name': 'interleukin-7-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-7 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038112': { - 'name': 'interleukin-8-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-8 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038113': { - 'name': 'interleukin-9-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-9 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038114': { - 'name': 'interleukin-21-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-21 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038115': { - 'name': 'chemokine (C-C motif) ligand 19 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the C-C chemokine CCL19 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PMID:15059845, PR:000001991]' - }, - 'GO:0038116': { - 'name': 'chemokine (C-C motif) ligand 21 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the C-C chemokine CCL21 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PMID:15059845, PR:000001993]' - }, - 'GO:0038117': { - 'name': 'C-C motif chemokine 19 receptor activity', - 'def': 'Combining with the C-C motif chemokine 19 (CCL19) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:signaling, PMID:15059845, PR:000001991]' - }, - 'GO:0038118': { - 'name': 'C-C chemokine receptor CCR7 signaling pathway', - 'def': "A series of molecular signals initiated by a the C-C chemokine type 7 receptor on the surface of a cell binding to one of it's physiological ligands, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, PMID:15059845, PMID:15778365, PR:000001203]" - }, - 'GO:0038119': { - 'name': 'CCL19-activated CCR7 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the C-C chemokine CCL19 to a C-C chemokine type 7 receptor (CCR7) on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PMID:15059845, PR:000001203]' - }, - 'GO:0038120': { - 'name': 'CCL21-activated CCR7 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the C-C chemokine CCL21 to a C-C chemokine type 7 receptor (CCR7) on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PMID:15059845, PR:000001203]' - }, - 'GO:0038121': { - 'name': 'C-C motif chemokine 21 receptor activity', - 'def': 'Combining with the C-C motif chemokine 21 (CCL21) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:signaling, PMID:15059845, PR:000001993]' - }, - 'GO:0038122': { - 'name': 'C-C motif chemokine 5 receptor activity', - 'def': 'Combining with the C-C motif chemokine 5 (CCL5) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:signaling, PR:000002094]' - }, - 'GO:0038123': { - 'name': 'toll-like receptor TLR1:TLR2 signaling pathway', - 'def': "A series of molecular signals initiated by the binding of a heterodimeric TLR1:TLR2 complex to one of it's physiological ligands, followed by transmission of the signal by the activated receptor, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PMID:17318230]" - }, - 'GO:0038124': { - 'name': 'toll-like receptor TLR6:TLR2 signaling pathway', - 'def': "A series of molecular signals initiated by the binding of a heterodimeric TLR6:TLR2 complex to one of it's physiological ligands, followed by transmission of the signal by the activated receptor, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PMID:17318230]" - }, - 'GO:0038127': { - 'name': 'ERBB signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a ligand to a member of the ERBB family of receptor tyrosine kinases on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:jc, PMID:16460914, PR:000001812, Wikipedia:ErbB]' - }, - 'GO:0038128': { - 'name': 'ERBB2 signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a ligand to a member of the ERBB family of receptors on the surface of a cell, where the signal is transmitted by ERBB2. The pathway ends with regulation of a downstream cellular process, e.g. transcription. ERBB2 receptors are themselves unable to bind to ligands, but act as a signal-amplifying tyrosine kinase within a heterodimeric pair. [GOC:jc, PMID:16460914, PR:000002082, Reactome:REACT_115755.1]' - }, - 'GO:0038129': { - 'name': 'ERBB3 signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a ligand to the tyrosine kinase receptor ERBB3 on the surface of a cell. The pathway ends with regulation of a downstream cellular process, e.g. transcription. ERBB3 receptors have impaired kinase activity and rely on the kinase activity of the heterodimer partner for activation and signal transmission. [GOC:jc, PMID:16460914, PR:000007159, Reactome:REACT_115637.1]' - }, - 'GO:0038130': { - 'name': 'ERBB4 signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a ligand to the tyrosine kinase receptor ERBB4 on the surface of a cell. The pathway ends with regulation of a downstream cellular process, e.g. transcription. [GOC:jc, PMID:16460914, PR:000007160, Reactome:REACT_115596.2]' - }, - 'GO:0038131': { - 'name': 'neuregulin receptor activity', - 'def': 'Combining with a neuregulin, a member of the EGF family of growth factors, and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, GOC:signaling, PMID:16460914, PMID:20672328]' - }, - 'GO:0038132': { - 'name': 'neuregulin binding', - 'def': 'Interacting selectively and non-covalently with a neuregulin, a member of the EGF family of growth factors. [GOC:bf, GOC:signaling]' - }, - 'GO:0038133': { - 'name': 'ERBB2-ERBB3 signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a ligand to a ERBB3 receptor on the surface of a cell, followed by transmission of the signal by a heterodimeric complex of ERBB2 and ERBB3. ERBB2, which does not bind any known ligand, is activated through formation of a heterodimer with another ligand-activated ERBB family member such as ERBB3. ERBB3 also has impaired kinase activity and relies on ERBB2 for activation and signal transmission. [GOC:signaling, PMID:16460914, Reactome:REACT_115761.1]' - }, - 'GO:0038134': { - 'name': 'ERBB2-EGFR signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a ligand to an epidermal growth factor receptor (EGFR/ERBB1) on the surface of a cell, followed by transmission of the signal by a heterodimeric complex of ERBB2 and EGFR. ERBB2, which does not bind any known ligand, is activated through formation of a heterodimer with another ligand-activated ERBB family member such as EGFR. [GOC:signaling, PMID:16460914, Reactome:REACT_115761.1]' - }, - 'GO:0038135': { - 'name': 'ERBB2-ERBB4 signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a ligand to a ERBB4 receptor on the surface of a cell, followed by transmission of the signal by a heterodimeric complex of ERBB2 and ERBB4. ERBB2, which does not bind any known ligand, is activated through formation of a heterodimer with another ligand-activated ERBB family member such as ERBB4. [GOC:signaling, PMID:16460914, Reactome:REACT_115761.1]' - }, - 'GO:0038136': { - 'name': 'ERBB3-ERBB4 signaling pathway', - 'def': 'A series of molecular signals transmitted by a heterodimeric complex of the tyrosine kinase receptors ERBB3 and ERBB4. The pathway begins with binding of a ligand to either cell surface receptor, or the dimeric receptor complex, and ends with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, PMID:16460914, Reactome:REACT_115947.1]' - }, - 'GO:0038137': { - 'name': 'ERBB4-EGFR signaling pathway', - 'def': 'A series of molecular signals transmitted by a heterodimeric complex of the tyrosine kinase receptors EGFR (epidermal growth factor receptor/ERBB1) and ERBB4. The pathway begins with binding of a ligand to either cell surface receptor, or the dimeric receptor complex, and ends with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, PMID:16460914, Reactome:REACT_116135.1]' - }, - 'GO:0038138': { - 'name': 'ERBB4-ERBB4 signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a ligand to the tyrosine kinase receptor ERBB4, followed by ligand-induced homodimerization of ERBB4 and transmission of the signal into the cell by the homodimeric ERBB4 complex. The pathway ends with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, PMID:16460914, Reactome:REACT_115969.2]' - }, - 'GO:0038139': { - 'name': 'ERBB4-EGFR complex', - 'def': 'A heterodimeric complex between the tyrosine kinase receptors ERBB4 (also called HER4) and epidermal growth factor receptor (EGFR/ERBB1). [GOC:signaling, PMID:16460914, Reactome:REACT_116654.1]' - }, - 'GO:0038140': { - 'name': 'ERBB4-ERBB3 complex', - 'def': 'A heterodimeric complex between the tyrosine kinase receptors ERBB4 (also called HER4) and ERBB3 (also called HER3). ERBB3 has impaired kinase activity so relies on the kinase activity of its heterodimer partner for activation and signal transmission. [GOC:signaling, PMID:16460914, Reactome:REACT_117805.1]' - }, - 'GO:0038141': { - 'name': 'ERBB4-ERBB4 complex', - 'def': 'A homodimeric complex containing two monomers of the tyrosine kinase receptor ERBB4 (also called HER4). [GOC:signaling, PMID:16460914, Reactome:REACT_117065.1]' - }, - 'GO:0038142': { - 'name': 'EGFR:ERBB2 complex', - 'def': 'A heterodimeric complex between the tyrosine kinase receptor ERBB2 and a ligand-activated epidermal growth factor receptor (EGFR/ERBB1). ERBB2, which does not bind any known ligand, is activated through formation of a heterodimer with another ligand-activated ERBB family member such as EGFR. [GOC:signaling, PMID:16460914, PMID:1973074, Reactome:REACT_115761.1, Reactome:REACT_116379.1, Reactome:REACT_117594.1]' - }, - 'GO:0038143': { - 'name': 'ERBB3:ERBB2 complex', - 'def': 'A heterodimeric complex between the tyrosine kinase receptor ERBB2 and a ligand-activated receptor ERBB3. ERBB2, which does not bind any known ligand, is activated through formation of a heterodimer with another ligand-activated ERBB family member such as ERBB3. [GOC:signaling, PMID:16460914, PMID:8665853, Reactome:REACT_115761.1, Reactome:REACT_116379.1, Reactome:REACT_117748.1]' - }, - 'GO:0038144': { - 'name': 'ERBB4:ERBB2 complex', - 'def': 'A heterodimeric complex between the tyrosine kinase receptor ERBB2 and a ligand-activated receptor ERBB4. ERBB2, which does not bind any known ligand, is activated through formation of a heterodimer with another ligand-activated ERBB family member such as ERBB4. [GOC:signaling, PMID:16460914, PMID:16978839, Reactome:REACT_115761.1, Reactome:REACT_116375.1, Reactome:REACT_116379.1]' - }, - 'GO:0038145': { - 'name': 'macrophage colony-stimulating factor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the cytokine macrophage colony-stimulating factor (M-CSF) to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, GOC:uh, PMID:12138890, PR:000005930, Wikipedia:Macrophage_colony-stimulating_factor]' - }, - 'GO:0038146': { - 'name': 'chemokine (C-X-C motif) ligand 12 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the chemokine CXCL12 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PR:000006066, Wikipedia:Stromal_cell-derived_factor-1]' - }, - 'GO:0038147': { - 'name': 'C-X-C motif chemokine 12 receptor activity', - 'def': 'Combining with the C-X-C motif chemokine 12 (CXCL12) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, PMID:22204316]' - }, - 'GO:0038148': { - 'name': 'chemokine (C-C motif) ligand 2 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the C-C chemokine CCL2 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PR:000002122, Wikipedia:CCL2]' - }, - 'GO:0038149': { - 'name': 'C-C motif chemokine 2 receptor activity', - 'def': 'Combining with the C-C motif chemokine 2 (CCL2) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, GOC:signaling]' - }, - 'GO:0038150': { - 'name': 'C-C chemokine receptor CCR2 signaling pathway', - 'def': "A series of molecular signals initiated by a the C-C chemokine type 2 receptor (CCR2) on the surface of a cell binding to one of it's physiological ligands, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PR:000001199]" - }, - 'GO:0038151': { - 'name': 'CCL2-activated CCR2 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the C-C chemokine CCL2 to a C-C chemokine type 2 receptor (CCR2) on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038152': { - 'name': 'C-C chemokine receptor CCR4 signaling pathway', - 'def': "A series of molecular signals initiated by a the C-C chemokine type 2 receptor (CCR4) on the surface of a cell binding to one of it's physiological ligands, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PR:000001200]" - }, - 'GO:0038153': { - 'name': 'CCL2-activated CCR4 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the C-C chemokine CCL2 to a C-C chemokine type 4 receptor (CCR4) on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038154': { - 'name': 'interleukin-11-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-11 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038155': { - 'name': 'interleukin-23-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-23 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038156': { - 'name': 'interleukin-3-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-3 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]' - }, - 'GO:0038157': { - 'name': 'granulocyte-macrophage colony-stimulating factor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the cytokine granulocyte macrophage colony-stimulating factor (GM-CSF) to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. GM-CSF binds to a heterodimer receptor (CSF2R) consisting of an alpha ligand-binding subunit, and a common beta subunit that is shared with other cytokine receptors. [GOC:nhn, GOC:signaling, PMID:17027509]' - }, - 'GO:0038158': { - 'name': 'granulocyte colony-stimulating factor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the cytokine granulocyte colony-stimulating factor (G-CSF) to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. G-CSF binds to the receptor (CSF3R). [GOC:nhn, GOC:signaling]' - }, - 'GO:0038159': { - 'name': 'C-X-C chemokine receptor CXCR4 signaling pathway', - 'def': "A series of molecular signals initiated by a the C-X-C chemokine type 4 receptor on the surface of a cell binding to one of it's physiological ligands, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling]" - }, - 'GO:0038160': { - 'name': 'CXCL12-activated CXCR4 signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the C-X-C chemokine CXCL12 to a C-X-C chemokine type 4 receptor (CXCR4) on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn]' - }, - 'GO:0038161': { - 'name': 'prolactin signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of the peptide hormone prolactin to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PMID:21664429]' - }, - 'GO:0038162': { - 'name': 'erythropoietin-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of erythropoietin (EPO) to the erythropoietin receptor (EPO-R) on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, PMID:12489509]' - }, - 'GO:0038163': { - 'name': 'thrombopoietin-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a thrombopoietin to the thrombopoietin receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, GOC:signaling, PMID:19630807]' - }, - 'GO:0038164': { - 'name': 'thrombopoietin receptor activity', - 'def': 'Combining with the glycoprotein thrombopoietin and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, GOC:signaling, PMID:19630807]' - }, - 'GO:0038165': { - 'name': 'oncostatin-M-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of oncostatin-M (OSM) to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. OSM can signal via at least two different receptors (a specific receptor and a LIF receptor) to activate different downstream signal transduction pathways. [GOC:nhn, GOC:signaling, PMID:10579456, PMID:12811586]' - }, - 'GO:0038166': { - 'name': 'angiotensin-activated signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of angiotensin II binding to an angiotensin receptor on the surface of the cell, and proceeding with the activated receptor transmitting the signal to a heterotrimeric G-protein complex to initiate a change in cell activity. Ends with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nhn, GOC:signaling, PMID:10977869]' - }, - 'GO:0038167': { - 'name': 'epidermal growth factor receptor signaling pathway via positive regulation of NF-kappaB transcription factor activity', - 'def': 'The series of molecular signals generated as a consequence of an epidermal growth factor receptor binding to one of its physiological ligands, where the signal is passed on within the cell via activation of the transcription factor NF-kappaB. [GOC:signaling, GOC:uh, PMID:21229383, PMID:21518868, PMID:22132240]' - }, - 'GO:0038168': { - 'name': 'epidermal growth factor receptor signaling pathway via I-kappaB kinase/NF-kappaB cascade', - 'def': 'The series of molecular signals generated as a consequence of an epidermal growth factor receptor binding to one of its physiological ligands, where the signal is passed on within the cell via I-kappaB-kinase (IKK)-dependent activation of the transcription factor NF-kappaB. [GOC:bf, PMID:22132240]' - }, - 'GO:0038169': { - 'name': 'somatostatin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a somatostatin receptor (SSTR) binding to one of its physiological ligands and transmitting the signal to a heterotrimeric G-protein complex. The pathway ends with regulation of a downstream cellular process, e.g. transcription. [GOC:jc, PMID:18006219, PMID:8769369, PR:000001555]' - }, - 'GO:0038170': { - 'name': 'somatostatin signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of the peptide somatostatin (SST) binding to a somatostatin receptor (SSTR). The pathway proceeds with the receptor transmitting the signal to a heterotrimeric G-protein complex and ends with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:nhn, GOC:signaling, PMID:18006219, Wikipedia:Somatostatin]' - }, - 'GO:0038171': { - 'name': 'cannabinoid signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a cannabinoid binding to a cell surface receptor. The pathway proceeds with the receptor transmitting the signal to a heterotrimeric G-protein complex and ends with regulation of a downstream cellular process, e.g. transcription. Cannabinoids are a class of diverse chemical compounds that include the endocannabinoids and the phytocannabinoids. [GOC:bf, GOC:jc, GOC:signaling, Wikipedia:Cannabinoid]' - }, - 'GO:0038172': { - 'name': 'interleukin-33-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-33 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:jc, GOC:signaling, PR:000001389]' - }, - 'GO:0038173': { - 'name': 'interleukin-17A-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-17A to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:jc, GOC:signaling, PR:000001138]' - }, - 'GO:0038174': { - 'name': 'interleukin-17A receptor activity', - 'def': 'Combining with the cytokine interleukin-17A and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:bf, GOC:jc, GOC:signaling, PR:000001138]' - }, - 'GO:0038175': { - 'name': 'negative regulation of SREBP signaling pathway in response to increased oxygen levels', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of the SREBP signaling pathway in response to an increase in oxygen levels. [GOC:al, PMID:22017871]' - }, - 'GO:0038176': { - 'name': 'positive regulation of SREBP signaling pathway in response to decreased oxygen levels', - 'def': 'Any process that activates or increases the frequency, rate or extent of the SREBP signaling pathway in response to a decrease in oxygen levels. [GOC:al, PMID:22017871]' - }, - 'GO:0038177': { - 'name': 'death receptor agonist activity', - 'def': 'Interacting with a death receptor such that the proportion of death receptors in an active form is increased. Ligand binding to a death receptor often induces a conformational change to activate the receptor. [GOC:mtg_apoptosis, GOC:pr]' - }, - 'GO:0038178': { - 'name': 'complement component C5a signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of a the C5a component of the complement pathway binding to a complement receptor, and ending with regulation of a downstream cellular process. C5a is a peptide derived from the C5 complement factor. [GOC:jc, PMID:15313431, Wikipedia:Complement_component_5a]' - }, - 'GO:0038179': { - 'name': 'neurotrophin signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a neurotrophin to a receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. Neurotrophins are a family of secreted growth factors that induce the survival, development, and function of neurons. [GOC:bf, GOC:jc, GOC:signaling, PMID:17466268, PR:000021998, Wikipedia:Neurotrophin]' - }, - 'GO:0038180': { - 'name': 'nerve growth factor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of nerve growth factor (NGF) to a receptor on the surface of the target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, PMID:11520933, PR:000011194, Wikipedia:Nerve_growth_factor]' - }, - 'GO:0038181': { - 'name': 'bile acid receptor activity', - 'def': 'Combining with a bile acid and transmitting the signal to initiate a change in cell activity. A bile acid is any member of a group of steroid carboxylic acids occurring in bile. [CHEBI:3098, GOC:bf, PMID:10334992, PMID:12718893]' - }, - 'GO:0038182': { - 'name': 'G-protein coupled bile acid receptor activity', - 'def': 'Combining with an extracellular bile acid and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, PMID:12524422, Wikipedia:G_protein-coupled_bile_acid_receptor]' - }, - 'GO:0038183': { - 'name': 'bile acid signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a bile acid to a receptor, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:signaling, PMID:12016314]' - }, - 'GO:0038184': { - 'name': 'cell surface bile acid receptor signaling pathway', - 'def': 'A series of molecular signals initiated by binding of a bile acid to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, PMID:12419312, PMID:19442546]' - }, - 'GO:0038185': { - 'name': 'intracellular bile acid receptor signaling pathway', - 'def': 'A series of molecular signals initiated by a bile acid binding to an receptor located within a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, PMID:10334992]' - }, - 'GO:0038186': { - 'name': 'lithocholic acid receptor activity', - 'def': 'Combining with lithocholic acid and transmitting the signal to initiate a change in cell activity. [CHEBI:16325, GOC:bf, PMID:12016314, PMID:12419312]' - }, - 'GO:0038187': { - 'name': 'pattern recognition receptor activity', - 'def': 'Combining with a pathogen-associated molecular pattern (PAMP), a structure conserved among microbial species, or damage-associated molecular pattern (DAMP), an endogenous molecule released from damaged cells), to initiate a change in cell activity. [GOC:ar, GOC:bf, Wikipedia:Pattern_recognition_receptor]' - }, - 'GO:0038188': { - 'name': 'cholecystokinin signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of cholecystokinin binding to a receptor on the surface of the cell, and proceeding with the activated receptor transmitting the signal to a heterotrimeric G-protein complex to initiate a change in cell activity. Ends with regulation of a downstream cellular process, e.g. transcription. [GOC:jc, PMID:11181948]' - }, - 'GO:0038189': { - 'name': 'neuropilin signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to an neuropilin protein on the surface of a target cell, followed by transmission of the signal, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, PMID:12852851]' - }, - 'GO:0038190': { - 'name': 'VEGF-activated neuropilin signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of vascular endothelial growth factor (VEGF) to a neuropilin protein on the surface of a target cell, followed by transmission of the signal, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:rl, PMID:12852851]' - }, - 'GO:0038191': { - 'name': 'neuropilin binding', - 'def': 'Interacting selectively and non-covalently with a member of the neuropilin family. [GOC:bf, PMID:23871893]' - }, - 'GO:0038192': { - 'name': 'gastric inhibitory peptide signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a gastric inhibitory peptide (GIP) binding to a cell surface receptor. The pathway proceeds with the receptor transmitting the signal to a heterotrimeric G-protein complex and ends with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, PMID:15955806]' - }, - 'GO:0038193': { - 'name': 'thromboxane A2 signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of thromboxane A2 binding to a cell surface receptor. The pathway proceeds with the receptor transmitting the signal to a heterotrimeric G-protein complex and ends with regulation of a downstream cellular process, e.g. transcription. [GOC:nhn, PMID:15893915]' - }, - 'GO:0038194': { - 'name': 'thyroid-stimulating hormone signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of thyroid-stimulating hormone (thyrotropin) binding to a cell surface receptor. The pathway proceeds with the receptor transmitting the signal to a heterotrimeric G-protein complex and ends with regulation of a downstream cellular process, e.g. transcription. [GOC:gap, PMID:10809230]' - }, - 'GO:0038195': { - 'name': 'urokinase plasminogen activator signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of urokinase plasminogen activator to a receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:gap, PMID:9417082]' - }, - 'GO:0038196': { - 'name': 'type III interferon signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a type III interferon to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. Interferon lambda is the only member of the type III interferon found so far. [GOC:pg, GOC:signaling]' - }, - 'GO:0038197': { - 'name': 'type I interferon receptor complex', - 'def': 'A heterodimeric protein complex that binds a type I interferon and transmits the signal across the membrane into the cell. Consists of an alpha subunit (IFNAR1) and a beta subunit (IFNAR2). [GOC:cjm, GOC:signaling, PMID:17502368]' - }, - 'GO:0038198': { - 'name': 'auxin receptor activity', - 'def': 'Combining with auxin and transmitting the signal in the cell to initiate a change in cell activity. Auxin is a plant hormone (phytohormone). [GOC:signaling, PMID:15917797]' - }, - 'GO:0038199': { - 'name': 'ethylene receptor activity', - 'def': 'Combining with ethylene and transmitting the signal in the cell to initiate a change in cell activity. [GOC:signaling, PMID:22467798, PMID:24012247]' - }, - 'GO:0038200': { - 'name': 'ethylene receptor histidine kinase activity', - 'def': 'Combining with ethylene and transmitting the signal within the cell to initiate a change in cell activity by catalysis of the reaction: ATP + a protein-L-histidine = ADP + a protein-L-histidine phosphate. [GOC:signaling, PMID:22467798]' - }, - 'GO:0038201': { - 'name': 'TOR complex', - 'def': 'A protein complex that contains at least TOR (target of rapamycin) in complex with other signaling components. Mediates the phosphorylation and activation of downstream signaling components including PKB (AKT) or S6K. [Wikipedia:MTORC1, Wikipedia:MTORC2]' - }, - 'GO:0038202': { - 'name': 'TORC1 signaling', - 'def': 'A series of intracellular molecular signals mediated by TORC1; TOR (target of rapamycin) in complex with at least Raptor (regulatory-associated protein of TOR), or orthologs of, and other signaling components. [GOC:lb]' - }, - 'GO:0038203': { - 'name': 'TORC2 signaling', - 'def': 'A series of intracellular molecular signals mediated by TORC2; TOR (rapamycin-insensitive companion of TOR) in complex with at least Rictor (regulatory-associated protein of TOR), or orthologs of, and other signaling components. [GOC:lb]' - }, - 'GO:0039003': { - 'name': 'pronephric field specification', - 'def': 'The process in which regions of the embryo are delineated into the area in which the pronephric kidney will develop. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039004': { - 'name': 'specification of pronephric proximal tubule identity', - 'def': 'The process in which the proximal tubule of the pronephric nephron acquires its identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039005': { - 'name': 'specification of pronephric tubule identity', - 'def': 'The process in which the tubules arranged along the proximal/distal axis of the pronephric nephron acquire their identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039006': { - 'name': 'pronephric nephron tubule formation', - 'def': 'The developmental process pertaining to the initial formation of a pronephric nephron tubule from unspecified parts. A pronephric nephron tubule is an epithelial tube that is part of a nephron in the pronephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039007': { - 'name': 'pronephric nephron morphogenesis', - 'def': 'The process in which the anatomical structures of the pronephric nephron are generated and organized. A pronephric nephron is the functional unit of the pronephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039008': { - 'name': 'pronephric nephron tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a pronephric nephron tubule are generated and organized from an epithelium. A pronephric nephron tubule is an epithelial tube that is part of the pronephric nephron. [GOC:mtg_kidney_jan10, ZFA:00001558]' - }, - 'GO:0039009': { - 'name': 'rectal diverticulum development', - 'def': 'The process whose specific outcome is the progression of the rectal diverticulum over time, from its formation to the mature structure. The rectal diverticulum is an outgrowth of the cloaca and links the pronephric kidney to the exterior. [GOC:mtg_kidney_jan10, PMID:10535314, PMID:18226983, XAO:0001015]' - }, - 'GO:0039010': { - 'name': 'specification of pronephric distal tubule identity', - 'def': 'The process in which the distal tubule of the pronephric nephron acquires its identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039011': { - 'name': 'pronephric proximal tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a pronephric nephron proximal tubule are generated and organized. A pronephric nephron tubule is an epithelial tube that is part of the pronephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039012': { - 'name': 'pronephric sinus development', - 'def': 'The process whose specific outcome is the progression of the pronephric sinus over time, from its formation to the mature structure. The pronephric sinus is an ill-defined capillary network that lies between the pronephric tubules. [GOC:mtg_kidney_jan10, PMID:10535314, XAO:0000385]' - }, - 'GO:0039013': { - 'name': 'pronephric distal tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a pronephric nephron distal tubule are generated and organized. A pronephric nephron tubule is an epithelial tube that is part of the pronephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039014': { - 'name': 'cell differentiation involved in pronephros development', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells of the pronephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039015': { - 'name': 'cell proliferation involved in pronephros development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of the population in the pronephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039016': { - 'name': 'cell-cell signaling involved in pronephros development', - 'def': 'Any process that mediates the transfer of information from one cell to another and contributes to the progression of the pronephros over time, from its formation to the mature organ. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039017': { - 'name': 'pattern specification involved in pronephros development', - 'def': 'Any developmental process that results in the creation of defined areas or spaces within the pronephros to which cells respond and eventually are instructed to differentiate. [GOC:mtg_kidney_jan10]' - }, - 'GO:0039018': { - 'name': 'nephrostome development', - 'def': 'The process whose specific outcome is the progression of the nephrostome over time, from its formation to the mature structure. The nephrostome is the opening of the pronephros into the body cavity. [GOC:mtg_kidney_jan10, PMID:14686690, PMID:15647339, XAO:0000062]' - }, - 'GO:0039019': { - 'name': 'pronephric nephron development', - 'def': 'The process whose specific outcome is the progression of the pronephric nephron over time, from its formation to the mature structure. A pronephric nephron is the functional unit of the pronephros. [GOC:mtg_kidney_jan10, XAO:00002785]' - }, - 'GO:0039020': { - 'name': 'pronephric nephron tubule development', - 'def': 'The process whose specific outcome is the progression of a pronephric nephron tubule over time, from its formation to the mature structure. The pronephric nephron tubule is an epithelial tube that is part of the pronephric nephron and connects the filtration unit (glomerulus or glomus) of the pronephros to the pronephric duct. [GOC:mtg_kidney_jan10, PMID:19909807, PMID:9268568]' - }, - 'GO:0039021': { - 'name': 'pronephric glomerulus development', - 'def': 'The progression of the glomerulus of the pronephric kidney over time from its initial formation until its mature state. The pronephric glomerulus is part of the pronephric nephron and is restricted to one body segment. [GOC:dgh, GOC:mtg_kidney_jan10, ZFA:00001557]' - }, - 'GO:0039022': { - 'name': 'pronephric duct development', - 'def': 'The process whose specific outcome is the progression of the pronephric duct over time, from its formation to the mature structure. The pronephric duct collects the filtrate from the pronephric tubules and opens to the exterior of the pronephric kidney. [GOC:mtg_kidney_jan10, PMID:15647339, XAO:0000063, ZFA:0000150]' - }, - 'GO:0039023': { - 'name': 'pronephric duct morphogenesis', - 'def': 'The process in which the anatomical structures of the pronephric duct are generated and organized. The pronephric duct collects the filtrate from the pronephric tubules and opens to the exterior of the kidney. [GOC:mtg_kidney_jan10, XAO:0000063, ZFA:0000150]' - }, - 'GO:0039501': { - 'name': 'suppression by virus of host type I interferon production', - 'def': 'Any viral process that results in the inhibition of host cell type I interferon production. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:add, GOC:bf, GOC:sp, UniProtKB-KW:KW-1113, VZ:875]' - }, - 'GO:0039502': { - 'name': 'suppression by virus of host type I interferon-mediated signaling pathway', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of type I interferon-mediated signaling in the host organism. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:add, GOC:bf, GOC:sp, UniProtKB-KW:KW-1114, VZ:883]' - }, - 'GO:0039503': { - 'name': 'suppression by virus of host innate immune response', - 'def': "Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the innate immune response of the host organism, the host's first line of defense. [GOC:add, GOC:bf, GOC:sp, UniProtKB-KW:KW-1090]" - }, - 'GO:0039504': { - 'name': 'suppression by virus of host adaptive immune response', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the adaptive immune response of the host organism, an immune response based on directed amplification of specific receptors for antigen produced through a somatic diversification process, and allowing for enhanced response to subsequent exposures to the same antigen (immunological memory). [GOC:add, GOC:bf, GOC:sp, UniProtKB-KW:KW-1080]' - }, - 'GO:0039505': { - 'name': 'suppression by virus of host antigen processing and presentation of peptide antigen via MHC class II', - 'def': 'Any viral process that inhibits a host antigen-presenting cell expressing a peptide antigen on its cell surface in association with an MHC class II protein complex. [GOC:add, GOC:bf, UniProtKB-KW:KW-1116, VZ:820]' - }, - 'GO:0039506': { - 'name': 'modulation by virus of host molecular function', - 'def': 'The process in which a virus effects a change in the function of a host protein via a direct interaction. [GOC:bf, GOC:sp]' - }, - 'GO:0039507': { - 'name': 'suppression by virus of host molecular function', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the functional activity of a host protein. [GOC:bf, GOC:sp]' - }, - 'GO:0039508': { - 'name': 'suppression by virus of host receptor activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the functional activity of a host receptor. [GOC:bf, GOC:sp]' - }, - 'GO:0039509': { - 'name': 'suppression by virus of host pattern recognition receptor activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the functional activity of a host pattern recognition receptor. A pattern recognition receptor combines with a molecular pattern based on a repeating or polymeric structure, such as a polysaccharide or peptidoglycan, to initiate a change in cell activity. [GOC:bf, GOC:sp]' - }, - 'GO:0039510': { - 'name': 'suppression by virus of host ATP-dependent RNA helicase activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host ATP-dependent RNA helicase activity. [GOC:bf, GOC:sp]' - }, - 'GO:0039511': { - 'name': 'suppression by virus of host interferon receptor activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the functional activity of a host interferon receptor. [GOC:bf, GOC:sp, UniProtKB-KW:KW-1091, VZ:843]' - }, - 'GO:0039512': { - 'name': 'suppression by virus of host protein tyrosine kinase activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host protein tyrosine kinase activity. [GOC:bf, GOC:sp]' - }, - 'GO:0039513': { - 'name': 'suppression by virus of host catalytic activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host enzyme activity. [GOC:bf]' - }, - 'GO:0039514': { - 'name': 'suppression by virus of host JAK-STAT cascade', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the JAK-STAT signal cascade in the host organism. [GOC:bf, GOC:sp]' - }, - 'GO:0039516': { - 'name': 'modulation by virus of host catalytic activity', - 'def': 'The process in which a virus effects a change in host enzyme activity. [GOC:bf, GOC:sp]' - }, - 'GO:0039517': { - 'name': 'modulation by virus of host protein serine/threonine phosphatase activity', - 'def': 'The process in which a virus effects a change in host protein serine/threonine phosphatase activity. [GOC:bf, GOC:sp]' - }, - 'GO:0039518': { - 'name': 'suppression by virus of host cytokine activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host cytokine activity. [GOC:bf, GOC:sp]' - }, - 'GO:0039519': { - 'name': 'modulation by virus of host autophagy', - 'def': 'Any process in which a virus effect a change in the frequency, rate or extent of autophagy in the host. [GOC:bf, GOC:sp]' - }, - 'GO:0039520': { - 'name': 'induction by virus of host autophagy', - 'def': 'Any process in which a virus activates or increases the frequency, rate or extent of autophagy in the host. [GOC:bf, GOC:sp, UniProtKB-KW:KW-1072, VZ:846]' - }, - 'GO:0039521': { - 'name': 'suppression by virus of host autophagy', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of autophagy in the host. [GOC:bf, GOC:sp, UniProtKB-KW:KW-1083, VZ:845]' - }, - 'GO:0039522': { - 'name': 'suppression by virus of host mRNA export from nucleus', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of movement of mRNA from the nucleus to the cytoplasm in the host organism. [GOC:bf, GOC:sp, UniProtKB-KW:KW-1099, VZ:902]' - }, - 'GO:0039523': { - 'name': 'suppression by virus of host RNA polymerase II activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host RNA polymerase II activity. [GOC:bf, GOC:sp, UniProtKB-KW:KW-1104, VZ:905]' - }, - 'GO:0039524': { - 'name': 'suppression by virus of host mRNA processing', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of mRNA processing in the host cell. mRNA processing is the conversion of a primary mRNA transcript into one or more mature mRNA(s) prior to translation into polypeptide. [GOC:bf, GOC:sp, UniProtKB-KW:KW-1103, VZ:903]' - }, - 'GO:0039525': { - 'name': 'modulation by virus of host chromatin organization', - 'def': 'Any process in which a virus effects a change in the organization of chromatin in the host. [GOC:bf, GOC:sp, UniProtKB-KW:KW-1122]' - }, - 'GO:0039526': { - 'name': 'modulation by virus of host apoptotic process', - 'def': 'Any process in which a virus modulates the frequency, rate or extent of apoptosis of infected host cells. [GOC:bf, GOC:mtg_apoptosis, GOC:sp, UniProtKB-KW:KW-1119]' - }, - 'GO:0039527': { - 'name': 'suppression by virus of host TRAF-mediated signal transduction', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of TRAF-mediated signal transduction in the host. [GOC:bf, GOC:sp]' - }, - 'GO:0039528': { - 'name': 'cytoplasmic pattern recognition receptor signaling pathway in response to virus', - 'def': 'Any series of molecular signals generated as a consequence of a virus or viral RNA binding to a pattern recognition receptor (PRR) located in the cytoplasm. Cytosolic PRRs such as RIG-I (DDX58) and MDA-5 (IFIH1) detect RNA synthesized during active viral replication and trigger a signaling pathway to protect the host against viral infection, for example by inducing the expression of antiviral cytokines. [GOC:bf, PMID:17328678, PMID:18272355, PMID:19531363]' - }, - 'GO:0039529': { - 'name': 'RIG-I signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of the cytoplasmic pattern recognition receptor (PRR) RIG-1 (also known as DDX58) binding to viral RNA. RIG-I detects RNA synthesized during active viral replication and triggers a signaling pathway to protect the host against viral infection, for example by inducing the expression of antiviral cytokines. [GOC:bf, PMID:17328678, PMID:19620789, PMID:21435580]' - }, - 'GO:0039530': { - 'name': 'MDA-5 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of the cytoplasmic pattern recognition receptor (PRR) MDA-5 (also known as IFIH1) binding to viral RNA. MDA-5 detects RNA synthesized during active viral replication and triggers a signaling pathway to protect the host against viral infection, for example by inducing the expression of antiviral cytokines. [GOC:bf, PMID:19620789]' - }, - 'GO:0039531': { - 'name': 'regulation of viral-induced cytoplasmic pattern recognition receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the series of molecular signals generated as a consequence of a virus or viral RNA binding to a pattern recognition receptor (PRR) located in the cytoplasm. [GOC:bf, GOC:jl]' - }, - 'GO:0039532': { - 'name': 'negative regulation of viral-induced cytoplasmic pattern recognition receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the series of molecular signals generated as a consequence of a virus or viral RNA binding to a pattern recognition receptor (PRR) located in the cytoplasm. [GOC:bf, GOC:jl]' - }, - 'GO:0039533': { - 'name': 'regulation of MDA-5 signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the series of molecular signals generated as a consequence of the cytoplasmic pattern recognition receptor (PRR) MDA-5 (also known as IFIH1) binding to viral RNA. [GOC:bf, GOC:jl]' - }, - 'GO:0039534': { - 'name': 'negative regulation of MDA-5 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the series of molecular signals generated as a consequence of the cytoplasmic pattern recognition receptor (PRR) MDA-5 (also known as IFIH1) binding to viral RNA. [GOC:bf, GOC:jl]' - }, - 'GO:0039535': { - 'name': 'regulation of RIG-I signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the series of molecular signals generated as a consequence of the cytoplasmic pattern recognition receptor (PRR) RIG-1 (also known as DDX58) binding to viral RNA. [GOC:bf, GOC:jl]' - }, - 'GO:0039536': { - 'name': 'negative regulation of RIG-I signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the series of molecular signals generated as a consequence of the cytoplasmic pattern recognition receptor (PRR) RIG-1 (also known as DDX58) binding to viral RNA. [GOC:bf, GOC:jl]' - }, - 'GO:0039537': { - 'name': 'suppression by virus of host viral-induced cytoplasmic pattern recognition receptor signaling pathway', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the series of molecular signals generated as a consequence of a virus or viral RNA binding to a pattern recognition receptor (PRR) located in the cytoplasm. This is a mechanism by which the virus evades the host innate immune response. [GOC:bf, GOC:jl]' - }, - 'GO:0039538': { - 'name': 'suppression by virus of host RIG-I signaling pathway', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the series of molecular signals generated as a consequence of the cytoplasmic pattern recognition receptor (PRR) RIG-1 (also known as DDX58) binding to viral RNA. This is a mechanism by which the virus evades the host innate immune response. [GOC:bf, GOC:jl]' - }, - 'GO:0039539': { - 'name': 'suppression by virus of host MDA-5 signaling pathway', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the series of molecular signals generated as a consequence of the cytoplasmic pattern recognition receptor (PRR) MDA-5 (also known as IFIH1) binding to viral RNA. This is a mechanism by which the virus evades the host innate immune response. [GOC:bf, GOC:jl]' - }, - 'GO:0039540': { - 'name': 'suppression by virus of host RIG-I activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of RIG-1 (also known as DDX58). The cytoplasmic pattern recognition RIG-I recognizes viral RNA synthesized during active viral replication and signals to protect the host against viral infection, for example by inducing the expression of antiviral cytokines. [GOC:bf, GOC:sp, UniProtKB-KW:KW-1088, VZ:856]' - }, - 'GO:0039541': { - 'name': 'suppression by virus of host RIG-I via RIG-I binding', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of RIG-I (also known as DDX58) by interacting selectively and non-covalently with RIG-I itself. [PMID:19193793, PMID:20007272, VZ:856]' - }, - 'GO:0039542': { - 'name': 'suppression by virus of host RIG-I K63-linked ubiquitination', - 'def': 'Any process in which a virus stops, prevents, or reduces the rate or extent of K63-linked ubiquitination of RIG-I (also known as DDX58), thereby suppressing RIG-I signal transduction. Lys63-linked ubiquitination of the N-terminal CARD domains of RIG-I is crucial for the cytosolic RIG-I signaling pathway to elicit host antiviral innate immunity. [PMID:19454348, PMID:21890623]' - }, - 'GO:0039543': { - 'name': "suppression by virus of host RIG-I activity by viral RNA 5' processing", - 'def': "The post-transcriptional removal by a virus of the 5' triphosphate group of their viral RNA, thereby preventing host RIG-I from recognizing viral RNA in the host cell. The intracellular pattern recognition receptor RIG-I (also known as DDX58) recognizes viral RNAs containing 5' triphosphates; removal by the virus of the 5'-terminal triphosphate group from their genome protects the viral RNA from RIG-recognition. [PMID:18446221, VZ:856]" - }, - 'GO:0039544': { - 'name': 'suppression by virus of host RIG-I activity by RIG-I proteolysis', - 'def': 'The chemical reactions and pathways performed by a virus resulting in the hydrolysis of the host RIG-I protein (also known as DDX58) by cleavage of peptide bonds, thereby inhibiting RIG-I signal transduction. [PMID:19628239]' - }, - 'GO:0039545': { - 'name': 'suppression by virus of host MAVS activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of MAVS (mitochondrial antiviral signaling protein), a signal transducer that lies downstream of the viral RNA receptors MDA-5 and RIG-I to coordinate host innate immune responses. [UniProtKB-KW:KW-1097, VZ:704]' - }, - 'GO:0039546': { - 'name': 'suppression by virus of host MAVS activity by MAVS proteolysis', - 'def': 'The chemical reactions and pathways performed by a virus resulting in the hydrolysis of the host MAVS (mitochondrial inhibitor of viral signaling) protein by cleavage of peptide bonds, thereby inhibiting the host innate immune response. For example, MAVS harbors a C-terminal transmembrane domain that targets it to the mitochondrial outer membrane; cleavage within this domain removes MAVS from the membrane, thus preventing it from signaling. [PMID:21436888, PMID:22238314]' - }, - 'GO:0039547': { - 'name': 'suppression by virus of host TRAF activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of a host TRAF (tumor necrosis factor receptor-associated factor) protein. TRAFs are intracellular signal transducers that lie downstream of receptors including RIG-I, MDA-5 and Toll-like receptors (TLR) and transfer the signal to other intracellular signaling components. [GOC:bf, UniProtKB-KW:KW-1110, VZ:715]' - }, - 'GO:0039548': { - 'name': 'suppression by virus of host IRF3 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host IRF3 (interferon regulatory factor-3), a transcription factor in the RIG-I/MDA-5 signaling pathway. Viral infection triggers phosphorylation of cytoplasmic IRF3, which allows IRF3 to form a homodimer, migrate to the nucleus, and activate transcription of IFN-alpha and IFN-beta genes. [PMID:21632562, UniProtKB-KW:KW-1092, VZ:757]' - }, - 'GO:0039549': { - 'name': 'suppression by virus of host IRF3 activity by inhibition of IRF3 phosphorylation', - 'def': 'Any process in which a virus stops, prevents, or reduces the rate or extent of the phosphorylation of IRF3 (interferon regulatory factor-3), thereby inhibiting IRF3 activation. In response to signaling from RIG-1/MDA-5 receptors, IRF3 is phosphorylated on multiple serine and threonine residues; phosphorylation results in the cytoplasm-to-nucleus translocation of IRF3, DNA binding, and increased transcriptional activation of interferon-encoding genes. [PMID:11124948, PMID:12829834, PMID:20631144, PMID:9566918]' - }, - 'GO:0039550': { - 'name': 'suppression by virus of host IRF3 activity by inhibition of DNA binding', - 'def': 'Any process in which a virus stops, prevents, or reduces IRF3-dependent gene transcription, by preventing or reducing IRF3 binding to promoter sites. [PMID:21632562]' - }, - 'GO:0039551': { - 'name': 'suppression by virus of host IRF3 activity by positive regulation of IRF3 catabolic process', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host IRF3 (interferon regulatory factor-3) by promoting the ubiquitin-dependent degradation of IRF3, mediated by the proteasome. [VZ:757]' - }, - 'GO:0039552': { - 'name': 'RIG-I binding', - 'def': 'Interacting selectively and non-covalently with RIG-I, a cytosolic pattern recognition receptor that initiates an antiviral signaling pathway upon binding to viral RNA. [GOC:bf, PMID:21233210]' - }, - 'GO:0039553': { - 'name': 'suppression by virus of host chemokine activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host chemokine activity. [GOC:bf, GOC:sp, UniProtKB-KW:KW-1086, VZ:813]' - }, - 'GO:0039554': { - 'name': 'suppression by virus of host MDA-5 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of MDA-5 (also known as IFIH1). The cytoplasmic pattern recognition receptor MDA-5 detects dsRNA synthesized during active viral replication and triggers a signaling pathway to protect the host against viral infection, for example by inducing the expression of antiviral cytokines. [UniProtKB-KW:KW-1089, VZ:603]' - }, - 'GO:0039555': { - 'name': 'suppression by virus of host MDA-5 activity via MDA-5 binding', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of MDA-5 (also known as IFIH1) by interacting selectively and non-covalently with MDA-5 itself. For example, direct binding of viral proteins to the host MDA-5 protein can inhibit interaction of MDA-5 with MAVS, its downstream signaling effector. [PMID:19019954, VZ:603]' - }, - 'GO:0039556': { - 'name': 'MDA-5 binding', - 'def': 'Interacting selectively and non-covalently with MDA-5, a cytosolic pattern recognition receptor that initiates an antiviral signaling pathway upon binding to viral dsRNA. [PMID:19019954]' - }, - 'GO:0039557': { - 'name': 'suppression by virus of host IRF7 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host IRF7 (interferon regulatory factor-7), a transcription factor in the RIG-I/MDA-5 signaling pathway. Viral infection triggers phosphorylation of cytoplasmic IRF7, which allows IRF7 to form a homodimer, migrate to the nucleus, and activate transcription of IFN-alpha and IFN-beta genes. [UniProtKB-KW:KW-1093, VZ:653]' - }, - 'GO:0039558': { - 'name': 'suppression by virus of host IRF7 activity by positive regulation of IRF7 sumoylation', - 'def': 'Any process in which a virus stops, prevents, or reduces IRF7-dependent gene transcription, by promoting the sumoylation of IRF7, thereby disabling its activity. [PMID:18635538, PMID:19694547, VZ:653]' - }, - 'GO:0039559': { - 'name': 'suppression by virus of host IRF7 activity by positive regulation of IRF7 catabolic process', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host IRF7 (interferon regulatory factor-7) by promoting the ubiquitin-dependent degradation of IRF7, mediated by the proteasome. [PMID:17301153, VZ:653]' - }, - 'GO:0039560': { - 'name': 'suppression by virus of host IRF9 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host IRF9 (interferon regulatory factor-9), a transcription factor involved in the innate immune response. Viral infection triggers binding of IRF9 to phosphorylated STAT1 and STAT2, forming the ISGF3 complex. The ISGF3 complex migrates to the nucleus and activates transcription of IFN-responsive genes. [UniProtKB-KW:KW-1094, VZ:683]' - }, - 'GO:0039561': { - 'name': 'suppression by virus of host IRF9 activity by positive regulation of IRF9 localization to nucleus', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host IRF9 (interferon regulatory factor-9) by promoting the nuclear accumulation of IRF9. For example, the reovirus mu2 protein promotes nuclear accumulation of host IRF9 by an as yet unconfirmed-mechanism. [PMID:19109390]' - }, - 'GO:0039562': { - 'name': 'suppression by virus of host STAT activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host STAT (signal transducer and activator of transcription) activity. STATs are SH2 domain-containing proteins which lie downstream of many signaling receptors. Upon phosphorylation by JAKs, STAT proteins hetero- or homo-dimerize and translocate to the nucleus to activate transcription of target genes. [GOC:bf]' - }, - 'GO:0039563': { - 'name': 'suppression by virus of host STAT1 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host STAT1 (signal transducer and activator of transcription-1) activity. STATs are SH2 domain-containing proteins which lie downstream of many signaling receptors. Upon phosphorylation by JAKs, STAT proteins hetero- or homo-dimerize and translocate to the nucleus to activate transcription of target genes. [UniProtKB-KW:KW-1105, VZ:282]' - }, - 'GO:0039564': { - 'name': 'suppression by virus of host STAT2 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host STAT2 (signal transducer and activator of transcription-2) activity. STATs are SH2 domain-containing proteins which lie downstream of many signaling receptors. Upon phosphorylation by JAKs, STAT proteins hetero- or homo-dimerize and translocate to the nucleus to activate transcription of target genes. [UniProtKB-KW:KW-1106, VZ:257]' - }, - 'GO:0039565': { - 'name': 'suppression by virus of host STAT1 activity by positive regulation of STAT1 catabolic process', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host STAT1 (signal transducer and activator of transcription-1) by promoting the ubiquitin-dependent degradation of STAT1, mediated by the proteasome. [PMID:15280488, PMID:16227264, VZ:282]' - }, - 'GO:0039566': { - 'name': 'suppression by virus of host STAT1 activity by tyrosine dephosphorylation of STAT1', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host STAT1 (signal transducer and activator of transcription-1) activity by the removal of phosphoric residues from STAT1-O-phospho-tyrosine to form STAT1-tyrosine. For example, the viral phosphatase VH1 dephosphorylates STAT1 to reverse STAT1 activation. [PMID:11238845, PMID:21362620, VZ:282]' - }, - 'GO:0039567': { - 'name': 'suppression by virus of host STAT1 activity by negative regulation of STAT protein import into nucleus', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host STAT1 (signal transducer and activator of transcription-1) activity by retaining STAT1 in the cytoplasm, so STAT1 is unable to translocate to the nucleus to activate transcription of its target genes. [PMID:14557668, PMID:16254375, PMID:17287281]' - }, - 'GO:0039568': { - 'name': 'suppression by virus of host STAT1 activity by inhibition of DNA binding', - 'def': 'Any process in which a virus stops, prevents, or reduces STAT1-dependent gene transcription, by preventing STAT1 from binding to promoter sites in the nucleus. [PMID:17287281]' - }, - 'GO:0039569': { - 'name': 'suppression by virus of host STAT2 activity by positive regulation of STAT2 catabolic process', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host STAT2 (signal transducer and activator of transcription-2) by promoting the ubiquitin-dependent degradation of STAT2, mediated by the proteasome. [PMID:11336548, PMID:17251292, PMID:19279106, VZ:257]' - }, - 'GO:0039570': { - 'name': 'suppression by virus of host STAT2 activity by negative regulation of STAT protein import into nucleus', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host STAT2 (signal transducer and activator of transcription-2) activity by retaining STAT2 in the cytoplasm, so STAT2 is unable to translocate to the nucleus to activate transcription of its target genes. [PMID:14557668]' - }, - 'GO:0039571': { - 'name': 'suppression by virus of host STAT1 activity by negative regulation of STAT1 tyrosine phosphorylation', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host STAT1 (signal transducer and activator of transcription-1) activity by stopping, preventing, or reducing the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a STAT1 protein. For example, the measles virus V protein inhibits tyrosine phosphorylation of STAT1, thereby preventing STAT1 activation. [PMID:12804771]' - }, - 'GO:0039572': { - 'name': 'suppression by virus of host STAT2 activity by negative regulation of STAT2 tyrosine phosphorylation', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host STAT2 (signal transducer and activator of transcription-2) activity by stopping, preventing, or reducing the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a STAT2 protein. For example, the measles virus V protein inhibits tyrosine phosphorylation of STAT2, thereby preventing STAT2 activation. [PMID:12804771]' - }, - 'GO:0039573': { - 'name': 'suppression by virus of host complement activation', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of complement activation. The activation of complement involves the sequential proteolysis of proteins to generate enzymes with catalytic activities. The biological functions of the complement include opsonization, inflammation, lysis of immune complexes, or enhancement of the humoral immune response. For example, the virus complement control protein (VCP) of vaccinia virus, and the complement control protein of herpesvirus inhibit C3 convertase. [PMID:21191012, PMID:7745740, UniProtKB-KW:KW-1087, VZ:811]' - }, - 'GO:0039574': { - 'name': 'suppression by virus of host TYK2 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host TYK2 (tyrosine kinase 2) activity. TYK2 is an intracellular signal-transducing tyrosine kinase that associates with the cytoplasmic tails of cytokine receptors and transmits the cytokine signal by phosphorylating receptor subunits. [UniProtKB-KW:KW-1112, VZ:720]' - }, - 'GO:0039575': { - 'name': 'suppression by virus of host TYK2 activity by negative regulation of TYK2 tyrosine phosphorylation', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host TYK2 (tyrosine kinase 2) activity by stopping, preventing or reducing phosphorylation and thereby activation of TYK2. [PMID:10523853, PMID:16987978, PMID:19254804]' - }, - 'GO:0039576': { - 'name': 'suppression by virus of host JAK1 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host JAK1 (Janus Kinase 1) activity. In the host, binding of a ligand to a receptor triggers activation of JAK proteins, which phosphorylate tyrosine residues on the receptor creating sites for STAT proteins to bind, which are in turn phosphorylated and activated by JAK proteins. By blocking JAK1 activity, many viruses block the host signal transduction pathway. [UniProtKB-KW:KW-1096, VZ:784]' - }, - 'GO:0039577': { - 'name': 'suppression by virus of host JAK1 activity by negative regulation of JAK1 phosphorylation', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host JAK1 (Janus Kinase 1) activity by stopping, preventing or reducing tyrosine phosphorylation of JAK1 and thereby activation of JAK1. [PMID:12620806]' - }, - 'GO:0039578': { - 'name': 'suppression by virus of host JAK1 activity via JAK1 binding', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host JAK1 (Janus Kinase 1) activity by interacting directly and selectively with JAK1. For example, the polyoma virus T antigen binds to JAK1 and renders it inactive. [PMID:9448289]' - }, - 'GO:0039579': { - 'name': 'suppression by virus of host ISG15 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host ubiquitin-like protein ISG15 activity. ISG15 is a ubiquitin-like protein that is conjugated to lysine residues on various target proteins. Viruses escape from the antiviral activity of ISG15 by using different mechanisms; the influenza B virus NS1 protein for instance blocks the covalent linkage of ISG15 to its target proteins by directly interacting with ISG15. The papain-like protease from the coronavirus cleaves ISG15 derivatives. [PMID:11157743, PMID:18604270, UniProtKB-KW:KW-1095, VZ:723]' - }, - 'GO:0039580': { - 'name': 'suppression by virus of host PKR activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host PKR (protein kinase regulated by RNA) activity. Activation of PKR involves dsRNA binding followed by autophosphorylation. Phosphorylated PKR can then phosphorylate downstream targets such as the translation initiation factor eIF2 to inhibit protein synthesis. Viruses encode a number of mechanisms to inhibit the host antiviral response via PKR, including direct interaction with PKR, promoting degradation of PKR or altering the subcellular location of PKR. [PMID:15207627, UniProtKB-KW:KW-1102, VZ:554]' - }, - 'GO:0039581': { - 'name': 'suppression by virus of host PKR activity via double-stranded RNA binding', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host PKR (protein kinase regulated by RNA) activity by interacting selectively and non-covalently with double-stranded RNA (dsRNA). Binding of viral proteins to RNA may sequester or alter the RNA so it can not be recognized by host PKR, or may compete with PKR for dsRNA binding. [PMID:7514679]' - }, - 'GO:0039582': { - 'name': 'suppression by virus of host PKR activity by positive regulation of PKR nuclear localization', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host PKR (protein kinase regulated by RNA) activity by promoting the localization of PKR in the nucleus. For example, human cytomegalovirus (HMCV) gene products directly interact with PKR and inhibit its activation by sequestering it in the nucleus, away from both its activator (cytoplasmic dsRNA) and its substrate, (eIF2alpha). [PMID:16987971]' - }, - 'GO:0039583': { - 'name': 'suppression by virus of host PKR activity by positive regulation of PKR catabolic process', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host PKR (protein kinase regulated by RNA) activity by promoting the degradation of PKR via the proteosome. For example, the Rift Valley fever virus (RVFV) NSs protein induces the down-regulation of PKR by degradation through proteasomes. [PMID:19751406]' - }, - 'GO:0039584': { - 'name': 'suppression by virus of host protein kinase activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host protein kinase activity. [GOC:bf]' - }, - 'GO:0039585': { - 'name': 'PKR signal transduction', - 'def': 'A series of reactions in which a signal is passed on to downstream proteins within the cell via PKR, an intracellular protein kinase that is activated by stress signals or upon binding to double-stranded RNA (dsRNA), followed by autophosphorylation. PKR plays a role in the antiviral response, phosphorylating proteins such as the translation initiation factor eIF2 to inhibit protein synthesis during viral infection. Begins with activation of PKR activity, and ends with regulation of a downstream cellular process, e.g. regulation of transcription or inhibition of translation. [PMID:21204021, PMID:22102852, PMID:9843495, VZ:1576]' - }, - 'GO:0039586': { - 'name': 'modulation by virus of host PP1 activity', - 'def': "The process in which a virus effects a change in host protein phosphatase-1 (PP1) activity, a serine/threonine phosphatase. Different viruses modulate host PP1 activity to remove phosphates from various cellular substrates and downregulate the host's antiviral response. [UniProtKB-KW:KW-1126, VZ:803]" - }, - 'GO:0039587': { - 'name': 'suppression by virus of host tetherin activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host tetherin activity. Tetherin (also known as BST2) is an alpha interferon-inducible cellular factor that impairs the release of many enveloped viruses. By blocking tetherin activity, many viruses circumvent its antiviral effects. [PMID:22493439, UniProtKB-KW:KW-1084, VZ:665]' - }, - 'GO:0039588': { - 'name': 'suppression by virus of host antigen processing and presentation', - 'def': 'Any viral process that inhibits a host antigen-presenting cell expressing a peptide antigen on its cell surface in association with an MHC protein complex. [UniProtKB-KW:KW-1117, VZ:815]' - }, - 'GO:0039589': { - 'name': 'suppression by virus of host TAP complex', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of the host TAP complex, a heterodimer composed of the subunits TAP1 and TAP2 (transporter associated with antigen presentation). The TAP complex functions in the transport of antigenic peptides from the cytosol to the lumen of the endoplasmic reticulum, where they are loaded onto the MHC class I. By inhibiting the TAP complex, the virus prevents viral particles being presented at the cell surface, and thus evades the host immune response. [PMID:16691491, UniProtKB-KW:KW-1107, VZ:817]' - }, - 'GO:0039591': { - 'name': 'suppression by virus of host tapasin activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host tapasin (TAP binding protein/TAPBP) activity. Tapasin is a type I transmembrane protein essential for the optimal expression of stable MHC class I molecules on the host cell surface. By inhibiting host tapasin activity, viruses can prevent presentation of their antigens at the cell surface, and thereby evade the host anti-viral immune response. [UniProtKB-KW:KW-1108, VZ:818]' - }, - 'GO:0039592': { - 'name': 'suppression by virus of G2/M transition of host mitotic cell cycle', - 'def': 'Any viral process that decreases the rate or extent of progression from G2 phase to M phase of the host mitotic cell cycle. [UniProtKB-KW:KW-1079, VZ:876]' - }, - 'GO:0039593': { - 'name': 'suppression by virus of host exit from mitosis', - 'def': 'Any viral process which decreases the rate or extent of a host cell leaving M phase of the cell cycle. M phase is the part of the mitotic cell cycle during which mitosis and cytokinesis take place. [UniProtKB-KW:KW-1098, VZ:877]' - }, - 'GO:0039594': { - 'name': 'endoribonuclease activity involved in viral induction of host mRNA catabolic process', - 'def': 'Any endoribonuclease activity that contributes to the viral-induced catabolism of host mRNA. [GOC:bf, PMID:22046136]' - }, - 'GO:0039595': { - 'name': 'induction by virus of catabolism of host mRNA', - 'def': 'The process in which a virus increases the frequency, rate or extent of the breakdown of host messenger RNA (mRNA). [GOC:bf, UniProtKB-KW:KW-1132]' - }, - 'GO:0039596': { - 'name': 'modulation by virus of host protein dephosphorylation', - 'def': 'Any viral process that modulates the frequency, rate or extent of dephosphorylation of a host protein. [GOC:bf]' - }, - 'GO:0039597': { - 'name': 'induction by virus of host endoribonuclease activity', - 'def': 'Any viral process that activates or increases the frequency, rate or extent of host endoribonuclease activity. [PMID:22174690]' - }, - 'GO:0039598': { - 'name': 'obsolete induction by virus of host nuclear polyadenylation-dependent mRNA catabolic process', - 'def': "OBSOLETE. The process in which a virus increases the frequency, rate or extent of the breakdown of host messenger RNA (mRNA) initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target mRNA. [GOC:sp]" - }, - 'GO:0039599': { - 'name': 'cleavage by virus of host mRNA', - 'def': 'Any process in which a host pre-mRNA or mRNA molecule is cleaved at specific sites or in a regulated manner by a viral endoribonuclease. [PMID:22046136]' - }, - 'GO:0039600': { - 'name': 'induction by virus of host endonucleolytic cleavage-dependent mRNA catabolic process', - 'def': 'The process in which a virus increases the frequency, rate or extent of the breakdown of host nuclear-transcribed mRNAs that begins with endonucleolytic cleavage (by either a host or a viral RNAse) to generate unprotected ends. [GOC:bf, PMID:22174690]' - }, - 'GO:0039602': { - 'name': 'suppression by virus of host transcription initiation from RNA polymerase II promoter', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of the assembly of the RNA polymerase II preinitiation complex (PIC) at an RNA polymerase II promoter region of a host DNA template. [UniProtKB-KW:KW-1111, VZ:904]' - }, - 'GO:0039603': { - 'name': 'TBP-class protein binding involved in viral suppression of host transcription initiation from RNA polymerase II promoter', - 'def': 'Selective and non-covalent interaction of a viral protein with a member of the class of TATA-binding proteins (TBP) in the host, including any of the TBP-related factors (TRFs), which contributes to the viral-suppression of assembly of the RNA polymerase II preinitiation complex (PIC) at an RNA polymerase II promoter region of a host DNA template. [GOC:vw, PMID:11968006]' - }, - 'GO:0039604': { - 'name': 'suppression by virus of host translation', - 'def': 'Any process in which a virus prevents or reduces the frequency, rate or extent of translation of host mRNA. [UniProtKB-KW:KW-1193, VZ:1579]' - }, - 'GO:0039605': { - 'name': 'TFIIB-class transcription factor binding involved in viral suppression of host transcription initiation from RNA polymerase II promoter', - 'def': 'Selective and non-covalent interaction of a viral protein with a member of the TFIIB-class of host transcription factors, which contributes to the viral-suppression of assembly of the RNA polymerase II preinitiation complex (PIC) at an RNA polymerase II promoter region of a host DNA template. [GOC:vw, PMID:18768974]' - }, - 'GO:0039606': { - 'name': 'suppression by virus of host translation initiation', - 'def': 'Any process in which a virus prevents or reduces the frequency, rate or extent of host translation initiation, the host process preceding formation of the peptide bond between the first two amino acids of a protein. [GOC:bf]' - }, - 'GO:0039607': { - 'name': 'proteolysis by virus of host translation initiation factor', - 'def': 'The chemical reactions and pathways performed by a virus resulting in the hydrolysis of a host translation initiation factor by cleavage of its peptide bonds. [PMID:18572216]' - }, - 'GO:0039608': { - 'name': 'suppression by virus of host translation initiation factor activity by induction of host protein dephosphorylation', - 'def': 'Any process in which a virus prevents or reduces the frequency, rate or extent of activity of a host translation initiation factor by promoting dephosphorylation of a host protein. [PMID:12239292, PMID:8643618]' - }, - 'GO:0039611': { - 'name': 'suppression by virus of host translation initiation factor activity', - 'def': 'Any process in which a virus prevents or reduces the frequency, rate or extent of activity of a host translation initiation factor. [GOC:bf, UniProtKB-KW:KW-1075]' - }, - 'GO:0039612': { - 'name': 'modulation by virus of host protein phosphorylation', - 'def': 'Any viral process that modulates the frequency, rate or extent of phosphorylation of viral or host proteins in a host. [GOC:bf]' - }, - 'GO:0039613': { - 'name': 'suppression by virus of host protein phosphorylation', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of phosphorylation of viral or host proteins in a host. [GOC:bf]' - }, - 'GO:0039614': { - 'name': 'induction by virus of host protein phosphorylation', - 'def': 'Any process in which a virus activates or increases the frequency, rate or extent of phosphorylation of viral or host proteins in a host. [GOC:bf]' - }, - 'GO:0039615': { - 'name': 'T=1 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=1 symmetry. The T=1 capsid is composed of 12 pentameric capsomeres. [UniProtKB-KW:KW-1140, VZ:1057]' - }, - 'GO:0039616': { - 'name': 'T=2 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=2 symmetry. The T=2 capsid is composed of 12 pentameric dimers. [UniProtKB-KW:KW-1141, VZ:838]' - }, - 'GO:0039617': { - 'name': 'T=3 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=3 symmetry. The T=3 capsid is composed of 12 pentameric and 20 hexameric capsomeres. [UniProtKB-KW:KW-1142, VZ:806]' - }, - 'GO:0039618': { - 'name': 'T=pseudo3 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with pseudo T=3 symmetry. The T=pseudo3 capsid is composed of 12 pentameric and 20 hexameric capsomeres. [UniProtKB-KW:KW-1143, VZ:809]' - }, - 'GO:0039619': { - 'name': 'T=4 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=4 symmetry. The T=4 capsid is composed of 12 pentameric and 30 hexameric capsomeres. [UniProtKB-KW:KW-1144, VZ:808]' - }, - 'GO:0039620': { - 'name': 'T=7 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=7 symmetry. The T=7 capsid is composed of 12 pentameric and 60 hexameric capsomeres. [UniProtKB-KW:KW-1145, VZ:804]' - }, - 'GO:0039621': { - 'name': 'T=13 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=13 symmetry. The T=13 capsid is composed of 12 pentameric and 120 hexameric capsomeres. [UniProtKB-KW:KW-1146, VZ:260]' - }, - 'GO:0039622': { - 'name': 'T=16 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=16 symmetry. The T=16 capsid is composed of 12 pentameric and 150 hexameric capsomeres. [UniProtKB-KW:KW-1147, VZ:807]' - }, - 'GO:0039623': { - 'name': 'T=25 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=25 symmetry. The T=25 capsid is composed of 12 pentameric and 240 hexameric capsomeres. [UniProtKB-KW:KW-1148, VZ:810]' - }, - 'GO:0039624': { - 'name': 'viral outer capsid', - 'def': 'The outer layer of a double or triple concentric icosahedral capsid. Outer capsids are part of reoviridae and cystoviridae virions. [UniProtKB-KW:KW-1152]' - }, - 'GO:0039625': { - 'name': 'viral inner capsid', - 'def': 'The inner layer of a double or triple concentric icosahedral capsid. Inner capsids are part of reoviridae and cystoviridae virions. [UniProtKB-KW:KW-1153]' - }, - 'GO:0039626': { - 'name': 'viral intermediate capsid', - 'def': 'The intermediate layer of a triple concentric icosahedral capsid. Intermediate capsids are part of reoviridae virions. [UniProtKB-KW:KW-1154]' - }, - 'GO:0039627': { - 'name': 'T=147 icosahedral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=147 symmetry. T=147 icosahedral capsid is composed of 12 pentameric and 1460 hexameric capsomeres for a total of 8820 capsid proteins. [GOC:plm, UniProtKB-KW:KW-0167]' - }, - 'GO:0039628': { - 'name': 'T=169 icosahedral viral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=169 symmetry. T=169 icosahedral capsid is composed of 12 pentameric and 1680 hexameric capsomeres for a total of 10140 capsid proteins. [GOC:plm, UniProtKB-KW:KW-1150]' - }, - 'GO:0039629': { - 'name': 'T=219 icosahedral capsid', - 'def': 'The protein coat that surrounds the infective nucleic acid in some virus particles where the subunits (capsomeres) are arranged to form an icosahedron with T=219 symmetry. T=219 icosahedral capsid is composed of 12 pentameric and 2180 hexameric capsomeres for a total of 13140 capsid proteins. [GOC:plm, UniProtKB-KW:KW-1151]' - }, - 'GO:0039630': { - 'name': 'RNA translocase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to drive movement along a single- or double-stranded RNA molecule. [GOC:bm, PMID:22713318]' - }, - 'GO:0039631': { - 'name': 'DNA translocase activity involved in viral DNA genome packaging', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to drive movement along a single- or double-stranded DNA molecule, that contributes to the packing of viral DNA into a capsid. [GOC:bm, PMID:17501915]' - }, - 'GO:0039632': { - 'name': 'RNA translocase activity involved in viral RNA genome packaging', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to drive movement along a single- or double-stranded RNA molecule, which contributes to the packaging of viral RNA into a nucleocapsid. [GOC:bm, PMID:22297533]' - }, - 'GO:0039633': { - 'name': 'killing by virus of host cell', - 'def': 'Any process mediated by a virus that results in the death of a cell in the host organism. [GOC:bf, GOC:bm, GOC:jl]' - }, - 'GO:0039634': { - 'name': 'killing by virus of host cell during superinfection exclusion', - 'def': 'The viral-killing of a host cell by a pre-existing virus in response to a subsequent infection of the host cell by second virus. [GOC:bf, GOC:bm, GOC:jl, PMID:22398285]' - }, - 'GO:0039635': { - 'name': 'suppression by virus of host peptidoglycan biosynthetic process', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of peptidoglycan biosynthesis in the host organism. Peptidoglycans are any of a class of glycoconjugates found in bacterial cell walls. [GOC:bf, GOC:bm, GOC:jl]' - }, - 'GO:0039636': { - 'name': 'suppression by virus of host cell wall biogenesis', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of cell wall biogenesis in the host organism. Cell wall biogenesis includes the biosynthesis of constituent macromolecules, and the assembly and arrangement of these constituent parts. [GOC:bf, GOC:bm, GOC:jl]' - }, - 'GO:0039637': { - 'name': 'catabolism by virus of host DNA', - 'def': 'The breakdown of host DNA, deoxyribonucleic acid, by a virus. [GOC:bf, GOC:bm, GOC:jl]' - }, - 'GO:0039638': { - 'name': 'lipopolysaccharide-mediated virion attachment to host cell', - 'def': 'The process by which a virion attaches to a host cell by binding to a lipopolysaccharide (LPS) on the host cell surface. [GOC:bf, GOC:bm, PMID:12837775]' - }, - 'GO:0039639': { - 'name': 'suppression by virus of host cell lysis in response to superinfection', - 'def': 'The prevention or delay of host cell lysis by a pre-existing virus in response to a subsequent infection of the host cell by second virus. [GOC:bm, GOC:jl, PMID:22389108, PMID:9560373]' - }, - 'GO:0039640': { - 'name': 'cytolysis by virus via suppression of host peptidoglycan biosynthetic process', - 'def': 'The killing by a virus of host cell by cytolysis, caused by a virus stopping, preventing, or reducing peptidoglycan biosynthesis in the host organism. Peptidoglycans are any of a class of glycoconjugates found in bacterial cell walls. [GOC:bf, GOC:bm]' - }, - 'GO:0039641': { - 'name': 'viral inner membrane', - 'def': 'The lipid bilayer of a virion contained inside the protein capsid. [GOC:bm, PMID:15331712]' - }, - 'GO:0039642': { - 'name': 'virion nucleoid', - 'def': 'The region of a virion in which the nucleic acid is confined. [GOC:bm, PMID:14291596]' - }, - 'GO:0039643': { - 'name': 'host cell viral nucleoid', - 'def': 'The region of a host cell that contains the viral genome. [GOC:bf, GOC:bm, GOC:jl]' - }, - 'GO:0039644': { - 'name': 'suppression by virus of host NF-kappaB transcription factor activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host NF-kappaB activity. [UniProtKB-KW:KW-1100, VZ:695]' - }, - 'GO:0039645': { - 'name': 'modulation by virus of host G1/S transition checkpoint', - 'def': 'Any viral process that modulates the frequency, rate or extent of the host cell G1/S transition checkpoint. [UniProtKB-KW:KW-1078]' - }, - 'GO:0039646': { - 'name': 'modulation by virus of host G0/G1 transition checkpoint', - 'def': 'Any viral process that modulates the frequency, rate or extent of the host cell G0/G1 transition checkpoint. [UniProtKB-KW:KW-1077]' - }, - 'GO:0039647': { - 'name': 'suppression by virus of host poly(A)-binding protein activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host poly(A)-binding protein (PABP) activity. PABP binds to the poly(A) tail of mRNA to facilitate translation. [UniProtKB-KW:KW-1101]' - }, - 'GO:0039648': { - 'name': 'modulation by virus of host protein ubiquitination', - 'def': 'Any process in which a virus modulates the frequency, rate or extent of protein ubiquitination in the host organism. Ubiquitination is the process in which one or more ubiquitin groups are added to a protein. [UniProtKB-KW:KW-1130]' - }, - 'GO:0039649': { - 'name': 'modulation by virus of host ubiquitin-protein ligase activity', - 'def': 'The process in which a virus effects a change in host ubiquitin-protein ligase activity. Ubiquitin-protein ligase activity catalyzes the reaction: ATP + ubiquitin + protein lysine = AMP + diphosphate + protein N-ubiquityllysine. [UniProtKB-KW:KW-1123]' - }, - 'GO:0039650': { - 'name': 'suppression by virus of host cysteine-type endopeptidase activity involved in apoptotic process', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of host caspase activity. Caspases are cysteine-type endopeptidases which contribute to the apoptotic process. [UniProtKB-KW:KW-1085, VZ:912]' - }, - 'GO:0039651': { - 'name': 'induction by virus of host cysteine-type endopeptidase activity involved in apoptotic process', - 'def': 'Any process in which a virus increases the frequency, rate or extent of host cysteine-type endopeptidase activity (also called caspase activity) which contributes to the apoptotic process. [GOC:mtg_apoptosis, UniProtKB-KW:KW-1073]' - }, - 'GO:0039652': { - 'name': 'activation by virus of host NF-kappaB transcription factor activity', - 'def': 'Any process in which a virus starts, promotes, or enhances the activity of the host transcription factor NF-kappaB. [UniProtKB-KW:KW-1074]' - }, - 'GO:0039653': { - 'name': 'suppression by virus of host transcription', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of host DNA-dependent transcription; the cellular synthesis of RNA on a template of DNA. Viral proteins can interfere with either host RNA polymerase or with transcription factors. [UniProtKB-KW:KW-1191, VZ:1577]' - }, - 'GO:0039654': { - 'name': 'fusion of virus membrane with host endosome membrane', - 'def': 'Fusion of a virus membrane with a host endosome membrane. Occurs after internalization of the virus through the endosomal pathway, and results in release of the virus contents into the cell. [GOC:bf, UniProtKB-KW:KW-1170, VZ:992]' - }, - 'GO:0039655': { - 'name': 'transport of virus in host, cell to cell via plasmodesmata', - 'def': 'The transport of a virus between adjacent cells in a multicellular organism using plasmodesmata. Plasmodesma is a fine cytoplasmic channel found in all higher plants, which connects the cytoplasm of one cell to that of an adjacent cell. [UniProtKB-KW:KW-0916, VZ:1018]' - }, - 'GO:0039656': { - 'name': 'modulation by virus of host gene expression', - 'def': "The process in which a virus effects a change in gene expression in its host organism. Gene expression is the process in which a gene's coding sequence is converted into a mature gene product or products (proteins or RNA). This includes the production of an RNA transcript as well as any processing to produce a mature RNA product or an mRNA (for protein-coding genes) and the translation of that mRNA into protein. Some protein processing events may be included when they are required to form an active form of a product from an inactive precursor form. [GOC:bf]" - }, - 'GO:0039657': { - 'name': 'suppression by virus of host gene expression', - 'def': "Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of gene expression in the host organism. Gene expression is the process in which a gene's coding sequence is converted into a mature gene product or products (proteins or RNA). This includes the production of an RNA transcript as well as any processing to produce a mature RNA product or an mRNA (for protein-coding genes) and the translation of that mRNA into protein. Some protein processing events may be included when they are required to form an active form of a product from an inactive precursor form. [UniProtKB-KW:KW-1190, VZ:1582]" - }, - 'GO:0039658': { - 'name': 'TBK1-IKKE-DDX3 complex', - 'def': 'A protein complex containing TBK1 (TANK-binding kinase 1), IKBKE (I-Kappa-B kinase epsilon/IKKE/IKK-epsilon) and the DEAD box family RNA helicase DDX3. [PMID:18636090, VZ:719]' - }, - 'GO:0039659': { - 'name': 'suppression by virus of host TBK1-IKBKE-DDX3 complex activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of the host TBK1-IKBKE-DDX3 complex. [VZ:719]' - }, - 'GO:0039660': { - 'name': 'structural constituent of virion', - 'def': 'The action of a molecule that contributes to the structural integrity of a virion. [GOC:bf, GOC:jl]' - }, - 'GO:0039661': { - 'name': 'host organelle outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing in a cellular organelle, lipid bilayer of an organelle envelope, occurring in a host cell. [GOC:bf, GOC:ch]' - }, - 'GO:0039662': { - 'name': 'host cell outer membrane', - 'def': 'A lipid bilayer that forms the outermost layer of the cell envelope, occurring in a host cell. [GOC:bf, GOC:ch]' - }, - 'GO:0039663': { - 'name': 'membrane fusion involved in viral entry into host cell', - 'def': 'Merging of the virion membrane and a host membrane (host plasma membrane or host organelle membrane) that is involved in the uptake of a virus into a host cell. [GOC:bf, GOC:jl, UniProtKB-KW:KW-1168]' - }, - 'GO:0039664': { - 'name': 'lysis of host organelle involved in viral entry into host cell', - 'def': 'The viral-induced lysis of an organelle (endosome, lysosome, or caveosome) that is involved in the uptake of a virus into a host cell. Occurs once the virus is within the organelle, and results in transfer of the viral contents from the organelle compartment into the cytoplasm. [GOC:bf, GOC:jl, UniProtKB-KW:KW-1174, VZ:984]' - }, - 'GO:0039665': { - 'name': 'permeabilization of host organelle membrane involved in viral entry into host cell', - 'def': 'Induction of organellar membrane permeabilization triggered by an interaction between the host membrane and a membrane-penetration protein associated with a viral capsid. Results in release of the virus contents from an organelle into the host cell cytoplasm. [GOC:bf, GOC:jl, UniProtKB-KW:KW-1173, VZ:985]' - }, - 'GO:0039666': { - 'name': 'virion attachment to host cell pilus', - 'def': 'The process by which a virion attaches to a host cell by binding to a pilus on the host cell surface. Pili are retractile filaments that protrude from gram-negative bacteria. Filamentous viruses can attach to the pilus tip, whereas icosahedral viruses can attach to the pilus side. [UniProtKB-KW:KW-1175, VZ:981]' - }, - 'GO:0039667': { - 'name': 'viral entry into host cell via pilus retraction', - 'def': 'The uptake of a virus or viral genetic material into a host cell which occurs through retraction of a virion-bound pilus. [GOC:bf, GOC:jl, VZ:981]' - }, - 'GO:0039668': { - 'name': 'viral entry into host cell via pilus basal pore', - 'def': 'The uptake of a virus or viral genetic material into a host cell which occurs through retraction of the virion-bound pilus, followed by entry of the viral genome into the host cell through the pilus basal pore. Filamentous bacteriophages absorb to the tip of the F-pili and can enter the bacterial cell in this way. [GOC:bf, GOC:jl]' - }, - 'GO:0039669': { - 'name': 'viral entry into host cell via pilus retraction and membrane fusion', - 'def': 'The uptake of a virus into a host cell which occurs via retraction of the viral-bound pilus to bring the virus in contact with the host cell membrane, followed by fusion of the bacteriophage membrane with the host outer membrane. [GOC:bf, GOC:jl, PMID:20427561, VZ:981]' - }, - 'GO:0039670': { - 'name': 'viral capsid, turret', - 'def': 'A turret-like appendage formed at the vertices of an icosahedral capsid. [GOC:jh2, PMID:20592081]' - }, - 'GO:0039671': { - 'name': 'evasion by virus of host natural killer cell activity', - 'def': "Any process by which a virus avoids the effects mediated by the host organism's natural killer (NK) cells. [GOC:bf, GOC:jl, PMID:15640804, PMID:18688275, UniProtKB-KW:KW-1131]" - }, - 'GO:0039672': { - 'name': 'suppression by virus of host natural killer cell activation', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of natural killer cell activation in the host. [GOC:bf, GOC:jl]' - }, - 'GO:0039673': { - 'name': 'evasion by virus of host dendritic cell activity', - 'def': "Any process by which a virus avoids the effects mediated by the host organism's dendritic cells. [GOC:bf, GOC:jl, UniProtKB-KW:KW-1118]" - }, - 'GO:0039674': { - 'name': 'exit of virus from host cell nucleus', - 'def': 'The directed movement of the viral genome or a viral particle out of the host cell nucleus. [VZ:2177]' - }, - 'GO:0039675': { - 'name': 'exit of virus from host cell nucleus through nuclear pore', - 'def': 'The directed movement of the viral genome or a viral particle out of the host cell nucleus through the nuclear pore. [PMID:12921991, VZ:1953]' - }, - 'GO:0039677': { - 'name': 'exit of virus from host cell nucleus via nuclear envelope disassembly', - 'def': 'The directed movement of the viral genome or a viral particle out of the host cell nucleus that involves disruption of the nuclear membrane envelope by the virus. [VZ:2176]' - }, - 'GO:0039678': { - 'name': 'viral genome ejection through host cell envelope', - 'def': 'Ejection by a non-enveloped prokaryotic virus of its genome into the host cytoplasm. Caudovirales carry an ejection apparatus that can be long and contractile, long and noncontractile, or short, and is able to penetrate the host cell envelope to deliver the viral genome into the host cell cytoplasm. [GOC:ch, PMID:23385786, UniProtKB-KW:KW-1171]' - }, - 'GO:0039679': { - 'name': 'viral occlusion body', - 'def': 'A crystalline protein matrix surrounding the nucleocapsids of some insect viruses after their release in the environment. Produced in the host cell, the occlusion body protects the infectious virion after death of the host. [UniProtKB-KW:KW-0842, VZ:1949]' - }, - 'GO:0039680': { - 'name': 'actin-dependent intracellular transport of virus towards nucleus', - 'def': 'The directed movement of a virus, or part of a virus, towards the host cell nucleus using actin filaments. [UniProtKB-KW:KW-1178, VZ:991]' - }, - 'GO:0039682': { - 'name': 'rolling circle viral DNA replication', - 'def': 'A process of unidirectional viral DNA replication that takes place on a circular DNA to rapidly produce numerous copies of the viral genome. Involves creating a nick in one strand of the circular DNA molecule at the origin of replication. DNA is then synthesized by DNA polymerase. Using the non-nicked strand as a template, replication proceeds around the circular DNA molecule, displacing the nicked strand as single-stranded DNA. [GOC:bf, GOC:jl, VZ:915, Wikipedia:Rolling_circle_replication]' - }, - 'GO:0039683': { - 'name': 'rolling circle double-stranded viral DNA replication', - 'def': 'A rolling circle viral DNA replication that begins with a double-stranded viral DNA genome. [GOC:bf, GOC:jl, VZ:2676]' - }, - 'GO:0039684': { - 'name': 'rolling circle single-stranded viral DNA replication', - 'def': 'A rolling circle viral DNA replication that begins with a single-stranded viral DNA genome. [GOC:bf, GOC:jl, VZ:1941]' - }, - 'GO:0039685': { - 'name': 'rolling hairpin viral DNA replication', - 'def': "A viral DNA replication process where a 3' hairpin structure in the viral single-stranded DNA (ssDNA) template serves as a primer for host enzymes to synthesize DNA. [GOC:bf, GOC:jl, VZ:2656]" - }, - 'GO:0039686': { - 'name': 'bidirectional double-stranded viral DNA replication', - 'def': 'A viral DNA replication process where replication occurs in both directions from the starting point. This creates two replication forks, moving in opposite directions. [GOC:bf, GOC:jl, VZ:1939]' - }, - 'GO:0039687': { - 'name': 'viral DNA strand displacement replication', - 'def': 'A viral DNA replication process where only one strand is replicated at once, and which releases a single stranded DNA (ssDNA). [GOC:bf, GOC:jl, VZ:1940]' - }, - 'GO:0039688': { - 'name': 'viral double stranded DNA replication via reverse transcription', - 'def': 'A DNA replication process that uses viral RNA as a template for RNA-dependent DNA polymerases (e.g. reverse transcriptase) that synthesize the new strands. [GOC:bf, GOC:jl, VZ:1938]' - }, - 'GO:0039689': { - 'name': 'negative stranded viral RNA replication', - 'def': 'A viral genome replication process where the template genome is negative stranded, single stranded RNA ((-)ssRNA). [GOC:bf, GOC:jl, VZ:1096]' - }, - 'GO:0039690': { - 'name': 'positive stranded viral RNA replication', - 'def': 'A viral genome replication process where the template genome is positive stranded, single stranded RNA ((+)ssRNA). Replication of the positive strand leads to dsRNA formation, which in turn is transcribed into positive single stranded RNA. [GOC:bf, GOC:jl, VZ:1116]' - }, - 'GO:0039691': { - 'name': 'double stranded viral RNA replication', - 'def': 'A viral genome replication process where the template genome is double stranded RNA (dsRNA). Genomic dsRNA is first transcribed into single-stranded (ss) mRNA, which is then replicated to ds-genomic RNA. [GOC:bf, GOC:jl, VZ:1936]' - }, - 'GO:0039692': { - 'name': 'single stranded viral RNA replication via double stranded DNA intermediate', - 'def': 'A viral genome replication where the template is single-stranded RNA (ssRNA), and which proceeds via a double stranded DNA (dsDNA) intermediate molecule. Viral genomic RNA is first reverse transcribed into dsDNA, which integrates into the host chromosomal DNA, where it is transcribed by host RNA polymerase II. [GOC:bf, GOC:jl, ISBN:0198506732, VZ:1937]' - }, - 'GO:0039693': { - 'name': 'viral DNA genome replication', - 'def': 'The replication of a viral DNA genome. [GOC:bf, GOC:jl, VZ:915]' - }, - 'GO:0039694': { - 'name': 'viral RNA genome replication', - 'def': 'The replication of a viral RNA genome. [GOC:bf, GOC:jl]' - }, - 'GO:0039695': { - 'name': 'DNA-templated viral transcription', - 'def': 'A transcription process that uses a viral DNA as a template. [GOC:bf, GOC:jl]' - }, - 'GO:0039696': { - 'name': 'RNA-templated viral transcription', - 'def': 'A transcription process that uses viral RNA as a template. [GOC:bf, GOC:jl]' - }, - 'GO:0039697': { - 'name': 'negative stranded viral RNA transcription', - 'def': 'A viral transcription process that uses negative stranded (-) single stranded (ss) RNA as a template. [VZ:1096]' - }, - 'GO:0039698': { - 'name': 'polyadenylation of viral mRNA by polymerase stuttering', - 'def': 'Polyadenylation of viral mRNA through a polymerase stuttering mechanism. The stop signal present at the end of each gene comprises a stretch of uridine on which the viral polymerase acquires a stuttering behavior: after each adenine inserted, the polymerase moves back one nucleotide along with the mRNA. It resumes transcription adding a new adenine, then again moves back, thereby producing a polyA tail. [VZ:1916]' - }, - 'GO:0039699': { - 'name': 'viral mRNA cap methylation', - 'def': "Methylation of the 2'-O-ribose of the first or second transcribed nucleotide of a viral mRNA. Methylation allows evasion of the host innate immune response, which degrades cap0 (non-methylated) mRNAs. [UniProtKB-KW:KW-1196]" - }, - 'GO:0039700': { - 'name': 'fusion of viral membrane with host outer nuclear membrane', - 'def': 'Fusion of a viral primary envelope with the host outer nuclear membrane during nuclear egress. The transitory primary envelope is acquired by the virus as it buds at the inner nuclear membrane and gains access to the perinuclear space. This membrane is lost by fusing with the host outer nuclear membrane during nuclear exit. [PMID:23057731, UniProtKB-KW:KW-1181]' - }, - 'GO:0039701': { - 'name': 'microtubule-dependent intracellular transport of viral material towards cell periphery', - 'def': 'The directed movement of the viral genome or a viral particle towards the cell periphery using host microtubules. Mostly used by viruses that replicate their genome near or in the nucleus to allows newly assembled viral progeny to reach the plasma membrane. [UniProtKB-KW:KW-1189, VZ:1816]' - }, - 'GO:0039702': { - 'name': 'viral budding via host ESCRT complex', - 'def': 'Viral budding which uses a host ESCRT protein complex, or complexes, to mediate the budding process. [UniProtKB-KW:KW-1187, VZ:1536]' - }, - 'GO:0039703': { - 'name': 'RNA replication', - 'def': 'The cellular metabolic process in which a cell duplicates one or more molecules of RNA. [GOC:bf, GOC:jl]' - }, - 'GO:0039704': { - 'name': 'viral translational shunt', - 'def': "A viral translation initiation mechanism where ribosomes are loaded onto viral mRNA at the 5'-cap structure and start scanning for a short distance before by-passing the large internal leader region and initiating at a downstream start site. [PMID:15827182, PMID:18195037, VZ:608]" - }, - 'GO:0039705': { - 'name': 'viral translational readthrough', - 'def': 'The continuation of translation of a viral mRNA beyond a stop codon by the use of a special tRNA that recognizes the UAG and UGA codons as modified amino acids, rather than as termination codons. [GOC:bf, GOC:ch, GOC:jl, PMID:10839817, VZ:859]' - }, - 'GO:0039706': { - 'name': 'co-receptor binding', - 'def': 'Interacting selectively and non-covalently with a coreceptor. A coreceptor acts in cooperation with a primary receptor to transmit a signal within the cell. [GOC:bf, GOC:jl]' - }, - 'GO:0039707': { - 'name': 'pore formation by virus in membrane of host cell', - 'def': 'The aggregation, arrangement and bonding together of a set of components by a virus to form a pore complex in a membrane of a host organism. [GOC:bf, GOC:jl, PMID:12972148, UniProtKB-KW:KW-1182]' - }, - 'GO:0039708': { - 'name': 'nuclear capsid assembly', - 'def': 'The assembly of a virus capsid that occurs in the nucleus. The assembly of large icosahedral shells for herpesviridae and adenoviridae requires structural proteins that act as chaperones for assembly. [VZ:1516]' - }, - 'GO:0039709': { - 'name': 'cytoplasmic capsid assembly', - 'def': 'The assembly of a virus capsid that occurs in the cytoplasm. [VZ:1950]' - }, - 'GO:0039710': { - 'name': 'cytoplasmic icosahedral capsid assembly', - 'def': 'The assembly of an icosahedral viral capsid in the cytoplasm. Often occurs by assembling around the viral genome. [VZ:1950]' - }, - 'GO:0039711': { - 'name': 'cytoplasmic helical capsid assembly', - 'def': 'The assembly of a helical viral capsid in the cytoplasm. Occurs by assembling around the viral genome. [VZ:1950]' - }, - 'GO:0039712': { - 'name': 'induction by virus of host catalytic activity', - 'def': 'Any viral process that activates or increases the frequency, rate or extent of host catalytic activity. [GOC:bf, GOC:jl]' - }, - 'GO:0039713': { - 'name': 'viral factory', - 'def': 'An intracellular compartment in a host cell which increases the efficiency of viral replication and/or assembly, and shields the virus from host defenses. Viral factories can be either cytoplasmic or nuclear and often arise from extensive rearrangement of host cell cytoskeletal and/or cell membrane compartments. [PMID:22440839, VZ:1951]' - }, - 'GO:0039714': { - 'name': 'cytoplasmic viral factory', - 'def': 'A viral factory located in the cytoplasm of a host cell. [VZ:1951]' - }, - 'GO:0039715': { - 'name': 'nuclear viral factory', - 'def': 'A viral factory located in the nucleus of a host cell. [VZ:1951]' - }, - 'GO:0039716': { - 'name': 'viroplasm viral factory', - 'def': 'A cytoplasmic viral factory that is electron dense due to high levels of viral RNA. Produced by nucleo-cytoplasmic large DNA viruses (NCLDV) like Poxviridae, Asfarviridae and Iridoviridae, and dsRNA viruses like Reoviridae. [VZ:1951, Wikipedia:Viroplasm]' - }, - 'GO:0039717': { - 'name': 'spherule viral factory', - 'def': 'A cytoplasmic viral factory which is a 50-400nm diameter membrane invagination. Spherules can appear on several enveloped cellular components depending on the virus. [VZ:1951]' - }, - 'GO:0039718': { - 'name': 'double membrane vesicle viral factory', - 'def': 'A cytoplasmic viral factory that consists of a double-membrane bound vesicle. Has a diameter of 200-300nm and is derived from the endoplasmic reticulum or Golgi apparatus. Produced by Picornaviridae, Nidovirales, Arteriviridae and Coronaviridae. [PMID:22440839, VZ:1951]' - }, - 'GO:0039719': { - 'name': 'tube viral factory', - 'def': 'A cytoplasmic viral factory derived from the Golgi in which Bunyaviridae replication takes place. Tubes are membranous structures close to the assembly and budding sites, and their function may be to connect viral replication and morphogenesis inside viral factories. [VZ:1951]' - }, - 'GO:0039720': { - 'name': 'virogenic stroma', - 'def': 'A nuclear viral factory formed by Baculoviruses. A vesicular structure in which virions are assembled. [PMID:13358757, PMID:1433508, VZ:1951]' - }, - 'GO:0039721': { - 'name': 'peristromal region viral factory', - 'def': 'A nuclear viral factory formed at the periphery of the host cell nucleus by Baculoviruses. [PMID:18434402, VZ:1951]' - }, - 'GO:0039722': { - 'name': 'suppression by virus of host toll-like receptor signaling pathway', - 'def': 'Any process in which a virus stops, prevents, or reduces the frequency, rate or extent of toll-like receptor (TLR) signaling in the host organism. [UniProtKB-KW:KW-1225]' - }, - 'GO:0039723': { - 'name': 'suppression by virus of host TBK1 activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of the host serine/threonine kinase TBK1. [PR:000001779, UniProtKB-KW:KW-1223]' - }, - 'GO:0039724': { - 'name': 'suppression by virus of host IKBKE activity', - 'def': 'Any process in which a virus stops, prevents, or reduces the activity of the host I-kappa-B kinase epsilon (IKBKE/IKK-epsilon/IKK-E). [PR:000001778, UniProtKB-KW:KW-1224]' - }, - 'GO:0040001': { - 'name': 'establishment of mitotic spindle localization', - 'def': 'The cell cycle process in which the directed movement of the mitotic spindle to a specific location in the cell occurs. [GOC:ai]' - }, - 'GO:0040002': { - 'name': 'collagen and cuticulin-based cuticle development', - 'def': 'Synthesis and deposition of a collagen and cuticulin-based noncellular, hardened, or membranous secretion from an epithelial sheet. An example of this process is found in Caenorhabditis elegans. [GOC:mtg_sensu]' - }, - 'GO:0040003': { - 'name': 'chitin-based cuticle development', - 'def': 'Synthesis and deposition of a chitin-based noncellular, hardened, or membranous secretion from an epithelial sheet. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu]' - }, - 'GO:0040004': { - 'name': 'collagen and cuticulin-based cuticle attachment to epithelium', - 'def': 'Attaching of a collagen and cuticulin-based cuticle to the epithelium underlying it. An example of this process is found in Caenorhabditis elegans. [GOC:ems, GOC:mtg_sensu]' - }, - 'GO:0040005': { - 'name': 'chitin-based cuticle attachment to epithelium', - 'def': 'Attaching of a chitin-containing cuticle to the epithelium underlying it. An example of this process is found in Drosophila melanogaster. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0040006': { - 'name': 'obsolete protein-based cuticle attachment to epithelium', - 'def': 'OBSOLETE. Attaching of a protein-based cuticle to the epithelium underlying it. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0040007': { - 'name': 'growth', - 'def': 'The increase in size or mass of an entire organism, a part of an organism or a cell. [GOC:bf, GOC:ma]' - }, - 'GO:0040008': { - 'name': 'regulation of growth', - 'def': "Any process that modulates the frequency, rate or extent of the growth of all or part of an organism so that it occurs at its proper speed, either globally or in a specific part of the organism's development. [GOC:ems, GOC:mah]" - }, - 'GO:0040009': { - 'name': 'regulation of growth rate', - 'def': 'Any process that modulates the rate of growth of all or part of an organism. [GOC:mah]' - }, - 'GO:0040010': { - 'name': 'positive regulation of growth rate', - 'def': 'Any process that increases the rate of growth of all or part of an organism. [GOC:mah]' - }, - 'GO:0040011': { - 'name': 'locomotion', - 'def': 'Self-propelled movement of a cell or organism from one location to another. [GOC:dgh]' - }, - 'GO:0040012': { - 'name': 'regulation of locomotion', - 'def': 'Any process that modulates the frequency, rate or extent of locomotion of a cell or organism. [GOC:ems]' - }, - 'GO:0040013': { - 'name': 'negative regulation of locomotion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of locomotion of a cell or organism. [GOC:go_curators]' - }, - 'GO:0040014': { - 'name': 'regulation of multicellular organism growth', - 'def': 'Any process that modulates the frequency, rate or extent of growth of the body of an organism so that it reaches its usual body size. [GOC:dph, GOC:ems, GOC:tb]' - }, - 'GO:0040015': { - 'name': 'negative regulation of multicellular organism growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of growth of an organism to reach its usual body size. [GOC:dph, GOC:ems, GOC:tb]' - }, - 'GO:0040016': { - 'name': 'embryonic cleavage', - 'def': 'The first few specialized divisions of an activated animal egg. [GOC:clt, ISBN:0070524300]' - }, - 'GO:0040017': { - 'name': 'positive regulation of locomotion', - 'def': 'Any process that activates or increases the frequency, rate or extent of locomotion of a cell or organism. [GOC:go_curators]' - }, - 'GO:0040018': { - 'name': 'positive regulation of multicellular organism growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of growth of an organism to reach its usual body size. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0040019': { - 'name': 'positive regulation of embryonic development', - 'def': 'Any process that activates or increases the frequency, rate or extent of embryonic development. [GOC:go_curators]' - }, - 'GO:0040020': { - 'name': 'regulation of meiotic nuclear division', - 'def': 'Any process that modulates the frequency, rate or extent of meiosis, the process in which the nucleus of a diploid cell divides twice forming four haploid cells, one or more of which usually function as gametes. [GOC:ems, GOC:ma]' - }, - 'GO:0040021': { - 'name': 'hermaphrodite germ-line sex determination', - 'def': 'The determination of sex and sexual phenotype in the germ line of a hermaphrodite. [GOC:ems]' - }, - 'GO:0040022': { - 'name': 'feminization of hermaphroditic germ-line', - 'def': 'The determination of female sex and sexual phenotype in the germ-line of the hermaphrodite. [GOC:ems]' - }, - 'GO:0040023': { - 'name': 'establishment of nucleus localization', - 'def': 'The directed movement of the nucleus to a specific location within a cell. [GOC:ai]' - }, - 'GO:0040024': { - 'name': 'dauer larval development', - 'def': 'The process whose specific outcome is the progression of the dauer larva over time, through the facultative diapause of the dauer (enduring) larval stage, with specialized traits adapted for dispersal and long-term survival, with elevated stress resistance and without feeding. [GOC:ems, ISBN:087969307X]' - }, - 'GO:0040025': { - 'name': 'vulval development', - 'def': 'The process whose specific outcome is the progression of the egg-laying organ of female and hermaphrodite nematodes over time, from its formation to the mature structure. In nematodes, the vulva is formed from ventral epidermal cells during larval stages to give rise to a fully formed vulva in the adult. [GOC:ems, GOC:kmv, ISBN:087969307X]' - }, - 'GO:0040026': { - 'name': 'positive regulation of vulval development', - 'def': 'Any process that activates or increases the frequency, rate or extent of development of the vulva. Vulval development is the process whose specific outcome is the progression of the egg-laying organ of female and hermaphrodite nematodes over time, from its formation to the mature structure. In nematodes, the vulva is formed from ventral epidermal cells during larval stages to give rise to a fully formed vulva in the adult. [GOC:ems, GOC:kmv]' - }, - 'GO:0040027': { - 'name': 'negative regulation of vulval development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of development of the vulva. Vulval development is the process whose specific outcome is the progression of the egg-laying organ of female and hermaphrodite nematodes over time, from its formation to the mature structure. In nematodes, the vulva is formed from ventral epidermal cells during larval stages to give rise to a fully formed vulva in the adult. [GOC:ems, GOC:kmv]' - }, - 'GO:0040028': { - 'name': 'regulation of vulval development', - 'def': 'Any process that modulates the frequency, rate or extent of development of the vulva. Vulval development is the process whose specific outcome is the progression of the egg-laying organ of female and hermaphrodite nematodes over time, from its formation to the mature structure. In nematodes, the vulva is formed from ventral epidermal cells during larval stages to give rise to a fully formed vulva in the adult. [GOC:kmv, GOC:ma]' - }, - 'GO:0040029': { - 'name': 'regulation of gene expression, epigenetic', - 'def': 'Any process that modulates the frequency, rate or extent of gene expression; the process is mitotically or meiotically heritable, or is stably self-propagated in the cytoplasm of a resting cell, and does not entail a change in DNA sequence. [PMID:10521337, PMID:11498582]' - }, - 'GO:0040030': { - 'name': 'regulation of molecular function, epigenetic', - 'def': "Any heritable epigenetic process that modulates the frequency, rate or extent of protein function by self-perpetuating conformational conversions of normal proteins in healthy cells. This is distinct from, though mechanistically analogous to, disease states associated with prion propagation and amyloidogenesis. A single protein, if it carries a glutamine/asparagine-rich ('prion') domain, can sometimes stably exist in at least two distinct physical states, each associated with a different phenotype; propagation of one of these traits is achieved by a self-perpetuating change in the protein from one form to the other, mediated by conformational changes in the glutamine/asparagine-rich domain. Prion domains are both modular and transferable to other proteins, on which they can confer a heritable epigenetic alteration of function; existing bioinformatics data indicate that they are rare in non-eukarya, but common in eukarya. [GOC:dph, GOC:ems, GOC:tb, PMID:10611975, PMID:11050225, PMID:11447696, PMID:11685242, PMID:11782551]" - }, - 'GO:0040031': { - 'name': 'snRNA modification', - 'def': 'The covalent alteration of one or more nucleotides within snRNA, resulting in a change in the properties of the snRNA. [GOC:jl]' - }, - 'GO:0040032': { - 'name': 'post-embryonic body morphogenesis', - 'def': 'The process in which the anatomical structures of the post-embryonic soma are generated and organized. [GOC:ems, ISBN:0140512888]' - }, - 'GO:0040033': { - 'name': 'negative regulation of translation, ncRNA-mediated', - 'def': 'Any process, mediated by small non-coding RNAs, that stops, prevents or reduces the rate that mRNAs are effectively translated into protein. [GOC:dph, GOC:ems, GOC:tb]' - }, - 'GO:0040034': { - 'name': 'regulation of development, heterochronic', - 'def': 'Any process that modulates the consistent predetermined time point at which an integrated living unit or organism progresses from an initial condition to a later condition and the rate at which this time point is reached. [PMID:9442909]' - }, - 'GO:0040035': { - 'name': 'hermaphrodite genitalia development', - 'def': 'The process whose specific outcome is the progression of the hermaphrodite genitalia over time, from formation to the mature structures. [GOC:ems, ISBN:0140512888]' - }, - 'GO:0040036': { - 'name': 'regulation of fibroblast growth factor receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of fibroblast growth factor receptor signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0040037': { - 'name': 'negative regulation of fibroblast growth factor receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of fibroblast growth factor receptor signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0040038': { - 'name': 'polar body extrusion after meiotic divisions', - 'def': 'The cell cycle process in which two small cells are generated, as byproducts destined to degenerate, as a result of the first and second meiotic divisions of a primary oocyte during its development to a mature ovum. One polar body is formed in the first division of meiosis and the other in the second division; at each division, the cytoplasm divides unequally, so that the polar body is of much smaller size than the developing oocyte. At the second division in which a polar body is formed, the polar body and the developing oocyte each contain a haploid set of chromosomes. [GOC:ems, ISBN:0198506732]' - }, - 'GO:0040039': { - 'name': 'inductive cell migration', - 'def': 'Migration of a cell in a multicellular organism that, having changed its location, is required to induce normal properties in one or more cells at its new location. An example of this would be the distal tip cells of Caenorhabditis elegans. [ISBN:087969307X, ISBN:0879694882]' - }, - 'GO:0040040': { - 'name': 'thermosensory behavior', - 'def': 'Behavior that is dependent upon the sensation of temperature. [GOC:ems]' - }, - 'GO:0042000': { - 'name': 'translocation of peptides or proteins into host', - 'def': 'The directed movement of peptides or proteins produced by an organism to a location inside its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0042001': { - 'name': 'hermaphrodite somatic sex determination', - 'def': "The determination of sex and sexual phenotypes in a hermaphroditic organism's soma. An example of this is found in Caenorhabditis elegans. [GOC:ems]" - }, - 'GO:0042003': { - 'name': 'masculinization of hermaphrodite soma', - 'def': 'Promotion of male sex and sexual phenotypes in the hermaphroditic nematode soma. An example of this is found in Caenorhabditis elegans. [GOC:ems]' - }, - 'GO:0042004': { - 'name': 'feminization of hermaphrodite soma', - 'def': 'Promotion of female sex and sexual phenotypes in the hermaphroditic soma. An example of this is found in Caenorhabditis elegans. [GOC:ems]' - }, - 'GO:0042006': { - 'name': 'masculinization of hermaphroditic germ-line', - 'def': 'The determination of male sex and sexual phenotype in the germ-line of the hermaphrodite. An example of this is found in Caenorhabditis elegans. [GOC:ems]' - }, - 'GO:0042007': { - 'name': 'interleukin-18 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-18. [GOC:jl]' - }, - 'GO:0042008': { - 'name': 'interleukin-18 receptor activity', - 'def': 'Combining with interleukin-18 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0042009': { - 'name': 'interleukin-15 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-15. [GOC:jl]' - }, - 'GO:0042010': { - 'name': 'interleukin-15 receptor activity', - 'def': 'Combining with interleukin-15 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0042011': { - 'name': 'interleukin-16 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-16. [GOC:jl]' - }, - 'GO:0042012': { - 'name': 'interleukin-16 receptor activity', - 'def': 'Combining with interleukin-16 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0042013': { - 'name': 'interleukin-19 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-19. [GOC:jl]' - }, - 'GO:0042014': { - 'name': 'interleukin-19 receptor activity', - 'def': 'Combining with interleukin-19 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0042015': { - 'name': 'interleukin-20 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-20. [GOC:jl]' - }, - 'GO:0042016': { - 'name': 'interleukin-20 receptor activity', - 'def': 'Combining with interleukin-20 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0042017': { - 'name': 'interleukin-22 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-22. [GOC:jl]' - }, - 'GO:0042018': { - 'name': 'interleukin-22 receptor activity', - 'def': 'Combining with interleukin-22 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0042019': { - 'name': 'interleukin-23 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-23. [GOC:jl]' - }, - 'GO:0042020': { - 'name': 'interleukin-23 receptor activity', - 'def': 'Combining with interleukin-23 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0042021': { - 'name': 'granulocyte macrophage colony-stimulating factor complex binding', - 'def': 'Interacting selectively and non-covalently with the granulocyte macrophage colony-stimulating factor complex. [GOC:ai]' - }, - 'GO:0042022': { - 'name': 'interleukin-12 receptor complex', - 'def': 'A protein complex that binds interleukin-12 and that consists of, at a minimum, a dimeric interleukin and its two receptor subunits as well as optional additional kinase subunits. [GOC:ebc, GOC:mah, PMID:10971505]' - }, - 'GO:0042023': { - 'name': 'DNA endoreduplication', - 'def': 'Regulated re-replication of DNA within a single cell cycle, resulting in an increased cell ploidy. An example of this process occurs in the synthesis of Drosophila salivary gland cell polytene chromosomes. [GOC:jl, GOC:vw]' - }, - 'GO:0042025': { - 'name': 'host cell nucleus', - 'def': 'A membrane-bounded organelle as it is found in the host cell in which chromosomes are housed and replicated. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0042026': { - 'name': 'protein refolding', - 'def': 'The process carried out by a cell that restores the biological activity of an unfolded or misfolded protein, using helper proteins such as chaperones. [GOC:mb]' - }, - 'GO:0042027': { - 'name': 'obsolete cyclophilin-type peptidyl-prolyl cis-trans isomerase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: peptidylproline (omega=180) = peptidylproline (omega=0). [EC:5.2.1.8]' - }, - 'GO:0042029': { - 'name': 'obsolete fibrolase activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of 14-Ala-Leu-15 in insulin B chain and cleavage of 413-Lys-Leu-414 in alpha chain of fibrinogen. [EC:3.4.24.72, PMID:7725320]' - }, - 'GO:0042030': { - 'name': 'ATPase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of any enzyme that catalyzes the hydrolysis of ATP to ADP and orthophosphate. [GOC:jl]' - }, - 'GO:0042031': { - 'name': 'obsolete angiotensin-converting enzyme inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of angiotensin-converting enzyme, thereby preventing the synthesis of angiotensin II from its precursor, angiotensin I. [GOC:jl]' - }, - 'GO:0042033': { - 'name': 'chemokine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chemokines, any member of a family of small chemotactic cytokines; their name is derived from their ability to induce directed chemotaxis in nearby responsive cells. All chemokines possess a number of conserved cysteine residues involved in intramolecular disulfide bond formation. Some chemokines are considered pro-inflammatory and can be induced during an immune response to recruit cells of the immune system to a site of infection, while others are considered homeostatic and are involved in controlling the migration of cells during normal processes of tissue maintenance or development. Chemokines are found in all vertebrates, some viruses and some bacteria. [GOC:BHF, GOC:rl, http://en.wikipedia.org/wiki/Chemokine, ISBN:0198506732, PMID:12183377]' - }, - 'GO:0042034': { - 'name': 'peptidyl-L-lysine methyl ester biosynthetic process from peptidyl-lysine', - 'def': 'The modification of a C-terminal peptidyl-lysine to form peptidyl-L-lysine methyl ester. [RESID:AA0318]' - }, - 'GO:0042035': { - 'name': 'regulation of cytokine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cytokines. [GOC:go_curators]' - }, - 'GO:0042036': { - 'name': 'negative regulation of cytokine biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cytokines. [GOC:go_curators]' - }, - 'GO:0042037': { - 'name': 'peptidyl-histidine methylation, to form pros-methylhistidine', - 'def': "The methylation of peptidyl-L-histidine to form peptidyl-L-3'-methyl-L-histidine (otherwise known as pi-methylhistidine, pros-methylhistidine). [RESID:AA0073]" - }, - 'GO:0042038': { - 'name': 'peptidyl-histidine methylation, to form tele-methylhistidine', - 'def': "The methylation of peptidyl-L-histidine to form peptidyl-L-1'-methyl-L-histidine (otherwise known as tau-methylhistidine, tele-methylhistidine). [RESID:AA0317]" - }, - 'GO:0042039': { - 'name': 'vanadium incorporation into metallo-sulfur cluster', - 'def': 'The incorporation of vanadium a metallo-sulfur cluster such as VFe(7-8)S(n). [PMID:11053414]' - }, - 'GO:0042040': { - 'name': 'metal incorporation into metallo-molybdopterin complex', - 'def': 'The incorporation of a metal into a metallo-molybdopterin complex. [GOC:ai]' - }, - 'GO:0042042': { - 'name': 'tungsten incorporation into tungsten-molybdopterin complex', - 'def': 'The incorporation of tungsten into a tungsten-molybdopterin complex. [GOC:ai]' - }, - 'GO:0042043': { - 'name': 'neurexin family protein binding', - 'def': 'Interacting selectively and non-covalently with neurexins, synaptic cell surface proteins related to latrotoxin receptor, laminin and agrin. Neurexins act as cell recognition molecules at nerve terminals. [GOC:curators, GOC:pr, PMID:18923512]' - }, - 'GO:0042044': { - 'name': 'fluid transport', - 'def': 'The directed movement of substances that are in liquid form in normal living conditions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0042045': { - 'name': 'epithelial fluid transport', - 'def': 'The directed movement of fluid across epithelia. [GOC:jl, PMID:11390830]' - }, - 'GO:0042046': { - 'name': 'W-molybdopterin cofactor metabolic process', - 'def': 'The chemical reactions and pathways involving the W-molybdopterin cofactor, essential for the catalytic activity of some enzymes. The cofactor consists of a mononuclear tungsten ion (W) coordinated by one or two molybdopterin ligands. [ISSN:09498257]' - }, - 'GO:0042047': { - 'name': 'W-molybdopterin cofactor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the W-molybdopterin cofactor, essential for the catalytic activity of some enzymes. The cofactor consists of a mononuclear tungsten ion (W) coordinated by one or two molybdopterin ligands. [ISSN:09498257]' - }, - 'GO:0042048': { - 'name': 'olfactory behavior', - 'def': 'The behavior of an organism in response to an odor. [GOC:jid, GOC:pr]' - }, - 'GO:0042049': { - 'name': 'cellular acyl-CoA homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of acyl-CoA within a cell or between a cell and its external environment. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0042051': { - 'name': 'compound eye photoreceptor development', - 'def': 'The process whose specific outcome is the progression of a light-responsive receptor in the compound eye over time, from its formation to the mature structure. [GOC:bf]' - }, - 'GO:0042052': { - 'name': 'rhabdomere development', - 'def': 'The assembly and arrangement of a rhabdomere within a cell. The rhabdomere is the organelle on the apical surface of a photoreceptor cell that contains the visual pigments. [PMID:3076112, PMID:3937883]' - }, - 'GO:0042053': { - 'name': 'regulation of dopamine metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving dopamine. [GOC:go_curators]' - }, - 'GO:0042054': { - 'name': 'histone methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + histone = S-adenosyl-L-homocysteine + methyl-histone. Histone methylation generally occurs on either an arginine or lysine residue. [EC:2.1.1.43]' - }, - 'GO:0042056': { - 'name': 'chemoattractant activity', - 'def': 'Providing the environmental signal that initiates the directed movement of a motile cell or organism towards a higher concentration of that signal. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0042057': { - 'name': 'obsolete transforming growth factor beta receptor anchoring activity', - 'def': 'OBSOLETE. Binds to transforming growth factor beta receptor and anchors it to a particular subcellular location. [GOC:ai]' - }, - 'GO:0042058': { - 'name': 'regulation of epidermal growth factor receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of epidermal growth factor receptor signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0042059': { - 'name': 'negative regulation of epidermal growth factor receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of epidermal growth factor receptor signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0042060': { - 'name': 'wound healing', - 'def': 'The series of events that restore integrity to a damaged tissue, following an injury. [GOC:bf, PMID:15269788]' - }, - 'GO:0042062': { - 'name': 'long-term strengthening of neuromuscular junction', - 'def': 'Any process that results in an increase in the efficacy of transmission at a neuromuscular synapse. [GO_REF:0000021, GOC:mtg_15jun06_goc\\:pd]' - }, - 'GO:0042063': { - 'name': 'gliogenesis', - 'def': 'The process that results in the generation of glial cells. This includes the production of glial progenitors and their differentiation into mature glia. [GOC:dgh, GOC:jid]' - }, - 'GO:0042064': { - 'name': 'obsolete cell adhesion receptor regulator activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0042065': { - 'name': 'glial cell growth', - 'def': 'Growth of glial cells, non-neuronal cells that provide support and nutrition, maintain homeostasis, form myelin, and participate in signal transmission in the nervous system. [GOC:dph, GOC:isa_complete, GOC:jid]' - }, - 'GO:0042066': { - 'name': 'perineurial glial growth', - 'def': 'Glial cell growth that occurs in the perineurium, a cell layer that ensheaths projections of peripheral nerves, such as motor axons. [GOC:mah, PMID:11517334, PMID:18176560]' - }, - 'GO:0042067': { - 'name': 'establishment of ommatidial planar polarity', - 'def': 'The specification of polarized ommatidia. Ommatidia occur in two chiral forms. The trapezoidal arrangement of photoreceptors in the dorsal part of the eye is the mirror image of that in the ventral part. [GOC:ascb_2009, GOC:dph, GOC:tb, PMID:3076112, PMID:3937883]' - }, - 'GO:0042068': { - 'name': 'regulation of pteridine metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving pteridine. [GOC:go_curators]' - }, - 'GO:0042069': { - 'name': 'regulation of catecholamine metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving catecholamines. [GOC:go_curators]' - }, - 'GO:0042070': { - 'name': 'maintenance of oocyte nucleus location involved in oocyte dorsal/ventral axis specification', - 'def': 'Maintenance of the oocyte nucleus in a particular position within the cell during the establishment and maintenance of the axes of the oocyte. An example of this process is found In Drosophila melanogaster. [GOC:dph, GOC:mah, GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0042071': { - 'name': 'leucokinin receptor activity', - 'def': 'Combining with a leucokinin, any of several octapeptide hormones found in insects, and transmitting the signal to initiate a change in cell activity. [GOC:mah, GOC:signaling, PMID:2716741]' - }, - 'GO:0042072': { - 'name': 'obsolete cell adhesion receptor inhibitor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0042073': { - 'name': 'intraciliary transport', - 'def': 'The bidirectional movement of large protein complexes along microtubules within a cilium, mediated by motor proteins. [GOC:cilia, GOC:kmv, PMID:17981739, PMID:18180368, PMID:22869374, Reactome:R-HSA-5620924.2]' - }, - 'GO:0042074': { - 'name': 'cell migration involved in gastrulation', - 'def': 'The migration of individual cells within the blastocyst to help establish the multi-layered body plan of the organism (gastrulation). For example, the migration of cells from the surface to the interior of the embryo (ingression). [GOC:jl, http://www.cellmigration.org/, ISBN:0878932437]' - }, - 'GO:0042075': { - 'name': 'nickel incorporation into nickel-iron-sulfur cluster via pentakis-L-cysteinyl L-histidino nickel tetrairon pentasulfide', - 'def': 'The incorporation of nickel into a nickel-iron-sulfur cluster via pentakis-L-cysteinyl L-histidino nickel tetrairon pentasulfide, found in carbon monoxide dehydrogenase. [RESID:AA0310]' - }, - 'GO:0042076': { - 'name': 'protein phosphate-linked glycosylation', - 'def': 'The glycosylation of peptidyl-amino acids through a phosphoester bond forming, for example, GlcNAc-alpha-1-P-Ser residues. [PMID:7499424]' - }, - 'GO:0042077': { - 'name': 'protein phosphate-linked glycosylation via serine', - 'def': 'The glycosylation of peptidyl-serine through a phosphoester bond forming, for example, GlcNAc-alpha-1-P-Ser residues. [GOC:mah]' - }, - 'GO:0042078': { - 'name': 'germ-line stem cell division', - 'def': 'The self-renewing division of a germline stem cell to produce a daughter stem cell and a daughter germ cell, which will divide to form the gametes. [GOC:jid, PMID:2279698]' - }, - 'GO:0042079': { - 'name': 'obsolete GPI/GSI anchor metabolic process', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0042080': { - 'name': 'obsolete GPI/GSI anchor biosynthetic process', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:ai]' - }, - 'GO:0042081': { - 'name': 'GSI anchor metabolic process', - 'def': 'The chemical reactions and pathways involving glycosylsphingolipidinositol (GSI) anchors, which attach membrane proteins to the lipid bilayer of the cell membrane. [GOC:go_curators]' - }, - 'GO:0042082': { - 'name': 'GSI anchor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a glycosylsphingolipidinositol (GSI) anchor that attaches some membrane proteins to the lipid bilayer of the cell membrane. The sphingolipid group is linked, via the C-6 hydroxyl residue of inositol to a carbohydrate chain which is itself linked to the protein via a ethanolamine phosphate group, its amino group forming an amide linkage with the C-terminal carboxyl of the protein. Some GSI anchors have variants on this canonical linkage. [GOC:go_curators, GOC:jsg]' - }, - 'GO:0042083': { - 'name': '5,10-methylenetetrahydrofolate-dependent methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to an acceptor molecule; dependent on the presence of 5,10-methylenetetrahydrofolate. [GOC:ai]' - }, - 'GO:0042084': { - 'name': '5-methyltetrahydrofolate-dependent methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to an acceptor molecule; dependent on the presence of 5-methyltetrahydrofolate. [GOC:ai]' - }, - 'GO:0042085': { - 'name': '5-methyltetrahydropteroyltri-L-glutamate-dependent methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to an acceptor molecule; dependent on the presence of 5-methyltetrahydropteroyltri-L-glutamate. [GOC:ai]' - }, - 'GO:0042086': { - 'name': '5-methyl-5,6,7,8-tetrahydromethanopterin-dependent methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to an acceptor molecule, dependent on the presence of 5-methyl-5,6,7,8-tetrahydromethanopterin. [GOC:ai]' - }, - 'GO:0042088': { - 'name': 'T-helper 1 type immune response', - 'def': 'An immune response which is associated with resistance to intracellular bacteria, fungi, and protozoa, and pathological conditions such as arthritis, and which is typically orchestrated by the production of particular cytokines by T-helper 1 cells, most notably interferon-gamma, IL-2, and lymphotoxin. [GOC:add, ISBN:0781735149]' - }, - 'GO:0042089': { - 'name': 'cytokine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cytokines, any of a group of proteins that function to control the survival, growth and differentiation of tissues and cells, and which have autocrine and paracrine activity. [GOC:bf, ISBN:0198506732, ISBN:0198599471]' - }, - 'GO:0042090': { - 'name': 'interleukin-12 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-12. [GOC:go_curators]' - }, - 'GO:0042091': { - 'name': 'interleukin-10 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-10. [GOC:go_curators]' - }, - 'GO:0042092': { - 'name': 'type 2 immune response', - 'def': 'An immune response which is associated with resistance to extracellular organisms such as helminths and pathological conditions such as allergy, which is orchestrated by the production of particular cytokines, most notably IL-4, IL-5, IL-10, and IL-13, by any of a variety of cell types including T-helper 2 cells, eosinophils, basophils, mast cells, and nuocytes, resulting in enhanced production of certain antibody isotypes and other effects. [GOC:add, ISBN:0781735149, PMID:18000958, PMID:18007680, PMID:20065995, PMID:20200518]' - }, - 'GO:0042093': { - 'name': 'T-helper cell differentiation', - 'def': 'The process in which a relatively unspecialized thymocyte acquires specialized features of a T-helper cell. [GOC:ebc]' - }, - 'GO:0042094': { - 'name': 'interleukin-2 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-2. [GOC:go_curators]' - }, - 'GO:0042095': { - 'name': 'interferon-gamma biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interferon-gamma. Interferon gamma is the only member of the type II interferon found so far. [GOC:go_curators, PR:000000017]' - }, - 'GO:0042096': { - 'name': 'obsolete alpha-beta T cell receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0042097': { - 'name': 'interleukin-4 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-4. [GOC:go_curators]' - }, - 'GO:0042098': { - 'name': 'T cell proliferation', - 'def': 'The expansion of a T cell population by cell division. Follows T cell activation. [GOC:jl]' - }, - 'GO:0042099': { - 'name': 'obsolete gamma-delta T cell receptor activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:jl]' - }, - 'GO:0042100': { - 'name': 'B cell proliferation', - 'def': 'The expansion of a B cell population by cell division. Follows B cell activation. [GOC:jl]' - }, - 'GO:0042101': { - 'name': 'T cell receptor complex', - 'def': 'A protein complex that contains a disulfide-linked heterodimer of T cell receptor (TCR) chains, which are members of the immunoglobulin superfamily, and mediates antigen recognition, ultimately resulting in T cell activation. The TCR heterodimer is associated with the CD3 complex, which consists of the nonpolymorphic polypeptides gamma, delta, epsilon, zeta, and, in some cases, eta (an RNA splice variant of zeta) or Fc epsilon chains. [GOC:mah, ISBN:0781735149]' - }, - 'GO:0042102': { - 'name': 'positive regulation of T cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of T cell proliferation. [GOC:ai]' - }, - 'GO:0042103': { - 'name': 'positive regulation of T cell homeostatic proliferation', - 'def': 'Any process that activates or increases the rate or extent of resting T cell proliferation. [GOC:jl]' - }, - 'GO:0042104': { - 'name': 'positive regulation of activated T cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of activated T cell proliferation. [GOC:jl]' - }, - 'GO:0042105': { - 'name': 'alpha-beta T cell receptor complex', - 'def': 'A T cell receptor complex in which the TCR heterodimer comprises alpha and beta chains, associated with the CD3 complex; recognizes a complex consisting of an antigen-derived peptide bound to a class I or class II MHC protein. [GOC:mah, ISBN:0781735149]' - }, - 'GO:0042106': { - 'name': 'gamma-delta T cell receptor complex', - 'def': 'A T cell receptor complex in which the TCR heterodimer comprises gamma and delta chains, associated with the CD3 complex; recognizes antigen directly, without a requirement for processing and presentation by an MHC protein. [GOC:mah, ISBN:0781735149]' - }, - 'GO:0042107': { - 'name': 'cytokine metabolic process', - 'def': 'The chemical reactions and pathways involving cytokines, any of a group of proteins or glycoproteins that function to control the survival, growth and differentiation of tissues and cells, and which have autocrine and paracrine activity. [GO_REF:0000022, GOC:bf, GOC:BHF, GOC:go_curators, GOC:mtg_15nov05, ISBN:0198599471]' - }, - 'GO:0042108': { - 'name': 'positive regulation of cytokine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cytokines. [GOC:go_curators]' - }, - 'GO:0042109': { - 'name': 'lymphotoxin A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the cytokine lymphotoxin A. [GOC:jl]' - }, - 'GO:0042110': { - 'name': 'T cell activation', - 'def': 'The change in morphology and behavior of a mature or immature T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [GOC:mgi_curators, ISBN:0781735140]' - }, - 'GO:0042113': { - 'name': 'B cell activation', - 'def': 'The change in morphology and behavior of a mature or immature B cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [GOC:mgi_curators, ISBN:0781735140]' - }, - 'GO:0042116': { - 'name': 'macrophage activation', - 'def': 'A change in morphology and behavior of a macrophage resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor. [GOC:mgi_curators, ISBN:0781735149, PMID:14506301]' - }, - 'GO:0042117': { - 'name': 'monocyte activation', - 'def': 'The change in morphology and behavior of a monocyte resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor. [GOC:mgi_curators, ISBN:0781735149]' - }, - 'GO:0042118': { - 'name': 'endothelial cell activation', - 'def': 'The change in morphology and behavior of an endothelial cell resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor. [GOC:mgi_curators, ISBN:0781735149, PMID:12851652, PMID:14581484]' - }, - 'GO:0042119': { - 'name': 'neutrophil activation', - 'def': 'The change in morphology and behavior of a neutrophil resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor. [GOC:mgi_curators, ISBN:0781735149]' - }, - 'GO:0042120': { - 'name': 'alginic acid metabolic process', - 'def': 'The chemical reactions and pathways involving alginic acid, a hydrophilic polysaccharide occurring in, for example, the cell walls of brown algae (brown seaweeds). [ISBN:0198506732]' - }, - 'GO:0042121': { - 'name': 'alginic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alginic acid, a hydrophilic polysaccharide occurring in, for example, the cell walls of brown algae (brown seaweeds). [ISBN:0198506732]' - }, - 'GO:0042122': { - 'name': 'alginic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alginic acid, a hydrophilic polysaccharide occurring in, for example, the cell walls of brown algae (brown seaweeds). [ISBN:0198506732]' - }, - 'GO:0042123': { - 'name': 'glucanosyltransferase activity', - 'def': 'Catalysis of the splitting and linkage of glucan molecules, resulting in glucan chain elongation. [GOC:jl]' - }, - 'GO:0042124': { - 'name': '1,3-beta-glucanosyltransferase activity', - 'def': 'Catalysis of the splitting and linkage of (1->3)-beta-D-glucan molecules, resulting in (1->3)-beta-D-glucan chain elongation. [GOC:jl, PMID:10809732]' - }, - 'GO:0042125': { - 'name': 'protein galactosylation', - 'def': 'The addition of a galactose molecule to a protein amino acid. [GOC:jl, GOC:pr]' - }, - 'GO:0042126': { - 'name': 'nitrate metabolic process', - 'def': 'The chemical reactions and pathways involving nitrates, inorganic or organic salts and esters of nitric acid. [GOC:jl]' - }, - 'GO:0042127': { - 'name': 'regulation of cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of cell proliferation. [GOC:jl]' - }, - 'GO:0042128': { - 'name': 'nitrate assimilation', - 'def': 'The nitrogen metabolic process that encompasses the uptake of nitrate from the environment and reduction to ammonia, and results in the incorporation of nitrogen derived from nitrate into cellular substances. [GOC:das, GOC:mah, PMID:10542156, PMID:8122899]' - }, - 'GO:0042129': { - 'name': 'regulation of T cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of T cell proliferation. [GOC:jl]' - }, - 'GO:0042130': { - 'name': 'negative regulation of T cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of T cell proliferation. [GOC:jl]' - }, - 'GO:0042131': { - 'name': 'thiamine phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: thiamine phosphate + H2O = thiamine + phosphate. [PMID:197075]' - }, - 'GO:0042132': { - 'name': 'fructose 1,6-bisphosphate 1-phosphatase activity', - 'def': 'Catalysis of the reaction: D-fructose 1,6-bisphosphate + H2O = D-fructose 6-phosphate + phosphate. [EC:3.1.3.11]' - }, - 'GO:0042133': { - 'name': 'neurotransmitter metabolic process', - 'def': 'The chemical reactions and pathways involving neurotransmitters, any of a group of substances that are released on excitation from the axon terminal of a presynaptic neuron of the central or peripheral nervous system and travel across the synaptic cleft to either excite or inhibit the target cell. [CHEBI:25512, GOC:jl]' - }, - 'GO:0042134': { - 'name': 'rRNA primary transcript binding', - 'def': 'Interacting selectively and non-covalently with an unprocessed ribosomal RNA transcript. [GOC:jl]' - }, - 'GO:0042135': { - 'name': 'neurotransmitter catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any of a group of substances that are released on excitation from the axon terminal of a presynaptic neuron of the central or peripheral nervous system and travel across the synaptic cleft to either excite or inhibit the target cell. [CHEBI:25512, GOC:jl]' - }, - 'GO:0042136': { - 'name': 'neurotransmitter biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any of a group of substances that are released on excitation from the axon terminal of a presynaptic neuron of the central or peripheral nervous system and travel across the synaptic cleft to either excite or inhibit the target cell. [CHEBI:25512, GOC:jl]' - }, - 'GO:0042137': { - 'name': 'sequestering of neurotransmitter', - 'def': 'The process of binding or confining a neurotransmitter such that it is separated from other components of a biological system. [GOC:ai]' - }, - 'GO:0042138': { - 'name': 'meiotic DNA double-strand break formation', - 'def': 'The cell cycle process in which double-strand breaks are generated at defined hotspots throughout the genome during meiosis I. This results in the initiation of meiotic recombination. [GOC:elh, GOC:jl, PMID:11529427]' - }, - 'GO:0042139': { - 'name': 'early meiotic recombination nodule assembly', - 'def': 'During meiosis, the aggregation, arrangement and bonding together of strand exchange proteins (recombinases) to form small, electron dense structures in association with meiotic chromosomes during leptotene and zygotene. [GOC:jl, PMID:9334324]' - }, - 'GO:0042140': { - 'name': 'late meiotic recombination nodule assembly', - 'def': 'During meiosis, the aggregation, arrangement and bonding together of strand exchange proteins (recombinases) to form small, electron dense structures in association with meiotic chromosomes during pachytene. Involved in the catalysis crossing over. [GOC:jl, PMID:9334324]' - }, - 'GO:0042141': { - 'name': 'obsolete mating pheromone exporter', - 'def': 'OBSOLETE. Exports diffusible peptide signals that are responsible for binding to other cells and triggering a series of responses to facilitate mating. [GOC:jl]' - }, - 'GO:0042142': { - 'name': 'obsolete heavy metal chelation', - 'def': 'OBSOLETE. The strong but reversible binding of a heavy metal ion by a larger molecule such as protein. [GOC:jl, ISBN:0124325653]' - }, - 'GO:0042144': { - 'name': 'vacuole fusion, non-autophagic', - 'def': 'The fusion of two vacuole membranes to form a single vacuole. [GOC:jl]' - }, - 'GO:0042147': { - 'name': 'retrograde transport, endosome to Golgi', - 'def': 'The directed movement of membrane-bounded vesicles from endosomes back to the trans-Golgi network where they are recycled for further rounds of transport. [GOC:jl, PMID:10873832, PMID:16936697]' - }, - 'GO:0042148': { - 'name': 'strand invasion', - 'def': 'The process in which the nucleoprotein complex (composed of the broken single-strand DNA and the recombinase) searches and identifies a region of homology in intact duplex DNA. The broken single-strand DNA displaces the like strand and forms Watson-Crick base pairs with its complement, forming a duplex in which each strand is from one of the two recombining DNA molecules. [GOC:elh, PMID:10357855]' - }, - 'GO:0042149': { - 'name': 'cellular response to glucose starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of glucose. [GOC:jl]' - }, - 'GO:0042150': { - 'name': 'plasmid recombination', - 'def': 'A process of DNA recombination occurring within a plasmid or between plasmids and other plasmids or DNA molecules. [GOC:mlg]' - }, - 'GO:0042151': { - 'name': 'nematocyst', - 'def': 'An organelle found in cnidoblast (nematoblast) cells. When matured, these stinging organelles store toxins and can deliver them when the cnidocil (a short extension of the cnidocyst) is stimulated by a prey or another stimulus. [DOI:10.1139/z02-135, GOC:jl]' - }, - 'GO:0042152': { - 'name': 'RNA-mediated DNA recombination', - 'def': 'The reverse transcription of an RNA molecule followed by recombination between the resultant cDNA and its homologous chromosomal allele. [GOC:jl, PMID:8380627]' - }, - 'GO:0042153': { - 'name': 'obsolete RPTP-like protein binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with proteins with similar structure/function to receptor protein tyrosine phosphatases. [GOC:jl]' - }, - 'GO:0042156': { - 'name': 'obsolete zinc-mediated transcriptional activator activity', - 'def': 'OBSOLETE. Initiates or upregulates transcription in the presence of zinc. [GOC:jl]' - }, - 'GO:0042157': { - 'name': 'lipoprotein metabolic process', - 'def': 'The chemical reactions and pathways involving any conjugated, water-soluble protein in which the covalently attached nonprotein group consists of a lipid or lipids. [ISBN:0198506732]' - }, - 'GO:0042158': { - 'name': 'lipoprotein biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any conjugated, water-soluble protein in which the covalently attached nonprotein group consists of a lipid or lipids. [ISBN:0198506732]' - }, - 'GO:0042159': { - 'name': 'lipoprotein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any conjugated, water-soluble protein in which the covalently attached nonprotein group consists of a lipid or lipids. [ISBN:0198506732]' - }, - 'GO:0042160': { - 'name': 'lipoprotein modification', - 'def': 'The chemical reactions and pathways resulting in the covalent alteration of one or more amino acid or lipid residues occurring in a lipoprotein, any conjugated, water-soluble protein in which the nonprotein group consists of a lipid or lipids. [GOC:mah]' - }, - 'GO:0042161': { - 'name': 'lipoprotein oxidation', - 'def': 'The modification of a lipoprotein by oxidation of one or more amino acids or the lipid group. [GOC:mah]' - }, - 'GO:0042162': { - 'name': 'telomeric DNA binding', - 'def': 'Interacting selectively and non-covalently with a telomere, a specific structure at the end of a linear chromosome required for the integrity and maintenance of the end. [GOC:jl, SO:0000624]' - }, - 'GO:0042163': { - 'name': 'interleukin-12 beta subunit binding', - 'def': 'Interacting selectively and non-covalently with the beta subunit of interleukin-12. [GOC:mah]' - }, - 'GO:0042164': { - 'name': 'interleukin-12 alpha subunit binding', - 'def': 'Interacting selectively and non-covalently with the alpha subunit of interleukin-12. [GOC:mah]' - }, - 'GO:0042165': { - 'name': 'neurotransmitter binding', - 'def': 'Interacting selectively and non-covalently with a neurotransmitter, any chemical substance that is capable of transmitting (or inhibiting the transmission of) a nerve impulse from a neuron to another cell. [ISBN:0198506732]' - }, - 'GO:0042166': { - 'name': 'acetylcholine binding', - 'def': 'Interacting selectively and non-covalently with acetylcholine, an acetic acid ester of the organic base choline that functions as a neurotransmitter, released at the synapses of parasympathetic nerves and at neuromuscular junctions. [GOC:ai]' - }, - 'GO:0042167': { - 'name': 'heme catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of heme, any compound of iron complexed in a porphyrin (tetrapyrrole) ring. [GOC:jl]' - }, - 'GO:0042168': { - 'name': 'heme metabolic process', - 'def': 'The chemical reactions and pathways involving heme, any compound of iron complexed in a porphyrin (tetrapyrrole) ring. [GOC:jl, ISBN:0124325653]' - }, - 'GO:0042169': { - 'name': 'SH2 domain binding', - 'def': 'Interacting selectively and non-covalently with a SH2 domain (Src homology 2) of a protein, a protein domain of about 100 amino-acid residues and belonging to the alpha + beta domain class. [GOC:go_curators, Pfam:PF00017]' - }, - 'GO:0042170': { - 'name': 'plastid membrane', - 'def': 'Either of the lipid bilayers that surround a plastid and form the plastid envelope. [GOC:mah]' - }, - 'GO:0042171': { - 'name': 'lysophosphatidic acid acyltransferase activity', - 'def': 'Catalysis of the transfer of acyl groups from an acyl-CoA to lysophosphatidic acid to form phosphatidic acid. [GOC:ab, PMID:16369050]' - }, - 'GO:0042173': { - 'name': 'regulation of sporulation resulting in formation of a cellular spore', - 'def': 'Any process that modulates the frequency, rate or extent of spore formation. [GOC:jl]' - }, - 'GO:0042174': { - 'name': 'negative regulation of sporulation resulting in formation of a cellular spore', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sporulation. [GOC:go_curators]' - }, - 'GO:0042175': { - 'name': 'nuclear outer membrane-endoplasmic reticulum membrane network', - 'def': 'The continuous network of membranes encompassing the nuclear outer membrane and the endoplasmic reticulum membrane. [GOC:bf, GOC:jl, GOC:mah, GOC:mcc, GOC:pr, GOC:vw]' - }, - 'GO:0042176': { - 'name': 'regulation of protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of a protein by the destruction of the native, active configuration, with or without the hydrolysis of peptide bonds. [GOC:go_curators, GOC:jl]' - }, - 'GO:0042177': { - 'name': 'negative regulation of protein catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of a protein by the destruction of the native, active configuration, with or without the hydrolysis of peptide bonds. [GOC:go_curators, GOC:jl, PMID:10207076]' - }, - 'GO:0042178': { - 'name': 'xenobiotic catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a xenobiotic compound, a compound foreign to living organisms. Used of chemical compounds, e.g. a xenobiotic chemical, such as a pesticide. [GOC:jl]' - }, - 'GO:0042179': { - 'name': 'nicotine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotine, (S)(-)-3-(1-methyl-2-pyrrolidinyl)pyridine. [GOC:sm, ISBN:0198547684]' - }, - 'GO:0042180': { - 'name': 'cellular ketone metabolic process', - 'def': 'The chemical reactions and pathways involving any of a class of organic compounds that contain the carbonyl group, CO, and in which the carbonyl group is bonded only to carbon atoms, as carried out by individual cells. The general formula for a ketone is RCOR, where R and R are alkyl or aryl groups. [GOC:jl, ISBN:0787650153]' - }, - 'GO:0042181': { - 'name': 'ketone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ketones, a class of organic compounds that contain the carbonyl group, CO, and in which the carbonyl group is bonded only to carbon atoms. The general formula for a ketone is RCOR, where R and R are alkyl or aryl groups. [GOC:go_curators]' - }, - 'GO:0042182': { - 'name': 'ketone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ketones, a class of organic compounds that contain the carbonyl group, CO, and in which the carbonyl group is bonded only to carbon atoms. The general formula for a ketone is RCOR, where R and R are alkyl or aryl groups. [GOC:go_curators]' - }, - 'GO:0042183': { - 'name': 'formate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of formate, also known as methanoate, the anion HCOO- derived from methanoic (formic) acid. [ISBN:0198506732]' - }, - 'GO:0042184': { - 'name': 'xylene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of xylene, a mixture of three colorless, aromatic hydrocarbon liquids, ortho-, meta- and para-xylene. [GOC:go_curators]' - }, - 'GO:0042185': { - 'name': 'm-xylene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of m-xylene, 1,3-dimethylbenzene, a colorless, liquid aromatic hydrocarbon. [GOC:go_curators, GOC:jl]' - }, - 'GO:0042186': { - 'name': 'o-xylene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of o-xylene, (1,2-dimethylbenzene) a colorless, liquid aromatic hydrocarbon. [GOC:jl]' - }, - 'GO:0042187': { - 'name': 'p-xylene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of p-xylene (1,4-dimethylbenzene), a colorless, liquid aromatic hydrocarbon. [GOC:jl]' - }, - 'GO:0042188': { - 'name': '1,1,1-trichloro-2,2-bis-(4-chlorophenyl)ethane catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1,1,1-trichloro-2,2-bis-(4-chlorophenyl)ethane (DDT), a chlorinated broad spectrum contact insecticide. [GOC:jl]' - }, - 'GO:0042189': { - 'name': 'vanillin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of vanillin, an aromatic hydrocarbon which occurs naturally in black vanilla bean pods. [GOC:jl]' - }, - 'GO:0042190': { - 'name': 'vanillin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of vanillin, an aromatic hydrocarbon which occurs naturally in black vanilla bean pods. [GOC:jl]' - }, - 'GO:0042191': { - 'name': 'methylmercury metabolic process', - 'def': 'The chemical reactions and pathways involving methylmercury (MeHg+), a highly toxic organometal which can accumulate in tissues, particularly in fish species. [GOC:ai]' - }, - 'GO:0042192': { - 'name': 'methylmercury biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of methylmercury (MeHg+), a highly toxic organometal. [GOC:ai]' - }, - 'GO:0042193': { - 'name': 'methylmercury catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methylmercury (MeHg+), a highly toxic organometal. [GOC:ai]' - }, - 'GO:0042194': { - 'name': 'quinate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of quinate, the anion of quinic acid. [GOC:go_curators]' - }, - 'GO:0042195': { - 'name': 'aerobic gallate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gallate, the anion of gallic acid, in the presence of oxygen. [GOC:jl]' - }, - 'GO:0042196': { - 'name': 'chlorinated hydrocarbon metabolic process', - 'def': 'The chemical reactions and pathways involving chlorinated hydrocarbons, any hydrocarbon with one or more chlorine atoms attached to it. [GOC:ai]' - }, - 'GO:0042197': { - 'name': 'halogenated hydrocarbon metabolic process', - 'def': 'The chemical reactions and pathways involving halogenated hydrocarbons, any hydrocarbon with one or more halogen atoms attached to it. Halogens include fluorine, chlorine, bromine and iodine. [GOC:ai]' - }, - 'GO:0042198': { - 'name': 'nylon metabolic process', - 'def': 'The chemical reactions and pathways involving nylon, a polymer where the main polymer chain comprises recurring amide groups; these compounds are generally formed from combinations of diamines, diacids and amino acids. [UniProtKB-KW:KW-0549]' - }, - 'GO:0042199': { - 'name': 'cyanuric acid metabolic process', - 'def': 'The chemical reactions and pathways involving cyanuric acid, a suspected gastrointestinal or liver toxicant, and a potential degradation product of triazine herbicides, such as atrazine and simazine. It is widely used for the stabilization of available chlorine in swimming pool water and is also the starting compound for the synthesis of many organic derivatives. [UM-BBD_pathwayID:cya]' - }, - 'GO:0042200': { - 'name': 'cyanuric acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cyanuric acid, a potential degradation product of triazine herbicides. [UM-BBD_pathwayID:cya]' - }, - 'GO:0042201': { - 'name': 'N-cyclopropylmelamine metabolic process', - 'def': 'The chemical reactions and pathways involving N-cyclopropylmelamine, a triazine compound commonly used as an insect growth regulator insecticide. [UM-BBD_pathwayID:cpm]' - }, - 'GO:0042202': { - 'name': 'N-cyclopropylmelamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of N-cyclopropylmelamine, a triazine compound commonly used as an insecticide. [UM-BBD_pathwayID:cpm]' - }, - 'GO:0042203': { - 'name': 'toluene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of toluene, a volatile monoaromatic hydrocarbon found in crude petroleum and petroleum products. [GOC:go_curators]' - }, - 'GO:0042204': { - 'name': 's-triazine compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any s-triazine compound. These compounds include many pesticides of widespread use in agriculture, and are characterized by a symmetrical hexameric ring consisting of alternating carbon and nitrogen atoms. [UM-BBD_pathwayID:tria]' - }, - 'GO:0042205': { - 'name': 'chlorinated hydrocarbon catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of chlorinated hydrocarbons, any hydrocarbon with one or more chlorine atoms attached to it. [GOC:ai]' - }, - 'GO:0042206': { - 'name': 'halogenated hydrocarbon catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of halogenated hydrocarbons, any hydrocarbon with one or more halogen atoms attached to it. [GOC:ai]' - }, - 'GO:0042207': { - 'name': 'styrene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of styrene, an aromatic hydrocarbon liquid used in the manufacture of polystyrene. [GOC:jl]' - }, - 'GO:0042208': { - 'name': 'propylene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of propylene, an alkene produced by catalytic or thermal cracking of hydrocarbons or as a by-product of petroleum refining. [GOC:jl]' - }, - 'GO:0042209': { - 'name': 'orcinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of orcinol (5-methyl-1,3-benzenediol), an aromatic compound derived from the fermentation of lichen and synthesized by some higher plants. [GOC:jl]' - }, - 'GO:0042210': { - 'name': 'octamethylcyclotetrasiloxane catabolic process to dimethylsilanediol', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of octamethylcyclotetrasiloxane into dimethylsilanediol. The former is a tetramer of the latter. [GOC:jl]' - }, - 'GO:0042211': { - 'name': 'dimethylsilanediol catabolic process', - 'def': 'The aerobic chemical reactions and pathways resulting in the breakdown of dimethylsilanediol, the smallest member of the dialkylsilanediols. Dimethylsilanediol is the monomer of polydimethylsiloxane, a compound which can be found in a wide range of industrial and consumer products. [GOC:jl]' - }, - 'GO:0042212': { - 'name': 'cresol metabolic process', - 'def': 'The chemical reactions and pathways involving cresol, a mixture of the aromatic alcohol isoforms o-, p-, and m-cresol, which is obtained from coal tar or petroleum. The isomers are used as disinfectants, textile scouring agents, surfactants and as intermediates in the manufacture of salicylaldehyde, coumarin, and herbicides as well as being a major component of creosote. [UM-BBD_pathwayID:mcr]' - }, - 'GO:0042213': { - 'name': 'm-cresol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of m-cresol (3-hydroxytoluene), the meta-isoform of cresol. [GOC:jl]' - }, - 'GO:0042214': { - 'name': 'terpene metabolic process', - 'def': 'The chemical reactions and pathways involving terpenes, any of a large group of hydrocarbons that are made up of isoprene (C5H8) units which may be cyclic, acyclic or multicyclic, saturated or unsaturated, and may contain various functional groups. [CHEBI:35186, GOC:curators]' - }, - 'GO:0042215': { - 'name': 'anaerobic phenol-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a phenol, any compound containing one or more hydroxyl groups directly attached to an aromatic carbon ring, in the absence of oxygen. [CHEBI:33853, ISBN:0198506732]' - }, - 'GO:0042216': { - 'name': 'phenanthrene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenanthrene, a tricyclic aromatic hydrocarbon. [GOC:jl]' - }, - 'GO:0042217': { - 'name': '1-aminocyclopropane-1-carboxylate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1-aminocyclopropane-1-carboxylate, a natural product found in plant tissues. It is a key intermediate in the biosynthesis of ethylene (ethene), a fruit-ripening hormone in plants. [GOC:go_curators]' - }, - 'GO:0042218': { - 'name': '1-aminocyclopropane-1-carboxylate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 1-aminocyclopropane-1-carboxylate, a natural product found in plant tissues. It is a key intermediate in the biosynthesis of ethylene (ethene), a fruit-ripening hormone in plants. [GOC:go_curators]' - }, - 'GO:0042219': { - 'name': 'cellular modified amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of compounds derived from amino acids, organic acids containing one or more amino substituents. [GOC:ai]' - }, - 'GO:0042220': { - 'name': 'response to cocaine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cocaine stimulus. Cocaine is a crystalline alkaloid obtained from the leaves of the coca plant. [CHEBI:27958, GOC:ef, GOC:jl]' - }, - 'GO:0042221': { - 'name': 'response to chemical', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chemical stimulus. [GOC:jl]' - }, - 'GO:0042222': { - 'name': 'interleukin-1 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-1, an interleukin produced mainly by activated macrophages. It is involved in the inflammatory response, and is identified as an endogenous pyrogen. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042223': { - 'name': 'interleukin-3 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-3. [GOC:go_curators]' - }, - 'GO:0042225': { - 'name': 'interleukin-5 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-5. [GOC:go_curators]' - }, - 'GO:0042226': { - 'name': 'interleukin-6 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-6. [GOC:go_curators]' - }, - 'GO:0042227': { - 'name': 'interleukin-7 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-7. [GOC:go_curators]' - }, - 'GO:0042228': { - 'name': 'interleukin-8 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-8. [GOC:go_curators]' - }, - 'GO:0042229': { - 'name': 'interleukin-9 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-9. [GOC:go_curators]' - }, - 'GO:0042230': { - 'name': 'interleukin-11 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-11. [GOC:go_curators]' - }, - 'GO:0042231': { - 'name': 'interleukin-13 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-13. [GOC:go_curators]' - }, - 'GO:0042232': { - 'name': 'interleukin-14 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-14. [GOC:go_curators]' - }, - 'GO:0042233': { - 'name': 'interleukin-15 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-15. [GOC:go_curators]' - }, - 'GO:0042234': { - 'name': 'interleukin-16 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-16. [GOC:go_curators]' - }, - 'GO:0042235': { - 'name': 'interleukin-17 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any member of the interleukin-17 family of cytokines. [GOC:add, GOC:go_curators]' - }, - 'GO:0042236': { - 'name': 'interleukin-19 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-19. [GOC:go_curators]' - }, - 'GO:0042237': { - 'name': 'interleukin-20 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-20. [GOC:go_curators]' - }, - 'GO:0042238': { - 'name': 'interleukin-21 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-21. [GOC:go_curators]' - }, - 'GO:0042239': { - 'name': 'interleukin-22 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-22. [GOC:go_curators]' - }, - 'GO:0042240': { - 'name': 'interleukin-23 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-23. [GOC:go_curators]' - }, - 'GO:0042241': { - 'name': 'interleukin-18 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-18. [GOC:go_curators]' - }, - 'GO:0042242': { - 'name': 'cobyrinic acid a,c-diamide synthase activity', - 'def': 'Catalysis of the conversion of cobyrinic acid to cobyrinic acid a,c-diamide via the intermediate formation of cobyrinic acid c-monoamide. [PMID:2172209]' - }, - 'GO:0042243': { - 'name': 'asexual spore wall assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an asexual spore wall, the specialized envelope lying outside the cell membrane of a spore derived from an asexual process. Examples of this process are found in Bacterial and Fungal species. [GOC:mah]' - }, - 'GO:0042244': { - 'name': 'spore wall assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a spore wall; a spore wall is the specialized envelope lying outside the cell membrane of a spore. [GOC:mah, GOC:pg]' - }, - 'GO:0042245': { - 'name': 'RNA repair', - 'def': 'Any process that results in the repair of damaged RNA. [PMID:11000254, PMID:11070075, UniProtKB-KW:KW-0692]' - }, - 'GO:0042246': { - 'name': 'tissue regeneration', - 'def': 'The regrowth of lost or destroyed tissues. [GOC:curators]' - }, - 'GO:0042247': { - 'name': 'establishment of planar polarity of follicular epithelium', - 'def': 'Coordinated organization of groups of cells in the plane of a follicular epithelium, such that they all orient to similar coordinates. [GOC:ascb_2009, GOC:bf, GOC:dph, GOC:tb]' - }, - 'GO:0042248': { - 'name': 'maintenance of polarity of follicular epithelium', - 'def': 'The maintenance of an established polarized follicular epithelial sheet. [GOC:bf]' - }, - 'GO:0042249': { - 'name': 'establishment of planar polarity of embryonic epithelium', - 'def': 'Coordinated organization of groups of cells in the plane of an embryonic epithelium, such that they all orient to similar coordinates. [GOC:ascb_2009, GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0042250': { - 'name': 'maintenance of polarity of embryonic epithelium', - 'def': 'The maintenance of an established polarized embryonic epithelial sheet. [GOC:jl]' - }, - 'GO:0042251': { - 'name': 'maintenance of polarity of larval imaginal disc epithelium', - 'def': 'The maintenance of an established polarized larval imaginal disc epithelium. [GOC:jl]' - }, - 'GO:0042252': { - 'name': 'establishment of planar polarity of larval imaginal disc epithelium', - 'def': 'Coordinated organization of groups of cells in the plane of a larval imaginal disc epithelium, such that they all orient to similar coordinates. [GOC:jl]' - }, - 'GO:0042253': { - 'name': 'granulocyte macrophage colony-stimulating factor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of granulocyte macrophage colony-stimulating factor, cytokines that act in hemopoiesis by controlling the production, differentiation, and function of two related white cell populations, granulocytes and monocytes-macrophages. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042254': { - 'name': 'ribosome biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of ribosome subunits; includes transport to the sites of protein synthesis. [GOC:ma]' - }, - 'GO:0042255': { - 'name': 'ribosome assembly', - 'def': 'The aggregation, arrangement and bonding together of the mature ribosome and of its subunits. [GOC:ma]' - }, - 'GO:0042256': { - 'name': 'mature ribosome assembly', - 'def': 'The aggregation, arrangement and bonding together of the large and small ribosomal subunits into a functional ribosome. [GOC:ma]' - }, - 'GO:0042258': { - 'name': 'molybdenum incorporation via L-serinyl molybdopterin guanine dinucleotide', - 'def': 'The incorporation of molybdenum into a protein via L-serinyl molybdopterin guanine dinucleotide. [PDB:1EU1, PMID:8658132, RESID:AA0319]' - }, - 'GO:0042259': { - 'name': 'peptidyl-L-beta-methylthioasparagine biosynthetic process from peptidyl-asparagine', - 'def': 'The modification of peptidyl-asparagine to form peptidyl-L-beta-methylthioasparagine, typical of bacterial ribosomal protein S12. [GOC:jsg, RESID:AA0320]' - }, - 'GO:0042262': { - 'name': 'DNA protection', - 'def': 'Any process in which DNA is protected from damage by, for example, oxidative stress. [GOC:jl]' - }, - 'GO:0042263': { - 'name': 'neuropeptide F receptor activity', - 'def': 'Combining with neuropeptide F and transmitting the signal within the cell to initiate a change in cell activity. Neuropeptide F is an arthropod peptide of more than 28 residues (typically 28-45) with a consensus C-terminal RxRFamide (commonly RPRFa, but also RVRFa. [GOC:bf, GOC:ma, PMID:21440021]' - }, - 'GO:0042264': { - 'name': 'peptidyl-aspartic acid hydroxylation', - 'def': 'The hydroxylation of peptidyl-aspartic acid to form peptidyl-hydroxyaspartic acid. [GOC:mah]' - }, - 'GO:0042265': { - 'name': 'peptidyl-asparagine hydroxylation', - 'def': 'The hydroxylation of peptidyl-asparagine to form peptidyl-hydroxyasparagine. [GOC:mah]' - }, - 'GO:0042267': { - 'name': 'natural killer cell mediated cytotoxicity', - 'def': 'The directed killing of a target cell by a natural killer cell through the release of granules containing cytotoxic mediators or through the engagement of death receptors. [GOC:add, GOC:pr]' - }, - 'GO:0042268': { - 'name': 'regulation of cytolysis', - 'def': 'Any process that modulates the frequency, rate or extent of the rupture of cell membranes and the loss of cytoplasm. [GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0042269': { - 'name': 'regulation of natural killer cell mediated cytotoxicity', - 'def': 'Any process that modulates the frequency, rate, or extent of natural killer cell mediated cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0042270': { - 'name': 'protection from natural killer cell mediated cytotoxicity', - 'def': 'The process of protecting a cell from natural killer cell mediated cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0042271': { - 'name': 'susceptibility to natural killer cell mediated cytotoxicity', - 'def': 'The process of causing a cell to become susceptible to natural killer cell mediated cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0042272': { - 'name': 'nuclear RNA export factor complex', - 'def': 'A protein complex that contains two proteins (know in several organisms, including Drosophila, as NXF1 and NXF2) and is required for the export of the majority of mRNAs from the nucleus to the cytoplasm; localized in the nucleoplasm and at both the nucleoplasmic and cytoplasmic faces of the nuclear pore complex; shuttles between the nucleus and the cytoplasm. [PMID:11780633]' - }, - 'GO:0042273': { - 'name': 'ribosomal large subunit biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a large ribosomal subunit; includes transport to the sites of protein synthesis. [GOC:jl]' - }, - 'GO:0042274': { - 'name': 'ribosomal small subunit biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a small ribosomal subunit; includes transport to the sites of protein synthesis. [GOC:jl]' - }, - 'GO:0042275': { - 'name': 'error-free postreplication DNA repair', - 'def': 'The conversion of DNA-damage induced single-stranded gaps into large molecular weight DNA via processes such as template switching, which does not remove the replication-blocking lesions but does not increase the endogenous mutation rate. [GOC:elh, GOC:jl, PMID:11459630]' - }, - 'GO:0042276': { - 'name': 'error-prone translesion synthesis', - 'def': 'The conversion of DNA-damage induced single-stranded gaps into large molecular weight DNA after replication by using a specialized DNA polymerase or replication complex to insert a defined nucleotide across the lesion. This process does not remove the replication-blocking lesions and causes an increase in the endogenous mutation level. For example, in E. coli, a low fidelity DNA polymerase, pol V, copies lesions that block replication fork progress. This produces mutations specifically targeted to DNA template damage sites, but it can also produce mutations at undamaged sites. [GOC:elh, GOC:jl, PMID:11485998]' - }, - 'GO:0042277': { - 'name': 'peptide binding', - 'def': 'Interacting selectively and non-covalently with peptides, any of a group of organic compounds comprising two or more amino acids linked by peptide bonds. [GOC:jl]' - }, - 'GO:0042278': { - 'name': 'purine nucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving one of a family of organic molecules consisting of a purine base covalently bonded to a sugar ribose (a ribonucleoside) or deoxyribose (a deoxyribonucleoside). [GOC:jl, ISBN:0140512713]' - }, - 'GO:0042279': { - 'name': 'nitrite reductase (cytochrome, ammonia-forming) activity', - 'def': 'Catalysis of the reaction: NH3 + 2 H2O + 6 ferricytochrome c = nitrite + 6 ferrocytochrome c + 7 H+. [EC:1.7.2.2]' - }, - 'GO:0042280': { - 'name': 'obsolete cell surface antigen activity, host-interacting', - 'def': 'OBSOLETE. Functions as an immunogenic target for the host immune system that masks other invariant surface molecules from immune recognition. [GOC:mb]' - }, - 'GO:0042281': { - 'name': 'dolichyl pyrophosphate Man9GlcNAc2 alpha-1,3-glucosyltransferase activity', - 'def': 'Catalysis of the addition of the first glucose residue to the lipid-linked oligosaccharide precursor for N-linked glycosylation; the transfer of glucose from dolichyl phosphate glucose (Dol-P-Glc) on to the lipid-linked oligosaccharide Man(9)GlcNAc(2)-PP-Dol. [GOC:al, MetaCyc:RXN-5470]' - }, - 'GO:0042282': { - 'name': 'hydroxymethylglutaryl-CoA reductase activity', - 'def': 'Catalysis of the reaction: (R)-mevalonate + CoA + 2 NAD(+) = (S)-3-hydroxy-3-methylglutaryl-CoA + 2 H(+) + 2 NADH. [EC:1.1.1.88, RHEA:14836]' - }, - 'GO:0042283': { - 'name': 'dolichyl pyrophosphate Glc1Man9GlcNAc2 alpha-1,3-glucosyltransferase activity', - 'def': 'Catalysis of the addition of the second glucose residue to the lipid-linked oligosaccharide precursor for N-linked glycosylation; the transfer of glucose from dolichyl phosphate glucose (Dol-P-Glc) on to the lipid-linked oligosaccharide Glc(1)Man(9)GlcNAc(2)-PP-Dol. [MetaCyc:RXN-5471, PMID:12480927]' - }, - 'GO:0042284': { - 'name': 'sphingolipid delta-4 desaturase activity', - 'def': 'Catalysis of the introduction of a trans double bond between C4 and C5 of the long chain base region of a sphingolipid. Sphingolipids are composed of a long chain base (LCB) amide-linked to a very long chain fatty acid. [PMID:12417141]' - }, - 'GO:0042285': { - 'name': 'xylosyltransferase activity', - 'def': 'Catalysis of the transfer of a xylosyl group to an acceptor molecule, typically another carbohydrate or a lipid. [GOC:ai]' - }, - 'GO:0042286': { - 'name': 'glutamate-1-semialdehyde 2,1-aminomutase activity', - 'def': 'Catalysis of the reaction: (S)-4-amino-5-oxopentanoate = 5-aminolevulinate. [EC:5.4.3.8, RHEA:14268]' - }, - 'GO:0042287': { - 'name': 'MHC protein binding', - 'def': 'Interacting selectively and non-covalently with major histocompatibility complex molecules; a set of molecules displayed on cell surfaces that are responsible for lymphocyte recognition and antigen presentation. [GOC:jl]' - }, - 'GO:0042288': { - 'name': 'MHC class I protein binding', - 'def': 'Interacting selectively and non-covalently with major histocompatibility complex class I molecules; a set of molecules displayed on cell surfaces that are responsible for lymphocyte recognition and antigen presentation. [GOC:jl]' - }, - 'GO:0042289': { - 'name': 'MHC class II protein binding', - 'def': 'Interacting selectively and non-covalently with major histocompatibility complex class II molecules; a set of molecules displayed on cell surfaces that are responsible for lymphocyte recognition and antigen presentation. [GOC:jl]' - }, - 'GO:0042290': { - 'name': 'obsolete URM1 hydrolase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0042291': { - 'name': 'obsolete Hub1 hydrolase activity', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:mah]' - }, - 'GO:0042292': { - 'name': 'URM1 activating enzyme activity', - 'def': 'Catalysis of the activation of the small ubiquitin-related modifier URM1, through the formation of an ATP-dependent high-energy thiolester bond. [GOC:mah]' - }, - 'GO:0042293': { - 'name': 'Hub1 activating enzyme activity', - 'def': 'Catalysis of the activation of the small ubiquitin-related modifier Hub1, through the formation of an ATP-dependent high-energy thiolester bond. [GOC:mah]' - }, - 'GO:0042294': { - 'name': 'URM1 transferase activity', - 'def': 'Catalysis of the transfer of URM1 from one protein to another via the reaction X-URM1 + Y --> Y-URM1 + X, where both X-URM1 and Y-URM1 are covalent linkages. [GOC:mah, PMID:12826404]' - }, - 'GO:0042296': { - 'name': 'ISG15 transferase activity', - 'def': 'Catalysis of the transfer of ISG15 from one protein to another via the reaction X-ISG15 + Y --> Y-ISG15 + X, where both X-ISG15 and Y-ISG15 are covalent linkages. [GOC:mah, PMID:12826404]' - }, - 'GO:0042297': { - 'name': 'vocal learning', - 'def': 'A behavioral process whose outcome is a relatively long-lasting behavioral change whereby an organism modifies innate vocalizations to imitate sounds produced by others. [GOC:BHF, GOC:dos, GOC:rl, PMID:16418265, PMID:17035521]' - }, - 'GO:0042299': { - 'name': 'lupeol synthase activity', - 'def': 'Catalysis of the reaction: (S)-2,3-epoxysqualene = lupeol. This reaction is the cyclization of (S)-2,3-epoxysqualene (2,3-oxidosqualene) to lupeol. [MetaCyc:RXN-111, PMID:9883589]' - }, - 'GO:0042300': { - 'name': 'beta-amyrin synthase activity', - 'def': 'Catalysis of the reaction: (S)-2,3-epoxysqualene = beta-amyrin. This reaction is the cyclization and rearrangement of (S)-2,3-epoxysqualene (2,3-oxidosqualene) into beta-amyrin. [PMID:9746369]' - }, - 'GO:0042301': { - 'name': 'phosphate ion binding', - 'def': 'Interacting selectively and non-covalently with phosphate. [GOC:jl]' - }, - 'GO:0042302': { - 'name': 'structural constituent of cuticle', - 'def': 'The action of a molecule that contributes to the structural integrity of a cuticle. [GOC:jl]' - }, - 'GO:0042303': { - 'name': 'molting cycle', - 'def': 'The periodic casting off and regeneration of an outer covering of cuticle, feathers, hair, horns, skin, etc. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042304': { - 'name': 'regulation of fatty acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of fatty acids, any of the aliphatic monocarboxylic acids that can be liberated by hydrolysis from naturally occurring fats and oils. [GOC:go_curators, GOC:jl]' - }, - 'GO:0042305': { - 'name': 'specification of segmental identity, mandibular segment', - 'def': 'The specification of the characteristic structures of the mandibular segment following establishment of segment boundaries. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [ISBN:0878932437]' - }, - 'GO:0042306': { - 'name': 'regulation of protein import into nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of movement of proteins from the cytoplasm to the nucleus. [GOC:jl]' - }, - 'GO:0042307': { - 'name': 'positive regulation of protein import into nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of movement of proteins from the cytoplasm into the nucleus. [GOC:jl]' - }, - 'GO:0042308': { - 'name': 'negative regulation of protein import into nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the movement of proteins from the cytoplasm into the nucleus. [GOC:jl]' - }, - 'GO:0042309': { - 'name': 'homoiothermy', - 'def': 'Any homoeostatic process in which an organism maintains its internal body temperature at a relatively constant value. This is achieved by using metabolic processes to counteract fluctuations in the temperature of the environment. [ISBN:0192801023]' - }, - 'GO:0042310': { - 'name': 'vasoconstriction', - 'def': 'A decrease in the diameter of blood vessels, especially arteries, due to constriction of smooth muscle cells that line the vessels, and usually causing an increase in blood pressure. [GOC:pr, ISBN:0192800752]' - }, - 'GO:0042311': { - 'name': 'vasodilation', - 'def': 'An increase in the internal diameter of blood vessels, especially arterioles or capillaries, due to relaxation of smooth muscle cells that line the vessels, and usually resulting in a decrease in blood pressure. [GOC:pr, ISBN:0192800981]' - }, - 'GO:0042313': { - 'name': 'protein kinase C deactivation', - 'def': 'Any process resulting in the inhibition or termination of the activity of protein kinase C. [GOC:bf]' - }, - 'GO:0042314': { - 'name': 'bacteriochlorophyll binding', - 'def': 'Interacting selectively and non-covalently with bacteriochlorophyll, a form of chlorophyll found in photosynthetic bacteria, such as the purple and green bacteria. There are several types, designated a to g. Bacteriochlorophyll a and bacteriochlorophyll b are structurally similar to the chlorophyll a and chlorophyll b found in plants. [ISBN:0192800981]' - }, - 'GO:0042315': { - 'name': 'obsolete cytosol nonspecific dipeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of dipeptides, preferentially hydrophobic dipeptides including prolyl amino acids. [EC:3.4.13.18]' - }, - 'GO:0042316': { - 'name': 'penicillin metabolic process', - 'def': 'The chemical reactions and pathways involving any antibiotic that contains the condensed beta-lactamthiazolidine ring system. Penicillins are produced naturally during the growth of various microfungi of the genera Penicillium and Aspergillus. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042317': { - 'name': 'penicillin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any antibiotic that contains the condensed beta-lactamthiazolidine ring system. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042318': { - 'name': 'penicillin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any antibiotic that contains the condensed beta-lactamthiazolidine ring system. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042320': { - 'name': 'regulation of circadian sleep/wake cycle, REM sleep', - 'def': 'Any process that modulates the frequency, rate or extent of rapid eye movement (REM) sleep. [GOC:jl, PMID:11506998]' - }, - 'GO:0042321': { - 'name': 'negative regulation of circadian sleep/wake cycle, sleep', - 'def': 'Any process that stops, prevents or reduces the duration or quality of sleep, a readily reversible state of reduced awareness and metabolic activity that occurs periodically in many animals. [GOC:go_curators, GOC:jl, ISBN:0192800981]' - }, - 'GO:0042322': { - 'name': 'negative regulation of circadian sleep/wake cycle, REM sleep', - 'def': 'Any process that stops, prevents or reduces the duration or quality of rapid eye movement (REM) sleep. [GOC:go_curators, GOC:jl]' - }, - 'GO:0042323': { - 'name': 'negative regulation of circadian sleep/wake cycle, non-REM sleep', - 'def': 'Any process that stops, prevents or reduces the duration or quality of non-rapid eye movement (NREM) sleep. [GOC:jl]' - }, - 'GO:0042324': { - 'name': 'hypocretin receptor binding', - 'def': 'Interacting selectively and non-covalently with the hypocretin receptor. [GOC:ceb, PMID:11988773]' - }, - 'GO:0042325': { - 'name': 'regulation of phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of addition of phosphate groups into a molecule. [GOC:jl]' - }, - 'GO:0042326': { - 'name': 'negative regulation of phosphorylation', - 'def': 'Any process that stops, prevents or decreases the rate of addition of phosphate groups to a molecule. [GOC:jl]' - }, - 'GO:0042327': { - 'name': 'positive regulation of phosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of addition of phosphate groups to a molecule. [GOC:jl]' - }, - 'GO:0042328': { - 'name': 'heparan sulfate N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + heparan sulfate = UDP + (N-acetyl-D-glucosaminyl)-heparan sulfate. [GOC:ma]' - }, - 'GO:0042329': { - 'name': 'structural constituent of collagen and cuticulin-based cuticle', - 'def': 'The action of a molecule that contributes to the structural integrity of a collagen and cuticulin-based cuticle. An example of this process is found in Caenorhabditis elegans. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0042330': { - 'name': 'taxis', - 'def': 'The directed movement of a motile cell or organism in response to an external stimulus. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0042331': { - 'name': 'phototaxis', - 'def': 'The directed movement of a motile cell or organism in response to light. [GOC:jl, ISBN:0192800981]' - }, - 'GO:0042332': { - 'name': 'gravitaxis', - 'def': 'The directed movement of a motile cell or organism in response to gravity. [GOC:jid, GOC:jl]' - }, - 'GO:0042333': { - 'name': 'chemotaxis to oxidizable substrate', - 'def': 'The directed movement of a motile cell or organism in response to the presence of an oxidizable substrate, for example, fructose. [GOC:jl, PMID:11029423]' - }, - 'GO:0042334': { - 'name': 'taxis to electron acceptor', - 'def': 'The directed movement of a motile cell or organism in response to the presence of an alternative electron acceptor, for example, nitrate. [GOC:jl, PMID:11029423]' - }, - 'GO:0042335': { - 'name': 'cuticle development', - 'def': 'The chemical reactions and pathways resulting in the formation of a cuticle, the outer layer of some animals and plants, which acts to prevent water loss. [ISBN:0192800825]' - }, - 'GO:0042336': { - 'name': 'obsolete cuticle development involved in protein-based cuticle molting cycle', - 'def': 'OBSOLETE. Synthesis and deposition of a protein-based noncellular, hardened, or membranous secretion from an epithelial sheet, occurring as part of the molting cycle. Examples of this process are found in invertebrate species. [GOC:dph, GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0042337': { - 'name': 'cuticle development involved in chitin-based cuticle molting cycle', - 'def': 'The synthesis and deposition of a chitin-based non-cellular, hardened, or membranous secretion from an epithelial sheet, occurring as part of the molting cycle. An example of this is found in Drosophila melanogaster. [GOC:dph, GOC:jl, GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0042338': { - 'name': 'cuticle development involved in collagen and cuticulin-based cuticle molting cycle', - 'def': 'Synthesis and deposition of a collagen and cuticulin-based noncellular, hardened, or membranous secretion from an epithelial sheet, occurring as part of the molting cycle. An example of this process is found in Caenorhabditis elegans. [GOC:mtg_sensu]' - }, - 'GO:0042339': { - 'name': 'keratan sulfate metabolic process', - 'def': 'The chemical reactions and pathways involving keratan sulfate, a glycosaminoglycan with repeat units consisting of beta-1,4-linked D-galactopyranosyl-beta-(1,4)-N-acetyl-D-glucosamine 6-sulfate and with variable amounts of fucose, sialic acid and mannose units; keratan sulfate chains are covalently linked by a glycosidic attachment through the trisaccharide galactosyl-galactosyl-xylose to peptidyl-threonine or serine residues. [GOC:go_curators]' - }, - 'GO:0042340': { - 'name': 'keratan sulfate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of keratan sulfate, a glycosaminoglycan with repeat units consisting of beta-1,4-linked D-galactopyranosyl-beta-(1,4)-N-acetyl-D-glucosamine 6-sulfate and with variable amounts of fucose, sialic acid and mannose units; keratan sulfate chains are covalently linked by a glycosidic attachment through the trisaccharide galactosyl-galactosyl-xylose to peptidyl-threonine or serine residues. [GOC:go_curators]' - }, - 'GO:0042341': { - 'name': 'cyanogenic glycoside metabolic process', - 'def': 'The chemical reactions and pathways involving cyanogenic glycosides, any glycoside containing a cyano group that is released as hydrocyanic acid on acid hydrolysis; such compounds occur in the kernels of various fruits. [ISBN:0198506732]' - }, - 'GO:0042342': { - 'name': 'cyanogenic glycoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cyanogenic glycosides, any glycoside containing a cyano group that is released as hydrocyanic acid on acid hydrolysis; such compounds occur in the kernels of various fruits. [ISBN:0198506732]' - }, - 'GO:0042343': { - 'name': 'indole glucosinolate metabolic process', - 'def': 'The chemical reactions and pathways resulting in the formation of indole glucosinolates. Glucosinolates are sulfur-containing compounds that have a common structure linked to an R group derived from tryptophan; indoles are biologically active substances based on 2,3-benzopyrrole, formed during the catabolism of tryptophan. [http://www.onelook.com/]' - }, - 'GO:0042344': { - 'name': 'indole glucosinolate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of indole glucosinolates, sulfur-containing compounds that have a common structure linked to an R group derived from tryptophan. [http://www.onelook.com]' - }, - 'GO:0042345': { - 'name': 'regulation of NF-kappaB import into nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of the transfer of NF-kappaB, a transcription factor for eukaryotic RNA polymerase II promoters, from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042346': { - 'name': 'positive regulation of NF-kappaB import into nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of transfer of NF-kappaB, a transcription factor for eukaryotic RNA polymerase II promoters, from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042347': { - 'name': 'negative regulation of NF-kappaB import into nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the transfer of NF-kappaB, a transcription factor for eukaryotic RNA polymerase II promoters, from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042348': { - 'name': 'NF-kappaB import into nucleus', - 'def': 'The directed movement of NF-kappaB, a transcription factor for eukaryotic RNA polymerase II promoters, from the cytoplasm into the nucleus, across the nuclear membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042349': { - 'name': 'guiding stereospecific synthesis activity', - 'def': 'The orientation of free radical substrates in such a way that only a particular stereoisomer is synthesized by an enzyme. Best characterized as a function during lignan biosynthesis. [GOC:ma]' - }, - 'GO:0042350': { - 'name': 'GDP-L-fucose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of GDP-L-fucose, a substance composed of L-fucose in glycosidic linkage with guanosine diphosphate. [GOC:jl]' - }, - 'GO:0042351': { - 'name': "'de novo' GDP-L-fucose biosynthetic process", - 'def': 'The chemical reactions and pathways resulting in the formation of GDP-L-fucose from GDP-D-mannose via GDP-4-dehydro-6-deoxy-D-mannose, requiring the functions of GDP-mannose 4,6-dehydratase (EC:4.2.1.47) and GDP-L-fucose synthase (EC:1.1.1.271). [EC:1.1.1.271, PMID:11030750]' - }, - 'GO:0042352': { - 'name': 'GDP-L-fucose salvage', - 'def': 'The formation of GDP-L-fucose from L-fucose, without de novo synthesis. L-fucose is phosphorylated by fucokinase and then converted by fucose-1-phosphate guanylyltransferase (EC:2.7.7.30). [GOC:ma]' - }, - 'GO:0042353': { - 'name': 'fucose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fucose (6-deoxygalactose). [GOC:jl]' - }, - 'GO:0042354': { - 'name': 'L-fucose metabolic process', - 'def': 'The chemical reactions and pathways involving L-fucose, 6-deoxy-L-galactose, a sugar that occurs in fucans, a class of polysaccharides in seaweeds, especially Fucus species, and in the cell wall matrix of higher plants. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042355': { - 'name': 'L-fucose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-fucose (6-deoxy-Lgalactose). [GOC:jl]' - }, - 'GO:0042356': { - 'name': 'GDP-4-dehydro-D-rhamnose reductase activity', - 'def': 'Catalysis of the reaction: GDP-6-deoxy-D-mannose + NAD(P)+ = GDP-4-dehydro-6-deoxy-D-mannose + NAD(P)H + H+. In the reverse reaction, a mixture of GDP-D-rhamnose and its C-4 epimer is formed. [BRENDA:1.1.1.187, EC:1.1.1.187]' - }, - 'GO:0042357': { - 'name': 'thiamine diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving thiamine diphosphate, a derivative of thiamine (vitamin B1) which acts as a coenzyme in a range of processes including the Krebs cycle. [CHEBI:45931, GOC:jl, ISBN:0198506732]' - }, - 'GO:0042358': { - 'name': 'thiamine diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of thiamine diphosphate, a derivative of thiamine (vitamin B1) which acts as a coenzyme in a range of processes including the Krebs cycle. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042359': { - 'name': 'vitamin D metabolic process', - 'def': 'The chemical reactions and pathways involving vitamin D, any of a group of related, fat-soluble compounds that are derived from delta-5,7 steroids and play a central role in calcium metabolism. Specific forms of vitamin D include calciferol (ergocalciferol; vitamin D2) and cholecalciferol (calciol; vitamin D3). [CHEBI:27300, GOC:mah, ISBN:0471331309]' - }, - 'GO:0042360': { - 'name': 'vitamin E metabolic process', - 'def': 'The chemical reactions and pathways involving vitamin E, tocopherol, which includes a series of eight structurally similar compounds. Alpha-tocopherol is the most active form in humans and is a powerful biological antioxidant. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042361': { - 'name': 'menaquinone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of menaquinones, any of the quinone-derived compounds synthesized by intestinal bacteria. Structurally, menaquinones consist of a methylated naphthoquinone ring structure and side chains composed of a variable number of unsaturated isoprenoid residues. Menaquinones have vitamin K activity and are known as vitamin K2. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0042362': { - 'name': 'fat-soluble vitamin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any of a diverse group of vitamins that are soluble in organic solvents and relatively insoluble in water. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042363': { - 'name': 'fat-soluble vitamin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any of a diverse group of vitamins that are soluble in organic solvents and relatively insoluble in water. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042364': { - 'name': 'water-soluble vitamin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any of a diverse group of vitamins that are soluble in water. [GOC:jl]' - }, - 'GO:0042365': { - 'name': 'water-soluble vitamin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any of a diverse group of vitamins that are soluble in water. [GOC:jl, http://www.indstate.edu/thcme/mwking/vitamins.html]' - }, - 'GO:0042366': { - 'name': 'cobalamin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cobalamin (vitamin B12), a water-soluble vitamin characterized by possession of a corrin nucleus containing a cobalt atom. [GOC:go_curators]' - }, - 'GO:0042367': { - 'name': 'biotin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of biotin, cis-tetrahydro-2-oxothieno(3,4-d)imidazoline-4-valeric acid. [ISBN:0198506732]' - }, - 'GO:0042368': { - 'name': 'vitamin D biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of vitamin D, any of a group of related, fat-soluble compounds that are derived from delta-5,7 steroids and play a central role in calcium metabolism. Specific forms of vitamin D include calciferol (ergocalciferol; vitamin D2) and cholecalciferol (calciol; vitamin D3). [CHEBI:27300, GOC:mah, ISBN:0471331309]' - }, - 'GO:0042369': { - 'name': 'vitamin D catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of vitamin D, any of a group of related, fat-soluble compounds that are derived from delta-5,7 steroids and play a central role in calcium metabolism. Specific forms of vitamin D include calciferol (ergocalciferol; vitamin D2) and cholecalciferol (calciol; vitamin D3). [CHEBI:27300, GOC:mah, ISBN:0471331309]' - }, - 'GO:0042370': { - 'name': 'thiamine diphosphate dephosphorylation', - 'def': 'The removal of one or more phosphate groups from thiamine diphosphate, a derivative of thiamine (vitamin B1) which acts as a coenzyme in a range of processes including the Krebs cycle. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042371': { - 'name': 'vitamin K biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any of the forms of vitamin K, quinone-derived vitamins which are involved in the synthesis of blood-clotting factors in mammals. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0042372': { - 'name': 'phylloquinone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phylloquinone, vitamin K1, a quinone-derived compound synthesized by green plants. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0042373': { - 'name': 'vitamin K metabolic process', - 'def': 'The chemical reactions and pathways involving any of the forms of vitamin K, quinone-derived vitamins which are involved in the synthesis of blood-clotting factors in mammals. Vitamin K substances share a methylated naphthoquinone ring structure and vary in the aliphatic side chains attached to the molecule. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0042374': { - 'name': 'phylloquinone metabolic process', - 'def': 'The chemical reactions and pathways involving phylloquinone, a quinone-derived compound synthesized by green plants. Phylloquinone has vitamin K activity and is known as vitamin K1. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0042376': { - 'name': 'phylloquinone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phylloquinone, vitamin K1, a quinone-derived compound synthesized by green plants. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0042377': { - 'name': 'vitamin K catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any of the forms of vitamin K, quinone-derived vitamins which are involved in the synthesis of blood-clotting factors in mammals. [GOC:jl, http://www.dentistry.leeds.ac.uk/biochem/thcme/vitamins.html#k]' - }, - 'GO:0042379': { - 'name': 'chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with any chemokine receptor. [GOC:ai]' - }, - 'GO:0042380': { - 'name': 'hydroxymethylbutenyl pyrophosphate reductase activity', - 'def': 'Catalysis of the formation of both isopentenyl pyrophosphate and dimethylallyl pyrophosphate from (E)-4-hydroxy-3-methyl-but-2-enyl pyrophosphate. [GOC:js]' - }, - 'GO:0042381': { - 'name': 'hemolymph coagulation', - 'def': 'Any process in which factors in the hemolymph (the invertebrate equivalent of vertebrate blood and lymph) precipitate into insoluble clots in order to prevent loss of body fluid, and at the same time prevent the movement of microbes. Hemolymph coagulation is also part of the invertebrate humoral immune response. [GOC:jl, ISBN:0198506732, PMID:10561606, PMID:11915949]' - }, - 'GO:0042382': { - 'name': 'paraspeckles', - 'def': 'Discrete subnuclear bodies in the interchromatin nucleoplasmic space, often located adjacent to nuclear specks. 10-20 paraspeckles are typically found in human cell nuclei. [GOC:jl, PMID:11790299]' - }, - 'GO:0042383': { - 'name': 'sarcolemma', - 'def': 'The outer membrane of a muscle cell, consisting of the plasma membrane, a covering basement membrane (about 100 nm thick and sometimes common to more than one fiber), and the associated loose network of collagen fibers. [ISBN:0198506732]' - }, - 'GO:0042385': { - 'name': 'myosin III complex', - 'def': 'A myosin complex containing a class III myosin heavy chain and associated light chains; myosin III is monomeric myosin that serves as a link between the cytoskeleton and the signaling complex involved in phototransduction, and differs from all other myosins in having an N-terminal kinase domain. [GOC:jl, http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]' - }, - 'GO:0042386': { - 'name': 'hemocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the characteristics of a mature hemocyte. Hemocytes are blood cells associated with a hemocoel (the cavity containing most of the major organs of the arthropod body) which are involved in defense and clotting of hemolymph, but not involved in transport of oxygen. [CL:0000387, GOC:jl, GOC:mtg_sensu, PMID:9550723]' - }, - 'GO:0042387': { - 'name': 'plasmatocyte differentiation', - 'def': 'The process in which a hemocyte precursor cell acquires the characteristics of the phagocytic blood-cell type, the plasmatocyte. Plasmatocytes are a class of arthropod hemocytes important in the cellular defense response. [PMID:11921077, PMID:8174791]' - }, - 'GO:0042388': { - 'name': 'gibberellic acid mediated signaling pathway, G-alpha-dependent', - 'def': 'A series of molecular signals mediated by the detection of gibberellic acid and dependent on the coupling of the alpha subunit of G proteins to the hormone receptors. [GOC:pj, PMID:11027362]' - }, - 'GO:0042389': { - 'name': 'omega-3 fatty acid desaturase activity', - 'def': 'Catalysis of the introduction of an omega-3 double bond into the fatty acid hydrocarbon chain. [GOC:jl, PMID:9037020]' - }, - 'GO:0042390': { - 'name': 'gibberellic acid mediated signaling pathway, G-alpha-independent', - 'def': 'A series of molecular signals mediated by the detection of gibberellic acid and not dependent on the coupling of the alpha subunit of G proteins to the hormone receptors. [GOC:pj, PMID:11027362]' - }, - 'GO:0042391': { - 'name': 'regulation of membrane potential', - 'def': 'Any process that modulates the establishment or extent of a membrane potential, the electric potential existing across any membrane arising from charges in the membrane itself and from the charges present in the media on either side of the membrane. [GOC:jl, GOC:mtg_cardio, GOC:tb, ISBN:0198506732]' - }, - 'GO:0042392': { - 'name': 'sphingosine-1-phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: sphingosine 1-phosphate + H2O = sphingosine + phosphate. [GOC:jl, PMID:11331102]' - }, - 'GO:0042393': { - 'name': 'histone binding', - 'def': 'Interacting selectively and non-covalently with a histone, any of a group of water-soluble proteins found in association with the DNA of plant and animal chromosomes. They are involved in the condensation and coiling of chromosomes during cell division and have also been implicated in nonspecific suppression of gene activity. [GOC:jl]' - }, - 'GO:0042394': { - 'name': 'obsolete ecdysis, protein-based cuticle', - 'def': 'OBSOLETE. The shedding of the old protein-based cuticular fragments during the molting cycle. Examples of this process are found in invertebrates. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0042395': { - 'name': 'ecdysis, collagen and cuticulin-based cuticle', - 'def': 'The shedding of the old collagen and cuticulin-based cuticle fragments during the molting cycle. Examples of this process are found in invertebrates. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0042396': { - 'name': 'phosphagen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphagen, any of a group of guanidine phosphates that occur in muscle and can be used to regenerate ATP from ADP during muscular contraction. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042397': { - 'name': 'phosphagen catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphagen, any of a group of guanidine phosphates that occur in muscle and can be used to regenerate ATP from ADP during muscular contraction. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042398': { - 'name': 'cellular modified amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of compounds derived from amino acids, organic acids containing one or more amino substituents. [CHEBI:83821, GOC:ai]' - }, - 'GO:0042399': { - 'name': 'ectoine metabolic process', - 'def': 'The chemical reactions and pathways involving ectoine (1,4,5,6-tetrahydro-2-methyl-4-pyrimidinecarboxylic acid), a tetrahydropyrimidine commonly synthesized by halophilic bacteria. [GOC:jl, PMID:11823218]' - }, - 'GO:0042400': { - 'name': 'ectoine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ectoine (1,4,5,6-tetrahydro-2-methyl-4-pyrimidinecarboxylic acid), a tetrahydropyrimidine commonly synthesized by halophilic bacteria. [GOC:jl, PMID:11823218]' - }, - 'GO:0042401': { - 'name': 'cellular biogenic amine biosynthetic process', - 'def': 'The chemical reactions and pathways occurring at the level of individual cells resulting in the formation of any of a group of naturally occurring, biologically active amines, such as norepinephrine, histamine, and serotonin, many of which act as neurotransmitters. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0042402': { - 'name': 'cellular biogenic amine catabolic process', - 'def': 'The chemical reactions and pathways occurring at the level of individual cells resulting in the breakdown of biogenic amines, any of a group of naturally occurring, biologically active amines, such as norepinephrine, histamine, and serotonin, many of which act as neurotransmitters. [GOC:go_curators, GOC:jl, ISBN:0198506732]' - }, - 'GO:0042403': { - 'name': 'thyroid hormone metabolic process', - 'def': 'The chemical reactions and pathways involving any of the compounds secreted by the thyroid gland, largely thyroxine and triiodothyronine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042404': { - 'name': 'thyroid hormone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any of the compounds secreted by the thyroid gland, largely thyroxine and triiodothyronine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042405': { - 'name': 'nuclear inclusion body', - 'def': 'An intranuclear focus at which aggregated proteins have been sequestered. [GOC:jl]' - }, - 'GO:0042406': { - 'name': 'extrinsic component of endoplasmic reticulum membrane', - 'def': 'The component of the endoplasmic reticulum membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:curators, GOC:dos]' - }, - 'GO:0042407': { - 'name': 'cristae formation', - 'def': 'The assembly of cristae, the inwards folds of the inner mitochondrial membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042408': { - 'name': 'obsolete myrcene/(E)-beta-ocimene synthase activity', - 'def': 'OBSOLETE. Catalysis of the conversion of geranyl diphosphate (GPP) into the acyclic monoterpenes beta-myrcene, (E)-beta-ocimene, and other minor cyclic monoterpenes. [GOC:cr, PMID:10700382]' - }, - 'GO:0042409': { - 'name': 'caffeoyl-CoA O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + caffeoyl-CoA = S-adenosyl-L-homocysteine + feruloyl-CoA. [EC:2.1.1.104]' - }, - 'GO:0042410': { - 'name': '6-carboxyhexanoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + CoA + pimelate = AMP + diphosphate + H(+) + pimelyl-CoA. [EC:6.2.1.14, RHEA:14784]' - }, - 'GO:0042412': { - 'name': 'taurine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of taurine (2-aminoethanesulfonic acid), a sulphur-containing amino acid derivative important in the metabolism of fats. [GOC:jl, ISBN:0198600461]' - }, - 'GO:0042413': { - 'name': 'carnitine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carnitine (hydroxy-trimethyl aminobutyric acid), a compound that participates in the transfer of acyl groups across the inner mitochondrial membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042414': { - 'name': 'epinephrine metabolic process', - 'def': 'The chemical reactions and pathways involving epinephrine, a hormone produced by the medulla of the adrenal glands that increases heart activity, improves the power and prolongs the action of muscles, and increases the rate and depth of breathing. It is synthesized by the methylation of norepinephrine. [GOC:jl, ISBN:0192801023, ISBN:0198506732]' - }, - 'GO:0042415': { - 'name': 'norepinephrine metabolic process', - 'def': 'The chemical reactions and pathways involving norepinephrine, a hormone secreted by the adrenal medulla, and a neurotransmitter in the sympathetic peripheral nervous system and in some tracts in the central nervous system. It is also the demethylated biosynthetic precursor of epinephrine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042416': { - 'name': 'dopamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dopamine, a catecholamine neurotransmitter and a metabolic precursor of noradrenaline and adrenaline. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042417': { - 'name': 'dopamine metabolic process', - 'def': 'The chemical reactions and pathways involving dopamine, a catecholamine neurotransmitter and a metabolic precursor of noradrenaline and adrenaline. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042418': { - 'name': 'epinephrine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of epinephrine, a hormone produced by the medulla of the adrenal glands that increases heart activity, improves the power and prolongs the action of muscles, and increases the rate and depth of breathing. It is synthesized by the methylation of norepinephrine. [GOC:jl, ISBN:0192801023, ISBN:0198506732]' - }, - 'GO:0042419': { - 'name': 'epinephrine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of epinephrine, a hormone produced by the medulla of the adrenal glands that increases heart activity, improves the power and prolongs the action of muscles, and increases the rate and depth of breathing. It is synthesized by the methylation of norepinephrine. [GOC:jl, ISBN:0192801023, ISBN:0198506732]' - }, - 'GO:0042420': { - 'name': 'dopamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dopamine, a catecholamine neurotransmitter and a metabolic precursor of noradrenaline and adrenaline. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042421': { - 'name': 'norepinephrine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of norepinephrine, a hormone secreted by the adrenal medulla, and a neurotransmitter in the sympathetic peripheral nervous system and in some tracts in the central nervous system. It is also the demethylated biosynthetic precursor of epinephrine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042422': { - 'name': 'norepinephrine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of norepinephrine, a hormone secreted by the adrenal medulla, and a neurotransmitter in the sympathetic peripheral nervous system and in some tracts in the central nervous system. It is also the demethylated biosynthetic precursor of epinephrine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042423': { - 'name': 'catecholamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any of a group of physiologically important biogenic amines that possess a catechol (3,4-dihydroxyphenyl) nucleus and are derivatives of 3,4-dihydroxyphenylethylamine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042424': { - 'name': 'catecholamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any of a group of physiologically important biogenic amines that possess a catechol (3,4-dihydroxyphenyl) nucleus and are derivatives of 3,4-dihydroxyphenylethylamine. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042425': { - 'name': 'choline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of choline (2-hydroxyethyltrimethylammonium), an amino alcohol that occurs widely in living organisms as a constituent of certain types of phospholipids and in the neurotransmitter acetylcholine. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0042426': { - 'name': 'choline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of choline (2-hydroxyethyltrimethylammonium), an amino alcohol that occurs widely in living organisms as a constituent of certain types of phospholipids and in the neurotransmitter acetylcholine. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0042427': { - 'name': 'serotonin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of serotonin (5-hydroxytryptamine), a monoamine neurotransmitter occurring in the peripheral and central nervous systems, also having hormonal properties. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042428': { - 'name': 'serotonin metabolic process', - 'def': 'The chemical reactions and pathways involving serotonin (5-hydroxytryptamine), a monoamine neurotransmitter occurring in the peripheral and central nervous systems, also having hormonal properties. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042429': { - 'name': 'serotonin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of serotonin (5-hydroxytryptamine), a monoamine neurotransmitter occurring in the peripheral and central nervous systems, also having hormonal properties. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042430': { - 'name': 'indole-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving compounds that contain an indole (2,3-benzopyrrole) skeleton. [CHEBI:24828, GOC:jl, GOC:mah]' - }, - 'GO:0042431': { - 'name': 'indole metabolic process', - 'def': 'The chemical reactions and pathways involving indole (2,3-benzopyrrole), the basis of many biologically active substances (e.g. serotonin, tryptophan). [CHEBI:35581, GOC:jl]' - }, - 'GO:0042432': { - 'name': 'indole biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of indole (2,3-benzopyrrole), the basis of many biologically active substances (e.g. serotonin, tryptophan). [CHEBI:35581, GOC:jl]' - }, - 'GO:0042433': { - 'name': 'indole catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of indole (2,3-benzopyrrole), the basis of many biologically active substances (e.g. serotonin, tryptophan). [CHEBI:35581, GOC:jl]' - }, - 'GO:0042435': { - 'name': 'indole-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of compounds that contain an indole (2,3-benzopyrrole) skeleton. [CHEBI:24828, GOC:jl]' - }, - 'GO:0042436': { - 'name': 'indole-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of compounds that contain an indole (2,3-benzopyrrole) skeleton. [CHEBI:24828, GOC:jl]' - }, - 'GO:0042437': { - 'name': 'indoleacetic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of indole-3-acetic acid, a compound which functions as a growth regulator in plants. [GOC:jl]' - }, - 'GO:0042438': { - 'name': 'melanin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of melanins, pigments largely of animal origin. High molecular weight polymers of indole quinone, they are irregular polymeric structures and are divided into three groups: allomelanins in the plant kingdom and eumelanins and phaeomelanins in the animal kingdom. [CHEBI:25179, GOC:curators]' - }, - 'GO:0042439': { - 'name': 'ethanolamine-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving ethanolamine (2-aminoethanol) and compounds derived from it. [CHEBI:16000, GOC:mah]' - }, - 'GO:0042440': { - 'name': 'pigment metabolic process', - 'def': 'The chemical reactions and pathways involving pigment, any general or particular coloring matter in living organisms, e.g. melanin. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042441': { - 'name': 'eye pigment metabolic process', - 'def': 'The chemical reactions and pathways involving eye pigments, any general or particular coloring matter in living organisms, found or utilized in the eye. [GOC:ai]' - }, - 'GO:0042442': { - 'name': 'melatonin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of melatonin (N-acetyl-5-methoxytryptamine). [GOC:jl]' - }, - 'GO:0042443': { - 'name': 'phenylethylamine metabolic process', - 'def': 'The chemical reactions and pathways involving phenylethylamine, an amine with pharmacological properties similar to those of amphetamine, occurs naturally as a neurotransmitter in the brain, and is present in chocolate and oil of bitter almonds. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0042444': { - 'name': 'phenylethylamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phenylethylamine, an amine with pharmacological properties similar to those of amphetamine, occurs naturally as a neurotransmitter in the brain, and is present in chocolate and oil of bitter almonds. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0042445': { - 'name': 'hormone metabolic process', - 'def': 'The chemical reactions and pathways involving any hormone, naturally occurring substances secreted by specialized cells that affects the metabolism or behavior of other cells possessing functional receptors for the hormone. [CHEBI:24621, GOC:jl]' - }, - 'GO:0042446': { - 'name': 'hormone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any hormone, naturally occurring substances secreted by specialized cells that affects the metabolism or behavior of other cells possessing functional receptors for the hormone. [CHEBI:24621, GOC:jl]' - }, - 'GO:0042447': { - 'name': 'hormone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any hormone, naturally occurring substances secreted by specialized cells that affects the metabolism or behavior of other cells possessing functional receptors for the hormone. [CHEBI:24621, GOC:jl]' - }, - 'GO:0042448': { - 'name': 'progesterone metabolic process', - 'def': 'The chemical reactions and pathways involving progesterone, a steroid hormone produced in the ovary which prepares and maintains the uterus for pregnancy. Also found in plants. [GOC:jl, http://www.cogsci.princeton.edu/]' - }, - 'GO:0042450': { - 'name': 'arginine biosynthetic process via ornithine', - 'def': 'The chemical reactions and pathways resulting in the formation of arginine (2-amino-5-guanidinopentanoic acid) via the intermediate compound ornithine. [GOC:jl]' - }, - 'GO:0042451': { - 'name': 'purine nucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any purine nucleoside, one of a family of organic molecules consisting of a purine base covalently bonded to a sugar ribose (a ribonucleoside) or deoxyribose (a deoxyribonucleoside). [GOC:go_curators]' - }, - 'GO:0042452': { - 'name': 'deoxyguanosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of deoxyguanosine, a nucleoside consisting of the base guanine and the sugar deoxyribose. [CHEBI:17172, GOC:jl]' - }, - 'GO:0042453': { - 'name': 'deoxyguanosine metabolic process', - 'def': 'The chemical reactions and pathways involving deoxyguanosine, a nucleoside consisting of the base guanine and the sugar deoxyribose. [CHEBI:17172, GOC:jl]' - }, - 'GO:0042454': { - 'name': 'ribonucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any ribonucleoside, a nucleoside in which purine or pyrimidine base is linked to a ribose (beta-D-ribofuranose) molecule. [CHEBI:18254, GOC:jl]' - }, - 'GO:0042455': { - 'name': 'ribonucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any ribonucleoside, a nucleoside in which purine or pyrimidine base is linked to a ribose (beta-D-ribofuranose) molecule. [CHEBI:18254, GOC:jl]' - }, - 'GO:0042457': { - 'name': 'ethylene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ethylene (C2-H4, ethene), a simple hydrocarbon gas that can function in plants as a growth regulator. [GOC:jl, ISBN:0387969845]' - }, - 'GO:0042458': { - 'name': 'nopaline catabolic process to proline', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nopaline into other compounds, including proline. [GOC:go_curators]' - }, - 'GO:0042459': { - 'name': 'octopine catabolic process to proline', - 'def': 'The chemical reactions and pathways resulting in the breakdown of octopine into other compounds, including proline. [GOC:go_curators]' - }, - 'GO:0042461': { - 'name': 'photoreceptor cell development', - 'def': 'Development of a photoreceptor, a cell that responds to incident electromagnetic radiation, particularly visible light. [GOC:go_curators]' - }, - 'GO:0042462': { - 'name': 'eye photoreceptor cell development', - 'def': 'Development of a photoreceptor, a sensory cell in the eye that reacts to the presence of light. They usually contain a pigment that undergoes a chemical change when light is absorbed, thus stimulating a nerve. [GOC:jl, ISBN:0192800981]' - }, - 'GO:0042463': { - 'name': 'ocellus photoreceptor cell development', - 'def': 'Development of photoreceptors, sensory cells that react to the presence of light, found in the ocellus. [GOC:jl, ISBN:0192800981, PMID:11542766]' - }, - 'GO:0042464': { - 'name': 'dosage compensation by hypoactivation of X chromosome', - 'def': 'Compensating for the two-fold variation in X:autosome chromosome ratios between sexes by an inactivation of a proportion of genes on both of the X chromosomes of the XX sex, leading to a decrease, of half, of the levels of gene expression from these chromosomes. An example of this process is found in Caenorhabditis elegans. [GOC:jl, GOC:mr, https://en.wikipedia.org/wiki/XY_sex-determination_system, PMID:11102361, PMID:20622855]' - }, - 'GO:0042465': { - 'name': 'kinesis', - 'def': 'The movement of a cell or organism in response to a stimulus in which the rate of movement depends on the intensity (rather than the direction) of the stimulus. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0042466': { - 'name': 'chemokinesis', - 'def': 'A response by a motile cell to a soluble chemical that involves an increase or decrease in speed (positive or negative orthokinesis) or of frequency of movement or a change in the frequency or magnitude of turning behavior (klinokinesis). [GOC:jl, PMID:2073411]' - }, - 'GO:0042467': { - 'name': 'orthokinesis', - 'def': 'The movement of a cell or organism in response to a stimulus in which the speed or frequency of movement is increased or decreased. [GOC:jl, PMID:8207088]' - }, - 'GO:0042468': { - 'name': 'klinokinesis', - 'def': 'The movement of a cell or organism in response to a stimulus in which the frequency or magnitude of turning behavior is altered. [GOC:jl, PMID:2790068]' - }, - 'GO:0042469': { - 'name': 'versicolorin reductase activity', - 'def': 'Catalysis of the reduction of versicolorin A to sterigmatocystin. [PMID:1339261]' - }, - 'GO:0042470': { - 'name': 'melanosome', - 'def': 'A tissue-specific, membrane-bounded cytoplasmic organelle within which melanin pigments are synthesized and stored. Melanosomes are synthesized in melanocyte cells. [GOC:jl, PMID:11584301]' - }, - 'GO:0042471': { - 'name': 'ear morphogenesis', - 'def': 'The process in which the anatomical structures of the ear are generated and organized. The ear is the sense organ in vertebrates that is specialized for the detection of sound, and the maintenance of balance. Includes the outer ear and middle ear, which collect and transmit sound waves; and the inner ear, which contains the organs of balance and (except in fish) hearing. Also includes the pinna, the visible part of the outer ear, present in some mammals. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0042472': { - 'name': 'inner ear morphogenesis', - 'def': 'The process in which the anatomical structures of the inner ear are generated and organized. The inner ear is the structure in vertebrates that contains the organs of balance and hearing. It consists of soft hollow sensory structures (the membranous labyrinth) containing fluid (endolymph) surrounded by fluid (perilymph) and encased in a bony cavity (the bony labyrinth). It consists of two chambers, the sacculus and utriculus, from which arise the cochlea and semicircular canals respectively. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0042473': { - 'name': 'outer ear morphogenesis', - 'def': 'The process in which the anatomical structures of the outer ear are generated and organized. The outer ear is the part of the ear external to the tympanum (eardrum). It consists of a tube (the external auditory meatus) that directs sound waves on to the tympanum, and may also include the external pinna, which extends beyond the skull. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0042474': { - 'name': 'middle ear morphogenesis', - 'def': 'The process in which the anatomical structures of the middle ear are generated and organized. The middle ear is the air-filled cavity within the skull of vertebrates that lies between the outer ear and the inner ear. It is linked to the pharynx (and therefore to outside air) via the Eustachian tube and in mammals contains the three ear ossicles, which transmit auditory vibrations from the outer ear (via the tympanum) to the inner ear (via the oval window). [GOC:jl, ISBN:0192801023]' - }, - 'GO:0042475': { - 'name': 'odontogenesis of dentin-containing tooth', - 'def': 'The process whose specific outcome is the progression of a dentin-containing tooth over time, from its formation to the mature structure. A dentin-containing tooth is a hard, bony organ borne on the jaw or other bone of a vertebrate, and is composed mainly of dentin, a dense calcified substance, covered by a layer of enamel. [GOC:cjm, GOC:mah, GOC:mtg_sensu, PMID:10333884, PMID:15355794]' - }, - 'GO:0042476': { - 'name': 'odontogenesis', - 'def': 'The process whose specific outcome is the progression of a tooth or teeth over time, from formation to the mature structure(s). A tooth is any hard bony, calcareous, or chitinous organ found in the mouth or pharynx of an animal and used in procuring or masticating food. [GOC:jl, GOC:mah]' - }, - 'GO:0042478': { - 'name': 'regulation of eye photoreceptor cell development', - 'def': 'Any process that modulates the frequency, rate or extent of eye photoreceptor development. [GOC:jl]' - }, - 'GO:0042479': { - 'name': 'positive regulation of eye photoreceptor cell development', - 'def': 'Any process that activates or increases the frequency, rate or extent of eye photoreceptor development. [GOC:jl]' - }, - 'GO:0042480': { - 'name': 'negative regulation of eye photoreceptor cell development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of eye photoreceptor development. [GOC:jl]' - }, - 'GO:0042481': { - 'name': 'regulation of odontogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of the formation and development of a tooth or teeth. [GOC:jl]' - }, - 'GO:0042482': { - 'name': 'positive regulation of odontogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of the formation and development of a tooth or teeth. [GOC:jl]' - }, - 'GO:0042483': { - 'name': 'negative regulation of odontogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the formation and development of a tooth or teeth. [GOC:jl]' - }, - 'GO:0042487': { - 'name': 'regulation of odontogenesis of dentin-containing tooth', - 'def': 'Any process that modulates the frequency, rate or extent of the formation and development of teeth, the hard, bony appendages which are borne on the jaws, or on other bones in the walls of the mouth or pharynx of most vertebrates. [GOC:jl, GOC:mtg_sensu, PMID:15355794]' - }, - 'GO:0042488': { - 'name': 'positive regulation of odontogenesis of dentin-containing tooth', - 'def': 'Any process that activates or increases the frequency, rate or extent of the formation and development of teeth, the hard, bony appendages that are borne on the jaws, or on other bones in the walls of the mouth or pharynx of most vertebrates. [dictyBase_REF:2530, GOC:jl, PMID:15355794]' - }, - 'GO:0042489': { - 'name': 'negative regulation of odontogenesis of dentin-containing tooth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the formation and development of teeth, the hard, bony appendages which are borne on the jaws, or on other bones in the walls of the mouth or pharynx. [GOC:jl, GOC:mtg_sensu, PMID:15355794]' - }, - 'GO:0042490': { - 'name': 'mechanoreceptor differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mechanoreceptor, a cell specialized to transduce mechanical stimuli and relay that information centrally in the nervous system. [CL:0000199, GOC:jl]' - }, - 'GO:0042491': { - 'name': 'auditory receptor cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an auditory hair cell. [CL:0000201, GOC:jl]' - }, - 'GO:0042492': { - 'name': 'gamma-delta T cell differentiation', - 'def': 'The process in which a relatively unspecialized hemopoietic cell acquires specialized features of a gamma-delta T cell. A gamma-delta T cell is a T cell that expresses a gamma-delta T cell receptor complex. [CL:0000798, GOC:jl]' - }, - 'GO:0042493': { - 'name': 'response to drug', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a drug stimulus. A drug is a substance used in the diagnosis, treatment or prevention of a disease. [GOC:jl]' - }, - 'GO:0042494': { - 'name': 'detection of bacterial lipoprotein', - 'def': 'The series of events in which a bacterial lipoprotein stimulus is received by a cell and converted into a molecular signal. Bacterial lipoproteins are lipoproteins characterized by the presence of conserved sequence motifs called pathogen-associated molecular patterns (PAMPs). [GOC:jl, PMID:12077222]' - }, - 'GO:0042495': { - 'name': 'detection of triacyl bacterial lipopeptide', - 'def': 'The series of events in which a triacylated bacterial lipoprotein stimulus is received by a cell and converted into a molecular signal. Triacylated bacterial lipoproteins are lipopeptides of bacterial origin containing a nonprotein moiety consisting of three acyl groups. [GOC:add, PMID:12077222, PMID:12524386, PMID:2757794]' - }, - 'GO:0042496': { - 'name': 'detection of diacyl bacterial lipopeptide', - 'def': 'The series of events in which a diacylated bacterial lipopeptide stimulus is received by a cell and converted into a molecular signal. Diacylated bacterial lipoproteins are lipopeptides of bacterial origin containing a nonprotein moiety consisting of two acyl groups. [GOC:add, PMID:12077222, PMID:12524386, PMID:2757794]' - }, - 'GO:0042497': { - 'name': 'triacyl lipopeptide binding', - 'def': 'Interacting selectively and non-covalently with a lipopeptide containing a nonprotein moiety consisting of three acyl groups. [GOC:add, PMID:12077222, PMID:12524386, PMID:2757794]' - }, - 'GO:0042498': { - 'name': 'diacyl lipopeptide binding', - 'def': 'Interacting selectively and non-covalently with a lipopeptide containing a nonprotein moiety consisting of two acyl groups. [GOC:add, PMID:12077222, PMID:12524386, PMID:2757794]' - }, - 'GO:0042499': { - 'name': 'obsolete signal peptide peptidase activity', - 'def': 'OBSOLETE. Catalysis of the intramembrane proteolysis of a signal peptide, following its removal from a preprotein. [PMID:12077416]' - }, - 'GO:0042500': { - 'name': 'aspartic endopeptidase activity, intramembrane cleaving', - 'def': 'Catalysis of the hydrolysis of nonterminal peptide bonds in a polypeptide chain, occurring within a membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042501': { - 'name': 'serine phosphorylation of STAT protein', - 'def': 'The process of introducing a phosphate group to a serine residue of a STAT (Signal Transducer and Activator of Transcription) protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0042502': { - 'name': 'tyrosine phosphorylation of Stat2 protein', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a Stat2 protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0042503': { - 'name': 'tyrosine phosphorylation of Stat3 protein', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a Stat3 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042504': { - 'name': 'tyrosine phosphorylation of Stat4 protein', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a Stat4 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042505': { - 'name': 'tyrosine phosphorylation of Stat6 protein', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a Stat6 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042506': { - 'name': 'tyrosine phosphorylation of Stat5 protein', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a Stat5 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042507': { - 'name': 'tyrosine phosphorylation of Stat7 protein', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a Stat7 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042508': { - 'name': 'tyrosine phosphorylation of Stat1 protein', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a Stat1 protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0042509': { - 'name': 'regulation of tyrosine phosphorylation of STAT protein', - 'def': 'Any process that modulates the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a STAT (Signal Transducer and Activator of Transcription) protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042510': { - 'name': 'regulation of tyrosine phosphorylation of Stat1 protein', - 'def': 'Any process that modulates the frequency, rate or extent of introducing a phosphate group to a tyrosine residue of a Stat1 protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0042511': { - 'name': 'positive regulation of tyrosine phosphorylation of Stat1 protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat1 protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0042512': { - 'name': 'negative regulation of tyrosine phosphorylation of Stat1 protein', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat1 protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0042513': { - 'name': 'regulation of tyrosine phosphorylation of Stat2 protein', - 'def': 'Any process that modulates the frequency, rate or extent of introducing a phosphate group to a tyrosine residue of a Stat2 protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0042514': { - 'name': 'negative regulation of tyrosine phosphorylation of Stat2 protein', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat2 protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0042515': { - 'name': 'positive regulation of tyrosine phosphorylation of Stat2 protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat2 protein. [GOC:jl, PMID:10918594]' - }, - 'GO:0042516': { - 'name': 'regulation of tyrosine phosphorylation of Stat3 protein', - 'def': 'Any process that modulates the frequency, rate or extent of introducing a phosphate group to a tyrosine residue of a Stat3 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042517': { - 'name': 'positive regulation of tyrosine phosphorylation of Stat3 protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat3 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042518': { - 'name': 'negative regulation of tyrosine phosphorylation of Stat3 protein', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat3 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042519': { - 'name': 'regulation of tyrosine phosphorylation of Stat4 protein', - 'def': 'Any process that modulates the frequency, rate or extent of introducing a phosphate group to a tyrosine residue of a Stat4 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042520': { - 'name': 'positive regulation of tyrosine phosphorylation of Stat4 protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat4 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042521': { - 'name': 'negative regulation of tyrosine phosphorylation of Stat4 protein', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat4 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042522': { - 'name': 'regulation of tyrosine phosphorylation of Stat5 protein', - 'def': 'Any process that modulates the frequency, rate or extent of introducing a phosphate group to a tyrosine residue of a Stat5 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042523': { - 'name': 'positive regulation of tyrosine phosphorylation of Stat5 protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat5 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042524': { - 'name': 'negative regulation of tyrosine phosphorylation of Stat5 protein', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat5 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042525': { - 'name': 'regulation of tyrosine phosphorylation of Stat6 protein', - 'def': 'Any process that modulates the frequency, rate or extent of introducing a phosphate group to a tyrosine residue of a Stat6 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042526': { - 'name': 'positive regulation of tyrosine phosphorylation of Stat6 protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat6 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042527': { - 'name': 'negative regulation of tyrosine phosphorylation of Stat6 protein', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat6 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042528': { - 'name': 'regulation of tyrosine phosphorylation of Stat7 protein', - 'def': 'Any process that modulates the frequency, rate or extent of introducing a phosphate group to a tyrosine residue of a Stat7 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042529': { - 'name': 'positive regulation of tyrosine phosphorylation of Stat7 protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat7 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042530': { - 'name': 'negative regulation of tyrosine phosphorylation of Stat7 protein', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a Stat7 protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042531': { - 'name': 'positive regulation of tyrosine phosphorylation of STAT protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a STAT (Signal Transducer and Activator of Transcription) protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042532': { - 'name': 'negative regulation of tyrosine phosphorylation of STAT protein', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the introduction of a phosphate group to a tyrosine residue of a STAT (Signal Transducer and Activator of Transcription) protein. [GOC:jl, PMID:11426647]' - }, - 'GO:0042533': { - 'name': 'tumor necrosis factor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tumor necrosis factor, an inflammatory cytokine produced by macrophages/monocytes during acute inflammation and which is responsible for a diverse range of signaling events within cells, leading to necrosis or apoptosis. [GOC:jl, PMID:10891884]' - }, - 'GO:0042534': { - 'name': 'regulation of tumor necrosis factor biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of tumor necrosis factor, an inflammatory cytokine produced by macrophages/monocytes during acute inflammation and which is responsible for a diverse range of signaling events within cells, leading to necrosis or apoptosis. [GOC:jl, PMID:10891884]' - }, - 'GO:0042535': { - 'name': 'positive regulation of tumor necrosis factor biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of tumor necrosis factor, an inflammatory cytokine produced by macrophages/monocytes during acute inflammation and which is responsible for a diverse range of signaling events within cells, leading to necrosis or apoptosis. [GOC:jl, PMID:10891884]' - }, - 'GO:0042536': { - 'name': 'negative regulation of tumor necrosis factor biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of tumor necrosis factor, an inflammatory cytokine produced by macrophages/monocytes during acute inflammation and which is responsible for a diverse range of signaling events within cells, leading to necrosis or apoptosis. [GOC:jl, PMID:10891884]' - }, - 'GO:0042537': { - 'name': 'benzene-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving benzene, C6H6, a volatile, very inflammable liquid, contained in the naphtha produced by the destructive distillation of coal, from which it is separated by fractional distillation, or any of its derivatives. [CHEBI:22712, GOC:jl]' - }, - 'GO:0042538': { - 'name': 'hyperosmotic salinity response', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, an increase in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:jl]' - }, - 'GO:0042539': { - 'name': 'hypotonic salinity response', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, a decrease in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:jl]' - }, - 'GO:0042540': { - 'name': 'hemoglobin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hemoglobin, an oxygen carrying, conjugated protein containing four heme groups and globin; especially, the proteolytic cleavage of hemoglobin to yield free heme, peptides, and amino acids. [CHEBI:35143, GOC:jl, GOC:mb]' - }, - 'GO:0042541': { - 'name': 'hemoglobin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hemoglobin, an oxygen carrying, conjugated protein containing four heme groups and globin. [CHEBI:35143, GOC:jl]' - }, - 'GO:0042542': { - 'name': 'response to hydrogen peroxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydrogen peroxide (H2O2) stimulus. [GOC:jl]' - }, - 'GO:0042543': { - 'name': 'protein N-linked glycosylation via arginine', - 'def': 'The glycosylation of protein via peptidyl-arginine, omega-N-glycosyl-L-arginine. [RESID:AA0327]' - }, - 'GO:0042544': { - 'name': 'melibiose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of melibiose, the disaccharide 6-O-alpha-D-galactopyranosyl-D-glucose. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042545': { - 'name': 'cell wall modification', - 'def': 'The series of events leading to chemical and structural alterations of an existing cell wall that can result in loosening, increased extensibility or disassembly. [GOC:jl]' - }, - 'GO:0042546': { - 'name': 'cell wall biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a cell wall. Includes biosynthesis of constituent macromolecules, such as proteins and polysaccharides, and those macromolecular modifications that are involved in synthesis or assembly of the cellular component. A cell wall is the rigid or semi-rigid envelope lying outside the cell membrane of plant, fungal and most prokaryotic cells, maintaining their shape and protecting them from osmotic lysis. [GOC:jl, GOC:mah, GOC:mtg_sensu, ISBN:0198506732]' - }, - 'GO:0042547': { - 'name': 'cell wall modification involved in multidimensional cell growth', - 'def': 'The series of events resulting in chemical or structural changes to existing cell walls and contribute to multidimensional cell growth. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0042548': { - 'name': 'regulation of photosynthesis, light reaction', - 'def': 'Any process that modulates the frequency, rate or extent of the light-dependent reaction of photosynthesis. [GOC:jl]' - }, - 'GO:0042549': { - 'name': 'photosystem II stabilization', - 'def': 'The stabilization of the photosystem II protein complex, resulting from the phosphorylation of its structural protein subunits, in a cell actively involved in photosynthesis. [GOC:go_curators]' - }, - 'GO:0042550': { - 'name': 'photosystem I stabilization', - 'def': 'The stabilization of the photosystem I protein complex, resulting from the phosphorylation of its structural protein subunits, in a cell actively involved in photosynthesis. [GOC:go_curators]' - }, - 'GO:0042551': { - 'name': 'neuron maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a neuron to attain its fully functional state. [GOC:dph, GOC:jl]' - }, - 'GO:0042552': { - 'name': 'myelination', - 'def': 'The process in which myelin sheaths are formed and maintained around neurons. Oligodendrocytes in the brain and spinal cord and Schwann cells in the peripheral nervous system wrap axons with compact layers of their plasma membrane. Adjacent myelin segments are separated by a non-myelinated stretch of axon called a node of Ranvier. [GOC:dgh, GOC:mah]' - }, - 'GO:0042554': { - 'name': 'superoxide anion generation', - 'def': 'The enzymatic generation of superoxide, the superoxide anion O2- (superoxide free radical), or any compound containing this species, by a cell in response to environmental stress, thereby mediating the activation of various stress-inducible signaling pathways. [GOC:jl, PMID:12359750]' - }, - 'GO:0042555': { - 'name': 'MCM complex', - 'def': 'A hexameric protein complex required for the initiation and regulation of DNA replication. [GOC:jl, PMID:11282021]' - }, - 'GO:0042556': { - 'name': 'eukaryotic elongation factor-2 kinase regulator activity', - 'def': 'Modulates the activity of the enzyme eukaryotic elongation factor-2 kinase. [GOC:jl, PMID:11904175]' - }, - 'GO:0042557': { - 'name': 'eukaryotic elongation factor-2 kinase activator activity', - 'def': 'Binds to and increases the activity of the enzyme eukaryotic elongation factor-2 kinase. [GOC:jl, PMID:11904175]' - }, - 'GO:0042558': { - 'name': 'pteridine-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving any compound containing pteridine (pyrazino(2,3-dipyrimidine)), e.g. pteroic acid, xanthopterin and folic acid. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042559': { - 'name': 'pteridine-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any compound containing pteridine (pyrazino(2,3-dipyrimidine)), e.g. pteroic acid, xanthopterin and folic acid. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042560': { - 'name': 'pteridine-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any compound containing pteridine (pyrazino(2,3-dipyrimidine)), e.g. pteroic acid, xanthopterin and folic acid. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042561': { - 'name': 'alpha-amyrin synthase activity', - 'def': 'Catalysis of the reaction: (S)-2,3-epoxysqualene = alpha-amyrin. This reaction is a cyclization and rearrangement of (S)-2,3-epoxysqualene (2,3-oxidosqualene) into alpha-amyrin. [GOC:jl, MetaCyc:RXN-8434, PMID:10848960]' - }, - 'GO:0042562': { - 'name': 'hormone binding', - 'def': 'Interacting selectively and non-covalently with any hormone, naturally occurring substances secreted by specialized cells that affect the metabolism or behavior of other cells possessing functional receptors for the hormone. [CHEBI:24621, GOC:jl]' - }, - 'GO:0042563': { - 'name': 'importin alpha-subunit nuclear export complex', - 'def': 'A protein complex which usually consists of three components, e.g. in Xenopus, the importin alpha-subunit/CAS/Ran, and which functions to shuttle the importin alpha-subunit out of the nucleus through the nuclear pore. [GOC:jl, PMID:9323123, PMID:9323134]' - }, - 'GO:0042564': { - 'name': 'NLS-dependent protein nuclear import complex', - 'def': 'A protein complex which usually consists of three components, e.g. in Xenopus, the importin alpha and beta-subunits and any protein which has a nuclear localization sequence (NLS). The complex acts to import proteins with an NLS into the nucleus through a nuclear pore. [GOC:jl, PMID:9323123, PMID:9323134]' - }, - 'GO:0042565': { - 'name': 'RNA nuclear export complex', - 'def': 'A complex which usually consists of three components, e.g. in Xenopus and yeast, the export receptor CRM1 (also known as exportin 1), the Ran protein and any RNA with a nuclear export sequence (NES). The complex acts to export RNA molecules with a NES from the nucleus through a nuclear pore. [GOC:jl, PMID:9323123]' - }, - 'GO:0042566': { - 'name': 'hydrogenosome', - 'def': 'A spherical, membrane-bounded organelle found in some anaerobic protozoa, which participates in ATP and molecular hydrogen formation. [GOC:jl, PMID:11197234, PMID:11293569]' - }, - 'GO:0042567': { - 'name': 'insulin-like growth factor ternary complex', - 'def': 'A complex of three proteins, which in animals is approximately 150kDa and consists of the insulin-like growth factor (IGF), the insulin-like growth factor binding protein-3 (IGFBP-3), or -5 (IGFBP-5) and an acid-labile subunit (ALS). The complex plays a role in growth and development. [GOC:jl, PMID:12239079]' - }, - 'GO:0042568': { - 'name': 'insulin-like growth factor binary complex', - 'def': 'A complex of two proteins, which in animals is 50kDa and consists of the insulin-like growth factor (IGF) and one of the insulin-like growth factor binding protein-1 (IGFBP-1), -2 (IGFBP-2), -4 (IGFBP-4) and -6 (IGFBP-6). The complex plays a role in growth and development. [GOC:jl, PMID:12239079]' - }, - 'GO:0042571': { - 'name': 'immunoglobulin complex, circulating', - 'def': 'An immunoglobulin complex that is secreted into extracellular space and found in mucosal areas or other tissues or circulating in the blood or lymph. In its canonical form, a circulating immunoglobulin complex is composed of two identical heavy chains and two identical light chains, held together by disulfide bonds. Some forms of are polymers of the basic structure and contain additional components such as J-chain and the secretory component. [GOC:add, ISBN:0781735149]' - }, - 'GO:0042572': { - 'name': 'retinol metabolic process', - 'def': 'The chemical reactions and pathways involving retinol, one of the three compounds that makes up vitamin A. [GOC:jl, http://www.indstate.edu/thcme/mwking/vitamins.html, PMID:1924551]' - }, - 'GO:0042573': { - 'name': 'retinoic acid metabolic process', - 'def': 'The chemical reactions and pathways involving retinoic acid, one of the three components that makes up vitamin A. [GOC:jl, http://www.indstate.edu/thcme/mwking/vitamins.html]' - }, - 'GO:0042574': { - 'name': 'retinal metabolic process', - 'def': 'The chemical reactions and pathways involving retinal, a compound that plays an important role in the visual process in most vertebrates. In the retina, retinal combines with opsins to form visual pigments. Retinal is one of the forms of vitamin A. [CHEBI:15035, GOC:curators, ISBN:0198506732]' - }, - 'GO:0042575': { - 'name': 'DNA polymerase complex', - 'def': 'A protein complex that possesses DNA polymerase activity and is involved in template directed synthesis of DNA. [GOC:jl, PMID:12045093]' - }, - 'GO:0042576': { - 'name': 'obsolete aspartyl aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the release of an N-terminal aspartate or glutamate from a peptide, with a preference for aspartate. [EC:3.4.11.21]' - }, - 'GO:0042577': { - 'name': 'lipid phosphatase activity', - 'def': 'Catalysis of the reaction: a phospholipid + H2O = a lipid + phosphate. [GOC:jl]' - }, - 'GO:0042578': { - 'name': 'phosphoric ester hydrolase activity', - 'def': "Catalysis of the reaction: RPO-R' + H2O = RPOOH + R'H. This reaction is the hydrolysis of any phosphoric ester bond, any ester formed from orthophosphoric acid, O=P(OH)3. [GOC:jl]" - }, - 'GO:0042579': { - 'name': 'microbody', - 'def': 'Cytoplasmic organelles, spherical or oval in shape, that are bounded by a single membrane and contain oxidative enzymes, especially those utilizing hydrogen peroxide (H2O2). [ISBN:0198506732]' - }, - 'GO:0042580': { - 'name': 'mannosome', - 'def': 'A specialised tubular organelle, assembled in hexagonal bundles within an external membrane. Mannosomes are specific to molluscs and are thought to be involved in a general stress reaction. [GOC:jl, PMID:11912051, PMID:9799531]' - }, - 'GO:0042581': { - 'name': 'specific granule', - 'def': 'Granule with a membranous, tubular internal structure, found primarily in mature neutrophil cells. Most are released into the extracellular fluid. Specific granules contain lactoferrin, lysozyme, vitamin B12 binding protein and elastase. [GOC:jl, ISBN:0721662544, PMID:7334549]' - }, - 'GO:0042582': { - 'name': 'azurophil granule', - 'def': 'Primary lysosomal granule found in neutrophil granulocytes. Contains a wide range of hydrolytic enzymes and is released into the extracellular fluid. [GOC:jl, PMID:17152095]' - }, - 'GO:0042583': { - 'name': 'chromaffin granule', - 'def': 'Specialized secretory vesicle found in the cells of adrenal glands and various other organs, which is concerned with the synthesis, storage, metabolism, and secretion of epinephrine and norepinephrine. [GOC:jl, PMID:19158310, PMID:1961743]' - }, - 'GO:0042584': { - 'name': 'chromaffin granule membrane', - 'def': 'The lipid bilayer surrounding a chromaffin granule, a specialized secretory vesicle found in the cells of adrenal glands and various other organs, which is concerned with the synthesis, storage, metabolism, and secretion of epinephrine and norepinephrine. [GOC:jl]' - }, - 'GO:0042585': { - 'name': 'germinal vesicle', - 'def': 'The enlarged, fluid filled nucleus of a primary oocyte, the development of which is suspended in prophase I of the first meiotic division between embryohood and sexual maturity. [GOC:jl, GOC:mtg_sensu, PMID:19019837]' - }, - 'GO:0042586': { - 'name': 'peptide deformylase activity', - 'def': 'Catalysis of the reaction: formyl-L-methionyl peptide + H2O = formate + methionyl peptide. [EC:3.5.1.88, GOC:jl]' - }, - 'GO:0042587': { - 'name': 'glycogen granule', - 'def': 'Cytoplasmic bead-like structures of animal cells, visible by electron microscope. Each granule is a functional unit with the biosynthesis and catabolism of glycogen being catalyzed by enzymes bound to the granule surface. [GOC:jl, http://148.216.10.83/cellbio/the_mi19.gif, PMID:12179957]' - }, - 'GO:0042588': { - 'name': 'zymogen granule', - 'def': 'A membrane-bounded, cytoplasmic secretory granule found in enzyme-secreting cells and visible by light microscopy. Contain zymogen, an inactive enzyme precursor, often of a digestive enzyme. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042589': { - 'name': 'zymogen granule membrane', - 'def': 'The lipid bilayer surrounding a zymogen granule. [GOC:jl]' - }, - 'GO:0042590': { - 'name': 'antigen processing and presentation of exogenous peptide antigen via MHC class I', - 'def': 'The process in which an antigen-presenting cell expresses a peptide antigen of exogenous origin on its cell surface in association with an MHC class I protein complex. The peptide antigen is typically, but not always, processed from a whole protein. Class I here refers to classical class I molecules. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0042592': { - 'name': 'homeostatic process', - 'def': 'Any biological process involved in the maintenance of an internal steady state. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0042593': { - 'name': 'glucose homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of glucose within an organism or cell. [GOC:go_curators]' - }, - 'GO:0042594': { - 'name': 'response to starvation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a starvation stimulus, deprivation of nourishment. [GOC:go_curators]' - }, - 'GO:0042595': { - 'name': 'behavioral response to starvation', - 'def': 'Any process that results in a change in the behavior of an organism as a result of deprivation of nourishment. [GOC:go_curators]' - }, - 'GO:0042596': { - 'name': 'fear response', - 'def': 'The response of an organism to a perceived external threat. [GOC:go_curators]' - }, - 'GO:0042597': { - 'name': 'periplasmic space', - 'def': 'The region between the inner (cytoplasmic) and outer membrane (Gram-negative Bacteria) or cytoplasmic membrane and cell wall (Fungi and Gram-positive Bacteria). [GOC:go_curators, GOC:md]' - }, - 'GO:0042598': { - 'name': 'obsolete vesicular fraction', - 'def': 'OBSOLETE: Any of the small, heterogeneous, artifactual, vesicular particles that are formed when some cells are homogenized. [GOC:jl]' - }, - 'GO:0042599': { - 'name': 'lamellar body', - 'def': 'A membrane-bounded organelle, specialized for the storage and secretion of various substances (surfactant phospholipids, glycoproteins and acid phosphates) which are arranged in the form of tightly packed, concentric, membrane sheets or lamellae. Has some similar properties to, but is distinct from, a lysosome. [GOC:cjm, GOC:jl, http://en.wikipedia.org/wiki/Lamellar_granule, PMID:12243725]' - }, - 'GO:0042600': { - 'name': 'chorion', - 'def': 'A protective, noncellular membrane that surrounds the eggs of various animals including insects and fish. [GOC:jl, ISBN:0721662544]' - }, - 'GO:0042601': { - 'name': 'endospore-forming forespore', - 'def': 'Portion of the cell formed during the process of bacterial sporulation that will ultimately become the core of the endospore. An endospore is a type of dormant cell that is resistant to adverse conditions. [GOC:jl, GOC:mtg_sensu, ISBN:0697286029]' - }, - 'GO:0042602': { - 'name': 'riboflavin reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: reduced riboflavin + NADP+ = riboflavin + NADPH + 2 H+. [EC:1.5.1.30]' - }, - 'GO:0042603': { - 'name': 'capsule', - 'def': 'A protective structure surrounding some fungi and bacteria, attached externally to the cell wall and composed primarily of polysaccharides. Capsules are highly organized structures that adhere strongly to cells and cannot be easily removed. Capsules play important roles in pathogenicity, preventing phagocytosis by other cells, adherance, and resistance to dessication. [GOC:mlg]' - }, - 'GO:0042605': { - 'name': 'peptide antigen binding', - 'def': 'Interacting selectively and non-covalently with an antigen peptide. [GOC:add, GOC:jl, GOC:rv]' - }, - 'GO:0042608': { - 'name': 'T cell receptor binding', - 'def': 'Interacting selectively and non-covalently with a T cell receptor, the antigen-recognizing receptor on the surface of T cells. [GOC:jl]' - }, - 'GO:0042609': { - 'name': 'CD4 receptor binding', - 'def': 'Interacting selectively and non-covalently with a CD4, a receptor found on the surface of T cells, monocytes and macrophages. [GOC:jl, MSH:D015704]' - }, - 'GO:0042610': { - 'name': 'CD8 receptor binding', - 'def': 'Interacting selectively and non-covalently with a CD8, a receptor found on the surface of thymocytes and cytotoxic and suppressor T-lymphocytes. [GOC:jl, MSH:D016827]' - }, - 'GO:0042611': { - 'name': 'MHC protein complex', - 'def': 'A transmembrane protein complex composed of an MHC alpha chain and, in most cases, either an MHC class II beta chain or an invariant beta2-microglobin chain, and with or without a bound peptide, lipid, or polysaccharide antigen. [GOC:add, GOC:jl, ISBN:0781735149, PMID:15928678, PMID:16153240]' - }, - 'GO:0042612': { - 'name': 'MHC class I protein complex', - 'def': 'A transmembrane protein complex composed of a MHC class I alpha chain and an invariant beta2-microglobin chain, and with or without a bound peptide antigen. Class I here refers to classical class I molecules. [GOC:add, GOC:jl, ISBN:0120781859, ISBN:0781735149]' - }, - 'GO:0042613': { - 'name': 'MHC class II protein complex', - 'def': 'A transmembrane protein complex composed of an MHC class II alpha and MHC class II beta chain, and with or without a bound peptide or polysaccharide antigen. [GOC:add, GOC:jl, ISBN:0120781859, PMID:15928678]' - }, - 'GO:0042614': { - 'name': 'CD70 receptor binding', - 'def': 'Interacting selectively and non-covalently with a CD70, a receptor found on the surface of most activated B cells and some activated T cells. [GOC:jl, ISBN:0120781859]' - }, - 'GO:0042615': { - 'name': 'CD154 receptor binding', - 'def': 'Interacting selectively and non-covalently with CD154, a receptor found on the surface of some activated lymphocytes. [GOC:jl, ISBN:0120781859]' - }, - 'GO:0042616': { - 'name': 'paclitaxel metabolic process', - 'def': 'The chemical reactions and pathways involving paclitaxel, an alkaloid compound used as an anticancer treatment. [CHEBI:45863, GOC:jl]' - }, - 'GO:0042617': { - 'name': 'paclitaxel biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of paclitaxel, an alkaloid compound used as an anticancer treatment. [CHEBI:45863, GOC:jl]' - }, - 'GO:0042618': { - 'name': 'poly-hydroxybutyrate metabolic process', - 'def': 'The chemical reactions and pathways involving poly-hydroxybutyrate (PHB), a polymer of beta-hydroxybutyrate and a common storage material of prokaryotic cells. [GOC:jl, http://biotech.icmb.utexas.edu/search/dict-search.html]' - }, - 'GO:0042619': { - 'name': 'poly-hydroxybutyrate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly-hydroxybutyrate (PHB), a polymer of beta-hydroxybutyrate and a common storage material of prokaryotic cells. [GOC:jl, http://biotech.icmb.utexas.edu/search/dict-search.html]' - }, - 'GO:0042620': { - 'name': 'poly(3-hydroxyalkanoate) metabolic process', - 'def': 'The chemical reactions and pathways involving poly(3-hydroxyalkanoates), polyesters of 3-hydroxyacids produced as intracellular granules by a large variety of bacteria. [GOC:jl, PMID:9925580]' - }, - 'GO:0042621': { - 'name': 'poly(3-hydroxyalkanoate) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(3-hydroxyalkanoates), polyesters of 3-hydroxyacids produced as intracellular granules by a large variety of bacteria. [GOC:jl, PMID:9925580]' - }, - 'GO:0042622': { - 'name': 'photoreceptor outer segment membrane', - 'def': 'The membrane surrounding the outer segment of a vertebrate photoreceptor. [GOC:jl]' - }, - 'GO:0042623': { - 'name': 'ATPase activity, coupled', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction directly drives some other reaction, for example ion transport across a membrane. [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0042624': { - 'name': 'ATPase activity, uncoupled', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction is not directly coupled to any other reaction. [EC:3.6.1.3, PMID:12912988]' - }, - 'GO:0042625': { - 'name': 'ATPase coupled ion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of an ion from one side of a membrane to the other, driven by the reaction: ATP + H2O = ADP + phosphate. [EC:3.6.1.3, GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0042626': { - 'name': 'ATPase activity, coupled to transmembrane movement of substances', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to directly drive the active transport of a substance across a membrane. [EC:3.6.1.3, GOC:jl]' - }, - 'GO:0042627': { - 'name': 'chylomicron', - 'def': 'A large lipoprotein particle (diameter 75-1200 nm) composed of a central core of triglycerides and cholesterol surrounded by a protein-phospholipid coating. The proteins include one molecule of apolipoprotein B-48 and may include a variety of apolipoproteins, including APOAs, APOCs and APOE. Chylomicrons are found in blood or lymph and carry lipids from the intestines into other body tissues. [GOC:jl, GOC:rl, http://biotech.icmb.utexas.edu/search/dict-search.html, PMID:10580165]' - }, - 'GO:0042628': { - 'name': 'mating plug formation', - 'def': 'The deposition of a plug of sperm or other gelatinous material into the opening of the vulva by a male at the termination of copulation. Probably acts to prevent subsequent matings by other males. [GOC:jl, http://www.wildcru.org/glossary/glossary.htm, http://www.wormatlas.org/glossaries/cglossary.htm, PMID:11267893]' - }, - 'GO:0042629': { - 'name': 'mast cell granule', - 'def': 'Coarse, bluish-black staining cytoplasmic granules, bounded by a plasma membrane and found in mast cells and basophils. Contents include histamine, heparin, chondroitin sulfates, chymase and tryptase. [GOC:jl, http://www.ijp-online.com/archives/1969/001/02/r0000-0000tc.htm, PMID:12360215]' - }, - 'GO:0042630': { - 'name': 'behavioral response to water deprivation', - 'def': 'Any process that results in a change in the behavior of an organism as a result of deprivation of water. [GOC:jl]' - }, - 'GO:0042631': { - 'name': 'cellular response to water deprivation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of water. [GOC:go_curators]' - }, - 'GO:0042632': { - 'name': 'cholesterol homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of cholesterol within an organism or cell. [GOC:go_curators]' - }, - 'GO:0042633': { - 'name': 'hair cycle', - 'def': 'The cyclical phases of growth (anagen), regression (catagen), quiescence (telogen), and shedding (exogen) in the life of a hair; one of the collection or mass of filaments growing from the skin of an animal, and forming a covering for a part of the head or for any part or the whole of the body. [GOC:go_curators, PMID:12230507]' - }, - 'GO:0042634': { - 'name': 'regulation of hair cycle', - 'def': 'Any process that modulates the frequency, rate or extent of the cyclical phases of growth (anagen), regression (catagen), quiescence (telogen), and shedding (exogen) in the life of a hair. [GOC:go_curators, PMID:12230507]' - }, - 'GO:0042635': { - 'name': 'positive regulation of hair cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of the cyclical phases of growth (anagen), regression (catagen), quiescence (telogen), and shedding (exogen) in the life of a hair. [GOC:go_curators, PMID:12230507]' - }, - 'GO:0042636': { - 'name': 'negative regulation of hair cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the cyclical phases of growth (anagen), regression (catagen), quiescence (telogen), and shedding (exogen) in the life of a hair. [GOC:go_curators, PMID:12230507]' - }, - 'GO:0042637': { - 'name': 'catagen', - 'def': 'The regression phase of the hair cycle during which cell proliferation ceases, the hair follicle shortens, and an anchored club hair is produced. [PMID:12535193]' - }, - 'GO:0042638': { - 'name': 'exogen', - 'def': 'The shedding phase of the hair cycle. [PMID:12230507]' - }, - 'GO:0042639': { - 'name': 'telogen', - 'def': 'The resting phase of hair cycle. [PMID:12230507]' - }, - 'GO:0042640': { - 'name': 'anagen', - 'def': 'The growth phase of the hair cycle. Lasts, for example, about 3 to 6 years for human scalp hair. [PMID:12230507]' - }, - 'GO:0042641': { - 'name': 'actomyosin', - 'def': 'Any complex of actin, myosin, and accessory proteins. [GOC:go_curators]' - }, - 'GO:0042642': { - 'name': 'actomyosin, myosin complex part', - 'def': 'The myosin part of any complex of actin, myosin, and accessory proteins. [GOC:go_curators]' - }, - 'GO:0042643': { - 'name': 'actomyosin, actin portion', - 'def': 'The actin part of any complex of actin, myosin, and accessory proteins. [GOC:go_curators]' - }, - 'GO:0042644': { - 'name': 'chloroplast nucleoid', - 'def': 'The region of a chloroplast to which the DNA is confined. [GOC:jl]' - }, - 'GO:0042645': { - 'name': 'mitochondrial nucleoid', - 'def': 'The region of a mitochondrion to which the DNA is confined. [GOC:jl]' - }, - 'GO:0042646': { - 'name': 'plastid nucleoid', - 'def': 'The region of a plastid to which the DNA is confined. [GOC:jl]' - }, - 'GO:0042647': { - 'name': 'proplastid nucleoid', - 'def': 'The region of a proplastid to which the DNA is confined. [GOC:jl]' - }, - 'GO:0042648': { - 'name': 'chloroplast chromosome', - 'def': 'A circular DNA molecule containing chloroplast encoded genes. [GOC:jl]' - }, - 'GO:0042649': { - 'name': 'prothylakoid', - 'def': 'Underdeveloped thylakoids found in etioplasts, lacking competent photosynthetic membranes. Rapidly develop into mature thylakoids in the presence of light. [GOC:jl, PMID:11532175]' - }, - 'GO:0042650': { - 'name': 'prothylakoid membrane', - 'def': 'The membrane of prothylakoids, underdeveloped thylakoids found in etioplasts, lacking competent photosynthetic membranes. [GOC:jl, PMID:11532175]' - }, - 'GO:0042651': { - 'name': 'thylakoid membrane', - 'def': 'The pigmented membrane of any thylakoid. [GOC:jl, GOC:pr]' - }, - 'GO:0042652': { - 'name': 'mitochondrial respiratory chain complex I, peripheral segment', - 'def': 'The peripheral segment of respiratory chain complex I located in the mitochondrion. Respiratory chain complex I is an enzyme of the respiratory chain, consisting of at least 34 polypeptide chains. The electrons of NADH enter the chain at this complex. The complete complex is L-shaped, with a horizontal arm lying in the membrane and a vertical arm that projects into the matrix. [GOC:jid, GOC:mtg_sensu, ISBN:0716749556]' - }, - 'GO:0042653': { - 'name': 'mitochondrial respiratory chain complex I, membrane segment', - 'def': 'The mitochondrial membrane segment of respiratory chain complex I. Respiratory chain complex I is an enzyme of the respiratory chain, consisting of at least 34 polypeptide chains. The electrons of NADH enter the chain at this complex. The complete complex is L-shaped, with a horizontal arm lying in the membrane and a vertical arm that projects into the matrix. [GOC:jid, GOC:mtg_sensu, ISBN:0716749556]' - }, - 'GO:0042654': { - 'name': 'ecdysis-triggering hormone receptor activity', - 'def': 'Combining with ecdysis-triggering hormone to initiate a change in cell activity. [GOC:ma]' - }, - 'GO:0042655': { - 'name': 'activation of JNKKK activity', - 'def': 'The initiation of the activity of the inactive enzyme JUN kinase kinase kinase (JNKKK) activity. [GOC:bf]' - }, - 'GO:0042656': { - 'name': 'JUN kinase kinase kinase kinase activity', - 'def': 'Catalysis of the phosphorylation and activation of JUN kinase kinase kinases (JNKKKs). [GOC:bf]' - }, - 'GO:0042657': { - 'name': 'MHC class II protein binding, via lateral surface', - 'def': 'Interacting selectively and non-covalently with the lateral surface of major histocompatibility complex class II molecules. [GOC:jl]' - }, - 'GO:0042658': { - 'name': 'MHC class II protein binding, via antigen binding groove', - 'def': 'Interacting selectively and non-covalently with the antigen binding groove of major histocompatibility complex class II molecules. [GOC:jl]' - }, - 'GO:0042659': { - 'name': 'regulation of cell fate specification', - 'def': 'Any process that mediates the adoption of a specific fate by a cell. [GOC:go_curators]' - }, - 'GO:0042660': { - 'name': 'positive regulation of cell fate specification', - 'def': 'Any process that activates or enables a cell to adopt a specific fate. [GOC:go_curators]' - }, - 'GO:0042661': { - 'name': 'regulation of mesodermal cell fate specification', - 'def': 'Any process that modulates the frequency, rate or extent of mesoderm cell fate specification. [GOC:go_curators]' - }, - 'GO:0042662': { - 'name': 'negative regulation of mesodermal cell fate specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mesoderm cell fate specification. [GOC:go_curators]' - }, - 'GO:0042663': { - 'name': 'regulation of endodermal cell fate specification', - 'def': 'Any process that mediates the specification of a cell into an endoderm cell. [GOC:go_curators]' - }, - 'GO:0042664': { - 'name': 'negative regulation of endodermal cell fate specification', - 'def': 'Any process that restricts, stops or prevents a cell from specifying into an endoderm cell. [GOC:go_curators]' - }, - 'GO:0042665': { - 'name': 'regulation of ectodermal cell fate specification', - 'def': 'Any process that mediates the specification of a cell into an ectoderm cell. [GOC:go_curators]' - }, - 'GO:0042666': { - 'name': 'negative regulation of ectodermal cell fate specification', - 'def': 'Any process that restricts, stops or prevents a cell from specifying into an ectoderm cell. [GOC:go_curators]' - }, - 'GO:0042667': { - 'name': 'auditory receptor cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an auditory hair cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:go_curators]' - }, - 'GO:0042668': { - 'name': 'auditory receptor cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an auditory hair cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators]' - }, - 'GO:0042669': { - 'name': 'regulation of auditory receptor cell fate specification', - 'def': 'Any process that mediates the specification of a cell into an auditory hair cell. [GOC:go_curators]' - }, - 'GO:0042670': { - 'name': 'retinal cone cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a retinal cone cell. [GOC:go_curators]' - }, - 'GO:0042671': { - 'name': 'retinal cone cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a retinal cone cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:go_curators]' - }, - 'GO:0042672': { - 'name': 'retinal cone cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a retinal cone cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:go_curators]' - }, - 'GO:0042673': { - 'name': 'regulation of retinal cone cell fate specification', - 'def': 'Any process that mediates the specification of a cell into a retinal cone cell. [GOC:go_curators]' - }, - 'GO:0042675': { - 'name': 'compound eye cone cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a compound eye cone cell, a cone-shaped cell, that focuses light in a compound eye. [GOC:mtg_sensu]' - }, - 'GO:0042676': { - 'name': 'compound eye cone cell fate commitment', - 'def': 'The process in which the cone cells of the compound eye, the lens-secreting cells in the ommatidia, adopt pathways of differentiation that lead to the establishment of their distinct cell type. [GOC:mtg_sensu]' - }, - 'GO:0042679': { - 'name': 'compound eye cone cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a compound eye cone cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:mtg_sensu]' - }, - 'GO:0042680': { - 'name': 'compound eye cone cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a compound eye cone cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:mtg_sensu]' - }, - 'GO:0042682': { - 'name': 'regulation of compound eye cone cell fate specification', - 'def': 'Any process that mediates the specification of a cell into a compound eye cone cell. [GOC:mtg_sensu]' - }, - 'GO:0042683': { - 'name': 'negative regulation of compound eye cone cell fate specification', - 'def': 'Any process that restricts, stops or prevents a cell from specifying into a compound eye cone cell. [GOC:mtg_sensu]' - }, - 'GO:0042684': { - 'name': 'cardioblast cell fate commitment', - 'def': 'The process in which a cell becomes committed to becoming a cardioblast. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:go_curators]' - }, - 'GO:0042685': { - 'name': 'cardioblast cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a cardioblast cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:go_curators]' - }, - 'GO:0042686': { - 'name': 'regulation of cardioblast cell fate specification', - 'def': 'Any process that mediates the specification of a cell into a cardioblast. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:go_curators]' - }, - 'GO:0042688': { - 'name': 'crystal cell differentiation', - 'def': 'The process in which a hemocyte precursor cell acquires the characteristics of a crystal cell, a class of cells that contain crystalline inclusions and are involved in the melanization of pathogenic material in the hemolymph. [GOC:bf, http://sdb.bio.purdue.edu/fly/gene/serpent3.htm]' - }, - 'GO:0042689': { - 'name': 'regulation of crystal cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of crystal cell differentiation. [GOC:go_curators]' - }, - 'GO:0042690': { - 'name': 'negative regulation of crystal cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of crystal cell differentiation. [GOC:go_curators]' - }, - 'GO:0042691': { - 'name': 'positive regulation of crystal cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of crystal cell differentiation. [GOC:go_curators]' - }, - 'GO:0042692': { - 'name': 'muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a muscle cell. [CL:0000187, GOC:go_curators]' - }, - 'GO:0042693': { - 'name': 'muscle cell fate commitment', - 'def': 'The process in which the cellular identity of muscle cells is acquired and determined. [CL:0000187, GOC:go_curators]' - }, - 'GO:0042694': { - 'name': 'muscle cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a muscle cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [CL:0000187, GOC:go_curators]' - }, - 'GO:0042695': { - 'name': 'thelarche', - 'def': 'The beginning of development of the breasts in the female. [GOC:curators, PMID:19117864]' - }, - 'GO:0042696': { - 'name': 'menarche', - 'def': 'The beginning of the menstrual cycle; the first menstrual cycle in an individual. [GOC:curators, PMID:16311040]' - }, - 'GO:0042697': { - 'name': 'menopause', - 'def': 'Cessation of menstruation, occurring in (e.g.) the human female usually around the age of 50. [GOC:curators, PMID:18495681]' - }, - 'GO:0042698': { - 'name': 'ovulation cycle', - 'def': 'The type of sexual cycle seen in females, often with physiologic changes in the endometrium that recur at regular intervals during the reproductive years. [ISBN:0721662544]' - }, - 'GO:0042699': { - 'name': 'follicle-stimulating hormone signaling pathway', - 'def': 'The series of molecular signals mediated by follicle-stimulating hormone. [GOC:dph]' - }, - 'GO:0042700': { - 'name': 'luteinizing hormone signaling pathway', - 'def': 'The series of molecular signals mediated by luteinizing hormone. [GOC:dph]' - }, - 'GO:0042701': { - 'name': 'progesterone secretion', - 'def': 'The regulated release of progesterone, a steroid hormone, by the corpus luteum of the ovary and by the placenta. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0042702': { - 'name': 'uterine wall growth', - 'def': 'The regrowth of the endometrium and blood vessels in the uterus following menstruation, resulting from a rise in progesterone levels. [GOC:jl]' - }, - 'GO:0042703': { - 'name': 'menstruation', - 'def': 'The cyclic, physiologic discharge through the vagina of blood and endometrial tissues from the nonpregnant uterus. [GOC:curators, PMID:8693059]' - }, - 'GO:0042704': { - 'name': 'uterine wall breakdown', - 'def': 'The sloughing of the endometrium and blood vessels during menstruation that results from a drop in progesterone levels. [GOC:dph]' - }, - 'GO:0042705': { - 'name': 'ocellus photoreceptor cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a photoreceptor cell found in the ocellus. [GOC:go_curators]' - }, - 'GO:0042706': { - 'name': 'eye photoreceptor cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into an eye photoreceptor cell. A photoreceptor cell is a cell that responds to incident electromagnetic radiation. Different classes of photoreceptor have different spectral sensitivities and express different photosensitive pigments. [GOC:mtg_sensu]' - }, - 'GO:0042707': { - 'name': 'ocellus photoreceptor cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into photoreceptor cell in the ocellus. A photoreceptor cell is a cell that responds to incident electromagnetic radiation. Different classes of photoreceptor have different spectral sensitivities and express different photosensitive pigments. [GOC:mtg_sensu]' - }, - 'GO:0042708': { - 'name': 'obsolete elastase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of elastin. [ISBN:0198506732]' - }, - 'GO:0042709': { - 'name': 'succinate-CoA ligase complex', - 'def': 'A heterodimeric enzyme complex, usually composed of an alpha and beta chain. Functions in the TCA cycle, hydrolyzing succinyl-CoA into succinate and CoA, thereby forming ATP or GTP. [EC:6.2.1.4, EC:6.2.1.5, GOC:jl]' - }, - 'GO:0042710': { - 'name': 'biofilm formation', - 'def': "A process in which planktonically growing microorganisms grow at a liquid-air interface or on a solid substrate under the flow of a liquid and produce extracellular polymers that facilitate matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:di, PMID:11932229]" - }, - 'GO:0042711': { - 'name': 'maternal behavior', - 'def': 'Female behaviors associated with the care and rearing of offspring. [GOC:curators]' - }, - 'GO:0042712': { - 'name': 'paternal behavior', - 'def': 'Male behaviors associated with the care and rearing offspring. [GOC:go_curators]' - }, - 'GO:0042713': { - 'name': 'sperm ejaculation', - 'def': 'The expulsion of seminal fluid, thick white fluid containing spermatozoa, from the male genital tract. [GOC:jl, http://www.cogsci.princeton.edu/~wn/]' - }, - 'GO:0042714': { - 'name': 'dosage compensation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on DNA or RNA to form the complex that mediates dosage compensation on one or more X chromosomes. [GOC:jl, PMID:11102361, PMID:12672493]' - }, - 'GO:0042715': { - 'name': 'dosage compensation complex assembly involved in dosage compensation by hypoactivation of X chromosome', - 'def': 'The aggregation, arrangement and bonding together of proteins on DNA to form the complex that mediates dosage compensation on both X chromosomes in the monogametic sex, ultimately resulting in a two-fold reduction in transcription from these chromosomes. An example of this process is found in Caenorhabditis elegans. [GOC:jl, PMID:11102361, PMID:12672493]' - }, - 'GO:0042716': { - 'name': 'plasma membrane-derived chromatophore', - 'def': 'A pigment-bearing structure that is derived from the cytoplasmic membrane, sometimes consisting of simple invaginations and sometimes a complete vesicle. This component is found in certain photosynthetic bacteria and cyanobacteria. [GOC:jl, ISBN:0395825172, PMID:11867431]' - }, - 'GO:0042717': { - 'name': 'plasma membrane-derived chromatophore membrane', - 'def': 'The lipid bilayer associated with a plasma membrane-derived chromatophore; surrounds chromatophores that form complete vesicles. [GOC:jl, GOC:mah, ISBN:0395825172, PMID:11867431]' - }, - 'GO:0042718': { - 'name': 'yolk granule', - 'def': 'Discrete structures that partition the water-insoluble portion of the yolk of oocytes and ova, which may or may not be membrane enclosed. [GOC:jl, http://148.216.10.83/cellbio/eggs.htm, PMID:18046696]' - }, - 'GO:0042719': { - 'name': 'mitochondrial intermembrane space protein transporter complex', - 'def': 'Soluble complex of the mitochondrial intermembrane space composed of various combinations of small Tim proteins; acts as a protein transporter to guide proteins to the Tim22 complex for insertion into the mitochondrial inner membrane. [PMID:12581629]' - }, - 'GO:0042720': { - 'name': 'mitochondrial inner membrane peptidase complex', - 'def': 'Protease complex of the mitochondrial inner membrane, consisting of at least two subunits, involved in processing of both nuclear- and mitochondrially-encoded proteins targeted to the intermembrane space. [PMID:10821182, PMID:12191769]' - }, - 'GO:0042721': { - 'name': 'mitochondrial inner membrane protein insertion complex', - 'def': 'A multi-subunit complex embedded in the mitochondrial inner membrane that mediates insertion of carrier proteins into the inner membrane. [PMID:12191765]' - }, - 'GO:0042722': { - 'name': 'alpha-beta T cell activation by superantigen', - 'def': 'The change in morphology and behavior of alpha-beta T cells resulting from exposure to a superantigen, a microbial antigen with an extremely potent activating effect on T cells that bear a specific variable region. [GOC:jl]' - }, - 'GO:0042723': { - 'name': 'thiamine-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving thiamine (vitamin B1), and compounds derived from it. [CHEBI:26948, GOC:jl]' - }, - 'GO:0042724': { - 'name': 'thiamine-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of thiamine (vitamin B1), and related compounds. [CHEBI:26948, GOC:jl]' - }, - 'GO:0042725': { - 'name': 'thiamine-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of thiamine (vitamin B1), and compounds derived from it. [CHEBI:26948, GOC:jl]' - }, - 'GO:0042726': { - 'name': 'flavin-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a flavin, any derivative of the dimethylisoalloxazine (7,8-dimethylbenzo[g]pteridine-2,4(3H,10H)-dione) skeleton, with a substituent on the 10 position. [CHEBI:30527, GOC:jl, GOC:mah]' - }, - 'GO:0042727': { - 'name': 'flavin-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a flavin, any derivative of the dimethylisoalloxazine (7,8-dimethylbenzo[g]pteridine-2,4(3H,10H)-dione) skeleton, with a substituent on the 10 position. [CHEBI:30527, GOC:jl, GOC:mah]' - }, - 'GO:0042728': { - 'name': 'flavin-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a flavin, any derivative of the dimethylisoalloxazine (7,8-dimethylbenzo[g]pteridine-2,4(3H,10H)-dione) skeleton, with a substituent on the 10 position. [CHEBI:30527, GOC:jl, GOC:mah]' - }, - 'GO:0042729': { - 'name': 'DASH complex', - 'def': 'A large protein complex, containing around 8-10 subunits in yeast, including Duo1p, Dam1p, Dad1p and Ask1p. The complex forms part of the kinetochore, associates with microtubules when the kinetochore attaches to the spindle, and plays a role in spindle attachment, chromosome segregation and spindle stability. [GOC:jl, GOC:vw, http://www.wikigenes.org/e/gene/e/853090.html, PMID:11782438, PMID:11799062, PMID:15632076, PMID:15640796]' - }, - 'GO:0042730': { - 'name': 'fibrinolysis', - 'def': 'A process that solubilizes fibrin in the bloodstream of a multicellular organism, chiefly by the proteolytic action of plasmin. [GOC:jl, PMID:15842654]' - }, - 'GO:0042731': { - 'name': 'PH domain binding', - 'def': 'Interacting selectively and non-covalently with a PH domain (pleckstrin homology) of a protein, a domain of about 100 residues that occurs in a wide range of proteins involved in intracellular signaling or as constituents of the cytoskeleton. [GOC:jl, Pfam:PF00169]' - }, - 'GO:0042732': { - 'name': 'D-xylose metabolic process', - 'def': 'The chemical reactions and pathways involving D-xylose, a naturally occurring plant polysaccharide. [ISBN:0198506732]' - }, - 'GO:0042733': { - 'name': 'embryonic digit morphogenesis', - 'def': 'The process, occurring in the embryo, by which the anatomical structures of the digit are generated and organized. A digit is one of the terminal divisions of an appendage, such as a finger or toe. [GOC:bf, GOC:jl, UBERON:0002544]' - }, - 'GO:0042734': { - 'name': 'presynaptic membrane', - 'def': 'A specialized area of membrane of the axon terminal that faces the plasma membrane of the neuron or muscle fiber with which the axon terminal establishes a synaptic junction; many synaptic junctions exhibit structural presynaptic characteristics, such as conical, electron-dense internal protrusions, that distinguish it from the remainder of the axon plasma membrane. [GOC:jl, ISBN:0815316194]' - }, - 'GO:0042735': { - 'name': 'protein body', - 'def': 'A membrane-bounded plant organelle found in the developing endosperm, contains storage proteins. [GOC:jl, PMID:7704047]' - }, - 'GO:0042736': { - 'name': 'NADH kinase activity', - 'def': 'Catalysis of the reaction: ATP + NADH = ADP + 2 H(+) + NADPH. [EC:2.7.1.86, RHEA:12263]' - }, - 'GO:0042737': { - 'name': 'drug catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a drug, a substance used in the diagnosis, treatment or prevention of a disease. [GOC:go_curators]' - }, - 'GO:0042738': { - 'name': 'exogenous drug catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a drug that has originated externally to the cell or organism. [GOC:jl]' - }, - 'GO:0042739': { - 'name': 'endogenous drug catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a drug that has originated internally within the cell or organism. [GOC:jl]' - }, - 'GO:0042740': { - 'name': 'exogenous antibiotic catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an antibiotic that has originated externally to the cell or organism. [GOC:jl]' - }, - 'GO:0042741': { - 'name': 'endogenous antibiotic catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an antibiotic that has originated internally within the cell or organism. [GOC:jl]' - }, - 'GO:0042742': { - 'name': 'defense response to bacterium', - 'def': 'Reactions triggered in response to the presence of a bacterium that act to protect the cell or organism. [GOC:jl]' - }, - 'GO:0042743': { - 'name': 'hydrogen peroxide metabolic process', - 'def': 'The chemical reactions and pathways involving hydrogen peroxide (H2O2), a potentially harmful byproduct of aerobic cellular respiration which can cause damage to DNA. [GOC:jl, http://biotech.icmb.utexas.edu/]' - }, - 'GO:0042744': { - 'name': 'hydrogen peroxide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hydrogen peroxide (H2O2). [GOC:jl]' - }, - 'GO:0042745': { - 'name': 'circadian sleep/wake cycle', - 'def': 'The cycle from wakefulness through an orderly succession of sleep states and stages that occurs on an approximately 24 hour rhythm. [GOC:jl, http://www.sleepquest.com]' - }, - 'GO:0042746': { - 'name': 'circadian sleep/wake cycle, wakefulness', - 'def': 'The part of the circadian sleep/wake cycle where the organism is not asleep. [GOC:jl, PMID:12575468]' - }, - 'GO:0042747': { - 'name': 'circadian sleep/wake cycle, REM sleep', - 'def': 'A stage in the circadian sleep cycle during which dreams occur and the body undergoes marked changes including rapid eye movement, loss of reflexes, and increased pulse rate and brain activity. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0042748': { - 'name': 'circadian sleep/wake cycle, non-REM sleep', - 'def': 'All sleep stages in the circadian sleep/wake cycle other than REM sleep. These stages are characterized by a slowing of brain waves and other physiological functions. [GOC:jl, http://www.sleepquest.com]' - }, - 'GO:0042749': { - 'name': 'regulation of circadian sleep/wake cycle', - 'def': 'Any process that modulates the frequency, rate or extent of the circadian sleep/wake cycle. [GOC:jl]' - }, - 'GO:0042750': { - 'name': 'hibernation', - 'def': 'Any process in which an organism enters and maintains a period of dormancy in which to pass the winter. It is characterized by narcosis and by sharp reduction in body temperature and metabolic activity and by a depression of vital signs. [GOC:jl, PMID:1945046]' - }, - 'GO:0042751': { - 'name': 'estivation', - 'def': 'Any process in which an organism enters and maintains a period of dormancy, similar to hibernation, but that occurs during the summer. It insulates against heat to prevent the harmful effects of the season. [GOC:jl, PMID:12443930, Wikipedia:Estivation]' - }, - 'GO:0042752': { - 'name': 'regulation of circadian rhythm', - 'def': 'Any process that modulates the frequency, rate or extent of a circadian rhythm. A circadian rhythm is a biological process in an organism that recurs with a regularity of approximately 24 hours. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0042753': { - 'name': 'positive regulation of circadian rhythm', - 'def': 'Any process that activates or increases the frequency, rate or extent of a circadian rhythm behavior. [GOC:go_curators]' - }, - 'GO:0042754': { - 'name': 'negative regulation of circadian rhythm', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a circadian rhythm behavior. [GOC:go_curators]' - }, - 'GO:0042755': { - 'name': 'eating behavior', - 'def': 'The specific behavior of an organism relating to the intake of food, any substance (usually solid) that can be metabolized by an organism to give energy and build tissue. [GOC:jl, GOC:pr, ISBN:01928006X]' - }, - 'GO:0042756': { - 'name': 'drinking behavior', - 'def': 'The specific behavior of an organism relating to the intake of liquids, especially water. [GOC:curators, GOC:pr]' - }, - 'GO:0042757': { - 'name': 'giant axon', - 'def': 'Extremely large, unmyelinated axon found in invertebrates. Has high conduction speeds and is usually involved in panic or escape responses. [GOC:jl, PMID:9705477]' - }, - 'GO:0042758': { - 'name': 'long-chain fatty acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of long-chain fatty acids, a fatty acid with a chain length between C13 and C22. [CHEBI:15904, GOC:go_curators]' - }, - 'GO:0042759': { - 'name': 'long-chain fatty acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of long-chain fatty acids, any fatty acid with a chain length between C13 and C22. [CHEBI:15904, GOC:go_curators]' - }, - 'GO:0042760': { - 'name': 'very long-chain fatty acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a fatty acid which has a chain length greater than C22. [CHEBI:27283, GOC:go_curators]' - }, - 'GO:0042761': { - 'name': 'very long-chain fatty acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a fatty acid which has a chain length greater than C22. [CHEBI:27283, GOC:go_curators]' - }, - 'GO:0042762': { - 'name': 'regulation of sulfur metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving sulfur, the nonmetallic element sulfur or compounds that contain sulfur. [GOC:go_curators]' - }, - 'GO:0042763': { - 'name': 'intracellular immature spore', - 'def': 'A cell or part of the cell that constitutes an early developmental stage of a spore, a small reproductive body that is highly resistant to desiccation and heat and is capable of growing into a new organism, produced especially by certain bacteria, fungi, algae, and nonflowering plants. [GOC:jl, ISBN:0395825172]' - }, - 'GO:0042764': { - 'name': 'ascospore-type prospore', - 'def': 'An immature spore undergoing development. The spore usually consists of nucleic acid, prospore membrane(s) that encase the nucleic acid, and ultimately a cell wall that covers the membrane(s). This type of spore is observed in ascospore-forming fungi. [GOC:go_curators]' - }, - 'GO:0042765': { - 'name': 'GPI-anchor transamidase complex', - 'def': 'An enzyme complex which in humans and yeast consists of at least five proteins; for example, the complex contains GAA1, GPI8, PIG-S, PIG-U, and PIG-T in human, and Gaa1p, Gab1p, Gpi8p, Gpi16p, and Gpi17p in yeast. Catalyzes the posttranslational attachment of the carboxyl-terminus of a precursor protein to a GPI-anchor. [GOC:jl, GOC:rb, PMID:12802054]' - }, - 'GO:0042766': { - 'name': 'nucleosome mobilization', - 'def': 'The movement of nucleosomes along a DNA fragment. [PMID:12006495]' - }, - 'GO:0042767': { - 'name': 'ecdysteroid 22-hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of an ecdysteroid at carbon position 22. [PMID:12177427]' - }, - 'GO:0042768': { - 'name': 'ecdysteroid 2-hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of an ecdysteroid at carbon position 2. [PMID:12177427]' - }, - 'GO:0042769': { - 'name': 'DNA damage response, detection of DNA damage', - 'def': 'The series of events required to receive a stimulus indicating DNA damage has occurred and convert it to a molecular signal. [GOC:go_curators]' - }, - 'GO:0042770': { - 'name': 'signal transduction in response to DNA damage', - 'def': 'A cascade of processes induced by the detection of DNA damage within a cell. [GOC:go_curators]' - }, - 'GO:0042771': { - 'name': 'intrinsic apoptotic signaling pathway in response to DNA damage by p53 class mediator', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, in response to the detection of DNA damage, and ends when the execution phase of apoptosis is triggered. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0042772': { - 'name': 'DNA damage response, signal transduction resulting in transcription', - 'def': 'A cascade of processes initiated in response to the detection of DNA damage, and resulting in the induction of transcription. [GOC:go_curators]' - }, - 'GO:0042773': { - 'name': 'ATP synthesis coupled electron transport', - 'def': 'The transfer of electrons through a series of electron donors and acceptors, generating energy that is ultimately used for synthesis of ATP. [ISBN:0716731363]' - }, - 'GO:0042774': { - 'name': 'plasma membrane ATP synthesis coupled electron transport', - 'def': 'The transfer of electrons through a series of electron donors and acceptors, generating energy that is ultimately used for synthesis of ATP in the plasma membrane. [GOC:mtg_sensu, ISBN:0716731363]' - }, - 'GO:0042775': { - 'name': 'mitochondrial ATP synthesis coupled electron transport', - 'def': 'The transfer of electrons through a series of electron donors and acceptors, generating energy that is ultimately used for synthesis of ATP, as it occurs in the mitochondrial inner membrane or chloroplast thylakoid membrane. [GOC:mtg_sensu, ISBN:0716731363]' - }, - 'GO:0042776': { - 'name': 'mitochondrial ATP synthesis coupled proton transport', - 'def': 'The transport of protons across a mitochondrial membrane to generate an electrochemical gradient (proton-motive force) that powers ATP synthesis. [GOC:mtg_sensu, ISBN:0716731363]' - }, - 'GO:0042777': { - 'name': 'plasma membrane ATP synthesis coupled proton transport', - 'def': 'The transport of protons across the plasma membrane to generate an electrochemical gradient (proton-motive force) that powers ATP synthesis. [GOC:mtg_sensu, ISBN:0716731363]' - }, - 'GO:0042778': { - 'name': 'tRNA end turnover', - 'def': "The process in which the 3'-terminal CCA of a tRNA is removed and restored. This often happens to uncharged tRNA. [GOC:go_curators]" - }, - 'GO:0042779': { - 'name': "tRNA 3'-trailer cleavage", - 'def': "Cleavage of the 3'-end of the pre-tRNA as part of the process of generating the mature 3'-end of the tRNA; may involve endonucleolytic or exonucleolytic cleavage, or both. [GOC:go_curators]" - }, - 'GO:0042780': { - 'name': "tRNA 3'-end processing", - 'def': "The process in which the 3' end of a pre-tRNA molecule is converted to that of a mature tRNA. [GOC:go_curators]" - }, - 'GO:0042781': { - 'name': "3'-tRNA processing endoribonuclease activity", - 'def': "Catalysis of the endonucleolytic cleavage of RNA, removing extra 3' nucleotides from tRNA precursor, generating 3' termini of tRNAs. A 3'-hydroxy group is left at the tRNA terminus and a 5'-phosphoryl group is left at the trailer molecule. [EC:3.1.26.11]" - }, - 'GO:0042782': { - 'name': 'passive evasion of host immune response', - 'def': 'Any mechanism of immune avoidance that does not directly interfere with the host immune system; for example, some viruses enter a state of latency where their protein production is drastically downregulated, meaning that they are not detected by the host immune system. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:12439615]' - }, - 'GO:0042783': { - 'name': 'active evasion of host immune response', - 'def': 'Any mechanism of immune avoidance that directly affects the host immune system, e.g. blocking any stage in host MHC class I and II presentation. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:12439615]' - }, - 'GO:0042784': { - 'name': 'active evasion of host immune response via regulation of host complement system', - 'def': 'Any mechanism of active immune avoidance which works by regulating the host complement system, e.g. by possessing complement receptors which mediate attachment to, then infection of, host macrophages, which are eventually destroyed. The host is defined as the larger of the organisms involved in a symbiotic interaction. [http://www.brown.edu/Courses/Bio_160/Projects1999/ies/ces.html]' - }, - 'GO:0042785': { - 'name': 'active evasion of host immune response via regulation of host cytokine network', - 'def': 'Any mechanism of active immune avoidance which works by regulating host cytokine networks, e.g. by secreting proteins that mimic cytokine receptors that act to sequester host cytokines and inhibit action. The host is defined as the larger of the organisms involved in a symbiotic interaction. [http://www.brown.edu/Courses/Bio_160/Projects1999/ies/cytok.html#Manipulation]' - }, - 'GO:0042786': { - 'name': 'active evasion of host immune response via regulation of host antigen processing and presentation', - 'def': "Any mechanism of active immune avoidance which works by regulating the host's antigen processing or presentation pathways, e.g. by blocking any stage in MHC class II presentation. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:12439615]" - }, - 'GO:0042787': { - 'name': 'protein ubiquitination involved in ubiquitin-dependent protein catabolic process', - 'def': 'The process in which a ubiquitin group, or multiple groups, are covalently attached to the target protein, thereby initiating the degradation of that protein. [GOC:go_curators]' - }, - 'GO:0042788': { - 'name': 'polysomal ribosome', - 'def': 'A ribosome bound to mRNA that forms part of a polysome. [GOC:jl]' - }, - 'GO:0042789': { - 'name': 'mRNA transcription from RNA polymerase II promoter', - 'def': 'The cellular synthesis of messenger RNA (mRNA) from a DNA template by RNA polymerase II, originating at an RNA polymerase II promoter. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0042790': { - 'name': 'transcription of nuclear large rRNA transcript from RNA polymerase I promoter', - 'def': 'The synthesis of the large ribosomal RNA (rRNA) transcript which encodes several rRNAs, e.g. in mammals 28S, 18S and 5.8S, from a nuclear DNA template transcribed by RNA polymerase I. [GOC:jl, GOC:txnOH, ISBN:0321000382]' - }, - 'GO:0042791': { - 'name': '5S class rRNA transcription from RNA polymerase III type 1 promoter', - 'def': 'The synthesis of 5S ribosomal RNA (rRNA), or an equivalent rRNA, from a DNA template by RNA polymerase III (Pol III), originating at a type 1 RNA polymerase III promoter. [GOC:jl, GOC:txnOH, ISBN:0321000382, PMID:12381659]' - }, - 'GO:0042792': { - 'name': 'rRNA transcription from mitochondrial promoter', - 'def': 'The synthesis of ribosomal RNA (rRNA) from a mitochondrial DNA template. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0042793': { - 'name': 'transcription from plastid promoter', - 'def': 'The synthesis of RNA from a plastid DNA template, usually by a specific plastid RNA polymerase. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0042794': { - 'name': 'rRNA transcription from plastid promoter', - 'def': 'The synthesis of ribosomal RNA (rRNA) from a plastid DNA template, usually by a specific plastid RNA polymerase. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0042795': { - 'name': 'snRNA transcription from RNA polymerase II promoter', - 'def': 'The synthesis of small nuclear RNA (snRNA) from a DNA template by RNA Polymerase II (Pol II), originating at a Pol II promoter. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0042796': { - 'name': 'snRNA transcription from RNA polymerase III promoter', - 'def': 'The synthesis of small nuclear RNA (snRNA) from a DNA template by RNA Polymerase III (Pol III), originating at a Pol III promoter. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0042797': { - 'name': 'tRNA transcription from RNA polymerase III promoter', - 'def': 'The synthesis of transfer RNA (tRNA) from a DNA template by RNA Polymerase III (Pol III), originating at a Pol III promoter. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0042798': { - 'name': 'obsolete protein neddylation during NEDD8 class-dependent protein catabolic process', - 'def': 'OBSOLETE. Covalent attachment of the ubiquitin-like protein NEDD8 (or equivalent protein) to another protein, as a part of NEDD8-dependant protein catabolism. [GOC:jl]' - }, - 'GO:0042799': { - 'name': 'histone methyltransferase activity (H4-K20 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + histone H4 L-lysine (position 20) = S-adenosyl-L-homocysteine + histone H4 N6-methyl-L-lysine (position 20). This reaction is the addition of a methyl group onto lysine at position 20 of the histone H4 protein. [PMID:12086618]' - }, - 'GO:0042800': { - 'name': 'histone methyltransferase activity (H3-K4 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + histone H3 L-lysine (position 4) = S-adenosyl-L-homocysteine + histone H3 N6-methyl-L-lysine (position 4). This reaction is the addition of a methyl group onto lysine at position 4 of the histone H3 protein. [PMID:12086618]' - }, - 'GO:0042801': { - 'name': 'polo kinase kinase activity', - 'def': 'Catalysis of the addition of a phosphate group onto a serine or threonine residue in any member of the polo kinase class of proteins. [GOC:ma]' - }, - 'GO:0042802': { - 'name': 'identical protein binding', - 'def': 'Interacting selectively and non-covalently with an identical protein or proteins. [GOC:jl]' - }, - 'GO:0042803': { - 'name': 'protein homodimerization activity', - 'def': 'Interacting selectively and non-covalently with an identical protein to form a homodimer. [GOC:jl]' - }, - 'GO:0042804': { - 'name': 'obsolete protein homooligomerization activity', - 'def': 'OBSOLETE. Interacting selectively with identical proteins to form a homooligomer. [GOC:jl]' - }, - 'GO:0042805': { - 'name': 'actinin binding', - 'def': 'Interacting selectively and non-covalently with actinin, any member of a family of proteins that crosslink F-actin. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042806': { - 'name': 'fucose binding', - 'def': 'Interacting selectively and non-covalently with fucose, the pentose 6-deoxygalactose. [CHEBI:33984, ISBN:0582227089]' - }, - 'GO:0042807': { - 'name': 'central vacuole', - 'def': 'A membrane-enclosed sac that takes up most of the volume of a mature plant cell. Functions include storage, separation of toxic byproducts, and cell growth determination. [ISBN:9780815341116, Wikipedia:Vacuole]' - }, - 'GO:0042808': { - 'name': 'obsolete neuronal Cdc2-like kinase binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with neuronal Cdc2-like kinase, an enzyme involved in the regulation of neuronal differentiation and neuro-cytoskeleton dynamics. [GOC:jl, PMID:10721722]' - }, - 'GO:0042809': { - 'name': 'vitamin D receptor binding', - 'def': 'Interacting selectively and non-covalently with the vitamin D receptor, a nuclear receptor that mediates the action of vitamin D by binding DNA and controlling the transcription of hormone-sensitive genes. [GOC:jl, PMID:12637589]' - }, - 'GO:0042810': { - 'name': 'pheromone metabolic process', - 'def': 'The chemical reactions and pathways involving pheromones, a substance that is secreted and released by an organism and detected by a second organism of the same or a closely related species, in which it causes a specific reaction, such as a definite behavioral reaction or a developmental process. [ISBN:0198506732]' - }, - 'GO:0042811': { - 'name': 'pheromone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pheromones, a substance that is secreted and released by an organism and detected by a second organism of the same or a closely related species, in which it causes a specific reaction, such as a definite behavioral reaction or a developmental process. [ISBN:0198506732]' - }, - 'GO:0042812': { - 'name': 'pheromone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pheromones, a substance that is secreted and released by an organism and detected by a second organism of the same or a closely related species, in which it causes a specific reaction, such as a definite behavioral reaction or a developmental process. [ISBN:0198506732]' - }, - 'GO:0042813': { - 'name': 'Wnt-activated receptor activity', - 'def': 'Combining with a Wnt protein and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:go_curators]' - }, - 'GO:0042814': { - 'name': 'monopolar cell growth', - 'def': 'Polarized growth from one end of a cell. [GOC:vw]' - }, - 'GO:0042815': { - 'name': 'bipolar cell growth', - 'def': 'The process in which a cell irreversibly increases in size along one axis through simultaneous polarized growth from opposite ends of a cell, resulting in morphogenesis of the cell. [GOC:vw]' - }, - 'GO:0042816': { - 'name': 'vitamin B6 metabolic process', - 'def': 'The chemical reactions and pathways involving any of the vitamin B6 compounds: pyridoxal, pyridoxamine and pyridoxine and the active form, pyridoxal phosphate. [GOC:jl, http://www.indstate.edu/thcme/mwking/vitamins.html]' - }, - 'GO:0042817': { - 'name': 'pyridoxal metabolic process', - 'def': 'The chemical reactions and pathways involving 3-hydroxy-5-(hydroxymethyl)-2-methyl-4-pyridinecarboxaldehyde, one of the vitamin B6 compounds. Pyridoxal, pyridoxamine and pyridoxine are collectively known as vitamin B6, and are efficiently converted to the biologically active form of vitamin B6, pyridoxal phosphate. [GOC:jl, http://www.mblab.gla.ac.uk/]' - }, - 'GO:0042818': { - 'name': 'pyridoxamine metabolic process', - 'def': 'The chemical reactions and pathways involving 4-(aminomethyl)-5-(hydroxymethyl)-2-methylpyridin-3-ol, one of the vitamin B6 compounds. Pyridoxal, pyridoxamine and pyridoxine are collectively known as vitamin B6, and are efficiently converted to the biologically active form of vitamin B6, pyridoxal phosphate. [CHEBI:16410, GOC:jl]' - }, - 'GO:0042819': { - 'name': 'vitamin B6 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any of the vitamin B6 compounds; pyridoxal, pyridoxamine and pyridoxine and the active form, pyridoxal phosphate. [GOC:jl, http://www.indstate.edu/thcme/mwking/vitamins.html]' - }, - 'GO:0042820': { - 'name': 'vitamin B6 catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any of the vitamin B6 compounds; pyridoxal, pyridoxamine and pyridoxine and the active form, pyridoxal phosphate. [GOC:jl, http://www.indstate.edu/thcme/mwking/vitamins.html]' - }, - 'GO:0042821': { - 'name': 'pyridoxal biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 3-hydroxy-5-(hydroxymethyl)-2-methyl-4-pyridinecarboxaldehyde, one of the vitamin B6 compounds. [GOC:jl, http://www.mblab.gla.ac.uk/]' - }, - 'GO:0042822': { - 'name': 'pyridoxal phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pyridoxal phosphate, pyridoxal phosphorylated at the hydroxymethyl group of C-5, the active form of vitamin B6. [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0042823': { - 'name': 'pyridoxal phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyridoxal phosphate, pyridoxal phosphorylated at the hydroxymethyl group of C-5, the active form of vitamin B6. [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0042824': { - 'name': 'MHC class I peptide loading complex', - 'def': 'A large, multisubunit complex which consists of the MHC class I-beta 2 microglobulin dimer, the transporter associated with antigen presentation (TAP), tapasin (an MHC-encoded membrane protein), the chaperone calreticulin and the thiol oxidoreductase ERp57. Functions in the assembly of peptides with newly synthesized MHC class I molecules. [GOC:jl, PMID:10631934]' - }, - 'GO:0042825': { - 'name': 'TAP complex', - 'def': 'A heterodimer composed of the subunits TAP1 and TAP2 (transporter associated with antigen presentation). Functions in the transport of antigenic peptides from the cytosol to the lumen of the endoplasmic reticulum. [GOC:jl, PMID:10618487, PMID:10631934]' - }, - 'GO:0042826': { - 'name': 'histone deacetylase binding', - 'def': 'Interacting selectively and non-covalently with the enzyme histone deacetylase. [GOC:jl]' - }, - 'GO:0042827': { - 'name': 'platelet dense granule', - 'def': 'Electron-dense granule occurring in blood platelets that stores and secretes adenosine nucleotides and serotonin. They contain a highly condensed core consisting of serotonin, histamine, calcium, magnesium, ATP, ADP, pyrophosphate and membrane lysosomal proteins. [GOC:jl, http://www.mercksource.com/, PMID:10403682, PMID:11487378]' - }, - 'GO:0042832': { - 'name': 'defense response to protozoan', - 'def': 'Reactions triggered in response to the presence of a protozoan that act to protect the cell or organism. [GOC:jl]' - }, - 'GO:0042834': { - 'name': 'peptidoglycan binding', - 'def': 'Interacting selectively and non-covalently, in a non-covalent manner, with peptidoglycan, any of a class of glycoconjugates found in bacterial cell walls. [GOC:go_curators, PMID:14698226]' - }, - 'GO:0042835': { - 'name': 'BRE binding', - 'def': 'Interacting selectively and non-covalently with the RNA element BRE (Bruno response element). [PMID:10893231]' - }, - 'GO:0042836': { - 'name': 'D-glucarate metabolic process', - 'def': 'The chemical reactions and pathways involving D-glucarate, the D-enantiomer of glucarate. D-glucarate is derived from either D-glucose or L-gulose. [GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0042837': { - 'name': 'D-glucarate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-glucarate, the D-enantiomer of glucarate. [GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0042838': { - 'name': 'D-glucarate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-glucarate, the D-enantiomer of glucarate. [GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0042839': { - 'name': 'D-glucuronate metabolic process', - 'def': 'The chemical reactions and pathways involving D-glucuronate, the D-enantiomer of glucuronate. [GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042840': { - 'name': 'D-glucuronate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-glucuronate, the D-enantiomer of glucuronate. [GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042841': { - 'name': 'D-glucuronate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-glucuronate, the D-enantiomer of glucuronate. [GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042842': { - 'name': 'D-xylose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-xylose, a naturally occurring plant polysaccharide. [ISBN:0198506732]' - }, - 'GO:0042843': { - 'name': 'D-xylose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-xylose, a naturally occurring plant polysaccharide. [ISBN:0198506732]' - }, - 'GO:0042844': { - 'name': 'glycol metabolic process', - 'def': 'The chemical reactions and pathways involving glycol, a diol in which the two hydroxy groups are on different carbon atoms, usually but not necessarily adjacent. [CHEBI:13643, http://www.cogsci.princeton.edu/~wn/]' - }, - 'GO:0042845': { - 'name': 'glycol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycol, a diol in which the two hydroxy groups are on different carbon atoms, usually but not necessarily adjacent. [CHEBI:13643, http://www.cogsci.princeton.edu/~wn/]' - }, - 'GO:0042846': { - 'name': 'glycol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycol, a diol in which the two hydroxy groups are on different carbon atoms, usually but not necessarily adjacent. [CHEBI:13643, http://www.cogsci.princeton.edu/~wn/]' - }, - 'GO:0042847': { - 'name': 'sorbose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sorbose, the ketohexose xylo-2-hexulose. Sorbose is produced commercially by fermentation and is used as an intermediate in the manufacture of ascorbic acid. [ISBN:0198506732]' - }, - 'GO:0042848': { - 'name': 'sorbose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sorbose, the ketohexose xylo-2-hexulose. Sorbose is produced commercially by fermentation and is used as an intermediate in the manufacture of ascorbic acid. [ISBN:0198506732]' - }, - 'GO:0042849': { - 'name': 'L-sorbose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-sorbose, the L-enantiomer of the ketohexose xylo-2-hexulose. L-sorbose is formed by bacterial oxidation of sorbitol. [CHEBI:17266, GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0042850': { - 'name': 'L-sorbose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-sorbose, the L-enantiomer of the ketohexose xylo-2-hexulose. [CHEBI:17266, GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0042851': { - 'name': 'L-alanine metabolic process', - 'def': 'The chemical reactions and pathways involving L-alanine, the L-enantiomer of 2-aminopropanoic acid, i.e. (2S)-2-aminopropanoic acid. [CHEBI:16977, GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042852': { - 'name': 'L-alanine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-alanine, the L-enantiomer of 2-aminopropanoic acid, i.e. (2S)-2-aminopropanoic acid. [CHEBI:16977, GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042853': { - 'name': 'L-alanine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-alanine, the L-enantiomer of 2-aminopropanoic acid, i.e. (2S)-2-aminopropanoic acid. [CHEBI:16977, GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042854': { - 'name': 'eugenol metabolic process', - 'def': 'The chemical reactions and pathways involving eugenol, a colorless, aromatic, liquid hydrocarbon (C10H12O2) found in clove oil. [CHEBI:4917, GOC:jl]' - }, - 'GO:0042855': { - 'name': 'eugenol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of eugenol, a colorless, aromatic, liquid hydrocarbon (C10H12O2) found in clove oil. [CHEBI:4917, GOC:jl]' - }, - 'GO:0042856': { - 'name': 'eugenol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of eugenol, a colorless, aromatic, liquid hydrocarbon (C10H12O2) found in clove oil. [CHEBI:4917, GOC:jl]' - }, - 'GO:0042857': { - 'name': 'chrysobactin metabolic process', - 'def': 'The chemical reactions and pathways involving the siderophore chrysobactin (alpha-N-(2,3-dihydroxybenzoyl)-D-lysyl-L-serine). [GOC:jl, PMID:8837459]' - }, - 'GO:0042858': { - 'name': 'chrysobactin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the siderophore chrysobactin (alpha-N-(2,3-dihydroxybenzoyl)-D-lysyl-L-serine). [GOC:jl, PMID:8837459]' - }, - 'GO:0042859': { - 'name': 'chrysobactin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the siderophore chrysobactin (alpha-N-(2,3-dihydroxybenzoyl)-D-lysyl-L-serine). [GOC:jl, PMID:8837459]' - }, - 'GO:0042860': { - 'name': 'achromobactin metabolic process', - 'def': 'The chemical reactions and pathways involving achromobactin, a citrate siderophore. [GOC:jl, PMID:10928541]' - }, - 'GO:0042861': { - 'name': 'achromobactin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of achromobactin, a citrate siderophore. [GOC:jl, PMID:10928541]' - }, - 'GO:0042862': { - 'name': 'achromobactin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of achromobactin, a citrate siderophore. [GOC:jl, PMID:10928541]' - }, - 'GO:0042863': { - 'name': 'pyochelin metabolic process', - 'def': 'The chemical reactions and pathways involving the siderochrome pyochelin (2-(2-o-hydroxyphenyl-2-thiazolin-4-yl)-3-methylthiazolidine-4-carboxylic acid). [GOC:jl, PMID:6794030]' - }, - 'GO:0042864': { - 'name': 'pyochelin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the siderochrome pyochelin (2-(2-o-hydroxyphenyl-2-thiazolin-4-yl)-3-methylthiazolidine-4-carboxylic acid). [GOC:jl, PMID:6794030]' - }, - 'GO:0042865': { - 'name': 'pyochelin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the siderochrome pyochelin (2-(2-o-hydroxyphenyl-2-thiazolin-4-yl)-3-methylthiazolidine-4-carboxylic acid). [GOC:jl, PMID:6794030]' - }, - 'GO:0042866': { - 'name': 'pyruvate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyruvate, 2-oxopropanoate. [GOC:go_curators]' - }, - 'GO:0042867': { - 'name': 'pyruvate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyruvate, 2-oxopropanoate. [GOC:go_curators]' - }, - 'GO:0042868': { - 'name': 'antisense RNA metabolic process', - 'def': 'The chemical reactions and pathways involving antisense RNA, an RNA molecule complementary in sequence to another RNA or DNA molecule, which, by binding the latter, acts to inhibit its function and/or completion of synthesis. [GOC:jl]' - }, - 'GO:0042869': { - 'name': 'aldarate transport', - 'def': 'The directed movement of aldarate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0042870': { - 'name': 'D-glucarate transport', - 'def': 'The directed movement of D-glucarate, the D-enantiomer of glucarate, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0042873': { - 'name': 'aldonate transport', - 'def': 'The directed movement of aldonate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0042874': { - 'name': 'D-glucuronate transport', - 'def': 'The directed movement of D-glucuronate, the D-enantiomer of glucuronate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042875': { - 'name': 'D-galactonate transport', - 'def': 'The directed movement of D-galactonate, the D-enantiomer of galactonate, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042876': { - 'name': 'aldarate transmembrane transporter activity', - 'def': 'Enables the transfer of aldarate from one side of the membrane to the other. [GOC:go_curators, PMID:15034926]' - }, - 'GO:0042878': { - 'name': 'D-glucarate transmembrane transporter activity', - 'def': 'Enables the transfer of D-glucarate, the D-enantiomer of glucarate, from one side of the membrane to the other. [GOC:jl, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0042879': { - 'name': 'aldonate transmembrane transporter activity', - 'def': 'Enables the transfer of aldonate from one side of the membrane to the other. [GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0042880': { - 'name': 'D-glucuronate transmembrane transporter activity', - 'def': 'Enables the transfer of D-glucuronate, the D-enantiomer of glucuronate, from one side of the membrane to the other. [GOC:jl, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0042881': { - 'name': 'D-galactonate transmembrane transporter activity', - 'def': 'Enables the transfer of D-galactonate, the D-enantiomer of galactonate, from one side of the membrane to the other. [GOC:jl, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0198506732, ISBN:0815340729]' - }, - 'GO:0042882': { - 'name': 'L-arabinose transport', - 'def': 'The directed movement of L-arabinose, the L-enantiomer of arabinose, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0042883': { - 'name': 'cysteine transport', - 'def': 'The directed movement of cysteine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042884': { - 'name': 'microcin transport', - 'def': 'The directed movement of microcin, a class of glycine-rich, bactericidal peptides (antibiotics) produced by some enteric bacteria, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, ISBN:0198506732, PMID:11292337]' - }, - 'GO:0042885': { - 'name': 'microcin B17 transport', - 'def': 'The directed movement of microcin B17, a bactericidal peptide (antibiotic) produced by some enteric bacteria, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, PMID:11292337]' - }, - 'GO:0042886': { - 'name': 'amide transport', - 'def': 'The directed movement of an amide, any compound containing one, two, or three acyl groups attached to a nitrogen atom, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042887': { - 'name': 'amide transmembrane transporter activity', - 'def': 'Enables directed movement of an amide, any compound containing one, two, or three acyl groups attached to a nitrogen atom, from one side of the membrane to the other. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042888': { - 'name': 'molybdenum ion transmembrane transporter activity', - 'def': 'Enables the transfer of molybdenum (Mo) ions from one side of a membrane to the other. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042889': { - 'name': '3-phenylpropionic acid transport', - 'def': 'The directed movement of 3-phenylpropionic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0042890': { - 'name': '3-phenylpropionic acid transmembrane transporter activity', - 'def': 'Enables the transfer of 3-phenylpropionic acid from one side of the membrane to the other. [GOC:jl]' - }, - 'GO:0042891': { - 'name': 'antibiotic transport', - 'def': 'The directed movement of an antibiotic, a substance produced by or derived from certain fungi, bacteria, and other organisms, that can destroy or inhibit the growth of other microorganisms, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0042892': { - 'name': 'chloramphenicol transport', - 'def': 'The directed movement of chloramphenicol, a broad-spectrum antibiotic that inhibits bacterial protein synthesis, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:17698, GOC:jl]' - }, - 'GO:0042893': { - 'name': 'polymyxin transport', - 'def': 'The directed movement of polymyxin, any of a group of related antibiotics produced by Bacillus polymyxa and active against most Gram-negative bacteria, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042894': { - 'name': 'fosmidomycin transport', - 'def': 'The directed movement of fosmidomycin, a phosphonic acid derivative with potent activity against Gram-negative organisms, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, PMID:12543685]' - }, - 'GO:0042895': { - 'name': 'antibiotic transporter activity', - 'def': 'Enables the directed movement of an antibiotic, a substance produced by or derived from certain fungi, bacteria, and other organisms, that can destroy or inhibit the growth of other microorganisms, into, out of or within a cell, or between cells. [GOC:jl]' - }, - 'GO:0042896': { - 'name': 'chloramphenicol transporter activity', - 'def': 'Enables the directed movement of chloramphenicol, a broad-spectrum antibiotic that inhibits bacterial protein synthesis, into, out of or within a cell, or between cells. [CHEBI:17698, GOC:jl]' - }, - 'GO:0042897': { - 'name': 'polymyxin transporter activity', - 'def': 'Enables the directed movement of polymyxin, any of a group of related antibiotics produced by Bacillus polymyxa and active against most Gram-negative bacteria, into, out of or within a cell, or between cells. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042898': { - 'name': 'fosmidomycin transporter activity', - 'def': 'Enables the directed movement of fosmidomycin, a phosphonic acid derivative with potent activity against Gram-negative organisms, into, out of or within a cell, or between cells. [GOC:jl, PMID:12543685]' - }, - 'GO:0042899': { - 'name': 'arabinan transport', - 'def': 'The directed movement of arabinan, a polysaccharide composed of arabinose residues, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0042900': { - 'name': 'arabinose transmembrane transporter activity', - 'def': 'Enables the transfer of arabinose, a pentose monosaccharide that occurs in both D and L configurations, and as a polymer, from one side of the membrane to the other. [CHEBI:22599, GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0042901': { - 'name': 'arabinan transmembrane transporter activity', - 'def': 'Enables the transfer of an arabinan, a polysaccharide composed of arabinose residues, from one side of the membrane to the other. [GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0042902': { - 'name': 'peptidoglycan-protein cross-linking via L-threonyl-pentaglycyl-murein', - 'def': 'The process of linking a protein to peptidoglycan via a carboxy terminal threonine carboxyl group through a pentaglycyl peptide to the lysine or diaminopimelic acid of the peptidoglycan. [RESID:AA0345]' - }, - 'GO:0042903': { - 'name': 'tubulin deacetylase activity', - 'def': 'Catalysis of the reaction: N-acetyl(alpha-tubulin) + H2O = alpha-tubulin + acetate. [PMID:12024216, PMID:12486003]' - }, - 'GO:0042904': { - 'name': '9-cis-retinoic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 9-cis-retinoic acid, a metabolically active vitamin A derivative. [GOC:jl, PMID:11279029]' - }, - 'GO:0042905': { - 'name': '9-cis-retinoic acid metabolic process', - 'def': 'The chemical reactions and pathways involving 9-cis-retinoic acid, a metabolically active vitamin A derivative. [GOC:jl, PMID:11279029]' - }, - 'GO:0042906': { - 'name': 'xanthine transport', - 'def': 'The directed movement of xanthine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Xanthine (2,6-dihydroxypurine) is a purine formed in the metabolic breakdown of guanine, but is not present in nucleic acids. [GOC:jl]' - }, - 'GO:0042907': { - 'name': 'xanthine transmembrane transporter activity', - 'def': 'Enables the transfer of xanthine from one side of a membrane to the other. Xanthine (2,6-dihydroxypurine) is a purine formed in the metabolic breakdown of guanine, but is not present in nucleic acids. [GOC:jl]' - }, - 'GO:0042908': { - 'name': 'xenobiotic transport', - 'def': 'The directed movement of a xenobiotic, a compound foreign to living organisms, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0042909': { - 'name': 'acridine transport', - 'def': 'The directed movement of acridine (10-azaanthracene), a heterocyclic ring compound found in crude coal-tar anthracene, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:36420, GOC:jl, Wikipedia:Acridine]' - }, - 'GO:0042910': { - 'name': 'xenobiotic transporter activity', - 'def': 'Enables the directed movement of a xenobiotic, a compound foreign to living organisms, into, out of or within a cell, or between cells. [GOC:go_curators]' - }, - 'GO:0042911': { - 'name': 'acridine transporter activity', - 'def': 'Enables the directed movement of acridine (10-azaanthracene), a heterocyclic ring compound found in crude coal-tar anthracene, into, out of or within a cell, or between cells. [CHEBI:36420, GOC:jl]' - }, - 'GO:0042912': { - 'name': 'colicin transmembrane transporter activity', - 'def': 'Enables the transfer of a colicin from one side of a membrane to the other. Colicins are a group of antibiotics produced by E. coli and related species that are encoded by a group of naturally occurring plasmids, e.g. Col E1. [GOC:jl, GOC:mtg_transport, ISBN:0815340729, PMID:17347522]' - }, - 'GO:0042913': { - 'name': 'group A colicin transmembrane transporter activity', - 'def': 'Enables the transfer of group A colicins (colicins E1, E2, E3, A, K, and N) from one side of a membrane to the other. [GOC:jl, GOC:mtg_transport, ISBN:0815340729, PMID:9171417]' - }, - 'GO:0042914': { - 'name': 'colicin transport', - 'def': 'The directed movement of a colicin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Colicins are a group of antibiotics produced by E. coli and related species that are encoded by a group of naturally occurring plasmids, e.g. Col E1. [GOC:jl, PMID:17347522]' - }, - 'GO:0042915': { - 'name': 'group A colicin transport', - 'def': 'The directed movement of group A colicins (colicins E1, E2, E3, A, K, and N) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, PMID:9171417]' - }, - 'GO:0042916': { - 'name': 'alkylphosphonate transport', - 'def': 'The directed movement of an alkylphosphonate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0042917': { - 'name': 'alkylphosphonate transmembrane transporter activity', - 'def': 'Enables the transfer of an alkylphosphonate from one side of a membrane to the other. [GOC:go_curators]' - }, - 'GO:0042918': { - 'name': 'alkanesulfonate transport', - 'def': 'The directed movement of an alkanesulfonate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Alkanesulfonates are organic esters or salts of sulfonic acid containing an aliphatic hydrocarbon radical. [CHEBI:22318, GOC:jl]' - }, - 'GO:0042919': { - 'name': 'benzoate transport', - 'def': 'The directed movement of benzoate, the anion of benzoic acid (benzenecarboxylic acid) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, ISBN:0721662544]' - }, - 'GO:0042920': { - 'name': '3-hydroxyphenylpropionic acid transport', - 'def': 'The directed movement of 3-hydroxyphenylpropionic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0042921': { - 'name': 'glucocorticoid receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of a glucocorticoid binding to its receptor. [GOC:mah]' - }, - 'GO:0042922': { - 'name': 'neuromedin U receptor binding', - 'def': 'Interacting selectively and non-covalently with one or more specific sites on a neuromedin U receptor. [GOC:jl, PMID:10899166]' - }, - 'GO:0042923': { - 'name': 'neuropeptide binding', - 'def': 'Interacting selectively and non-covalently and stoichiometrically with neuropeptides, peptides with direct synaptic effects (peptide neurotransmitters) or indirect modulatory effects on the nervous system (peptide neuromodulators). [http://www.wormbook.org/chapters/www_neuropeptides/neuropeptides.html]' - }, - 'GO:0042924': { - 'name': 'neuromedin U binding', - 'def': 'Interacting selectively and non-covalently and stoichiometrically with neuromedin U, a hypothalamic peptide involved in energy homeostasis and stress responses. [GOC:jl, PMID:12584108]' - }, - 'GO:0042925': { - 'name': 'benzoate transporter activity', - 'def': 'Enables the directed movement of benzoate, the anion of benzoic acid (benzenecarboxylic acid) into, out of or within a cell, or between cells. [GOC:jl, ISBN:0721662544]' - }, - 'GO:0042926': { - 'name': '3-hydroxyphenylpropionic acid transporter activity', - 'def': 'Enables the directed movement of 3-hydroxyphenylpropionic acid into, out of or within a cell, or between cells. [GOC:jl]' - }, - 'GO:0042927': { - 'name': 'siderophore transporter activity', - 'def': 'Enables the directed movement of siderophores, low molecular weight Fe(III)-chelating substances, into, out of or within a cell, or between cells. [GOC:go_curators]' - }, - 'GO:0042928': { - 'name': 'ferrichrome transport', - 'def': "The directed movement of a ferrichrome into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Ferrichromes are any of a group of growth-promoting Fe(III) chelates formed by various genera of microfungi. They are homodetic cyclic hexapeptides made up of a tripeptide of glycine (or other small neutral amino acids) and a tripeptide of an N'acyl-N4-hydroxy-L-ornithine. [GOC:jl, ISBN:0198506732]" - }, - 'GO:0042929': { - 'name': 'ferrichrome transporter activity', - 'def': "Enables the directed movement of a ferrichrome into, out of or within a cell, or between cells. Ferrichromes are any of a group of growth-promoting Fe(III) chelates formed by various genera of microfungi. They are homodetic cyclic hexapeptides made up of a tripeptide of glycine (or other small neutral amino acids) and a tripeptide of an N'acyl-N4-hydroxy-L-ornithine. [GOC:jl, ISBN:0198506732]" - }, - 'GO:0042930': { - 'name': 'enterobactin transport', - 'def': 'The directed movement of the siderochrome enterobactin, a cyclic trimer of 2, 3 dihydroxybenzoylserine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:28855, GOC:jl]' - }, - 'GO:0042931': { - 'name': 'enterobactin transporter activity', - 'def': 'Enables the directed movement of the siderochrome enterochelin, a cyclic trimer of 2, 3 dihydroxybenzoylserine into, out of or within a cell, or between cells. [CHEBI:28855, GOC:jl]' - }, - 'GO:0042932': { - 'name': 'chrysobactin transport', - 'def': 'The directed movement of the siderophore chrysobactin (alpha-N-(2,3-dihydroxybenzoyl)-D-lysyl-L-serine) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, PMID:8837459]' - }, - 'GO:0042933': { - 'name': 'chrysobactin transporter activity', - 'def': 'Enables the directed movement of the siderophore chrysobactin (alpha-N-(2,3-dihydroxybenzoyl)-D-lysyl-L-serine) into, out of or within a cell, or between cells. [GOC:jl, PMID:8837459]' - }, - 'GO:0042934': { - 'name': 'achromobactin transporter activity', - 'def': 'Enables the directed movement of achromobactin, a citrate siderophore, into, out of or within a cell, or between cells. [GOC:jl]' - }, - 'GO:0042935': { - 'name': 'achromobactin transport', - 'def': 'The directed movement of achromobactin, a citrate siderophore, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, PMID:10928541]' - }, - 'GO:0042936': { - 'name': 'dipeptide transporter activity', - 'def': 'Enables the directed movement of a dipeptide, a combination of two amino acids by means of a peptide (-CO-NH-) link, into, out of or within a cell, or between cells. [CHEBI:46761, GOC:jl]' - }, - 'GO:0042937': { - 'name': 'tripeptide transporter activity', - 'def': 'Enables the directed movement of a tripeptide, a compound containing three amino acids linked together by peptide bonds, into, out of or within a cell, or between cells. [CHEBI:47923, GOC:jl]' - }, - 'GO:0042938': { - 'name': 'dipeptide transport', - 'def': 'The directed movement of a dipeptide, a combination of two amino acids by means of a peptide (-CO-NH-) link, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:46761, GOC:jl]' - }, - 'GO:0042939': { - 'name': 'tripeptide transport', - 'def': 'The directed movement of a tripeptide, a compound containing three amino acids linked together by peptide bonds, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:47923, GOC:jl]' - }, - 'GO:0042940': { - 'name': 'D-amino acid transport', - 'def': 'The directed movement of the D-enantiomer of an amino acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042941': { - 'name': 'D-alanine transport', - 'def': 'The directed movement of D-alanine, the D-enantiomer of 2-aminopropanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:15570, GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042942': { - 'name': 'D-serine transport', - 'def': 'The directed movement of D-serine, the D-enantiomer of 2-amino-3-hydroxypropanoic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0042943': { - 'name': 'D-amino acid transmembrane transporter activity', - 'def': 'Enables the transfer of D-amino acids from one side of a membrane to the other. D-amino acids are the D-enantiomers of amino acids. [GOC:jl, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0042944': { - 'name': 'D-alanine transmembrane transporter activity', - 'def': 'Enables the transfer of D-alanine from one side of a membrane to the other. D-alanine is the D-enantiomer of 2-aminopropanoic acid. [CHEBI:15570, GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0042945': { - 'name': 'D-serine transmembrane transporter activity', - 'def': 'Enables the transfer of D-serine from one side of a membrane to the other. D-serine is the D-enantiomer of 2-amino-3-hydroxypropanoic acid. [GOC:jl, GOC:jsg, GOC:mah, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0042946': { - 'name': 'glucoside transport', - 'def': 'The directed movement of glucosides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Glucosides are glycosides in which the sugar group is a glucose residue. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042947': { - 'name': 'glucoside transmembrane transporter activity', - 'def': 'Enables the transfer of glucosides from one side of the membrane to the other. Glucosides are glycosides in which the sugar group is a glucose residue. [GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0042948': { - 'name': 'salicin transport', - 'def': 'The directed movement of salicin (saligenin-beta-D-glucopyranoside), a glucoside of o-hydroxybenzylalcohol, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:17814, GOC:jl]' - }, - 'GO:0042949': { - 'name': 'arbutin transport', - 'def': 'The directed movement of arbutin, a glycoside found in the bearberry and related plants which has been used to treat urinary-tract diseases, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, http://biotech.icmb.utexas.edu/]' - }, - 'GO:0042950': { - 'name': 'salicin transmembrane transporter activity', - 'def': 'Enables the transfer of salicin (saligenin-beta-D-glucopyranoside), a glucoside of o-hydroxybenzylalcohol, from one side of the membrane to the other. [CHEBI:17814, GOC:jl, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0042951': { - 'name': 'arbutin transmembrane transporter activity', - 'def': 'Enables the transfer of arbutin, a glycoside found in the bearberry and related plants which has been used to treat urinary-tract diseases, from one side of the membrane to the other. [GOC:jl, GOC:mtg_transport, http://biotech.icmb.utexas.edu/, ISBN:0815340729]' - }, - 'GO:0042952': { - 'name': 'beta-ketoadipate pathway', - 'def': 'A pathway of aromatic compound degradation by ortho-cleavage; one branch converts protocatechuate, derived from phenolic compounds, to beta-ketoadipate, and the other branch converts catechol, generated from various aromatic hydrocarbons, amino aromatics, and lignin monomers, also to beta-ketoadipate. Two additional steps accomplish the conversion of beta-ketoadipate to tricarboxylic acid cycle intermediates. [GOC:jl, PMID:8905091]' - }, - 'GO:0042953': { - 'name': 'lipoprotein transport', - 'def': 'The directed movement of any conjugated, water-soluble protein in which the nonprotein group consists of a lipid or lipids, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042954': { - 'name': 'lipoprotein transporter activity', - 'def': 'Enables the directed movement of any conjugated, water-soluble protein in which the nonprotein group consists of a lipid or lipids, into, out of or within a cell, or between cells. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0042955': { - 'name': 'dextrin transport', - 'def': 'The directed movement of dextrin, any one, or the mixture, of the intermediate polysaccharides formed during the hydrolysis of starch, which are dextrorotatory, soluble in water, and precipitable in alcohol, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0042956': { - 'name': 'maltodextrin transport', - 'def': 'The directed movement of maltodextrin, any polysaccharide of glucose residues in beta-(1,4) linkage, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0042957': { - 'name': 'dextrin transmembrane transporter activity', - 'def': 'Enables the transfer of dextrin, any one, or the mixture, of the intermediate polysaccharides formed during the hydrolysis of starch, which are dextrorotatory, soluble in water, and precipitable in alcohol, from one side of the membrane to the other. [GOC:jl, GOC:vk, http://www.mercksource.com/]' - }, - 'GO:0042958': { - 'name': 'maltodextrin transmembrane transporter activity', - 'def': 'Enables the transfer of maltodextrin, any polysaccharide of glucose residues in beta-(1,4) linkage, from one side of the membrane to the other. [GOC:jl, http://www.mercksource.com/, PMID:15034926]' - }, - 'GO:0042959': { - 'name': 'alkanesulfonate transporter activity', - 'def': 'Enables the directed movement of alkanesulfonate into, out of or within a cell, or between cells. [GOC:jl]' - }, - 'GO:0042960': { - 'name': 'antimonite secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of antimonite from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:jl]' - }, - 'GO:0042961': { - 'name': 'antimonite-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + antimonite(in) = ADP + phosphate + antimonite(out). [EC:3.6.3.16]' - }, - 'GO:0042962': { - 'name': 'acridine:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + acridine(in) = H+(in) + acridine(out). [PMID:10735876]' - }, - 'GO:0042964': { - 'name': 'thioredoxin reduction', - 'def': 'The chemical reactions and pathways resulting in the reduction of thioredoxin, a small disulfide-containing redox protein that serves as a general protein disulfide oxidoreductase. [GOC:go_curators]' - }, - 'GO:0042965': { - 'name': 'obsolete glutaredoxin biosynthetic process', - 'def': 'OBSOLETE The chemical reactions and pathways resulting in the formation of a small disulfide-containing redox protein that serves as a glutathione-disulfide oxidoreductase. [GOC:go_curators]' - }, - 'GO:0042966': { - 'name': 'biotin carboxyl carrier protein biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the biotin carboxyl carrier protein, a subunit of acetyl-coenzyme A carboxylase. [GOC:go_curators, PMID:8102363]' - }, - 'GO:0042967': { - 'name': 'acyl-carrier-protein biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acyl-carrier protein. [GOC:go_curators]' - }, - 'GO:0042968': { - 'name': 'homoserine transport', - 'def': 'The directed movement of homoserine, alpha-amino-gamma-hydroxybutyric acid, an intermediate in the biosynthesis of cystathionine, threonine and methionine, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0042969': { - 'name': 'lactone transport', - 'def': 'The directed movement of lactone from one side of a membrane to the other. A lactone is a cyclic ester of a hydroxy carboxylic acid, containing a 1-oxacycloalkan-2-one structure, or an analogue having unsaturation or heteroatoms replacing one or more carbon atoms of the ring. [CHEBI:25000, GOC:go_curators]' - }, - 'GO:0042970': { - 'name': 'homoserine transmembrane transporter activity', - 'def': 'Enables the transfer of homoserine from one side of a membrane to the other. Homoserine is alpha-amino-gamma-hydroxybutyric acid, an intermediate in the biosynthesis of cystathionine, threonine and methionine. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0042971': { - 'name': 'lactone transmembrane transporter activity', - 'def': 'Enables the directed movement of lactone from one side of a membrane to the other. A lactone is a cyclic ester of a hydroxy carboxylic acid, containing a 1-oxacycloalkan-2-one structure, or an analogue having unsaturation or heteroatoms replacing one or more carbon atoms of the ring. [CHEBI:25000, GOC:go_curators]' - }, - 'GO:0042972': { - 'name': 'licheninase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-beta-D-glucosidic linkages in beta-D-glucans containing (1->3) and (1->4) bonds. [EC:3.2.1.73]' - }, - 'GO:0042973': { - 'name': 'glucan endo-1,3-beta-D-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->3)-beta-D-glucosidic linkages in (1->3)-beta-D-glucans. [EC:3.2.1.39]' - }, - 'GO:0042974': { - 'name': 'retinoic acid receptor binding', - 'def': 'Interacting selectively and non-covalently with the retinoic acid receptor, a ligand-regulated transcription factor belonging to the nuclear receptor superfamily. [GOC:jl, PMID:12476796]' - }, - 'GO:0042975': { - 'name': 'peroxisome proliferator activated receptor binding', - 'def': 'Interacting selectively and non-covalently with any of the peroxisome proliferator activated receptors, alpha, beta or gamma. [GOC:jl, PMID:12769781]' - }, - 'GO:0042976': { - 'name': 'activation of Janus kinase activity', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a JAK (Janus Activated Kinase) protein, thereby activating it. [GOC:jl, PMID:12479803]' - }, - 'GO:0042977': { - 'name': 'activation of JAK2 kinase activity', - 'def': 'The process of introducing a phosphate group to a tyrosine residue of a JAK2 (Janus Activated Kinase 2) protein, thereby activating it. [GOC:jl, PMID:12479803]' - }, - 'GO:0042978': { - 'name': 'ornithine decarboxylase activator activity', - 'def': 'Upregulation of the activity of the enzyme ornithine decarboxylase. [GOC:jl]' - }, - 'GO:0042979': { - 'name': 'ornithine decarboxylase regulator activity', - 'def': 'Modulation of the activity of the enzyme ornithine decarboxylase. [GOC:jl]' - }, - 'GO:0042980': { - 'name': 'obsolete cystic fibrosis transmembrane conductance regulator binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with the Cystic Fibrosis Transmembrane conductance Regulator (CFTR) protein. [GOC:jl]' - }, - 'GO:0042981': { - 'name': 'regulation of apoptotic process', - 'def': 'Any process that modulates the occurrence or rate of cell death by apoptotic process. [GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0042982': { - 'name': 'amyloid precursor protein metabolic process', - 'def': "The chemical reactions and pathways involving amyloid precursor protein (APP), the precursor of beta-amyloid, a glycoprotein associated with Alzheimer's disease. [GOC:go_curators]" - }, - 'GO:0042983': { - 'name': 'amyloid precursor protein biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of amyloid precursor protein (APP), the precursor of beta-amyloid, a glycoprotein associated with Alzheimer's disease. [GOC:go_curators]" - }, - 'GO:0042984': { - 'name': 'regulation of amyloid precursor protein biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of amyloid precursor protein (APP), the precursor of beta-amyloid. [GOC:go_curators]' - }, - 'GO:0042985': { - 'name': 'negative regulation of amyloid precursor protein biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of amyloid precursor protein (APP), the precursor of beta-amyloid. [GOC:go_curators]' - }, - 'GO:0042986': { - 'name': 'positive regulation of amyloid precursor protein biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of amyloid precursor protein (APP), the precursor of beta-amyloid. [GOC:go_curators]' - }, - 'GO:0042987': { - 'name': 'amyloid precursor protein catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of amyloid precursor protein (APP), the precursor of beta-amyloid, a glycoprotein associated with Alzheimer's disease. [GOC:go_curators]" - }, - 'GO:0042988': { - 'name': 'X11-like protein binding', - 'def': 'Interacting selectively and non-covalently with X11-like protein, a neuron-specific adaptor protein. [GOC:jl, PMID:12780348]' - }, - 'GO:0042989': { - 'name': 'sequestering of actin monomers', - 'def': 'The selective interaction of actin monomers with specific molecules that inhibit their polymerization by preventing their access to other monomers. [GOC:go_curators]' - }, - 'GO:0042990': { - 'name': 'regulation of transcription factor import into nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of the movement of a transcription factor from the cytoplasm to the nucleus. [GOC:jl]' - }, - 'GO:0042991': { - 'name': 'transcription factor import into nucleus', - 'def': 'The directed movement of a transcription factor from the cytoplasm to the nucleus. [GOC:jl]' - }, - 'GO:0042992': { - 'name': 'negative regulation of transcription factor import into nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the movement of a transcription factor from the cytoplasm to the nucleus. [GOC:jl]' - }, - 'GO:0042993': { - 'name': 'positive regulation of transcription factor import into nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of the movement of a transcription factor from the cytoplasm to the nucleus. [GOC:jl]' - }, - 'GO:0042994': { - 'name': 'cytoplasmic sequestering of transcription factor', - 'def': 'The selective interaction of a transcription factor with specific molecules in the cytoplasm, thereby inhibiting its translocation into the nucleus. [GOC:jl]' - }, - 'GO:0042995': { - 'name': 'cell projection', - 'def': 'A prolongation or process extending from a cell, e.g. a flagellum or axon. [GOC:jl, http://www.cogsci.princeton.edu/~wn/]' - }, - 'GO:0042996': { - 'name': 'regulation of Golgi to plasma membrane protein transport', - 'def': 'Any process that modulates the frequency, rate or extent of the transport of proteins from the Golgi to the plasma membrane. [GOC:jl]' - }, - 'GO:0042997': { - 'name': 'negative regulation of Golgi to plasma membrane protein transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the transport of proteins from the Golgi to the plasma membrane. [GOC:jl]' - }, - 'GO:0042998': { - 'name': 'positive regulation of Golgi to plasma membrane protein transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the transport of proteins from the Golgi to the plasma membrane. [GOC:jl]' - }, - 'GO:0042999': { - 'name': 'regulation of Golgi to plasma membrane CFTR protein transport', - 'def': 'Any process that modulates the frequency, rate or extent of transport of Cystic Fibrosis Transmembrane conductance Regulator (CFTR) protein from the Golgi to the plasma membrane. [GOC:jl]' - }, - 'GO:0043000': { - 'name': 'Golgi to plasma membrane CFTR protein transport', - 'def': 'The directed movement of Cystic Fibrosis Transmembrane conductance Regulator (CFTR) protein from the Golgi to the plasma membrane. [GOC:jl]' - }, - 'GO:0043001': { - 'name': 'Golgi to plasma membrane protein transport', - 'def': 'The directed movement of proteins from the Golgi to the plasma membrane in transport vesicles that move from the trans-Golgi network to the plasma membrane. [ISBN:0716731363]' - }, - 'GO:0043002': { - 'name': 'negative regulation of Golgi to plasma membrane CFTR protein transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transport of Cystic Fibrosis Transmembrane conductance Regulator (CFTR) protein from the Golgi to the plasma membrane. [GOC:jl]' - }, - 'GO:0043003': { - 'name': 'positive regulation of Golgi to plasma membrane CFTR protein transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of transport of Cystic Fibrosis Transmembrane conductance Regulator (CFTR) protein from the Golgi to the plasma membrane. [GOC:jl]' - }, - 'GO:0043004': { - 'name': 'cytoplasmic sequestering of CFTR protein', - 'def': 'The selective interaction of Cystic Fibrosis Transmembrane conductance Regulator (CFTR) protein with specific molecules in the cytoplasm, thereby inhibiting its transport to the cell membrane. [GOC:jl]' - }, - 'GO:0043005': { - 'name': 'neuron projection', - 'def': 'A prolongation or process extending from a nerve cell, e.g. an axon or dendrite. [GOC:jl, http://www.cogsci.princeton.edu/~wn/]' - }, - 'GO:0043006': { - 'name': 'activation of phospholipase A2 activity by calcium-mediated signaling', - 'def': 'A series of molecular signals that leads to the upregulation of calcium-dependent phospholipase A2 activity in response to the signal. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043007': { - 'name': 'maintenance of rDNA', - 'def': 'Any process involved in sustaining the fidelity and copy number of rDNA repeats. [GOC:vw, PMID:14528010]' - }, - 'GO:0043008': { - 'name': 'ATP-dependent protein binding', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex (a complex of two or more proteins that may include other nonprotein molecules) using energy from the hydrolysis of ATP. [GOC:jl]' - }, - 'GO:0043009': { - 'name': 'chordate embryonic development', - 'def': 'The process whose specific outcome is the progression of the embryo over time, from zygote formation through a stage including a notochord and neural tube until birth or egg hatching. [GOC:mtg_sensu]' - }, - 'GO:0043010': { - 'name': 'camera-type eye development', - 'def': 'The process whose specific outcome is the progression of the camera-type eye over time, from its formation to the mature structure. The camera-type eye is an organ of sight that receives light through an aperture and focuses it through a lens, projecting it on a photoreceptor field. [GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0043011': { - 'name': 'myeloid dendritic cell differentiation', - 'def': 'The process in which a monocyte acquires the specialized features of a dendritic cell, an immunocompetent cell of the lymphoid and hemopoietic systems and skin. [CL:0000782, GOC:jl]' - }, - 'GO:0043012': { - 'name': 'regulation of fusion of sperm to egg plasma membrane', - 'def': 'Any process that modulates the binding and fusion of a sperm to the oocyte plasma membrane. [GOC:jl, http://arbl.cvmbs.colostate.edu/hbooks/pathphys/reprod/fert/fert.html]' - }, - 'GO:0043013': { - 'name': 'negative regulation of fusion of sperm to egg plasma membrane', - 'def': 'Any process that stops or prevents the binding and fusion of a sperm to the oocyte plasma membrane. [GOC:jl, http://arbl.cvmbs.colostate.edu/hbooks/pathphys/reprod/fert/fert.html]' - }, - 'GO:0043014': { - 'name': 'alpha-tubulin binding', - 'def': 'Interacting selectively and non-covalently with the microtubule constituent protein alpha-tubulin. [GOC:jl]' - }, - 'GO:0043015': { - 'name': 'gamma-tubulin binding', - 'def': 'Interacting selectively and non-covalently with the microtubule constituent protein gamma-tubulin. [GOC:jl]' - }, - 'GO:0043016': { - 'name': 'regulation of lymphotoxin A biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the cytokine lymphotoxin A. [GOC:jl]' - }, - 'GO:0043017': { - 'name': 'positive regulation of lymphotoxin A biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the cytokine lymphotoxin A. [GOC:jl]' - }, - 'GO:0043018': { - 'name': 'negative regulation of lymphotoxin A biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the cytokine lymphotoxin A. [GOC:jl]' - }, - 'GO:0043020': { - 'name': 'NADPH oxidase complex', - 'def': 'A enzyme complex of which the core is a heterodimer composed of a light (alpha) and heavy (beta) chain, and requires several other water-soluble proteins of cytosolic origin for activity. Functions in superoxide generation by the NADPH-dependent reduction of O2. [GOC:jl, PMID:11483596, PMID:12440767]' - }, - 'GO:0043021': { - 'name': 'ribonucleoprotein complex binding', - 'def': 'Interacting selectively and non-covalently with any complex of RNA and protein. [GOC:bf, GOC:go_curators, GOC:vk]' - }, - 'GO:0043022': { - 'name': 'ribosome binding', - 'def': 'Interacting selectively and non-covalently with any part of a ribosome. [GOC:go_curators]' - }, - 'GO:0043023': { - 'name': 'ribosomal large subunit binding', - 'def': 'Interacting selectively and non-covalently with any part of the larger ribosomal subunit. [GOC:go_curators]' - }, - 'GO:0043024': { - 'name': 'ribosomal small subunit binding', - 'def': 'Interacting selectively and non-covalently with any part of the small ribosomal subunit. [GOC:go_curators]' - }, - 'GO:0043025': { - 'name': 'neuronal cell body', - 'def': 'The portion of a neuron that includes the nucleus, but excludes cell projections such as axons and dendrites. [GOC:go_curators]' - }, - 'GO:0043027': { - 'name': 'cysteine-type endopeptidase inhibitor activity involved in apoptotic process', - 'def': 'Stops, prevents or reduces the activity of a cysteine-type endopeptidase involved in the apoptotic process. [GOC:jl, GOC:mtg_apoptosis, PMID:14744432, Wikipedia:Caspase]' - }, - 'GO:0043028': { - 'name': 'cysteine-type endopeptidase regulator activity involved in apoptotic process', - 'def': 'Modulates the activity of a cysteine-type endopeptidase involved in the apoptotic process. [GOC:jl, GOC:mtg_apoptosis, PMID:14744432, Wikipedia:Caspase]' - }, - 'GO:0043029': { - 'name': 'T cell homeostasis', - 'def': 'The process of regulating the proliferation and elimination of T cells such that the total number of T cells within a whole or part of an organism is stable over time in the absence of an outside stimulus. [GOC:mgi_curators, ISBN:0781735149]' - }, - 'GO:0043030': { - 'name': 'regulation of macrophage activation', - 'def': 'Any process that modulates the frequency or rate of macrophage activation. [GOC:jl]' - }, - 'GO:0043031': { - 'name': 'negative regulation of macrophage activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of macrophage activation. [GOC:jl]' - }, - 'GO:0043032': { - 'name': 'positive regulation of macrophage activation', - 'def': 'Any process that stimulates, induces or increases the rate of macrophage activation. [GOC:jl]' - }, - 'GO:0043033': { - 'name': 'isoamylase complex', - 'def': 'A protein complex whose composition varies amongst species; in rice it probably exists in a homo-tetramer to homo-hexamer form and in Gram-negative bacteria as a dimer. Functions in the hydrolysis of alpha-(1,6)-D-glucosidic branch linkages. [GOC:jl, PMID:10333591]' - }, - 'GO:0043034': { - 'name': 'costamere', - 'def': 'Regular periodic sub membranous arrays of vinculin in skeletal and cardiac muscle cells, these arrays link Z-discs to the sarcolemma and are associated with links to extracellular matrix. [GOC:jl, GOC:mtg_muscle, ISBN:0198506732, PMID:6405378]' - }, - 'GO:0043035': { - 'name': 'chromatin insulator sequence binding', - 'def': 'Interacting selectively and non-covalently and stoichiometrically with a chromatin insulator sequence, a DNA sequence that prevents enhancer-mediated activation or repression of transcription. [GOC:jl, PMID:12783795]' - }, - 'GO:0043036': { - 'name': 'starch grain', - 'def': 'Plant storage body for amylose and amylopectin, 1-100um in diameter. Also contains small amounts of enzymes, amino acids, lipids and nucleic acids. The shape of the grain varies widely amongst species, but is often spherical or disk-shaped. [GOC:jl, PMID:11217978]' - }, - 'GO:0043038': { - 'name': 'amino acid activation', - 'def': 'The modification of an amino acid to an active form, for incorporation into a peptide, protein or other macromolecule. [GOC:jl]' - }, - 'GO:0043039': { - 'name': 'tRNA aminoacylation', - 'def': "The chemical reactions and pathways by which the various amino acids become bonded to their corresponding tRNAs. The most common route for synthesis of aminoacyl tRNA is by the formation of an ester bond between the 3'-hydroxyl group of the most 3' adenosine of the tRNA, usually catalyzed by the cognate aminoacyl-tRNA ligase. A given aminoacyl-tRNA ligase aminoacylates all species of an isoaccepting group of tRNA molecules. [GOC:ma, GOC:mah, MetaCyc:Aminoacyl-tRNAs]" - }, - 'GO:0043040': { - 'name': 'tRNA aminoacylation for nonribosomal peptide biosynthetic process', - 'def': "The synthesis of aminoacyl tRNA by the formation of an ester bond between the 3'-hydroxyl group of the most 3' adenosine of the tRNA, to be used in nonribosomal peptide synthesis. [GOC:jl]" - }, - 'GO:0043041': { - 'name': 'amino acid activation for nonribosomal peptide biosynthetic process', - 'def': 'Activation of an amino acid for incorporation into a peptide by a nonribosomal process. [GOC:jl]' - }, - 'GO:0043042': { - 'name': 'amino acid adenylylation by nonribosomal peptide synthase', - 'def': 'Activation of an amino acid for incorporation into a peptide by a nonribosomal process, catalyzed by subunits of nonribosomal peptide synthase. The amino acid is adenylated at its carboxylate group (ATP-dependent) then transferred to the thiol group of an enzyme-bound phosphopantetheine cofactor. [GOC:jl, PMID:9250661, PMID:9712910]' - }, - 'GO:0043043': { - 'name': 'peptide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of peptides, compounds of 2 or more (but usually less than 100) amino acids where the alpha carboxyl group of one is bound to the alpha amino group of another. This may include the translation of a precursor protein and its subsequent processing into a functional peptide. [CHEBI:16670, GOC:dph, GOC:jl]' - }, - 'GO:0043044': { - 'name': 'ATP-dependent chromatin remodeling', - 'def': 'Dynamic structural changes to eukaryotic chromatin that require energy from the hydrolysis of ATP, ranging from local changes necessary for transcriptional regulation to global changes necessary for chromosome segregation, mediated by ATP-dependent chromatin-remodelling factors. [GOC:jl, PMID:12042764]' - }, - 'GO:0043045': { - 'name': 'DNA methylation involved in embryo development', - 'def': 'The covalent transfer of a methyl group to C-5 of cytosine that contributes to the epigenetic regulation of embryonic gene expression. [GOC:go_curators, PMID:12138111]' - }, - 'GO:0043046': { - 'name': 'DNA methylation involved in gamete generation', - 'def': 'The covalent transfer of a methyl group to C-5 of cytosine that contributes to the establishment of DNA methylation patterns in the gamete. [GOC:go_curators, PMID:12138111]' - }, - 'GO:0043047': { - 'name': 'single-stranded telomeric DNA binding', - 'def': 'Interacting selectively and non-covalently with single-stranded telomere-associated DNA. [GOC:jl, ISBN:0321000382]' - }, - 'GO:0043048': { - 'name': 'dolichyl monophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dolichyl diphosphate, a phosphorylated dolichol derivative. [GOC:jl]' - }, - 'GO:0043049': { - 'name': 'otic placode formation', - 'def': 'The initial developmental process that will lead to the formation of the vertebrate inner ear. The otic placode forms as a thickening of the head ectoderm adjacent to the developing hindbrain. [GOC:go_curators, PMID:12668634]' - }, - 'GO:0043050': { - 'name': 'pharyngeal pumping', - 'def': 'The contraction and relaxation movements of the pharyngeal muscle that mediate feeding in nematodes. [GOC:cab1, PMID:2181052]' - }, - 'GO:0043051': { - 'name': 'regulation of pharyngeal pumping', - 'def': 'Any process that modulates the contraction and relaxation movements of the pharyngeal muscle that mediates feeding in nematodes. [GOC:cab1, PMID:2181052]' - }, - 'GO:0043052': { - 'name': 'thermotaxis', - 'def': 'The directed movement of a motile cell or organism in response to a temperature gradient. Movement may be towards either a higher or lower temperature. [GOC:cab1, WB_REF:cgc467]' - }, - 'GO:0043053': { - 'name': 'dauer entry', - 'def': 'Entry into the facultative diapause of the dauer (enduring) larval stage of nematode development. [GOC:cab1, GOC:kmv, PMID:10077613]' - }, - 'GO:0043054': { - 'name': 'dauer exit', - 'def': 'Exit from the facultative diapause of the dauer (enduring) larval stage of nematode development. [GOC:cab1, PMID:12620986]' - }, - 'GO:0043055': { - 'name': 'maintenance of dauer', - 'def': 'Maintenance of a nematode during the facultative diapause of the dauer (enduring) larval stage of nematode development. [GOC:cab1, WB_REF:wm2003ab740]' - }, - 'GO:0043056': { - 'name': 'forward locomotion', - 'def': 'Anterior movement of an organism, following the direction of the head of the animal. [GOC:go_curators]' - }, - 'GO:0043057': { - 'name': 'backward locomotion', - 'def': 'Posterior movement of an organism, e.g. following the direction of the tail of an animal. [GOC:go_curators]' - }, - 'GO:0043058': { - 'name': 'regulation of backward locomotion', - 'def': 'Any process that modulates the speed, mechanical force, or rhythm of the posterior movement of an organism. [GOC:go_curators]' - }, - 'GO:0043059': { - 'name': 'regulation of forward locomotion', - 'def': 'Any process that modulates the speed, mechanical force, or rhythm of the anterior movement of an organism. [GOC:go_curators]' - }, - 'GO:0043060': { - 'name': 'meiotic metaphase I plate congression', - 'def': 'The alignment of chromosomes at the metaphase plate, a plane halfway between the poles of the meiotic spindle, during meiosis I. [GOC:cab1, PMID:10809666]' - }, - 'GO:0043061': { - 'name': 'meiotic metaphase II plate congression', - 'def': 'The alignment of chromosomes at the metaphase plate, a plane halfway between the poles of the meiotic spindle, during meiosis II. [GOC:cab1, PMID:10809666]' - }, - 'GO:0043062': { - 'name': 'extracellular structure organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of structures in the space external to the outermost structure of a cell. For cells without external protective or external encapsulating structures this refers to space outside of the plasma membrane, and also covers the host cell environment outside an intracellular parasite. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0043063': { - 'name': 'intercellular bridge organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the intracellular bridge. An intracellular bridge is a direct link between the cytoplasms of sister cells that allows cells to communicate with one another. [GOC:jid]' - }, - 'GO:0043064': { - 'name': 'obsolete flagellum organization', - 'def': 'OBSOLETE. A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a flagellum, a long thin projection from a cell, used in movement. [GOC:curators, ISBN:0815316194]' - }, - 'GO:0043065': { - 'name': 'positive regulation of apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell death by apoptotic process. [GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0043066': { - 'name': 'negative regulation of apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell death by apoptotic process. [GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0043067': { - 'name': 'regulation of programmed cell death', - 'def': 'Any process that modulates the frequency, rate or extent of programmed cell death, cell death resulting from activation of endogenous cellular processes. [GOC:jl]' - }, - 'GO:0043068': { - 'name': 'positive regulation of programmed cell death', - 'def': 'Any process that activates or increases the frequency, rate or extent of programmed cell death, cell death resulting from activation of endogenous cellular processes. [GOC:jl]' - }, - 'GO:0043069': { - 'name': 'negative regulation of programmed cell death', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of programmed cell death, cell death resulting from activation of endogenous cellular processes. [GOC:jl]' - }, - 'GO:0043073': { - 'name': 'germ cell nucleus', - 'def': 'The nucleus of a germ cell, a reproductive cell in multicellular organisms. [CL:0000586, GOC:go_curators]' - }, - 'GO:0043075': { - 'name': 'obsolete sperm cell nucleus (sensu Magnoliophyta)', - 'def': 'OBSOLETE. The nucleus of a plant pollen cell, the male gamete, and its descendents. [GOC:jl]' - }, - 'GO:0043076': { - 'name': 'megasporocyte nucleus', - 'def': 'The nucleus of a megasporocyte, a diploid cell that undergoes meiosis to produce four megaspores, and its descendents. [GOC:jl, ISBN:0618254153]' - }, - 'GO:0043077': { - 'name': 'initiation of acetate catabolic process', - 'def': 'The activation of the chemical reactions and pathways resulting in the breakdown of acetate. [GOC:jl]' - }, - 'GO:0043078': { - 'name': 'polar nucleus', - 'def': 'Either of two nuclei located centrally in a flowering plant embryo sac that eventually fuse to form the endosperm nucleus. [ISBN:0618254153]' - }, - 'GO:0043079': { - 'name': 'antipodal cell nucleus', - 'def': 'The nucleus of an antipodal cell, one of three cells of the embryo sac in angiosperms, found at the chalazal end of the embryo away from the point of entry of the pollen tube, and its descendents. [CL:0000537, GOC:jl]' - }, - 'GO:0043082': { - 'name': 'megagametophyte egg cell nucleus', - 'def': 'The nucleus of a plant egg cell. This nucleus is found at the micropylar end of the embryo. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0043083': { - 'name': 'synaptic cleft', - 'def': 'The narrow gap that separates the presynaptic and postsynaptic membranes, into which neurotransmitter is released. [GOC:jl, http://synapses.mcg.edu/anatomy/chemical/synapse.stm]' - }, - 'GO:0043084': { - 'name': 'penile erection', - 'def': 'The hardening, enlarging and rising of the penis which often occurs in the sexually aroused male and enables sexual intercourse. Achieved by increased inflow of blood into the vessels of erectile tissue, and decreased outflow. [GOC:jl, Wikipedia:Penile_erection]' - }, - 'GO:0043085': { - 'name': 'positive regulation of catalytic activity', - 'def': 'Any process that activates or increases the activity of an enzyme. [GOC:ebc, GOC:jl, GOC:tb, GOC:vw]' - }, - 'GO:0043086': { - 'name': 'negative regulation of catalytic activity', - 'def': 'Any process that stops or reduces the activity of an enzyme. [GOC:ebc, GOC:jl, GOC:tb, GOC:vw]' - }, - 'GO:0043087': { - 'name': 'regulation of GTPase activity', - 'def': 'Any process that modulates the rate of GTP hydrolysis by a GTPase. [GOC:jl, GOC:mah]' - }, - 'GO:0043090': { - 'name': 'amino acid import', - 'def': 'The directed movement of amino acids into a cell or organelle. [GOC:jl]' - }, - 'GO:0043091': { - 'name': 'L-arginine import', - 'def': 'The directed movement of L-arginine, the L-enantiomer of 2-amino-5-guanidinopentanoic acid, into a cell or organelle. [GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0043092': { - 'name': 'L-amino acid import', - 'def': 'The directed movement of L-enantiomer amino acids into a cell or organelle. [GOC:jl, GOC:jsg, GOC:mah]' - }, - 'GO:0043093': { - 'name': 'FtsZ-dependent cytokinesis', - 'def': 'A cytokinesis process that involves a set of conserved proteins including FtsZ, and results in the formation of two similarly sized and shaped cells. [GOC:mah, ISBN:0815108893, PMID:12626683]' - }, - 'GO:0043094': { - 'name': 'cellular metabolic compound salvage', - 'def': 'Any process which produces a useful metabolic compound from derivatives of it without de novo synthesis, as carried out by individual cells. [GOC:mlg]' - }, - 'GO:0043095': { - 'name': 'regulation of GTP cyclohydrolase I activity', - 'def': 'Any process that modulates the activity of the enzyme GTP cyclohydrolase I. [GOC:jl]' - }, - 'GO:0043096': { - 'name': 'purine nucleobase salvage', - 'def': 'Any process that generates purine nucleobases, one of the two classes of nitrogen-containing ring compounds found in DNA and RNA, from derivatives of them without de novo synthesis. [CHEBI:26386, GOC:jl]' - }, - 'GO:0043097': { - 'name': 'pyrimidine nucleoside salvage', - 'def': 'Any process that generates a pyrimidine nucleoside, one of a family of organic molecules consisting of a pyrimidine base covalently bonded to a sugar ribose, from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0043098': { - 'name': 'purine deoxyribonucleoside salvage', - 'def': 'Any process which produces a purine deoxyribonucleoside from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0043099': { - 'name': 'pyrimidine deoxyribonucleoside salvage', - 'def': 'Any process that generates a pyrimidine deoxyribonucleoside from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0043100': { - 'name': 'pyrimidine nucleobase salvage', - 'def': 'Any process that generates pyrimidine nucleobases, 1,3-diazine organic nitrogenous bases, from derivatives of them without de novo synthesis. [CHEBI:26432, GOC:jl]' - }, - 'GO:0043101': { - 'name': 'purine-containing compound salvage', - 'def': 'Any process that generates a purine-containing compound, any nucleobase, nucleoside, nucleotide or nucleic acid that contains a purine base, from derivatives of them without de novo synthesis. [CHEBI:26401, GOC:jl]' - }, - 'GO:0043102': { - 'name': 'amino acid salvage', - 'def': 'Any process which produces an amino acid from derivatives of it, without de novo synthesis. [GOC:jl]' - }, - 'GO:0043103': { - 'name': 'hypoxanthine salvage', - 'def': 'Any process that generates hypoxanthine, 6-hydroxy purine, from derivatives of it without de novo synthesis. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0043104': { - 'name': 'positive regulation of GTP cyclohydrolase I activity', - 'def': 'Any process that activates or increases the activity of the enzyme GTP cyclohydrolase I. [GOC:jl]' - }, - 'GO:0043105': { - 'name': 'negative regulation of GTP cyclohydrolase I activity', - 'def': 'Any process that stops or reduces the activity of the enzyme GTP cyclohydrolase I. [GOC:jl]' - }, - 'GO:0043107': { - 'name': 'type IV pilus-dependent motility', - 'def': 'Any process involved in the controlled movement of a bacterial cell which is dependent on the presence of type IV pili. Includes social gliding motility and twitching motility. [GOC:go_curators, PMID:12704238]' - }, - 'GO:0043108': { - 'name': 'pilus retraction', - 'def': 'The process of withdrawing a pilus back into a cell. [GOC:go_curators, PMID:17355871]' - }, - 'GO:0043110': { - 'name': 'rDNA spacer replication fork barrier binding', - 'def': 'Interacting selectively and non-covalently with replication fork barriers found in rDNA spacers, sites that inhibit replication forks in the direction opposite to rDNA transcription. [GOC:jl, GOC:mah, PMID:14645529]' - }, - 'GO:0043111': { - 'name': 'replication fork arrest', - 'def': "Any process that stops, prevents, or reduces the frequency, rate or extent of DNA replication by impeding the progress of the DNA replication fork. Replication fork arrest is one of the 'quality control' processes ensuring that DNA-dependent DNA replication occurs correctly. DNA replication fork arrest during DNA-dependent DNA replication is not known to occur outside of cases where a replication error needs to be prevented or corrected. [GOC:jl, GOC:pr, PMID:14645529]" - }, - 'GO:0043112': { - 'name': 'receptor metabolic process', - 'def': 'The chemical reactions and pathways involving a receptor molecule, a macromolecule that undergoes combination with a hormone, neurotransmitter, drug or intracellular messenger to initiate a change in cell function. [GOC:jl]' - }, - 'GO:0043113': { - 'name': 'receptor clustering', - 'def': 'The receptor metabolic process that results in grouping of a set of receptors at a cellular location, often to amplify the sensitivity of a signaling response. [GOC:bf, GOC:jl, GOC:pr, PMID:19747931, PMID:21453460]' - }, - 'GO:0043114': { - 'name': 'regulation of vascular permeability', - 'def': 'Any process that modulates the extent to which blood vessels can be pervaded by fluid. [GOC:jl]' - }, - 'GO:0043115': { - 'name': 'precorrin-2 dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(+) + precorrin-2 = 2 H(+) + NADH + sirohydrochlorin. [EC:1.3.1.76, RHEA:15616]' - }, - 'GO:0043116': { - 'name': 'negative regulation of vascular permeability', - 'def': 'Any process that reduces the extent to which blood vessels can be pervaded by fluid. [GOC:jl]' - }, - 'GO:0043117': { - 'name': 'positive regulation of vascular permeability', - 'def': 'Any process that increases the extent to which blood vessels can be pervaded by fluid. [GOC:jl]' - }, - 'GO:0043120': { - 'name': 'tumor necrosis factor binding', - 'def': 'Interacting selectively and non-covalently with tumor necrosis factor, a proinflammatory cytokine produced by monocytes and macrophages. [GOC:jl, http://lookwayup.com/]' - }, - 'GO:0043121': { - 'name': 'neurotrophin binding', - 'def': 'Interacting selectively and non-covalently with a neurotrophin, any of a family of growth factors that prevent apoptosis in neurons and promote nerve growth. [GOC:jl, http://www.mercksource.com/, PR:000021998]' - }, - 'GO:0043122': { - 'name': 'regulation of I-kappaB kinase/NF-kappaB signaling', - 'def': 'Any process that modulates I-kappaB kinase/NF-kappaB signaling. [GOC:jl, PMID:12773372]' - }, - 'GO:0043123': { - 'name': 'positive regulation of I-kappaB kinase/NF-kappaB signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of I-kappaB kinase/NF-kappaB signaling. [GOC:jl]' - }, - 'GO:0043124': { - 'name': 'negative regulation of I-kappaB kinase/NF-kappaB signaling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of -kappaB kinase/NF-kappaB signaling. [GOC:jl]' - }, - 'GO:0043125': { - 'name': 'ErbB-3 class receptor binding', - 'def': 'Interacting selectively and non-covalently with the protein-tyrosine kinase receptor ErbB-3/HER3. [GOC:jl]' - }, - 'GO:0043126': { - 'name': 'regulation of 1-phosphatidylinositol 4-kinase activity', - 'def': 'Any process that modulates the activity of the enzyme 1-phosphatidylinositol 4-kinase. [GOC:jl]' - }, - 'GO:0043127': { - 'name': 'negative regulation of 1-phosphatidylinositol 4-kinase activity', - 'def': 'Any process that stops or reduces the activity of the enzyme 1-phosphatidylinositol 4-kinase. [GOC:jl]' - }, - 'GO:0043128': { - 'name': 'positive regulation of 1-phosphatidylinositol 4-kinase activity', - 'def': 'Any process that activates or increases the activity of 1-phosphatidylinositol 4-kinase. [GOC:jl]' - }, - 'GO:0043129': { - 'name': 'surfactant homeostasis', - 'def': 'Any process involved in the maintenance of a steady-state level of the surface-active lipoprotein mixture which coats the alveoli. [PMID:9751757]' - }, - 'GO:0043130': { - 'name': 'ubiquitin binding', - 'def': 'Interacting selectively and non-covalently with ubiquitin, a protein that when covalently bound to other cellular proteins marks them for proteolytic degradation. [GOC:ecd]' - }, - 'GO:0043131': { - 'name': 'erythrocyte enucleation', - 'def': 'The process in which nucleated precursor cells lose their nucleus during erythrocyte maturation. [GOC:hjd]' - }, - 'GO:0043132': { - 'name': 'NAD transport', - 'def': 'The directed movement of nicotinamide adenine dinucleotide into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore; transport may be of either the oxidized form, NAD, or the reduced form, NADH. [GOC:jl]' - }, - 'GO:0043133': { - 'name': 'hindgut contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the hindgut. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The hindgut is the posterior part of the alimentary canal, including the rectum, and the large intestine. [GOC:jl, GOC:mtg_muscle, UBERON:0001046]' - }, - 'GO:0043134': { - 'name': 'regulation of hindgut contraction', - 'def': 'Any process that modulates the frequency, rate or extent of muscle contraction of the hindgut, the posterior part of the alimentary canal, including the rectum, and the large intestine. [GOC:jl, UBERON:0001046]' - }, - 'GO:0043135': { - 'name': '5-phosphoribosyl 1-pyrophosphate pyrophosphatase activity', - 'def': 'Catalysis of the reaction: 5-phospho-alpha-D-ribose 1-diphosphate + H2O = ribose 1,5 bisphosphate + phosphate + H+. [MetaCyc:RXN-10969, PMID:12370170]' - }, - 'GO:0043136': { - 'name': 'glycerol-3-phosphatase activity', - 'def': 'Catalysis of the reaction: glycerol 3-phosphate + H2O = glycerol + phosphate. [GOC:jl]' - }, - 'GO:0043137': { - 'name': 'DNA replication, removal of RNA primer', - 'def': 'Removal of the Okazaki RNA primer from the lagging strand of replicating DNA, by a combination of the actions of DNA polymerase, DNA helicase and an endonuclease. [GOC:jl, PMID:12424238]' - }, - 'GO:0043138': { - 'name': "3'-5' DNA helicase activity", - 'def': "Catalysis of the unwinding of the DNA helix in the direction 3' to 5'. [GOC:jl]" - }, - 'GO:0043139': { - 'name': "5'-3' DNA helicase activity", - 'def': "Catalysis of the unwinding of the DNA helix in the direction 5' to 3'. [GOC:jl]" - }, - 'GO:0043140': { - 'name': "ATP-dependent 3'-5' DNA helicase activity", - 'def': "Catalysis of the reaction: ATP + H2O = ADP + phosphate; drives the unwinding of the DNA helix in the direction 3' to 5'. [GOC:jl]" - }, - 'GO:0043141': { - 'name': "ATP-dependent 5'-3' DNA helicase activity", - 'def': "Catalysis of the reaction: ATP + H2O = ADP + phosphate; drives the unwinding of the DNA helix in the direction 5' to 3'. [GOC:jl]" - }, - 'GO:0043142': { - 'name': 'single-stranded DNA-dependent ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction requires the presence of single-stranded DNA, and it drives another reaction. [GOC:go_curators]' - }, - 'GO:0043143': { - 'name': 'regulation of translation by machinery localization', - 'def': 'Any process in which proteins and protein complexes involved in translation are transported to, or maintained in, a specific location. [GOC:jl]' - }, - 'GO:0043144': { - 'name': 'snoRNA processing', - 'def': 'Any process involved in the conversion of a primary small nucleolar RNA (snoRNA) transcript into a mature snoRNA. [GOC:go_curators, PMID:12773397]' - }, - 'GO:0043145': { - 'name': "snoRNA 3'-end cleavage", - 'def': "The endonucleolytic cleavage of snoRNA 3' ends, which is required for mature snoRNAs to be functional. [GOC:go_curators, PMID:12773397]" - }, - 'GO:0043149': { - 'name': 'stress fiber assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a stress fiber. A stress fiber is a contractile actin filament bundle that consists of short actin filaments with alternating polarity. [GOC:go_curators, GOC:mah, PMID:16651381]' - }, - 'GO:0043150': { - 'name': 'DNA synthesis involved in double-strand break repair via homologous recombination', - 'def': 'The synthesis of DNA that contributes to the process of double-strand break repair via homologous recombination. [GOC:go_curators]' - }, - 'GO:0043151': { - 'name': 'DNA synthesis involved in double-strand break repair via single-strand annealing', - 'def': 'The synthesis of DNA that contributes to the process of double-strand break repair via single-strand annealing. [GOC:go_curators]' - }, - 'GO:0043152': { - 'name': 'induction of bacterial agglutination', - 'def': 'Any process in which infecting bacteria are clumped together by a host organism. [GOC:jl]' - }, - 'GO:0043153': { - 'name': 'entrainment of circadian clock by photoperiod', - 'def': 'The synchronization of a circadian rhythm to photoperiod, the intermittent cycle of light (day) and dark (night). [GOC:jl]' - }, - 'GO:0043154': { - 'name': 'negative regulation of cysteine-type endopeptidase activity involved in apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a cysteine-type endopeptidase activity involved in the apoptotic process. [GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0043155': { - 'name': 'negative regulation of photosynthesis, light reaction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the light-dependent reaction of photosynthesis. [GOC:jl]' - }, - 'GO:0043156': { - 'name': 'chromatin remodeling in response to cation stress', - 'def': 'Structural changes to eukaryotic chromatin occurring as a result of cation stress, an increase or decrease in the concentration of positively charged ions in the environment. [GOC:jl, GOC:vw, PMID:14762213]' - }, - 'GO:0043157': { - 'name': 'response to cation stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of cation stress, an increase or decrease in the concentration of positively charged ions in the environment. [GOC:jl, PMID:14762213]' - }, - 'GO:0043158': { - 'name': 'heterocyst differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a heterocyst, a differentiated cell in certain cyanobacteria whose purpose is to fix nitrogen. [GOC:jl]' - }, - 'GO:0043159': { - 'name': 'acrosomal matrix', - 'def': "A structural framework, or 'dense core' at the interior of an acrosome. May regulate the distribution of hydrolases within the acrosome and their release during the acrosome reaction. [GOC:jl, PMID:8949900, PMID:9139729]" - }, - 'GO:0043160': { - 'name': 'acrosomal lumen', - 'def': 'The volume enclosed within the acrosome membrane. [GOC:go_curators]' - }, - 'GO:0043161': { - 'name': 'proteasome-mediated ubiquitin-dependent protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by the covalent attachment of ubiquitin, and mediated by the proteasome. [GOC:go_curators]' - }, - 'GO:0043162': { - 'name': 'ubiquitin-dependent protein catabolic process via the multivesicular body sorting pathway', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide covalently tagged with ubiquitin, via the multivesicular body (MVB) sorting pathway; ubiquitin-tagged proteins are sorted into MVBs, and delivered to a lysosome/vacuole for degradation. [GOC:jl, PMID:11511343]' - }, - 'GO:0043163': { - 'name': 'cell envelope organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the cell envelope, everything external to, but not including, the cytoplasmic membrane of bacteria, encompassing the periplasmic space, cell wall, and outer membrane if present. [GOC:jl]' - }, - 'GO:0043164': { - 'name': 'Gram-negative-bacterium-type cell wall biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a cell wall of the type found in Gram-negative bacteria. The cell wall is the rigid or semi-rigid envelope lying outside the cell membrane. [GOC:jl, GOC:mtg_sensu, ISBN:0815108893]' - }, - 'GO:0043165': { - 'name': 'Gram-negative-bacterium-type cell outer membrane assembly', - 'def': 'The assembly of an outer membrane of the type formed in Gram-negative bacteria. This membrane is enriched in polysaccharide and protein, and the outer leaflet of the membrane contains specific lipopolysaccharide structures. [GOC:jl, ISBN:0135712254]' - }, - 'GO:0043167': { - 'name': 'ion binding', - 'def': 'Interacting selectively and non-covalently with ions, charged atoms or groups of atoms. [GOC:jl]' - }, - 'GO:0043168': { - 'name': 'anion binding', - 'def': 'Interacting selectively and non-covalently with anions, charged atoms or groups of atoms with a net negative charge. [GOC:jl]' - }, - 'GO:0043169': { - 'name': 'cation binding', - 'def': 'Interacting selectively and non-covalently with cations, charged atoms or groups of atoms with a net positive charge. [GOC:jl]' - }, - 'GO:0043170': { - 'name': 'macromolecule metabolic process', - 'def': 'The chemical reactions and pathways involving macromolecules, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass. [CHEBI:33694, GOC:mah]' - }, - 'GO:0043171': { - 'name': 'peptide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of peptides, compounds of 2 or more (but usually less than 100) amino acids where the alpha carboxyl group of one is bound to the alpha amino group of another. [GOC:jl]' - }, - 'GO:0043172': { - 'name': 'obsolete ferredoxin biosynthetic process', - 'def': 'OBSOLETE The chemical reactions and pathways resulting in the formation of ferredoxin, any simple, nonenzymatic iron-sulfur protein that is characterized by having equal numbers of atoms of iron and labile sulfur. Iron and sulfur atoms are present in one or two clusters of two or four atoms of each. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0043173': { - 'name': 'nucleotide salvage', - 'def': 'Any process which produces a nucleotide, a compound consisting of a nucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the glycose moiety, from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0043174': { - 'name': 'nucleoside salvage', - 'def': 'Any process which produces a nucleotide, a nucleobase linked to either beta-D-ribofuranose (ribonucleoside) or 2-deoxy-beta-D-ribofuranose (a deoxyribonucleotide), from derivatives of it without de novo synthesis. [GOC:jl]' - }, - 'GO:0043175': { - 'name': 'RNA polymerase core enzyme binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase core enzyme, containing a specific subunit composition defined as the core enzyme. [GOC:jl, GOC:txnOH]' - }, - 'GO:0043176': { - 'name': 'amine binding', - 'def': 'Interacting selectively and non-covalently with any organic compound that is weakly basic in character and contains an amino or a substituted amino group. [GOC:jl]' - }, - 'GO:0043177': { - 'name': 'organic acid binding', - 'def': 'Interacting selectively and non-covalently with an organic acid, any acidic compound containing carbon in covalent linkage. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0043178': { - 'name': 'alcohol binding', - 'def': 'Interacting selectively and non-covalently with an alcohol, any of a class of alkyl compounds containing a hydroxyl group. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0043179': { - 'name': 'rhythmic excitation', - 'def': 'Any process involved in the generation of rhythmic, synchronous excitatory synaptic inputs in a neural circuit. [GOC:go_curators, ISBN:0195088433]' - }, - 'GO:0043180': { - 'name': 'rhythmic inhibition', - 'def': 'Any process involved in the generation of rhythmic, synchronous inhibitory synaptic inputs in a neural circuit. [GOC:go_curators]' - }, - 'GO:0043181': { - 'name': 'vacuolar sequestering', - 'def': 'The process of transporting a substance into, and confining within, a vacuole. [GOC:jl]' - }, - 'GO:0043182': { - 'name': 'vacuolar sequestering of sodium ion', - 'def': 'The process of transporting sodium ions into, and confining within, a vacuole. [GOC:jl]' - }, - 'GO:0043183': { - 'name': 'vascular endothelial growth factor receptor 1 binding', - 'def': 'Interacting selectively and non-covalently with vascular endothelial growth factor receptor 1. [GOC:st]' - }, - 'GO:0043184': { - 'name': 'vascular endothelial growth factor receptor 2 binding', - 'def': 'Interacting selectively and non-covalently with vascular endothelial growth factor receptor 2. [GOC:st]' - }, - 'GO:0043185': { - 'name': 'vascular endothelial growth factor receptor 3 binding', - 'def': 'Interacting selectively and non-covalently with vascular endothelial growth factor receptor 3. [GOC:st]' - }, - 'GO:0043186': { - 'name': 'P granule', - 'def': 'A small cytoplasmic, non-membranous RNA/protein complex aggregates in the primordial germ cells of many higher eukaryotes. [GOC:dph, GOC:kmv, PMID:11262230]' - }, - 'GO:0043187': { - 'name': 'cell septum surface', - 'def': 'The extracellular (rather than the intracellular) exterior of a dividing septum; this surface is usually composed of cell wall material, for example, lineal (1,3)-beta-D-glucan in S. pombe. [GOC:go_curators]' - }, - 'GO:0043188': { - 'name': 'cell septum edging', - 'def': 'The cell wall material that surrounds the septum in fungal cells. [GOC:vw]' - }, - 'GO:0043189': { - 'name': 'H4/H2A histone acetyltransferase complex', - 'def': 'A multisubunit complex that catalyzes the acetylation of histones H4 and H2A. [GOC:mah, GOC:rb]' - }, - 'GO:0043190': { - 'name': 'ATP-binding cassette (ABC) transporter complex', - 'def': 'A complex for the transport of metabolites into and out of the cell, typically comprised of four domains; two membrane-associated domains and two ATP-binding domains at the intracellular face of the membrane, that form a central pore through the plasma membrane. Each of the four core domains may be encoded as a separate polypeptide or the domains can be fused in any one of a number of ways into multidomain polypeptides. In Bacteria and Archaebacteria, ABC transporters also include substrate binding proteins to bind substrate external to the cytoplasm and deliver it to the transporter. [GOC:jl, GOC:mtg_sensu, PMID:11421269, PMID:15111107]' - }, - 'GO:0043194': { - 'name': 'axon initial segment', - 'def': 'Portion of the axon proximal to the neuronal cell body, at the level of the axon hillock. The action potentials that propagate along the axon are generated at the level of this initial segment. [GOC:nln, GOC:sl, PMID:1754851, PMID:21551097]' - }, - 'GO:0043195': { - 'name': 'terminal bouton', - 'def': 'Terminal inflated portion of the axon, containing the specialized apparatus necessary to release neurotransmitters. The axon terminus is considered to be the whole region of thickening and the terminal bouton is a specialized region of it. [GOC:dph, GOC:mc, GOC:nln, PMID:10218156, PMID:8409967]' - }, - 'GO:0043196': { - 'name': 'varicosity', - 'def': 'Non-terminal inflated portion of the axon, containing the specialized apparatus necessary to release neurotransmitters. [GOC:nln]' - }, - 'GO:0043197': { - 'name': 'dendritic spine', - 'def': 'A small, membranous protrusion from a dendrite that forms a postsynaptic compartment - typically receiving input from a single presynapse. They function as partially isolated biochemical and an electrical compartments. Spine morphology is variable including \\thin\\, \\stubby\\, \\mushroom\\, and \\branched\\, with a continuum of intermediate morphologies. They typically terminate in a bulb shape, linked to the dendritic shaft by a restriction. Spine remodeling is though to be involved in synaptic plasticity. [GOC:nln]' - }, - 'GO:0043198': { - 'name': 'dendritic shaft', - 'def': 'Cylindric portion of the dendrite, directly stemming from the perikaryon, and carrying the dendritic spines. [GOC:nln]' - }, - 'GO:0043199': { - 'name': 'sulfate binding', - 'def': 'Interacting selectively and non-covalently with sulfate, SO4(2-), a negatively charged small molecule. [GOC:mlg]' - }, - 'GO:0043200': { - 'name': 'response to amino acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amino acid stimulus. An amino acid is a carboxylic acids containing one or more amino groups. [CHEBI:33709, GOC:ef, GOC:mlg]' - }, - 'GO:0043201': { - 'name': 'response to leucine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leucine stimulus. [GOC:mlg]' - }, - 'GO:0043202': { - 'name': 'lysosomal lumen', - 'def': 'The volume enclosed within the lysosomal membrane. [GOC:jl, PMID:15213228]' - }, - 'GO:0043203': { - 'name': 'axon hillock', - 'def': 'Portion of the neuronal cell soma from which the axon originates. [GOC:nln]' - }, - 'GO:0043204': { - 'name': 'perikaryon', - 'def': 'The portion of the cell soma (neuronal cell body) that excludes the nucleus. [GOC:jl]' - }, - 'GO:0043207': { - 'name': 'response to external biotic stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an external biotic stimulus, an external stimulus caused by, or produced by living things. [GOC:go_curators]' - }, - 'GO:0043208': { - 'name': 'glycosphingolipid binding', - 'def': 'Interacting selectively and non-covalently with glycosphingolipid, a compound with residues of sphingoid and at least one monosaccharide. [GOC:jl]' - }, - 'GO:0043209': { - 'name': 'myelin sheath', - 'def': 'An electrically insulating fatty layer that surrounds the axons of many neurons. It is an outgrowth of glial cells: Schwann cells supply the myelin for peripheral neurons while oligodendrocytes supply it to those of the central nervous system. [GOC:cjm, GOC:jl, NIF_Subcellular:sao-593830697, Wikipedia:Myelin]' - }, - 'GO:0043210': { - 'name': 'alkanesulfonate binding', - 'def': 'Interacting selectively and non-covalently with alkanesulfonates, the anion of alkanesulfonic acids, sulfonic acid derivatives containing an aliphatic hydrocarbon group. [GOC:mlg]' - }, - 'GO:0043211': { - 'name': 'carbohydrate-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O = ADP + phosphate, to directly drive the transport of carbohydrates across a membrane. [GOC:mlg]' - }, - 'GO:0043212': { - 'name': 'carbohydrate-exporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + carbohydrate(in) -> ADP + phosphate + carbohydrate(out). [GOC:mlg]' - }, - 'GO:0043213': { - 'name': 'bacteriocin transport', - 'def': 'The directed movement of a bacteriocin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Bacteriocins are a group of antibiotics produced by bacteria and are encoded by a group of naturally occurring plasmids, e.g. Col E1. Bacteriocins are toxic to bacteria closely related to the bacteriocin producing strain. [GOC:mlg]' - }, - 'GO:0043214': { - 'name': 'bacteriocin-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O = ADP + phosphate; drives the transport of bacteriocins across a membrane. [GOC:mlg]' - }, - 'GO:0043215': { - 'name': 'daunorubicin transport', - 'def': 'The directed movement of daunorubicin, an anthracycline antibiotic produced by Streptomyces coeruleorubidus or S. peucetius and used as an antineoplastic into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl, GOC:mlg, http://www.mercksource.com/]' - }, - 'GO:0043216': { - 'name': 'daunorubicin-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + daunorubicin(in) = ADP + phosphate + daunorubicin(out). [GOC:mlg]' - }, - 'GO:0043217': { - 'name': 'myelin maintenance', - 'def': 'The process of preserving the structure and function of mature myelin. This includes maintaining the compact structure of myelin necessary for its electrical insulating characteristics as well as the structure of non-compact regions such as Schmidt-Lantermann clefts and paranodal loops. This does not include processes responsible for maintaining the nodes of Ranvier, which are not part of the myelin sheath. [GOC:dgh]' - }, - 'GO:0043218': { - 'name': 'compact myelin', - 'def': 'The portion of the myelin sheath in which layers of cell membrane are tightly juxtaposed, completely excluding cytoplasm. The juxtaposed cytoplasmic surfaces form the major dense line, while the juxtaposed extracellular surfaces form the interperiod line visible in electron micrographs. [GOC:dgh, NIF_Subcellular:sao-1123256993]' - }, - 'GO:0043219': { - 'name': 'lateral loop', - 'def': 'Non-compact myelin located adjacent to the nodes of Ranvier in a myelin segment. These non-compact regions include cytoplasm from the cell responsible for synthesizing the myelin. Lateral loops are found in the paranodal region adjacent to the nodes of Ranvier, while Schmidt-Lantermann clefts are analogous structures found within the compact myelin internode. [GOC:dgh]' - }, - 'GO:0043220': { - 'name': 'Schmidt-Lanterman incisure', - 'def': 'Regions within compact myelin in which the cytoplasmic faces of the enveloping myelin sheath are not tightly juxtaposed, and include cytoplasm from the cell responsible for making the myelin. Schmidt-Lanterman incisures occur in the compact myelin internode, while lateral loops are analogous structures found in the paranodal region adjacent to the nodes of Ranvier. [GOC:dgh]' - }, - 'GO:0043221': { - 'name': 'SMC family protein binding', - 'def': 'Interacting selectively and non-covalently with any protein from the structural maintenance of chromosomes (SMC) family, a group of chromosomal ATPases with a role in mitotic chromosome organization. [GOC:jl, GOC:vw, InterPro:IPR024704, PMID:9640531]' - }, - 'GO:0043223': { - 'name': 'cytoplasmic SCF ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex, located in the cytoplasm, in which a cullin from the Cul1 subfamily and a RING domain protein form the catalytic core; substrate specificity is conferred by a Skp1 adaptor and an F-box protein. SCF complexes are involved in targeting proteins for degradation by the proteasome. The best characterized complexes are those from yeast and mammals (with core subunits named Cdc53/Cul1, Rbx1/Hrt1/Roc1). [PMID:15571813, PMID:15688063]' - }, - 'GO:0043224': { - 'name': 'nuclear SCF ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex, located in the nucleus, in which a cullin from the Cul1 subfamily and a RING domain protein form the catalytic core; substrate specificity is conferred by a Skp1 adaptor and an F-box protein. SCF complexes are involved in targeting proteins for degradation by the proteasome. The best characterized complexes are those from yeast and mammals (with core subunits named Cdc53/Cul1, Rbx1/Hrt1/Roc1). [PMID:15571813, PMID:15688063]' - }, - 'GO:0043225': { - 'name': 'ATPase-coupled anion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + anion(out) = ADP + phosphate + anion(in). [GOC:mlg]' - }, - 'GO:0043226': { - 'name': 'organelle', - 'def': 'Organized structure of distinctive morphology and function. Includes the nucleus, mitochondria, plastids, vacuoles, vesicles, ribosomes and the cytoskeleton, and prokaryotic structures such as anammoxosomes and pirellulosomes. Excludes the plasma membrane. [GOC:go_curators]' - }, - 'GO:0043227': { - 'name': 'membrane-bounded organelle', - 'def': 'Organized structure of distinctive morphology and function, bounded by a single or double lipid bilayer membrane. Includes the nucleus, mitochondria, plastids, vacuoles, and vesicles. Excludes the plasma membrane. [GOC:go_curators]' - }, - 'GO:0043228': { - 'name': 'non-membrane-bounded organelle', - 'def': 'Organized structure of distinctive morphology and function, not bounded by a lipid bilayer membrane. Includes ribosomes, the cytoskeleton and chromosomes. [GOC:go_curators]' - }, - 'GO:0043229': { - 'name': 'intracellular organelle', - 'def': 'Organized structure of distinctive morphology and function, occurring within the cell. Includes the nucleus, mitochondria, plastids, vacuoles, vesicles, ribosomes and the cytoskeleton. Excludes the plasma membrane. [GOC:go_curators]' - }, - 'GO:0043230': { - 'name': 'extracellular organelle', - 'def': 'Organized structure of distinctive morphology and function, occurring outside the cell. Includes, for example, extracellular membrane vesicles (EMVs) and the cellulosomes of anaerobic bacteria and fungi. [GOC:jl, PMID:9914479]' - }, - 'GO:0043231': { - 'name': 'intracellular membrane-bounded organelle', - 'def': 'Organized structure of distinctive morphology and function, bounded by a single or double lipid bilayer membrane and occurring within the cell. Includes the nucleus, mitochondria, plastids, vacuoles, and vesicles. Excludes the plasma membrane. [GOC:go_curators]' - }, - 'GO:0043232': { - 'name': 'intracellular non-membrane-bounded organelle', - 'def': 'Organized structure of distinctive morphology and function, not bounded by a lipid bilayer membrane and occurring within the cell. Includes ribosomes, the cytoskeleton and chromosomes. [GOC:go_curators]' - }, - 'GO:0043233': { - 'name': 'organelle lumen', - 'def': 'The internal volume enclosed by the membranes of a particular organelle; includes the volume enclosed by a single organelle membrane, e.g. endoplasmic reticulum lumen, or the volume enclosed by the innermost of the two lipid bilayers of an organelle envelope, e.g. nuclear lumen. [GOC:jl, GOC:mah]' - }, - 'GO:0043234': { - 'name': 'protein complex', - 'def': 'A stable macromolecular complex composed (only) of two or more polypeptide subunits along with any covalently attached molecules (such as lipid anchors or oligosaccharide) or non-protein prosthetic groups (such as nucleotides or metal ions). Prosthetic group in this context refers to a tightly bound cofactor. The component polypeptide subunits may be identical. [GOC:go_curators, http://www.ebi.ac.uk/intact/complex/documentation/]' - }, - 'GO:0043235': { - 'name': 'receptor complex', - 'def': 'Any protein complex that undergoes combination with a hormone, neurotransmitter, drug or intracellular messenger to initiate a change in cell function. [GOC:go_curators]' - }, - 'GO:0043236': { - 'name': 'laminin binding', - 'def': 'Interacting selectively and non-covalently with laminins, glycoproteins that are major constituents of the basement membrane of cells. [GOC:ecd]' - }, - 'GO:0043237': { - 'name': 'laminin-1 binding', - 'def': 'Interacting selectively and non-covalently with laminin-1, a glycoprotein trimer with the subunit composition alpha1, beta1, gamma1. [GOC:go_curators]' - }, - 'GO:0043240': { - 'name': 'Fanconi anaemia nuclear complex', - 'def': 'A protein complex composed of the Fanconi anaemia (FA) proteins including A, C, E, G and F (FANCA-F). Functions in the activation of the downstream protein FANCD2 by monoubiquitylation, and is essential for protection against chromosome breakage. [GOC:jl, PMID:12093742]' - }, - 'GO:0043241': { - 'name': 'protein complex disassembly', - 'def': 'The disaggregation of a protein complex into its constituent components. Protein complexes may have other associated non-protein prosthetic groups, such as nucleic acids, metal ions or carbohydrate groups. [GOC:jl]' - }, - 'GO:0043242': { - 'name': 'negative regulation of protein complex disassembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein complex disassembly, the disaggregation of a protein complex into its constituent components. [GOC:jl]' - }, - 'GO:0043243': { - 'name': 'positive regulation of protein complex disassembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein complex disassembly, the disaggregation of a protein complex into its constituent components. [GOC:jl]' - }, - 'GO:0043244': { - 'name': 'regulation of protein complex disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of protein complex disassembly, the disaggregation of a protein complex into its constituent components. [GOC:jl]' - }, - 'GO:0043245': { - 'name': 'extraorganismal space', - 'def': 'The environmental space outside of an organism; this may be a host organism in the case of parasitic and symbiotic organisms. [GOC:jl]' - }, - 'GO:0043246': { - 'name': 'megasome', - 'def': 'Large, cysteine proteinase rich lysosomes, often found in the amastigote (an intracytoplasmic, nonflagellated form of the parasite) stage of Leishmania species belonging to the mexicana complex. [PMID:11206117, PMID:1999020]' - }, - 'GO:0043247': { - 'name': 'telomere maintenance in response to DNA damage', - 'def': 'Any process that occur in response to the presence of critically short or damaged telomeres. [GOC:BHF, GOC:BHF_telomere, GOC:jbu, PMID:15279784]' - }, - 'GO:0043248': { - 'name': 'proteasome assembly', - 'def': 'The aggregation, arrangement and bonding together of a mature, active proteasome complex. [GOC:go_curators, PMID:10872471]' - }, - 'GO:0043249': { - 'name': 'erythrocyte maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for an erythrocyte to attain its fully functional state. [GOC:devbiol, GOC:jl]' - }, - 'GO:0043250': { - 'name': 'sodium-dependent organic anion transmembrane transporter activity', - 'def': 'Catalysis of the transfer of organic anions from one side of a membrane to the other, in a sodium dependent manner. [GOC:go_curators]' - }, - 'GO:0043251': { - 'name': 'sodium-dependent organic anion transport', - 'def': 'The directed, sodium-dependent, movement of organic anions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0043252': { - 'name': 'sodium-independent organic anion transport', - 'def': 'The directed, sodium-independent, movement of organic anions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0043253': { - 'name': 'chloroplast ribosome', - 'def': 'A ribosome contained within a chloroplast. [GOC:ecd]' - }, - 'GO:0043254': { - 'name': 'regulation of protein complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of protein complex assembly. [GOC:jl]' - }, - 'GO:0043255': { - 'name': 'regulation of carbohydrate biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of carbohydrates. [GOC:jl]' - }, - 'GO:0043256': { - 'name': 'laminin complex', - 'def': 'A large, extracellular glycoprotein complex composed of three different polypeptide chains, alpha, beta and gamma. Provides an integral part of the structural scaffolding of basement membranes. [GOC:jl, http://www.sdbonline.org/fly/newgene/laminna1.htm, PMID:10842354]' - }, - 'GO:0043257': { - 'name': 'laminin-8 complex', - 'def': 'A laminin complex composed of alpha4, beta1 and gamma1 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0043258': { - 'name': 'laminin-9 complex', - 'def': 'A laminin complex composed of alpha4, beta2 and gamma1 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0043259': { - 'name': 'laminin-10 complex', - 'def': 'A laminin complex composed of alpha5, beta1 and gamma1 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0043260': { - 'name': 'laminin-11 complex', - 'def': 'A laminin complex composed of alpha5, beta2 and gamma1 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0043261': { - 'name': 'laminin-12 complex', - 'def': 'A laminin complex composed of alpha2, beta1 and gamma3 polypeptide chains. [GOC:jl, PMID:10842354]' - }, - 'GO:0043262': { - 'name': 'adenosine-diphosphatase activity', - 'def': 'Catalysis of the reaction: ADP + H2O = AMP + phosphate. [EC:3.6.1.5, PMID:1470606]' - }, - 'GO:0043263': { - 'name': 'cellulosome', - 'def': 'An extracellular multi-enzyme complex containing up to 11 different enzymes aligned on a non-catalytic scaffolding glycoprotein. Functions to hydrolyze cellulose. [GOC:jl, PMID:11601609]' - }, - 'GO:0043264': { - 'name': 'extracellular non-membrane-bounded organelle', - 'def': 'Organized structure of distinctive morphology and function, not bounded by a lipid bilayer membrane and occurring outside the cell. [GOC:jl]' - }, - 'GO:0043265': { - 'name': 'ectoplasm', - 'def': 'Granule free cytoplasm, lying immediately below the plasma membrane. [GOC:curators, PMID:12211103]' - }, - 'GO:0043266': { - 'name': 'regulation of potassium ion transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of potassium ions (K+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0043267': { - 'name': 'negative regulation of potassium ion transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of potassium ions (K+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0043268': { - 'name': 'positive regulation of potassium ion transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of potassium ions (K+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0043269': { - 'name': 'regulation of ion transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of charged atoms or small charged molecules into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0043270': { - 'name': 'positive regulation of ion transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of charged atoms or small charged molecules into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0043271': { - 'name': 'negative regulation of ion transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of charged atoms or small charged molecules into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0043272': { - 'name': 'ethylene biosynthesis involved in jasmonic acid and ethylene-dependent systemic resistance', - 'def': 'The chemical reactions and pathways resulting in the formation of ethylene (C2-H4, ethene), occurring as part of the process of jasmonic acid and ethylene-dependent systemic resistance. [GOC:jl]' - }, - 'GO:0043273': { - 'name': 'CTPase activity', - 'def': 'Catalysis of the reaction: CTP + H2O = CDP + phosphate. May or may not be coupled to another reaction. [GOC:go_curators]' - }, - 'GO:0043274': { - 'name': 'phospholipase binding', - 'def': 'Interacting selectively and non-covalently with any phospholipase, enzymes that catalyze of the hydrolysis of a glycerophospholipid. [GOC:jl]' - }, - 'GO:0043275': { - 'name': 'obsolete glutamate carboxypeptidase II activity', - 'def': 'OBSOLETE. Catalysis of the reaction: N-acetyl-L-Asp-L-Glu + H2O = N-acetyl-L-Asp + L-Glu. [BRENDA:3.4.17.21, GOC:jl]' - }, - 'GO:0043276': { - 'name': 'anoikis', - 'def': 'Apoptosis triggered by inadequate or inappropriate adherence to substrate e.g. after disruption of the interactions between normal epithelial cells and the extracellular matrix. [GOC:jl, http://www.copewithcytokines.de/]' - }, - 'GO:0043277': { - 'name': 'apoptotic cell clearance', - 'def': 'The recognition and removal of an apoptotic cell by a neighboring cell or by a phagocyte. [GOC:rk, PMID:14685684]' - }, - 'GO:0043278': { - 'name': 'response to morphine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a morphine stimulus. Morphine is an opioid alkaloid, isolated from opium, with a complex ring structure. [CHEBI:17303, GOC:ef, GOC:jl]' - }, - 'GO:0043279': { - 'name': 'response to alkaloid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an alkaloid stimulus. Alkaloids are a large group of nitrogenous substances found in naturally in plants, many of which have extracts that are pharmacologically active. [CHEBI:22315, GOC:jl]' - }, - 'GO:0043280': { - 'name': 'positive regulation of cysteine-type endopeptidase activity involved in apoptotic process', - 'def': 'Any process that activates or increases the activity of a cysteine-type endopeptidase involved in the apoptotic process. [GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0043281': { - 'name': 'regulation of cysteine-type endopeptidase activity involved in apoptotic process', - 'def': 'Any process that modulates the activity of a cysteine-type endopeptidase involved in apoptosis. [GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0043282': { - 'name': 'pharyngeal muscle development', - 'def': 'The process whose specific outcome is the progression of the pharyngeal muscle over time, from its formation to the mature structure. A pharyngeal muscle is any muscle that forms part of the pharynx. [GOC:go_curators]' - }, - 'GO:0043286': { - 'name': 'regulation of poly(3-hydroxyalkanoate) biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of poly(3-hydroxyalkanoates), polyesters of 3-hydroxyacids produced as intracellular granules by a large variety of bacteria. [GOC:jl]' - }, - 'GO:0043287': { - 'name': 'poly(3-hydroxyalkanoate) binding', - 'def': 'Interacting selectively and non-covalently with poly(3-hydroxyalkanoate)s, polyesters of 3-hydroxyacids produced as intracellular granules by a large variety of bacteria. [GOC:jl]' - }, - 'GO:0043288': { - 'name': 'apocarotenoid metabolic process', - 'def': 'The chemical reactions and pathways involving apocarotenoids, a class of compounds derived from the oxidative cleavage of carotenoids, many of which are biologically important e.g. retinal and abscisic acid. [GOC:jl, http://www.msu.edu/~schwart1/apocarotenoids.htm]' - }, - 'GO:0043289': { - 'name': 'apocarotenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of apocarotenoids by the oxidative cleavage of carotenoids. Many apocarotenoids are biologically important e.g. retinal and abscisic acid. [GOC:jl, http://www.msu.edu/~schwart1/apocarotenoids.htm]' - }, - 'GO:0043290': { - 'name': 'apocarotenoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of apocarotenoids, a class of compounds derived from the oxidative cleavage of carotenoids, many of which are biologically important e.g. retinal and abscisic acid. [GOC:jl, http://www.msu.edu/~schwart1/apocarotenoids.htm]' - }, - 'GO:0043291': { - 'name': 'RAVE complex', - 'def': 'A multisubunit complex that in Saccharomyces is composed of three subunits, Rav1p, Rav2p and Skp1p. Acts transiently to catalyze assembly of cytoplasmic V1, with membrane embedded V0 to form the V-ATPase holoenzyme. [PMID:11283612, PMID:11844802]' - }, - 'GO:0043292': { - 'name': 'contractile fiber', - 'def': 'Fibers, composed of actin, myosin, and associated proteins, found in cells of smooth or striated muscle. [GOC:go_curators, ISBN:0815316194]' - }, - 'GO:0043293': { - 'name': 'apoptosome', - 'def': 'A multisubunit protein complex involved in the signaling phase of the apoptotic process. In mammals it is typically composed of seven Apaf-1 subunits bound to cytochrome c and caspase-9. A similar complex to promote apoptosis is formed from homologous gene products in other eukaryotic organisms. [GOC:mtg_apoptosis, PMID:10428850, PMID:11406413, PMID:12176339, PMID:15189137]' - }, - 'GO:0043294': { - 'name': 'mitochondrial glutamate synthase complex (NADH)', - 'def': 'A protein complex, found in the mitochondria, that in yeast consists of a large and a small subunit. Possesses glutamate synthase (NADH) activity. [GOC:jl, PMID:7047525]' - }, - 'GO:0043295': { - 'name': 'glutathione binding', - 'def': 'Interacting selectively and non-covalently with glutathione; a tripeptide composed of the three amino acids cysteine, glutamic acid and glycine. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0043296': { - 'name': 'apical junction complex', - 'def': 'A functional unit located near the cell apex at the points of contact between epithelial cells, which in vertebrates is composed of the tight junction, the zonula adherens, and desmosomes and in some invertebrates, such as Drosophila, is composed of the subapical complex (SAC), the zonula adherens and the septate junction. Functions in the regulation of cell polarity, tissue integrity and intercellular adhesion and permeability. [GOC:go_curators, GOC:kmv, PMID:12525486, PMID:15196556]' - }, - 'GO:0043297': { - 'name': 'apical junction assembly', - 'def': 'The formation of an apical junction, a functional unit located near the cell apex at the points of contact between epithelial cells composed of the tight junction, the zonula adherens junction and the desmosomes, by the aggregation, arrangement and bonding together of its constituents. [GOC:go_curators, PMID:10854689, PMID:14729475, PMID:15196556]' - }, - 'GO:0043299': { - 'name': 'leukocyte degranulation', - 'def': 'The regulated exocytosis of secretory granules by a leukocyte. [GO_REF:0000022, GOC:add, GOC:mtg_15nov05, ISBN:0781735149]' - }, - 'GO:0043300': { - 'name': 'regulation of leukocyte degranulation', - 'def': 'Any process that modulates the frequency, rate, or extent of leukocyte degranulation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0043301': { - 'name': 'negative regulation of leukocyte degranulation', - 'def': 'Any process that stops, prevents, or reduces the rate of leukocyte degranulation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0043302': { - 'name': 'positive regulation of leukocyte degranulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of leukocyte degranulation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0043303': { - 'name': 'mast cell degranulation', - 'def': 'The regulated exocytosis of secretory granules containing preformed mediators such as histamine, serotonin, and neutral proteases by a mast cell. [ISBN:0781735149]' - }, - 'GO:0043304': { - 'name': 'regulation of mast cell degranulation', - 'def': 'Any process that modulates the frequency, rate, or extent of mast cell degranulation. [ISBN:0781735149]' - }, - 'GO:0043305': { - 'name': 'negative regulation of mast cell degranulation', - 'def': 'Any process that stops, prevents, or reduces the rate of mast cell degranulation. [ISBN:0781735149]' - }, - 'GO:0043306': { - 'name': 'positive regulation of mast cell degranulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mast cell degranulation. [ISBN:0781735149]' - }, - 'GO:0043307': { - 'name': 'eosinophil activation', - 'def': 'The change in morphology and behavior of a eosinophil resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor. [GOC:add, ISBN:0781735149]' - }, - 'GO:0043308': { - 'name': 'eosinophil degranulation', - 'def': 'The regulated exocytosis of secretory granules containing preformed mediators such as major basic protein, eosinophil peroxidase, and eosinophil cationic protein by an eosinophil. [ISBN:0781735149]' - }, - 'GO:0043309': { - 'name': 'regulation of eosinophil degranulation', - 'def': 'Any process that modulates the frequency, rate, or extent of eosinophil degranulation. [ISBN:0781735149]' - }, - 'GO:0043310': { - 'name': 'negative regulation of eosinophil degranulation', - 'def': 'Any process that stops, prevents, or reduces the rate of eosinophil degranulation. [ISBN:0781735149]' - }, - 'GO:0043311': { - 'name': 'positive regulation of eosinophil degranulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of eosinophil degranulation. [ISBN:0781735149]' - }, - 'GO:0043312': { - 'name': 'neutrophil degranulation', - 'def': 'The regulated exocytosis of secretory granules containing preformed mediators such as proteases, lipases, and inflammatory mediators by a neutrophil. [ISBN:0781735149]' - }, - 'GO:0043313': { - 'name': 'regulation of neutrophil degranulation', - 'def': 'Any process that modulates the frequency, rate, or extent of neutrophil degranulation. [ISBN:0781735149]' - }, - 'GO:0043314': { - 'name': 'negative regulation of neutrophil degranulation', - 'def': 'Any process that stops, prevents, or reduces the rate of neutrophil degranulation. [ISBN:0781735149]' - }, - 'GO:0043315': { - 'name': 'positive regulation of neutrophil degranulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neutrophil degranulation. [ISBN:0781735149]' - }, - 'GO:0043316': { - 'name': 'cytotoxic T cell degranulation', - 'def': 'The regulated exocytosis of secretory granules containing preformed mediators such as perforin and granzymes by a cytotoxic T cell. [ISBN:0781735149]' - }, - 'GO:0043317': { - 'name': 'regulation of cytotoxic T cell degranulation', - 'def': 'Any process that modulates the frequency, rate, or extent of cytotoxic T cell degranulation. [ISBN:0781735149]' - }, - 'GO:0043318': { - 'name': 'negative regulation of cytotoxic T cell degranulation', - 'def': 'Any process that stops, prevents, or reduces the rate of cytotoxic T cell degranulation. [ISBN:0781735149]' - }, - 'GO:0043319': { - 'name': 'positive regulation of cytotoxic T cell degranulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytotoxic T cell degranulation. [ISBN:0781735149]' - }, - 'GO:0043320': { - 'name': 'natural killer cell degranulation', - 'def': 'The regulated exocytosis of secretory granules containing preformed mediators such as perforin and granzymes by a natural killer cell. [ISBN:0781735149]' - }, - 'GO:0043321': { - 'name': 'regulation of natural killer cell degranulation', - 'def': 'Any process that modulates the frequency, rate, or extent of natural killer cell degranulation. [ISBN:0781735149]' - }, - 'GO:0043322': { - 'name': 'negative regulation of natural killer cell degranulation', - 'def': 'Any process that stops, prevents, or reduces the rate of natural killer cell degranulation. [ISBN:0781735149]' - }, - 'GO:0043323': { - 'name': 'positive regulation of natural killer cell degranulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer cell degranulation. [ISBN:0781735149]' - }, - 'GO:0043324': { - 'name': 'pigment metabolic process involved in developmental pigmentation', - 'def': 'The chemical reactions and pathways involving biological pigments e.g. melanin, occurring as part of the development of an organ or organism. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0043325': { - 'name': 'phosphatidylinositol-3,4-bisphosphate binding', - 'def': "Interacting selectively and non-covalently with phosphatidylinositol-3,4-bisphosphate, a derivative of phosphatidylinositol in which the inositol ring is phosphorylated at the 3' and 4' positions. [GOC:bf, GOC:go_curators]" - }, - 'GO:0043326': { - 'name': 'chemotaxis to folate', - 'def': 'The directed movement of a motile cell or organism in response to the presence of folate. [GOC:go_curators]' - }, - 'GO:0043327': { - 'name': 'chemotaxis to cAMP', - 'def': "The directed movement of a motile cell or organism in response to the presence of 3',5'-cAMP. [GOC:go_curators]" - }, - 'GO:0043328': { - 'name': 'protein targeting to vacuole involved in ubiquitin-dependent protein catabolic process via the multivesicular body sorting pathway', - 'def': 'The process of directing proteins towards the vacuole using signals contained within the protein, occurring that contributes to protein catabolism via the multivesicular body (MVB) pathway. [GOC:jl, PMID:11511343]' - }, - 'GO:0043329': { - 'name': 'protein targeting to membrane involved in ubiquitin-dependent protein catabolic process via the multivesicular body sorting pathway', - 'def': 'The process of directing proteins towards a membrane using signals contained within the protein, occurring that contributes to ubiquitin-dependent protein catabolism via the MVB pathway; the destruction of a protein or peptide covalently tagged with a ubiquitin, via the multivesicular body (MVB) sorting pathway. [GOC:jl]' - }, - 'GO:0043330': { - 'name': 'response to exogenous dsRNA', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an exogenous double-stranded RNA stimulus. [GOC:go_curators]' - }, - 'GO:0043331': { - 'name': 'response to dsRNA', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a double-stranded RNA stimulus. [GOC:jl]' - }, - 'GO:0043332': { - 'name': 'mating projection tip', - 'def': 'The apex of the mating projection in unicellular fungi exposed to mating pheromone; site of polarized growth. [GOC:mcc]' - }, - 'GO:0043333': { - 'name': '2-octaprenyl-6-methoxy-1,4-benzoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-octaprenyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-methionine = 2-octaprenyl-3-methyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-homocysteine. [GOC:kd, PMID:9045837]' - }, - 'GO:0043334': { - 'name': '2-hexaprenyl-6-methoxy-1,4-benzoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-hexaprenyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-methionine = 2-hexaprenyl-3-methyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-homocysteine. [GOC:kd, PMID:9083048]' - }, - 'GO:0043335': { - 'name': 'protein unfolding', - 'def': 'The process of assisting in the disassembly of non-covalent linkages in a protein or protein aggregate, often where the proteins are in a non-functional or denatured state. [GOC:mlg]' - }, - 'GO:0043336': { - 'name': 'site-specific telomere resolvase activity', - 'def': 'Catalysis of a site-specific breakage and reunion reaction that generates two hairpin telomeres from a replicated telomere substrate. Occurs via a two-step transesterification with a protein-DNA intermediate similar to that used by topoisomerases and site-specific recombinases. [GOC:jl, PMID:11804598]' - }, - 'GO:0043337': { - 'name': 'CDP-diacylglycerol-phosphatidylglycerol phosphatidyltransferase activity', - 'def': 'Catalysis of the reaction: CDP-diacylglycerol + phosphatidylglycerol = CMP + diphosphatidylglycerol. [GOC:jl]' - }, - 'GO:0043338': { - 'name': 'CTP:2,3-di-O-geranylgeranyl-sn-glycero-1-phosphate cytidyltransferase activity', - 'def': 'Catalysis of the reaction: CTP + 2,3-di-O-geranylgeranyl-sn-glycero-1-phosphate = CDP-2,3-di-O-geranylgeranyl-sn-glycerol. [GOC:jl, PMID:10960477]' - }, - 'GO:0043353': { - 'name': 'enucleate erythrocyte differentiation', - 'def': 'The process in which a myeloid precursor cell acquires specialized features of an erythrocyte without a nucleus. An example of this process is found in Mus musculus. [GOC:go_curators]' - }, - 'GO:0043354': { - 'name': 'enucleate erythrocyte maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for an enucleate erythrocyte to attain its fully functional state. An enucleate erythrocyte is an erythrocyte without a nucleus. [GOC:go_curators]' - }, - 'GO:0043362': { - 'name': 'nucleate erythrocyte maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a nucleate erythrocyte to attain its fully functional state. A nucleate erythrocyte is an erythrocyte with a nucleus. [GOC:devbiol, GOC:jl]' - }, - 'GO:0043363': { - 'name': 'nucleate erythrocyte differentiation', - 'def': 'The process in which a myeloid precursor cell acquires specializes features of an erythrocyte with a nucleus, as found in non-mammalian vertebrates such as birds. [GOC:jl]' - }, - 'GO:0043364': { - 'name': 'catalysis of free radical formation', - 'def': 'Catalysis of a reaction that generates a free radical, a highly reactive molecule with an unsatisfied electron valence pair. [GOC:jl]' - }, - 'GO:0043365': { - 'name': '[formate-C-acetyltransferase]-activating enzyme activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + dihydroflavodoxin + [formate C-acetyltransferase]-glycine = 5'-deoxyadenosine + L-methionine + flavodoxin semiquinone + [formate C-acetyltransferase]-glycin-2-yl radical. [EC:1.97.1.4, GOC:jl, PMID:18307109]" - }, - 'GO:0043366': { - 'name': 'beta selection', - 'def': 'The process in which successful recombination of a T cell receptor beta chain into a translatable protein coding sequence leads to rescue from apoptosis and subsequent proliferation of an immature T cell. [ISBN:0781735149, PMID:12220932]' - }, - 'GO:0043367': { - 'name': 'CD4-positive, alpha-beta T cell differentiation', - 'def': 'The process in which a relatively unspecialized T cell acquires specialized features of a mature CD4-positive, alpha-beta T cell. [CL:0000624, ISBN:0781735149]' - }, - 'GO:0043368': { - 'name': 'positive T cell selection', - 'def': 'The process of sparing immature T cells which react with self-MHC protein complexes with low affinity levels from apoptotic death. [ISBN:0781735149, PMID:12414722]' - }, - 'GO:0043369': { - 'name': 'CD4-positive or CD8-positive, alpha-beta T cell lineage commitment', - 'def': 'The process in which an immature T cell commits to CD4-positive T cell lineage or the CD8-positive lineage of alpha-beta T cells. [ISBN:0781735149]' - }, - 'GO:0043370': { - 'name': 'regulation of CD4-positive, alpha-beta T cell differentiation', - 'def': 'Any process that modulates the frequency, rate, or extent of CD4-positive, alpha-beta T cell differentiation. [GOC:add, GOC:pr, ISBN:0781735149]' - }, - 'GO:0043371': { - 'name': 'negative regulation of CD4-positive, alpha-beta T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of CD4-positive, alpha-beta T cell differentiation. [GOC:add, GOC:pr, ISBN:0781735149]' - }, - 'GO:0043372': { - 'name': 'positive regulation of CD4-positive, alpha-beta T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD4-positive, alpha-beta T cell differentiation. [GOC:add, GOC:pr, ISBN:0781735149]' - }, - 'GO:0043373': { - 'name': 'CD4-positive, alpha-beta T cell lineage commitment', - 'def': 'The process in which an immature T cell becomes committed to becoming a CD4-positive, alpha-beta T cell. [ISBN:0781735149]' - }, - 'GO:0043374': { - 'name': 'CD8-positive, alpha-beta T cell differentiation', - 'def': 'The process in which a relatively unspecialized T cell acquires specialized features of a mature CD8-positive, alpha-beta T cell. [ISBN:0781735149]' - }, - 'GO:0043375': { - 'name': 'CD8-positive, alpha-beta T cell lineage commitment', - 'def': 'The process in which an immature T cell becomes committed to becoming a CD8-positive, alpha-beta T cell. [ISBN:0781735149]' - }, - 'GO:0043376': { - 'name': 'regulation of CD8-positive, alpha-beta T cell differentiation', - 'def': 'Any process that modulates the frequency, rate, or extent of CD8-positive, alpha-beta T cell differentiation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0043377': { - 'name': 'negative regulation of CD8-positive, alpha-beta T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the rate of CD8-positive, alpha-beta T cell differentiation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0043378': { - 'name': 'positive regulation of CD8-positive, alpha-beta T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD8-positive, alpha-beta T cell differentiation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0043379': { - 'name': 'memory T cell differentiation', - 'def': 'The process in which a newly activated T cell acquires specialized features of a memory T cell. [ISBN:0781735149]' - }, - 'GO:0043380': { - 'name': 'regulation of memory T cell differentiation', - 'def': 'Any process that modulates the frequency, rate, or extent of memory T cell differentiation. [ISBN:0781735149]' - }, - 'GO:0043381': { - 'name': 'negative regulation of memory T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the rate of memory T cell differentiation. [ISBN:0781735149]' - }, - 'GO:0043382': { - 'name': 'positive regulation of memory T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of memory T cell differentiation. [ISBN:0781735149]' - }, - 'GO:0043383': { - 'name': 'negative T cell selection', - 'def': 'The process of elimination of immature T cells which react strongly with self-antigens. [ISBN:0781735149, PMID:12414722]' - }, - 'GO:0043384': { - 'name': 'pre-T cell receptor complex', - 'def': 'A receptor complex found on immature T cells consisting of a T cell receptor beta chain and the pre-TCR-alpha chain, along with additional signaling components including CD3 family members and additional signaling proteins. [ISBN:0781735149, PMID:12220932]' - }, - 'GO:0043385': { - 'name': 'mycotoxin metabolic process', - 'def': 'The chemical reactions and pathways involving a mycotoxin, any poisonous substance produced by a fungus. [CHEBI:25442, GOC:jl]' - }, - 'GO:0043386': { - 'name': 'mycotoxin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a mycotoxin, any poisonous substance produced by a fungus. [CHEBI:25442, GOC:jl]' - }, - 'GO:0043387': { - 'name': 'mycotoxin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a mycotoxin, any poisonous substance produced by a fungus. [CHEBI:25442, GOC:jl]' - }, - 'GO:0043388': { - 'name': 'positive regulation of DNA binding', - 'def': 'Any process that increases the frequency, rate or extent of DNA binding. DNA binding is any process in which a gene product interacts selectively with DNA (deoxyribonucleic acid). [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043390': { - 'name': 'aflatoxin B1 metabolic process', - 'def': 'The chemical reactions and pathways involving aflatoxin B1, a potent hepatotoxic and hepatocarcinogenic mycotoxin produced by various species from the Aspergillus group of fungi. [CHEBI:2504, GOC:jl]' - }, - 'GO:0043391': { - 'name': 'aflatoxin B2 metabolic process', - 'def': 'The chemical reactions and pathways involving aflatoxin B2, a mycotoxin produced by the fungal species Aspergillus flavus, Aspergillus parasiticus and Aspergillus nomius. [GOC:jl, http://www.aspergillus.man.ac.uk/]' - }, - 'GO:0043392': { - 'name': 'negative regulation of DNA binding', - 'def': 'Any process that stops or reduces the frequency, rate or extent of DNA binding. DNA binding is any process in which a gene product interacts selectively with DNA (deoxyribonucleic acid). [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043393': { - 'name': 'regulation of protein binding', - 'def': 'Any process that modulates the frequency, rate or extent of protein binding. [GOC:go_curators]' - }, - 'GO:0043394': { - 'name': 'proteoglycan binding', - 'def': 'Interacting selectively and non-covalently with a proteoglycan, any glycoprotein in which the carbohydrate units are glycosaminoglycans. [ISBN:0198506732]' - }, - 'GO:0043395': { - 'name': 'heparan sulfate proteoglycan binding', - 'def': 'Interacting selectively and non-covalently with a heparan sulfate proteoglycan, any proteoglycan containing heparan sulfate as the glycosaminoglycan carbohydrate unit. [ISBN:0198506732]' - }, - 'GO:0043396': { - 'name': 'corticotropin-releasing hormone secretion', - 'def': 'The regulated release of corticotropin-releasing hormone (CRH), a polypeptide hormone involved in the stress response. CRH is produced by the hypothalamus and stimulates corticotropic cells of the anterior lobe of the pituitary to produce corticotropic hormone (CTH) and other biologically active substances e.g. 2-endorphin, release of CRH is affected by serum levels of cortisol, by stress and by the sleep/wake cycle. [GOC:go_curators, PMID:11027914]' - }, - 'GO:0043397': { - 'name': 'regulation of corticotropin-releasing hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of corticotropin-releasing hormone secretion. [GOC:go_curators, PMID:11027914]' - }, - 'GO:0043398': { - 'name': 'HLH domain binding', - 'def': 'Interacting selectively and non-covalently with Helix Loop Helix, a domain of 40-50 residues that occurs in specific DNA-binding proteins that act as transcription factors. The domain is formed of two amphipathic helices joined by a variable length linker region that can form a loop and it mediates protein dimerization. [GOC:go_curators, Prosite:PDOC0038]' - }, - 'GO:0043399': { - 'name': "tRNA A64-2'-O-ribosylphosphate transferase activity", - 'def': "Catalysis of the transfer of a phosphoribosyl group from 5'-phosphoribosyl-1'-pyrophosphate to position 64 of initiator tRNA. [GOC:jl, PMID:7954819]" - }, - 'GO:0043400': { - 'name': 'cortisol secretion', - 'def': 'The regulated release of cortisol, a steroid hormone that in humans is the major circulating hormone of the cortex, or outer layer, of the adrenal gland. [CHEBI:17650, PMID:11027914]' - }, - 'GO:0043401': { - 'name': 'steroid hormone mediated signaling pathway', - 'def': 'A series of molecular signals mediated by a steroid hormone binding to a receptor. [PMID:12606724]' - }, - 'GO:0043402': { - 'name': 'glucocorticoid mediated signaling pathway', - 'def': 'A series of molecular signals mediated by the detection of a glucocorticoid hormone. [PMID:15240347]' - }, - 'GO:0043403': { - 'name': 'skeletal muscle tissue regeneration', - 'def': 'The regrowth of skeletal muscle tissue to repair injured or damaged muscle fibers in the postnatal stage. [GOC:ef, GOC:mtg_muscle, PMID:12021255, PMID:16607119]' - }, - 'GO:0043404': { - 'name': 'corticotropin-releasing hormone receptor activity', - 'def': 'Combining with corticotropin-releasing hormone and transmitting the signal to initiate a change in cell activity. [GOC:signaling, ISBN:0838577016, PMID:11027914, PMID:15134857]' - }, - 'GO:0043405': { - 'name': 'regulation of MAP kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of MAP kinase activity. [GOC:dph, GOC:go_curators]' - }, - 'GO:0043406': { - 'name': 'positive regulation of MAP kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of MAP kinase activity. [GOC:dph, GOC:go_curators]' - }, - 'GO:0043407': { - 'name': 'negative regulation of MAP kinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of MAP kinase activity. [GOC:dph, GOC:go_curators]' - }, - 'GO:0043408': { - 'name': 'regulation of MAPK cascade', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction mediated by the MAP kinase (MAPK) cascade. [GOC:go_curators]' - }, - 'GO:0043409': { - 'name': 'negative regulation of MAPK cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signal transduction mediated by the MAPKKK cascade. [GOC:go_curators]' - }, - 'GO:0043410': { - 'name': 'positive regulation of MAPK cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction mediated by the MAPK cascade. [GOC:go_curators]' - }, - 'GO:0043411': { - 'name': 'obsolete myopalladin binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with myopalladin, a myofibrillar protein with titin-like Ig domains. [GOC:go_curators]' - }, - 'GO:0043412': { - 'name': 'macromolecule modification', - 'def': 'The covalent alteration of one or more monomeric units in a polypeptide, polynucleotide, polysaccharide, or other biological macromolecule, resulting in a change in its properties. [GOC:go_curators]' - }, - 'GO:0043413': { - 'name': 'macromolecule glycosylation', - 'def': 'The covalent attachment of a glycosyl residue to one or more monomeric units in a polypeptide, polynucleotide, polysaccharide, or other biological macromolecule. [GOC:jl]' - }, - 'GO:0043414': { - 'name': 'macromolecule methylation', - 'def': 'The covalent attachment of a methyl residue to one or more monomeric units in a polypeptide, polynucleotide, polysaccharide, or other biological macromolecule. [GOC:go_curators]' - }, - 'GO:0043415': { - 'name': 'positive regulation of skeletal muscle tissue regeneration', - 'def': 'Any process that activates or increase the rate of skeletal muscle regeneration. [GOC:jl]' - }, - 'GO:0043416': { - 'name': 'regulation of skeletal muscle tissue regeneration', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle. [GOC:jl]' - }, - 'GO:0043417': { - 'name': 'negative regulation of skeletal muscle tissue regeneration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of skeletal muscle regeneration. [GOC:jl]' - }, - 'GO:0043418': { - 'name': 'homocysteine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of homocysteine, the amino acid alpha-amino-gamma-mercaptobutanoic acid. [GOC:jl]' - }, - 'GO:0043419': { - 'name': 'urea catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of urea, the water soluble compound O=C-(NH2)2. [GOC:jl]' - }, - 'GO:0043420': { - 'name': 'anthranilate metabolic process', - 'def': 'The chemical reactions and pathways involving anthranilate (2-aminobenzoate). [CHEBI:16567, GOC:jl]' - }, - 'GO:0043421': { - 'name': 'anthranilate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of anthranilate (2-aminobenzoate). [CHEBI:16567, GOC:jl]' - }, - 'GO:0043422': { - 'name': 'protein kinase B binding', - 'def': 'Interacting selectively and non-covalently with protein kinase B, an intracellular kinase that is important in regulating glucose metabolism. [GOC:jl, http://www.heartandmetabolism.org/]' - }, - 'GO:0043423': { - 'name': '3-phosphoinositide-dependent protein kinase binding', - 'def': 'Interacting selectively and non-covalently with a 3-phosphoinositide-dependent protein kinase. [GOC:jl]' - }, - 'GO:0043424': { - 'name': 'protein histidine kinase binding', - 'def': 'Interacting selectively and non-covalently with protein histidine kinase. [GOC:jl]' - }, - 'GO:0043425': { - 'name': 'bHLH transcription factor binding', - 'def': 'Interacting selectively and non-covalently with any of the basic Helix-Loop-Helix (bHLH) superfamily of transcription factors, important regulatory components in transcriptional networks of many developmental pathways. [PMID:9144210]' - }, - 'GO:0043426': { - 'name': 'MRF binding', - 'def': 'Interacting selectively and non-covalently with Myogenic Regulatory Factor (MRF), a member of the basic Helix-Loop-Helix (bHLH) superfamily of transcription factors. [PMID:10966875]' - }, - 'GO:0043427': { - 'name': 'carbon fixation by 3-hydroxypropionate cycle', - 'def': 'An autotrophic carbon dioxide fixation pathway by which two molecules of carbon dioxide are fixed to form glyoxylate. Acetyl coenzyme A (acetyl-CoA) is assumed to be converted to malate, and two CO2 molecules are thereby fixed. Malyl-CoA is thought to be cleaved to acetyl-CoA, the starting molecule, and glyoxylate, the carbon fixation product. [GOC:jl, PMID:11418572, PMID:15838028]' - }, - 'GO:0043428': { - 'name': '2-heptaprenyl-6-methoxy-1,4-benzoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-heptaprenyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-methionine = 2-heptaprenyl-3-methyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-homocysteine. [GOC:jl, PMID:11583838]' - }, - 'GO:0043429': { - 'name': '2-nonaprenyl-6-methoxy-1,4-benzoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-nonaprenyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-methionine = 2-nonaprenyl-3-methyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-homocysteine. [GOC:jl, PMID:11583838]' - }, - 'GO:0043430': { - 'name': '2-decaprenyl-6-methoxy-1,4-benzoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-decaprenyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-methionine = 2-decaprenyl-3-methyl-6-methoxy-1,4-benzoquinone + S-adenosyl-L-homocysteine. [GOC:jl, PMID:11583838]' - }, - 'GO:0043431': { - 'name': '2-octaprenyl-3-methyl-5-hydroxy-6-methoxy-1,4-benzoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-octaprenyl-3-methyl-5-hydroxy-6-methoxy-1,4-benzoquinol + S-adenosyl-L-methionine = ubiquinol + S-adenosyl-L-homocysteine. [GOC:jl, PMID:11583838, PMID:1479344]' - }, - 'GO:0043433': { - 'name': 'negative regulation of sequence-specific DNA binding transcription factor activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the activity of a transcription factor, any factor involved in the initiation or regulation of transcription. [GOC:jl]' - }, - 'GO:0043434': { - 'name': 'response to peptide hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a peptide hormone stimulus. A peptide hormone is any of a class of peptides that are secreted into the blood stream and have endocrine functions in living animals. [PMID:11027914, PMID:15134857, Wikipedia:Peptide_hormone]' - }, - 'GO:0043435': { - 'name': 'response to corticotropin-releasing hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a corticotropin-releasing hormone stimulus. Corticotropin-releasing hormone is a peptide hormone involved in the stress response. [PMID:11027914, PMID:15134857, Wikipedia:Corticotropin-releasing_hormone]' - }, - 'GO:0043436': { - 'name': 'oxoacid metabolic process', - 'def': 'The chemical reactions and pathways involving any oxoacid; an oxoacid is a compound which contains oxygen, at least one other element, and at least one hydrogen bound to oxygen, and which produces a conjugate base by loss of positive hydrogen ion(s) (hydrons). [CHEBI:24833]' - }, - 'GO:0043438': { - 'name': 'acetoacetic acid metabolic process', - 'def': 'The chemical reactions and pathways involving acetoacetic acid, 3-oxobutanoic acid; the empirical formula is C4H6O3 or CH3COCH2COOH. [CHEBI:15344, Wikipedia:Acetoacetic_acid]' - }, - 'GO:0043441': { - 'name': 'acetoacetic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acetoacetic acid, a beta-keto acid of the keto acid group, empirical formula is C4H6O3 or CH3COCH2COOH. [GOC:jl]' - }, - 'GO:0043442': { - 'name': 'acetoacetic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acetoacetic acid, a beta-keto acid of the keto acid group, empirical formula is C4H6O3 or CH3COCH2COOH. [GOC:jl]' - }, - 'GO:0043443': { - 'name': 'acetone metabolic process', - 'def': 'The chemical reactions and pathways involving acetone, propan-2-one. [GOC:jl]' - }, - 'GO:0043444': { - 'name': 'acetone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acetone, propan-2-one. [GOC:jl]' - }, - 'GO:0043445': { - 'name': 'acetone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acetone, propan-2-one. [GOC:jl]' - }, - 'GO:0043446': { - 'name': 'cellular alkane metabolic process', - 'def': 'The chemical reactions and pathways involving an alkane, any acyclic branched or unbranched hydrocarbon having the general formula CnH2n+2, as carried out by individual cells. [CHEBI:18310, GOC:jl, Wikipedia:Alkane]' - }, - 'GO:0043447': { - 'name': 'alkane biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an alkane, any acyclic branched or unbranched hydrocarbon having the general formula CnH2n+2. [CHEBI:18310, GOC:jl, Wikipedia:Alkane]' - }, - 'GO:0043448': { - 'name': 'alkane catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an alkane, any acyclic branched or unbranched hydrocarbon having the general formula CnH2n+2. [CHEBI:18310, GOC:jl, Wikipedia:Alkane]' - }, - 'GO:0043449': { - 'name': 'cellular alkene metabolic process', - 'def': 'The chemical reactions and pathways involving an alkene, any acyclic branched or unbranched hydrocarbon having one carbon-carbon double bond and the general formula CnH2n, as carried out by individual cells. [CHEBI:32878, GOC:jl, Wikipedia:Alkene]' - }, - 'GO:0043450': { - 'name': 'alkene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an alkene, any acyclic branched or unbranched hydrocarbon having one carbon-carbon double bond and the general formula CnH2n. [CHEBI:32878, GOC:jl, Wikipedia:Alkene]' - }, - 'GO:0043451': { - 'name': 'alkene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an alkene, any acyclic branched or unbranched hydrocarbon having one carbon-carbon double bond and the general formula CnH2n. [CHEBI:32878, GOC:jl, Wikipedia:Alkene]' - }, - 'GO:0043452': { - 'name': 'cellular alkyne metabolic process', - 'def': 'The chemical reactions and pathways involving an alkyne, any cyclic branched or unbranched hydrocarbon having a carbon-carbon triple bond and the general formula CnH2n-2, as carried out by individual cells. [CHEBI:22339, GOC:jl, Wikipedia:Alkyne]' - }, - 'GO:0043453': { - 'name': 'alkyne biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an alkyne, any cyclic branched or unbranched hydrocarbon having a carbon-carbon triple bond and the general formula CnH2n-2. [CHEBI:22339, GOC:jl, Wikipedia:Alkyne]' - }, - 'GO:0043454': { - 'name': 'alkyne catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an alkyne, any cyclic branched or unbranched hydrocarbons having a carbon-carbon triple bond and the general formula CnH2n-2. [CHEBI:22339, GOC:jl, Wikipedia:Alkyne]' - }, - 'GO:0043455': { - 'name': 'regulation of secondary metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of secondary metabolism, the chemical reactions and pathways involving compounds that are not necessarily required for growth and maintenance of cells, and are often unique to a taxon. [GOC:jl]' - }, - 'GO:0043456': { - 'name': 'regulation of pentose-phosphate shunt', - 'def': 'Any process that modulates the frequency, rate or extent of the pentose-phosphate shunt, the process in which glucose is oxidized, coupled to NADPH synthesis. [GOC:jl]' - }, - 'GO:0043457': { - 'name': 'regulation of cellular respiration', - 'def': 'Any process that modulates the frequency, rate or extent of cellular respiration, the enzymatic release of energy from organic compounds. [GOC:jl]' - }, - 'GO:0043458': { - 'name': 'ethanol biosynthetic process involved in glucose fermentation to ethanol', - 'def': 'The chemical reactions and pathways resulting in the formation of ethanol, CH3-CH2-OH, as part of the process of glucose catabolism to ethanol, CO2 and ATP. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043459': { - 'name': 'obsolete response to short exposure to lithium ion', - 'def': 'OBSOLETE. A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a single or short exposure to a lithium ion stimulus. [PMID:10208444]' - }, - 'GO:0043460': { - 'name': 'obsolete response to long exposure to lithium ion', - 'def': 'OBSOLETE. A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a long or persistent exposure to a lithium ion stimulus. [PMID:10208444]' - }, - 'GO:0043461': { - 'name': 'proton-transporting ATP synthase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a proton-transporting ATP synthase (also known as F-type ATPase), a two-sector ATPase found in the inner membrane of mitochondria and chloroplasts, and in bacterial plasma membranes. [GOC:jl, GOC:mah, http://www.mblab.gla.ac.uk/]' - }, - 'GO:0043462': { - 'name': 'regulation of ATPase activity', - 'def': 'Any process that modulates the rate of ATP hydrolysis by an ATPase. [GOC:jl]' - }, - 'GO:0043463': { - 'name': 'regulation of rhamnose catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of rhamnose, the hexose 6-deoxy-L-mannose. [GOC:jl]' - }, - 'GO:0043464': { - 'name': 'malolactic fermentation', - 'def': 'The anaerobic enzymatic conversion of L-malate to L-lactate and carbon dioxide, yielding energy in the form of ATP. [PMID:10427020, PMID:8808948]' - }, - 'GO:0043465': { - 'name': 'regulation of fermentation', - 'def': 'Any process that modulates the frequency, rate or extent of fermentation, the anaerobic enzymatic conversion of organic compounds, especially carbohydrates, to other compounds, especially to ethyl alcohol, resulting in energy in the form of adenosine triphosphate (ATP). [GOC:jl]' - }, - 'GO:0043466': { - 'name': 'pyrimidine nucleobase fermentation', - 'def': 'The anaerobic conversion of pyrimidine nucleobases, yielding energy in the form of ATP. [CHEBI:26432, GOC:jl]' - }, - 'GO:0043467': { - 'name': 'regulation of generation of precursor metabolites and energy', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of precursor metabolites, substances from which energy is derived, and the processes involved in the liberation of energy from these substances. [GOC:jl]' - }, - 'GO:0043468': { - 'name': 'regulation of fucose catabolic process', - 'def': 'Any process that modulates the frequency, rate, or extent of the chemical reactions and pathways resulting in the breakdown of fucose. [GOC:mlg]' - }, - 'GO:0043469': { - 'name': 'regulation of D-xylose catabolic process', - 'def': 'Any process that modulates the frequency, rate, or extent of the chemical reactions and pathways resulting in the breakdown of xylose. [GOC:mlg]' - }, - 'GO:0043470': { - 'name': 'regulation of carbohydrate catabolic process', - 'def': 'Any process that modulates the frequency, rate, or extent of the chemical reactions and pathways resulting in the breakdown of carbohydrates. [GOC:mlg]' - }, - 'GO:0043471': { - 'name': 'regulation of cellular carbohydrate catabolic process', - 'def': 'Any process that modulates the frequency, rate, or extent of the chemical reactions and pathways resulting in the breakdown of carbohydrates, carried out by individual cells. [GOC:jl]' - }, - 'GO:0043472': { - 'name': 'IgD binding', - 'def': 'Interacting selectively and non-covalently with an immunoglobulin of a D isotype. [PMID:12886015]' - }, - 'GO:0043473': { - 'name': 'pigmentation', - 'def': 'The accumulation of pigment in an organism, tissue or cell, either by increased deposition or by increased number of cells. [GOC:jl]' - }, - 'GO:0043474': { - 'name': 'pigment metabolic process involved in pigmentation', - 'def': 'The chemical reactions and pathways involving a pigment, any general or particular coloring matter in living organisms, resulting in the deposition or aggregation of pigment in an organism, tissue or cell. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043475': { - 'name': 'pigment metabolic process involved in pigment accumulation', - 'def': 'The chemical reactions and pathways involving a pigment, any general or particular coloring matter in living organisms, as part of the accumulation of pigment. [GOC:jl]' - }, - 'GO:0043476': { - 'name': 'pigment accumulation', - 'def': 'The aggregation of coloring matter in a particular location in an organism, tissue or cell, occurring in response to some external stimulus. [GOC:jl]' - }, - 'GO:0043477': { - 'name': 'pigment biosynthetic process involved in pigment accumulation', - 'def': 'The chemical reactions and pathways resulting in the formation of a pigment, any general or particular coloring matter in living organisms, resulting in pigment accumulation. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043478': { - 'name': 'pigment accumulation in response to UV light', - 'def': 'The aggregation of coloring matter in a particular location in an organism, tissue or cell, occurring in response to a UV light stimulus. [GOC:jl]' - }, - 'GO:0043479': { - 'name': 'pigment accumulation in tissues in response to UV light', - 'def': 'The aggregation of coloring matter in a particular location in a tissue, occurring in response to a UV light stimulus. [GOC:jl]' - }, - 'GO:0043480': { - 'name': 'pigment accumulation in tissues', - 'def': 'The aggregation of coloring matter in a particular location in a tissue, occurring in response to an external stimulus. [GOC:jl]' - }, - 'GO:0043481': { - 'name': 'anthocyanin accumulation in tissues in response to UV light', - 'def': 'The aggregation of the pigment anthocyanin in a particular location in a tissue, occurring in response to a UV light stimulus. [GOC:jl]' - }, - 'GO:0043482': { - 'name': 'cellular pigment accumulation', - 'def': 'The aggregation of coloring matter in a particular location in a cell, occurring in response to some external stimulus. [GOC:jl]' - }, - 'GO:0043483': { - 'name': 'anthocyanin biosynthetic process involved in anthocyanin accumulation in response to UV light', - 'def': 'The chemical reactions and pathways resulting in the formation of the pigment anthocyanin, contributing to anthocyanin accumulation in a tissue in response to a UV light stimulus. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043484': { - 'name': 'regulation of RNA splicing', - 'def': 'Any process that modulates the frequency, rate or extent of RNA splicing, the process of removing sections of the primary RNA transcript to remove sequences not present in the mature form of the RNA and joining the remaining sections to form the mature form of the RNA. [GOC:jl]' - }, - 'GO:0043485': { - 'name': 'endosome to pigment granule transport', - 'def': 'The directed movement of substances from endosomes to pigment granules. [GOC:jl]' - }, - 'GO:0043486': { - 'name': 'histone exchange', - 'def': 'The replacement, within chromatin, of resident histones or histone subunits with alternative, sometimes variant, histones or subunits. [GOC:jl, PMID:11735001, PMID:15066277]' - }, - 'GO:0043487': { - 'name': 'regulation of RNA stability', - 'def': 'Any process that modulates the propensity of RNA molecules to degradation. Includes processes that both stabilize and destabilize RNAs. [GOC:jl]' - }, - 'GO:0043488': { - 'name': 'regulation of mRNA stability', - 'def': 'Any process that modulates the propensity of mRNA molecules to degradation. Includes processes that both stabilize and destabilize mRNAs. [GOC:jl]' - }, - 'GO:0043489': { - 'name': 'RNA stabilization', - 'def': 'Prevention of degradation of RNA molecules. [GOC:go_curators]' - }, - 'GO:0043490': { - 'name': 'malate-aspartate shuttle', - 'def': 'The process of transferring reducing equivalents from the cytosol into the mitochondria; NADH is used to synthesise malate in the cytosol; this compound is then transported into the mitochondria where it is converted to oxaloacetate using NADH, the oxaloacetate reacts with gluamate to form aspartate, and the aspartate then returns to the cytosol to complete the cycle. [GOC:jl, GOC:mtg_electron_transport, ISBN:0716743663]' - }, - 'GO:0043491': { - 'name': 'protein kinase B signaling', - 'def': 'A series of reactions, mediated by the intracellular serine/threonine kinase protein kinase B (also called AKT), which occurs as a result of a single trigger reaction or compound. [GOC:bf, PMID:20517722]' - }, - 'GO:0043492': { - 'name': 'ATPase activity, coupled to movement of substances', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, to directly drive the transport of a substance. [GOC:jl]' - }, - 'GO:0043493': { - 'name': 'viral terminase complex', - 'def': 'A complex of a large and small subunit which catalyze the packaging of DNA into viral heads. Note that not all viral terminases have this structure, some exist as single polypeptides. [GOC:bf, GOC:bm, GOC:jl, GOC:mlg]' - }, - 'GO:0043494': { - 'name': 'CLRC ubiquitin ligase complex', - 'def': 'An cullin-dependent E3 ubiquitin ligase/histone H3-K9 methyltransferase complex essential for heterochromatin assembly by RNAi. [GOC:vw, PMID:16127433, PMID:20211136]' - }, - 'GO:0043495': { - 'name': 'protein anchor', - 'def': 'Interacting selectively and non-covalently with both a protein or protein complex and a membrane, in order to maintain the localization of the protein at a specific location on the membrane. [GOC:go_curators]' - }, - 'GO:0043496': { - 'name': 'regulation of protein homodimerization activity', - 'def': 'Any process that modulates the frequency, rate or extent of protein homodimerization, interacting selectively with an identical protein to form a homodimer. [GOC:jl, GOC:tb]' - }, - 'GO:0043497': { - 'name': 'regulation of protein heterodimerization activity', - 'def': 'Any process that modulates the frequency, rate or extent of protein heterodimerization, interacting selectively with a nonidentical protein to form a heterodimer. [GOC:jl, GOC:tb]' - }, - 'GO:0043498': { - 'name': 'obsolete cell surface binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with any component on the surface of a cell. [GOC:jl]' - }, - 'GO:0043499': { - 'name': 'obsolete eukaryotic cell surface binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with any component on the surface of a eukaryotic cell. [GOC:jl]' - }, - 'GO:0043500': { - 'name': 'muscle adaptation', - 'def': 'A process in which muscle adapts, with consequent modifications to structural and/or functional phenotypes, in response to a stimulus. Stimuli include contractile activity, loading conditions, substrate supply, and environmental factors. These adaptive events occur in both muscle fibers and associated structures (motoneurons and capillaries), and they involve alterations in regulatory mechanisms, contractile properties and metabolic capacities. [GOC:mtg_muscle, PMID:11181628, PMID:11449884, PMID:12605307]' - }, - 'GO:0043501': { - 'name': 'skeletal muscle adaptation', - 'def': 'Any process in which skeletal muscles change their phenotypic profiles in response to altered functional demands and a variety of signals. [GOC:mtg_muscle, PMID:11181628, PMID:11449884, PMID:12605307]' - }, - 'GO:0043502': { - 'name': 'regulation of muscle adaptation', - 'def': 'Any process that modulates the frequency, rate or extent of muscle adaptation. [GOC:go_curators, GOC:mtg_muscle]' - }, - 'GO:0043503': { - 'name': 'skeletal muscle fiber adaptation', - 'def': 'Any process in which the skeletal muscle fibers change their phenotypic profiles in response to altered functional demands and a variety of signals. Muscle fibers are formed by the maturation of myotubes. They can be classed as slow, intermediate/fast or fast. [GOC:mtg_muscle, PMID:11181628, PMID:11449884, PMID:12605307]' - }, - 'GO:0043504': { - 'name': 'mitochondrial DNA repair', - 'def': 'The process of restoring mitochondrial DNA after damage. [PMID:12565799, PMID:15189144, PMID:16050976]' - }, - 'GO:0043505': { - 'name': 'CENP-A containing nucleosome', - 'def': 'A form of nucleosome located only at the centromere, in which the histone H3 is replaced by the variant form CENP-A (sometimes known as CenH3). [GOC:go_curators, PMID:15175412, PMID:16183641]' - }, - 'GO:0043506': { - 'name': 'regulation of JUN kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of JUN kinase activity. [GOC:jl]' - }, - 'GO:0043507': { - 'name': 'positive regulation of JUN kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of JUN kinase activity. [GOC:jl]' - }, - 'GO:0043508': { - 'name': 'negative regulation of JUN kinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of JUN kinase activity. [GOC:jl]' - }, - 'GO:0043509': { - 'name': 'activin A complex', - 'def': 'A nonsteroidal regulator, composed of two covalently linked inhibin beta-A subunits (sometimes known as activin beta-A or activin/inhibin beta-A). [GOC:go_curators]' - }, - 'GO:0043510': { - 'name': 'activin B complex', - 'def': 'A nonsteroidal regulator, composed of two covalently linked inhibin beta-B subunits (sometimes known as activin beta-B or activin/inhibin beta-B). [GOC:go_curators]' - }, - 'GO:0043511': { - 'name': 'inhibin complex', - 'def': 'Heterodimeric hormone composed of an inhibin alpha subunit complexed with either an inhibin beta-A subunit, to form inhibin A, or an inhibin beta-B subunit, to form inhibin B. [GOC:jl]' - }, - 'GO:0043512': { - 'name': 'inhibin A complex', - 'def': 'Heterodimeric hormone composed of an inhibin alpha subunit complexed with an inhibin beta-A subunit. [GOC:jl]' - }, - 'GO:0043513': { - 'name': 'inhibin B complex', - 'def': 'Heterodimeric hormone composed of an inhibin alpha subunit complexed with an inhibin beta-B subunit. [GOC:jl]' - }, - 'GO:0043514': { - 'name': 'interleukin-12 complex', - 'def': 'A protein complex that is composed of an interleukin-12 alpha (p35, product of the IL12A gene) and an interleukin-12 beta subunit (p40, product of the IL12B gene) and is secreted into the extracellular space. [GOC:add, GOC:ebc, GOC:mah, PMID:12948519, PMID:1381512]' - }, - 'GO:0043515': { - 'name': 'kinetochore binding', - 'def': 'Interacting selectively and non-covalently with a kinetochore, a proteinaceous structure on a condensed chromosome, beside the centromere, to which the spindle fibers are attached. [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0043516': { - 'name': 'regulation of DNA damage response, signal transduction by p53 class mediator', - 'def': 'Any process that modulates the frequency, rate or extent of the cascade of processes induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, in response to the detection of DNA damage. [GOC:jl]' - }, - 'GO:0043517': { - 'name': 'positive regulation of DNA damage response, signal transduction by p53 class mediator', - 'def': 'Any process that activates, maintains or increases the rate of the cascade of processes induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, in response to the detection of DNA damage. [GOC:jl]' - }, - 'GO:0043518': { - 'name': 'negative regulation of DNA damage response, signal transduction by p53 class mediator', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the cascade of processes induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, in response to the detection of DNA damage. [GOC:jl]' - }, - 'GO:0043519': { - 'name': 'regulation of myosin II filament organization', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly, arrangement of constituent parts, or disassembly of a bipolar filament composed of myosin II molecules. [GOC:jl]' - }, - 'GO:0043520': { - 'name': 'regulation of myosin II filament assembly', - 'def': 'Any process that modulates the frequency, rate or extent of the formation of a bipolar filament composed of myosin II molecules. [GOC:jl]' - }, - 'GO:0043521': { - 'name': 'regulation of myosin II filament disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of the disassembly of a bipolar filament composed of myosin II molecules. [GOC:jl]' - }, - 'GO:0043522': { - 'name': 'leucine zipper domain binding', - 'def': 'Interacting selectively and non-covalently with a leucine zipper domain, a protein secondary structure exhibiting a periodic repetition of leucine residues at every seventh position over a distance covering eight helical turns. [GOC:jl, InterPro:IPR002158]' - }, - 'GO:0043523': { - 'name': 'regulation of neuron apoptotic process', - 'def': 'Any process that modulates the occurrence or rate of cell death by apoptotic process in neurons. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0043524': { - 'name': 'negative regulation of neuron apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell death by apoptotic process in neurons. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0043525': { - 'name': 'positive regulation of neuron apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell death of neurons by apoptotic process. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0043526': { - 'name': 'obsolete neuroprotection', - 'def': 'OBSOLETE. Any process that modulates the occurrence or rate of cell death by apoptosis in the nervous system. It may stop or prevent or reduce the rate of cell death by apoptosis and it is activated by stress to counteract death signals in central nervous systems. Different neuroprotective mechanisms may be activated to combat distinct types of cellular stress, ERK pathway is one of several neuroprotective mechanisms and it is a model system to study neuronal apoptosis, which may contribute to several neurodegenerative diseases and aging-related neuron loss. [GOC:mtg_apoptosis, MSH:D017209, PMID:10208444, PMID:11909981, PMID:15905876]' - }, - 'GO:0043527': { - 'name': 'tRNA methyltransferase complex', - 'def': 'A multimeric protein complex involved in the methylation of specific nucleotides in tRNA. [GOC:jl]' - }, - 'GO:0043528': { - 'name': 'tRNA (m2G10) methyltransferase complex', - 'def': 'A protein complex required for the methylation of the guanosine nucleotide at position 10 (m2G10) in tRNA. In S. cerevisiae, this complex consists of at least two subunits, Trm11p and Trm112p. [PMID:15899842]' - }, - 'GO:0043529': { - 'name': 'GET complex', - 'def': 'A multisubunit complex involved in ER/Golgi trafficking (Golgi to ER Traffic). In yeast, includes Get1p, Get2p and Get3p proteins. [PMID:16269340]' - }, - 'GO:0043530': { - 'name': "adenosine 5'-monophosphoramidase activity", - 'def': "Catalysis of the reaction: adenosine 5'-monophosphoramidate = AMP + NH2. Other substrates include AMP-morpholidate, AMP-N-alanine methyl ester and AMP-alpha-acetyl lysine methyl ester. [PMID:11805111]" - }, - 'GO:0043531': { - 'name': 'ADP binding', - 'def': "Interacting selectively and non-covalently with ADP, adenosine 5'-diphosphate. [GOC:jl]" - }, - 'GO:0043532': { - 'name': 'angiostatin binding', - 'def': 'Interacting selectively and non-covalently with angiostatin, a proteolytic product of plasminogen or plasmin containing at least one intact kringle domain, and which is an inhibitor of angiogenesis. [PMID:16043488]' - }, - 'GO:0043533': { - 'name': 'inositol 1,3,4,5 tetrakisphosphate binding', - 'def': 'Interacting selectively and non-covalently with inositol 1,3,4,5 tetrakisphosphate. [GOC:go_curators]' - }, - 'GO:0043534': { - 'name': 'blood vessel endothelial cell migration', - 'def': 'The orderly movement of an endothelial cell into the extracellular matrix in order to form new blood vessels during angiogenesis. [PMID:11166264]' - }, - 'GO:0043535': { - 'name': 'regulation of blood vessel endothelial cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of the migration of the endothelial cells of blood vessels. [GOC:go_curators]' - }, - 'GO:0043536': { - 'name': 'positive regulation of blood vessel endothelial cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of the migration of the endothelial cells of blood vessels. [GOC:go_curators]' - }, - 'GO:0043537': { - 'name': 'negative regulation of blood vessel endothelial cell migration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the migration of the endothelial cells of blood vessels. [GOC:go_curators]' - }, - 'GO:0043538': { - 'name': 'regulation of actin phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of the transfer of one or more phosphate groups to an actin molecule. [GOC:go_curators]' - }, - 'GO:0043539': { - 'name': 'protein serine/threonine kinase activator activity', - 'def': 'Binds to and increases the activity of a protein serine/threonine kinase. [GOC:go_curators]' - }, - 'GO:0043540': { - 'name': '6-phosphofructo-2-kinase/fructose-2,6-biphosphatase complex', - 'def': 'A homodimeric, bifunctional enzyme complex which catalyzes the synthesis and degradation of fructose 2,6-bisphosphate, and is required for both glycolysis and gluconeogenesis. [GOC:jl, GOC:so]' - }, - 'GO:0043541': { - 'name': 'UDP-N-acetylglucosamine transferase complex', - 'def': 'A multienzyme, heterooligomeric complex involved in dolichyl-linked oligosaccharide synthesis. In yeast the complex is composed of Alg7p, which catalyzes the first step (GlcNAc1-PP-Dol from dolichol-phosphate and UDP-GlcNAc), and Alg13p plus Alg14p, the catalytic and anchoring subunits respectively, which together catalyze the second step (GlcNAc2-PP-dolichol from GlcNAc1-PP-Dol and UDP-GlcNAc) of dolichyl-linked oligosaccharide synthesis. [GOC:rn, PMID:19129246]' - }, - 'GO:0043542': { - 'name': 'endothelial cell migration', - 'def': 'The orderly movement of an endothelial cell into the extracellular matrix to form an endothelium. [GOC:go_curators]' - }, - 'GO:0043543': { - 'name': 'protein acylation', - 'def': 'The addition of an acyl group, any group or radical of the form RCO- where R is an organic group, to a protein amino acid. [GOC:jl]' - }, - 'GO:0043544': { - 'name': 'lipoamide binding', - 'def': 'Interacting selectively and non-covalently with lipoamide, the functional form of lipoic acid in which the carboxyl group is attached to protein by an amide linkage to a lysine amino group. [GOC:go_curators]' - }, - 'GO:0043545': { - 'name': 'molybdopterin cofactor metabolic process', - 'def': 'The chemical reactions and pathways involving the molybdopterin cofactor (Moco), essential for the catalytic activity of some enzymes, e.g. sulfite oxidase, xanthine dehydrogenase, and aldehyde oxidase. The cofactor consists of a mononuclear molybdenum (Mo-molybdopterin) or tungsten ion (W-molybdopterin) coordinated by one or two molybdopterin ligands. [ISSN:09498257]' - }, - 'GO:0043546': { - 'name': 'molybdopterin cofactor binding', - 'def': 'Interacting selectively and non-covalently with the molybdopterin cofactor (Moco), essential for the catalytic activity of some enzymes, e.g. sulfite oxidase, xanthine dehydrogenase, and aldehyde oxidase. The cofactor consists of a mononuclear molybdenum (Mo-molybdopterin) or tungsten ion (W-molybdopterin) coordinated by one or two molybdopterin ligands. [ISSN:09498257]' - }, - 'GO:0043547': { - 'name': 'positive regulation of GTPase activity', - 'def': 'Any process that activates or increases the activity of a GTPase. [GOC:jl, GOC:mah]' - }, - 'GO:0043548': { - 'name': 'phosphatidylinositol 3-kinase binding', - 'def': "Interacting selectively and non-covalently with a phosphatidylinositol 3-kinase, any enzyme that catalyzes the addition of a phosphate group to an inositol lipid at the 3' position of the inositol ring. [PMID:10209156, PMID:9255069]" - }, - 'GO:0043549': { - 'name': 'regulation of kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to a substrate molecule. [GOC:bf]' - }, - 'GO:0043550': { - 'name': 'regulation of lipid kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of lipid kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to a simple or complex lipid. [GOC:bf]' - }, - 'GO:0043551': { - 'name': 'regulation of phosphatidylinositol 3-kinase activity', - 'def': "Any process that modulates the frequency, rate or extent of phosphatidylinositol 3-kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to an inositol lipid at the 3' position of the inositol ring. [GOC:bf]" - }, - 'GO:0043552': { - 'name': 'positive regulation of phosphatidylinositol 3-kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidylinositol 3-kinase activity. [GOC:bf]' - }, - 'GO:0043553': { - 'name': 'negative regulation of phosphatidylinositol 3-kinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of phosphatidylinositol 3-kinase activity. [GOC:bf]' - }, - 'GO:0043554': { - 'name': 'aerobic respiration, using arsenite as electron donor', - 'def': 'The oxidation of arsenite to arsenate, using oxygen (O2) as the electron acceptor. Arsenite oxidase provides electrons to an electron carrier which transfers them to oxygen utilizing respiratory systems. [GOC:mlg]' - }, - 'GO:0043555': { - 'name': 'regulation of translation in response to stress', - 'def': 'Modulation of the frequency, rate or extent of translation as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:jl]' - }, - 'GO:0043556': { - 'name': 'regulation of translation in response to oxidative stress', - 'def': 'Any process that modulates the frequency, rate or extent of translation as a result of oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, e.g. superoxide anions, hydrogen peroxide (H2O2), and hydroxyl radicals. [GOC:jl]' - }, - 'GO:0043557': { - 'name': 'regulation of translation in response to osmotic stress', - 'def': 'Any process that modulates the frequency, rate or extent of the frequency, rate or extent of translation as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:jl]' - }, - 'GO:0043558': { - 'name': 'regulation of translational initiation in response to stress', - 'def': 'Any process that modulates the frequency, rate or extent of translation initiation, as a result of a stimulus indicating the organism is under stress. [GOC:jl]' - }, - 'GO:0043559': { - 'name': 'insulin binding', - 'def': 'Interacting selectively and non-covalently with insulin, a polypeptide hormone produced by the islets of Langerhans of the pancreas in mammals, and by the homologous organs of other organisms. [ISBN:0198506732]' - }, - 'GO:0043560': { - 'name': 'insulin receptor substrate binding', - 'def': 'Interacting selectively and non-covalently with any of the insulin receptor substrate (IRS) proteins, adaptor proteins that bind to the transphosphorylated insulin and insulin-like growth factor receptors, are themselves phosphorylated and in turn recruit SH2 domain-containing signaling molecules to form a productive signaling complex. [PMID:12829233]' - }, - 'GO:0043561': { - 'name': 'regulation of translational initiation in response to osmotic stress', - 'def': 'Any process that modulates the frequency, rate or extent of translation initiation, as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043562': { - 'name': 'cellular response to nitrogen levels', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting the presence, absence, or concentration of inorganic nitrogen. [GOC:jl]' - }, - 'GO:0043563': { - 'name': 'odorant transporter activity', - 'def': 'Enables the directed movement of odorants, any substance capable of stimulating the sense of smell, into, out of or within a cell, or between cells. [GOC:jl]' - }, - 'GO:0043564': { - 'name': 'Ku70:Ku80 complex', - 'def': 'Heterodimeric protein complex composed of a 70 kDa and a 80 kDa subunit, binds DNA through a channel formed by the heterodimer. Functions in DNA double stranded break repair, chromosome maintenance, transcription regulation, V(D)J recombination, and activation of DNA-PK. [PMID:12518983]' - }, - 'GO:0043565': { - 'name': 'sequence-specific DNA binding', - 'def': 'Interacting selectively and non-covalently with DNA of a specific nucleotide composition, e.g. GC-rich DNA binding, or with a specific sequence motif or type of DNA e.g. promotor binding or rDNA binding. [GOC:jl]' - }, - 'GO:0043567': { - 'name': 'regulation of insulin-like growth factor receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of insulin-like growth factor receptor signaling. [GOC:bf]' - }, - 'GO:0043568': { - 'name': 'positive regulation of insulin-like growth factor receptor signaling pathway', - 'def': 'Any process that increases the frequency, rate or extent of insulin-like growth factor receptor signaling. [GOC:bf]' - }, - 'GO:0043569': { - 'name': 'negative regulation of insulin-like growth factor receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of insulin-like growth factor receptor signaling. [GOC:bf]' - }, - 'GO:0043570': { - 'name': 'maintenance of DNA repeat elements', - 'def': 'Any process involved in sustaining the fidelity and copy number of DNA repeat elements. [GOC:jl]' - }, - 'GO:0043571': { - 'name': 'maintenance of CRISPR repeat elements', - 'def': 'Any process involved in sustaining CRISPR repeat clusters, including capture of new spacer elements, expansion or contraction of clusters, propagation of the leader sequence and repeat clusters within a genome, transfer of repeat clusters and CRISPR-associated (cas) genes to new genomes, transcription of the CRISPR repeat arrays into RNA and processing, and interaction of CRISPR/cas loci with the host genome. CRISPR (clustered regularly interspaced short palindromic repeat) elements are a family of sequence elements containing multiple direct repeats of 24-48 bp with weak dyad symmetry which are separated by regularly sized nonrepetitive spacer sequences. [PMID:16292354]' - }, - 'GO:0043572': { - 'name': 'plastid fission', - 'def': 'The creation of two or more plastids by division of one plastid. A plastid is any member of a family of organelles found in the cytoplasm of plants and some protists, which are membrane-bounded and contain DNA. [GOC:jl]' - }, - 'GO:0043573': { - 'name': 'leucoplast fission', - 'def': 'The creation of two or more leucoplasts by division of one leucoplast. A leucoplast is a colorless plastid involved in the synthesis of monoterpenes. [GOC:jl]' - }, - 'GO:0043574': { - 'name': 'peroxisomal transport', - 'def': 'Transport of substances into, out of or within a peroxisome, a small, membrane-bounded organelle that uses dioxygen (O2) to oxidize organic molecules. [GOC:jl]' - }, - 'GO:0043575': { - 'name': 'detection of osmotic stimulus', - 'def': 'The series of events in which a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell is received and converted into a molecular signal. [GOC:jl]' - }, - 'GO:0043576': { - 'name': 'regulation of respiratory gaseous exchange', - 'def': 'Any process that modulates the frequency, rate or extent of the process of gaseous exchange between an organism and its environment. [GOC:jl]' - }, - 'GO:0043577': { - 'name': 'chemotropism', - 'def': 'The movement of an organism, or part of an organism, in response to an external chemical gradient, usually toward or away from it. [GOC:jl, PMID:10087613]' - }, - 'GO:0043578': { - 'name': 'nuclear matrix organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nuclear matrix, the dense fibrillar network lying on the inner side of the nuclear membrane. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0043579': { - 'name': 'elaioplast organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an elaioplast, a leucoplast in which oil is stored. [GOC:jl]' - }, - 'GO:0043580': { - 'name': 'periplasmic space organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the periplasmic space, the region between the inner (cytoplasmic) and outer membrane in Gram-negative bacteria, or the inner membrane and cell wall in fungi. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0043581': { - 'name': 'obsolete mycelium development', - 'def': 'OBSOLETE. The process whose specific outcome is the progression of the mycelium over time, from its formation to the mature structure. A mycelium consists of a mass of branching, thread-like hyphae. [GOC:jl, ISBN:1580085792, PMID:12832397]' - }, - 'GO:0043582': { - 'name': 'sporangium development', - 'def': 'The process whose specific outcome is the progression of the sporangium over time, from its formation to the mature structure. A sporangium is a structure producing and containing spores. [GOC:jl, Wikipedia:Sporagium]' - }, - 'GO:0043583': { - 'name': 'ear development', - 'def': 'The process whose specific outcome is the progression of the ear over time, from its formation to the mature structure. The ear is the sense organ in vertebrates that is specialized for the detection of sound, and the maintenance of balance. Includes the outer ear and middle ear, which collect and transmit sound waves; and the inner ear, which contains the organs of balance and (except in fish) hearing. Also includes the pinna, the visible part of the outer ear, present in some mammals. [GOC:jl, ISBN:0192801023]' - }, - 'GO:0043584': { - 'name': 'nose development', - 'def': 'The process whose specific outcome is the progression of the nose over time, from its formation to the mature structure. The nose is the specialized structure of the face that serves as the organ of the sense of smell and as part of the respiratory system. Includes the nasi externus (external nose) and cavitas nasi (nasal cavity). [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0043585': { - 'name': 'nose morphogenesis', - 'def': 'The process in which the anatomical structures of the nose are generated and organized. The nose is the specialized structure of the face that serves as the organ of the sense of smell and as part of the respiratory system. Includes the nasi externus (external nose) and cavitas nasi (nasal cavity). [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0043586': { - 'name': 'tongue development', - 'def': 'The process whose specific outcome is the progression of the tongue over time, from its formation to the mature structure. The tongue is the movable, muscular organ on the floor of the mouth of most vertebrates, in many other mammals is the principal organ of taste, aids in the prehension of food, in swallowing, and in modifying the voice as in speech. [GOC:jl, UBERON:0001723]' - }, - 'GO:0043587': { - 'name': 'tongue morphogenesis', - 'def': 'The process in which the anatomical structures of the tongue are generated and organized. The tongue is the movable, muscular organ on the floor of the mouth of most vertebrates, in man other mammals is the principal organ of taste, aids in the prehension of food, in swallowing, and in modifying the voice as in speech. [GOC:jl, UBERON:0001723]' - }, - 'GO:0043588': { - 'name': 'skin development', - 'def': 'The process whose specific outcome is the progression of the skin over time, from its formation to the mature structure. The skin is the external membranous integument of an animal. In vertebrates the skin generally consists of two layers, an outer nonsensitive and nonvascular epidermis (cuticle or skarfskin) composed of cells which are constantly growing and multiplying in the deeper, and being thrown off in the superficial layers, as well as an inner vascular dermis (cutis, corium or true skin) composed mostly of connective tissue. [GOC:jl, UBERON:0002097]' - }, - 'GO:0043589': { - 'name': 'skin morphogenesis', - 'def': 'The process in which the anatomical structures of the skin are generated and organized. The skin is the external membranous integument of an animal. In vertebrates the skin generally consists of two layers, an outer nonsensitive and nonvascular epidermis (cuticle or skarfskin) composed of cells which are constantly growing and multiplying in the deeper, and being thrown off in the superficial layers, as well as an inner, sensitive and vascular dermis (cutis, corium or true skin) composed mostly of connective tissue. [GOC:jl, UBERON:0002097]' - }, - 'GO:0043590': { - 'name': 'bacterial nucleoid', - 'def': 'The region of a bacterial cell to which the DNA is confined. [GOC:jl]' - }, - 'GO:0043591': { - 'name': 'endospore external encapsulating structure', - 'def': 'The structures that lie outside the inner membrane and surround the entire endospore; consists of a peptidoglycan-containing inner layer (the endospore cortex) surrounded by a multilayered proteinaceous coat. An exosporium may be present as an extreme outer layer. [GOC:go_curators, PMID:15035041]' - }, - 'GO:0043592': { - 'name': 'exosporium', - 'def': 'The outermost layer of a bacterial endospore, which is loosely attached and located outside of the endospore coat. It is generally composed of protein, carbohydrate, and perhaps lipid. [GOC:mlg]' - }, - 'GO:0043593': { - 'name': 'endospore coat', - 'def': 'The layer in a bacterial endospore that lies under the exosporium, and is impermeable to many toxic molecules. The coat may also contain enzymes that are involved in endospore germination. [GOC:mlg]' - }, - 'GO:0043594': { - 'name': 'outer endospore membrane', - 'def': 'The outer membrane around a bacterial endospore, located between the endospore cortex and endospore coat. [GOC:mlg]' - }, - 'GO:0043595': { - 'name': 'endospore cortex', - 'def': 'A layer surrounding a bacterial endospore found inside the outer endospore membrane, but outside the membrane surrounding the endospore core. It consists of peptidoglycan of a different chemical nature than that found in vegetative cell walls which results in less cross-linking of peptidoglycan. [GOC:mlg]' - }, - 'GO:0043596': { - 'name': 'nuclear replication fork', - 'def': 'The Y-shaped region of a nuclear replicating DNA molecule, resulting from the separation of the DNA strands and in which the synthesis of new strands takes place. Also includes associated protein complexes. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0043597': { - 'name': 'cytoplasmic replication fork', - 'def': 'The Y-shaped region of a cytoplasmic replicating DNA molecule, resulting from the separation of the DNA strands and in which the synthesis of new strands takes place. Also includes associated protein complexes. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0043598': { - 'name': 'cytoplasmic DNA replication factor C complex', - 'def': 'A cytoplasmic complex of two polypeptides that loads the DNA polymerase processivity factor proliferating cell nuclear antigen (PCNA) onto DNA, thereby permitting processive DNA synthesis catalyzed by DNA polymerase. Examples of this component are found in prokaryotic species. [GOC:mtg_sensu, PMID:14646196, PMID:16172520]' - }, - 'GO:0043599': { - 'name': 'nuclear DNA replication factor C complex', - 'def': 'A nuclear complex of five polypeptides that loads the DNA polymerase processivity factor proliferating cell nuclear antigen (PCNA) onto DNA, thereby permitting processive DNA synthesis catalyzed by DNA polymerase delta or epsilon. In Saccharomyces and several other species, the subunits are known as Rfc1p-Rfc5p, although subunit names do not necessarily correspond between different species. [GOC:mtg_sensu, PMID:14614842]' - }, - 'GO:0043600': { - 'name': 'cytoplasmic replisome', - 'def': 'A multi-component enzymatic machine at the cytoplasmic replication fork, which mediates DNA replication. Includes DNA primase, DNA polymerase, DNA helicase, and other proteins. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0043601': { - 'name': 'nuclear replisome', - 'def': 'A multi-component enzymatic machine at the nuclear replication fork, which mediates DNA replication. Includes DNA primase, one or more DNA polymerases, DNA helicases, and other proteins. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0043602': { - 'name': 'nitrate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nitrates, inorganic or organic salts and esters of nitric acid. [GOC:jl]' - }, - 'GO:0043603': { - 'name': 'cellular amide metabolic process', - 'def': 'The chemical reactions and pathways involving an amide, any derivative of an oxoacid in which an acidic hydroxy group has been replaced by an amino or substituted amino group, as carried out by individual cells. [CHEBI:32988]' - }, - 'GO:0043604': { - 'name': 'amide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an amide, any derivative of an oxoacid in which an acidic hydroxy group has been replaced by an amino or substituted amino group. [CHEBI:32988]' - }, - 'GO:0043605': { - 'name': 'cellular amide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an amide, any derivative of an oxoacid in which an acidic hydroxy group has been replaced by an amino or substituted amino group. [CHEBI:32988]' - }, - 'GO:0043606': { - 'name': 'formamide metabolic process', - 'def': 'The chemical reactions and pathways involving formamide, the simplest amide, HCONH2, derived from formic acid. [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0043607': { - 'name': 'formamide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of formamide, the simplest amide, HCONH2, derived from formic acid. [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0043608': { - 'name': 'formamide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of formamide, the simplest amide, HCONH2, derived from formic acid. [GOC:jl, http://www.mercksource.com/]' - }, - 'GO:0043609': { - 'name': 'regulation of carbon utilization', - 'def': 'Any process that modulates the frequency, rate, or extent of carbon utilization. [GOC:jl]' - }, - 'GO:0043610': { - 'name': 'regulation of carbohydrate utilization', - 'def': 'Any process that modulates the frequency, rate or extent of carbohydrate utilization. [GOC:jl]' - }, - 'GO:0043611': { - 'name': 'isoprene metabolic process', - 'def': 'The chemical reactions and pathways involving isoprene, C5H8. [GOC:jl]' - }, - 'GO:0043612': { - 'name': 'isoprene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isoprene, C5H8. [GOC:jl]' - }, - 'GO:0043613': { - 'name': 'isoprene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of isoprene, C5H8. [GOC:jl]' - }, - 'GO:0043614': { - 'name': 'multi-eIF complex', - 'def': 'A multifactor complex composed of multiple translation initiation factors and the initiatior tRNAiMet, which is ready to bind to the small (40S) ribosome to form the 43S preinitiation complex. In S. cerevisiae, this complex is composed of eIF1, eIF2, eIF3, and eIF5. [GOC:krc]' - }, - 'GO:0043615': { - 'name': 'astrocyte cell migration', - 'def': 'The orderly movement of an astrocyte, a class of large neuroglial (macroglial) cells in the central nervous system, the largest and most numerous neuroglial cells in the brain and spinal cord. [CL:0000127, GOC:go_curators]' - }, - 'GO:0043616': { - 'name': 'keratinocyte proliferation', - 'def': 'The multiplication or reproduction of keratinocytes, resulting in the expansion of a cell population. Keratinocytes are epidermal cells which synthesize keratin and undergo a characteristic change as they move upward from the basal layers of the epidermis to the cornified (horny) layer of the skin. [CL:0000311]' - }, - 'GO:0043617': { - 'name': 'cellular response to sucrose starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of sucrose. [GOC:jl]' - }, - 'GO:0043618': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to stress', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:jl]' - }, - 'GO:0043619': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to oxidative stress', - 'def': 'Modulation of the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is under oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, e.g. superoxide anions, hydrogen peroxide (H2O2), and hydroxyl radicals. [GOC:jl]' - }, - 'GO:0043620': { - 'name': 'regulation of DNA-templated transcription in response to stress', - 'def': 'Modulation of the frequency, rate or extent of transcription from a DNA template as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:jl, GOC:txnOH]' - }, - 'GO:0043621': { - 'name': 'protein self-association', - 'def': 'Interacting selectively and non-covalently with a domain within the same polypeptide. [GOC:jl]' - }, - 'GO:0043622': { - 'name': 'cortical microtubule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of structures formed of microtubules and associated proteins in the cell cortex, i.e. just beneath the plasma membrane of a cell. [GOC:curators, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0043623': { - 'name': 'cellular protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a protein complex, occurring at the level of an individual cell. [GOC:jl]' - }, - 'GO:0043624': { - 'name': 'cellular protein complex disassembly', - 'def': 'The disaggregation of a protein complex into its constituent components, occurring at the level of an individual cell. Protein complexes may have other associated non-protein prosthetic groups, such as nucleic acids, metal ions or carbohydrate groups. [GOC:jl]' - }, - 'GO:0043625': { - 'name': 'delta DNA polymerase complex', - 'def': 'A multimeric DNA polymerase enzyme complex which differs in composition amongst species; in humans it is a heterotetramer of four subunits of approximately 125, 50, 68 and 12kDa, while in S. cerevisiae, it has three different subunits which form a heterotrimer, and the active enzyme is a dimer of this heterotrimer. Functions in DNA replication, mismatch repair and excision repair. [GOC:jl, ISBN:0198547684, PMID:11205330, PMID:12403614]' - }, - 'GO:0043626': { - 'name': 'PCNA complex', - 'def': 'A protein complex composed of three identical PCNA monomers, each comprising two similar domains, which are joined in a head-to-tail arrangement to form a homotrimer. Forms a ring-like structure in solution, with a central hole sufficiently large to accommodate the double helix of DNA. Originally characterized as a DNA sliding clamp for replicative DNA polymerases and as an essential component of the replisome, and has also been shown to be involved in other processes including Okazaki fragment processing, DNA repair, translesion DNA synthesis, DNA methylation, chromatin remodeling and cell cycle regulation. [GOC:jl, PMID:12829735]' - }, - 'GO:0043627': { - 'name': 'response to estrogen', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of stimulus by an estrogen, C18 steroid hormones that can stimulate the development of female sexual characteristics. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0043628': { - 'name': "ncRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a non-coding RNA molecule. [GOC:jl]" - }, - 'GO:0043629': { - 'name': 'ncRNA polyadenylation', - 'def': "The enzymatic addition of a sequence of adenylyl residues at the 3' end of a non-coding RNA (ncRNA) molecule. In eukaryotes, substrates include nuclear non-coding RNAs such as precursors and a variety of incorrectly processed forms of snRNAs, snoRNAs, rRNAs, and tRNAs, as well as discarded RNA fragments which have been removed from ncRNA primary transcripts. Polyadenylation of precursors is often linked to termination of transcription, but polyadenylation of RNAs targeted for degradation may also occur post-transcriptionally. This polyadenylation is important both for 3'-end processing to produce mature ncRNA species and also for targeting incorrectly processed or discarded RNA molecules for degradation. [GOC:dgf, GOC:krc, GOC:rn, PMID:15828860, PMID:15935758, PMID:16374505, PMID:16431988, PMID:18951092]" - }, - 'GO:0043630': { - 'name': 'ncRNA polyadenylation involved in polyadenylation-dependent ncRNA catabolic process', - 'def': "The enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end of a non-coding RNA, occurring as part of the process of polyadenylation-dependent non-coding RNA catabolism. [GOC:dph, GOC:jl, GOC:tb]" - }, - 'GO:0043631': { - 'name': 'RNA polyadenylation', - 'def': "The enzymatic addition of a sequence of adenylyl residues at the 3' end of an RNA molecule. [GOC:jl]" - }, - 'GO:0043632': { - 'name': 'modification-dependent macromolecule catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a macromolecule, initiated by covalent modification of the target molecule. [GOC:jl]' - }, - 'GO:0043633': { - 'name': 'polyadenylation-dependent RNA catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of an RNA molecule, initiated by initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3'-end of the target RNA. [GOC:dgf, GOC:jl, GOC:krc]" - }, - 'GO:0043634': { - 'name': 'polyadenylation-dependent ncRNA catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a noncoding RNA (ncRNA) molecule, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target ncRNA. [GOC:dgf, GOC:jl, GOC:krc]" - }, - 'GO:0043635': { - 'name': 'methylnaphthalene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methylnaphthalene, an organic compound, C10H7CH3, obtained from coal tar. [GOC:jl, PMID:16535687]' - }, - 'GO:0043636': { - 'name': 'bisphenol A catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of bisphenol A, 4,4'-(propane-2,2-diyl)diphenol, a synthetic, aromatic organic compound used as a monomer in the manufacture of polycarbonate plastic and in the manufacture of epoxy resins. [CHEBI:33216, GOC:jl, Wikipedia:Bisphenol_A]" - }, - 'GO:0043637': { - 'name': 'puromycin metabolic process', - 'def': "The chemical reactions and pathways involving puromycin, 3'-deoxy-N,N-dimethyl-3'-(O-methyl-L-tyrosinamido)adenosine, an aminonucleoside antibiotic that is a potent inhibitor of translation; produced by the bacterium Streptomyces alboniger. [CHEBI:17939, GOC:jl, PMID:8226694, Wikipedia:Puromycin]" - }, - 'GO:0043638': { - 'name': 'puromycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of puromycin, an aminonucleoside antibiotic that is a potent inhibitor of translation; produced by the bacterium Streptomyces alboniger. [CHEBI:17939, GOC:jl, Wikipedia:Puromycin]' - }, - 'GO:0043639': { - 'name': 'benzoate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of benzoate, the anion of benzoic acid (benzenecarboxylic acid), a fungistatic compound widely used as a food preservative; it is conjugated to glycine in the liver and excreted as hippuric acid. [GOC:jl]' - }, - 'GO:0043640': { - 'name': 'benzoate catabolic process via hydroxylation', - 'def': 'The chemical reactions and pathways resulting in the breakdown of benzoate, by its hydroxylation to cis-1,2-dihydroxybenzoate followed by dehydrogenation to catechol. [GOC:jl, MetaCyc:PWY-2503]' - }, - 'GO:0043641': { - 'name': 'novobiocin metabolic process', - 'def': 'The chemical reactions and pathways involving novobiocin, a coumarin antibiotic produced by the bacterium Gyrasestreptomyces spheroides, that acts by inhibiting DNA gyrase. [CHEBI:28368, GOC:jl]' - }, - 'GO:0043642': { - 'name': 'novobiocin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of novobiocin, a coumarin antibiotic produced by the bacterium Gyrasestreptomyces spheroides, that acts by inhibiting DNA gyrase. [CHEBI:28368, GOC:jl]' - }, - 'GO:0043643': { - 'name': 'tetracycline metabolic process', - 'def': 'The chemical reactions and pathways involving tetracycline, (4S,4aS,5aS,6S,12aS)-4-(dimethylamino)-3,6,10,12,12a-pentahydroxy-6-methyl-1,11-dioxo-1,4,4a,5,5a,6,11,12a-octahydrotetracene-2-carboxamide, a broad-spectrum antibiotic produced by streptomyces bacteria that blocks binding of aminoacyl tRNA to the ribosomes of both Gram-positive and Gram-negative organisms (and those of organelles). [CHEBI:27902, GOC:jl, Wikipedia:Tetracycline]' - }, - 'GO:0043644': { - 'name': 'tetracycline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tetracycline, (4S,4aS,5aS,6S,12aS)-4-(dimethylamino)-3,6,10,12,12a-pentahydroxy-6-methyl-1,11-dioxo-1,4,4a,5,5a,6,11,12a-octahydrotetracene-2-carboxamide, a broad-spectrum antibiotic produced by streptomyces bacteria that blocks binding of aminoacyl tRNA to the ribosomes of both Gram-positive and Gram-negative organisms (and those of organelles). [CHEBI:27902, GOC:jl, Wikipedia:Tetracycline]' - }, - 'GO:0043645': { - 'name': 'cephalosporin metabolic process', - 'def': 'The chemical reactions and pathways involving a cephalosporin, any of large class of tetracyclic triterpene broad-spectrum antibiotics similar both chemically and in their mode of action to penicillin, first isolated from the culture filtrates of mediterranean fungus acremonium (cephalosporium acremonium), and effective against gram-positive bacteria. [CHEBI:23066, GOC:jl, Wikipedia:Cephalosporin]' - }, - 'GO:0043646': { - 'name': 'cephalosporin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a cephalosporin, any of large class of tetracyclic triterpene broad-spectrum antibiotics similar both chemically and in their mode of action to penicillin, first isolated from the culture filtrates of mediterranean fungus acremonium (cephalosporium acremonium), and effective against gram-positive bacteria. [CHEBI:23066, GOC:jl, Wikipedia:Cephalosporin]' - }, - 'GO:0043647': { - 'name': 'inositol phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving inositol phosphate, 1,2,3,4,5,6-cyclohexanehexol, with one or more phosphate groups attached. [CHEBI:24848, GOC:jl]' - }, - 'GO:0043648': { - 'name': 'dicarboxylic acid metabolic process', - 'def': 'The chemical reactions and pathways involving dicarboxylic acids, any organic acid containing two carboxyl (COOH) groups or anions (COO-). [ISBN:0198506732]' - }, - 'GO:0043649': { - 'name': 'dicarboxylic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dicarboxylic acids, any organic acid containing two carboxyl (-COOH) groups. [ISBN:0198506732]' - }, - 'GO:0043650': { - 'name': 'dicarboxylic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dicarboxylic acids, any organic acid containing two carboxyl (-COOH) groups. [ISBN:0198506732]' - }, - 'GO:0043651': { - 'name': 'linoleic acid metabolic process', - 'def': 'The chemical reactions and pathways involving linoleic acid, an unsaturated omega-6 fatty acid that has the molecular formula C18H32O2. [Wikipedia:Linoleic_Acid]' - }, - 'GO:0043652': { - 'name': 'engulfment of apoptotic cell', - 'def': 'The removal of the apoptotic cell by phagocytosis, by a neighboring cell or by a phagocyte. [GOC:rk, PMID:15536015]' - }, - 'GO:0043653': { - 'name': 'mitochondrial fragmentation involved in apoptotic process', - 'def': 'The change in the morphology of the mitochondria in an apoptotic cell from a highly branched network to a fragmented vesicular form. [GOC:mtg_apoptosis, GOC:rk, PMID:12867994]' - }, - 'GO:0043654': { - 'name': 'recognition of apoptotic cell', - 'def': 'The process in which a cell interprets signals (in the form of specific proteins and lipids) on the surface of a dying cell which it will engulf and remove by phagocytosis. [GOC:rk, PMID:15536015]' - }, - 'GO:0043655': { - 'name': 'extracellular space of host', - 'def': 'The space within a host but external to the plasma membrane of host cells, e.g. within host bloodstream. [GOC:cc]' - }, - 'GO:0043656': { - 'name': 'intracellular region of host', - 'def': 'That space within the plasma membrane of a host cell. [GOC:cc]' - }, - 'GO:0043657': { - 'name': 'host cell', - 'def': 'A cell within a host organism. Includes the host plasma membrane and any external encapsulating structures such as the host cell wall and cell envelope. [GOC:jl]' - }, - 'GO:0043658': { - 'name': 'host symbiosome', - 'def': 'A double-enveloped cell compartment, composed of the endosymbiont with its plasmalemma (as inner envelope) and an outer envelope (the perisymbiontic membrane) derived from the host cell. [GOC:cc]' - }, - 'GO:0043659': { - 'name': 'symbiosome', - 'def': 'A double-enveloped cell compartment, composed of an endosymbiont with its plasmalemma (as inner envelope) and a non-endosymbiotic outer envelope (the perisymbiontic membrane). [GOC:cc]' - }, - 'GO:0043660': { - 'name': 'bacteroid-containing symbiosome', - 'def': 'A symbiosome containing any of various structurally modified bacteria, such as those occurring on the root nodules of leguminous plants. [GOC:cc]' - }, - 'GO:0043661': { - 'name': 'peribacteroid membrane', - 'def': 'A membrane that surrounds one or more bacteroids (such as nitrogen-fixing bacteroids within legume root nodule cells). [GOC:cc]' - }, - 'GO:0043662': { - 'name': 'peribacteroid fluid', - 'def': 'The soluble material inside the peribacteroid membrane, but outside of the bacteroid, within a bacteroid-containing symbiosome. [GOC:cc]' - }, - 'GO:0043663': { - 'name': 'host bacteroid-containing symbiosome', - 'def': 'A symbiosome containing any of various structurally modified bacteria, such as those occurring on the root nodules of leguminous plants, of a host cell. [GOC:cc]' - }, - 'GO:0043664': { - 'name': 'host peribacteroid membrane', - 'def': 'A host-derived membrane that surrounds one or more bacteroids (such as nitrogen-fixing bacteroids within legume root nodule cells). [GOC:cc]' - }, - 'GO:0043665': { - 'name': 'host peribacteroid fluid', - 'def': 'The soluble material inside the peribacteroid membrane, but outside of the bacteroid, within a bacteroid-containing symbiosome of a host cell. [GOC:cc]' - }, - 'GO:0043666': { - 'name': 'regulation of phosphoprotein phosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of phosphoprotein phosphatase activity, the catalysis of the hydrolysis of phosphate from a phosphoprotein. [GOC:jp, PMID:11724821]' - }, - 'GO:0043667': { - 'name': 'pollen wall', - 'def': 'The complex wall surrounding a pollen grain. [GOC:fz]' - }, - 'GO:0043668': { - 'name': 'exine', - 'def': 'The outer layer of the pollen grain wall which is composed primarily of sporopollenin. [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043669': { - 'name': 'ectexine', - 'def': 'The outer part of the exine, which stains positively with basic fuchsin in optical microscopy and has higher electron density in conventionally prepared TEM sections. [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043670': { - 'name': 'foot layer', - 'def': 'The inner layer of the ectexine. [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043671': { - 'name': 'endexine', - 'def': 'The inner part of the exine, which stains. [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043672': { - 'name': 'nexine', - 'def': 'The inner, non-sculptured part of the exine which lies below the sexine. [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043673': { - 'name': 'sexine', - 'def': 'The outer, sculptured layer of the exine, which lies above the nexine. [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043674': { - 'name': 'columella', - 'def': 'A rod-like element of the sexine and ectexine, supporting either the tectum (the layer of sexine which forms a roof over the columella), or supporting a caput (an architectural element on top of a columella). [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043675': { - 'name': 'sculpture element', - 'def': 'The third layer of the sexine. [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043676': { - 'name': 'tectum', - 'def': 'The layer of sexine which forms a roof over the columella, granules or other infratectal elements. [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043677': { - 'name': 'germination pore', - 'def': 'A small pore in the outer wall of a mycelial spore through which the germ tube exits upon germination. It can be apical or eccentric in its location. [Wikipedia:Germ_pore]' - }, - 'GO:0043678': { - 'name': 'intine', - 'def': 'The innermost of the major layers of the pollen grain wall which underlies the exine and borders the cytoplasm. [http://www.mobot.org/MOBOT/research/APweb/]' - }, - 'GO:0043679': { - 'name': 'axon terminus', - 'def': 'Terminal inflated portion of the axon, containing the specialized apparatus necessary to release neurotransmitters. The axon terminus is considered to be the whole region of thickening and the terminal button is a specialized region of it. [GOC:dph, GOC:jl]' - }, - 'GO:0043680': { - 'name': 'filiform apparatus', - 'def': 'A complex of cell wall invaginations in a synergid cell, similar to those in transfer cells. [ISBN:0471245208]' - }, - 'GO:0043682': { - 'name': 'copper-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Cu2+ = ADP + phosphate + Cu2+, directly driving the transport of the copper ions across a membrane. [GOC:jl]' - }, - 'GO:0043683': { - 'name': 'type IV pilus biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a type IV pilus. A type IV pilus is composed of a pilus fiber and approximately ten proteins at its base; type IV pili play a role in cell motility, adherence to substrates, and aggregation. [GOC:jl, GOC:ml]' - }, - 'GO:0043684': { - 'name': 'type IV secretion system complex', - 'def': 'A complex of proteins related to those involved in bacterial DNA conjugative transfer, that permits the transfer of DNA or proteins into the extracellular milieu or directly into host cells. In general the type IV complex forms a multisubunit cell-envelope-spanning structure composed of a secretion channel and often a pilus or other surface filament or protein(s). [GOC:ml]' - }, - 'GO:0043685': { - 'name': 'conversion of glutamyl-tRNA to glutaminyl-tRNA', - 'def': 'The modification process that results in the conversion of glutamate charged on a tRNA(Gln) to glutaminyl-tRNA. [GOC:jsg, PMID:3340166, PMID:9342308]' - }, - 'GO:0043686': { - 'name': 'co-translational protein modification', - 'def': 'The process of covalently altering one or more amino acids in a protein after translation has begun but before the protein has been released from the ribosome. [GOC:jsg]' - }, - 'GO:0043687': { - 'name': 'post-translational protein modification', - 'def': 'The process of covalently altering one or more amino acids in a protein after the protein has been completely translated and released from the ribosome. [GOC:jsg]' - }, - 'GO:0043688': { - 'name': 'conversion of aspartyl-tRNA to asparaginyl-tRNA', - 'def': 'The modification process that results in the conversion of aspartate charged on a tRNA(Asn) to asparaginyl-tRNA. [GOC:jsg, PMID:9789001]' - }, - 'GO:0043689': { - 'name': 'cell-cell adhesion involved in flocculation', - 'def': 'The attachment of one single cell organism to another via adhesion molecules, occurring as a part of flocculation. [GOC:dos, GOC:jl]' - }, - 'GO:0043690': { - 'name': 'cell-cell adhesion involved in flocculation via cell wall protein-carbohydrate interaction', - 'def': 'The attachment of one single cell organism to another during flocculation via the interaction a protein in the cell wall of one cell with a carbohydrate in the cell wall of another In Saccharomyces this process is mannose-sensitive. [GOC:dos, GOC:jl]' - }, - 'GO:0043691': { - 'name': 'reverse cholesterol transport', - 'def': 'The directed movement of peripheral cell cholesterol, cholest-5-en-3-beta-ol, towards the liver for catabolism. [GOC:ecd, PMID:7751809]' - }, - 'GO:0043692': { - 'name': 'monoterpene metabolic process', - 'def': 'The chemical reactions and pathways involving monoterpenes, terpenes with a C10 structure. [CHEBI:35187]' - }, - 'GO:0043693': { - 'name': 'monoterpene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of monoterpenes, terpenes with a C10 structure. [CHEBI:35187]' - }, - 'GO:0043694': { - 'name': 'monoterpene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of monoterpenes, terpenes with a C10 structure. [CHEBI:35187]' - }, - 'GO:0043695': { - 'name': 'detection of pheromone', - 'def': 'The series of events in which a pheromone stimulus is received by a cell and converted into a molecular signal. [GOC:mah]' - }, - 'GO:0043696': { - 'name': 'dedifferentiation', - 'def': "The process in which a specialized structure (cell, tissue or organ) loses structural or functional features that characterize it in the mature organism, or some other relatively stable phase of the organism's life history. Under certain conditions, these structures can revert back to the features of their ancestors. [GOC:dph, GOC:pg]" - }, - 'GO:0043697': { - 'name': 'cell dedifferentiation', - 'def': "The process in which a specialized cell loses the structural or functional features that characterize it in the mature organism, or some other relatively stable phase of the organism's life history. Under certain conditions, these cells can revert back to the features of the stem cells that were their ancestors. [GOC:dph, GOC:pg]" - }, - 'GO:0043698': { - 'name': 'iridosome', - 'def': 'A tissue-specific, membrane-bounded cytoplasmic organelle within which purines crystalize in reflective stacks. Iridosomes are synthesized in iridophore cells and are silver, gold or iridescent in appearance. [GOC:mh]' - }, - 'GO:0043699': { - 'name': 'leucosome', - 'def': 'A tissue-specific, membrane-bounded cytoplasmic organelle within which uric acid and/or purines crystalize in reflective stacks. Leucosomes are synthesized in leucophore cells and have a whitish cast. [GOC:mh]' - }, - 'GO:0043700': { - 'name': 'pterinosome', - 'def': 'A tissue-specific, membrane-bounded cytoplasmic organelle within which pteridine pigments are synthesized and stored. Pterinosomes are synthesized in xanthophores and erythrophore cells and are yellow, orange or red in appearance. [GOC:mh]' - }, - 'GO:0043701': { - 'name': 'cyanosome', - 'def': 'A tissue-specific, membrane-bounded cytoplasmic organelle within which an unknown blue pigment is localized. Cyanosomes are synthesized in cyanophores and are blue in appearance. [GOC:mh]' - }, - 'GO:0043702': { - 'name': 'carotenoid vesicle', - 'def': 'A tissue-specific cytoplasmic vesicle surrounded by a membrane half-leaflet within which carotenoid pigments are stored. Carotenoid vesicles are synthesized in xanthophores and erythrophore cells and are yellow, orange or red in appearance. [GOC:mh]' - }, - 'GO:0043703': { - 'name': 'photoreceptor cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a photoreceptor cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:mtg_sensu]' - }, - 'GO:0043704': { - 'name': 'photoreceptor cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a photoreceptor cell in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. [GOC:mtg_sensu]' - }, - 'GO:0043705': { - 'name': 'cyanophycin metabolic process', - 'def': 'The chemical reactions and pathways involving cyanophycin, a non-protein, non-ribosomally produced amino acid polymer composed of an aspartic acid backbone and arginine side groups. [GOC:jl]' - }, - 'GO:0043706': { - 'name': 'heterophilic cell adhesion involved in cytoadherence to microvasculature, mediated by parasite protein', - 'def': 'The attachment of an erythrocyte to the microvasculature via a parasite cell adhesion molecule. This may be via attachment to host endothelial cell ECM or to endothelial cell adhesion molecules. An example of this occurs during infection with the malaria parasite. [GOC:jl, PMID:10362584, PMID:23376131]' - }, - 'GO:0043707': { - 'name': 'cell adhesion involved in single-species biofilm formation in or on host organism', - 'def': 'The attachment of a cell to either a host cell or a microbial cell of the same species, or to an underlying host substrate, such as the extracellular matrix, via cell adhesion molecules, occurring during the formation of a biofilm in or on a host species. [GOC:jl]' - }, - 'GO:0043708': { - 'name': 'cell adhesion involved in biofilm formation', - 'def': 'The attachment of a cell to a solid substrate, via cell adhesion molecules, contributing to the formation of a biofilm. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043709': { - 'name': 'cell adhesion involved in single-species biofilm formation', - 'def': 'The attachment of a cell to a solid substrate, via cell adhesion molecules, during the formation of a biofilm composed of microorganisms of the same species. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043710': { - 'name': 'cell adhesion involved in multi-species biofilm formation', - 'def': 'The attachment of a cell to a solid substrate, via cell adhesion molecules, contributing to the formation of a biofilm composed of microorganisms of different species. [GOC:dph, GOC:jl, GOC:tb]' - }, - 'GO:0043711': { - 'name': 'pilus organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a pilus, a short filamentous structure on a bacterial cell, flagella-like in structure and generally present in many copies. [GOC:jl]' - }, - 'GO:0043712': { - 'name': '2-hydroxyisocaproate CoA-transferase activity', - 'def': 'Catalysis of the reaction: (R)-2-hydroxyisocaproate + isocaproyl-CoA = (R)-2-hydroxyisocaproyl-CoA + isocaproate. [PMID:16957230]' - }, - 'GO:0043713': { - 'name': '(R)-2-hydroxyisocaproate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-oxoisocaproate + NADH + H+ = (R)-2-hydroxyisocaproate + NAD+. [GOC:jl, PMID:16957230]' - }, - 'GO:0043714': { - 'name': '(R)-citramalate synthase activity', - 'def': 'Catalysis of the reaction: pyruvate + acetyl-CoA + H2O = (R)-citramalate + CoA. [GOC:jl, PMID:9864346]' - }, - 'GO:0043715': { - 'name': '2,3-diketo-5-methylthiopentyl-1-phosphate enolase activity', - 'def': 'Catalysis of the reaction: 2,3-diketo-5-methylthiopentyl-1-phosphate = H+ + 2-hydroxy 3-keto-5-methylthiopentenyl-1-phosphate. 2,3-diketo-5-methylthiopentyl-1-phosphate is also known as DK-MTP-1-P, and 2-hydroxy 3-keto-5-methylthiopentenyl-1-phosphate as HK-MTPenyl-1-P. [MetaCyc:R82-RXN]' - }, - 'GO:0043716': { - 'name': '2-hydroxy-3-keto-5-methylthiopentenyl-1-phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-3-keto-5-methylthiopentenyl-1-phosphate + H2O = 1,2-dihydroxy-5-(methylthio)pent-1-en-3-one + phosphate. 2-hydroxy-3-keto-5-methylthiopentenyl-1-phosphate is also known as HK-MTPenyl-P, and 1,2-dihydroxy-3-keto-5-methylthiopentene as DHK-MTPene. [EC:3.1.3.77, IMG:01681, MetaCyc:R83-RXN]' - }, - 'GO:0043717': { - 'name': '2-hydroxyglutaryl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: (R)-2-hydroxyglutaryl-CoA = H2O + glutaconyl-CoA. [MetaCyc:RXN-1083]' - }, - 'GO:0043718': { - 'name': '2-hydroxymethylglutarate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-(hydroxymethyl)glutarate + NAD(+) = 2-formylglutarate + H(+) + NADH. [EC:1.1.1.291, RHEA:15508]' - }, - 'GO:0043719': { - 'name': '2-octaprenyl-3-methyl-6-methoxy-1,4-benzoquinol hydroxylase activity', - 'def': 'Catalysis of the reaction: 2-octaprenyl-3-methyl-6-methoxy-1,4-benzoquinol + O2 + H+ = 2-octaprenyl-3-methyl-5-hydroxy-6-methoxy-1,4-benzoquinol + H2O. [GOC:jl, MetaCyc:OCTAPRENYL-METHYL-METHOXY-BENZOQ-OH-RXN]' - }, - 'GO:0043720': { - 'name': '3-keto-5-aminohexanoate cleavage activity', - 'def': 'Catalysis of the reaction: 3-keto-5-aminohexanoate + acetyl-CoA = L-3-aminobutyryl-CoA + acetoacetate. [MetaCyc:R125-RXN, PMID:13064]' - }, - 'GO:0043721': { - 'name': '4-hydroxybutanoyl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybutanoyl-CoA = vinylacetyl-CoA + H2O. [EC:4.2.1.120]' - }, - 'GO:0043722': { - 'name': '4-hydroxyphenylacetate decarboxylase activity', - 'def': 'Catalysis of the reaction: (4-hydroxyphenyl)acetate + H(+) = 4-cresol + CO(2). [EC:4.1.1.83, RHEA:22735]' - }, - 'GO:0043723': { - 'name': "2,5-diamino-6-ribitylamino-4(3H)-pyrimidinone 5'-phosphate deaminase activity", - 'def': 'Catalysis of the reaction: 2,5-diamino-6-(5-phospho-D-ribitylamino)pyrimidin-4(3H)-one + H2O = 5-amino-6-(5-phospho-D-ribosylamino)uracil + ammonia. [MetaCyc:RXN-10058, PMID:11889103]' - }, - 'GO:0043724': { - 'name': '2-keto-3-deoxygalactonate aldolase activity', - 'def': 'Catalysis of the reaction: 2-keto-3-deoxygalactonate = D-glyceraldehyde + pyruvate. [PMID:12824170]' - }, - 'GO:0043725': { - 'name': '2-keto-3-deoxygluconate aldolase activity', - 'def': 'Catalysis of the reaction: 2-keto-3-deoxygluconate = D-glyceraldehyde + pyruvate. [PMID:12824170]' - }, - 'GO:0043726': { - 'name': '5-amino-6-(5-phosphoribitylamino)uracil phosphatase activity', - 'def': 'Catalysis of the reaction: 5-amino-6-(5-phosphoribitylamino)-2,4(1H,3H)-pyrimidinedione + H2O = 5-amino-6-ribitylamino-2,4(1H,3H)-pyrimidinedione + orthophosphate. [GOC:jl, IMG:01282]' - }, - 'GO:0043727': { - 'name': '5-amino-4-imidazole carboxylate lyase activity', - 'def': 'Catalysis of the reaction: 5-aminoimidazole + CO2 = 5-amino-4-imidazole carboxylate. [GOC:jl, IMG:01835]' - }, - 'GO:0043728': { - 'name': '2-keto-4-methylthiobutyrate aminotransferase activity', - 'def': 'Catalysis of the reaction: 2-keto-4-methylthiobutyrate + L-glutamine = 2-oxoglutaramate + L-methionine. [GOC:jl, IMG:01683]' - }, - 'GO:0043729': { - 'name': '2-amino-5-formylamino-6-(5-phosphoribosylamino)pyrimidin-4(3H)-one formate-lyase activity', - 'def': 'Catalysis of the reaction: 2-amino-5-formylamino-6-(5-phosphoribosylamino)pyrimidin-4(3H)-one + H2O = 2,5-diamino-6-(5-phosphoribosylamino)pyrimidin-4(3H)-one + formate. [GOC:jl, IMG:01536]' - }, - 'GO:0043730': { - 'name': '5-ureido-4-imidazole carboxylate hydrolase activity', - 'def': 'Catalysis of the reaction: 5-ureido-4-imidazole carboxylate + H2O = 5-amino-4-imidazole carboxylate + NH3 + CO2. [GOC:jl, IMG:02121]' - }, - 'GO:0043731': { - 'name': '6-hydroxynicotinate 3-monooxygenase activity', - 'def': 'Catalysis of the oxidative decarboxylation of 6-hydroxynicotinate to 2,5-dihydroxypyridine, dependent on O2, NADH +H+ and FAD. [GOC:jl, PMID:10091591]' - }, - 'GO:0043732': { - 'name': '6-hydroxynicotinate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 6-hydroxynicotinate + H(2)O + O(2) = 2,6-dihydroxynicotinate + H(2)O(2). [EC:1.17.3.3, RHEA:22811]' - }, - 'GO:0043733': { - 'name': 'DNA-3-methylbase glycosylase activity', - 'def': "Catalysis of the reaction: DNA containing 3-methylbase + H2O = DNA with abasic site + 3-methylbase. This reaction is the hydrolysis of DNA by cleavage of the N-C1' glycosidic bond between the damaged DNA 3-methylpurine or 3-methylpyrimidine base and the deoxyribose sugar to remove the methylated base, leaving an apurinic or apyrimidinic site. [IMG:00576, PMID:10777493, PMID:14517230]" - }, - 'GO:0043734': { - 'name': 'DNA-N1-methyladenine dioxygenase activity', - 'def': 'Catalysis of the oxidative demethylation of N1-methyladenine and N3-methylcytosine in DNA, with concomitant decarboxylation of 2-oxoglutarate and releases oxidized methyl group on N1-methyladenine and N3-methylcytosine as formaldehyde. [IMG:00579, PMID:19786499]' - }, - 'GO:0043736': { - 'name': 'obsolete DNA-3-methyladenine glycosylase IV activity', - 'def': "OBSOLETE. Catalysis of the hydrolysis of alkylated DNA; recognizes and removes both N-3- and N-7-methyl purines by cleaving the N-C1' glycosidic bond between the target damaged DNA base and the deoxyribose sugar. The reaction releases a free base and leaves an apurinic (AP) site. [IMG:00578, PMID:10375529]" - }, - 'GO:0043737': { - 'name': 'deoxyribonuclease V activity', - 'def': "Catalysis of the endonucleolytic cleavage at apurinic or apyrimidinic sites to products with a 5'-phosphate. [EC:3.1.21.7]" - }, - 'GO:0043738': { - 'name': 'reduced coenzyme F420 dehydrogenase activity', - 'def': 'Catalysis of the reaction: methanophenazine + reduced coenzyme F420 = dihydromethanophenazine + coenzyme F420. [MetaCyc:RXN-8106]' - }, - 'GO:0043739': { - 'name': 'G/U mismatch-specific uracil-DNA glycosylase activity', - 'def': "Catalysis of the removal of uracil from a U*G mispair by the cleavage the N-C1' glycosidic bond between the target damaged DNA base and the deoxyribose sugar. The reaction releases a free uracil and leaves an apyrimidinic (AP) site. [IMG:00570, SP:O59825]" - }, - 'GO:0043740': { - 'name': 'GTP cyclohydrolase IIa activity', - 'def': "Catalysis of the reaction: GTP + 3 H(2)O = 2-amino-5-formylamino-6-(1-D-ribosylamino)pyrimidin-4(3H)-one 5'-phosphate + 3 H(+) + 2 phosphate. [EC:3.5.4.29, RHEA:22471]" - }, - 'GO:0043741': { - 'name': 'L-2-aminoadipate N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-2-aminoadipate + acetyl-CoA = N2-acetyl-L-aminoadipate + CoA. [IMG:01447]' - }, - 'GO:0043743': { - 'name': 'LPPG:FO 2-phospho-L-lactate transferase activity', - 'def': "Catalysis of the reaction: 7,8-didemethyl-8-hydroxy-5-deazariboflavin + lactyl-2-diphospho-5'-guanosine = coenzyme F420-0 + GMP. [IMG:01551]" - }, - 'GO:0043744': { - 'name': 'N2-acetyl-L-aminoadipate kinase activity', - 'def': 'Catalysis of the reaction: ATP + N-acetyl-L-aminoadipate = ADP + N-acetyl-L-aminoadipate 5-phosphate. [IMG:01448]' - }, - 'GO:0043745': { - 'name': 'N2-acetyl-L-aminoadipate semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: N2-acetyl-L-aminoadipyl-delta-phosphate + NADPH + H+ = N2-acetyl-L-aminoadipate semialdehyde + NADP+ + orthophosphate. [IMG:01449]' - }, - 'GO:0043746': { - 'name': 'N2-acetyl-L-lysine aminotransferase activity', - 'def': 'Catalysis of the reaction: N2-acetyl-L-aminoadipate semialdehyde + L-glutamate = 2-oxoglutarate + N2-acetyl-L-lysine. [IMG:01450]' - }, - 'GO:0043747': { - 'name': 'N2-acetyl-L-lysine deacetylase activity', - 'def': 'Catalysis of the reaction: N2-acetyl-L-lysine + H2O = acetate + L-lysine. [IMG:01451]' - }, - 'GO:0043748': { - 'name': 'O-succinylbenzoate synthase activity', - 'def': 'Catalysis of the reaction: 2-succinylbenzoate + H2O = 2-succinyl-6-hydroxy-2,4-cyclohexadiene-1-carboxylate. [IMG:01733]' - }, - 'GO:0043749': { - 'name': 'phenol, water dikinase activity', - 'def': 'Catalysis of the reaction: phenol + MgATP + H2O = phenylphosphate + MgAMP + orthophosphate. [PMID:15547277]' - }, - 'GO:0043750': { - 'name': 'phosphatidylinositol alpha-mannosyltransferase activity', - 'def': 'Catalysis of the transfer of one or more alpha-D-mannose residues from GDP-mannose to positions 2,6 and others in 1-phosphatidyl-myo-inositol. [EC:2.4.1.57]' - }, - 'GO:0043751': { - 'name': 'polyphosphate:AMP phosphotransferase activity', - 'def': 'Catalysis of the reaction: (polyphosphate)n + AMP = (polyphosphate)n-1 + ADP. [PMID:11237733]' - }, - 'GO:0043752': { - 'name': 'adenosylcobinamide kinase activity', - 'def': 'Catalysis of the reaction: RTP + adenosylcobinamide = adenosylcobinamide phosphate + RDP (where RTP is either ATP or GTP). [EC:2.7.1.156]' - }, - 'GO:0043754': { - 'name': 'dihydrolipoyllysine-residue (2-methylpropanoyl)transferase activity', - 'def': 'Catalysis of the reaction: 2-methylpropanoyl-CoA + enzyme N6-(dihydrolipoyl)lysine = CoA + enzyme N6-(S-[2-methylpropanoyl]dihydrolipoyl)lysine. [EC:2.3.1.168]' - }, - 'GO:0043755': { - 'name': 'alpha-ribazole phosphatase activity', - 'def': "Catalysis of the reaction: alpha-ribazole 5'-phosphate + H(2)O = alpha-ribazole + phosphate. [EC:3.1.3.73, RHEA:24459]" - }, - 'GO:0043756': { - 'name': 'adenosylcobinamide hydrolase activity', - 'def': 'Catalysis of the reaction: adenosylcobinamide + H(2)O = (R)-1-aminopropan-2-ol + adenosylcobyrate. [EC:3.5.1.90, RHEA:23507]' - }, - 'GO:0043757': { - 'name': 'adenosylcobinamide-phosphate synthase activity', - 'def': 'Catalysis of the reactions: ATP + adenosylcobyric acid + (R)-1-aminopropan-2-yl phosphate = ADP + phosphate + adenosylcobinamide phosphate, and ATP + adenosylcobyric acid + (R)-1-aminopropan-2-ol = ADP + phosphate + adenosylcobinamide. [EC:6.3.1.10]' - }, - 'GO:0043758': { - 'name': 'acetate-CoA ligase (ADP-forming) activity', - 'def': 'Catalysis of the reaction: ATP + acetate + CoA = ADP + phosphate + acetyl-CoA. [EC:6.2.1.13]' - }, - 'GO:0043759': { - 'name': 'branched-chain acyl-CoA synthetase (ADP-forming) activity', - 'def': 'Catalysis of the reaction: ATP + 2-methylbutanoate + CoA = ADP + orthophosphate + 2-methylbutanoyl-CoA. [IMG:01425]' - }, - 'GO:0043760': { - 'name': 'acetyldiaminopimelate aminotransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-L-2,6-diaminoheptanedioate + 2-oxoglutarate = N-acetyl-2-L-amino-6-oxoheptanedioate + L-glutamate. [IMG:00444, PMID:1906065]' - }, - 'GO:0043761': { - 'name': 'archaetidylserine synthase activity', - 'def': 'Catalysis of the reaction: CDP-digeranylgeranylglycerol + L-serine = archaetidylserine + CMP. [IMG:01567, PMID:12562787]' - }, - 'GO:0043762': { - 'name': 'aryl-CoA synthetase (ADP-forming) activity', - 'def': 'Catalysis of the reaction: ATP + phenylacetate + CoA = ADP + orthophosphate + phenylacetyl-CoA. [IMG:01427]' - }, - 'GO:0043763': { - 'name': 'UTP:glucose-1-phosphate uridylyltransferase regulator activity', - 'def': 'Modulates the activity of UTP:glucose-1-phosphate uridylyltransferase. [GOC:jl]' - }, - 'GO:0043764': { - 'name': 'UDP-3-O-[3-hydroxymyristoyl] glucosamine N-acyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-3-O-(3-hydroxytetradecanoyl)glucosamine + (R)-3-hydroxytetradecanoyl-[acyl-carrier protein] = UDP-2,3-bis(3-hydroxytetradecanoyl)glucosamine + [acyl-carrier protein]. [IMG:00545, InterPro:IPR007691]' - }, - 'GO:0043765': { - 'name': 'T/G mismatch-specific endonuclease activity', - 'def': 'Catalysis of the repair of T/G mismatches arising from deamination of 5-methylcytosine in DNA by nicking double-stranded DNA within the sequence CT(AT)GN or NT(AT)GG next to the mismatched thymidine residue. The incision is mismatch-dependent and strand-specific, in favor of the G-containing strand. The incision serves as a starting point for subsequent excision repair by DNA polymerase I, which excises thymidine and reinserts cytidine. [IMG:00606, SP:P09184]' - }, - 'GO:0043766': { - 'name': 'Sep-tRNA:Cys-tRNA synthase activity', - 'def': 'Catalysis of the reaction: O-phospho-L-seryl-tRNACys + sulfide = L-cysteinyl-tRNACys + phosphate. [EC:2.5.1.73, IMG:00235, PMID:15790858, PMID:16380427, PMID:17110438]' - }, - 'GO:0043767': { - 'name': 'pyrrolysyl-tRNA synthetase activity', - 'def': 'Catalysis of the reaction: ATP + L-pyrrolysine + tRNA(Pyl) = AMP + diphosphate + L-pyrrolysyl-tRNA(Pyl). [IMG:02553, PMID:15314242, SP:Q8TUB8]' - }, - 'GO:0043768': { - 'name': 'S-ribosylhomocysteine lyase activity', - 'def': 'Catalysis of the reaction: S-(5-deoxy-D-ribos-5-yl)-L-homocysteine = (S)-4,5-dihydroxypentane-2,3-dione + L-homocysteine. [EC:4.4.1.21, RHEA:17756]' - }, - 'GO:0043769': { - 'name': 'Tpg-containing telomere binding complex', - 'def': 'A complex composed of four polypeptides, a telomere-protecting terminal protein (Tpg), a telomere-associated protein (Tap), DNA polymerase (PolA) and topoisomerase I (TopA), that functions in the replication of the telomeric regions of linear chromosomes, plasmids and circular replicons of some bacterial species. [PMID:15353591]' - }, - 'GO:0043770': { - 'name': 'demethylmenaquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-demethylmenaquinone + S-adenosyl-L-methionine = menaquinone + S-adenosyl-L-homocysteine. [IMG:01848]' - }, - 'GO:0043771': { - 'name': 'cytidine kinase activity', - 'def': 'Catalysis of the reaction: ATP + cytidine = ADP + CMP. [IMG:01870]' - }, - 'GO:0043772': { - 'name': 'acyl-phosphate glycerol-3-phosphate acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl phosphate + sn-glycerol 3-phosphate = 1-acyl-sn-glycerol 3-phosphate + orthophosphate. [IMG:01872, PMID:17308305]' - }, - 'GO:0043773': { - 'name': 'coenzyme F420-0 gamma-glutamyl ligase activity', - 'def': 'Catalysis of the reactions: (1) GTP + F420-0 + L-glutamate = GDP + phosphate + F420-1, and (2) GTP + F420-1 + L-glutamate = GDP + phosphate + gamma-F420-2. This is the GTP-dependent successive addition of two L-glutamates to the L-lactyl phosphodiester of 7,8-didemethyl-8-hydroxy-5-deazariboflavin (F420-0) to form F420-0-glutamyl-glutamate (F420-2), with a gamma-linkage between the two glutamates. [IMG:01552, PMID:17669425]' - }, - 'GO:0043774': { - 'name': 'coenzyme F420-2 alpha-glutamyl ligase activity', - 'def': 'Catalysis of the reaction: coenzyme F420-2 + L-glutamate + GTP = coenzyme F420-3 + GDP + orthophosphate. [IMG:01553]' - }, - 'GO:0043775': { - 'name': 'cobyrinate a,c-diamide synthase activity', - 'def': 'Catalysis of the reaction: cobyrinate + 2 L-glutamine + 2 ATP + 2 H2O = cob(II)yrinate a,c-diamide + 2 L-glutamate + 2 ADP + 2 orthophosphate. [IMG:01814]' - }, - 'GO:0043776': { - 'name': 'cobalt-precorrin-6B C5-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosylmethionine + cobalt-precorrin 6B = S-adenosylhomocysteine + cobalt-precorrin 7. [IMG:02115, MetaCyc:RXN-8766]' - }, - 'GO:0043777': { - 'name': 'cobalt-precorrin-7 C15-methyltransferase activity', - 'def': 'Catalysis of the reaction: cobalt-precorrin 7 + S-adenosyl-L-methionine = cobalt-precorrin 8 + S-adenosyl-L-homocysteine + CO2. [IMG:02116, MetaCyc:RXN-8767]' - }, - 'GO:0043778': { - 'name': 'cobalt-precorrin-8 methylmutase activity', - 'def': 'Catalysis of the reaction: cobalt-precorrin 8 = cobyrinate. [IMG:02117, MetaCyc:RXN-8768]' - }, - 'GO:0043779': { - 'name': 'cobalt-precorrin-5A acetaldehyde-lyase activity', - 'def': 'Catalysis of the reaction: cobalt-precorrin 5A + H2O = cobalt-precorrin 5B + acetaldehyde. [IMG:02112, MetaCyc:RXN-8763]' - }, - 'GO:0043780': { - 'name': 'cobalt-precorrin-5B C1-methyltransferase activity', - 'def': 'Catalysis of the reaction: cobalt-precorrin 5B + S-adenosylmethionine = S-adenosylhomocysteine + cobalt-precorrin 6A. [IMG:02112, MetaCyc:RXN-8764]' - }, - 'GO:0043781': { - 'name': 'cobalt-factor II C20-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + cobalt-factor II = S-adenosyl-L-homocysteine + cobalt-factor III. [EC:2.1.1.151, IMG:01812]' - }, - 'GO:0043782': { - 'name': 'cobalt-precorrin-3 C17-methyltransferase activity', - 'def': 'Catalysis of the reaction: cobalt-precorrin 3 + S-adenosyl-L-methionine = cobalt-precorrin 4 + S-adenosyl-L-homocysteine. [IMG:02110, MetaCyc:RXN-8761]' - }, - 'GO:0043783': { - 'name': 'oxidoreductase activity, oxidizing metal ions with flavin as acceptor', - 'def': 'Catalysis of an oxidation-reduction in which the oxidation state of metal ion is altered and flavin acts as an electron acceptor. [EC:1.16.8]' - }, - 'GO:0043784': { - 'name': 'cob(II)yrinic acid a,c-diamide reductase activity', - 'def': 'Catalysis of the reaction: 2 cob(I)yrinate a,c diamide + FMN + 3 H(+) = 2 cob(II)yrinate a,c diamide + FMNH(2). [EC:1.16.8.1, RHEA:24303]' - }, - 'GO:0043785': { - 'name': 'cinnamoyl-CoA:phenyllactate CoA-transferase activity', - 'def': 'Catalysis of the reaction: (R)-3-phenyllactate + [(2R,3S,4R,5R)-5-(6-amino-9H-purin-9-yl)-4-hydroxy-3-(phosphonatooxy)oxolan-2-yl]methyl {[(3R)-3-hydroxy-2,2-dimethyl-3-({2-[(2-{[(2E)-3-phenylprop-2-enoyl]sulfanyl}ethyl)carbamoyl]ethyl}carbamoyl)propyl phosphonato]oxy}phosphonate = (R)-3-phenyllactoyl-CoA + trans-cinnamate. [EC:2.8.3.17, RHEA:15604]' - }, - 'GO:0043786': { - 'name': 'cinnamate reductase activity', - 'def': 'Catalysis of the reaction: 3-phenylpropanoate + NAD+ = (E)-cinnamate + NADH + H+. [EC:1.3.1.-, IMG:01615, PMID:10849007]' - }, - 'GO:0043791': { - 'name': 'dimethylamine methyltransferase activity', - 'def': 'Catalysis of the reaction: dimethylamine + a dimethylamine corrinoid protein = a methylated dimethylamine corrinoid protein + methylamine. [IMG:01321, MetaCyc:RXN-8100, PMID:9874228]' - }, - 'GO:0043792': { - 'name': 'enamidase activity', - 'def': 'Catalysis of the reaction: 1,4,5,6-tetrahydro-6-oxonicotinate + 2 H(2)O = 2-formylglutarate + NH(4)(+). [EC:3.5.2.18, RHEA:17212]' - }, - 'GO:0043793': { - 'name': "beta-ribofuranosylaminobenzene 5'-phosphate synthase activity", - 'def': "Catalysis of the reaction: 4-aminobenzoate + 5-phospho-alpha-D-ribose 1-diphosphate = 4-(beta-D-ribofuranosyl)aminobenzene 5'-phosphate + CO2 + diphosphate. [GOC:jl, IMG:01544, PMID:12142414]" - }, - 'GO:0043794': { - 'name': 'formate dehydrogenase (coenzyme F420) activity', - 'def': 'Catalysis of the reaction: formate + coenzyme F420 = CO2 + reduced coenzyme F420. [IMG:01432, PMID:3801411]' - }, - 'GO:0043795': { - 'name': 'glyceraldehyde oxidoreductase activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde + H2O + acceptor = D-glycerate + reduced acceptor. [IMG:01506]' - }, - 'GO:0043796': { - 'name': 'glyceraldehyde dehydrogenase (NADP) activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde + H2O + NADP+ = D-glycerate + NADPH + H+. [IMG:01555]' - }, - 'GO:0043797': { - 'name': 'glyceraldehyde-3-phosphate dehydrogenase (ferredoxin) activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde-3-phosphate + H2O + 2 oxidized ferredoxin = 3-phospho-D-glycerate + 2 H+ + 2 reduced ferredoxin. [EC:1.2.7.6]' - }, - 'GO:0043798': { - 'name': 'glycerate 2-kinase activity', - 'def': 'Catalysis of the reaction: D-glycerate + ATP = 2-phospho-D-glycerate + ADP. [IMG:01510, MetaCyc:GKI-RXN, PMID:14413719]' - }, - 'GO:0043799': { - 'name': 'glycine oxidase activity', - 'def': 'Catalysis of the reactions: (1) glycine + H2O + O2 = glyoxylate + NH3 + hydrogen peroxide; (2) D-alanine + H2O + O2 = pyruvate + NH3 + hydrogen peroxide; (3) sarcosine + H2O + O2 = glyoxylate + methylamine + hydrogen peroxide; (4) N-ethylglycine + H2O + O2 = glyoxylate + ethylamine + hydrogen peroxide. [EC:1.4.3.19]' - }, - 'GO:0043800': { - 'name': 'hexulose-6-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-arabino-3-hexulose 6-phosphate = D-fructose 6-phosphate. [IMG:01502, MetaCyc:R12-RXN, PMID:11839305]' - }, - 'GO:0043801': { - 'name': 'hexulose-6-phosphate synthase activity', - 'def': 'Catalysis of the reaction: D-ribulose 5-phosphate + formaldehyde = D-arabino-3-hexulose 6-phosphate. [IMG:01503, PMID:16075199]' - }, - 'GO:0043802': { - 'name': 'hydrogenobyrinic acid a,c-diamide synthase (glutamine-hydrolysing) activity', - 'def': 'Catalysis of the reaction: 2 L-glutamine + 2 ATP + 2 H(2)O + hydrogenobyrinate = 2 L-glutamate + 2 ADP + 4 H(+) + hydrogenobyrinate a,c-diamide + 2 phosphate. [EC:6.3.5.9, RHEA:12547]' - }, - 'GO:0043803': { - 'name': 'hydroxyneurosporene-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: demethylspheroidene + S-adenosyl-L-methionine = spheroidene + S-adenosyl-L-homocysteine. [IMG:01759]' - }, - 'GO:0043804': { - 'name': 'imidazolone hydrolase activity', - 'def': 'Catalysis of the reaction: N-formiminoglycine = imidazolone + H2O. [IMG:02122]' - }, - 'GO:0043805': { - 'name': 'indolepyruvate ferredoxin oxidoreductase activity', - 'def': 'Catalysis of the reaction: (indol-3-yl)pyruvate + CoA + oxidized ferredoxin = S-2-(indol-3-yl)acetyl-CoA + CO2 + reduced ferredoxin. [EC:1.2.7.8]' - }, - 'GO:0043806': { - 'name': 'keto acid formate lyase activity', - 'def': 'Catalysis of the reaction: 2-oxobutanoate + CoA = propionyl-CoA + formate. [IMG:00725, MetaCyc:KETOBUTFORMLY-RXN]' - }, - 'GO:0043807': { - 'name': '3-methyl-2-oxobutanoate dehydrogenase (ferredoxin) activity', - 'def': 'Catalysis of the reaction: 3-methyl-2-oxobutanoate + CoA + oxidized ferredoxin = S-(2-methylpropanoyl)-CoA + CO2 + reduced ferredoxin. [EC:1.2.7.7]' - }, - 'GO:0043808': { - 'name': 'lyso-ornithine lipid acyltransferase activity', - 'def': 'Catalysis of the reaction: lyso-ornithine lipid + acyl-[acyl-carrier protein] = ornithine lipid + [acyl-carrier protein]. [IMG:02097, PMID:15341653]' - }, - 'GO:0043810': { - 'name': 'ornithine-acyl [acyl carrier protein] N-acyltransferase activity', - 'def': 'Catalysis of the reaction: (3R)-3-hydroxyacyl-[acyl-carrier protein] + L-ornithine = lyso-ornithine lipid + [acyl-carrier protein]. [IMG:02096]' - }, - 'GO:0043811': { - 'name': 'phosphate:acyl-[acyl carrier protein] acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-[acyl-carrier protein] + orthophosphate = acyl phosphate + [acyl-carrier protein]. [IMG:01871]' - }, - 'GO:0043812': { - 'name': 'phosphatidylinositol-4-phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylinositol-4-phosphate + H2O = phosphatidylinositol + orthophosphate. [IMG:01360]' - }, - 'GO:0043813': { - 'name': 'phosphatidylinositol-3,5-bisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylinositol-3,5-bisphosphate + H2O = phosphatidylinositol-3-phosphate + orthophosphate. [IMG:01359, PMID:10806194, PMID:16607019]' - }, - 'GO:0043814': { - 'name': 'phospholactate guanylyltransferase activity', - 'def': "Catalysis of the reaction: 2-phospho-(S)-lactate + GTP = lactyl-2-diphospho-5'-guanosine + diphosphate. [IMG:01547]" - }, - 'GO:0043815': { - 'name': 'phosphoribosylglycinamide formyltransferase 2 activity', - 'def': "Catalysis of the reaction: formate + ATP + 5'-phospho-ribosylglycinamide = 5'-phosphoribosyl-N-formylglycinamide + ADP + diphosphate. [IMG:01297, PMID:8117714]" - }, - 'GO:0043816': { - 'name': 'phosphoserine-tRNA(Cys) ligase activity', - 'def': 'Catalysis of the reaction: tRNA(Cys) + O-phospho-L-serine + ATP = AMP + diphosphate + phosphoseryl-tRNA(Cys). [IMG:00622, PMID:17110438]' - }, - 'GO:0043817': { - 'name': 'phosphosulfolactate synthase activity', - 'def': 'Catalysis of the reaction: (2R)-O-phospho-3-sulfolactate = phosphoenolpyruvate + sulfite. [EC:4.4.1.19, RHEA:22787]' - }, - 'GO:0043818': { - 'name': 'precorrin-3B synthase activity', - 'def': 'Catalysis of the reaction: H(+) + NADH + O(2) + precorrin-3A = H(2)O + NAD(+) + precorrin-3B. [EC:1.14.13.83, RHEA:17296]' - }, - 'GO:0043819': { - 'name': 'precorrin-6A synthase (deacetylating) activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + H(2)O + precorrin-5 = S-adenosyl-L-homocysteine + acetate + 2 H(+) + precorrin-6X. [EC:2.1.1.152, RHEA:18264]' - }, - 'GO:0043820': { - 'name': 'propionyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the irreversible NADH-dependent formation of propionyl-CoA from acryloyl-CoA. [PMID:12603323]' - }, - 'GO:0043821': { - 'name': 'propionyl-CoA:succinate CoA-transferase activity', - 'def': 'Catalysis of the reaction: succinate + propionyl-CoA = succinyl-CoA + propionate. [IMG:01589, MetaCyc:RXN0-268]' - }, - 'GO:0043822': { - 'name': 'ribonuclease M5 activity', - 'def': "Catalysis of the endonucleolytic cleavage of RNA, removing 21 and 42 nucleotides, respectively, from the 5'- and 3'-termini of a 5S-rRNA precursor. [EC:3.1.26.8, IMG:02522]" - }, - 'GO:0043823': { - 'name': 'spheroidene monooxygenase activity', - 'def': 'Catalysis of the reaction: spheroidene + O2 = spheroidenone + H2O. [IMG:01761, MetaCyc:RXN-10670, PMID:16086104, PMID:16158287]' - }, - 'GO:0043824': { - 'name': 'succinylglutamate-semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: N-succinyl-L-glutamate 5-semialdehyde + H(2)O + NAD(+) = N-succinyl-L-glutamate + 2 H(+) + NADH. [EC:1.2.1.71, RHEA:10815]' - }, - 'GO:0043825': { - 'name': 'succinylornithine transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + N(2)-succinyl-L-ornithine = N-succinyl-L-glutamate 5-semialdehyde + L-glutamate. [EC:2.6.1.81, RHEA:16956]' - }, - 'GO:0043826': { - 'name': 'sulfur oxygenase reductase activity', - 'def': 'Catalysis of the reaction: 5 sulfur + oxygen + 4 H2O = sulfite + thiosulfate + 2 hydrogen sulfide + 9 H+. [IMG:00713, MetaCyc:RXN-8226, PMID:1522063]' - }, - 'GO:0043827': { - 'name': 'tRNA (adenine-57, 58-N(1)-) methyltransferase activity', - 'def': 'Catalysis of the methylation of adenine-57 and adenine-58 in the T-loop of tRNA. [IMG:00706, PMID:14739239]' - }, - 'GO:0043828': { - 'name': 'tRNA 2-selenouridine synthase activity', - 'def': 'Catalysis of the reaction: 5-methylaminomethyl-2-thiouridine + selenophosphate = 5-methylaminomethyl-2-selenouridine + phosphate (at the wobble position in tRNA). [IMG:02609, MetaCyc:RXN0-2281]' - }, - 'GO:0043829': { - 'name': 'tRNA-specific adenosine-37 deaminase activity', - 'def': 'Catalysis of the reaction: adenosine-37 + H2O = inosine-37 + NH3, in a tRNA-Ala molecule. [IMG:00703, PMID:8915538, PMID:9707437]' - }, - 'GO:0043830': { - 'name': 'thiol-driven fumarate reductase activity', - 'def': 'Catalysis of the reaction: fumarate + coenzyme M + coenzyme B = succinate + coenzyme M + coenzyme B + heterodisulfide. [IMG:01366, PMID:2509466]' - }, - 'GO:0043831': { - 'name': 'thiosulfate dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: 6-decylubiquinone + 2 thiosulfate = 6-decylubiquinol + tetrathionate. [EC:1.8.5.2, RHEA:10939]' - }, - 'GO:0043833': { - 'name': 'methylamine-specific methylcobalamin:coenzyme M methyltransferase activity', - 'def': 'Catalysis of the reaction: a methylated methylamine corrinoid protein + coenzyme M = a methylamine corrinoid protein + methyl-CoM. This reaction is the transfer of the methyl group from the methylated corrinoid cofactor of a methylamine corrinoid protein to coenzyme M. [IMG:01318, MetaCyc:RXN-8099]' - }, - 'GO:0043834': { - 'name': 'trimethylamine methyltransferase activity', - 'def': 'Catalysis of the reaction: trimethylamine + a trimethylamine corrinoid protein = a methylated trimethylamine corrinoid protein + dimethylamine. [IMG:01323, MetaCyc:RXN-8102]' - }, - 'GO:0043835': { - 'name': 'obsolete uracil/thymine dehydrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: uracil + H2O + acceptor = barbiturate + reduced acceptor; and thymine + H2O + acceptor = 5-methylbarbiturate + reduced acceptor. [EC:1.17.99.4, IMG:01821]' - }, - 'GO:0043836': { - 'name': 'xanthine hydrolase activity', - 'def': 'Catalysis of the reaction: xanthine + H2O = 4-ureido-5-imidazole carboxylate. [IMG:01834, MetaCyc:R127-RXN]' - }, - 'GO:0043837': { - 'name': 'valine dehydrogenase (NAD) activity', - 'def': 'Catalysis of the reaction: L-valine + H2O + NAD+ = 3-methyl-2-oxobutanoate + NH3 + NADH. [IMG:00766, PMID:10612726, PMID:2803248]' - }, - 'GO:0043838': { - 'name': 'phosphatidylethanolamine:Kdo2-lipid A phosphoethanolamine transferase activity', - 'def': 'Catalysis of the reaction: Kdo2-lipid A + phosphatidylethanolamine = phosphoethanolamine-Kdo2-lipid A + diacylglycerol. [IMG:00182, PMID:15795227]' - }, - 'GO:0043839': { - 'name': 'lipid A phosphate methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosylmethionine (SAM) to the 1-phosphate group of lipid A. [IMG:02094, PMID:15994324]' - }, - 'GO:0043840': { - 'name': 'branched-chain amino acid:2-keto-4-methylthiobutyrate aminotransferase activity', - 'def': 'Catalysis of the reaction: 2-keto-4-methylthiobutyrate + L-phenylalanine = phenylpyruvate + L-methionine. [IMG:01684, PMID:12670965]' - }, - 'GO:0043841': { - 'name': '(S)-lactate 2-kinase activity', - 'def': 'Catalysis of the reaction: (S)-lactate + GTP = 2-phospho-(S)-lactate + GDP. [IMG:01546, PMID:11535063]' - }, - 'GO:0043842': { - 'name': 'Kdo transferase activity', - 'def': 'Catalysis of the reactions: (KDO)-lipid IVA + CMP-3-deoxy-D-manno-octulosonate = KDO2-lipid IVA + CMP, and lipid IVA + CMP-3-deoxy-D-manno-octulosonate = (KDO)-lipid IVA + CMP. [IMG:00549, PMID:1577828, PMID:2033061, PMID:9195966]' - }, - 'GO:0043843': { - 'name': 'ADP-specific glucokinase activity', - 'def': 'Catalysis of the reaction: ADP + D-glucose = AMP + D-glucose 6-phosphate. [EC:2.7.1.147, IMG:01468]' - }, - 'GO:0043844': { - 'name': 'ADP-specific phosphofructokinase activity', - 'def': 'Catalysis of the reaction: ADP + D-fructose 6-phosphate = AMP + D-fructose 1,6-bisphosphate. [EC:2.7.1.146, IMG:01469]' - }, - 'GO:0043845': { - 'name': 'DNA polymerase III, proofreading complex', - 'def': "A subcomplex of DNA polymerase III composed of the epsilon subunit which has proofreading activity, and the theta subunit which enhances the epsilon subunit's proofreading activity. [IMG:01721, PMID:16973612, Wikipedia:Pol_III]" - }, - 'GO:0043846': { - 'name': 'DNA polymerase III, clamp loader complex', - 'def': 'A heptamer that includes the tau and gamma products of the dnaX gene and the chi/psi subcomplex. Confers structural asymmetry that allows the polymerase to replicate both leading and lagging strands. [PMID:12940977]' - }, - 'GO:0043847': { - 'name': 'DNA polymerase III, clamp loader chi/psi subcomplex', - 'def': 'A dimer composed of the chi and psi subunits which is a subassembly of the DNA polymerase III clamp loader complex and serves as a bridge between the DnaX complex and the single-stranded DNA-binding protein (SSB). [IMG:01719, PMID:12940977]' - }, - 'GO:0043848': { - 'name': 'excinuclease cho activity', - 'def': "Catalysis of the incision of damaged DNA on the 3' side of a lesion, typically at the ninth phosphodiester bond 3' of the damage. [IMG:00499, PMID:11818552]" - }, - 'GO:0043849': { - 'name': 'Ras palmitoyltransferase activity', - 'def': 'Catalysis of the reaction: palmitoyl-CoA + protein-cysteine = S-palmitoyl protein + CoA, specific for Ras proteins. [IMG:00473, PMID:16000296]' - }, - 'GO:0043850': { - 'name': 'RecFOR complex', - 'def': 'A heterotrimeric complex composed of the subunits RecF, RecO and RecR. Mediates the loading of RecA protein specifically onto SSB-coated gapped DNA during DNA repair. [IMG:01764, PMID:12769856]' - }, - 'GO:0043851': { - 'name': 'methanol-specific methylcobalamin:coenzyme M methyltransferase activity', - 'def': 'Catalysis of the reaction: a methylated methanol corrinoid protein + coenzyme M = a methanol corrinoid protein + methyl-CoM. This reaction is the transfer of the methyl group from the methylated corrinoid cofactor of a methylamine corrinoid protein to coenzyme M. [IMG:01315, MetaCyc:RXN-8096]' - }, - 'GO:0043852': { - 'name': 'monomethylamine methyltransferase activity', - 'def': 'Catalysis of the reaction: monomethylamine + a monomethylamine corrinoid protein = a methylated monomethylamine corrinoid protein + NH3. [IMG:01319, MetaCyc:RXN-8098]' - }, - 'GO:0043853': { - 'name': 'methanol-CoM methyltransferase complex', - 'def': 'A heterotrimeric protein complex composed of a methanol methyltransferase subunit, a corrinoid protein and a methanol-specific corrinoid:coenzyme M methyltransferase subunit. Catalyzes the transfer of a methyl group from methanol to coenzyme M as part of the pathway of methanogenesis from methanol. [IMG:01437, MetaCyc:CPLX-421, PMID:9363780]' - }, - 'GO:0043854': { - 'name': 'cyclic nucleotide-gated mechanosensitive ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens in response to a mechanical stress and when a cyclic nucleotide has been bound by the channel complex or one of its constituent parts. [GOC:jl, IMG:02416]' - }, - 'GO:0043855': { - 'name': 'cyclic nucleotide-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when a cyclic nucleotide has been bound by the channel complex or one of its constituent parts. [GOC:jl]' - }, - 'GO:0043856': { - 'name': 'anti-sigma factor antagonist activity', - 'def': 'The function of binding to an anti-sigma factor and stopping, preventing or reducing the rate of its activity. [GOC:jl, GOC:txnOH, PMID:15576799]' - }, - 'GO:0043857': { - 'name': 'N-acetylornithine carbamoyltransferase activity', - 'def': 'Catalysis of the reaction: N(2)-acetyl-L-ornithine + carbamoyl phosphate = N(2)-acetyl-L-citrulline + H(+) + phosphate. [EC:2.1.3.9, RHEA:18612]' - }, - 'GO:0043858': { - 'name': 'arginine:ornithine antiporter activity', - 'def': 'Catalysis of the reaction: arginine(out) + ornithine(in) = arginine(in) + ornithine(out). [GOC:jl, PMID:17110979]' - }, - 'GO:0043859': { - 'name': 'obsolete cyanophycinase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolytic cleavage of multi-L-arginyl-poly-L-aspartic acid (cyanophycin; a water-insoluble reserve polymer) into aspartate-arginine dipeptides. [PMID:10429200]' - }, - 'GO:0043860': { - 'name': 'cyanophycin synthetase activity', - 'def': 'Catalysis of the ATP-dependent polymerization of arginine and aspartate to multi-L-arginyl-poly-L-aspartic acid (cyanophycin; a water-insoluble reserve polymer). [EC:6.3.2.29, EC:6.3.2.30, GOC:jl]' - }, - 'GO:0043861': { - 'name': 'agmatine:putrescine antiporter activity', - 'def': 'Catalysis of the reaction: agmatine(out) + putrescine(in) = agmatine(in) + putrescine(out). [GOC:jl, PMID:17028272]' - }, - 'GO:0043862': { - 'name': 'arginine:agmatine antiporter activity', - 'def': 'Catalysis of the reaction: arginine(out) + agmatine(in) = arginine(in) + agmatine(out). [GOC:jl, PMID:17099215]' - }, - 'GO:0043863': { - 'name': '4-hydroxy-2-ketopimelate aldolase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-2-ketopimelate = succinate semialdehyde + pyruvate. [MetaCyc:4-HYDROXY-2-KETOPIMELATE-LYSIS-RXN]' - }, - 'GO:0043864': { - 'name': 'indoleacetamide hydrolase activity', - 'def': 'Catalysis of the reaction: indole-3-acetamide + H2O = indole-3-acetate + NH3. Indole-3-acetamide is known as IAM and indole-3-acetate as IAA. [GOC:jl, MetaCyc:RXNN-404]' - }, - 'GO:0043865': { - 'name': 'methionine transmembrane transporter activity', - 'def': 'Enables the transfer of methionine from one side of a membrane to the other. [GOC:jl]' - }, - 'GO:0043866': { - 'name': 'adenylyl-sulfate reductase (thioredoxin) activity', - 'def': "Catalysis of the reaction: AMP + sulfite + thioredoxin disulfide = 5'-adenylyl sulfate + thioredoxin. [EC:1.8.4.10]" - }, - 'GO:0043867': { - 'name': '7-cyano-7-deazaguanine tRNA-ribosyltransferase activity', - 'def': 'Catalysis of the reaction: tRNA guanine + 7-cyano-7-deazaguanine = tRNA 7-cyano-7-deazaguanine + guanine. [PMID:16407303, PMID:7748953]' - }, - 'GO:0043869': { - 'name': 'alpha-aminoadipate acetyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-aminoadipate + acetyl-CoA = N2-acetyl-alpha-aminoadipate + coenzyme A. [MetaCyc:RXN-5181, PMID:10613839, PMID:12925802]' - }, - 'GO:0043870': { - 'name': 'N-acetyl-gamma-aminoadipyl-phosphate reductase activity', - 'def': 'Catalysis of the reaction: N(2)-acetyl-L-aminoadipate-semialdehyde + NADP+ + phosphate = N(2)-acetyl-L-gamma-aminoadipyl phosphate + NADPH. [MetaCyc:RXN-5183]' - }, - 'GO:0043871': { - 'name': 'delta1-piperideine-6-carboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: delta1-piperideine-6-carboxylate + NAD+ + 2 H2O = 2-aminoadipate + NADH + H+. Delta1-piperideine-6-carboxylate is also known as 2,3,4,5-tetrahydropyridine-2-carboxylate. [MetaCyc:RXN-8162, PMID:16237033]' - }, - 'GO:0043872': { - 'name': 'lysine:cadaverine antiporter activity', - 'def': 'Catalysis of the reaction: lysine(out) + cadaverine(in) = lysine(in) + cadaverine(out). [GOC:jl, PMID:10986235, TC:2.A.3.2.2]' - }, - 'GO:0043873': { - 'name': 'pyruvate-flavodoxin oxidoreductase activity', - 'def': 'Catalysis of the reaction: pyruvate + CoA + oxidized flavodoxin = acetyl-CoA + CO2 + reduced flavodoxin. [PMID:6352705]' - }, - 'GO:0043874': { - 'name': 'acireductone synthase activity', - 'def': 'Catalysis of the reactions: 5-(methylthio)-2,3-dioxopentyl phosphate + H2O = 1,2-dihydroxy-5-(methylthio)pent-1-en-3-one + phosphate; (1a) 5-(methylthio)-2,3-dioxopentyl phosphate = 2-hydroxy-5-(methylthio)-3-oxopent-1-enyl phosphate; (1b) 2-hydroxy-5-(methylthio)-3-oxopent-1-enyl phosphate + H2O = 1,2-dihydroxy-5-(methylthio)pent-1-en-3-one + phosphate. [EC:3.1.3.77]' - }, - 'GO:0043875': { - 'name': '2-ketobutyrate formate-lyase activity', - 'def': 'Catalysis of the reaction: 2-oxobutanoate + coenzyme A = propionyl-CoA + formate. [MetaCyc:KETOBUTFORMLY-RXN, PMID:9484901]' - }, - 'GO:0043876': { - 'name': 'D-threonine aldolase activity', - 'def': 'Catalysis of the reaction: D-threonine (or D-allo-threonine) = glycine + acetaldehyde. [MetaCyc:4.1.2.42-RXN, PMID:9642221]' - }, - 'GO:0043877': { - 'name': 'galactosamine-6-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-galactosamine 6-phosphate + H2O = D-tagatose 6-phosphate + NH3. [PMID:10931310]' - }, - 'GO:0043878': { - 'name': 'glyceraldehyde-3-phosphate dehydrogenase (NAD+) (non-phosphorylating) activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde 3-phosphate + NAD+ + H2O = 3-phospho-D-glycerate + NADH + H+. [PMID:9497334]' - }, - 'GO:0043879': { - 'name': 'glycolate transmembrane transporter activity', - 'def': 'Enables the transfer of glycolate from one side of a membrane to the other. Glycolate is the smallest alpha-hydroxy acid (AHA). [CHEBI:28905, GOC:jl]' - }, - 'GO:0043880': { - 'name': 'crotonyl-CoA reductase activity', - 'def': 'Catalysis of the reduction of crotonyl-CoA to butyryl-CoA. [InterPro:IPR010085, PMID:11162231]' - }, - 'GO:0043881': { - 'name': 'mesaconyl-CoA hydratase activity', - 'def': 'Catalysis of the hydration of mesaconyl-CoA to beta-methylmalyl-CoA. [PMID:16856935, PMID:16856937]' - }, - 'GO:0043882': { - 'name': 'malate:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: malate(out) + Na+(out) = malate(in) + Na+(in). [GOC:jl, PMID:10903309]' - }, - 'GO:0043883': { - 'name': 'malolactic enzyme activity', - 'def': 'Catalysis of the reaction: malate + H+ = L-lactate + CO2. [MetaCyc:RXN8E-5623, PMID:3139053]' - }, - 'GO:0043884': { - 'name': 'CO-methylating acetyl-CoA synthase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + corrinoid protein = CO + methylcorrinoid protein + CoA. [EC:2.3.1.169, PMID:1748656]' - }, - 'GO:0043885': { - 'name': 'carbon-monoxide dehydrogenase (ferredoxin) activity', - 'def': 'Catalysis of the reaction: CO + H2O + oxidized ferredoxin = CO2 + reduced ferredoxin. [EC:1.2.7.4]' - }, - 'GO:0043886': { - 'name': 'structural constituent of carboxysome', - 'def': 'The action of a molecule that contributes to the structural integrity of a carboxysome, an organelle found in the Cyanobacteria consisting of a proteinaceous coat and enzymes for the fixation of carbon dioxide. [GOC:jl]' - }, - 'GO:0043887': { - 'name': 'melibiose:sodium symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: melibiose(out) + Na+(out) = melibiose(in) + Na+(in). [PMID:1970646]' - }, - 'GO:0043888': { - 'name': '(S)-2,3-di-O-geranylgeranylglyceryl phosphate synthase activity', - 'def': 'Catalysis of the transfer of a geranylgeranyl group from geranylgeranyl diphosphate to (S)-3-O-geranylgeranylglyceryl phosphate to form (S)-2,3-di-O-geranylgeranylglyceryl phosphate. [PMID:15356000, PMID:16494480]' - }, - 'GO:0043889': { - 'name': '(S)-3-O-geranylgeranylglyceryl phosphate synthase activity', - 'def': 'Catalysis of the alkylation of the primary hydroxyl group in (S)-glyceryl phosphate by geranylgeranyl diphosphate to form (S)-3-O-geranylgeranylglyceryl phosphate. [PMID:12801917, PMID:17253090, PMID:8408023]' - }, - 'GO:0043890': { - 'name': 'N-acetylgalactosamine-6-sulfatase activity', - 'def': 'Catalysis of the hydrolysis of the 6-sulfate groups of the N-acetyl-D-galactosamine 6-sulfate units of chondroitin sulfate and of the D-galactose 6-sulfate units of keratan sulfate. [EC:3.1.6.4]' - }, - 'GO:0043891': { - 'name': 'glyceraldehyde-3-phosphate dehydrogenase (NAD(P)+) (phosphorylating) activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde 3-phosphate + phosphate + NAD(P)+ = 3-phospho-D-glyceroyl phosphate + NAD(P)H + H+. [EC:1.2.1.59]' - }, - 'GO:0043892': { - 'name': 'methylglyoxal reductase (NADPH-dependent) activity', - 'def': 'Catalysis of the reaction: lactaldehyde + NADP+ = methylglyoxal + NADPH + H+. [EC:1.1.1.283]' - }, - 'GO:0043893': { - 'name': 'acetate:cation symporter activity', - 'def': 'Catalysis of the transfer of acetate from one side of a membrane to the other according to the reaction: acetate(out) + cation(out) = acetate(in) + cation(in). [GOC:jl]' - }, - 'GO:0043894': { - 'name': 'acetyl-CoA synthetase acetyltransferase activity', - 'def': 'Catalysis of the acetylation of residue Lys609 of the enzyme acetyl-CoA synthetase, using acetyl-CoA as substrate. [PMID:15236963]' - }, - 'GO:0043895': { - 'name': 'cyclomaltodextrin glucanotransferase activity', - 'def': 'Catalysis of the cyclization of part of a 1,4-alpha-D-glucan chain by formation of a 1,4-alpha-D-glucosidic bond. [EC:2.4.1.19]' - }, - 'GO:0043896': { - 'name': 'glucan 1,6-alpha-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->6)-alpha-D-glucosidic linkages in (1->6)-alpha-D-glucans and derived oligosaccharides. [EC:3.2.1.70]' - }, - 'GO:0043897': { - 'name': 'glucan 1,4-alpha-maltohydrolase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-alpha-D-glucosidic linkages in polysaccharides so as to remove successive alpha-maltose residues from the non-reducing ends of the chains. [EC:3.2.1.133]' - }, - 'GO:0043898': { - 'name': '2,3-dihydroxybiphenyl 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxybiphenyl + O2 = 2-hydroxy-6-phenylhexa-2,4-dienoic acid. [GOC:jl, PMID:15715866]' - }, - 'GO:0043899': { - 'name': 'phosphoserine:homoserine phosphotransferase activity', - 'def': 'Catalysis of the transfer of a phosphoryl group from phosphoserine to homoserine to form phosphohomoserine. [GOC:jl, PMID:14699121]' - }, - 'GO:0043900': { - 'name': 'regulation of multi-organism process', - 'def': 'Any process that modulates the frequency, rate or extent of a multi-organism process, a process in which an organism has an effect on another organism of the same or different species. [GOC:jl]' - }, - 'GO:0043901': { - 'name': 'negative regulation of multi-organism process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a multi-organism process, a process in which an organism has an effect on another organism of the same or different species. [GOC:jl]' - }, - 'GO:0043902': { - 'name': 'positive regulation of multi-organism process', - 'def': 'Any process that activates or increases the frequency, rate or extent of a multi-organism process, a process in which an organism has an effect on another organism of the same or different species. [GOC:jl]' - }, - 'GO:0043903': { - 'name': 'regulation of symbiosis, encompassing mutualism through parasitism', - 'def': 'Any process that modulates the frequency, rate or extent of symbiosis, an interaction between two organisms living together in more or less intimate association. [GOC:jl]' - }, - 'GO:0043904': { - 'name': 'isochorismate pyruvate lyase activity', - 'def': 'Catalysis of the reaction: isochorismate = salicylate + pyruvate. [GOC:jl, PMID:16248620]' - }, - 'GO:0043905': { - 'name': 'Ser-tRNA(Thr) hydrolase activity', - 'def': 'Catalysis of the hydrolysis of misacylated Ser-tRNA(Thr). [GOC:jl, PMID:15240874]' - }, - 'GO:0043906': { - 'name': 'Ala-tRNA(Pro) hydrolase activity', - 'def': 'Catalysis of the hydrolysis of misacylated Ala-tRNA(Pro). [GOC:jl, PMID:14663147]' - }, - 'GO:0043907': { - 'name': 'Cys-tRNA(Pro) hydrolase activity', - 'def': 'Catalysis of the hydrolysis of misacylated Cys-tRNA(Pro). [GOC:jl, PMID:15886196]' - }, - 'GO:0043908': { - 'name': 'Ser(Gly)-tRNA(Ala) hydrolase activity', - 'def': 'Catalysis of the hydrolysis of misacylated Ser-tRNA(Ala) and Gly-tRNA(Ala). [GOC:jl, PMID:14663147]' - }, - 'GO:0043909': { - 'name': 'N-acetylcitrulline deacetylase activity', - 'def': 'Catalysis of the reaction: N-acetyl-L-citrulline + H2O = citrulline + acetate. [GOC:jl, IMG:02799, PMID:16750290]' - }, - 'GO:0043910': { - 'name': 'ATP:coenzyme F420 adenylyltransferase activity', - 'def': 'Catalysis of the reaction: ATP + factor gamma-F420-2 + H+ = coenzyme F390-A + diphosphate. [GOC:jl, IMG:02803, MetaCyc:RXN-9385, PMID:7957247, PMID:8550473]' - }, - 'GO:0043911': { - 'name': 'D-lysine transaminase activity', - 'def': 'Catalysis of the reaction: D-lysine + 2-oxoglutarate = L-glutamate + 6-amino-2-oxohexanoate. [GOC:jl, IMG:02956, PMID:17259313]' - }, - 'GO:0043912': { - 'name': 'D-lysine oxidase activity', - 'def': 'Catalysis of the reaction: D-lysine + O2 + H2O = 6-amino-2-oxohexanoate + NH3 + hydrogen peroxide. [GOC:jl, IMG:02957, PMID:17259313]' - }, - 'GO:0043913': { - 'name': 'chromosome segregation-directing complex', - 'def': 'A trimeric protein complex which in E. coli is composed of the subunits MreB, MreC and MreD. The complex directs longitudinal cell wall synthesis, maintaining cell morphology. [GOC:jl, PMID:15612918]' - }, - 'GO:0043914': { - 'name': 'NADPH:sulfur oxidoreductase activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + sulfur = hydrogen sulfide + NADP+. [GOC:jl, PMID:17449625]' - }, - 'GO:0043915': { - 'name': 'L-seryl-tRNA(Sec) kinase activity', - 'def': 'Catalysis of the reaction: ATP + L-seryl-tRNA(Sec) = ADP + O-phospho-L-seryl-tRNA(Sec). [GOC:jl, IMG:03019, PMID:16201757]' - }, - 'GO:0043916': { - 'name': 'DNA-7-methylguanine glycosylase activity', - 'def': "Catalysis of the reaction: DNA containing 7-methylguanine + H2O = DNA with abasic site + 7-methylguanine. This reaction is the hydrolysis of DNA by cleavage of the N-C1' glycosidic bond between the damaged DNA 7-methylguanine and the deoxyribose sugar to remove the 7-methylguanine, leaving an abasic site. [GOC:jl, PMID:16468998]" - }, - 'GO:0043917': { - 'name': 'ribose 1,5-bisphosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-ribose 1,5-bisphosphate = D-ribulose 1,5-bisphosphate. [GOC:jl, IMG:03024]' - }, - 'GO:0043918': { - 'name': 'cadaverine aminopropyltransferase activity', - 'def': "Catalysis of the reaction: S-adenosylmethioninamine + cadaverine = 5'-methylthioadenosine + N-(3-aminopropyl)cadaverine. [GOC:jl, IMG:00522, PMID:17545282]" - }, - 'GO:0043919': { - 'name': 'agmatine aminopropyltransferase activity', - 'def': "Catalysis of the reaction: agmatine + S-adenosylmethioninamine = N1-aminopropylagmatine + 5'-methylthioadenosine. [GOC:jl, IMG:03077, PMID:15983049]" - }, - 'GO:0043920': { - 'name': 'aminopropylagmatine ureohydrolase activity', - 'def': 'Catalysis of the reaction: N1-aminopropylagmatine + H2O = spermidine + urea. [GOC:jl, IMG:03079, PMID:15983049]' - }, - 'GO:0043921': { - 'name': 'modulation by host of viral transcription', - 'def': 'Any process in which a host organism modulates the frequency, rate or extent of viral transcription. [GOC:jl]' - }, - 'GO:0043922': { - 'name': 'negative regulation by host of viral transcription', - 'def': 'Any process in which a host organism stops, prevents, or reduces the frequency, rate or extent of viral transcription. [GOC:jl]' - }, - 'GO:0043923': { - 'name': 'positive regulation by host of viral transcription', - 'def': 'Any process in which a host organism activates or increases the frequency, rate or extent of viral transcription, the synthesis of either RNA on a template of DNA or DNA on a template of RNA. [GOC:jl]' - }, - 'GO:0043924': { - 'name': 'suramin binding', - 'def': 'Interacting selectively and non-covalently with suramin, a naphthalenesulfonic acid compound which is used in the treatment of diseases caused by trypanosomes and worms. [CHEBI:45906, GOC:jl, Wikipedia:Suramin]' - }, - 'GO:0043927': { - 'name': 'exonucleolytic nuclear-transcribed mRNA catabolic process involved in endonucleolytic cleavage-dependent decay', - 'def': "The chemical reactions and pathways resulting in the breakdown of the transcript body of a nuclear-transcribed mRNA that occurs when the ends are not protected by the 5'-cap. [GOC:mtg_mpo]" - }, - 'GO:0043928': { - 'name': 'exonucleolytic nuclear-transcribed mRNA catabolic process involved in deadenylation-dependent decay', - 'def': "The chemical reactions and pathways resulting in the breakdown of the transcript body of a nuclear-transcribed mRNA that occurs when the ends are not protected by the 3'-poly(A) tail. [GOC:mtg_mpo]" - }, - 'GO:0043929': { - 'name': 'primary ovarian follicle growth involved in double layer follicle stage', - 'def': 'Increase in size of primary follicles including oocyte growth and granulosa and/or theca cell proliferation until more than one layer of granulosa cells is present (preantral follicle), as part of the double layer follicle stage of oogenesis. [GOC:mtg_mpo]' - }, - 'GO:0043930': { - 'name': 'primary ovarian follicle growth involved in primary follicle stage', - 'def': 'Increase in size of primary follicles including oocyte growth and granulosa and/or theca cell proliferation until more than one layer of granulosa cells is present (preantral follicle) as part of the primary follicle stage of oogenesis. [GOC:mtg_mpo]' - }, - 'GO:0043931': { - 'name': 'ossification involved in bone maturation', - 'def': 'The formation of bone or of a bony substance, or the conversion of fibrous tissue or of cartilage into bone, involved in the progression of the skeleton from its formation to its mature state. [GOC:dph, GOC:mah, GOC:mtg_mpo]' - }, - 'GO:0043932': { - 'name': 'ossification involved in bone remodeling', - 'def': 'The formation or growth of bone or of a bony substance, or the conversion of fibrous tissue or of cartilage into bone, involved in response to injury or other physical, physiological or environmental stress stimuli. [GO_REF:0000034, GOC:mtg_mpo]' - }, - 'GO:0043933': { - 'name': 'macromolecular complex subunit organization', - 'def': 'Any process in which macromolecules aggregate, disaggregate, or are modified, resulting in the formation, disassembly, or alteration of a macromolecular complex. [GOC:mtg_mpo]' - }, - 'GO:0043934': { - 'name': 'sporulation', - 'def': 'The process whose specific outcome is the progression of a spore over time, from its initiation to the mature structure. A spore is a structure that can be used for dissemination, for survival of adverse conditions because of its heat and dessication resistance, and/or for reproduction. [GOC:pamgo_curators]' - }, - 'GO:0043935': { - 'name': 'sexual sporulation resulting in formation of a cellular spore', - 'def': 'The formation of spores derived from the products of meiosis. A cellular spore is a cell form that can be used for dissemination, for survival of adverse conditions because of its heat and dessication resistance, and/or for reproduction. [GOC:pamgo_curators]' - }, - 'GO:0043936': { - 'name': 'asexual sporulation resulting in formation of a cellular spore', - 'def': 'The formation of a cellular spore derived from the products of mitosis. A cellular spore is a cell form that can be used for dissemination, for survival of adverse conditions because of its heat and dessication resistance, and/or for reproduction. [GOC:pamgo_curators]' - }, - 'GO:0043937': { - 'name': 'regulation of sporulation', - 'def': 'Any process that modulates the frequency, rate or extent of sporulation, the process whose specific outcome is the progression of a spore over time, from its initiation to the mature structure. [GOC:pamgo_curators]' - }, - 'GO:0043938': { - 'name': 'positive regulation of sporulation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of sporulation, the process whose specific outcome is the progression of a spore over time, from its initiation to the mature structure. [GOC:pamgo_curators]' - }, - 'GO:0043939': { - 'name': 'negative regulation of sporulation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sporulation, the process whose specific outcome is the progression of a spore over time, from its initiation to the mature structure. [GOC:pamgo_curators]' - }, - 'GO:0043940': { - 'name': 'regulation of sexual sporulation resulting in formation of a cellular spore', - 'def': 'Any process that modulates the frequency, rate or extent of the formation of cellular spores derived from the products of meiosis. [GOC:pamgo_curators]' - }, - 'GO:0043941': { - 'name': 'positive regulation of sexual sporulation resulting in formation of a cellular spore', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the formation of cellular spores derived from the products of meiosis. [GOC:pamgo_curators]' - }, - 'GO:0043942': { - 'name': 'negative regulation of sexual sporulation resulting in formation of a cellular spore', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the formation of cellular spores derived from the products of meiosis. [GOC:pamgo_curators]' - }, - 'GO:0043943': { - 'name': 'regulation of asexual sporulation resulting in formation of a cellular spore', - 'def': 'Any process that modulates the frequency, rate or extent of the formation of a cellular spore derived from the products of mitosis. [GOC:pamgo_curators]' - }, - 'GO:0043944': { - 'name': 'negative regulation of asexual sporulation resulting in formation of a cellular spore', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the formation of a cellular spore derived from the products of mitosis. [GOC:pamgo_curators]' - }, - 'GO:0043945': { - 'name': 'positive regulation of asexual sporulation resulting in formation of a cellular spore', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the formation of a cellular spore derived from the products of mitosis. [GOC:pamgo_curators]' - }, - 'GO:0043946': { - 'name': 'positive regulation of catalytic activity in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of enzyme activity in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0043947': { - 'name': 'positive regulation by host of symbiont catalytic activity', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of symbiont enzyme activity. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0043948': { - 'name': 'positive regulation by symbiont of host catalytic activity', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of host enzyme activity. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0043949': { - 'name': 'regulation of cAMP-mediated signaling', - 'def': 'Any process which modulates the frequency, rate or extent of cAMP-mediated signaling, a series of molecular signals in which a cell uses cyclic AMP to convert an extracellular signal into a response. [GOC:jl]' - }, - 'GO:0043950': { - 'name': 'positive regulation of cAMP-mediated signaling', - 'def': 'Any process which activates, maintains or increases the frequency, rate or extent of cAMP-mediated signaling, a series of molecular signals in which a cell uses cyclic AMP to convert an extracellular signal into a response. [GOC:jl]' - }, - 'GO:0043951': { - 'name': 'negative regulation of cAMP-mediated signaling', - 'def': 'Any process which stops, prevents, or reduces the frequency, rate or extent of cAMP-mediated signaling, a series of molecular signals in which a cell uses cyclic AMP to convert an extracellular signal into a response. [GOC:jl]' - }, - 'GO:0043952': { - 'name': 'protein transport by the Sec complex', - 'def': 'The process in which unfolded proteins are transported across the cytoplasmic membrane in Gram-positive and Gram-negative bacteria by the Sec complex, in a process involving proteolytic cleavage of an N-terminal signal peptide. [GOC:pamgo_curators]' - }, - 'GO:0043953': { - 'name': 'protein transport by the Tat complex', - 'def': 'The process in which folded proteins are transported across cytoplasmic membranes of bacteria and membranes of organelles derived from bacteria (chloroplasts and mitochondria) by the TAT complex. [GOC:pamgo_curators]' - }, - 'GO:0043954': { - 'name': 'cellular component maintenance', - 'def': 'The organization process that preserves a cellular component in a stable functional or structural state. [GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0043955': { - 'name': '3-hydroxypropionyl-CoA synthetase activity', - 'def': 'Catalysis of the reaction: 3-hydroxypropionate + ATP + CoA = 3-hydroxypropionyl-CoA + AMP + diphosphate. [GOC:jl, PMID:11821399]' - }, - 'GO:0043956': { - 'name': '3-hydroxypropionyl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: 3-hydroxypropionyl-CoA = acrylyl-CoA + H2O. [GOC:jl, PMID:11821399]' - }, - 'GO:0043957': { - 'name': 'acryloyl-CoA reductase (NADP+) activity', - 'def': 'Catalysis of the reaction: acryloyl-CoA + NADPH + H+ = propionyl-CoA + NADP+. [GOC:jl, PMID:11821399]' - }, - 'GO:0043958': { - 'name': 'acryloyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: acryloyl-CoA + NADH + H+ + a reduced electron-transfer flavoprotein = propionyl-CoA + NAD+ + an oxidized electron-transfer flavoprotein. [GOC:jl, PMID:12603323]' - }, - 'GO:0043959': { - 'name': 'L-erythro-3-methylmalyl-CoA lyase activity', - 'def': 'Catalysis of the reaction: propionyl-CoA + glyoxylate = L-erythro-3-methylmalyl-CoA. [GOC:jl, IMG:03303]' - }, - 'GO:0043960': { - 'name': 'L-erythro-3-methylmalyl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: L-erythro-3-methylmalyl-CoA = mesaconyl-CoA + H2O. [GOC:jl, IMG:03304]' - }, - 'GO:0043961': { - 'name': 'succinyl-CoA:(R)-citramalate CoA-transferase activity', - 'def': 'Catalysis of the reaction: succinyl-CoA + (R)-citramalate = succinate + (R)-citramalyl-CoA. [GOC:jl, IMG:03306, PMID:17259315]' - }, - 'GO:0043962': { - 'name': 'negative regulation by host of symbiont adenylate cyclase-mediated signal transduction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of adenylate cyclase-mediated signal transduction in the symbiont organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0043963': { - 'name': 'modulation by symbiont of host adenylate cyclase-mediated signal transduction', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of adenylate cyclase-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0043964': { - 'name': 'positive regulation by symbiont of host adenylate cyclase-mediated signal transduction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of adenylate cyclase-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0043965': { - 'name': 'negative regulation by symbiont of host adenylate cyclase-mediated signal transduction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of adenylate cyclase-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0043966': { - 'name': 'histone H3 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group. [GOC:jl]' - }, - 'GO:0043967': { - 'name': 'histone H4 acetylation', - 'def': 'The modification of histone H4 by the addition of an acetyl group. [GOC:jl]' - }, - 'GO:0043968': { - 'name': 'histone H2A acetylation', - 'def': 'The modification of histone H2A by the addition of an acetyl group. [GOC:jl]' - }, - 'GO:0043969': { - 'name': 'histone H2B acetylation', - 'def': 'The modification of histone H2B by the addition of an acetyl group. [GOC:jl]' - }, - 'GO:0043970': { - 'name': 'histone H3-K9 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 9 of the histone. [GOC:jl]' - }, - 'GO:0043971': { - 'name': 'histone H3-K18 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 18 of the histone. [GOC:jl]' - }, - 'GO:0043972': { - 'name': 'histone H3-K23 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 23 of the histone. [GOC:jl]' - }, - 'GO:0043973': { - 'name': 'histone H3-K4 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 4 of the histone. [GOC:jl]' - }, - 'GO:0043974': { - 'name': 'histone H3-K27 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 27 of the histone. [GOC:jl]' - }, - 'GO:0043975': { - 'name': 'histone H3-K36 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 36 of the histone. [GOC:jl]' - }, - 'GO:0043976': { - 'name': 'histone H3-K79 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 79 of the histone. [GOC:jl]' - }, - 'GO:0043977': { - 'name': 'histone H2A-K5 acetylation', - 'def': 'The modification of histone H2A by the addition of an acetyl group to a lysine residue at position 5 of the histone. [GOC:jl]' - }, - 'GO:0043978': { - 'name': 'histone H2A-K9 acetylation', - 'def': 'The modification of histone H2A by the addition of an acetyl group to a lysine residue at position 9 of the histone. [GOC:jl]' - }, - 'GO:0043979': { - 'name': 'histone H2B-K5 acetylation', - 'def': 'The modification of histone H2B by the addition of an acetyl group to a lysine residue at position 5 of the histone. [GOC:jl]' - }, - 'GO:0043980': { - 'name': 'histone H2B-K12 acetylation', - 'def': 'The modification of histone H2B by the addition of an acetyl group to a lysine residue at position 12 of the histone. [GOC:jl]' - }, - 'GO:0043981': { - 'name': 'histone H4-K5 acetylation', - 'def': 'The modification of histone H4 by the addition of an acetyl group to a lysine residue at position 5 of the histone. [GOC:jl]' - }, - 'GO:0043982': { - 'name': 'histone H4-K8 acetylation', - 'def': 'The modification of histone H4 by the addition of an acetyl group to a lysine residue at position 8 of the histone. [GOC:jl]' - }, - 'GO:0043983': { - 'name': 'histone H4-K12 acetylation', - 'def': 'The modification of histone H4 by the addition of an acetyl group to a lysine residue at position 12 of the histone. [GOC:jl]' - }, - 'GO:0043984': { - 'name': 'histone H4-K16 acetylation', - 'def': 'The modification of histone H4 by the addition of an acetyl group to a lysine residue at position 16 of the histone. [GOC:jl]' - }, - 'GO:0043985': { - 'name': 'histone H4-R3 methylation', - 'def': 'The modification of histone H4 by addition of a methyl group to arginine at position 3 of the histone. [GOC:mah]' - }, - 'GO:0043987': { - 'name': 'histone H3-S10 phosphorylation', - 'def': 'The modification of histone H3 by the addition of an phosphate group to a serine residue at position 10 of the histone. [GOC:jl]' - }, - 'GO:0043988': { - 'name': 'histone H3-S28 phosphorylation', - 'def': 'The modification of histone H3 by the addition of an phosphate group to a serine residue at position 28 of the histone. [GOC:jl]' - }, - 'GO:0043989': { - 'name': 'histone H4-S1 phosphorylation', - 'def': 'The modification of histone H4 by the addition of an phosphate group to a serine residue at position 1 of the histone. [GOC:jl]' - }, - 'GO:0043990': { - 'name': 'histone H2A-S1 phosphorylation', - 'def': 'The modification of histone H2A by the addition of an phosphate group to a serine residue at position 1 of the histone. [GOC:jl]' - }, - 'GO:0043991': { - 'name': 'histone H2B-S14 phosphorylation', - 'def': 'The modification of histone H2B by the addition of an phosphate group to a serine residue at position 14 of the histone. [GOC:jl]' - }, - 'GO:0043992': { - 'name': 'histone acetyltransferase activity (H3-K9 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 L-lysine (position 9) = CoA + histone H3 N6-acetyl-L-lysine (position 9). [EC:2.3.1.48]' - }, - 'GO:0043993': { - 'name': 'histone acetyltransferase activity (H3-K18 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 L-lysine (position 18) = CoA + histone H3 N6-acetyl-L-lysine (position 18). [EC:2.3.1.48]' - }, - 'GO:0043994': { - 'name': 'histone acetyltransferase activity (H3-K23 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 L-lysine (position 23) = CoA + histone H3 N6-acetyl-L-lysine (position 23). [EC:2.3.1.48]' - }, - 'GO:0043995': { - 'name': 'histone acetyltransferase activity (H4-K5 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H4 L-lysine (position 5) = CoA + histone H4 N6-acetyl-L-lysine (position 5). [EC:2.3.1.48]' - }, - 'GO:0043996': { - 'name': 'histone acetyltransferase activity (H4-K8 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H4 L-lysine (position 8) = CoA + histone H4 N6-acetyl-L-lysine (position 8). [EC:2.3.1.48]' - }, - 'GO:0043997': { - 'name': 'histone acetyltransferase activity (H4-K12 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H4 L-lysine (position 12) = CoA + histone H4 N6-acetyl-L-lysine (position 12). [EC:2.3.1.48]' - }, - 'GO:0043998': { - 'name': 'H2A histone acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H2A L-lysine = CoA + histone H2A N6-acetyl-L-lysine. [EC:2.3.1.48]' - }, - 'GO:0043999': { - 'name': 'histone acetyltransferase activity (H2A-K5 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H2A L-lysine (position 5) = CoA + histone H2A N6-acetyl-L-lysine (position 5). [EC:2.3.1.48]' - }, - 'GO:0044000': { - 'name': 'movement in host', - 'def': 'The process in which an organism or its progeny spreads from one location to another within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044001': { - 'name': 'migration in host', - 'def': 'The directional movement of an organism from one place to another within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044002': { - 'name': 'acquisition of nutrients from host', - 'def': 'The process that begins with the production and formation of structures and molecules in an organism that are required for the acquisition and utilization of nutrients from its host organism, and the ends with the acquirement of the nutrients. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc, GOC:jl]' - }, - 'GO:0044003': { - 'name': 'modification by symbiont of host morphology or physiology', - 'def': 'The process in which a symbiont organism effects a change in the structure or processes of its host organism. [GOC:cc]' - }, - 'GO:0044004': { - 'name': 'disruption by symbiont of host cell', - 'def': "Any process in which an organism has a negative effect on the functioning of the host's cells. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]" - }, - 'GO:0044005': { - 'name': 'induction by symbiont in host of tumor, nodule, or growth', - 'def': 'The process in which an organism causes the formation of a mass of cells in its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044006': { - 'name': 'induction by symbiont in host of tumor, nodule, or growth containing transformed cells', - 'def': 'The process in which an organism causes the formation in its host organism of a growth whose cells have been transformed and continue to exist in the absence of the first organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044007': { - 'name': 'dissemination or transmission of symbiont from host', - 'def': 'The movement of an organism from a host to another host or from a host to another place in the environment. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044008': { - 'name': 'dissemination or transmission of symbiont from host by vector', - 'def': 'The movement of an organism from one host to another (or another place in the environment) by means of a third organism (often an insect or other animal). The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044009': { - 'name': 'viral transmission by vector', - 'def': 'The transfer of virions by means of an organism (often an insect or other animal) in order to create new infection. [GOC:cc]' - }, - 'GO:0044010': { - 'name': 'single-species biofilm formation', - 'def': "A process in which planktonically growing microorganisms of the same species grow at a liquid-air interface or on a solid substrate under the flow of a liquid and produce extracellular polymers that facilitate matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:cc, GOC:di, GOC:tb]" - }, - 'GO:0044011': { - 'name': 'single-species biofilm formation on inanimate substrate', - 'def': 'A process in which microorganisms of the same species attach to and grow on an inanimate surface such as a rock or pipe, and produce extracellular polymers that facilitate attachment and matrix formation, resulting in an alteration in the phenotype of the organisms with respect to growth rate and gene transcription. [GOC:cc]' - }, - 'GO:0044012': { - 'name': 'histone acetyltransferase activity (H2A-K9 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H2A L-lysine (position 9) = CoA + histone H2A N6-acetyl-L-lysine (position 9). [EC:2.3.1.48]' - }, - 'GO:0044013': { - 'name': 'H2B histone acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H2B L-lysine = CoA + histone H2B N6-acetyl-L-lysine. [EC:2.3.1.48]' - }, - 'GO:0044014': { - 'name': 'histone acetyltransferase activity (H2B-K5 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H2B L-lysine (position 5) = CoA + histone H2B N6-acetyl-L-lysine (position 5). [EC:2.3.1.48]' - }, - 'GO:0044015': { - 'name': 'histone acetyltransferase activity (H2B-K12 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H2B L-lysine (position 12) = CoA + histone H2B N6-acetyl-L-lysine (position 12). [EC:2.3.1.48]' - }, - 'GO:0044016': { - 'name': 'histone acetyltransferase activity (H3-K4 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 L-lysine (position 4) = CoA + histone H3 N6-acetyl-L-lysine (position 4). [EC:2.3.1.48]' - }, - 'GO:0044017': { - 'name': 'histone acetyltransferase activity (H3-K27 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 L-lysine (position 27) = CoA + histone H3 N6-acetyl-L-lysine (position 27). [EC:2.3.1.48]' - }, - 'GO:0044018': { - 'name': 'histone acetyltransferase activity (H3-K36 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 L-lysine (position 36) = CoA + histone H3 N6-acetyl-L-lysine (position 36). [EC:2.3.1.48]' - }, - 'GO:0044019': { - 'name': 'histone acetyltransferase activity (H3-K72 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H3 L-lysine (position 72) = CoA + histone H3 N6-acetyl-L-lysine (position 72). [EC:2.3.1.48]' - }, - 'GO:0044020': { - 'name': 'histone methyltransferase activity (H4-R3 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (histone H4)-arginine (position 3) = S-adenosyl-L-homocysteine + (histone H4)-N-methyl-arginine (position 3). This reaction is the addition of a methyl group to arginine at position 3 of histone H4. [EC:2.1.1.125, GOC:mah, PMID:17898714]' - }, - 'GO:0044022': { - 'name': 'histone kinase activity (H3-S28 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the serine-28 residue of the N-terminal tail of histone H3. [GOC:jl]' - }, - 'GO:0044023': { - 'name': 'histone kinase activity (H4-S1 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the serine-1 residue of the N-terminal tail of histone H4. [GOC:jl]' - }, - 'GO:0044024': { - 'name': 'histone kinase activity (H2A-S1 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the serine-1 residue of the N-terminal tail of histone H2A. [GOC:jl]' - }, - 'GO:0044025': { - 'name': 'histone kinase activity (H2B-S14 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the serine-14 or an equivalent residue of the N-terminal tail of histone H2B. [GOC:jl]' - }, - 'GO:0044026': { - 'name': 'DNA hypermethylation', - 'def': 'An increase in the epigenetic methylation of cytosine and adenosine residues in DNA. [GOC:jl, http://en.wiktionary.org/]' - }, - 'GO:0044027': { - 'name': 'hypermethylation of CpG island', - 'def': 'An increase in the epigenetic methylation of cytosine and adenosine residues in a CpG island in DNA. CpG islands are genomic regions that contain a high frequency of the CG dinucleotide and are often associated with the transcription start site of genes. [GOC:jl, Wikipedia:Cpg_island]' - }, - 'GO:0044028': { - 'name': 'DNA hypomethylation', - 'def': 'An decrease in the epigenetic methylation of cytosine and adenosine residues in DNA. [GOC:jl, http://en.wiktionary.org/hypomethylation]' - }, - 'GO:0044029': { - 'name': 'hypomethylation of CpG island', - 'def': 'An decrease in the epigenetic methylation of cytosine and adenosine residues in a CpG island in DNA. CpG islands are genomic regions that contain a high frequency of the CG dinucleotide and are often associated with the transcription start site of genes. [GOC:jl, Wikipedia:Cpg_island]' - }, - 'GO:0044030': { - 'name': 'regulation of DNA methylation', - 'def': 'Any process that modulates the frequency, rate or extent of the covalent transfer of a methyl group to either N-6 of adenine or C-5 or N-4 of cytosine. [GOC:jl]' - }, - 'GO:0044031': { - 'name': 'modification by symbiont of host protein by phosphorylation', - 'def': 'The process in which an organism adds a phosphate group to a protein of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0044032': { - 'name': 'modulation by symbiont of indole acetic acid levels in host', - 'def': 'The alteration by an organism of the levels of indole acetic acid in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0044033': { - 'name': 'multi-organism metabolic process', - 'def': 'A metabolic process - chemical reactions and pathways, including anabolism and catabolism, by which living organisms transform chemical substances - which involves more than one organism. [GOC:jl]' - }, - 'GO:0044034': { - 'name': 'multi-organism biosynthetic process', - 'def': 'A biosynthetic process - chemical reactions and pathways resulting in the formation of substances - which involves more than one organism. [GOC:jl]' - }, - 'GO:0044035': { - 'name': 'multi-organism catabolic process', - 'def': 'A catabolic process - chemical reactions and pathways resulting in the breakdown of substances - which involves more than one organism. [GOC:jl]' - }, - 'GO:0044036': { - 'name': 'cell wall macromolecule metabolic process', - 'def': 'The chemical reactions and pathways involving macromolecules forming, or destined to form, part of the cell wall. A cell wall is a rigid or semi-rigid envelope lying outside the cell membrane of plant, fungal and most prokaryotic cells, maintaining their shape and protecting them from osmotic lysis. [GOC:jl, GOC:mah]' - }, - 'GO:0044037': { - 'name': 'multi-organism cell wall macromolecule metabolic process', - 'def': 'The chemical reactions and pathways involving macromolecules forming, or destined to form, part of a cell wall, involving more than one organism. A cell wall is a rigid or semi-rigid envelope lying outside the cell membrane of plant, fungal and most prokaryotic cells, maintaining their shape and protecting them from osmotic lysis. [GOC:mah, GOC:tair_curators]' - }, - 'GO:0044038': { - 'name': 'cell wall macromolecule biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a macromolecule destined to form part of a cell wall. [GOC:go_curators]' - }, - 'GO:0044040': { - 'name': 'multi-organism carbohydrate metabolic process', - 'def': 'The chemical reactions and pathways involving carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, that involve more than one organism. [GOC:jl]' - }, - 'GO:0044041': { - 'name': 'multi-organism carbohydrate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, involving more than one organism. [GOC:jl]' - }, - 'GO:0044042': { - 'name': 'glucan metabolic process', - 'def': 'The chemical reactions and pathways involving glucans, polysaccharides consisting only of glucose residues. [GOC:jl]' - }, - 'GO:0044043': { - 'name': 'multi-organism glucan metabolic process', - 'def': 'The chemical reactions and pathways involving glucans, polysaccharides consisting only of glucose residues, involving more than one organism. [ISBN:0198547684]' - }, - 'GO:0044044': { - 'name': 'interaction with host via substance in symbiont surface', - 'def': 'An interaction with the host organism mediated by a substance on the surface of the other (symbiont) organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [MITRE:tk]' - }, - 'GO:0044045': { - 'name': 'interaction with host via substance in symbiont cell outer membrane', - 'def': 'An interaction with the host organism mediated by a substance in the symbiont cell outer membrane - a lipid bilayer that forms the outermost layer of the symbiont cell envelope. The host is defined as the larger of the organisms involved in a symbiotic interaction. [MITRE:tk]' - }, - 'GO:0044046': { - 'name': 'interaction with host via substance released outside of symbiont', - 'def': 'An interaction with the host organism mediated by a substance that is released by the other organism. This includes substances that are released via pathogen cell lysis. [MITRE:tk]' - }, - 'GO:0044047': { - 'name': 'interaction with host via protein secreted by type I secretion system', - 'def': 'An interaction with the host organism mediated by a substance secreted by the other (symbiont) organism via a type I secretion system. The host is defined as the larger of the organisms involved in a symbiotic interaction. [MITRE:tk]' - }, - 'GO:0044048': { - 'name': 'interaction with host via protein secreted by type V secretion system', - 'def': 'An interaction with the host organism mediated by a substance secreted by the other (symbiont) organism via a type V secretion system. The host is defined as the larger of the organisms involved in a symbiotic interaction. [MITRE:tk]' - }, - 'GO:0044049': { - 'name': 'interaction with host via protein secreted by type VI secretion system', - 'def': 'An interaction with the host organism mediated by a substance secreted by the other (symbiont) organism via a type VI secretion system. The host is defined as the larger of the organisms involved in a symbiotic interaction. [MITRE:tk]' - }, - 'GO:0044050': { - 'name': 'interaction with host via substance released by sporangium lysis', - 'def': 'An interaction with the host organism mediated by a substance released via rupture of symbiont sporangia, structures producing and containing spores. The host is defined as the larger of the organisms involved in a symbiotic interaction. [MITRE:tk]' - }, - 'GO:0044051': { - 'name': 'interaction with host via substance released by symbiont cytolysis', - 'def': 'An interaction with the host organism mediated by a substance released via cytolysis of symbiont cells. Cytolysis is the rupture of cell membranes and the loss of cytoplasm. The host is defined as the larger of the organisms involved in a symbiotic interaction. [MITRE:tk]' - }, - 'GO:0044052': { - 'name': 'interaction with host via substance released by membrane budding', - 'def': 'An interaction with the host organism mediated by a substance released via symbiont membrane budding, the evagination of a membrane resulting in formation of a vesicle. [MITRE:tk]' - }, - 'GO:0044053': { - 'name': 'translocation of peptides or proteins into host cell cytoplasm', - 'def': 'The directed movement of peptides or proteins produced by a symbiont organism to a location within the host cell cytoplasm. [MITRE:tk]' - }, - 'GO:0044054': { - 'name': 'rounding by symbiont of host cells', - 'def': 'Any process in which an organism causes host cells to change shape and become round. [MITRE:tk]' - }, - 'GO:0044055': { - 'name': 'modulation by symbiont of host system process', - 'def': 'The alteration by a symbiont organism of the functioning of a system process in the host. A system process is a multicellular organismal process carried out by any of the organs or tissues in an organ system. [MITRE:tk]' - }, - 'GO:0044056': { - 'name': 'modulation by symbiont of host digestive system process', - 'def': 'The alteration by a symbiont organism of the functioning of a digestive system process, a physical, chemical, or biochemical process carried out by the host organism to break down ingested nutrients into components that may be easily absorbed and directed into metabolism. [MITRE:tk]' - }, - 'GO:0044057': { - 'name': 'regulation of system process', - 'def': 'Any process that modulates the frequency, rate or extent of a system process, a multicellular organismal process carried out by any of the organs or tissues in an organ system. [GOC:jl]' - }, - 'GO:0044058': { - 'name': 'regulation of digestive system process', - 'def': 'Any process that modulates the frequency, rate or extent of a digestive system process, a physical, chemical, or biochemical process carried out by living organisms to break down ingested nutrients into components that may be easily absorbed and directed into metabolism. [GOC:jl]' - }, - 'GO:0044059': { - 'name': 'modulation by symbiont of host endocrine process', - 'def': 'The alteration by a symbiont organism of the functioning of a endocrine process, any of the hormonal, neural, and secretory processes that release products into the blood or lymph, in the host organism. [MITRE:tk]' - }, - 'GO:0044060': { - 'name': 'regulation of endocrine process', - 'def': 'Any process that modulates the frequency, rate or extent of an endocrine process, a process involving the secretion of or response to endocrine hormones. An endocrine hormone is a hormone released into the circulatory system. [GOC:jl]' - }, - 'GO:0044061': { - 'name': 'modulation by symbiont of host excretion', - 'def': 'The alteration by a symbiont organism of the functioning of excretion, the elimination by the host organism of the waste products that arise as a result of metabolic activity. [MITRE:tk]' - }, - 'GO:0044062': { - 'name': 'regulation of excretion', - 'def': 'Any process that modulates the frequency, rate, or extent of excretion, the elimination by an organism of the waste products that arise as a result of metabolic activity. [GOC:jl]' - }, - 'GO:0044063': { - 'name': 'modulation by symbiont of host neurological system process', - 'def': 'The alteration by a symbiont organism of the functioning of a host neurophysiological process, an organ system process carried out by any of the organs or tissues of neurological system. [MITRE:tk]' - }, - 'GO:0044064': { - 'name': 'modulation by symbiont of host respiratory system process', - 'def': 'The alteration by a symbiont organism of the functioning of a respiratory system process, an organ system process carried out by any of the organs or tissues of the respiratory system. [MITRE:tk]' - }, - 'GO:0044065': { - 'name': 'regulation of respiratory system process', - 'def': 'Any process that modulates the frequency, rate or extent of a respiratory system process, an organ system process carried out by any of the organs or tissues of the respiratory system. [GOC:jl]' - }, - 'GO:0044066': { - 'name': 'modification by symbiont of host cell nucleus', - 'def': 'The process in which a symbiont organism effects a change in the structure or function of its host cell nucleus. [MITRE:tk]' - }, - 'GO:0044067': { - 'name': 'modification by symbiont of host intercellular junctions', - 'def': 'The process in which a symbiont organism effects a change in the structure or function of its host intercellular junction, a specialized region of connection between two cells. [MITRE:tk]' - }, - 'GO:0044068': { - 'name': 'modulation by symbiont of host cellular process', - 'def': 'Any process in which a symbiont organism modulates the frequency, rate or extent of a cellular process, any process that is carried out at the cellular level, but not necessarily restricted to a single cell, in its host organism. [MITRE:tk]' - }, - 'GO:0044069': { - 'name': 'modulation by symbiont of host anion transport', - 'def': 'The process in which a symbiont organism modulates the anion transport, the directed movement of anions, atoms or small molecules with a net negative charge, into, out of or within a cell, or between cells, of its host organism. [MITRE:tk]' - }, - 'GO:0044070': { - 'name': 'regulation of anion transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of anions, atoms or small molecules with a net negative charge into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0044071': { - 'name': 'modulation by symbiont of host cell cycle', - 'def': "The process in which a symbiont organism effects a change in its host's cell cycle through direct interactions with the host cell macromolecular machinery. [MITRE:tk]" - }, - 'GO:0044072': { - 'name': 'negative regulation by symbiont of host cell cycle', - 'def': "The process in which a symbiont organism stops, prevents or reduces the rate or extent of its host's progression through its cell cycle via direct interactions with the host cell macromolecular machinery. [MITRE:tk]" - }, - 'GO:0044073': { - 'name': 'modulation by symbiont of host translation', - 'def': 'The process in which a symbiont organism effects a change in translation, the chemical reactions and pathways resulting in the formation of a protein, in its host organism. [MITRE:tk]' - }, - 'GO:0044074': { - 'name': 'negative regulation by symbiont of host translation', - 'def': 'The process in which a symbiont organism stops, prevents, or reduces the frequency, rate or extent of translation, the chemical reactions and pathways resulting in the formation of a protein, in its host organism. [MITRE:tk]' - }, - 'GO:0044075': { - 'name': 'modulation by symbiont of host vacuole organization', - 'def': 'Any process in which a symbiont organism modulates the frequency, rate or extent of vacuole organization in its host organism. [MITRE:tk]' - }, - 'GO:0044076': { - 'name': 'positive regulation by symbiont of host vacuole organization', - 'def': 'The process in which a symbiont organism activates or increases the frequency, rate or extent of vacuole organization in its host organism. [MITRE:tk]' - }, - 'GO:0044077': { - 'name': 'modulation by symbiont of host receptor-mediated endocytosis', - 'def': 'The process in which a symbiont organism modulates the frequency, rate or extent of receptor mediated endocytosis, the uptake of external materials by cells, utilizing receptors to ensure specificity of transport, in its host organism. [MITRE:tk]' - }, - 'GO:0044078': { - 'name': 'positive regulation by symbiont of host receptor-mediated endocytosis', - 'def': 'Any process in which a symbiont organism activates or increases the frequency, rate or extent of receptor mediated endocytosis, the uptake of external materials by cells, utilizing receptors to ensure specificity of transport, in its host organism. [MITRE:tk]' - }, - 'GO:0044079': { - 'name': 'modulation by symbiont of host neurotransmitter secretion', - 'def': 'Any process in which a symbiont organism modulates the frequency, rate or extent of the regulated release of a neurotransmitter from a cell in its host organism. [MITRE:tk]' - }, - 'GO:0044080': { - 'name': 'modulation by symbiont of host cGMP-mediated signal transduction', - 'def': 'Any process in which a symbiont organism modulates the rate, frequency or extent of cGMP-mediated signaling in its host organism. cGMP-mediated signaling is a series of molecular signals in which a cell uses cyclic GMP to convert an extracellular signal into a response. [MITRE:tk]' - }, - 'GO:0044081': { - 'name': 'modulation by symbiont of host nitric oxide-mediated signal transduction', - 'def': 'Any process in which a symbiont organism modulates the rate, frequency or extent of nitric oxide mediated signal transduction in its host organism. Nitric oxide mediated signal transduction is a series of molecular signals mediated by the detection of nitric oxide (NO). [MITRE:tk]' - }, - 'GO:0044082': { - 'name': 'modulation by symbiont of host small GTPase mediated signal transduction', - 'def': 'Any process in which a symbiont organism modulates the frequency, rate or extent of small GTPase mediated signal transduction in its host organism. [MITRE:tk]' - }, - 'GO:0044083': { - 'name': 'modulation by symbiont of host Rho protein signal transduction', - 'def': 'Any process in which a symbiont organism modulates the frequency, rate or extent of Rho protein signal transduction in its host organism. [MITRE:tk]' - }, - 'GO:0044084': { - 'name': 'host cell membrane pore complex', - 'def': 'Any small opening in a host cell membrane that allows the passage of gases and/or liquids, composed of host proteins. [MITRE:tk]' - }, - 'GO:0044085': { - 'name': 'cellular component biogenesis', - 'def': 'A process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a cellular component. Includes biosynthesis of constituent macromolecules, and those macromolecular modifications that are involved in synthesis or assembly of the cellular component. [GOC:jl, GOC:mah]' - }, - 'GO:0044087': { - 'name': 'regulation of cellular component biogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cellular component biogenesis, a process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a cellular component. [GOC:jl]' - }, - 'GO:0044088': { - 'name': 'regulation of vacuole organization', - 'def': 'Any process that modulates the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of a vacuole. [GOC:jl, GOC:mah]' - }, - 'GO:0044089': { - 'name': 'positive regulation of cellular component biogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular component biogenesis, a process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a cellular component. [GOC:jl]' - }, - 'GO:0044090': { - 'name': 'positive regulation of vacuole organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of a vacuole. [GOC:jl, GOC:mah]' - }, - 'GO:0044091': { - 'name': 'membrane biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a membrane. [GOC:jl]' - }, - 'GO:0044092': { - 'name': 'negative regulation of molecular function', - 'def': 'Any process that stops or reduces the rate or extent of a molecular function, an elemental biological activity occurring at the molecular level, such as catalysis or binding. [GO:jl]' - }, - 'GO:0044093': { - 'name': 'positive regulation of molecular function', - 'def': 'Any process that activates or increases the rate or extent of a molecular function, an elemental biological activity occurring at the molecular level, such as catalysis or binding. [GO:jl]' - }, - 'GO:0044094': { - 'name': 'host cell nuclear part', - 'def': "Any constituent part of a host cell's nucleus, a membrane-bounded organelle of eukaryotic cells in which chromosomes are housed and replicated. The host is the larger of the organisms involved in a symbiotic interaction. [GOC:ecd]" - }, - 'GO:0044095': { - 'name': 'host cell nucleoplasm', - 'def': "That part of a host cell's nuclear content other than the chromosomes or the nucleolus. The host is the larger of the organisms involved in a symbiotic interaction. [GOC:ecd]" - }, - 'GO:0044096': { - 'name': 'type IV pilus', - 'def': 'A short filamentous structure on the surface of a bacterial cell distinguished from other pili by post-translational N-methylation of the pilin monomers. [GOC:pamgo_curators]' - }, - 'GO:0044097': { - 'name': 'secretion by the type IV secretion system', - 'def': 'The controlled release of proteins or DNA by a cell, via the type IV secretion system. [GOC:pamgo_curators]' - }, - 'GO:0044098': { - 'name': 'DNA secretion by the type IV secretion system', - 'def': 'The controlled release of DNA by a cell, via the type IV secretion system. [GOC:pamgo_curators]' - }, - 'GO:0044099': { - 'name': 'polar tube', - 'def': 'A highly specialized structure unique to microsporidia that is required for host cell invasion. In the spore, the polar tube is connected at the anterior end, and then coils around the sporoplasm. Upon appropriate environmental stimulation, the polar tube rapidly discharges out of the spore, pierces a cell membrane and serves as a conduit for sporoplasm passage into the new host cell. [GOC:mf, PMID:12076771, PMID:9723921]' - }, - 'GO:0044100': { - 'name': 'sporoplasm', - 'def': 'The complex infective apparatus corresponding to the central mass of cytoplasm within a spore that is injected into a host cell by various parasitic microorganisms. [GOC:mf, PMID:12076771, PMID:16004371, PMID:9723921]' - }, - 'GO:0044101': { - 'name': '(R)-citramalyl-CoA lyase activity', - 'def': 'Catalysis of the reaction: (R)-citramalyl-CoA = pyruvate + acetyl-CoA. [GOC:jl, IMG:03307]' - }, - 'GO:0044102': { - 'name': 'purine deoxyribosyltransferase activity', - 'def': 'Catalysis of deoxyribose exchange between purine deoxyribonucleoside as a donor and purine base as an acceptor. [GOC:jl, IMG:03313, PMID:11836245]' - }, - 'GO:0044103': { - 'name': 'L-arabinose 1-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: L-arabinose + NADP+ = L-arabinono-1,4-lactone + NADPH + H+. [GOC:jl, IMG:03333]' - }, - 'GO:0044104': { - 'name': '2,5-dioxovalerate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: 2,5-dioxopentanoate + NAD+ + H2O = 2-oxoglutarate + NADH + H+. [IMG:03338, PMID:16835232, PMID:17202142]' - }, - 'GO:0044105': { - 'name': 'L-xylulose reductase (NAD+) activity', - 'def': 'Catalysis of the reaction: xylitol + NAD+ = L-xylulose + NADH + H+. [IMG:03341, PMID:14736891]' - }, - 'GO:0044106': { - 'name': 'cellular amine metabolic process', - 'def': 'The chemical reactions and pathways involving any organic compound that is weakly basic in character and contains an amino or a substituted amino group, as carried out by individual cells. Amines are called primary, secondary, or tertiary according to whether one, two, or three carbon atoms are attached to the nitrogen atom. [GOC:jl]' - }, - 'GO:0044107': { - 'name': 'cellular alcohol metabolic process', - 'def': 'The chemical reactions and pathways involving alcohols, any of a class of compounds containing one or more hydroxyl groups attached to a saturated carbon atom, as carried out by individual cells. [GOC:jl]' - }, - 'GO:0044108': { - 'name': 'cellular alcohol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alcohols, any of a class of compounds containing one or more hydroxyl groups attached to a saturated carbon atom, carried out at the level of an individual cell. [GOC:jl]' - }, - 'GO:0044109': { - 'name': 'cellular alcohol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alcohols, any of a class of compounds containing one or more hydroxyl groups attached to a saturated carbon atom, occurring at the level of the individual cell. [GOC:jl]' - }, - 'GO:0044110': { - 'name': 'growth involved in symbiotic interaction', - 'def': 'The increase in size or mass of an organism occurring when the organism is in a symbiotic interaction. [GO:jl, GOC:pamgo_curators]' - }, - 'GO:0044111': { - 'name': 'development involved in symbiotic interaction', - 'def': 'The progression of an organism from an initial condition to a later condition, occurring when the organism is in a symbiotic interaction. [GO:jl, GOC:pamgo_curators]' - }, - 'GO:0044112': { - 'name': 'growth in other organism involved in symbiotic interaction', - 'def': 'The increase in size or mass of an organism, occurring within the cells or tissues of a second organism, where the two organisms are in a symbiotic interaction. This may (but not necessarily) include a filamentous growth form, and also can include secretion of proteases and lipases to break down the tissue of the second organism. [GOC:cc, GOC:jl]' - }, - 'GO:0044113': { - 'name': 'development in other organism involved in symbiotic interaction', - 'def': 'The progression of an organism from an initial condition to a later condition, occurring within the cells or tissues of a second organism, where the two organisms are in a symbiotic interaction. This may (but not necessarily) include a filamentous growth form, and also can include secretion of proteases and lipases to break down the tissue of the second organism. [GO:jl, GOC:cc]' - }, - 'GO:0044114': { - 'name': 'development of symbiont in host', - 'def': 'The progression of an organism from an initial condition to a later condition, occurring within the cells or tissues of the host organism. This may (but not necessarily) include a filamentous growth form, and also can include secretion of proteases and lipases to break down host tissue. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044115': { - 'name': 'development of symbiont involved in interaction with host', - 'def': 'The progression of an organism from an initial condition to a later condition, occurring in, on or near the exterior of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044116': { - 'name': 'growth of symbiont involved in interaction with host', - 'def': 'The increase in size or mass of an organism, occurring in, on or near the exterior of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044117': { - 'name': 'growth of symbiont in host', - 'def': 'The increase in size or mass of an organism, occurring within the cells or tissues of the host organism. This may (but not necessarily) include a filamentous growth form, and also can include secretion of proteases and lipases to break down host tissue. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044118': { - 'name': 'development of symbiont in host cell', - 'def': "The progression of the symbiont from an initial condition to a later condition, occurring in its host's cell. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044119': { - 'name': 'growth of symbiont in host cell', - 'def': "The increase in size or mass of symbiont, occurring in its host's cell. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044120': { - 'name': 'development of symbiont in host organelle', - 'def': "The progression of the symbiont from an initial condition to a later condition, occurring in its host's organelle. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044121': { - 'name': 'growth of symbiont in host organelle', - 'def': "The increase in size or mass of a symbiont, occurring in its host's organelle. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044122': { - 'name': 'development of symbiont in host vascular tissue', - 'def': "The progression of the symbiont from an initial condition to a later condition, occurring in its host's vascular tissue. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044123': { - 'name': 'growth of symbiont in host vascular tissue', - 'def': "The increase in size or mass of symbiont, occurring in its host's vascular tissue. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044124': { - 'name': 'development of symbiont in host intercellular space', - 'def': "The progression of the symbiont from an initial condition to a later condition, occurring in its host's intercellular space. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044125': { - 'name': 'growth of symbiont in host intercellular space', - 'def': "The increase in size or mass of symbiont, occurring in its host's intercellular space. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044126': { - 'name': 'regulation of growth of symbiont in host', - 'def': 'Any process in which the symbiont regulates the increase in its size or mass within the cells or tissues of the host organism. This may (but not necessarily) include a filamentous growth form, and also can include secretion of proteases and lipases to break down. The host is defined as the larger of the organisms involved in the symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044127': { - 'name': 'regulation of development of symbiont in host', - 'def': 'Any process in which the symbiont regulates its progression from an initial condition to a later condition, within the cells or tissues of the host organism. This may (but not necessarily) include a filamentous growth form, and also can include secretion of proteases and lipases to break down. The host is defined as the larger of the organisms involved in the symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044128': { - 'name': 'positive regulation of growth of symbiont in host', - 'def': 'Any process in which the symbiont activates, maintains or increases its size or mass within the cells or tissues of the host organism. The host is defined as the larger of the organisms involved in the symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044129': { - 'name': 'positive regulation of development of symbiont in host', - 'def': 'Any process in which the symbiont activates or maintains its progression from an initial condition to a later condition, within the cells or tissues of the host organism. The host is defined as the larger of the organisms involved in the symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044130': { - 'name': 'negative regulation of growth of symbiont in host', - 'def': 'Any process in which the symbiont stops, prevents or reduces its increase in size or mass within the cells or tissues of the host organism. The host is defined as the larger of the organisms involved in the symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044131': { - 'name': 'negative regulation of development of symbiont in host', - 'def': 'Any process in which the symbiont stops, prevents or reduces its progression from an initial condition to a later condition, within the cells or tissues of the host organism. The host is defined as the larger of the organisms involved in the symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044132': { - 'name': 'development of symbiont on or near host', - 'def': 'The progression of a symbiont from an initial condition to a later condition, within the cells or tissues of its host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044133': { - 'name': 'growth of symbiont on or near host', - 'def': 'The increase in size or mass of a symbiont within the cells or tissues of its host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044134': { - 'name': 'development of symbiont on or near host phyllosphere', - 'def': 'The progression of the symbiont from an initial condition to a later condition, occurring on or near its host phyllosphere. The host phyllosphere is defined as total above-ground surfaces of a plant as a habitat for symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044135': { - 'name': 'growth of symbiont on or near host phyllosphere', - 'def': 'The increase in size or mass of symbiont occurring on or near its host phyllosphere. The host phyllosphere is defined as total above-ground surfaces of a plant as a habitat for symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044136': { - 'name': 'development of symbiont on or near host rhizosphere', - 'def': 'The progression of the symbiont from an initial condition to a later condition, occurring on or near its host rhizosphere. The host rhizosphere is defined as total below-ground surfaces of a plant as a habitat for its symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044137': { - 'name': 'growth of symbiont on or near host rhizosphere', - 'def': 'The increase in size or mass of symbiont occurring on or near its host rhizosphere. The host rhizosphere is defined as total below-ground surfaces of a plant as a habitat for its symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044138': { - 'name': 'modulation of development of symbiont on or near host', - 'def': 'Any process in which the symbiont regulates its progression from an initial condition to a later condition, on or near the cells or tissues of the host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044139': { - 'name': 'modulation of growth of symbiont on or near host', - 'def': 'Any process in which the symbiont regulates the increase in its size or mass on or near the cells or tissues of the host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044140': { - 'name': 'negative regulation of growth of symbiont on or near host surface', - 'def': "Any process that stops, prevents, or reduces the frequency, rate or extent of the increase in the symbiont's size or mass on or near the cells or tissues of the host organism. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044141': { - 'name': 'negative regulation of development of symbiont on or near host surface', - 'def': "Any process that stops, prevents, or reduces the frequency, rate or extent of the symbiont's progression from an initial condition to a later condition, on or near the cells or tissues of the host organism. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044142': { - 'name': 'positive regulation of growth of symbiont on or near host surface', - 'def': "Any process that activates or increases the frequency, rate or extent of the symbiont's increase in size or mass on or near the cells or tissues of the host organism. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044143': { - 'name': 'positive regulation of development of symbiont on or near host surface', - 'def': "Any process that activates or increases the frequency, rate or extent of the symbiont's progression from an initial condition to a later condition, on or near the cells or tissues of the host organism. [GOC:jl, GOC:pamgo_curators]" - }, - 'GO:0044144': { - 'name': 'modulation of growth of symbiont involved in interaction with host', - 'def': 'Any process that modulates the frequency, rate or extent of the increase in size or mass of an organism occurring in, on or near the exterior of its host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044145': { - 'name': 'modulation of development of symbiont involved in interaction with host', - 'def': 'Any process that modulates the frequency, rate or extent of the progression of an organism from an initial condition to a later condition, occurring in, on or near the exterior of its host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044146': { - 'name': 'negative regulation of growth of symbiont involved in interaction with host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the increase in size or mass of an organism occurring in, on or near the exterior of its host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044147': { - 'name': 'negative regulation of development of symbiont involved in interaction with host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the progression of an organism from an initial condition to a later condition, occurring in, on or near the exterior of its host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044148': { - 'name': 'positive regulation of growth of symbiont involved in interaction with host', - 'def': 'Any process that activates or increases the frequency, rate or extent of the increase in size or mass of an organism occurring in, on or near the exterior of its host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044149': { - 'name': 'positive regulation of development of symbiont involved in interaction with host', - 'def': 'Any process that activates or increases the frequency, rate or extent of the progression of an organism from an initial condition to a later condition, occurring in, on or near the exterior of its host organism. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0044150': { - 'name': 'development of organism on or near symbiont surface', - 'def': 'The progression of an organism from an initial condition to a later condition, occurring on or near the exterior of its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc, GOC:jl]' - }, - 'GO:0044151': { - 'name': 'growth of organism on or near symbiont surface', - 'def': 'The increase in size or mass of an organism occurring on or near the exterior of its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc, GOC:jl]' - }, - 'GO:0044152': { - 'name': 'development on or near surface of other organism involved in symbiotic interaction', - 'def': 'The progression of an organism from an initial condition to a later condition, occurring on or near the exterior of a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc, GOC:jl]' - }, - 'GO:0044153': { - 'name': 'growth on or near surface of other organism involved in symbiotic interaction', - 'def': 'The increase in size or mass of an organism occurring on or near the exterior of a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc, GOC:jl]' - }, - 'GO:0044154': { - 'name': 'histone H3-K14 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 14 of the histone. [GOC:jl, GOC:lb, PMID:17194708]' - }, - 'GO:0044155': { - 'name': 'host caveola', - 'def': 'A small pit, depression, or invagination, such as any of the minute pits or incuppings of the host cell membrane formed during pinocytosis, that communicates with the outside of a host cell and extends inward, indenting the host cytoplasm and the host cell membrane. Such caveolae may be pinched off to form free vesicles within the host cytoplasm. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:rph]' - }, - 'GO:0044156': { - 'name': 'host cell junction', - 'def': 'A plasma membrane part that forms a specialized region of connection between two host cells or between a host cell and the host extracellular matrix. At a host cell junction, anchoring proteins extend through the host plasma membrane to link cytoskeletal proteins in one cell to cytoskeletal proteins in neighboring cells or to proteins in the extracellular matrix. [GOC:rph]' - }, - 'GO:0044157': { - 'name': 'host cell projection', - 'def': 'A prolongation or process extending from a host cell, e.g. a flagellum or axon. [GOC:rph]' - }, - 'GO:0044158': { - 'name': 'host cell wall', - 'def': 'The rigid or semi-rigid envelope lying outside the host cell membrane of plant, fungal, and most prokaryotic cells, maintaining their shape and protecting them from osmotic lysis. In plants it is made of cellulose and, often, lignin; in fungi it is composed largely of polysaccharides; in bacteria it is composed of peptidoglycan. [GOC:rph]' - }, - 'GO:0044159': { - 'name': 'host thylakoid', - 'def': 'A membranous cellular structure within the host cell that bears the photosynthetic pigments in plants, algae, and cyanobacteria. In cyanobacteria thylakoids are of various shapes and are attached to, or continuous with, the host plasma membrane. In eukaryotic host cells they are flattened, membrane-bounded disk-like structures located in the chloroplasts; in the chloroplasts of higher plants the thylakoids form dense stacks called grana. Isolated thylakoid preparations can carry out photosynthetic electron transport and the associated phosphorylation. [GOC:rph]' - }, - 'GO:0044160': { - 'name': 'host thylakoid membrane', - 'def': 'The pigmented membrane of any host thylakoid. [GOC:rph]' - }, - 'GO:0044161': { - 'name': 'host cell cytoplasmic vesicle', - 'def': 'A vesicle formed of membrane or protein, found in the cytoplasm of a host cell. [GOC:rph]' - }, - 'GO:0044162': { - 'name': 'host cell cytoplasmic vesicle membrane', - 'def': 'The lipid bilayer surrounding a host cell cytoplasmic vesicle. [GOC:rph]' - }, - 'GO:0044163': { - 'name': 'host cytoskeleton', - 'def': 'Any of the various filamentous elements that form the internal framework of host cells, and typically remain after treatment of the cells with mild detergent to remove membrane constituents and soluble components of the host cytoplasm. The term embraces intermediate filaments, microfilaments, microtubules, the microtrabecular lattice, and other structures characterized by a polymeric filamentous nature and long-range order within the host cell. The various elements of the host cytoskeleton not only serve in the maintenance of host cellular shape but also have roles in other host cellular functions, including cellular movement, cell division, endocytosis, and movement of organelles. [GOC:rph]' - }, - 'GO:0044164': { - 'name': 'host cell cytosol', - 'def': 'The part of the host cell cytoplasm that does not contain organelles but which does contain other particulate matter, such as protein complexes. [GOC:jl]' - }, - 'GO:0044165': { - 'name': 'host cell endoplasmic reticulum', - 'def': 'The irregular network of unit membranes, visible only by electron microscopy, that occurs in the host cell cytoplasm of many eukaryotic cells. The membranes form a complex meshwork of tubular channels, which are often expanded into slitlike cavities called cisternae. The host ER takes two forms, rough (or granular), with ribosomes adhering to the outer surface, and smooth (with no ribosomes attached). [GOC:jl]' - }, - 'GO:0044166': { - 'name': 'host cell endoplasmic reticulum lumen', - 'def': 'The volume enclosed by the membranes of the host cell endoplasmic reticulum. [GOC:jl]' - }, - 'GO:0044167': { - 'name': 'host cell endoplasmic reticulum membrane', - 'def': 'The lipid bilayer surrounding the host cell endoplasmic reticulum. [GOC:jl]' - }, - 'GO:0044168': { - 'name': 'host cell rough endoplasmic reticulum', - 'def': 'The irregular network of unit membranes, visible only by electron microscopy, that occurs in the host cell cytoplasm of many eukaryotic cells. The membranes form a complex meshwork of tubular channels, which are often expanded into slitlike cavities called cisternae. The host rough ER has ribosomes adhering to the outer surface. [GOC:jl]' - }, - 'GO:0044169': { - 'name': 'host cell rough endoplasmic reticulum membrane', - 'def': 'The lipid bilayer surrounding the host cell rough endoplasmic reticulum. [GOC:jl]' - }, - 'GO:0044170': { - 'name': 'host cell smooth endoplasmic reticulum', - 'def': 'The irregular network of unit membranes, visible only by electron microscopy, that occurs in the host cell cytoplasm of many eukaryotic cells. The membranes form a complex meshwork of tubular channels, which are often expanded into slitlike cavities called cisternae. The host smooth ER has no ribosomes adhering to the outer surface. [GOC:jl]' - }, - 'GO:0044171': { - 'name': 'host cell smooth endoplasmic reticulum membrane', - 'def': 'The lipid bilayer surrounding the host cell smooth endoplasmic reticulum. [GOC:jl]' - }, - 'GO:0044172': { - 'name': 'host cell endoplasmic reticulum-Golgi intermediate compartment', - 'def': 'A complex system of membrane-bounded compartments located between host cell endoplasmic reticulum (ER) and the host Golgi complex, with a distinctive membrane protein composition; involved in ER-to-Golgi transport. [GOC:jl, GOC:pr]' - }, - 'GO:0044173': { - 'name': 'host cell endoplasmic reticulum-Golgi intermediate compartment membrane', - 'def': 'The lipid bilayer surrounding any of the compartments of the host cell ER-Golgi intermediate compartment system. [GOC:jl]' - }, - 'GO:0044174': { - 'name': 'host cell endosome', - 'def': 'A membrane-bounded organelle that carries materials newly ingested by endocytosis. It passes many of the materials to host cell lysosomes for degradation. [GOC:jl]' - }, - 'GO:0044175': { - 'name': 'host cell endosome membrane', - 'def': 'The lipid bilayer surrounding a host cell endosome. [GOC:jl]' - }, - 'GO:0044176': { - 'name': 'host cell filopodium', - 'def': 'Thin, stiff protrusion extended by the leading edge of a motile host cell such as a crawling fibroblast or amoeba, or an axonal growth cone; usually approximately 0.1 um wide, 5-10 um long, can be up to 50 um long in axon growth cones; contains a loose bundle of about 20 actin filaments oriented with their plus ends pointing outward. [GOC:jl]' - }, - 'GO:0044177': { - 'name': 'host cell Golgi apparatus', - 'def': 'A compound membranous cytoplasmic organelle of eukaryotic host cells, consisting of flattened, ribosome-free vesicles arranged in a more or less regular stack. [GOC:jl]' - }, - 'GO:0044178': { - 'name': 'host cell Golgi membrane', - 'def': 'The lipid bilayer surrounding any of the compartments of the host cell Golgi apparatus. [GOC:jl]' - }, - 'GO:0044179': { - 'name': 'hemolysis in other organism', - 'def': 'The cytolytic destruction of red blood cells, with the release of intracellular hemoglobin, in one organism by another. [GOC:jl]' - }, - 'GO:0044180': { - 'name': 'filamentous growth of a unicellular organism', - 'def': 'The process in which a unicellular organism grows in a threadlike, filamentous shape. [GOC:mtg_cambridge_2009]' - }, - 'GO:0044181': { - 'name': 'filamentous growth of a multicellular organism', - 'def': 'The process in which a multicellular organism grows in a threadlike, filamentous shape. [GOC:mtg_cambridge_2009]' - }, - 'GO:0044182': { - 'name': 'filamentous growth of a population of unicellular organisms', - 'def': 'The process in which a group of unicellular organisms grow in a threadlike, filamentous shape. [GOC:mtg_cambridge_2009]' - }, - 'GO:0044183': { - 'name': 'protein binding involved in protein folding', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex (a complex of two or more proteins that may include other nonprotein molecules) that contributes to the process of protein folding. [GOC:mtg_cambridge_2009]' - }, - 'GO:0044184': { - 'name': 'host cell late endosome', - 'def': 'A prelysosomal endocytic organelle differentiated from host early endosomes by lower lumenal pH and different protein composition. Host late endosomes are more spherical than early endosomes and are mostly juxtanuclear, being concentrated near the microtubule organizing center. [GOC:jl]' - }, - 'GO:0044185': { - 'name': 'host cell late endosome membrane', - 'def': 'The lipid bilayer surrounding a host cell late endosome. [GOC:jl]' - }, - 'GO:0044186': { - 'name': 'host cell lipid particle', - 'def': 'Any particle of coalesced lipids in the cytoplasm of a host cell. May include associated proteins. [GOC:jl]' - }, - 'GO:0044187': { - 'name': 'host cell lysosome', - 'def': 'A small lytic vacuole that has cell cycle-independent morphology and is found in most host animal cells and that contains a variety of hydrolases, most of which have their maximal activities in the pH range 5-6. The contained enzymes display latency if properly isolated. About 40 different lysosomal hydrolases are known and host cell lysosomes have a great variety of morphologies and functions. [GOC:jl]' - }, - 'GO:0044188': { - 'name': 'host cell lysosomal membrane', - 'def': 'The lipid bilayer surrounding the host cell lysosome and separating its contents from the host cell cytoplasm. [GOC:jl]' - }, - 'GO:0044189': { - 'name': 'obsolete host cell microsome', - 'def': 'OBSOLETE: Any of the small, heterogeneous, artifactual, vesicular particles, 50-150 nm in diameter, that are formed when some eukaryotic host cells are homogenized and that sediment on centrifugation at 100000 g. [GOC:jl]' - }, - 'GO:0044190': { - 'name': 'host cell mitochondrial envelope', - 'def': 'The double lipid bilayer enclosing the host cell mitochondrion and separating its contents from the host cell cytoplasm; includes the intermembrane space. [GOC:jl]' - }, - 'GO:0044191': { - 'name': 'host cell mitochondrial membrane', - 'def': 'Either of the lipid bilayers that surround the host cell mitochondrion and form the host cell mitochondrial envelope. [GOC:jl]' - }, - 'GO:0044192': { - 'name': 'host cell mitochondrial inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of the host cell mitochondrial envelope. It is highly folded to form cristae. [GOC:jl]' - }, - 'GO:0044193': { - 'name': 'host cell mitochondrial outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing, lipid bilayer of the host cell mitochondrial envelope. [GOC:jl]' - }, - 'GO:0044194': { - 'name': 'cytolytic granule', - 'def': 'A specialized secretory lysosome that is present in cells with cytolytic capability such as cytotoxic T lymphocytes and natural killer cells. Cytolytic granules mediate the storage and regulated excretion of lytic molecules for killing of target cells. [GOC:jl, PMID:11052265, PMID:12766758]' - }, - 'GO:0044195': { - 'name': 'nucleoplasmic reticulum', - 'def': 'Long, dynamic tubular channels, formed by invagination of the nuclear envelope, that extend deep into the nucleoplasm. The channels have an underlying lamina and are implicated in functioning in signaling and transport. [GOC:jl, PMID:17959832, PMID:9024685]' - }, - 'GO:0044196': { - 'name': 'host cell nucleolus', - 'def': 'A small, dense body one or more of which are present in the nucleus of eukaryotic host cells. [GOC:jl]' - }, - 'GO:0044197': { - 'name': 'Rel homology domain binding', - 'def': 'Interacting selectively and non-covalently with a Rel Homology Domain (RHD) of a protein. The RHD is found in a family of eukaryotic transcription factors, which includes NF-kappaB, Dorsal, Relish and NFAT. [InterPro:IPR011539, Wikipedia:Rel_homology_domain]' - }, - 'GO:0044198': { - 'name': 'zf-TRAF domain binding', - 'def': 'Interacting selectively and non-covalently with a TRAF-type zinc finger domain of a protein. [InterPro:IPR001293]' - }, - 'GO:0044199': { - 'name': 'host cell nuclear envelope', - 'def': 'The double lipid bilayer enclosing the host nucleus and separating its contents from the rest of the host cytoplasm; includes the intermembrane space, a gap of width 20-40 nm (also called the perinuclear space). [GOC:jl]' - }, - 'GO:0044200': { - 'name': 'host cell nuclear membrane', - 'def': 'Either of the lipid bilayers that surround the host nucleus and form the nuclear envelope; excludes the intermembrane space. [GOC:jl]' - }, - 'GO:0044201': { - 'name': 'host cell nuclear inner membrane', - 'def': 'The inner, i.e. lumen-facing, lipid bilayer of the host nuclear envelope. [GOC:jl]' - }, - 'GO:0044202': { - 'name': 'host cell nuclear outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing, lipid bilayer of the host nuclear envelope; continuous with the endoplasmic reticulum of the host cell and sometimes studded with ribosomes. [GOC:jl]' - }, - 'GO:0044203': { - 'name': 'host cell nuclear lamina', - 'def': 'The fibrous, electron-dense layer lying on the nucleoplasmic side of the inner membrane of a host cell nucleus, composed of lamin filaments. [GOC:jl]' - }, - 'GO:0044204': { - 'name': 'host cell nuclear matrix', - 'def': 'The dense fibrillar network lying on the inner side of the host nuclear membrane. [GOC:jl]' - }, - 'GO:0044205': { - 'name': "'de novo' UMP biosynthetic process", - 'def': 'The chemical reactions and pathways resulting in the formation of UMP, uridine monophosphate, starting with the synthesis of (S)-dihydroorotate from bicarbonate; UMP biosynthesis may either occur via reduction by quinone, NAD(+) or oxygen. [GOC:ecd, GOC:jl]' - }, - 'GO:0044206': { - 'name': 'UMP salvage', - 'def': 'Any process which produces UMP, uridine monophosphate, from derivatives of it (e.g. cytidine, uridine, cytosine) without de novo synthesis. [GOC:ecd, PMID:15096496]' - }, - 'GO:0044207': { - 'name': 'translation initiation ternary complex', - 'def': 'A ribonucleoprotein complex that contains aminoacylated initiator methionine tRNA, GTP, and initiation factor 2 (either eIF2 in eukaryotes, or IF2 in prokaryotes). In prokaryotes, fMet-tRNA (initiator) is used rather than Met-tRNA (initiator). [GOC:jl]' - }, - 'GO:0044208': { - 'name': "'de novo' AMP biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of adenosine monophosphate (AMP) from inosine 5'-monophosphate (IMP). [GOC:ecd, PMID:10888601]" - }, - 'GO:0044209': { - 'name': 'AMP salvage', - 'def': "The chemical reactions and pathways resulting in the formation of adenosine monophosphate (AMP) from derivatives of it (either adenine, ADP or adenosine 3',5'-bisphosphate) without de novo synthesis. [GOC:ecd, GOC:jl, PMID:8917457, PMID:9864350]" - }, - 'GO:0044210': { - 'name': "'de novo' CTP biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of cytidine 5'-triphosphate (CTP) from simpler components. [GOC:ecd, GOC:jl, PMID:11912132, PMID:18439916]" - }, - 'GO:0044211': { - 'name': 'CTP salvage', - 'def': "Any process which produces cytidine 5'-triphosphate (CTP) from derivatives of it, without de novo synthesis. [GOC:ecd, GOC:jl, PMID:10501935]" - }, - 'GO:0044212': { - 'name': 'transcription regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with a DNA region that regulates the transcription of a region of DNA, which may be a gene, cistron, or operon. Binding may occur as a sequence specific interaction or as an interaction observed only once a factor has been recruited to the DNA by other factors. [GOC:jl, GOC:txnOH, SO:0005836]' - }, - 'GO:0044213': { - 'name': 'intronic transcription regulatory region DNA binding', - 'def': 'Interacting selectively and non-covalently with an intronic DNA region that regulates the transcription of the transcript it is contained within. [GOC:ecd, GOC:txnOH]' - }, - 'GO:0044214': { - 'name': 'spanning component of plasma membrane', - 'def': 'The component of the plasma membrane consisting of gene products and protein complexes that have some part that spans both leaflets of the membrane. [GOC:ecd]' - }, - 'GO:0044215': { - 'name': 'other organism', - 'def': 'A secondary organism with which the first organism is interacting. [GOC:jl]' - }, - 'GO:0044216': { - 'name': 'other organism cell', - 'def': 'A cell of a secondary organism with which the first organism is interacting. [GOC:jl]' - }, - 'GO:0044217': { - 'name': 'other organism part', - 'def': 'Any constituent part of a secondary organism with which the first organism is interacting. [GOC:jl]' - }, - 'GO:0044218': { - 'name': 'other organism cell membrane', - 'def': 'The cell membrane of a secondary organism with which the first organism is interacting. [GOC:jl]' - }, - 'GO:0044219': { - 'name': 'host cell plasmodesma', - 'def': 'A fine cytoplasmic channel, found in all higher plants, that connects the cytoplasm of one host cell to that of an adjacent host cell. [GOC:rph]' - }, - 'GO:0044220': { - 'name': 'host cell perinuclear region of cytoplasm', - 'def': 'The host cell cytoplasm situated near, or occurring around, the host nucleus. [GOC:rph]' - }, - 'GO:0044221': { - 'name': 'host cell synapse', - 'def': 'The junction between a nerve fiber of one host neuron and another host neuron or muscle fiber or glial cell; the site of interneuronal communication. [GOC:rph]' - }, - 'GO:0044222': { - 'name': 'anammoxosome', - 'def': 'An intracytoplasmic membrane-bounded compartment in anaerobic ammonium oxidation (anammox) bacteria, is the site of anammox catabolism. [GOC:dh, PMID:17993524, PMID:19682260]' - }, - 'GO:0044223': { - 'name': 'pirellulosome', - 'def': 'A cytoplasmic structure found in bacterial phyla Planctomycetes and Verrucomicrobia containing a condensed nucleoid and ribosomes and surrounded by an intracytoplasmic membrane. It is surrounded by ribosome-free cytoplasm, in a compartment called the paryphoplasm. [GOC:dh, PMID:19133117]' - }, - 'GO:0044224': { - 'name': 'juxtaparanode region of axon', - 'def': 'A region of an axon near a node of Ranvier that is between the paranode and internode regions. [GOC:BHF, GOC:jl, PMID:10624965, PMID:14682359]' - }, - 'GO:0044225': { - 'name': 'apical pole of neuron', - 'def': 'Portion of a neuron cell soma closest to the point where the apical dendrite emerges. [NIF_Subcellular:sao1186862860]' - }, - 'GO:0044226': { - 'name': 'basal pole of neuron', - 'def': 'Portion of a neuron cell soma closest to the point where the basilar dendrite emerges. [NIF_Subcellular:sao1186862860]' - }, - 'GO:0044227': { - 'name': 'methane-oxidizing organelle', - 'def': 'A cytoplasmic, membrane-bounded compartment found within Methanotrophic bacteria that contains enzymes and electron transfer proteins for methane catabolism. This structure is analogous to the thylakoid of Cyanobacteria and the anammoxosome of anaerobic ammonium oxidation organisms. [GOC:dh]' - }, - 'GO:0044228': { - 'name': 'host cell surface', - 'def': 'The external part of the host cell wall and/or host plasma membrane. [GOC:rph]' - }, - 'GO:0044229': { - 'name': 'host cell periplasmic space', - 'def': 'The region between the inner (cytoplasmic) and outer host membrane (Gram-negative Bacteria) or inner host membrane and host cell wall (Fungi). [GOC:rph]' - }, - 'GO:0044230': { - 'name': 'host cell envelope', - 'def': 'An envelope that surrounds a bacterial host cell and includes the host cytoplasmic membrane and everything external, encompassing the host periplasmic space, host cell wall, and host outer membrane if present. [GOC:rph]' - }, - 'GO:0044231': { - 'name': 'host cell presynaptic membrane', - 'def': 'A specialized area of membrane of the host axon terminal that faces the plasma membrane of the host neuron or muscle fiber with which the axon terminal establishes a synaptic junction; many host synaptic junctions exhibit structural presynaptic characteristics, such as conical, electron-dense internal protrusions, that distinguish it from the remainder of the axon plasma membrane. [GOC:rph]' - }, - 'GO:0044232': { - 'name': 'organelle membrane contact site', - 'def': 'A zone of apposition between the membranes of two organelles, structured by bridging complexes. Membrane contact sites (MCSs) are specialized for communication, including the efficient traffic of small molecules such as Ca2+ ions and lipids, as well as enzyme-substrate interactions. [GOC:jl, PMID:16806880]' - }, - 'GO:0044233': { - 'name': 'ER-mitochondrion membrane contact site', - 'def': 'A zone of apposition between endoplasmic-reticulum and mitochondrial membranes, structured by bridging complexes. These contact sites are thought to facilitate inter-organelle calcium and phospholipid exchange. [GOC:jl, PMID:19556461]' - }, - 'GO:0044236': { - 'name': 'multicellular organism metabolic process', - 'def': 'The chemical reactions and pathways in a single multicellular organism that occur at the tissue, organ, or organismal level. These processes, unlike cellular metabolism, can include transport of substances between cells when that transport is required. [GOC:go_curators]' - }, - 'GO:0044237': { - 'name': 'cellular metabolic process', - 'def': 'The chemical reactions and pathways by which individual cells transform chemical substances. [GOC:go_curators]' - }, - 'GO:0044238': { - 'name': 'primary metabolic process', - 'def': 'The chemical reactions and pathways involving those compounds which are formed as a part of the normal anabolic and catabolic processes. These processes take place in most, if not all, cells of the organism. [GOC:go_curators, http://www.metacyc.org]' - }, - 'GO:0044239': { - 'name': 'salivary polysaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of polysaccharides by salivary amylase. Salivary amylase is released by salivary glands, usually in the mouth. [GOC:jl, http://www.emc.maricopa.edu/]' - }, - 'GO:0044240': { - 'name': 'multicellular organismal lipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lipids, occurring at the tissue, organ, or organismal level of a multicellular organism. [GOC:jl]' - }, - 'GO:0044241': { - 'name': 'lipid digestion', - 'def': 'The whole of the physical, chemical, and biochemical processes carried out by living organisms to break down ingested lipids into components that may be easily absorbed and directed into metabolism. [GOC:go_curators]' - }, - 'GO:0044242': { - 'name': 'cellular lipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lipids, as carried out by individual cells. [GOC:jl]' - }, - 'GO:0044243': { - 'name': 'multicellular organismal catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of substances in multicellular organisms that occur at the tissue, organ, or organismal level. These processes, unlike cellular metabolism, can include transport of substances between cells when that transport is required. [GOC:go_curators]' - }, - 'GO:0044244': { - 'name': 'multicellular organismal polysaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of polysaccharides, occurring at the tissue, organ, or organismal level of a multicellular organism. [GOC:jl]' - }, - 'GO:0044245': { - 'name': 'polysaccharide digestion', - 'def': 'The whole of the physical, chemical, and biochemical processes carried out by living organisms to break down ingested polysaccharides into components that may be easily absorbed and directed into metabolism. [GOC:go_curators]' - }, - 'GO:0044246': { - 'name': 'regulation of multicellular organismal metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of chemical reactions and pathways in multicellular organisms that occur at the tissue, organ, or organismal level. [GOC:go_curators, GOC:tb]' - }, - 'GO:0044247': { - 'name': 'cellular polysaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of polysaccharides, polymers of many (typically more than 10) monosaccharide residues linked glycosidically, as carried out by individual cells. [CHEBI:18154, GOC:jl]' - }, - 'GO:0044248': { - 'name': 'cellular catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of substances, carried out by individual cells. [GOC:jl]' - }, - 'GO:0044249': { - 'name': 'cellular biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of substances, carried out by individual cells. [GOC:jl]' - }, - 'GO:0044250': { - 'name': 'negative regulation of metabolic activity involved in hibernation', - 'def': 'The slowing of metabolic processes to very low levels in order to conserve energy as a part of hibernation. [GOC:jl, Wikipedia:Hibernation]' - }, - 'GO:0044251': { - 'name': 'protein catabolic process by pepsin', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein by pepsin in the stomach. Pepsin is generated from its precursor pepsinogen, which is activated by hydrolchloric acid (gastric acid). [GOC:jl, http://www.emc.maricopa.edu/]' - }, - 'GO:0044252': { - 'name': 'negative regulation of multicellular organismal metabolic process', - 'def': 'Any process that stops, prevents or reduces frequency, rate or extent of chemical reactions and pathways in multicellular organisms that occur at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044253': { - 'name': 'positive regulation of multicellular organismal metabolic process', - 'def': 'Any process that activates or increases frequency, rate or extent of chemical reactions and pathways in multicellular organisms that occur at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044254': { - 'name': 'multicellular organismal protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein in a multicellular organism, occurring at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044255': { - 'name': 'cellular lipid metabolic process', - 'def': 'The chemical reactions and pathways involving lipids, as carried out by individual cells. [GOC:jl]' - }, - 'GO:0044256': { - 'name': 'protein digestion', - 'def': 'The whole of the physical, chemical, and biochemical processes carried out by living organisms to break down ingested proteins into components that may be easily absorbed and directed into metabolism. [GOC:go_curators]' - }, - 'GO:0044257': { - 'name': 'cellular protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein by individual cells. [GOC:jl]' - }, - 'GO:0044258': { - 'name': 'intestinal lipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown into fatty acids and monoglycerides of lipids in the small intestine. Lipids are broken down by lipases released by the pancreas. [GOC:jl, http://www.emc.maricopa.edu/]' - }, - 'GO:0044259': { - 'name': 'multicellular organismal macromolecule metabolic process', - 'def': 'The chemical reactions and pathways involving macromolecules, large molecules including proteins, nucleic acids and carbohydrates, in multicellular organisms occurring at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044260': { - 'name': 'cellular macromolecule metabolic process', - 'def': 'The chemical reactions and pathways involving macromolecules, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass, as carried out by individual cells. [CHEBI:33694, GOC:mah]' - }, - 'GO:0044261': { - 'name': 'multicellular organismal carbohydrate metabolic process', - 'def': 'The chemical reactions and pathways involving carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, in a single multicellular organism, occurring at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044262': { - 'name': 'cellular carbohydrate metabolic process', - 'def': 'The chemical reactions and pathways involving carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, as carried out by individual cells. [GOC:jl]' - }, - 'GO:0044263': { - 'name': 'multicellular organismal polysaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving polysaccharides, polymers of more than 10 monosaccharide residues joined by glycosidic linkages, in multicellular organisms that occur at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044264': { - 'name': 'cellular polysaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving polysaccharides, polymers of more than 10 monosaccharide residues joined by glycosidic linkages, as carried out by individual cells. [GOC:jl]' - }, - 'GO:0044265': { - 'name': 'cellular macromolecule catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a macromolecule, any large molecule including proteins, nucleic acids and carbohydrates, as carried out by individual cells. [CHEBI:33694, GOC:jl]' - }, - 'GO:0044266': { - 'name': 'multicellular organismal macromolecule catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a macromolecule, any large molecule including proteins, nucleic acids and carbohydrates, in multicellular organisms occurring at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044267': { - 'name': 'cellular protein metabolic process', - 'def': 'The chemical reactions and pathways involving a specific protein, rather than of proteins in general, occurring at the level of an individual cell. Includes cellular protein modification. [GOC:jl]' - }, - 'GO:0044268': { - 'name': 'multicellular organismal protein metabolic process', - 'def': 'The chemical reactions and pathways involving a specific protein, rather than of proteins in general, in multicellular organisms occurring at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044269': { - 'name': 'glycerol ether catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycerol ethers, any anhydride formed between two organic hydroxy compounds, one of which is glycerol. [GOC:jl]' - }, - 'GO:0044270': { - 'name': 'cellular nitrogen compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of organic and inorganic nitrogenous compounds. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0044271': { - 'name': 'cellular nitrogen compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of organic and inorganic nitrogenous compounds. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0044272': { - 'name': 'sulfur compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of compounds that contain sulfur, such as the amino acids methionine and cysteine or the tripeptide glutathione. [GOC:jl]' - }, - 'GO:0044273': { - 'name': 'sulfur compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of compounds that contain sulfur, such as the amino acids methionine and cysteine or the tripeptide glutathione. [GOC:jl]' - }, - 'GO:0044274': { - 'name': 'multicellular organismal biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of substances in multicellular organisms, occurring at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044275': { - 'name': 'cellular carbohydrate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, as carried out by individual cells. [GOC:jl]' - }, - 'GO:0044276': { - 'name': 'multicellular organismal carbohydrate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y, in a single multicellular organism occurring at the tissue, organ, or organismal level. [GOC:jl]' - }, - 'GO:0044277': { - 'name': 'cell wall disassembly', - 'def': 'A process that results in the breakdown of the cell wall. [GOC:jl]' - }, - 'GO:0044278': { - 'name': 'cell wall disruption in other organism', - 'def': 'A process carried out by an organism that results in the breakdown of the cell wall of a second organism. [GOC:jl]' - }, - 'GO:0044279': { - 'name': 'other organism membrane', - 'def': 'A membrane of a secondary organism with which the first organism is interacting. [GOC:jl]' - }, - 'GO:0044280': { - 'name': 'subplasmalemmal coating', - 'def': 'Electron dense material observed coating the cytoplasmic face of the plasma membrane in certain regions of a neuron, e.g., the axon initial segment; the nodal membrane at the Node of Ranvier. [NIF_Subcellular:sao1938587839]' - }, - 'GO:0044281': { - 'name': 'small molecule metabolic process', - 'def': 'The chemical reactions and pathways involving small molecules, any low molecular weight, monomeric, non-encoded molecule. [GOC:curators, GOC:pde, GOC:vw]' - }, - 'GO:0044282': { - 'name': 'small molecule catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of small molecules, any low molecular weight, monomeric, non-encoded molecule. [GOC:curators, GOC:vw]' - }, - 'GO:0044283': { - 'name': 'small molecule biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of small molecules, any low molecular weight, monomeric, non-encoded molecule. [GOC:curators, GOC:pde, GOC:vw]' - }, - 'GO:0044284': { - 'name': 'mitochondrial crista junction', - 'def': 'A tubular structure of relatively uniform size that connects a mitochondrial crista to the mitochondrial inner boundary membrane. [GOC:mcc, NIF_Subcellular:sao1825845900, PMID:21944719, PMID:21987634, PMID:22009199]' - }, - 'GO:0044285': { - 'name': 'bridge contact site', - 'def': 'Site of contact between the inner and outer mitochondrial membrane found in neuronal mitochondria; may play a role in maintaining the structural integrity of the inner and outer boundary membranes. [NIF_Subcellular:sao1858501007]' - }, - 'GO:0044286': { - 'name': 'peg and socket contact', - 'def': 'A cell-cell contact zone that consists of membrane invaginations extending from either cell, which contain tight-, gap-, and adherens junctions. Peg and socket contacts form between endothelial cells and pericytes, and between lens fiber cells. [GOC:tfm, NIF_Subcellular:sao1943947957, PMID:12883993, PMID:16166562, PMID:17591898]' - }, - 'GO:0044288': { - 'name': 'puncta adhaerentia', - 'def': 'A small version of the zonula adherens type junction, characterized by a symmetrical adherent point between two cells. [NIF_Subcellular:sao257629430]' - }, - 'GO:0044289': { - 'name': 'contact site', - 'def': 'Sites of close apposition of the inner and outer mitochondrial membrane. [NIF_Subcellular:sao447856407]' - }, - 'GO:0044290': { - 'name': 'mitochondrial intracristal space', - 'def': 'The space bounded by the mitochondrial cristae membranes, continuous with the intermembrane space. [NIF_Subcellular:sao508958414]' - }, - 'GO:0044291': { - 'name': 'cell-cell contact zone', - 'def': 'Extended zone of intimate apposition between two cells containing one or more types of intercellular junctions, e.g., the intercalated disk of muscle. [NIF_Subcellular:sao1299635018]' - }, - 'GO:0044292': { - 'name': 'dendrite terminus', - 'def': 'A structure at the distal end of a dendrite adapted to carry out a specific function, e.g. dendriole. [GOC:jl, NIF_Subcellular:sao28175134]' - }, - 'GO:0044293': { - 'name': 'dendriole', - 'def': 'Small dendrites that makes up a brush structure found as the terminal specialization of a dendrite of a unipolar brush cell (UBC). [GOC:jl, NIF_Subcellular:sao28175134, NIF_Subcellular:sao295057932, PMID:8300904]' - }, - 'GO:0044294': { - 'name': 'dendritic growth cone', - 'def': 'The migrating motile tip of a growing nerve cell dendrite. [GOC:jl]' - }, - 'GO:0044295': { - 'name': 'axonal growth cone', - 'def': 'The migrating motile tip of a growing nerve cell axon. [GOC:jl, NIF_Subcellular:sao203987954]' - }, - 'GO:0044296': { - 'name': 'dendritic tuft', - 'def': 'The terminal specialization found in some types of dendrites which consists of numerous small terminal branches, giving the dendrite a tufted appearance. [NIF_Subcellular:sao1340260079]' - }, - 'GO:0044297': { - 'name': 'cell body', - 'def': 'The portion of a cell bearing surface projections such as axons, dendrites, cilia, or flagella that includes the nucleus, but excludes all cell projections. [GOC:go_curators]' - }, - 'GO:0044298': { - 'name': 'cell body membrane', - 'def': 'The plasma membrane of a cell that bears surface projections such as axons, dendrites, cilia, or flagella, excluding the plasma membrane on cell projections. [GOC:ecd]' - }, - 'GO:0044299': { - 'name': 'C-fiber', - 'def': 'The axon of a dorsal root ganglion cell that are responsive to pain and temperature. C-fibers are small in diameter (0.2-1.5 um) and unmyelinated. [NIF_Subcellular:nlx_subcell_20090210]' - }, - 'GO:0044300': { - 'name': 'cerebellar mossy fiber', - 'def': 'An axon arising from cerebellar projecting cells in the cochlea, vestibular nuclei, spinal cord, reticular formation, cerebellar nuclei and basilar pontine nuclei. Mossy fibers enter through all three cerebellar peduncles and send collaterals to the deep cerebellar nuclei, then branch in the white matter and terminate in the granule cell layer. Through this branching, a given mossy fiber can innervate several folia. Mossy fibers synapse on granule cells. The synaptic contacts are made at enlargements along the length of the mossy fiber called mossy fiber rosettes. The enlargements of the rosettes give the axons as \\mossy\\ appearance in Golgi stained preparations. [NIF_Subcellular:nlx_subcell_20090209]' - }, - 'GO:0044301': { - 'name': 'climbing fiber', - 'def': 'The axon of inferior olive neuron that projects to the cerebellar cortex, largely via the inferior cerebellar peduncle. They range in diameter from 1-3 um and are myelinated until they enter the granule cell layer. They give off collaterals to the deep cerebellar nuclei. They synapse extensively with the dendrites of Purkinje cells in the molecular layer, where each fiber branches repeatedly to \\climb\\ along the Purkinje cell dendritic tree. Each Purkinje cell is innervated by only a single climbing fiber. [NIF_Subcellular:nlx_subcell_20090203]' - }, - 'GO:0044302': { - 'name': 'dentate gyrus mossy fiber', - 'def': 'Distinctive, unmyelinated axons produced by granule cells. [NIF_Subcellular:nlx_subcell_20090601, PMID:17765709]' - }, - 'GO:0044303': { - 'name': 'axon collateral', - 'def': 'Any of the smaller branches of an axon that emanate from the main axon cylinder. [NIF_Subcellular:sao1470140754]' - }, - 'GO:0044304': { - 'name': 'main axon', - 'def': 'The main axonal trunk, as opposed to the collaterals; i.e., excluding collaterals, terminal, spines, or dendrites. [NIF_Subcellular:sao1596975044]' - }, - 'GO:0044305': { - 'name': 'calyx of Held', - 'def': 'The terminal specialization of a calyciferous axon which forms large synapses in the mammalian auditory central nervous system. [NIF_Subcellular:sao1684283879, PMID:11823805]' - }, - 'GO:0044306': { - 'name': 'neuron projection terminus', - 'def': 'The specialized, terminal region of a neuron projection such as an axon or a dendrite. [GOC:jl]' - }, - 'GO:0044307': { - 'name': 'dendritic branch', - 'def': 'A dendrite arising from another dendrite. [NIF_Subcellular:sao884265541]' - }, - 'GO:0044308': { - 'name': 'axonal spine', - 'def': 'A spine that originates from the axon, usually from the initial segment. [NIF_Subcellular:sao18239917]' - }, - 'GO:0044309': { - 'name': 'neuron spine', - 'def': 'A small membranous protrusion, often ending in a bulbous head and attached to the neuron by a narrow stalk or neck. [ISBN:0198504888, NIF_Subcellular:sao1145756102]' - }, - 'GO:0044310': { - 'name': 'osmiophilic body', - 'def': 'A membrane-bounded vesicle found predominantly in Plasmodium female gametocytes, that becomes progressively more abundant as the gametocyte reaches full maturity. These vesicles lie beneath the subpellicular membrane of the gametocyte, and the release of their contents into the parasitophorous vacuole has been postulated to aid in the escape of gametocytes from the erythrocyte after ingestion by the mosquito. [GOC:jl, PMID:18086189]' - }, - 'GO:0044311': { - 'name': 'exoneme', - 'def': 'A dense granule-like organelle of the apical complex of merozoites, released into the parasitophorous vacuole, mediating protease-dependent rupture and parasite exit from the infected erythrocyte. [GOC:jl, PMID:18083092, PMID:18083098]' - }, - 'GO:0044312': { - 'name': 'crystalloid', - 'def': 'A transient, cytoplasmic organelle found in Plasmodium species that resembles a cytoplasmic inclusion body and whose function is poorly understood. Crystalloids form in ookinetes and disappear after ookinete-to-oocyst transformation. [GOC:jl, PMID:19932717]' - }, - 'GO:0044313': { - 'name': 'protein K6-linked deubiquitination', - 'def': 'A protein deubiquitination process in which a K6-linked ubiquitin chain, i.e. a polymer of ubiquitin formed by linkages between lysine residues at position 6 of the ubiquitin monomers, is removed from a protein. [GOC:sp]' - }, - 'GO:0044314': { - 'name': 'protein K27-linked ubiquitination', - 'def': 'A protein ubiquitination process in which a polymer of ubiquitin, formed by linkages between lysine residues at position 27 of the ubiquitin monomers, is added to a protein. [PMID:19345326]' - }, - 'GO:0044315': { - 'name': 'protein secretion by the type VII secretion system', - 'def': 'The process in which proteins are transferred into the extracellular milieu or directly into host cells, via the type VII protein secretion system. [PMID:17922044, PMID:19876390]' - }, - 'GO:0044316': { - 'name': 'cone cell pedicle', - 'def': 'A specialized axon terminus which is produced by retinal cone cells. Pedicles are large, conical, flat end-feet (8-10 micrometers diameter) of the retinal cone axon that lie more or less side by side on the same plane at the outer edge of the outer plexiform layer (OPL). [http://webvision.med.utah.edu/photo2.html, PMID:10939333]' - }, - 'GO:0044317': { - 'name': 'rod spherule', - 'def': 'A specialized neuron projection which is the site of synaptic transmission produced by retinal rod cells. Rod spherules are small round enlargements of the axon (3-5 micrometers diameter) or even extensions of the cell body. [http://webvision.med.utah.edu/photo2.html]' - }, - 'GO:0044318': { - 'name': 'L-aspartate:fumarate oxidoreductase activity', - 'def': 'Catalysis of the reaction: L-aspartate + fumarate = alpha-iminosuccinate + succinate. [PMID:20149100]' - }, - 'GO:0044319': { - 'name': 'wound healing, spreading of cells', - 'def': 'The migration of a cell along or through a wound gap that contributes to the reestablishment of a continuous surface. [GOC:jl]' - }, - 'GO:0044320': { - 'name': 'cellular response to leptin stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leptin stimulus. Leptin is a hormone manufactured primarily in the adipocytes of white adipose tissue, and the level of circulating leptin is directly proportional to the total amount of fat in the body. It plays a key role in regulating energy intake and energy expenditure, including appetite and metabolism. [GOC:yaf]' - }, - 'GO:0044321': { - 'name': 'response to leptin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leptin stimulus. Leptin is a hormone manufactured primarily in the adipocytes of white adipose tissue, and the level of circulating leptin is directly proportional to the total amount of fat in the body. It plays a key role in regulating energy intake and energy expenditure, including appetite and metabolism]. [GOC:yaf]' - }, - 'GO:0044322': { - 'name': 'endoplasmic reticulum quality control compartment', - 'def': 'A subcompartment of the endoplasmic reticulum in which proteins with improper or incorrect folding accumulate. Enzymes in this compartment direct proteins with major folding problems to translocation to the cytosol and degradation, and proteins with minor folding problems to the ER, to interact with chaperon proteins. [PMID:11408579]' - }, - 'GO:0044323': { - 'name': 'retinoic acid-responsive element binding', - 'def': 'Interacting selectively and non-covalently with a retinoic acid-responsive element, a variable direct repeat of the sequence PuGGTCA spaced by five nucleotides (DR5) found in the promoters of retinoic acid-responsive genes, to which retinoic acid receptors bind. [GOC:jl, GOC:vw, GOC:yaf, PMID:11327309, PMID:19917671]' - }, - 'GO:0044324': { - 'name': 'regulation of transcription involved in anterior/posterior axis specification', - 'def': 'Any process that modulates the frequency, rate or extent of transcription that contributes to the specification of the anterior/posterior axis. [GOC:jl]' - }, - 'GO:0044325': { - 'name': 'ion channel binding', - 'def': 'Interacting selectively and non-covalently with one or more specific sites on an ion channel, a protein complex that spans a membrane and forms a water-filled channel across the phospholipid bilayer allowing selective ion transport down its electrochemical gradient. [GOC:BHF, GOC:jl]' - }, - 'GO:0044326': { - 'name': 'dendritic spine neck', - 'def': 'Part of the dendritic spine that connects the dendritic shaft to the head of the dendritic spine. [GOC:nln]' - }, - 'GO:0044327': { - 'name': 'dendritic spine head', - 'def': 'Distal part of the dendritic spine, that carries the post-synaptic density. [GOC:BHF, GOC:nln, GOC:rl]' - }, - 'GO:0044328': { - 'name': 'canonical Wnt signaling pathway involved in positive regulation of endothelial cell migration', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in the positive regulation of endothelial cell migration. [GOC:BHF, GOC:jl]' - }, - 'GO:0044329': { - 'name': 'canonical Wnt signaling pathway involved in positive regulation of cell-cell adhesion', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in the positive regulation of cell to cell adhesion. [GOC:BHF, GOC:jl]' - }, - 'GO:0044330': { - 'name': 'canonical Wnt signaling pathway involved in positive regulation of wound healing', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in positive regulation of wound healing. [GOC:BHF, GOC:jl]' - }, - 'GO:0044331': { - 'name': 'cell-cell adhesion mediated by cadherin', - 'def': 'The attachment of one cell to another cell via a cadherin, transmembrane proteins having repeating extracellular calcium ion binding domains. [GOC:ha, GOC:hjd, GOC:jl, PMID:10923970]' - }, - 'GO:0044332': { - 'name': 'Wnt signaling pathway involved in dorsal/ventral axis specification', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell contributing to the establishment, maintenance and elaboration of the dorsal/ventral axis. [GOC:jl, GOC:yaf]' - }, - 'GO:0044333': { - 'name': 'Wnt signaling pathway involved in digestive tract morphogenesis', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell contributing to the generation and the organization of the digestive tract. [GOC:BHF, GOC:jl]' - }, - 'GO:0044334': { - 'name': 'canonical Wnt signaling pathway involved in positive regulation of epithelial to mesenchymal transition', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in the positive regulation of epithelial cell to mesenchymal cell transition. [GOC:BHF, GOC:jl]' - }, - 'GO:0044335': { - 'name': 'canonical Wnt signaling pathway involved in neural crest cell differentiation', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in neural crest cell differentiation. [GOC:BHF, GOC:jl]' - }, - 'GO:0044336': { - 'name': 'canonical Wnt signaling pathway involved in negative regulation of apoptotic process', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in the negative regulation of apoptotic process. [GOC:BHF, GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0044337': { - 'name': 'canonical Wnt signaling pathway involved in positive regulation of apoptotic process', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in the positive regulation of apoptotic process. [GOC:BHF, GOC:jl, GOC:mtg_apoptosis]' - }, - 'GO:0044338': { - 'name': 'canonical Wnt signaling pathway involved in mesenchymal stem cell differentiation', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in mesenchymal stem cell differentiation. [GOC:BHF, GOC:jl]' - }, - 'GO:0044339': { - 'name': 'canonical Wnt signaling pathway involved in osteoblast differentiation', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in osteoblast differentiation. [GOC:BHF, GOC:jl]' - }, - 'GO:0044340': { - 'name': 'canonical Wnt signaling pathway involved in regulation of cell proliferation', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes that contributes to modulating the rate or frequency of cell proliferation. [GOC:BHF, GOC:jl]' - }, - 'GO:0044341': { - 'name': 'sodium-dependent phosphate transport', - 'def': 'The directed movement of phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore, by a mechanism dependent upon sodium ions. [GOC:BHF, GOC:jl]' - }, - 'GO:0044342': { - 'name': 'type B pancreatic cell proliferation', - 'def': 'The multiplication or reproduction of pancreatic B cells, resulting in the expansion of an pancreatic B cell population. Pancreatic B cell are cells of the pancreas that secrete insulin. [GOC:jl, GOC:yaf]' - }, - 'GO:0044343': { - 'name': 'canonical Wnt signaling pathway involved in regulation of type B pancreatic cell proliferation', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes that modulates the rate or frequency of pancreatic B cell proliferation. Pancreatic B cell are cells of the pancreas that secrete insulin. [GOC:jl, GOC:yaf]' - }, - 'GO:0044344': { - 'name': 'cellular response to fibroblast growth factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an fibroblast growth factor stimulus. [GOC:jl, GOC:yaf]' - }, - 'GO:0044345': { - 'name': 'stromal-epithelial cell signaling involved in prostate gland development', - 'def': 'The process of transferring information from a stromal cell to an epithelial cell where it is received and interpreted, as part of prostate gland development. [GOC:jl, GOC:yaf]' - }, - 'GO:0044346': { - 'name': 'fibroblast apoptotic process', - 'def': 'Any apoptotic process in a fibroblast, a connective tissue cell which secretes an extracellular matrix rich in collagen and other macromolecules. [CL:0000057, GOC:jl, GOC:mtg_apoptosis, GOC:yaf]' - }, - 'GO:0044347': { - 'name': 'cell wall polysaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cell wall polysaccharides. [GOC:mengo_curators]' - }, - 'GO:0044348': { - 'name': 'plant-type cell wall cellulose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cellulose, a linear beta1-4 glucan of molecular mass 50-400 kDa with the pyranose units in the -4C1 conformation, which forms part of the cell wall. [GOC:mengo_curators]' - }, - 'GO:0044349': { - 'name': 'DNA excision', - 'def': 'The removal of a section of DNA from a larger DNA molecule by the making of dual incisions that flank the section to be excised. [GOC:jl]' - }, - 'GO:0044350': { - 'name': 'micropinocytosis', - 'def': 'An endocytosis process that results in the uptake of liquid material by cells from their external environment by invagination of the plasma membrane to form uncoated micropinosomes, differentiated from macropinosomes by their smaller size, on average 95 nm. [PMID:14731589, PMID:14732047]' - }, - 'GO:0044351': { - 'name': 'macropinocytosis', - 'def': "An endocytosis process that results in the uptake of liquid material by cells from their external environment by the 'ruffling' of the cell membrane to form heterogeneously sized intracellular vesicles called macropinosomes, which can be up to 5 micrometers in size. [PMID:14732047]" - }, - 'GO:0044352': { - 'name': 'pinosome', - 'def': 'A membrane-bounded, uncoated intracellular vesicle formed by the process of pinocytosis. [PMID:14731589, PMID:14732047]' - }, - 'GO:0044353': { - 'name': 'micropinosome', - 'def': 'A membrane-bounded, uncoated intracellular vesicle formed by the process of micropinocytosis. [PMID:14731589, PMID:14732047]' - }, - 'GO:0044354': { - 'name': 'macropinosome', - 'def': 'A membrane-bounded, uncoated intracellular vesicle formed by the process of macropinocytosis. [PMID:14732047]' - }, - 'GO:0044355': { - 'name': 'clearance of foreign intracellular DNA', - 'def': 'A defense process that protects an organism from invading foreign DNA. [GO:jl]' - }, - 'GO:0044356': { - 'name': 'clearance of foreign intracellular DNA by conversion of DNA cytidine to uridine', - 'def': 'A defense process that protects an organism from invading foreign DNA. The process begins by the deamination of foreign double-stranded DNA cytidines to uridines. These atypical DNA nucleosides are then converted by a uracil DNA glycosylase to abasic lesions, and the process ends with the degradation of the foreign DNA. [GO:jl, PMID:20062055]' - }, - 'GO:0044357': { - 'name': 'regulation of rRNA stability', - 'def': 'Any process that modulates the propensity of rRNA molecules to degradation. Includes processes that both stabilize and destabilize rRNAs. [GOC:jl]' - }, - 'GO:0044358': { - 'name': 'envenomation resulting in hemorrhagic damage to other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with vascular damage and hemorrhage in the bitten organism. [PMID:10441379, PMID:20614020]' - }, - 'GO:0044359': { - 'name': 'modulation of molecular function in other organism', - 'def': 'The process in which an organism effects a change in the function of proteins in a second organism. [GOC:jl]' - }, - 'GO:0044360': { - 'name': 'modulation of voltage-gated potassium channel activity in other organism', - 'def': 'Any process in which an organism effects a change in the frequency, rate or extent of the activity of a voltage-gated potassium channel in another organism. [GOC:jl]' - }, - 'GO:0044361': { - 'name': 'negative regulation of voltage-gated potassium channel activity in other organism', - 'def': 'Any process in which an organism stops, prevents or reduces the frequency, rate or extent of the activity of a voltage-gated potassium channel in another organism. [GOC:jl]' - }, - 'GO:0044362': { - 'name': 'negative regulation of molecular function in other organism', - 'def': 'Any process in which an organism stops, prevents or reduces the frequency, rate or extent of the function of proteins in a second organism. [GOC:jl]' - }, - 'GO:0044363': { - 'name': 'modulation of potassium channel activity in other organism', - 'def': 'Any process in which an organism effects a change in the frequency, rate or extent of the activity of a potassium channel in another organism. [GOC:jl]' - }, - 'GO:0044364': { - 'name': 'disruption of cells of other organism', - 'def': "A process in which an organism has a negative effect on the functioning of the second organism's cells. [GOC:jl]" - }, - 'GO:0044365': { - 'name': 'envenomation resulting in modulation of platelet aggregation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant change to the frequency, rate or extent of platelet aggregation in the bitten organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044366': { - 'name': 'feeding on or from other organism', - 'def': 'The process of consuming the whole or part of another organism for the purposes of nutrition. [GOC:jl]' - }, - 'GO:0044367': { - 'name': 'feeding from tissue of other organism', - 'def': 'The behaviour of consuming part of another organism for the purposes of nutrition via a particular tissue e.g. vascular tissue. [GOC:jl]' - }, - 'GO:0044368': { - 'name': 'feeding from vascular tissue of another organism', - 'def': 'The behaviour of consuming part of another organism for the purposes of nutrition via a vascular tissue. [GOC:jl]' - }, - 'GO:0044369': { - 'name': 'feeding on blood of other organism', - 'def': 'The behaviour of feeding on the blood of another organism via specialized mouth parts and chemical agents used to penetrate vascular structures in the skin of hosts. [GOC:jl]' - }, - 'GO:0044370': { - 'name': 'injection of substance into other organism during feeding on blood of other organism', - 'def': 'The process of forcing a substance into the bloodstream of another organism, whilst feeding on blood of other organism. The substance may facilitate the feeding process, e.g. by preventing the blood from clotting. [GOC:jl]' - }, - 'GO:0044371': { - 'name': 'feeding from phloem of other organism', - 'def': 'The behaviour of consuming phloem sap, usually by penetration of the phloem wall, for the purposes of nutrition. [GOC:jl]' - }, - 'GO:0044372': { - 'name': 'feeding from xylem of other organism', - 'def': 'The behaviour of consuming xylem exudate from plant xylem tissue for the purposes of nutrition. [GOC:jl]' - }, - 'GO:0044373': { - 'name': 'cytokinin binding', - 'def': 'Interacting selectively and non-covalently with a cytokinin, any of a class of adenine-derived compounds that can function in plants as growth regulators. [GOC:jl]' - }, - 'GO:0044374': { - 'name': 'sequence-specific DNA binding, bending', - 'def': 'The activity of binding selectively and non-covalently to DNA in a sequence-specific manner and distorting the original structure of DNA, typically a straight helix, into a bend, or increasing the bend if the original structure was intrinsically bent due to its sequence. [GOC:jl, GOC:vw]' - }, - 'GO:0044375': { - 'name': 'regulation of peroxisome size', - 'def': 'Any process that modulates the volume of a peroxisome, a small, membrane-bounded organelle that uses dioxygen (O2) to oxidize organic molecules. [GOC:jl]' - }, - 'GO:0044376': { - 'name': 'RNA polymerase II complex import to nucleus', - 'def': 'The directed movement of the DNA-directed RNA polymerase II core complex from the cytoplasm into the nucleus. [GOC:dos, GOC:jl]' - }, - 'GO:0044377': { - 'name': 'RNA polymerase II core promoter proximal region sequence-specific DNA binding, bending', - 'def': 'Interacting selectively and non-covalently with a sequence of DNA that is in cis with and relatively close to a core promoter for RNA polymerase II and distorting the original structure of DNA, typically a straight helix, into a bend, or increasing the bend if the original structure was intrinsically bent due to its sequence. [GOC:jl]' - }, - 'GO:0044378': { - 'name': 'non-sequence-specific DNA binding, bending', - 'def': 'The activity of binding selectively and non-covalently to DNA in a sequence-independent manner and distorting the original structure of DNA, typically a straight helix, into a bend, or increasing the bend if the original structure was intrinsically bent due to its sequence. [GOC:jl, GOC:vw, PMID:20123079]' - }, - 'GO:0044379': { - 'name': 'protein localization to actin cortical patch', - 'def': 'A process in which a protein is transported to, or maintained in, an actin cortical patch. [GOC:mah, PMID:21620704]' - }, - 'GO:0044380': { - 'name': 'protein localization to cytoskeleton', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the cytoskeleton. [GOC:jl]' - }, - 'GO:0044381': { - 'name': 'glucose import in response to insulin stimulus', - 'def': 'The directed movement of the hexose monosaccharide glucose into a cell as a result of an insulin stimulus. [GOC:BHF, PMID:19079291]' - }, - 'GO:0044382': { - 'name': 'CLRC ubiquitin ligase complex localization to heterochromatin', - 'def': 'The process by which a CLRC ubiquitin ligase complex is transported to, or maintained in, heterochromatin. CLRC ubiquitin ligase complex is an active cullin-dependent E3 ubiquitin ligase complex essential for heterochromatin assembly by RNAi and histone H3K9 methylation. [GOC:jl]' - }, - 'GO:0044383': { - 'name': 'host chromosome', - 'def': 'A structure composed of a very long molecule of DNA and associated proteins (e.g. histones) that carries hereditary information, occurring within a host cell. [GOC:jl]' - }, - 'GO:0044384': { - 'name': 'host outer membrane', - 'def': 'The external membrane of Gram-negative bacteria or certain organelles such as mitochondria and chloroplasts; freely permeable to most ions and metabolites, occurring in a host cell. [GOC:jl]' - }, - 'GO:0044385': { - 'name': 'integral to membrane of host cell', - 'def': 'Penetrating at least one phospholipid bilayer of a membrane. May also refer to the state of being buried in the bilayer with no exposure outside the bilayer. When used to describe a protein, indicates that all or part of the peptide sequence is embedded in the membrane. Occurring in a host cell. [GOC:jl]' - }, - 'GO:0044386': { - 'name': 'integral to host endoplasmic reticulum membrane', - 'def': 'Penetrating at least one phospholipid bilayer of an endoplasmic reticulum membrane. May also refer to the state of being buried in the bilayer with no exposure outside the bilayer. Occurring in a host cell. [GOC:jl]' - }, - 'GO:0044387': { - 'name': 'negative regulation of protein kinase activity by regulation of protein phosphorylation', - 'def': 'The stopping, prevention, or reduction in frequency, rate or extent of protein kinase activity as a result of regulating the phosphorylation status of that protein kinase. [GOC:jl]' - }, - 'GO:0044388': { - 'name': 'small protein activating enzyme binding', - 'def': 'Interacting selectively and non-covalently with a small protein activating enzyme, such as ubiquitin-activating enzyme. [GOC:jl]' - }, - 'GO:0044389': { - 'name': 'ubiquitin-like protein ligase binding', - 'def': 'Interacting selectively and non-covalently with a ubiquitin-like protein ligase, such as ubiquitin-ligase. [GOC:jl]' - }, - 'GO:0044390': { - 'name': 'ubiquitin-like protein conjugating enzyme binding', - 'def': 'Interacting selectively and non-covalently with a ubiquitin-like protein conjugating enzyme such as ubiquitin conjugating enzyme. [GOC:jl]' - }, - 'GO:0044391': { - 'name': 'ribosomal subunit', - 'def': 'Either of the two subunits of a ribosome: the ribosomal large subunit or the ribosomal small subunit. [GOC:jl]' - }, - 'GO:0044392': { - 'name': 'peptidyl-lysine malonylation', - 'def': 'The addition of a malonyl group (CO-CH2-CO) to peptidyl-lysine to form N6-malonyl-L-lysine. [GOC:jsg, GOC:sp, PMID:21908771, PMID:22076378, RESID:AA0568]' - }, - 'GO:0044393': { - 'name': 'microspike', - 'def': 'A dynamic, actin-rich projection extending from the surface of a migrating animal cell. [PMID:11429692, PMID:12153987, PMID:19095735]' - }, - 'GO:0044394': { - 'name': 'protein malonylation', - 'def': 'The modification of a protein amino acid by the addition of a malonyl (CO-CH2-CO) group. [CHEBI:25134, GOC:sp]' - }, - 'GO:0044395': { - 'name': 'protein targeting to vacuolar membrane', - 'def': 'The process of directing proteins towards the vacuolar membrane; usually uses signals contained within the protein. [GOC:jl]' - }, - 'GO:0044396': { - 'name': 'actin cortical patch organization', - 'def': 'A process that is carried out at the cellular level and results in the assembly, arrangement of constituent parts, or disassembly of an actin cortical patch, a discrete actin-containing structure found at the plasma membrane in cells, at sites of endocytosis. [GOC:jl]' - }, - 'GO:0044397': { - 'name': 'actin cortical patch internalization', - 'def': 'A process of actin cortical patch localization in which the patch moves from the cell surface to the inside of the cell. [GOC:mah]' - }, - 'GO:0044398': { - 'name': 'envenomation resulting in induction of edema in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the swelling of soft tissues of the bitten organism as a result of excess water accumulation. [GOC:jl, PMID:20562011]' - }, - 'GO:0044399': { - 'name': 'multi-species biofilm formation', - 'def': "A process in which planktonically growing microorganisms of different species grow at a liquid-air interface or on a solid substrate under the flow of a liquid and produce extracellular polymers that facilitate matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:cc, GOC:di, GOC:tb]" - }, - 'GO:0044400': { - 'name': 'multi-species biofilm formation on inanimate substrate', - 'def': "A process in which microorganisms of different species attach to and grow on an inanimate surface such as a rock or pipe and produce extracellular polymers that facilitate attachment and matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:cc]" - }, - 'GO:0044401': { - 'name': 'multi-species biofilm formation in or on host organism', - 'def': "A process in which microorganisms of different species attach to and grow in or on a host species, and produce extracellular polymers that facilitate attachment and matrix formation, resulting in a change in the microorganisms' growth rate and gene transcription. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]" - }, - 'GO:0044402': { - 'name': 'competition with other organism', - 'def': 'Any process in which an organism within a multispecies community gains an advantage in growth or survival over another organism of a different species in that community. [GOC:cc]' - }, - 'GO:0044403': { - 'name': 'symbiosis, encompassing mutualism through parasitism', - 'def': 'An interaction between two organisms living together in more or less intimate association. Microscopic symbionts are often referred to as endosymbionts. The various forms of symbiosis include parasitism, in which the association is disadvantageous or destructive to one of the organisms; mutualism, in which the association is advantageous, or often necessary to one or both and not harmful to either; and commensalism, in which one member of the association benefits while the other is not affected. However, mutualism, parasitism, and commensalism are often not discrete categories of interactions and should rather be perceived as a continuum of interaction ranging from parasitism to mutualism. In fact, the direction of a symbiotic interaction can change during the lifetime of the symbionts due to developmental changes as well as changes in the biotic/abiotic environment in which the interaction occurs. [GOC:cc, http://www.free-definition.com]' - }, - 'GO:0044405': { - 'name': 'recognition of host', - 'def': 'The set of specific processes that allow an organism to detect the presence of its host via physical or chemical signals. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044406': { - 'name': 'adhesion of symbiont to host', - 'def': 'The attachment of a symbiont to its host via adhesion molecules, general stickiness etc., either directly or indirectly. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:bf, GOC:cc, GOC:dos, GOC:jl]' - }, - 'GO:0044407': { - 'name': 'single-species biofilm formation in or on host organism', - 'def': "A process in which microorganisms of the same species attach to and grow in or on a host species, and produce extracellular polymers that facilitate attachment and matrix formation, resulting in a change in the microorganisms' growth rate and gene transcription. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]" - }, - 'GO:0044408': { - 'name': 'obsolete growth or development of symbiont on or near host', - 'def': 'OBSOLETE. Any process in which the symbiont regulates the increase in its size or mass, or its progression from an initial condition to a later condition, within the cells or tissues of the host organism. [GOC:cc]' - }, - 'GO:0044409': { - 'name': 'entry into host', - 'def': 'Penetration by an organism into the body, tissues, or cells of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044410': { - 'name': 'entry into host through natural portals', - 'def': 'Penetration by an organism into its host organism via naturally occurring openings in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044411': { - 'name': 'entry into host through host barriers', - 'def': 'Penetration by an organism into its host organism via active breaching of the physical barriers of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044412': { - 'name': 'obsolete growth or development of symbiont in host', - 'def': 'OBSOLETE. The increase in size or mass of an organism, or the progression of an organism from an initial condition to a later condition, occurring within the cells or tissues of the host organism. This may (but not necessarily) include a filamentous growth form, and also can include secretion of proteases and lipases to break down host tissue. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044413': { - 'name': 'avoidance of host defenses', - 'def': "Any process, either constitutive or induced, by which an organism evades, suppresses or tolerates the effects of its host organism's defense(s). Host defenses may be induced by the presence of the organism or may be preformed (e.g. physical barriers). The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0044414': { - 'name': 'suppression of host defenses', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of host defense(s) by active mechanisms that normally result in the shutting down of a host pathway. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044415': { - 'name': 'evasion or tolerance of host defenses', - 'def': "Any process, either active or passive, by which an organism avoids or tolerates the effects of its host organism's defense(s). Host defenses may be induced by the presence of the organism or may be preformed (e.g. physical barriers). The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]" - }, - 'GO:0044416': { - 'name': 'induction by symbiont of host defense response', - 'def': 'The activation by an organism of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044417': { - 'name': 'translocation of molecules into host', - 'def': 'The directed movement of a molecule(s) produced by an organism to a location inside its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044418': { - 'name': 'translocation of DNA into host', - 'def': 'The directed movement of DNA from an organism to a location inside its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0044419': { - 'name': 'interspecies interaction between organisms', - 'def': 'Any process in which an organism has an effect on an organism of a different species. [GOC:cc]' - }, - 'GO:0044420': { - 'name': 'extracellular matrix component', - 'def': 'Any constituent part of the extracellular matrix, the structure lying external to one or more cells, which provides structural support for cells or tissues; may be completely external to the cell (as in animals) or be part of the cell (as often seen in plants). [GOC:jl]' - }, - 'GO:0044421': { - 'name': 'extracellular region part', - 'def': 'Any constituent part of the extracellular region, the space external to the outermost structure of a cell. For cells without external protective or external encapsulating structures this refers to space outside of the plasma membrane. This term covers constituent parts of the host cell environment outside an intracellular parasite. [GOC:jl]' - }, - 'GO:0044422': { - 'name': 'organelle part', - 'def': 'Any constituent part of an organelle, an organized structure of distinctive morphology and function. Includes constituent parts of the nucleus, mitochondria, plastids, vacuoles, vesicles, ribosomes and the cytoskeleton, but excludes the plasma membrane. [GOC:jl]' - }, - 'GO:0044423': { - 'name': 'virion part', - 'def': 'Any constituent part of a virion, a complete fully infectious extracellular virus particle. [GOC:jl]' - }, - 'GO:0044424': { - 'name': 'intracellular part', - 'def': 'Any constituent part of the living contents of a cell; the matter contained within (but not including) the plasma membrane, usually taken to exclude large vacuoles and masses of secretory or ingested material. In eukaryotes it includes the nucleus and cytoplasm. [GOC:jl]' - }, - 'GO:0044425': { - 'name': 'membrane part', - 'def': 'Any constituent part of a membrane, a double layer of lipid molecules that encloses all cells, and, in eukaryotes, many organelles; may be a single or double lipid bilayer; also includes associated proteins. [GOC:jl]' - }, - 'GO:0044426': { - 'name': 'cell wall part', - 'def': 'Any constituent part of the cell wall, the rigid or semi-rigid envelope lying outside the cell membrane of plant, fungal, and most prokaryotic cells, maintaining their shape and protecting them from osmotic lysis. [GOC:jl]' - }, - 'GO:0044427': { - 'name': 'chromosomal part', - 'def': 'Any constituent part of a chromosome, a structure composed of a very long molecule of DNA and associated proteins (e.g. histones) that carries hereditary information. [GOC:jl]' - }, - 'GO:0044428': { - 'name': 'nuclear part', - 'def': 'Any constituent part of the nucleus, a membrane-bounded organelle of eukaryotic cells in which chromosomes are housed and replicated. [GOC:jl]' - }, - 'GO:0044429': { - 'name': 'mitochondrial part', - 'def': 'Any constituent part of a mitochondrion, a semiautonomous, self replicating organelle that occurs in varying numbers, shapes, and sizes in the cytoplasm of virtually all eukaryotic cells. It is notably the site of tissue respiration. [GOC:jl]' - }, - 'GO:0044430': { - 'name': 'cytoskeletal part', - 'def': 'Any constituent part of the cytoskeleton, a cellular scaffolding or skeleton that maintains cell shape, enables some cell motion (using structures such as flagella and cilia), and plays important roles in both intra-cellular transport (e.g. the movement of vesicles and organelles) and cellular division. Includes constituent parts of intermediate filaments, microfilaments, microtubules, and the microtrabecular lattice. [GOC:jl]' - }, - 'GO:0044431': { - 'name': 'Golgi apparatus part', - 'def': 'Any constituent part of the Golgi apparatus, a compound membranous cytoplasmic organelle of eukaryotic cells, consisting of flattened, ribosome-free vesicles arranged in a more or less regular stack. [GOC:jl]' - }, - 'GO:0044432': { - 'name': 'endoplasmic reticulum part', - 'def': 'Any constituent part of the endoplasmic reticulum, the irregular network of unit membranes, visible only by electron microscopy, that occurs in the cytoplasm of many eukaryotic cells. The membranes form a complex meshwork of tubular channels, which are often expanded into slitlike cavities called cisternae. [GOC:jl]' - }, - 'GO:0044433': { - 'name': 'cytoplasmic vesicle part', - 'def': 'Any constituent part of cytoplasmic vesicle, a vesicle formed of membrane or protein, found in the cytoplasm of a cell. [GOC:jl]' - }, - 'GO:0044434': { - 'name': 'chloroplast part', - 'def': 'Any constituent part of a chloroplast, a chlorophyll-containing plastid with thylakoids organized into grana and frets, or stroma thylakoids, and embedded in a stroma. [GOC:jl]' - }, - 'GO:0044435': { - 'name': 'plastid part', - 'def': 'Any constituent part of a plastid, a member of a family of organelles found in the cytoplasm of plants and some protists, which are membrane-bounded and contain DNA. Plant plastids develop from a common type, the proplastid. [GOC:jl]' - }, - 'GO:0044436': { - 'name': 'thylakoid part', - 'def': 'Any constituent part of a thylakoid, a sac-like vesicle that bears the photosynthetic pigments in photosynthetic organisms. [GOC:jl]' - }, - 'GO:0044437': { - 'name': 'vacuolar part', - 'def': 'Any constituent part of a vacuole, a closed structure, found only in eukaryotic cells, that is completely surrounded by unit membrane and contains liquid material. [GOC:jl]' - }, - 'GO:0044438': { - 'name': 'microbody part', - 'def': 'Any constituent part of a microbody, a cytoplasmic organelle, spherical or oval in shape, that is bounded by a single membrane and contains oxidative enzymes, especially those utilizing hydrogen peroxide (H2O2). [GOC:jl]' - }, - 'GO:0044439': { - 'name': 'peroxisomal part', - 'def': 'Any constituent part of a peroxisome, a small, membrane-bounded organelle that uses dioxygen (O2) to oxidize organic molecules; contains some enzymes that produce and others that degrade hydrogen peroxide (H2O2). [GOC:jl]' - }, - 'GO:0044440': { - 'name': 'endosomal part', - 'def': 'Any constituent part of an endosome, a membrane-bounded organelle to which materials ingested by endocytosis are delivered. [GOC:mah, PMID:19696797]' - }, - 'GO:0044441': { - 'name': 'ciliary part', - 'def': 'Any constituent part of a cilium, a specialized eukaryotic organelle that consists of a filiform extrusion of the cell surface. Each cilium is bounded by an extrusion of the cytoplasmic (plasma) membrane, and contains a regular longitudinal array of microtubules, anchored basally in a centriole. [GOC:cilia, GOC:jl]' - }, - 'GO:0044443': { - 'name': 'pilus part', - 'def': 'Any constituent part of a pilus, a proteinaceous hair-like appendage on the surface of bacteria ranging from 2-8 nm in diameter. [GOC:pamgo_curators]' - }, - 'GO:0044444': { - 'name': 'cytoplasmic part', - 'def': 'Any constituent part of the cytoplasm, all of the contents of a cell excluding the plasma membrane and nucleus, but including other subcellular structures. [GOC:jl]' - }, - 'GO:0044445': { - 'name': 'cytosolic part', - 'def': 'Any constituent part of cytosol, that part of the cytoplasm that does not contain membranous or particulate subcellular components. [GOC:jl]' - }, - 'GO:0044446': { - 'name': 'intracellular organelle part', - 'def': 'A constituent part of an intracellular organelle, an organized structure of distinctive morphology and function, occurring within the cell. Includes constituent parts of the nucleus, mitochondria, plastids, vacuoles, vesicles, ribosomes and the cytoskeleton but excludes the plasma membrane. [GOC:jl]' - }, - 'GO:0044447': { - 'name': 'axoneme part', - 'def': 'Any constituent part of an axoneme, the bundle of microtubules and associated proteins that forms the core of cilia (also called flagella) in eukaryotic cells and is responsible for their movements. [GOC:cilia, GOC:jl]' - }, - 'GO:0044448': { - 'name': 'cell cortex part', - 'def': 'Any constituent part of the cell cortex, the region of a cell that lies just beneath the plasma membrane and often, but not always, contains a network of actin filaments and associated proteins. [GOC:jl]' - }, - 'GO:0044449': { - 'name': 'contractile fiber part', - 'def': 'Any constituent part of a contractile fiber, a fiber composed of actin, myosin, and associated proteins, found in cells of smooth or striated muscle. [GOC:jl]' - }, - 'GO:0044450': { - 'name': 'microtubule organizing center part', - 'def': 'Any constituent part of a microtubule organizing center, a region in a eukaryotic cell, such as a centrosome or basal body, from which microtubules grow. [GOC:jl]' - }, - 'GO:0044451': { - 'name': 'nucleoplasm part', - 'def': 'Any constituent part of the nucleoplasm, that part of the nuclear content other than the chromosomes or the nucleolus. [GOC:jl]' - }, - 'GO:0044452': { - 'name': 'nucleolar part', - 'def': 'Any constituent part of a nucleolus, a small, dense body one or more of which are present in the nucleus of eukaryotic cells. It is rich in RNA and protein, is not bounded by a limiting membrane, and is not seen during mitosis. [GOC:jl]' - }, - 'GO:0044453': { - 'name': 'nuclear membrane part', - 'def': 'Any constituent part of the nuclear membrane, the envelope that surrounds the nucleus of eukaryotic cells. [GOC:jl]' - }, - 'GO:0044454': { - 'name': 'nuclear chromosome part', - 'def': 'Any constituent part of a nuclear chromosome, a chromosome that encodes the nuclear genome and is found in the nucleus of a eukaryotic cell during the cell cycle phases when the nucleus is intact. [GOC:jl]' - }, - 'GO:0044455': { - 'name': 'mitochondrial membrane part', - 'def': 'Any constituent part of a mitochondrial membrane, either of the lipid bilayers that surround the mitochondrion and form the mitochondrial envelope. [GOC:jl]' - }, - 'GO:0044456': { - 'name': 'synapse part', - 'def': 'Any constituent part of a synapse, the junction between a nerve fiber of one neuron and another neuron or muscle fiber or glial cell. [GOC:jl]' - }, - 'GO:0044457': { - 'name': 'cell septum part', - 'def': 'Any constituent part of a cell septum, a structure composed of peptidoglycan and often chitin in addition to other materials. It usually forms perpendicular to the long axis of a cell or hypha and grows centripetally from the cell wall to the center of the cell and often functions in the compartmentalization of a cell into two daughter cells. [GOC:jl]' - }, - 'GO:0044458': { - 'name': 'motile cilium assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a motile cilium. [GO_REF:0000079, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:19776033, PMID:21129373, ZFIN:dsf]' - }, - 'GO:0044459': { - 'name': 'plasma membrane part', - 'def': 'Any constituent part of the plasma membrane, the membrane surrounding a cell that separates the cell from its external environment. It consists of a phospholipid bilayer and associated proteins. [GOC:jl]' - }, - 'GO:0044460': { - 'name': 'obsolete flagellum part', - 'def': 'OBSOLETE. Any constituent part of a flagellum, a long whiplike or feathery structure borne either singly or in groups by the motile cells of many bacteria and unicellular eukaryotes and by the motile male gametes of many eukaryotic organisms, which propel the cell through a liquid medium. [GOC:jl]' - }, - 'GO:0044461': { - 'name': 'bacterial-type flagellum part', - 'def': 'Any constituent part of flagellum, a 20 nm diameter filament composed of subunits of flagellin driven passively at its base by a motor powered by the transmembrane proton potential. Examples of this component are found in bacterial species. [GOC:jl, GOC:mtg_sensu]' - }, - 'GO:0044462': { - 'name': 'external encapsulating structure part', - 'def': 'Any constituent part of an external encapsulating structure, a structure that lies outside the plasma membrane and surrounds the entire cell. This does not include the periplasmic space but does include the outer membrane (of gram negative bacteria) or cell wall (of yeast or Gram positive bacteria). [GOC:jl]' - }, - 'GO:0044463': { - 'name': 'cell projection part', - 'def': 'Any constituent part of a cell projection, a prolongation or process extending from a cell, e.g. a flagellum or axon. [GOC:jl]' - }, - 'GO:0044464': { - 'name': 'cell part', - 'def': 'Any constituent part of a cell, the basic structural and functional unit of all organisms. [GOC:jl]' - }, - 'GO:0044465': { - 'name': 'modulation of sensory perception of pain in other organism', - 'def': 'A process that modulates the frequency, rate or extent of the sensory perception of pain, the series of events required for an organism to receive a painful stimulus, convert it to a molecular signal, and recognize and characterize the signal, in a different organism. [GOC:ed, PMID:18579526]' - }, - 'GO:0044466': { - 'name': 'glutaryl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: glutaryl-CoA + H2O = CoA + glutarate. [GOC:pm, PMID:16141203]' - }, - 'GO:0044467': { - 'name': 'glial cell-derived neurotrophic factor secretion', - 'def': 'The regulated release of glial cell line-derived neurotrophic factor from a cell. Glial cell-derived neurotrophic factor (GDNF) is a small protein that potently promotes the survival of many types of neurons, notably dopaminergic and motor neurons. [GOC:yaf, PMID:17505307]' - }, - 'GO:0044468': { - 'name': 'envenomation resulting in modulation of blood coagulation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the modulation of the frequency, rate or extent of blood coagulation in the bitten organism. [GOC:jl]' - }, - 'GO:0044469': { - 'name': 'envenomation resulting in positive regulation of blood coagulation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant activation, maintenance or an increase in the frequency, rate or extent of blood coagulation in the bitten organism. [GOC:jl]' - }, - 'GO:0044470': { - 'name': 'envenomation resulting in negative regulation of blood coagulation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant stopping, prevention or reduction in the frequency, rate or extent of blood coagulation in the bitten organism. [GOC:jl]' - }, - 'GO:0044471': { - 'name': 'envenomation resulting in pore formation in membrane of other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the aggregation, arrangement and bonding together of a set of components to form a pore complex in a membrane of the bitten organism. [GOC:fj, GOC:jl, PMID:21549739]' - }, - 'GO:0044472': { - 'name': 'envenomation resulting in modulation of calcium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant change in the activity of a calcium channel in the bitten organism. [GOC:fj, GOC:jl, PMID:20920515]' - }, - 'GO:0044473': { - 'name': 'envenomation resulting in negative regulation of calcium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant stopping, prevention or reduction of the activity of a calcium channel in the bitten organism. [GOC:fj, GOC:jl, PMID:20920515]' - }, - 'GO:0044474': { - 'name': 'envenomation resulting in negative regulation of voltage-gated calcium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant stopping, prevention or reduction of the activity of a voltage-gated calcium channel in the bitten organism. [GOC:fj, GOC:jl, PMID:20920515]' - }, - 'GO:0044475': { - 'name': 'envenomation resulting in negative regulation of high voltage-gated calcium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant stopping, prevention or reduction of the activity of a high voltage-gated calcium channel in the bitten organism. [GOC:fj, GOC:jl, PMID:20920515]' - }, - 'GO:0044476': { - 'name': 'envenomation resulting in negative regulation of low voltage-gated calcium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant stopping, prevention or reduction of the activity of a low voltage-gated calcium channel in the bitten organism. [GOC:fj, GOC:jl, PMID:20920515]' - }, - 'GO:0044477': { - 'name': 'envenomation resulting in negative regulation of platelet aggregation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant stopping, prevention or reduction in the frequency, rate or extent of platelet aggregation in the bitten organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044478': { - 'name': 'envenomation resulting in positive regulation of platelet aggregation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant activation, maintenance or an increase in the frequency, rate or extent of platelet aggregation in the bitten organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044479': { - 'name': 'envenomation resulting in modulation of mast cell degranulation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of blood mast cell degranulation in the bitten organism. [GOC:fj, GOC:jl, PMID:21549739]' - }, - 'GO:0044480': { - 'name': 'envenomation resulting in positive regulation of mast cell degranulation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant positive regulation of blood mast cell degranulation in the bitten organism. [GOC:fj, GOC:jl, PMID:21549739]' - }, - 'GO:0044481': { - 'name': 'envenomation resulting in proteolysis in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant hydrolysis of proteins in of the bitten organism. [GOC:fj, GOC:jl, PMID:15922779]' - }, - 'GO:0044482': { - 'name': 'envenomation resulting in blood vessel extracellular matrix damage, causing hemorrhagic damage in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism which causes damage to the extracellular matrix of the blood vessels of the bitten organism, ultimately resulting in hemorrhage in the bitten organism. [GOC:fj, GOC:jl, PMID:10441379, PMID:19485419]' - }, - 'GO:0044483': { - 'name': 'envenomation resulting in impairment of hemostasis in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the inhibition of the process of hemostasis - the stopping of bleeding or the arrest of the circulation to an organ or part - in the bitten organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044484': { - 'name': 'envenomation resulting in fibrinolysis in other organism', - 'def': 'The process which begins with venom being forced into an organism by the bite or sting of another organism, and ends with fibrinolysis, a process that solubilizes fibrin, chiefly by the proteolytic action of plasmin, in the bloodstream of the bitten/stung organism. [GOC:fj, GOC:jl, PMID:17433397, PMID:17544404]' - }, - 'GO:0044485': { - 'name': 'envenomation resulting in fibrinogenolysis in other organism', - 'def': 'The process which begins with venom being forced into an organism by the bite or sting of another organism, and ends with fibrinogenolysis, a process that degrades fibrinogen at a variety of Arg-Lys bonds, thus impairing fibrinogen clotting in the bloodstream of the bitten/stung organism. [GOC:fj, GOC:jl, PMID:17433397, PMID:17544404]' - }, - 'GO:0044486': { - 'name': 'modulation of transmission of nerve impulse in other organism', - 'def': 'The process in which an organism effects a change in the transmission of a nerve impulse in another organism. [GOC:jl]' - }, - 'GO:0044487': { - 'name': 'envenomation resulting in modulation of transmission of nerve impulse in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of the transmission of nerve impulses in the bitten organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044488': { - 'name': 'modulation of voltage-gated sodium channel activity in other organism', - 'def': 'Any process in which an organism effects a change in the frequency, rate or extent of the activity of a voltage-gated sodium channel in another organism. [GOC:fj, GOC:jl, PMID:21781281]' - }, - 'GO:0044489': { - 'name': 'negative regulation of voltage-gated sodium channel activity in other organism', - 'def': 'Any process in which an organism stops, prevents or reduces the frequency, rate or extent of the activity of a voltage-gated sodium channel in another organism. [GOC:fj, GOC:jl, PMID:21781281]' - }, - 'GO:0044490': { - 'name': 'positive regulation of voltage-gated sodium channel activity in other organism', - 'def': 'Any process that activates or increases the frequency, rate or extent of the activity of a voltage-gated sodium channel in another organism. [GOC:fj, GOC:jl, PMID:21781281]' - }, - 'GO:0044491': { - 'name': 'positive regulation of molecular function in other organism', - 'def': 'Any process that activates or increases the frequency, rate or extent of the function of proteins in a second organism. [GOC:jl]' - }, - 'GO:0044492': { - 'name': 'envenomation resulting in modulation of voltage-gated sodium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant change in the activity of a voltage-gated sodium channel in the bitten organism. [GOC:fj, GOC:jl, PMID:21781281]' - }, - 'GO:0044493': { - 'name': 'envenomation resulting in negative regulation of voltage-gated sodium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant stopping, prevention or reduction of the activity of a voltage-gated sodium channel in the bitten organism. [GOC:fj, GOC:jl, PMID:21781281]' - }, - 'GO:0044494': { - 'name': 'envenomation resulting in positive regulation of voltage-gated sodium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant activation or increase in the activity of the activity of a voltage-gated sodium channel in the bitten organism. [GOC:fj, GOC:jl, PMID:21781281]' - }, - 'GO:0044495': { - 'name': 'modulation of blood pressure in other organism', - 'def': 'A process by which one organism modulates the force with which blood travels through the circulatory system of another organism. [GOC:fj, GOC:jl, PMID:19837656]' - }, - 'GO:0044496': { - 'name': 'negative regulation of blood pressure in other organism', - 'def': 'A process by which one organism decreases the force with which blood travels through the circulatory system of another organism. [GOC:fj, GOC:jl, PMID:19837656]' - }, - 'GO:0044497': { - 'name': 'positive regulation of blood pressure in other organism', - 'def': 'A process by which one organism increases the force with which blood travels through the circulatory system of another organism. [GOC:fj, GOC:jl, PMID:19837656]' - }, - 'GO:0044498': { - 'name': 'envenomation resulting in modulation of blood pressure in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of the force with which blood travels through the circulatory system of the bitten/stung organism. [GOC:fj, GOC:jl, PMID:19837656]' - }, - 'GO:0044499': { - 'name': 'envenomation resulting in positive regulation of blood pressure in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant increase of the force with which blood travels through the circulatory system of the bitten/stung organism. [GOC:fj, GOC:jl, PMID:19837656]' - }, - 'GO:0044500': { - 'name': 'envenomation resulting in negative regulation of blood pressure in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant decrease of the force with which blood travels through the circulatory system of the bitten/stung organism. [GOC:fj, GOC:jl, PMID:19837656]' - }, - 'GO:0044501': { - 'name': 'modulation of signal transduction in other organism', - 'def': 'The process in which an organism effects a change in a signal transduction process - a cellular process in which a signal is conveyed to trigger a change in the activity or state of a cell - in a second organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044502': { - 'name': 'positive regulation of signal transduction in other organism', - 'def': 'A process in which an organism activates, maintains or increases the frequency, rate or extent of a signal transduction process - a cellular process in which a signal is conveyed to trigger a change in the activity or state of a cell - in a second organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044503': { - 'name': 'modulation of G-protein coupled receptor activity in other organism', - 'def': 'The process in which an organism effects a change in the activity of a G-protein coupled receptor in a second organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044504': { - 'name': 'modulation of receptor activity in other organism', - 'def': 'The process in which an organism effects a change in the activity of a receptor in a second organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044505': { - 'name': 'positive regulation of G-protein coupled receptor activity in other organism', - 'def': 'A process that activates or increases the frequency, rate or extent of the activity of a G-protein coupled receptor in a second organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044506': { - 'name': 'modulation of glucagon-like peptide receptor 1 activity in other organism', - 'def': 'The process in which an organism effects a change in the activity of a glucagon-like peptide receptor 1 in a second organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044507': { - 'name': 'positive regulation of receptor activity in other organism', - 'def': 'A process that activates or increases the frequency, rate or extent of the activity of a receptor in a second organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044508': { - 'name': 'glucagon-like peptide 1 receptor activity', - 'def': 'Combining with glucagon-like peptide 1 and transmitting the signal across the membrane by activating an associated G-protein. [GOC:jl, PMID:12529935]' - }, - 'GO:0044509': { - 'name': 'envenomation resulting in modulation of signal transduction in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of signal transduction in the bitten organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044510': { - 'name': 'envenomation resulting in positive regulation of signal transduction in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant positive regulation of signal transduction in the bitten organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044511': { - 'name': 'envenomation resulting in modulation of receptor activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of receptor activity in of the bitten organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044512': { - 'name': 'envenomation resulting in modulation of glucagon-like peptide receptor 1 activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of glucagon-like peptide receptor 1 activity in of the bitten organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044513': { - 'name': 'envenomation resulting in modulation of G-protein coupled receptor activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of G-protein coupled receptor activity in of the bitten organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044514': { - 'name': 'envenomation resulting in positive regulation of G-protein coupled receptor activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant positive regulation of G-protein coupled receptor activity in of the bitten organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044515': { - 'name': 'envenomation resulting in positive regulation of glucagon-like peptide receptor 1 activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant positive regulation of glucagon-like peptide receptor 1 activity in of the bitten organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044516': { - 'name': 'positive regulation of glucagon-like peptide receptor 1 activity in other organism', - 'def': 'A process that activates or increases the frequency, rate or extent of the activity of a glucagon-like peptide receptor 1 in a second organism. [GOC:fj, GOC:jl, PMID:8405712]' - }, - 'GO:0044517': { - 'name': 'modulation of vasoactive intestinal polypeptide receptor activity in other organism', - 'def': 'The process in which an organism effects a change in the activity of a vasoactive intestinal polypeptide receptor in a second organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044518': { - 'name': 'positive regulation of vasoactive intestinal polypeptide receptor activity in other organism', - 'def': 'A process that activates or increases the frequency, rate or extent of the activity of a vasoactive intestinal polypeptide receptor in a second organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044519': { - 'name': 'envenomation resulting in modulation of vasoactive intestinal polypeptide receptor activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of the activity of a vasoactive intestinal polypeptide receptor in the bitten organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044520': { - 'name': 'envenomation resulting in positive regulation of vasoactive intestinal polypeptide receptor activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant positive regulation of the activity of a vasoactive intestinal polypeptide receptor in the bitten organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044521': { - 'name': 'envenomation resulting in muscle damage in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with resultant muscle damage in the bitten organism. [GOC:fj, GOC:jl, PMID:10620318, PMID:21150580]' - }, - 'GO:0044522': { - 'name': 'envenomation resulting in myocyte killing in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, killing heart myocytes and ultimately resulting in muscle damage in the bitten organism. [GOC:fj, GOC:jl, PMID:10620318, PMID:21150580]' - }, - 'GO:0044523': { - 'name': 'envenomation resulting in damage of muscle extracellular matrix in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, damaging the extracellular matrix of muscle cells and ultimately resulting in muscle necrosis in the bitten organism. [GOC:fj, GOC:jl, PMID:10620318, PMID:21150580]' - }, - 'GO:0044524': { - 'name': 'protein sulfhydration', - 'def': 'The modification of a protein amino acid by the addition of sulfur. [GOC:jl, GOC:jsg, PMID:19903941, PMID:22169477, PMID:8161529]' - }, - 'GO:0044525': { - 'name': 'peptidyl-cystine sulfhydration', - 'def': 'The modification of a peptidyl-cystine residue in a protein by the addition of sulfur, to form peptidyl-cysteine persulfide. [GOC:jl, GOC:jsg]' - }, - 'GO:0044526': { - 'name': 'formation of peptidyl-cystine persulfide by sulphur transfer from free cysteine', - 'def': 'The modification of a peptidyl-cystine residue in a protein by the transfer of a sulfur atom from a free cysteine (in the process converting the free cysteine to alanine) to the peptidyl-cysteine to form peptidyl-cysteine persulfide. [GOC:jl, GOC:jsg]' - }, - 'GO:0044527': { - 'name': 'formation of peptidyl-cystine persulfide by sulphur transfer from H2S', - 'def': 'The modification of a peptidyl-cystine residue in a protein by the direct addition of H2S, followed by the removal of 2 protons to form peptidyl-cysteine persulfide. [GOC:jl, GOC:jsg]' - }, - 'GO:0044528': { - 'name': 'regulation of mitochondrial mRNA stability', - 'def': 'Any process that modulates the propensity of mitochondrial mRNA molecules to degradation. Includes processes that both stabilize and destabilize mitochondrial mRNAs. [GOC:al, GOC:jl]' - }, - 'GO:0044529': { - 'name': 'regulation of mitochondrial rRNA stability', - 'def': 'Any process that modulates the propensity of mitochondrial rRNA molecules to degradation. Includes processes that both stabilize and destabilize mitochondrial rRNAs. [GOC:al, GOC:jl]' - }, - 'GO:0044530': { - 'name': 'supraspliceosomal complex', - 'def': "Multicomponent complex of RNA and proteins that is composed of four active spliceosomes, termed native spliceosomes, connected to each other by the pre-mRNA. The supraspliceosome is the nuclear machine where the pre-mRNA processing takes place, like the 5'-end capping, 3'-end cleavage, splicing and editing. [GOC:ans, GOC:jl, PMID:19282290]" - }, - 'GO:0044531': { - 'name': 'modulation of programmed cell death in other organism', - 'def': 'A process in which an organism modulates the frequency, rate or extent of programmed cell death in a second organism. [GOC:jl]' - }, - 'GO:0044532': { - 'name': 'modulation of apoptotic process in other organism', - 'def': 'A process in which an organism modulates the frequency, rate or extent of apoptosis in a second organism. [GOC:jl]' - }, - 'GO:0044533': { - 'name': 'positive regulation of apoptotic process in other organism', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of programmed cell death by apoptosis in a second organism. [GOC:jl, PMID:17983639]' - }, - 'GO:0044534': { - 'name': 'envenomation resulting in modulation of apoptotic process in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of apoptosis in the bitten organism. [GOC:fj, GOC:jl, PMID:17983639]' - }, - 'GO:0044535': { - 'name': 'very-long-chain fatty acyl-CoA oxidase activity', - 'def': 'Catalysis of the reaction: very-long-chain fatty acyl-CoA (C22 - C24) + O2 = trans-2,3-dehydroacyl-CoA + hydrogen peroxide. [PMID:17458872]' - }, - 'GO:0044536': { - 'name': 'envenomation resulting in depletion of circulating fibrinogen in other organism', - 'def': 'The process which begins with venom being forced into an organism by the bite or sting of another organism, and ends with a reduction in the quantity of fibrinogen found in the bloodstream of the bitten/stung organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044537': { - 'name': 'regulation of circulating fibrinogen levels', - 'def': 'Any process that modulates the quantity of fibrinogen circulating in the bloodstream. [GOC:jl]' - }, - 'GO:0044538': { - 'name': 'host cell periphery', - 'def': 'The part of a cell encompassing the cell cortex, the plasma membrane, and any external encapsulating structures of a host cell. [GOC:jl, PMID:20463076]' - }, - 'GO:0044539': { - 'name': 'long-chain fatty acid import', - 'def': 'The directed movement of long-chain fatty acids into a cell or organelle. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [GOC:jl, GOC:pm, PMID:22022213]' - }, - 'GO:0044540': { - 'name': 'L-cystine L-cysteine-lyase (deaminating)', - 'def': 'Catalysis of the reaction: L-cystine + H2O <=> pyruvate + NH3 + thiocysteine. Thiocysteine is also known as cysteine persulfide. [GOC:jl, RHEA:24930]' - }, - 'GO:0044541': { - 'name': 'zymogen activation in other organism', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the proteolytic processing of an inactive enzyme to an active form in another organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044542': { - 'name': 'plasminogen activation in other organism', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the processing of inactive plasminogen to active plasmin in another organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044543': { - 'name': 'envenomation resulting in zymogen activation in other organism', - 'def': 'The process which begins with venom being forced into an organism by the bite or sting of another organism, and ends with the proteolytic processing of an inactive enzyme to an active form. [GOC:fj, GOC:jl]' - }, - 'GO:0044544': { - 'name': 'envenomation resulting in plasminogen activation in other organism', - 'def': 'The process which begins with venom being forced into an organism by the bite or sting of another organism, and ends with the activation of plasminogen into plasmin in the bitten organism. This process includes cleavage at an internal Arg-Val site to form an N-terminal A-chain and C-terminal B-chain held together by a disulfide bond, and can include further proteolytic cleavage events to remove the preactivation peptide. [GOC:fj, GOC:jl]' - }, - 'GO:0044545': { - 'name': 'NSL complex', - 'def': 'A histone acetyltransferase complex that catalyzes the acetylation of a histone H4 lysine residues at several positions. In human, it contains the catalytic subunit MOF, NSL1/KIAA1267, NSL2/KANSL2, NSL3/KANSL3, MCRS1, PHF20, OGT1, WDR5 and HCF1. [GOC:lb, PMID:20018852]' - }, - 'GO:0044546': { - 'name': 'NLRP3 inflammasome complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the NLRP3 inflammasome complex, occurring at the level of an individual cell. [GOC:jl, PMID:21048113]' - }, - 'GO:0044547': { - 'name': 'DNA topoisomerase binding', - 'def': 'Interacting selectively and non-covalently with a DNA topoisomerase. [GOC:jl]' - }, - 'GO:0044548': { - 'name': 'S100 protein binding', - 'def': "Interacting selectively and non-covalently with a S100 protein. S100 is a small calcium and zinc binding protein produced in astrocytes that is implicated in Alzheimer's disease, Down Syndrome and ALS. [GOC:jid]" - }, - 'GO:0044549': { - 'name': 'GTP cyclohydrolase binding', - 'def': 'Interacting selectively and non-covalently with a GTP cyclohydrolase. [GOC:jl]' - }, - 'GO:0044550': { - 'name': 'secondary metabolite biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of secondary metabolites, the compounds that are not necessarily required for growth and maintenance of cells, and are often unique to a taxon. [GOC:jl]' - }, - 'GO:0044551': { - 'name': 'envenomation resulting in vasodilation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with resultant vasodilation of blood vessels, usually causing a reduction in blood pressure, in the bitten/stung organism. [GOC:ecd, GOC:jl, PMID:21050868]' - }, - 'GO:0044552': { - 'name': 'vasodilation in other organism', - 'def': 'A process by which an organism causes vasodilation of blood vessels, usually causing a reduction in blood pressure, in another organism. [GOC:ecd, GOC:jl, PMID:21050868]' - }, - 'GO:0044553': { - 'name': 'modulation of biological quality in other organism', - 'def': 'Any process that modulates the frequency, rate or extent of a biological quality in another organism. A biological quality is a measurable attribute of an organism or part of an organism, such as size, mass, shape, color, etc. [GOC:jl]' - }, - 'GO:0044554': { - 'name': 'modulation of heart rate in other organism', - 'def': 'Any process that modulates the frequency or rate of heart contraction of another organism. [GOC:jl, PMID:20923766]' - }, - 'GO:0044555': { - 'name': 'negative regulation of heart rate in other organism', - 'def': 'Any process that stops, prevents or reduces the frequency of heart contraction of another organism. [GOC:ecd, GOC:jl, PMID:20923766]' - }, - 'GO:0044556': { - 'name': 'envenomation resulting in negative regulation of heart rate of other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the negative regulation of the heart rate of the bitten/stung organism. [GOC:ecd, GOC:jl, PMID:20923766]' - }, - 'GO:0044557': { - 'name': 'relaxation of smooth muscle', - 'def': 'A process in which the extent of smooth muscle contraction is reduced. Smooth muscle differs from striated muscle in the much higher actin/myosin ratio, the absence of conspicuous sarcomeres and the ability to contract to a much smaller fraction of its resting length. [GOC:jl]' - }, - 'GO:0044558': { - 'name': 'uterine smooth muscle relaxation', - 'def': 'A process in which the extent of smooth muscle contraction is reduced in the uterus. [GOC:jl]' - }, - 'GO:0044559': { - 'name': 'envenomation resulting in modulation of voltage-gated potassium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant change in the activity of a voltage-gated potassium channel in the bitten/stung organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044560': { - 'name': 'envenomation resulting in modulation of ion channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant change in the activity of an ion channel in the bitten organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044561': { - 'name': 'modulation of ion channel activity in other organism', - 'def': 'Any process in which an organism effects a change in the frequency, rate or extent of the activity of an ion channel in another organism. [GOC:jl]' - }, - 'GO:0044562': { - 'name': 'envenomation resulting in negative regulation of voltage-gated potassium channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant negative regulation of the activity of a voltage-gated potassium channel in the bitten/stung organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044563': { - 'name': 'envenomation resulting in slowing of activation kinetics of voltage-gated potassium channel in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant slowing of the activation kinetics of the activity of a voltage-gated potassium channel in the bitten/stung organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044564': { - 'name': 'envenomation resulting in occlusion of the pore of voltage-gated potassium channel in other organism', - 'def': "A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant blocking of a voltage-gated potassium channel, inhibiting the pore's activity, in the bitten/stung organism. [GOC:fj, GOC:jl]" - }, - 'GO:0044565': { - 'name': 'dendritic cell proliferation', - 'def': 'The expansion of a dendritic cell population by cell division. A dendritic cell is a cell of hematopoietic origin, typically resident in particular tissues, specialized in the uptake, processing, and transport of antigens to lymph nodes for the purpose of stimulating an immune response via T cell activation. [CL:0000451, PMID:18469816]' - }, - 'GO:0044566': { - 'name': 'chondrocyte activation', - 'def': 'A change in the morphology or behavior of a chondrocyte resulting from exposure to an activating factor such as a cellular or soluble ligand. A chondrocyte is a polymorphic cell that forms cartilage. [CL:0000138, GOC:jl]' - }, - 'GO:0044567': { - 'name': 'primary cell wall cellulose synthase complex', - 'def': 'A large, multimeric protein complex which catalyzes the biosynthesis of cellulose for the plant primary cell wall. In Arabidopsis, contains the essential component proteins CESA1 and -3, and a CESA6-related protein. [GOC:mengo_curators, GOC:tt, PMID:17878302, PMID:21307367]' - }, - 'GO:0044568': { - 'name': 'secondary cell wall cellulose synthase complex', - 'def': 'A large, multimeric protein complex which catalyzes the biosynthesis of cellulose for the plant secondary cell wall. In Arabidopsis, contains the essential component proteins CESA8, CESA7, and CESA4. [GOC:mengo_curators, GOC:tt, PMID:21307367]' - }, - 'GO:0044569': { - 'name': '[Ni-Fe] hydrogenase complex', - 'def': 'A microbial enzyme complex which contains nickel and iron in its active site. In Acetomicrobium flavidum it is an alpha 2 beta 2 tetramer. [GOC:mengo_curators, GOC:tt, PMID:8936309]' - }, - 'GO:0044570': { - 'name': 'starch utilization system complex', - 'def': 'A bacterial cell envelope-associated multiprotein system, which binds and degrades starch. [GOC:mengo_curators, GOC:tt, PMID:19553672]' - }, - 'GO:0044571': { - 'name': '[2Fe-2S] cluster assembly', - 'def': 'The incorporation of two iron atoms and two sulfur atoms into an iron-sulfur cluster. [GOC:jl, GOC:mengo_curators, GOC:pde, GOC:tt, GOC:vw, PMID:15952888]' - }, - 'GO:0044572': { - 'name': '[4Fe-4S] cluster assembly', - 'def': 'The incorporation of four iron atoms and four sulfur atoms into an iron-sulfur cluster. [GOC:jl, GOC:mengo_curators, GOC:pde, GOC:tt, GOC:vw, PMID:15952888]' - }, - 'GO:0044573': { - 'name': 'nitrogenase P cluster assembly', - 'def': 'The biochemical reactions and pathways resulting in the formation of a P-cluster of a nitrogenase, a high-nuclearity, Fe/S-only cluster that can be viewed as two [4Fe-4S] sub-clusters sharing a gamma-6-sulfide. [PMID:17563349]' - }, - 'GO:0044574': { - 'name': 'starch utilization system complex assembly', - 'def': 'The aggregation, arrangement and bonding together of the starch utilization system complex, a complex of cell envelope-associated proteins that degrades glycan. [GOC:mengo_curators, GOC:tt, PMID:19553672, PMID:21219452]' - }, - 'GO:0044575': { - 'name': 'cellulosome assembly', - 'def': 'The assembly of a cellulosome, a macromolecular multi-enzyme complex in bacteria that facilitates the breakdown of cellulase, hemicellulase and pectin in the plant cell wall. [GOC:mengo_curators, GOC:tt, PMID:20373916]' - }, - 'GO:0044576': { - 'name': 'pentose catabolic process to ethanol', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of a pentose, any monosaccharide with a chain of five carbons, where one of the resulting products is ethanol. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044577': { - 'name': 'xylose catabolic process to ethanol', - 'def': 'The anaerobic chemical reactions and pathways resulting in the breakdown of xylose, an aldopentose, where one of the resulting products is ethanol. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044578': { - 'name': 'butyryl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathway resulting in the formation of butyryl-CoA. [GOC:jl]' - }, - 'GO:0044579': { - 'name': 'butyryl-CoA biosynthetic process from acetyl-CoA', - 'def': 'The chemical reactions and pathway resulting in the formation of butyryl-CoA, starting from acetyl-CoA. [GOC:mengo_curators, GOC:tt, PMID:19539744]' - }, - 'GO:0044580': { - 'name': 'butyryl-CoA catabolic process', - 'def': 'The chemical reactions a resulting in the resulting in the breakdown of butyryl-CoA. [GOC:jl]' - }, - 'GO:0044581': { - 'name': 'butyryl-CoA catabolic process to butyrate', - 'def': 'The chemical reactions a resulting in the resulting in the breakdown of butyryl-CoA to form butyrate. [GOC:mengo_curators, GOC:tt, PMID:19539744]' - }, - 'GO:0044582': { - 'name': 'butyryl-CoA catabolic process to butanol', - 'def': 'The chemical reactions a resulting in the resulting in the breakdown of butyryl-CoA to form butanol. [GOC:mengo_curators, GOC:tt, PMID:19539744]' - }, - 'GO:0044583': { - 'name': 'cellotriose binding', - 'def': 'Interacting selectively and non-covalently with cellotriose. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044584': { - 'name': 'cellodextrin binding', - 'def': 'Interacting selectively and non-covalently with cellodextrin, a glucose polymer of 2 or more glucose monomers. [GOC:mengo_curators, GOC:tt, PMID:18952792]' - }, - 'GO:0044585': { - 'name': 'cellobiose binding', - 'def': 'Interacting selectively and non-covalently with cellobiose, a disaccharide that represents the basic repeating unit of cellulose. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044586': { - 'name': 'cellotetraose binding', - 'def': 'Interacting selectively and non-covalently with cellotetraose, an oligosaccharide consisting of four glucose residues resulting from hydrolysis of cellulose. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044587': { - 'name': 'cellopentaose binding', - 'def': 'Interacting selectively and non-covalently with cellopentaose, an oligosaccharide consisting of four glucose residues resulting from hydrolysis of cellulose. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044588': { - 'name': 'laminaribiose binding', - 'def': 'Interacting selectively and non-covalently with laminaribiose, a disaccharide. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044589': { - 'name': 'pectin binding', - 'def': 'Interacting selectively and non-covalently with pectin. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044590': { - 'name': 'iron-sulfur-molybdenum cofactor binding', - 'def': 'Interacting selectively and non-covalently with iron molybdenum cofactor, the cofactor located at the active site of the molybdenum nitrogenase. [GOC:mengo_curators, GOC:tt, PMID:18429691]' - }, - 'GO:0044591': { - 'name': 'response to amylopectin', - 'def': 'A process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of amylopectin stimulus. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044592': { - 'name': 'response to pullulan', - 'def': 'A process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of pullulan stimulus. [GOC:mengo_curators, GOC:tt]' - }, - 'GO:0044593': { - 'name': 'iron-sulfur-molybdenum cofactor assembly', - 'def': 'The chemical reactions and pathways resulting in the formation of iron-sulfur-molybdenum cofactor, the cofactor located at the active site of the molybdenum nitrogenase. [GOC:mengo_curators, GOC:tt, PMID:18429691]' - }, - 'GO:0044594': { - 'name': '17-beta-hydroxysteroid dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: a 17-beta-hydroxysteroid + NAD+ = a 17-oxosteroid + NADH + H+. [PMID:17074428]' - }, - 'GO:0044595': { - 'name': 'decaprenyldihydroxybenzoate methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 3-decaprenyl-4,5-dihydroxybenzoate = S-adenosyl-L-homocysteine + 3-decaprenyl-4-hydroxy-5-methoxybenzoate. [PMID:10777520]' - }, - 'GO:0044596': { - 'name': '3-demethylubiquinone-10 3-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 3-demethylubiquinone-10 = S-adenosyl-L-homocysteine + ubiquinone-10. [PMID:10777520]' - }, - 'GO:0044597': { - 'name': 'daunorubicin metabolic process', - 'def': 'The chemical reactions and pathways involving daunorubicin, a chemotherapeutic of the anthracycline family that is given as a treatment for some types of cancer. [CHEBI:41977]' - }, - 'GO:0044598': { - 'name': 'doxorubicin metabolic process', - 'def': 'The chemical reactions and pathways involving doxorubicin, an anthracycline antibiotic, used in cancer chemotherapy. [CHEBI:28748]' - }, - 'GO:0044599': { - 'name': 'AP-5 adaptor complex', - 'def': 'An AP-type membrane coat adaptor complex that in humans consists of beta5, zeta, mu5 and sigma5 subunits and is found associated with membranes in the endosomes; it is not clear whether AP-5 forms clathrin coats in vivo. [PMID:22022230]' - }, - 'GO:0044600': { - 'name': 'protein guanylyltransferase activity', - 'def': "Catalysis of the reaction: GTP + protein = diphosphate + guanylyl-protein; mediates the addition of an guanylyl (guanosine 5'-monophosphate; GMP group) to specific residues of target proteins. [GOC:sp, PMID:20651120]" - }, - 'GO:0044601': { - 'name': 'protein denucleotidylation', - 'def': 'The removal of a nucleotide from a protein amino acid. [GOC:sp, PMID:21734656]' - }, - 'GO:0044602': { - 'name': 'protein deadenylylation', - 'def': "The removal of an adenylyl group (adenosine 5'-monophosphate; AMP) from a protein amino acid. [GOC:sp, PMID:21734656]" - }, - 'GO:0044603': { - 'name': 'protein adenylylhydrolase activity', - 'def': "Catalysis of the reaction: adenylyl-protein+ H2O = adenylate + protein; mediates the removal of an adenylyl (adenosine 5'-monophosphate; AMP group) from specific residues of target proteins. [PMID:21734656]" - }, - 'GO:0044604': { - 'name': 'phytochelatin transmembrane transporter ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + phytochelatin (in) = ADP + phosphate + phytochelatin (out). [GOC:al, PMID:7876244]' - }, - 'GO:0044605': { - 'name': 'phosphocholine transferase activity', - 'def': 'Catalysis of the reaction: CDP-choline + protein-serine = CMP + protein-serine-choline phosphate. [GOC:sp, PMID:21822290]' - }, - 'GO:0044606': { - 'name': 'phosphocholine hydrolase activity', - 'def': 'Catalysis of the reaction: protein-serine-choline phosphate + H2O = protein-serine + choline phosphate. [GOC:sp, PMID:22158903]' - }, - 'GO:0044607': { - 'name': 'disruption by symbiont of host endothelial cells', - 'def': "Any process in which an organism has a negative effect on the functioning of the host's endothelial cells. [GOC:jl]" - }, - 'GO:0044608': { - 'name': 'peptidyl-L-threonine methyl ester biosynthetic process from peptidyl-threonine', - 'def': 'The modification of a C-terminal peptidyl-threonine to form peptidyl-L-threonine methyl ester. [RESID:AA0507]' - }, - 'GO:0044609': { - 'name': 'DBIRD complex', - 'def': 'A protein complex that associates with mRNP particles and RNA polymerase II and is proposed to integrate transcript elongation with the regulation of alternative splicing. In humans it is composed of the proteins KIAA1967/DBC1 and ZNF326/ZIRD. [GOC:sp, PMID:22446626]' - }, - 'GO:0044610': { - 'name': 'FMN transmembrane transporter activity', - 'def': 'Enables the directed movement of flavine mononucleotide (FMN) into, out of or within a cell, or between cells. [GOC:ans, PMID:22185573]' - }, - 'GO:0044611': { - 'name': 'nuclear pore inner ring', - 'def': "A subcomplex of the nuclear pore complex (NPC) that forms the inner rings of the core scaffold, a lattice-like structure that gives the NPC its shape and strength. In S. cerevisiae, the two inner rings are each composed of Nup192p, Nup188p, Nup170p and Nup157p. In vertebrates, the two inner rings are each composed of Nup205, Nup188 and Nup155. Components are arranged in 8-fold symmetrical 'spokes' around the central transport channel. A single 'spoke', can be isolated and is sometimes referred to as the Nup170 complex. [GOC:dgf, PMID:18046406, PMID:19524430, PMID:20947011, PMID:22419078]" - }, - 'GO:0044612': { - 'name': 'nuclear pore linkers', - 'def': "A substructure of the nuclear pore complex (NPC) that serves to connect members of the central transport channel (composed of FG-nucleoporins) to the core scaffold (composed of the inner and outer NPC rings). In S. cerevisiae, the linkers are Nic96p and Nup82p. In vertebrates, they are Nup93 and Nup88. Components are arranged in 8-fold symmetrical 'spokes' around the central transport channel. Both linkers can be isolated in association with specific FG-nucleoporins, complexes that are sometimes referred to as the Nic96 complex (Nic96p-Nsp1p-Nup49p-Nup57p) and the Nup82 complex (Nup82p-Nup116p-Nup159p-Gle2p). [GOC:dgf, PMID:18046406, PMID:19524430, PMID:20947011, PMID:22419078]" - }, - 'GO:0044613': { - 'name': 'nuclear pore central transport channel', - 'def': 'The central substructure of the nuclear pore complex (NPC), through which nucleocytoplasmic transport of RNAs, proteins and small molecules occurs. The central transport channel is filled with FG-nucleoporins, which form a selective barrier and provide a series of binding sites for transporter proteins. Characterized S. cerevisiae FG-nucleoporins include Nup159p, Nup145Np, Nup116p, Nup100p, Nsp1p, Nup57p, Nup49p, Nup42p, Nup53p, Nup59p/Asm4p, Nup60p and Nup1. Characterized vertebrate FG-nucleoporins include Nup214, Nup98, Nup62, Nup54, Nup58/45, NLP1, and Nup153. [GOC:dgf, PMID:18046406, PMID:19524430, PMID:20947011, PMID:22419078]' - }, - 'GO:0044614': { - 'name': 'nuclear pore cytoplasmic filaments', - 'def': 'Filamentous extensions on cytoplasmic face of the nuclear pore complex (NPC). In S. cerevisiae, Nup159p, Nup82p, and Nup42p contribute to the cytoplasmic filaments. In vertebrates, Nup358 is a major component. [GOC:dgf, PMID:18046406, PMID:19524430, PMID:20947011, PMID:22419078]' - }, - 'GO:0044615': { - 'name': 'nuclear pore nuclear basket', - 'def': 'A filamentous, cage-like assembly on the nuclear face of the nuclear pore complex (NPC). In S. cerevisiae, Mlp1p and Mlp2p are two major components of the NPC nuclear basket. In vertebrates, Tpr is a major component. [GOC:dgf, PMID:18046406, PMID:19524430, PMID:20947011, PMID:22419078]' - }, - 'GO:0044616': { - 'name': 'modulation of relaxation of muscle in other organism', - 'def': 'The process in which an organism effects a change in the relaxation of muscle in a second organism. [GOC:jl]' - }, - 'GO:0044617': { - 'name': 'modulation of relaxation of smooth muscle in other organism', - 'def': 'The process in which an organism effects a change in the relaxation of smooth muscle in a second organism. [GOC:jl]' - }, - 'GO:0044618': { - 'name': 'modulation of relaxation of uterine smooth muscle in other organism', - 'def': 'The process in which an organism effects a change in the relaxation of smooth muscle in the uterus of a second organism. [GOC:jl]' - }, - 'GO:0044619': { - 'name': 'positive regulation of relaxation of uterine smooth muscle in other organism', - 'def': 'The process in which an organism increases the extent of relaxation of smooth muscle in the uterus of a second organism. [GOC:jl]' - }, - 'GO:0044620': { - 'name': 'ACP phosphopantetheine attachment site binding', - 'def': 'Interacting selectively and non-covalently with the attachment site of the phosphopantetheine prosthetic group of an acyl carrier protein (ACP). [GOC:jl, GOC:vw]' - }, - 'GO:0044621': { - 'name': 'modulation of cell migration in other organism', - 'def': 'The process in which an organism effects a change in the process of cell migration in a second organism. [GOC:jl]' - }, - 'GO:0044622': { - 'name': 'negative regulation of cell migration in other organism', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell migration in a second organism. [GOC:jl]' - }, - 'GO:0044623': { - 'name': 'positive regulation of cell migration in other organism', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell migration in a second organism. [GOC:jl]' - }, - 'GO:0044624': { - 'name': 'envenomation resulting in modulation of cell migration in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the modulation of cell migration in the bitten organism. [GOC:jl, PMID:19932752]' - }, - 'GO:0044625': { - 'name': 'envenomation resulting in negative regulation of cell migration in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the negative regulation of cell migration in the bitten organism. [GOC:jl, PMID:19932752]' - }, - 'GO:0044626': { - 'name': 'envenomation resulting in positive regulation of cell migration in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the positive regulation of cell migration in the bitten organism. [GOC:jl, PMID:19932752]' - }, - 'GO:0044627': { - 'name': 'modulation of complement activation, classical pathway in other organism', - 'def': 'A process that modulates the frequency, rate or extent of the classical pathway of complement activation, in a different organism. [GOC:jl, PMID:20837040]' - }, - 'GO:0044628': { - 'name': 'positive regulation of complement activation, classical pathway in other organism', - 'def': 'Any process that activates or increases the frequency, rate or extent of complement activation by the classical pathway, in a different organism. [GOC:jl, PMID:20837040]' - }, - 'GO:0044629': { - 'name': 'negative regulation of complement activation, classical pathway in other organism', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of complement activation by the classical pathway, in a different organism. [GOC:jl, PMID:20837040]' - }, - 'GO:0044630': { - 'name': 'modulation of complement activation, lectin pathway in other organism', - 'def': 'A process that modulates the frequency, rate or extent of the lectin pathway of complement activation, in a different organism. [GOC:jl, PMID:20837040]' - }, - 'GO:0044631': { - 'name': 'positive regulation of complement activation, lectin pathway in other organism', - 'def': 'Any process that activates or increases the frequency, rate or extent of complement activation by the lectin pathway, in a different organism. [GOC:jl, PMID:20837040]' - }, - 'GO:0044632': { - 'name': 'negative regulation of complement activation, lectin pathway in other organism', - 'def': 'Any process that stops, prevents, or reduces the rate of complement activation by the lectin pathway, in a different organism. [GOC:jl, PMID:20837040]' - }, - 'GO:0044633': { - 'name': 'modulation of complement activation, alternative pathway in other organism', - 'def': 'A process that modulates the frequency, rate or extent of complement activation, via the alternative pathway, in a different organism. [GOC:jl, PMID:20837040]' - }, - 'GO:0044634': { - 'name': 'negative regulation of complement activation, alternative pathway in other organism', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of complement activation by the alternative pathway, in a different organism. [GOC:jl, PMID:20837040]' - }, - 'GO:0044635': { - 'name': 'positive regulation of complement activation, alternative pathway in other organism', - 'def': 'Any process that activates or increases the frequency, rate or extent of complement activation by the alternative pathway, in a different organism. [GOC:jl, PMID:20837040]' - }, - 'GO:0044636': { - 'name': 'envenomation resulting in modulation of complement activation, classical pathway in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the regulation of complement activation via the classical pathway of the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044637': { - 'name': 'envenomation resulting in negative regulation of complement activation, classical pathway in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the negative regulation of complement activation via the classical pathway of the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044638': { - 'name': 'envenomation resulting in positive regulation of complement activation, classical pathway in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the positive regulation of complement activation via the classical pathway of the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044639': { - 'name': 'envenomation resulting in modulation of complement activation, lectin pathway in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of complement activation via the lectin pathway in the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044640': { - 'name': 'envenomation resulting in negative regulation of complement activation, lectin pathway in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant negative regulation of complement activation via the lectin pathway in the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044641': { - 'name': 'envenomation resulting in positive regulation of complement activation, lectin pathway in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant positive regulation of complement activation via the lectin pathway in the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044642': { - 'name': 'envenomation resulting in modulation of complement activation, alternative pathway in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of complement activation via the alternative pathway in the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044643': { - 'name': 'envenomation resulting in positive regulation of complement activation, alternative pathway in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant positive regulation of complement activation via the alternative pathway in the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044644': { - 'name': 'envenomation resulting in negative regulation of complement activation, alternative pathway in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant negative regulation of complement activation via the alternative pathway in the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044645': { - 'name': 'modulation of complement activation in other organism', - 'def': 'A process that modulates the frequency, rate or extent of complement activation in a different organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044646': { - 'name': 'envenomation resulting in modulation of complement activation in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the resultant modulation of complement activation in the bitten/stung organism. [GOC:fj, GOC:jl, PMID:20837040]' - }, - 'GO:0044647': { - 'name': 'host-symbiont bicellular tight junction', - 'def': 'An occluding cell-cell junction formed between the membranes of the apical end of an invading cell (e.g. a merozoite in Plasmodium) and a host target cell (e.g. erythrocyte for Plasmodium infection). The junction is a stable yet dynamic structure that moves around the symbiont cell during invasion, enclosing it in a vacuole surrounded by a membrane. [GOC:jl, PMID:21803641]' - }, - 'GO:0044648': { - 'name': 'histone H3-K4 dimethylation', - 'def': 'The modification of histone H3 by addition of two methyl groups to lysine at position 4 of the histone. [GOC:jl, PMID:21875999]' - }, - 'GO:0044649': { - 'name': 'envenomation resulting in cytolysis in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with cytolysis in the bitten organism. [GOC:fj, GOC:jl, PMID:22484288]' - }, - 'GO:0044650': { - 'name': 'adhesion of symbiont to host cell', - 'def': 'The attachment of a symbiont to a host cell via adhesion molecules, general stickiness etc., either directly or indirectly. [GOC:jl]' - }, - 'GO:0044651': { - 'name': 'adhesion of symbiont to host epithelial cell', - 'def': 'The attachment of a symbiont to a host epithelial cell via adhesion molecules, general stickiness etc., either directly or indirectly. [GOC:jl, PMID:10066176]' - }, - 'GO:0044652': { - 'name': 'adhesion of symbiont to host endothelial cell', - 'def': 'The attachment of a symbiont to a host endothelial cell via adhesion molecules, general stickiness etc., either directly or indirectly. [GOC:jl, PMID:10066176]' - }, - 'GO:0044653': { - 'name': 'dextrin alpha-glucosidase activity', - 'def': 'Catalysis of the reaction: dextrin + H2O = alpha-D-glucose. [PMID:18556189]' - }, - 'GO:0044654': { - 'name': 'starch alpha-glucosidase activity', - 'def': 'Catalysis of the reaction: starch + H2O = alpha-D-glucose. [PMID:18556189]' - }, - 'GO:0044655': { - 'name': 'phagosome reneutralization', - 'def': 'Any process that increases the pH of the phagosome, measured by the concentration of the hydrogen ion, as part of the process of phagosome maturation. [GOC:rjd, PMID:22008230]' - }, - 'GO:0044656': { - 'name': 'regulation of post-lysosomal vacuole size', - 'def': 'Any process that modulates the volume of a post-lysosomal vacuole, a membrane-bounded intracellular vesicle formed late in the endocytic pathway when the pH in the vacuole becomes neutral prior to exocytosis. [GOC:rjd, PMID:22008230]' - }, - 'GO:0044657': { - 'name': 'pore formation in membrane of other organism during symbiotic interaction', - 'def': 'The aggregation, arrangement and bonding together of a set of components by an organism to form a pore complex in a membrane of another organism, occurring as part of a symbiotic interaction. [GOC:jl]' - }, - 'GO:0044658': { - 'name': 'pore formation in membrane of host by symbiont', - 'def': 'The aggregation, arrangement and bonding together of a set of components by an organism to form a pore complex in a membrane of a host organism. [GOC:jl]' - }, - 'GO:0044659': { - 'name': 'cytolysis by virus of host cell', - 'def': 'The killing by a virus of a cell in its host organism by means of the rupture of cell membranes and the loss of cytoplasm. [GOC:jl]' - }, - 'GO:0044660': { - 'name': 'cytolysis by virus via pore formation in host cell membrane', - 'def': 'The killing by a virus of a cell in its host organism by cytolysis, caused by the formation by the virus of pores in its host cell membrane. [GOC:jl]' - }, - 'GO:0044661': { - 'name': 'disruption by virus of host cell', - 'def': "A process by which a virus has a negative effect on the functioning of the host's cell. [GOC:jl]" - }, - 'GO:0044662': { - 'name': 'disruption by virus of host cell membrane', - 'def': 'A process by which a virus has a negative effect on the functioning of a host cellular membrane. [GOC:jl]' - }, - 'GO:0044663': { - 'name': 'establishment or maintenance of cell type involved in phenotypic switching', - 'def': 'A cellular process of the specification, formation or maintenance of an alternative cell type, occurring as part of the process of phenotypic switching. Phenotypic switching begins with changes in cell morphology and altered gene expression patterns and ends when the morphology of a population of cells has reverted back to the default state, accompanied by altered expression patterns. [GOC:jl]' - }, - 'GO:0044664': { - 'name': 'obsolete reversion of cell type to default state involved in phenotypic switching', - 'def': 'OBSOLETE. The cellular process of the reversion of cells to their original cell type, occurring as part of the process of phenotypic switching. Phenotypic switching begins with changes in cell morphology and altered gene expression patterns and ends when the morphology of a population of cells has reverted back to the default state, accompanied by altered expression patterns. [GOC:jl]' - }, - 'GO:0044665': { - 'name': 'MLL1/2 complex', - 'def': 'A protein complex that can methylate lysine-4 of histone H3, and which contains either of the protein subunits MLL1 or MLL2 in human, or equivalent in other species. [GOC:sart, PMID:21875999]' - }, - 'GO:0044666': { - 'name': 'MLL3/4 complex', - 'def': 'A protein complex that can methylate lysine-4 of histone H3, and which contains either of the protein subunits MLL3 or MLL4 in mammals, or equivalent in other species. [GOC:sart, PMID:21875999]' - }, - 'GO:0044667': { - 'name': '(R)-carnitine:4-(trimethylammonio)butanoate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: (R)-carnitine(out) + 4-(trimethylammonio)butanoate(in) = (R)-carnitine(in) + 4-(trimethylammonio)butanoate(out). [GOC:crds]' - }, - 'GO:0044668': { - 'name': 'sodium:malonate symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sodium(out)+ malonate(out) = sodium(in) + malonate(in). [GOC:crds]' - }, - 'GO:0044669': { - 'name': 'sodium:galactoside symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sodium(out)+ galactoside(out) = sodium(in) + galactoside(in). [GOC:crds]' - }, - 'GO:0044670': { - 'name': 'sodium:alanine symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sodium(out)+ alanine(out) = sodium(in) + alanine(in). [GOC:crds]' - }, - 'GO:0044671': { - 'name': 'sorocarp spore cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a sorocarp spore cell, a cell of the sorocarp sorus. A sorocarp is the fruiting body characteristic of certain cellular slime moulds (e.g., Dictyosteliida) and consists of both stalk and a sorus (spore mass). [GOC:jl, GOC:rjd]' - }, - 'GO:0044672': { - 'name': 'acetyl-CoA decarbonylase/synthase-carbon monoxide dehydrogenase complex', - 'def': 'A multifunctional enzyme complex composed of five different polypeptides that catalyzes the decarbonylation of acetyl-CoA, cleaves the C-C and C-S bonds in the acetyl moiety of acetyl-CoA, oxidizes the carbonyl group to CO2 and transfers the methyl group to tetrahydrosarcinapterin. These reactions are important for methanogenesis. [GOC:mengo_curators, PMID:11607176, PMID:7693685, PMID:8955306]' - }, - 'GO:0044673': { - 'name': '7,8-didemethyl-8-hydroxy-5-deazariboflavin synthase complex', - 'def': 'A heterodimer which catalyses the reaction of 5-amino-6-(D-ribitylamino)uracil and 4-hydroxyphenylpyruvate to form 7,8-didemethyl-8-hydroxy-5-deazariboflavin (FO), an intermediate of coenzyme F420. [GOC:mengo_curators, PMID:14593448]' - }, - 'GO:0044674': { - 'name': 'methyl coenzyme M reductase complex', - 'def': 'A hexameric complex consisting of three polypeptides in an alpha2beta2gamma2 arrangement. Involved in the reduction of the coenzyme M-bound methyl group to methane, which is the final step in methanogenesis. [GOC:mengo_curators, PMID:9367957]' - }, - 'GO:0044675': { - 'name': 'formyl-methanofuran dehydrogenase (tungsten enzyme) complex', - 'def': 'A protein complex consisting of four polypeptides which also contains tungsten, a molybdopterin guanine dinucleotide, and iron-sulfur clusters. This protein complex catalyzes the reversible conversion of CO2 and methanofuran to formylmethanofuran during methanogenesis. [GOC:mengo_curators, PMID:8125106, PMID:8575452]' - }, - 'GO:0044676': { - 'name': 'formyl-methanofuran dehydrogenase (molybdenum enzyme) complex', - 'def': 'A protein complex consisting of three polypeptides which also contains molybdenum, a molybdopterin guanine dinucleotide and iron-sulfur clusters. This protein complex catalyzes the reversible conversion of CO2 and methanofuran to formylmethanofuran during methanogenesis. [GOC:mengo_curators, PMID:1915887, PMID:8954165]' - }, - 'GO:0044677': { - 'name': 'methyl-tetrahydromethanopterin:coenzyme M methyltransferase complex', - 'def': 'A protein complex consisted of eight polypeptides. This complex catalyzes the formation of methyl-coenzyme M and H4MPT from N5-methyl-H4MPT and CoM during methanogenesis. [GOC:mengo_curators, PMID:8477726]' - }, - 'GO:0044678': { - 'name': 'CoB-CoM heterodisulfide reductase complex', - 'def': 'A protein complex that in Methanobacterium thermoautotrophicum is composed of six subunits, and in Methanosarcina barkeri contains is composed of either two subunits or nine subunits. Catalyzes the conversion of coenzyme B, coenzyme M, and methanophenazine to form N-{7-[(2-sulfoethyl)dithio]heptanoyl}-3-O-phospho-L-threonine and dihydromethanophenazine. [GOC:mengo_curators, PMID:8119281, PMID:8174566, PMID:9063468]' - }, - 'GO:0044679': { - 'name': 'methanophenazine reducing hydrogenase complex', - 'def': 'A protein complex which catalyzes the conversion of methanophenazine and hydrogen to form dihydromethanophenazine. This typically consists of three polypeptides [GOC:mengo_curators, PMID:9555882]' - }, - 'GO:0044680': { - 'name': 'methylthiol:coenzyme M methyltransferase complex', - 'def': 'A protein complex of two polypeptides which catalyzes the transfer of methyl group from methylthiol to coenzyme M during methanogenesis. [GOC:mengo_curators, PMID:11073950, PMID:9371433]' - }, - 'GO:0044681': { - 'name': 'sulfopyruvate decarboxylase complex', - 'def': 'A complex of two polypeptides which form a dodecamer (A6B6). Catalyzes the decarboxylation of sulfopyruvic acid to sulfoacetaldehyde. This reaction is involved in coenzyme M biosynthesis. [GOC:mengo_curators, PMID:10940029]' - }, - 'GO:0044682': { - 'name': 'archaeal-specific GTP cyclohydrolase activity', - 'def': "Catalysis of the reaction: GTP + H2O <=> 7,8-dihydro-D-neopterin 2',3'-cyclic phosphate + diphosphate +formate + H+. This activity is part of the biosynthesis of methanopterin in Archaea, and requires Fe2+. [GOC:mengo_curators, PMID:17497938]" - }, - 'GO:0044683': { - 'name': 'methylthiol:coenzyme M methyltransferase activity', - 'def': 'Catalysis of the overall reaction: methyl-Co(III) methylated-thiol-specific corrinoid protein + coenzyme M = Co(I) methylated--thiol-specific corrinoid protein + methyl-CoM. [MetaCyc:RXN-8125, PMID:9371433]' - }, - 'GO:0044684': { - 'name': 'dihydromethanopterin reductase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydromethanopterin + NADPH = 5,6,7,8-tetrahydromethanopterin + NADP. [GOC:mengo_curators, PMID:15028691]' - }, - 'GO:0044685': { - 'name': 'tetrahydromethanopterin-dependent serine hydroxymethyltransferase activity', - 'def': 'Catalysis of the reaction: tetrahydromethanopterin + L-serine = 5,10-methylenetetrahydromethanopterin + glycine + H2O. [GOC:mengo_curators, PMID:12902326]' - }, - 'GO:0044686': { - 'name': 'cysteate synthase activity', - 'def': 'Catalysis of the reaction: L-phosphoserine + SO32- = L-cysteate + HPO4-. [GOC:mengo_curators, PMID:19761441]' - }, - 'GO:0044687': { - 'name': 'geranylfarnesyl diphosphate synthase activity', - 'def': 'Catalysis of the reaction: geranylgeranyl diphosphate + isopentenyl diphosphate = (2E,6E,10E,14E)-geranylfarnesyl diphosphate + diphosphate. [GOC:mengo_curators, PMID:20097171]' - }, - 'GO:0044688': { - 'name': "7,8-dihydro-D-neopterin 2',3'-cyclic phosphate phosphodiesterase activity", - 'def': "Catalysis of the reaction: 7,8-dihydro-D-neopterin 2',3'-cyclic phosphate + H2O = 7,8-dihydroneopterin 3'-phosphate + H+. [GOC:mengo_curators, PMID:19746965]" - }, - 'GO:0044689': { - 'name': '7,8-didemethyl-8-hydroxy-5-deazariboflavin synthase activity', - 'def': "Catalysis of the reaction: 5-amino-6-(D-ribitylamino)uracil + 4-hydroxyphenylpyruvate + 2 S-adenosyl-L-methionine + H2O = 7,8-didemethyl-8-hydroxy-5-deazariboflavin + 2 5'-deoxyadenosine + 2 L-methionine + oxalate + ammonia + 4 H+. [GOC:mengo_curators, PMID:11948155, PMID:14593448]" - }, - 'GO:0044690': { - 'name': 'methionine import', - 'def': 'The directed movement of methionine into a cell or organelle. [GOC:mah]' - }, - 'GO:0044691': { - 'name': 'tooth eruption', - 'def': 'The tooth development process in which the teeth enter the mouth and become visible. [Wikipedia:Tooth_eruption]' - }, - 'GO:0044692': { - 'name': 'exoribonuclease activator activity', - 'def': 'Binds to and increases the activity of an exoribonuclease. [GOC:rb, PMID:22570495]' - }, - 'GO:0044693': { - 'name': 'trehalose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: trehalose(out) + H+(out) = trehalose(in) + H+(in). [PMID:11136464]' - }, - 'GO:0044694': { - 'name': 'pore-mediated entry of viral genome into host cell', - 'def': 'Injection by a non-enveloped virus of the viral genome into the host cytoplasm through creation of a pore or channel in the host cell membrane(s). Usually mediated by a viral pore-forming peptide associated with the viral capsid or bacteriophage tail. [GOC:jl, UniProtKB-KW:KW-1172, VZ:979]' - }, - 'GO:0044695': { - 'name': 'Dsc E3 ubiquitin ligase complex', - 'def': 'An E3 ubiquitin ligase complex localized to the ER and Golgi membrane. In fission yeast comprises Dsc1, 2, 3 and 4. Involved in the processes of fission yeast sre1 (human SREBP) transcriptional activator proteolytic cleavage, the multivesicular body (MVB) pathway, and a post-endoplasmic reticulum pathway for protein catabolism. [GOC:mah, GOC:vw, PMID:21504829]' - }, - 'GO:0044696': { - 'name': 'killing by virus of host cell by post-segregational killing', - 'def': 'The process by which a virus causes the death of daughter cells which do not contain its genes after host cell division, by a mechanism of post-segregational killing (PSK). The extrachromosomal viral DNA consist of two genes; the product of the second is long lived and toxic, while the product of the first is short lived and antagonizes the lethal action of the toxin. Daughter cells that do not contain the viral extrachromosomal element are killed by the long lived toxin, while daughter cells that do contain the viral extrachromosomal element are protected by the action of the short lived antitoxin it encodes. [GOC:bf, GOC:jl, PMID:11222604, Wikipedia:Toxin-antitoxin_system]' - }, - 'GO:0044697': { - 'name': 'HICS complex', - 'def': 'A multisubunit complex involved in cytokinesis. In the yeast Saccharomyces cerevisiae this complex consists of Sho1p, Hof1p, Inn1p and Cyk3p proteins. [PMID:22623719]' - }, - 'GO:0044698': { - 'name': 'morphogenesis of symbiont in host cell', - 'def': "The process in which a symbiont undergoes a change in shape or form, within the host's cell. [GOC:jl]" - }, - 'GO:0044699': { - 'name': 'single-organism process', - 'def': 'A biological process that involves only one organism. [GOC:jl]' - }, - 'GO:0044700': { - 'name': 'single organism signaling', - 'def': 'A signaling process occurring within a single organism. [GOC:jl]' - }, - 'GO:0044701': { - 'name': 'obsolete response to stimulus by single organism', - 'def': 'OBSOLETE. A response to a stimulus that involves only one organism. [GOC:jl]' - }, - 'GO:0044702': { - 'name': 'single organism reproductive process', - 'def': 'A biological process that directly contributes to the process of producing new individuals, involving a single organism. [GOC:jl]' - }, - 'GO:0044703': { - 'name': 'multi-organism reproductive process', - 'def': 'A biological process that directly contributes to the process of producing new individuals, involving another organism. [GOC:jl]' - }, - 'GO:0044704': { - 'name': 'single-organism reproductive behavior', - 'def': 'The specific behavior of an organism that is associated with reproduction involving a single organism. [GOC:jl, GOC:pr]' - }, - 'GO:0044705': { - 'name': 'multi-organism reproductive behavior', - 'def': 'The specific behavior of an organism that is associated with reproduction involving another organism of the same or different species. [GOC:jl, GOC:pr]' - }, - 'GO:0044706': { - 'name': 'multi-multicellular organism process', - 'def': 'A multicellular organism process which involves another multicellular organism of the same or different species. [GOC:jl]' - }, - 'GO:0044707': { - 'name': 'single-multicellular organism process', - 'def': 'A biological process occurring within a single, multicellular organism. [GOC:jl]' - }, - 'GO:0044708': { - 'name': 'single-organism behavior', - 'def': 'The specific behavior of a single organism in response to external or internal stimuli. [GOC:jl, GOC:pr]' - }, - 'GO:0044710': { - 'name': 'single-organism metabolic process', - 'def': 'A metabolic process - chemical reactions and pathways, including anabolism and catabolism, by which living organisms transform chemical substances - which involves a single organism. [GOC:jl]' - }, - 'GO:0044711': { - 'name': 'single-organism biosynthetic process', - 'def': 'A biosynthetic process - chemical reactions and pathways resulting in the formation of substances - involving a single organism. [GOC:jl]' - }, - 'GO:0044712': { - 'name': 'single-organism catabolic process', - 'def': 'A catabolic process - chemical reactions and pathways resulting in the breakdown of substances - which involves a single organism. [GOC:jl]' - }, - 'GO:0044713': { - 'name': '2-hydroxy-adenosine triphosphate pyrophosphatase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-adenosine-triphosphate + H2O = 2-hydroxy-adenosine phosphate + diphosphate. [GOC:pde, PMID:11139615]' - }, - 'GO:0044714': { - 'name': '2-hydroxy-(deoxy)adenosine-triphosphate pyrophosphatase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-(deoxy)adenosine-triphosphate + H2O = 2-hydroxy-(deoxy)adenosine phosphate + diphosphate. [GOC:pde, PMID:11139615]' - }, - 'GO:0044715': { - 'name': '8-oxo-dGDP phosphatase activity', - 'def': 'Catalysis of the reaction 8-oxo-dGDP + H2O = 8-oxo-dGMP + phosphate. [GOC:pde, PMID:22556419]' - }, - 'GO:0044716': { - 'name': '8-oxo-GDP phosphatase activity', - 'def': 'Catalysis of the reaction 8-oxo-GDP + H2O = 8-oxo-GMP + phosphate. [GOC:pde, PMID:22556419]' - }, - 'GO:0044717': { - 'name': '8-hydroxy-dADP phosphatase activity', - 'def': 'Catalysis of the reaction8-hydroxy-dADP + H2O = 8-hydroxy-dAMP + phosphate. [GOC:pde, PMID:22556419]' - }, - 'GO:0044718': { - 'name': 'siderophore transmembrane transport', - 'def': 'The directed movement of siderophores, low molecular weight Fe(III)-chelating substances, from one side of a membrane to the other, by means of some agent such as a transporter or pore. [GOC:jl]' - }, - 'GO:0044719': { - 'name': 'regulation of imaginal disc-derived wing size', - 'def': 'Any process that modulates the size of an imaginal disc-derived wing. [PMID:21393605]' - }, - 'GO:0044720': { - 'name': 'negative regulation of imaginal disc-derived wing size', - 'def': 'Any process that reduces the size of an imaginal disc-derived wing. [PMID:21393605]' - }, - 'GO:0044721': { - 'name': 'protein import into peroxisome matrix, substrate release', - 'def': 'The process by which the cargo protein is released into the peroxisomal matrix, following translocation across the membrane. [PMID:21976670]' - }, - 'GO:0044722': { - 'name': 'renal phosphate excretion', - 'def': 'The elimination by an organism of phosphate ions in the urine. [GOC:jl, PMID:21451460]' - }, - 'GO:0044723': { - 'name': 'single-organism carbohydrate metabolic process', - 'def': 'The chemical reactions and pathways involving carbohydrates, occurring within a single organism. [GOC:jl]' - }, - 'GO:0044724': { - 'name': 'single-organism carbohydrate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbohydrates, occurring within a single organism. [GOC:jl]' - }, - 'GO:0044725': { - 'name': 'chromatin reprogramming in the zygote', - 'def': 'The global reprogramming of epigenetic modifications in the zygote following fertilization. The paternal genome undergoes active DNA demethylation before the first cell division, while the adjacent maternal genome is protected from this process. [GOC:sp, PMID:22868271]' - }, - 'GO:0044726': { - 'name': 'protection of DNA demethylation of female pronucleus', - 'def': 'The protection of the maternal genome from DNA demethylation in the zygote following fertilization. [GOC:sp, PMID:22868271]' - }, - 'GO:0044727': { - 'name': 'DNA demethylation of male pronucleus', - 'def': 'The active DNA demethylation of the paternal genome that takes place before the first cell division. [GOC:sp, PMID:22868271]' - }, - 'GO:0044728': { - 'name': 'DNA methylation or demethylation', - 'def': 'The process of adding or removing a methyl group from one or more nucleotides within an DNA molecule. [GOC:jl]' - }, - 'GO:0044729': { - 'name': 'hemi-methylated DNA-binding', - 'def': 'Interacting selectively and non-covalently with double-stranded hemi-methylated DNA at replication foci (one strand methylated, while the other strand is unmethylated). Methylation of cytosine or adenine in DNA is an important mechanism for establishing stable heritable epigenetic marks. [GOC:imk, GOC:sp, PMID:18772889]' - }, - 'GO:0044730': { - 'name': 'bone sialoprotein binding', - 'def': 'Interacting selectively and non-covalently with a bone sialoprotein, an extracellular matrix glycoprotein found on the surface of bones and dentin. [PMID:10642520]' - }, - 'GO:0044731': { - 'name': 'Ost-alpha/Ost-beta complex', - 'def': 'A heterodimeric protein complex composed of Ost-alpha/SLC51A and Ost-beta/SLC51B subunits and involved in bile acid transport activity. [PMID:17650074, PMID:22535958]' - }, - 'GO:0044732': { - 'name': 'mitotic spindle pole body', - 'def': 'The microtubule organizing center that forms as part of the mitotic cell cycle; functionally homologous to the animal cell centrosome. [GOC:mah, GOC:vw]' - }, - 'GO:0044733': { - 'name': 'envenomation resulting in modulation of acid-sensing ion channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant change in the activity of an acid-sensing ion channel (ASIC) in the bitten organism. [GOC:fj, GOC:jl, PMID:23034652]' - }, - 'GO:0044734': { - 'name': 'envenomation resulting in positive regulation of acid-sensing ion channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant positive regulation in the activity of an acid-sensing ion channel (ASIC) in the bitten organism. [GOC:fj, GOC:jl, PMID:23034652]' - }, - 'GO:0044735': { - 'name': 'envenomation resulting in negative regulation of acid-sensing ion channel activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with a resultant negative regulation in the activity of an acid-sensing ion channel (ASIC) in the bitten organism. [GOC:fj, GOC:jl, PMID:23034652]' - }, - 'GO:0044736': { - 'name': 'acid-sensing ion channel activity', - 'def': 'Enables the transmembrane transfer of a sodium ion by a neuronal, voltage-insensitive channel that opens when a an extracellular proton has been bound by the channel complex. [GOC:jl]' - }, - 'GO:0044737': { - 'name': 'modulation of acid-sensing ion channel in other organism', - 'def': 'Any process in which an organism effects a change in the frequency, rate or extent of the activity of an acid-sensing ion channel (ASIC) in another organism. [GOC:jl]' - }, - 'GO:0044738': { - 'name': 'negative regulation of acid-sensing ion channel in other organism', - 'def': 'Any process in which an organism negatively regulates the activity of a voltage-gated sodium channel in another organism. [GOC:jl]' - }, - 'GO:0044739': { - 'name': 'positive regulation of acid-sensing ion channel in other organism', - 'def': 'Any process in which an organism positively regulates the activity of a voltage-gated sodium channel in another organism. [GOC:jl]' - }, - 'GO:0044740': { - 'name': 'negative regulation of sensory perception of pain in other organism', - 'def': 'A process that negatively regulates the sensory perception of pain in a different organism. [GOC:fj, GOC:jl]' - }, - 'GO:0044741': { - 'name': 'envenomation resulting in negative regulation of sensory perception of pain in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the inhibition of the sensory perception of pain in the bitten organism. [GOC:fj, GOC:jl, PMID:23034652]' - }, - 'GO:0044742': { - 'name': 'envenomation resulting in modulation of sensory perception of pain in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the modulation of the sensory perception of pain in the bitten organism. [GOC:fj, GOC:jl, PMID:23034652]' - }, - 'GO:0044743': { - 'name': 'protein transmembrane import into intracellular organelle', - 'def': 'The directed movement of proteins into an intracellular organelle, across a membrane. [GOC:jl]' - }, - 'GO:0044744': { - 'name': 'protein targeting to nucleus', - 'def': 'The process of directing proteins towards the nucleus, usually using signals contained within the protein. [GOC:jl]' - }, - 'GO:0044745': { - 'name': 'amino acid transmembrane import', - 'def': 'The directed movement of amino acids into a cell or organelle, across a membrane. [GOC:jl]' - }, - 'GO:0044746': { - 'name': 'amino acid transmembrane export', - 'def': 'The directed movement of amino acids out of a cell or organelle across a membrane. [GOC:jl]' - }, - 'GO:0044747': { - 'name': "mature miRNA 3'-end processing", - 'def': "Any process involved in forming distinct miRNA isoforms from a mature miRNA that differ at their 3'-ends. [PMID:22055292, PMID:22055293]" - }, - 'GO:0044748': { - 'name': "3'-5'-exoribonuclease activity involved in mature miRNA 3'-end processing", - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 3' terminus of an RNA molecule that contributes to forming distinct miRNA isoforms from a mature miRNA. [GOC:sart]" - }, - 'GO:0044749': { - 'name': 'high-affinity zinc II ion transmembrane import', - 'def': 'The directed, high-affinity movement of zinc (Zn II) ions across a membrane into a cell or organelle. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:jl]' - }, - 'GO:0044750': { - 'name': 'high-affinity nickel cation transmembrane transporter activity', - 'def': 'Catalysis of the high-affinity transfer of nickel (Ni) cations from one side of a membrane to the other. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:jl]' - }, - 'GO:0044751': { - 'name': 'cellular response to human chorionic gonadotropin stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a human chorionic gonadotropin stimulus. [PMID:21325635]' - }, - 'GO:0044752': { - 'name': 'response to human chorionic gonadotropin', - 'def': 'Any process that results in a change in state or activity of a cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a human chorionic gonadotropin stimulus. [PMID:21325635]' - }, - 'GO:0044753': { - 'name': 'amphisome', - 'def': 'An autophagosome formed upon fusion between autophagosomes and endosomes. [GOC:autophagy, GOC:sart, PMID:19008921, PMID:9705327]' - }, - 'GO:0044754': { - 'name': 'autolysosome', - 'def': 'A type of secondary lysosome in which a primary lysosome has fused with the outer membrane of an autophagosome. It is involved in the second step of autophagy in which it degrades contents with acidic lysosomal hydrolases. [GOC:sart, NIF_Subcellular:sao8444068431, PMID:19008921]' - }, - 'GO:0044755': { - 'name': 'pantothenate import into cell', - 'def': 'The directed movement of pantothenate from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:jl]' - }, - 'GO:0044756': { - 'name': 'biotin import into cell', - 'def': 'The directed movement of biotin from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:jl]' - }, - 'GO:0044757': { - 'name': 'dethiobiotin import into cell', - 'def': 'The directed movement of dethiobiotin from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:jl]' - }, - 'GO:0044758': { - 'name': 'modulation by symbiont of host synaptic transmission', - 'def': 'Any process in which a symbiont organism modulates the frequency, rate or extent of synaptic transmission, communication from a neuron to a target (neuron, muscle, or secretory cell) across a synapse, in its host organism. [GOC:jl]' - }, - 'GO:0044759': { - 'name': 'negative regulation by symbiont of host synaptic transmission', - 'def': 'Any process in which a symbiont organism decreases the frequency, rate or extent of synaptic transmission, communication from a neuron to a target (neuron, muscle, or secretory cell) across a synapse, in its host organism. [GOC:jl]' - }, - 'GO:0044760': { - 'name': 'modulation by symbiont of host cholinergic synaptic transmission', - 'def': 'Any process in which a symbiont organism modulates the frequency, rate or extent of cholinergic synaptic transmission, communication from a neuron to a target (neuron, muscle, or secretory cell) across a synapse via the neurotransmitter choline, in its host organism. [GOC:jl]' - }, - 'GO:0044761': { - 'name': 'negative regulation by symbiont of host cholinergic synaptic transmission', - 'def': 'Any process in which a symbiont organism negatively regulates cholinergic synaptic transmission, communication from a neuron to a target (neuron, muscle, or secretory cell) across a synapse via the neurotransmitter choline, in its host organism. [GOC:jl]' - }, - 'GO:0044762': { - 'name': 'negative regulation by symbiont of host neurotransmitter secretion', - 'def': 'Any process in which a symbiont organism negatively regulates the regulated release of a neurotransmitter from a cell in its host organism. [GOC:jl]' - }, - 'GO:0044763': { - 'name': 'single-organism cellular process', - 'def': 'Any process that is carried out at the cellular level, occurring within a single organism. [GOC:jl]' - }, - 'GO:0044764': { - 'name': 'multi-organism cellular process', - 'def': 'Any process that is carried out at the cellular level which involves another organism of the same or different species. [GOC:jl]' - }, - 'GO:0044765': { - 'name': 'single-organism transport', - 'def': 'The directed movement of substances (such as macromolecules, small molecules, ions) into, out of or within a cell, or between cells, or within a multicellular organism by means of some agent such as a transporter or pore, involving a single organism. [GOC:jl]' - }, - 'GO:0044766': { - 'name': 'multi-organism transport', - 'def': 'The directed movement of substances (such as macromolecules, small molecules, ions) into, out of or within a cell, or between cells, or within a multicellular organism by means of some agent such as a transporter or pore, involving more than one organism. [GOC:jl]' - }, - 'GO:0044767': { - 'name': 'single-organism developmental process', - 'def': 'A biological process whose specific outcome is the progression of an integrated living unit: an anatomical structure (which may be a subcellular structure, cell, tissue, or organ), or organism over time from an initial condition to a later condition, involving only one organism. [GOC:jl]' - }, - 'GO:0044768': { - 'name': 'NMS complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an NMS complex. The NMS complex results from the association of two subcomplexes (known as MIND and Ndc80 in Schizosaccharomyces) and is required for kinetochore assembly. [GOC:vw, PMID:22561345]' - }, - 'GO:0044769': { - 'name': 'ATPase activity, coupled to transmembrane movement of ions, rotational mechanism', - 'def': 'Catalysis of the transfer of ions from one side of a membrane to the other according to the reaction: ATP + H2O + ion(in) = ADP + phosphate + ion(out), by a rotational mechanism. [GOC:jl]' - }, - 'GO:0044770': { - 'name': 'cell cycle phase transition', - 'def': 'The cell cycle process by which a cell commits to entering the next cell cycle phase. [GOC:mtg_cell_cycle]' - }, - 'GO:0044771': { - 'name': 'meiotic cell cycle phase transition', - 'def': 'The cell cycle process by which a cell commits to entering the next meiotic cell cycle phase. [GOC:mtg_cell_cycle]' - }, - 'GO:0044772': { - 'name': 'mitotic cell cycle phase transition', - 'def': 'The cell cycle process by which a cell commits to entering the next mitotic cell cycle phase. [GOC:mtg_cell_cycle]' - }, - 'GO:0044773': { - 'name': 'mitotic DNA damage checkpoint', - 'def': 'A mitotic cell cycle checkpoint that detects and negatively regulates progression through the cell cycle in response to DNA damage. [GOC:mtg_cell_cycle]' - }, - 'GO:0044774': { - 'name': 'mitotic DNA integrity checkpoint', - 'def': 'A mitotic cell cycle process that controls cell cycle progression in response to changes in DNA structure by monitoring the integrity of the DNA. The DNA integrity checkpoint begins with detection of DNA damage, defects in DNA structure or DNA replication, and ends with signal transduction. [GOC:mtg_cell_cycle]' - }, - 'GO:0044775': { - 'name': 'DNA polymerase III, beta sliding clamp processivity factor complex', - 'def': 'A subcomplex of the DNA polymerase III holoenzyme which is responsible for tethering the catalytic subunit of DNA polymerase to DNA during high-speed replication. The complex is homodimeric in prokaryotes, and homotrimeric in other species. [GOC:jl, UniProt:O73947]' - }, - 'GO:0044776': { - 'name': 'DNA polymerase III, core complex', - 'def': "The DNA polymerase III core complex consists of the alpha,epsilon and theta subunits and is carries out the polymerase and the 3'-5' exonuclease proofreading activities. [GOC:jl, UniProt:P06710]" - }, - 'GO:0044777': { - 'name': 'single-stranded DNA-binding protein complex', - 'def': 'A homotetrameric protein complex that is essential for DNA replication. It supercoils the single-stranded DNA preventing DNA duplexing before the polymerase holoenzyme passes and synthesizes the complementary strand. It is also involved in DNA recombination and repair. [GOC:jl, UniProt:P0AGE0]' - }, - 'GO:0044778': { - 'name': 'meiotic DNA integrity checkpoint', - 'def': 'A meiotic cell cycle process that controls cell cycle progression in response to changes in DNA structure by monitoring the integrity of the DNA. The DNA integrity checkpoint begins with detection of DNA damage, defects in DNA structure or DNA replication, and ends with signal transduction. [GOC:mtg_cell_cycle]' - }, - 'GO:0044779': { - 'name': 'meiotic spindle checkpoint', - 'def': 'A cell cycle checkpoint that delays the metaphase/anaphase transition of a meiotic nuclear division until the spindle is correctly assembled and that the chromosomes are attached to the spindle. [GOC:mtg_cell_cycle]' - }, - 'GO:0044780': { - 'name': 'bacterial-type flagellum assembly', - 'def': 'The assembly of a bacterial-type flagellum, a motor complex composed of an extracellular helical protein filament coupled to a rotary motor embedded in the cell envelope which functions in cell motility. [GOC:jl]' - }, - 'GO:0044781': { - 'name': 'bacterial-type flagellum organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a bacterial-type flagellum, a motor complex composed of an extracellular helical protein filament coupled to a rotary motor embedded in the cell envelope which functions in cell motility. [GOC:jl]' - }, - 'GO:0044782': { - 'name': 'cilium organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a cilium, a specialized eukaryotic organelle that consists of a filiform extrusion of the cell surface. Each cilium is bounded by an extrusion of the cytoplasmic membrane, and contains a regular longitudinal array of microtubules, anchored basally in a centriole. [GOC:cilia, GOC:jl]' - }, - 'GO:0044783': { - 'name': 'G1 DNA damage checkpoint', - 'def': 'A cell cycle checkpoint that detects and negatively regulates progression from G1 to S phase in the cell cycle in response to DNA damage. [GOC:mtg_cell_cycle]' - }, - 'GO:0044784': { - 'name': 'metaphase/anaphase transition of cell cycle', - 'def': 'The cell cycle process in which a cell progresses from metaphase to anaphase as part of the cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0044785': { - 'name': 'metaphase/anaphase transition of meiotic cell cycle', - 'def': 'The cell cycle process in which a cell progresses from metaphase to anaphase as part of meiosis. [GOC:mtg_cell_cycle]' - }, - 'GO:0044786': { - 'name': 'cell cycle DNA replication', - 'def': 'The DNA-dependent DNA replication that takes place as part of the cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0044787': { - 'name': 'bacterial-type DNA replication', - 'def': 'The DNA-dependent DNA replication, exemplified by prokaryotes, that occurs as part of the cell cycle. Prokaryotic DNA replication is bi-directional and originates at a single origin of replication on the circular genome. [GOC:mtg_cell_cycle]' - }, - 'GO:0044788': { - 'name': 'modulation by host of viral process', - 'def': 'A process in which a host organism modulates the frequency, rate or extent of any of a process being mediated by a virus with which it is infected. [GOC:jl]' - }, - 'GO:0044789': { - 'name': 'modulation by host of viral release from host cell', - 'def': 'A process in which a host organism modulates the frequency, rate or extent of the release of a virus with which it is infected, from its cells. [GOC:jl, PMID:18305167]' - }, - 'GO:0044790': { - 'name': 'negative regulation by host of viral release from host cell', - 'def': 'A process in which a host organism stops, prevents or reduces the frequency, rate or extent of the release of a virus with which it is infected, from its cells. [GOC:jl, PMID:18305167]' - }, - 'GO:0044791': { - 'name': 'positive regulation by host of viral release from host cell', - 'def': 'A process in which a host organism activates or increases the frequency, rate or extent of the release of a virus with which it is infected, from its cells. [GOC:jl]' - }, - 'GO:0044793': { - 'name': 'negative regulation by host of viral process', - 'def': 'A process in which a host organism stops, prevents or reduces the frequency, rate or extent of a process being mediated by a virus with which it is infected. [GOC:jl]' - }, - 'GO:0044794': { - 'name': 'positive regulation by host of viral process', - 'def': 'A process in which a host organism activates or increases the frequency, rate or extent of the release of a process being mediated by a virus with which it is infected. [GOC:jl]' - }, - 'GO:0044795': { - 'name': 'trans-Golgi network to recycling endosome transport', - 'def': 'The directed movement of substances, in membrane-bounded vesicles, from the trans-Golgi network to the recycling endosomes. [GOC:lb, PMID:18779367]' - }, - 'GO:0044796': { - 'name': 'DNA polymerase processivity factor complex', - 'def': 'A protein complex which is capable of increasing the processivity of nucleotide polymerization by DNA polymerase as a part of DNA replication. [GOC:bhm, GOC:jl]' - }, - 'GO:0044797': { - 'name': 'cytoplasmic transcription factor complex', - 'def': 'A protein complex, located in the cytoplasm, that is capable of associating with DNA by direct binding, or via other DNA-binding proteins or complexes, and regulating transcription. [GOC:jl]' - }, - 'GO:0044798': { - 'name': 'nuclear transcription factor complex', - 'def': 'A protein complex, located in the nucleus, that is capable of associating with DNA by direct binding, or via other DNA-binding proteins or complexes, and regulating transcription. [GOC:jl]' - }, - 'GO:0044799': { - 'name': 'NarGHI complex', - 'def': 'A heterotrimeric protein complex with iron-sulfur and molybdenum cofactors that functions as a terminal reductase in electron transport pathways that operate during anaerobic nitrate respiration. In E. coli electrons are passed from the FdnGHI complex to the NarGHI complex via menoquinone and menaquinol. Within NarGHI, electrons are passed from the two heme molecules in the NarI subunit down a Fe-S cluster chain in the NarH and NarG subunits to the Molybdenum cofactor, Mo-bisMGD, in the NarG subunit. [GOC:bhm, PMID:11289299, PMID:12910261, PMID:17964535]' - }, - 'GO:0044800': { - 'name': 'multi-organism membrane fusion', - 'def': 'The membrane organization process that joins two lipid bilayers to form a single membrane, involving more than one organism. [GOC:jl]' - }, - 'GO:0044801': { - 'name': 'single-organism membrane fusion', - 'def': 'The membrane organization process that joins two lipid bilayers to form a single membrane, involving only one organism. [GOC:jl]' - }, - 'GO:0044802': { - 'name': 'single-organism membrane organization', - 'def': 'A process which results in the assembly, arrangement of constituent parts, or disassembly of a membrane, involving only one organism. [GOC:jl]' - }, - 'GO:0044803': { - 'name': 'multi-organism membrane organization', - 'def': 'A process which results in the assembly, arrangement of constituent parts, or disassembly of a membrane, involving more than one organism. [GOC:jl]' - }, - 'GO:0044804': { - 'name': 'nucleophagy', - 'def': 'A selective form of autophagy, by which damaged or non-essential parts of the nucleus, or even an entire nucleus is degraded. [GOC:autophagy, GOC:jl, PMID:24013549]' - }, - 'GO:0044805': { - 'name': 'late nucleophagy', - 'def': 'A type of nucleophagy, distinct from piecemeal microautophagy of the nucleus (PNM) where the nuclear material is delivered to the vacuole/lysosome for breakdown and recycling later than observed for PNM. [GOC:dgf, GOC:jl, PMID:22768199]' - }, - 'GO:0044806': { - 'name': 'G-quadruplex DNA unwinding', - 'def': "The process by which G-quadruplex (also known as G4) DNA, which is a four-stranded DNA structure held together by guanine base pairing, is unwound or 'melted'. [GOC:jl, GOC:se, PMID:23657261]" - }, - 'GO:0044807': { - 'name': 'macrophage migration inhibitory factor production', - 'def': 'The appearance of macrophage migration inhibitory factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv]' - }, - 'GO:0044808': { - 'name': 'Oncostatin M production', - 'def': 'The appearance of Oncostatin M due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv]' - }, - 'GO:0044809': { - 'name': 'chemokine (C-C motif) ligand 17 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 17 (CCL17) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv]' - }, - 'GO:0044810': { - 'name': 'Dma1-dependent checkpoint', - 'def': 'Mitotic cell cycle spindle checkpoint that negatively regulates cytokinesis and mitotic exit when the spindle does not form. [GOC:mtg_cell_cycle]' - }, - 'GO:0044811': { - 'name': 'response to Dma1-dependent checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of Dma1-dependent checkpoint signalling. [GOC:mtg_cell_cycle]' - }, - 'GO:0044812': { - 'name': 'fermentative hydrogen production', - 'def': 'The fermentation of organic substances with a net release of hydrogen. [GOC:mengo_curators]' - }, - 'GO:0044813': { - 'name': 'glycolytic fermentation via PFOR pathway', - 'def': 'The glycolytic fermentation beginning with the anaerobic conversion of glucose to pyruvate by the glycolytic pathway, continuing with pyruvate:ferredoxin oxidoreductase (PFOR) activity. This pathway is found in strict anaerobes such as Clostridia species. [GOC:mengo_curators, PMID:20395274, PMID:20692761]' - }, - 'GO:0044814': { - 'name': 'glycolytic fermentation via PFL pathway', - 'def': 'The glycolytic fermentation beginning with the anaerobic conversion of glucose to pyruvate by the glycolytic pathway, followed by pyruvate:formate lyase (PFL) activity. This pathway is found in facultative anaerobes such as E. coli. [GOC:mengo_curators, PMID:20395274, PMID:20692761]' - }, - 'GO:0044815': { - 'name': 'DNA packaging complex', - 'def': 'A protein complex that plays a role in the process of DNA packaging. [GOC:jl]' - }, - 'GO:0044816': { - 'name': 'Nsk1-Dlc1 complex', - 'def': 'A dimer of Nsk1 (nucleolus spindle kinetochore 1) and the dynein light chain, Dlc1. The dimers form an oligomeric chain structure. Functions in the regulation of kinetochore-microtubule interactions and chromosome segregation. [GOC:vw, PMID:22065639]' - }, - 'GO:0044817': { - 'name': 'hydrogen generation via biophotolysis', - 'def': 'The production of hydrogen which results from the dissociation by light of water into molecular hydrogen and oxygen. This process is observed in cyanobacteria and microalgae. [GOC:mengo_curators, PMID:20395274, PMID:20692761]' - }, - 'GO:0044818': { - 'name': 'mitotic G2/M transition checkpoint', - 'def': 'A cell cycle checkpoint that detects and negatively regulates progression from G2 to M phase as part of a mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0044819': { - 'name': 'mitotic G1/S transition checkpoint', - 'def': 'A cell cycle checkpoint that detects and negatively regulates progression from G1 to S phase as part of a mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0044820': { - 'name': 'mitotic telomere tethering at nuclear periphery', - 'def': 'The process in which a telomere is maintained in a specific location at the nuclear periphery, as part of a mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0044821': { - 'name': 'meiotic telomere tethering at nuclear periphery', - 'def': 'The process in which a telomere is maintained in a specific location at the nuclear periphery, as part of a meiotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0044823': { - 'name': 'retroviral integrase activity', - 'def': "Catalysis of the covalent insertion of double-stranded retroviral DNA into host DNA. Proceeds by an endonucleolytic cleavage at each 3'-OH extremity of the viral genome, named 3'-processing, followed by a strand transfer reaction leading to the insertion of the processed viral DNA into the target DNA by a trans-esterification mechanism. [PMID:19091057]" - }, - 'GO:0044824': { - 'name': "retroviral 3' processing activity", - 'def': "The catalysis of the removal of two di- or tri-nucleotides from each 3' end of double-stranded viral DNA, exposing recessed 3' hydroxyls. [PMID:22580823, Reactome:REACT_9069.1]" - }, - 'GO:0044825': { - 'name': 'retroviral strand transfer activity', - 'def': "Catalysis of the covalent insertion of processed 3'-viral DNA ends into host chromosomal DNA by a trans-esterification reaction. [PMID:22580823]" - }, - 'GO:0044826': { - 'name': 'viral genome integration into host DNA', - 'def': 'The insertion into a host genome of viral DNA, usually by the action of an integrase enzyme. Once integrated, the provirus persists in the host cell and serves as a template for the transcription of viral genes and replication of the viral genome, leading to the production of new viruses. [PMID:19091057]' - }, - 'GO:0044827': { - 'name': 'modulation by host of viral genome replication', - 'def': 'A process in which a host organism modulates the frequency, rate or extent of viral genome replication. [GOC:jl]' - }, - 'GO:0044828': { - 'name': 'negative regulation by host of viral genome replication', - 'def': 'A process in which a host organism stops, prevents or reduces the frequency, rate or extent of viral genome replication. [GOC:jl]' - }, - 'GO:0044829': { - 'name': 'positive regulation by host of viral genome replication', - 'def': 'A process in which a host organism activates or increases the frequency, rate or extent of viral genome replication. [GOC:jl]' - }, - 'GO:0044830': { - 'name': 'modulation by host of viral RNA genome replication', - 'def': 'A process in which a host organism modulates the frequency, rate or extent of viral RNA genome replication. [GOC:jl]' - }, - 'GO:0044831': { - 'name': 'modulation by virus of host cytokine production', - 'def': 'Any process in which a virus modulates the frequency, rate or extent of cytokine production in its host organism. [GOC:jl]' - }, - 'GO:0044832': { - 'name': 'positive regulation by virus of host cytokine production', - 'def': 'The process in which a virus increases the frequency, rate or extent of cytokine production in its host organism. [GOC:jl]' - }, - 'GO:0044833': { - 'name': 'modulation by virus of host protein transport', - 'def': 'Any viral process that modulates the frequency, rate or extent of protein transport in its host organism. [GOC:jl, PMID:22334672]' - }, - 'GO:0044834': { - 'name': 'retroviral intasome', - 'def': 'A tetramer of retroviral integrase subunits tightly associated with a pair of viral DNA ends. Functions to insert viral DNA into a host cell chromosome. [PMID:20118915]' - }, - 'GO:0044835': { - 'name': 'hydrogen generation via nitrogenase', - 'def': 'The chemical reactions and pathways resulting in the formation of H2 (dihydrogen) which involve a nitrogenase activity as one of the steps. This process is observed in cyanobacteria. [GOC:mengo_curators, PMID:22128188]' - }, - 'GO:0044836': { - 'name': 'D-xylose fermentation', - 'def': 'The anaerobic enzymatic conversion of D-xylose to ethanol, yielding energy in the form of ATP. [GOC:mengo_curators]' - }, - 'GO:0044837': { - 'name': 'actomyosin contractile ring organization', - 'def': 'A process which results in the assembly, arrangement of constituent parts, or disassembly of an actomyosin contractile ring. [GOC:mtg_cell_cycle]' - }, - 'GO:0044838': { - 'name': 'cell quiescence', - 'def': "A specialized resting state that cells enter in response to cues from the cell's environment. Quiescence is characterized by the absence of cell growth and division, by a reprogramming of global gene expression, and by changes characteristic of the organism and specific cell type. Depending on external conditions, quiescence may persist until cell death or cells may resume cell growth and division. In some cell types or under certain conditions, cellular metabolism may proceed. [GOC:jb, GOC:mah]" - }, - 'GO:0044839': { - 'name': 'cell cycle G2/M phase transition', - 'def': 'The cell cycle process by which a cell in G2 phase commits to M phase. [GOC:jl, GOC:mtg_cell_cycle]' - }, - 'GO:0044840': { - 'name': 'gut granule', - 'def': 'A lysosome-related organelle contained within the intestinal cells of the nematode C. elegans. Gut granules are acidified, birefringent, autofluorescent, and contain the vacuolar H+-ATPase. They also serve as sites of cellular zinc storage. [GOC:kmv, PMID:22916203, PMID:24204312]' - }, - 'GO:0044841': { - 'name': 'gut granule membrane', - 'def': 'The membrane of a gut granule, a lysosome-related organelle contained within the intestinal cells of the nematode C. elegans. [GOC:kmv, PMID:22916203, PMID:24204312]' - }, - 'GO:0044842': { - 'name': 'gut granule lumen', - 'def': 'The lumen of a gut granule, a lysosome-related organelle contained within the intestinal cells of the nematode C. elegans. [GOC:kmv, PMID:22916203, PMID:24204312]' - }, - 'GO:0044843': { - 'name': 'cell cycle G1/S phase transition', - 'def': 'The cell cycle process by which a cell in G1 phase commits to S phase. [GOC:mtg_cell_cycle]' - }, - 'GO:0044844': { - 'name': 'meiotic interphase II', - 'def': 'The cell cycle phase which begins at the end of meiosis I cytokinesis and ends when meiosis II prophase begins. During meiotic interphase II no DNA replication takes place, but the centrioles duplicate and spindle fibres emerge. [GOC:jl, GOC:mtg_cell_cycle]' - }, - 'GO:0044845': { - 'name': 'chain elongation of O-linked mannose residue', - 'def': 'Extension of the O-linked mannose residue of a mannoprotein by the stepwise addition of further mannose molecules. [GOC:jl, PMID:19429925]' - }, - 'GO:0044846': { - 'name': 'negative regulation by symbiont of indole acetic acid levels in host', - 'def': 'Any process in which an organism reduces the indole acetic acid levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:ml, PMID:18056646]' - }, - 'GO:0044847': { - 'name': 'iron acquisition by symbiont from host', - 'def': 'The process by which a symbiont acquires iron from its host, either from heme or other iron containing molecules such as transferrin and lactoferrin. Begins with either the secretion of symbiont gene products that bind iron- or heme-containing molecules (siderophores and hemophores) from the symbiont cell into the host, or by expression of receptors that bind iron- or heme-containing molecules on the symbiont cell surface. Ends when the iron-containing compound is transported into the symbiont cell. [PMID:15487950, PMID:22865843]' - }, - 'GO:0044848': { - 'name': 'biological phase', - 'def': 'A distinct period or stage in a biological process or cycle. [GOC:jl]' - }, - 'GO:0044849': { - 'name': 'estrous cycle', - 'def': 'A type of ovulation cycle, which occurs in most mammalian therian females, where the endometrium is resorbed if pregnancy does not occur. [GOC:jl, Wikipedia:Estrous_cycle]' - }, - 'GO:0044850': { - 'name': 'menstrual cycle', - 'def': 'A type of ovulation cycle where the endometrium is shed if pregnancy does not occur. [GOC:jl]' - }, - 'GO:0044851': { - 'name': 'hair cycle phase', - 'def': 'The cyclical periods of growth (anagen), regression (catagen), quiescence (telogen), and shedding (exogen) in the life of a hair; one of the collection or mass of filaments growing from the skin of an animal, and forming a covering for a part of the head or for any part or the whole of the body. [GOC:jl]' - }, - 'GO:0044852': { - 'name': 'nonrepetitive DNA condensation', - 'def': 'The process in which chromatin structure of nonrepetitive regions of DNA is compacted prior to and during mitosis in eukaryotic cells. [GOC:jl, PMID:10811823]' - }, - 'GO:0044853': { - 'name': 'plasma membrane raft', - 'def': 'A membrane raft that is part of the plasma membrane. [GOC:jl]' - }, - 'GO:0044854': { - 'name': 'plasma membrane raft assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a plasma membrane raft. [GOC:jl]' - }, - 'GO:0044855': { - 'name': 'plasma membrane raft distribution', - 'def': 'The process that establishes the spatial arrangement of membrane rafts within a plasma membrane. [GOC:jl]' - }, - 'GO:0044856': { - 'name': 'plasma membrane raft localization', - 'def': 'Any process in which plasma membrane rafts are transported to, or maintained in, a specific location. [GOC:jl]' - }, - 'GO:0044857': { - 'name': 'plasma membrane raft organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of plasma membrane rafts. [GOC:jl]' - }, - 'GO:0044858': { - 'name': 'plasma membrane raft polarization', - 'def': 'The clustering and aggregation of plasma membrane rafts at a single cellular pole during activation of particular cell types, such as lymphocytes. [GOC:jl]' - }, - 'GO:0044859': { - 'name': 'protein insertion into plasma membrane raft', - 'def': 'The process in which a protein is incorporated into a plasma membrane raft. [GOC:jl]' - }, - 'GO:0044860': { - 'name': 'protein localization to plasma membrane raft', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a plasma membrane raft. [GOC:jl]' - }, - 'GO:0044861': { - 'name': 'protein transport into plasma membrane raft', - 'def': 'The directed movement of a protein into a plasma membrane raft. [GOC:jl]' - }, - 'GO:0044862': { - 'name': 'protein transport out of plasma membrane raft', - 'def': 'The directed movement of a protein out of a plasma membrane raft. [GOC:jl]' - }, - 'GO:0044863': { - 'name': 'modulation by virus of host cell division', - 'def': "Any process where an infecting virus modulates the frequency, rate or extent of the physical partitioning and separation of its host's cell into daughter cells. [GOC:jl]" - }, - 'GO:0044864': { - 'name': 'positive regulation by virus of host cell division', - 'def': "Any process where an infecting virus activates or increases the frequency, rate or extent of its host's cell division. [GOC:jl]" - }, - 'GO:0044865': { - 'name': 'negative regulation by virus of host cell division', - 'def': "Any process where an infecting virus stops, prevents, or reduces the frequency, rate or extent of its host's cell division. [GOC:jl]" - }, - 'GO:0044866': { - 'name': 'modulation by host of viral exo-alpha-sialidase activity', - 'def': 'The process in which a host organism effects a change in viral exo-alpha-sialidase activity, the catalysis of the hydrolysis of peptide bonds in a protein. [GOC:jl]' - }, - 'GO:0044867': { - 'name': 'modulation by host of viral catalytic activity', - 'def': 'The process in which a host organism effects a change in the enzyme activity of a virus with which it is infected. [GOC:jl]' - }, - 'GO:0044868': { - 'name': 'modulation by host of viral molecular function', - 'def': 'A process in which a host organism modulates the frequency, rate or extent of any molecular function being mediated by a virus with which it is infected. [GOC:jl]' - }, - 'GO:0044869': { - 'name': 'negative regulation by host of viral exo-alpha-sialidase activity', - 'def': 'The process in which a host organism decreases viral exo-alpha-sialidase activity, the catalysis of the hydrolysis of peptide bonds in a protein. [GOC:jl]' - }, - 'GO:0044870': { - 'name': 'modulation by host of viral glycoprotein metabolic process', - 'def': 'A process in which a host organism modulates the frequency, rate or extent of viral glycoprotein metabolic process. [GOC:jl]' - }, - 'GO:0044871': { - 'name': 'negative regulation by host of viral glycoprotein metabolic process', - 'def': 'A process in which a host organism stops, prevents or reduces the frequency, rate or extent of viral glycoprotein metabolic process. [GOC:jl]' - }, - 'GO:0044872': { - 'name': 'lipoprotein localization', - 'def': 'Any process in which a lipoprotein is transported to, or maintained in, a specific location. [GOC:jl]' - }, - 'GO:0044873': { - 'name': 'lipoprotein localization to membrane', - 'def': 'A process in which a lipoprotein is transported to, or maintained in, a specific location in a membrane. [GOC:jl]' - }, - 'GO:0044874': { - 'name': 'lipoprotein localization to outer membrane', - 'def': 'A process in which a lipoprotein is transported to, or maintained in, a specific location in an outer membrane. [GOC:jl]' - }, - 'GO:0044875': { - 'name': 'gamma-glutamyl hercynylcysteine sulfoxide synthase', - 'def': 'Catalysis of the reaction: gamma-glutamyl cysteine + hercynine + O2 <=> gamma-glutamyl-hercynyl cysteine sulfoxide + H2O. [GOC:jl, PMID:24828577]' - }, - 'GO:0044876': { - 'name': 'hercynylselenocysteine synthase', - 'def': 'Catalysis of the reaction: 2 L-selenocysteine + 2 hercynine + O2 <=> 2 H2O + 2 hercynylselenocysteine. [GOC:jl, PMID:24828577]' - }, - 'GO:0044877': { - 'name': 'macromolecular complex binding', - 'def': 'Interacting selectively and non-covalently with any macromolecular complex. [GOC:jl]' - }, - 'GO:0044878': { - 'name': 'mitotic cytokinesis checkpoint', - 'def': 'A mitotic cell cycle checkpoint that detects a defect in cytokinesis and prevents further rounds of nuclear division until cytokinesis is completed. [GOC:jl, GOC:mtg_cell_cycle, PMID:17538026]' - }, - 'GO:0044879': { - 'name': 'morphogenesis checkpoint', - 'def': 'A mitotic cell cycle checkpoint which delays mitotic onset in response to perturbations that affect cell shape via the actin cytoskeleton, septin organization, small cell size, and/or the extent of membrane growth. [GOC:jl, GOC:mtg_cell_cycle]' - }, - 'GO:0045002': { - 'name': 'double-strand break repair via single-strand annealing', - 'def': "Repair of a DSB made between two repeated sequences oriented in the same direction occurs primarily by the single strand annealing pathway. The ends of the break are processed by a 5' to 3' exonuclease, exposing complementary single-strand regions of the direct repeats that can anneal, resulting in a deletion of the unique DNA between the direct repeats. [PMID:11606529]" - }, - 'GO:0045003': { - 'name': 'double-strand break repair via synthesis-dependent strand annealing', - 'def': "SDSA is a major mechanism of double-strand break repair in mitosis which allows for the error-free repair of a double-strand break without the exchange of adjacent sequences. The broken DNA searches for and base pairs with a homologous region in an intact chromosome. DNA synthesis initiates from the 3' end of the invading DNA strand, using the intact chromosome as the template. Newly synthesized DNA is then displaced from the template and anneal with its complement on the other side of the double-strand break. [PMID:10357855]" - }, - 'GO:0045004': { - 'name': 'DNA replication proofreading', - 'def': "Correction of replication errors by DNA polymerase using a 3'-5' exonuclease activity. [GOC:ai]" - }, - 'GO:0045005': { - 'name': 'DNA-dependent DNA replication maintenance of fidelity', - 'def': 'A DNA metabolic process that prevents or corrects errors to ensure that DNA is replicated accurately. Errors can be corrected either by intrinsic DNA polymerase proofreading activity or via mismatch repair. [GOC:mah, GOC:vw]' - }, - 'GO:0045006': { - 'name': 'DNA deamination', - 'def': 'The removal of an amino group from a nucleotide base in DNA. An example is the deamination of cytosine to produce uracil. [GOC:ai]' - }, - 'GO:0045007': { - 'name': 'depurination', - 'def': 'The disruption of the bond between the sugar in the backbone and the A or G base, causing the base to be removed and leaving a depurinated sugar. [GOC:ai]' - }, - 'GO:0045008': { - 'name': 'depyrimidination', - 'def': 'The disruption of the bond between the sugar in the backbone and the C or T base, causing the base to be removed and leaving a depyrimidinated sugar. [GOC:ai]' - }, - 'GO:0045009': { - 'name': 'chitosome', - 'def': 'An intracellular membrane-bounded particle found in fungi and containing chitin synthase; it synthesizes chitin microfibrils. Chitin synthase activity exists in chitosomes and they are proposed to act as a reservoir for regulated transport of chitin synthase enzymes to the division septum. [ISBN:0198506732, PMID:8970154]' - }, - 'GO:0045010': { - 'name': 'actin nucleation', - 'def': 'The initial step in the formation of an actin filament, in which actin monomers combine to form a new filament. Nucleation is slow relative to the subsequent addition of more monomers to extend the filament. [ISBN:0815316194]' - }, - 'GO:0045012': { - 'name': 'obsolete MHC class II receptor activity', - 'def': "OBSOLETE. A major histocompatibility complex class II receptor. These display processed antigens from virally-infected or transformed cells. Class-II-positive cells ('antigen-presenting cells') can take up antigens from outside by endocytosis, degrade them into small peptides, and re-export the peptides (now bound to MHC class II protein) to the cell surface. These peptide-MHC class II complexes can then be recognized by specific CD4+ lymphocytes. [ISBN:081533642X, ISBN:0879694971]" - }, - 'GO:0045013': { - 'name': 'carbon catabolite repression of transcription', - 'def': 'A transcription regulation process in which the presence of one carbon source leads to a decrease in the frequency, rate, or extent of transcription of specific genes involved in the metabolism of other carbon sources. Carbon catabolite repression is a mechanism of genetic regulation which the accumulation of catabolites of one substance in the cell represses the formation of enzymes that contribute to the catabolism of other substances. [GOC:mah, ISBN:0198506732, PMID:11018147, PMID:18359269, PMID:9618445]' - }, - 'GO:0045014': { - 'name': 'negative regulation of transcription by glucose', - 'def': 'Any process involving glucose that stops, prevents or reduces the rate of transcription. The presence of glucose in the growth medium inhibits the synthesis of certain enzymes in bacteria growing on the medium. For example, transcription of some catabolic operons is under negative control by specific repressors and glucose is an anti-inducer of xylose utilization and glycerol kinase. [ISBN:0198506732, PMID:11018147]' - }, - 'GO:0045015': { - 'name': 'HDEL sequence binding', - 'def': 'Interacting selectively and non-covalently with a HDEL sequence, the C terminus tetrapeptide sequence His-Asp-Glu-Leu found in proteins that are to be retained in the endoplasmic reticulum. [PMID:1327759]' - }, - 'GO:0045016': { - 'name': 'mitochondrial magnesium ion transport', - 'def': 'The transport of magnesium ions (Mg2+) into, out of or within a mitochondrion. Transport across the mitochondrial membranes is mediated by a mitochondrial inner membrane protein. [GOC:ai, PMID:11254124]' - }, - 'GO:0045017': { - 'name': 'glycerolipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycerolipids, any lipid with a glycerol backbone. [GOC:ai]' - }, - 'GO:0045018': { - 'name': 'retrograde transport, vacuole to Golgi', - 'def': 'The directed movement of substances from the vacuole to the trans-Golgi network; this occurs in yeast via the prevacuolar/endosomal compartment. [PMID:9700156]' - }, - 'GO:0045019': { - 'name': 'negative regulation of nitric oxide biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of nitric oxide. [GOC:go_curators]' - }, - 'GO:0045020': { - 'name': 'obsolete error-prone DNA repair', - 'def': 'OBSOLETE. DNA repair pathways that tend to increase the endogenous mutation rate. [GOC:jl, PMID:11459974]' - }, - 'GO:0045021': { - 'name': 'obsolete error-free DNA repair', - 'def': 'OBSOLETE. DNA repair pathways that do not increase the mutation rate above spontaneous background levels, e.g. excision and recombination pathways. [GOC:jl, PMID:11459974]' - }, - 'GO:0045022': { - 'name': 'early endosome to late endosome transport', - 'def': 'The directed movement of substances, in membrane-bounded vesicles, from the early sorting endosomes to the late sorting endosomes; transport occurs along microtubules and can be experimentally blocked with microtubule-depolymerizing drugs. [ISBN:0815316194]' - }, - 'GO:0045023': { - 'name': 'G0 to G1 transition', - 'def': 'The mitotic cell cycle phase transition whose occurrence commits the cell from the G0 quiescent state to the G1 phase. Under certain conditions, cells exit the cell cycle during G1 and remain in the G0 state as nongrowing, non-dividing (quiescent) cells. Appropriate stimulation of such cells induces them to return to G1 and resume growth and division. The G0 to G1 transition is accompanied by many changes in the program of gene expression. [GOC:mtg_cell_cycle, ISBN:0716731363]' - }, - 'GO:0045024': { - 'name': 'obsolete peptidyl-glutamyl peptide hydrolyzing enzyme activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of bonds after acidic amino acids and after branched chain amino acids. [PMID:11735414]' - }, - 'GO:0045025': { - 'name': 'mitochondrial degradosome', - 'def': "A mitochondrial protein complex with 3' to 5' exoribonuclease activity that participates in intron-independent turnover and processing of mitochondrial transcripts. In humans, the mitochondrial degradosome is a pentameric complex, and in yeast it exists as a heterodimer. [PMID:10397341, PMID:9829834]" - }, - 'GO:0045026': { - 'name': 'plasma membrane fusion', - 'def': 'The joining of two or more lipid bilayer membranes that surround a cell. [GOC:elh, GOC:mtg_muscle]' - }, - 'GO:0045027': { - 'name': 'DNA end binding', - 'def': 'Interacting selectively and non-covalently with the ends of DNA that are exposed by the creation of double-strand breaks (DSBs). [GOC:jl]' - }, - 'GO:0045028': { - 'name': 'G-protein coupled purinergic nucleotide receptor activity', - 'def': 'Combining with a purine nucleotide and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:mah, PMID:9755289]' - }, - 'GO:0045029': { - 'name': 'UDP-activated nucleotide receptor activity', - 'def': 'Combining with a nucleotide and transmitting the signal to a heterotrimeric G-protein complex to initiate a change in cell activity, activated by UDP. [GOC:mah]' - }, - 'GO:0045030': { - 'name': 'UTP-activated nucleotide receptor activity', - 'def': 'Combining with a nucleotide and transmitting the signal to a heterotrimeric G-protein complex to initiate a change in cell activity, activated by UTP. [GOC:mah]' - }, - 'GO:0045031': { - 'name': 'ATP-activated adenosine receptor activity', - 'def': 'Combining with adenosine and transmitting the signal to a heterotrimeric G-protein complex to initiate a change in cell activity, activated by ATP. [GOC:mah]' - }, - 'GO:0045032': { - 'name': 'ADP-activated adenosine receptor activity', - 'def': 'Combining with adenosine and transmitting the signal to a heterotrimeric G-protein complex to initiate a change in cell activity, activated by ADP. [GOC:mah]' - }, - 'GO:0045033': { - 'name': 'peroxisome inheritance', - 'def': 'The acquisition of peroxisomes by daughter cells from the mother cell after replication. In Saccharomyces cerevisiae, the number of peroxisomes cells is fairly constant; a subset of the organelles are targeted and segregated to the bud in a highly ordered, vectorial process. Efficient segregation of peroxisomes from mother to bud is dependent on the actin cytoskeleton, and active movement of peroxisomes along actin filaments is driven by the class V myosin motor protein, Myo2p. [PMID:11733545]' - }, - 'GO:0045034': { - 'name': 'obsolete neuroblast division', - 'def': 'OBSOLETE. The asymmetrical division of a neuroblast, the neural precursor in the central nervous system, giving rise to another neuroblast and a ganglion mother cell. [PMID:11163136, PMID:11250167]' - }, - 'GO:0045035': { - 'name': 'sensory organ precursor cell division', - 'def': 'The series of four asymmetric divisions undergone by the sensory organ precursor cells to generate cells that have distinct cell fates. For example, in the external sensory organ, the precursor cells give rise to one multidendritic neuron and four additional cells (the socket, shaft, sheath cells and the external sense neuron). [GOC:mah, PMID:11171389, PMID:18295597]' - }, - 'GO:0045036': { - 'name': 'protein targeting to chloroplast', - 'def': 'The process of directing proteins towards the chloroplast, usually using signals contained within the protein. Imported proteins are synthesized as cytosolic precursors containing N-terminal uptake-targeting sequences that direct each protein to its correct subcompartment and are subsequently cleaved. [ISBN:0716731363]' - }, - 'GO:0045037': { - 'name': 'protein import into chloroplast stroma', - 'def': 'The targeting and import of proteins into the chloroplast stroma. Import depends on ATP hydrolysis catalyzed by stromal chaperones. Chloroplast stromal proteins, such as the S subunit of rubisco, have a N-terminal stromal-import sequence of about 44 amino acids which is cleaved from the protein precursor after import. [ISBN:0716731363]' - }, - 'GO:0045038': { - 'name': 'protein import into chloroplast thylakoid membrane', - 'def': 'The import of proteins into the chloroplast thylakoid membranes. Proteins that are destined for the thylakoid lumen require two uptake-targeting sequences: the first targets the protein to the stroma, and the second targets the protein from the stroma to the thylakoid lumen. Four separate thylakoid-import systems deal with the proteins once they are in the stroma. [ISBN:0716731363]' - }, - 'GO:0045039': { - 'name': 'protein import into mitochondrial inner membrane', - 'def': 'The process comprising the import of proteins into the mitochondrion from outside the organelle and their insertion into the mitochondrial inner membrane. The translocase of the outer membrane complex mediates the passage of these proteins across the outer membrane, after which they are guided by either of two inner membrane translocase complexes into their final destination in the inner membrane. [GOC:mcc, GOC:vw, PMID:18672008]' - }, - 'GO:0045040': { - 'name': 'protein import into mitochondrial outer membrane', - 'def': 'The process comprising the insertion of proteins from outside the organelle into the mitochondrial outer membrane, mediated by large outer membrane translocase complexes. [GOC:mcc, GOC:vw, PMID:18672008]' - }, - 'GO:0045041': { - 'name': 'protein import into mitochondrial intermembrane space', - 'def': 'The import of proteins into the space between the inner and outer mitochondrial membranes. [ISBN:0716731363]' - }, - 'GO:0045042': { - 'name': 'obsolete protein import into mitochondrial intermembrane space, conservative', - 'def': 'OBSOLETE. The conservative import of proteins into the mitochondrial intermembrane space. The entire protein enters the matrix, and then the second targeting sequence directs the protein, presumably bound to a matrix protein, across the inner membrane to the intermembrane space. [ISBN:0716731363]' - }, - 'GO:0045045': { - 'name': 'obsolete secretory pathway', - 'def': 'OBSOLETE. The pathway along which proteins and other substances are moved around and out of the cell. After synthesis on the ribosomes of the endoplasmic reticulum (ER), completed polypeptide chains are moved to the Golgi complex and subsequently sorted to various destinations. Proteins synthesized and sorted in the secretory pathway include not only those that are secreted from the cell but also enzymes and other resident proteins in the lumen of the ER, Golgi, and lysosomes as well as integral proteins in the membranes of these organelles and the plasma membrane. [ISBN:0716731363]' - }, - 'GO:0045046': { - 'name': 'protein import into peroxisome membrane', - 'def': 'The targeting of proteins into the peroxisomal membrane. The process is not well understood, but both signals and mechanism differ from those involved in peroxisomal matrix protein import. [ISBN:0716731363, PMID:11687502]' - }, - 'GO:0045047': { - 'name': 'protein targeting to ER', - 'def': 'The process of directing proteins towards the endoplasmic reticulum (ER) using signals contained within the protein. One common mechanism uses a 16- to 30-residue signal sequence, typically located at the N-terminus of the protein and containing positively charged amino acids followed by a continuous stretch of hydrophobic residues, which directs the ribosome to the ER membrane and initiates transport of the growing polypeptide across the ER membrane. [ISBN:0716731363]' - }, - 'GO:0045048': { - 'name': 'protein insertion into ER membrane', - 'def': 'The process that results in incorporation of a protein into an endoplasmic reticulum (ER) membrane. It depends on specific topogenic sequences of amino acids that ensure that a protein acquires the proper orientation during its insertion into the ER membrane. [ISBN:0716731363]' - }, - 'GO:0045049': { - 'name': 'protein insertion into ER membrane by N-terminal cleaved signal sequence', - 'def': 'A process of protein insertion into the endoplasmic reticulum (ER) membrane in which N-terminal cleaved signal sequences direct polypeptides to the ER. [ISBN:0716731363]' - }, - 'GO:0045050': { - 'name': 'protein insertion into ER membrane by stop-transfer membrane-anchor sequence', - 'def': 'A process of protein insertion into the endoplasmic reticulum (ER) membrane in which stop-transfer membrane-anchor sequences become an ER membrane spanning helix. [ISBN:0716731363]' - }, - 'GO:0045051': { - 'name': 'protein insertion into ER membrane by internal uncleaved signal-anchor sequence', - 'def': 'A process of protein insertion into the endoplasmic reticulum (ER) membrane in which signal anchor sequences function as both ER signal sequences and membrane anchor sequences. [ISBN:0716731363]' - }, - 'GO:0045052': { - 'name': 'protein insertion into ER membrane by GPI attachment sequence', - 'def': 'A process of protein insertion into the endoplasmic reticulum (ER) membrane in which proteins become anchored to the phospholipid bilayer by a covalently attached glycosylphosphatidylinositol (GPI) molecule. [ISBN:0716731363]' - }, - 'GO:0045053': { - 'name': 'protein retention in Golgi apparatus', - 'def': 'The retention of proteins within the Golgi apparatus. Golgi-localized carbohydrate-modifying enzymes have a short N-terminal domain that faces the cytosol, a single transmembrane alpha helix, and a large C-terminal domain that faces the Golgi lumen and that contains the catalytic site. How the membrane-spanning alpha helix in a Golgi enzyme causes its localization and prevents its movement to the plasma membrane is not known. [ISBN:0716731363]' - }, - 'GO:0045054': { - 'name': 'constitutive secretory pathway', - 'def': 'A process of exocytosis found in all eukaryotic cells, in which transport vesicles destined for the plasma membrane leave the trans-Golgi network in a steady stream. Upon exocytosis, the membrane proteins and lipids in these vesicles provide new components for the plasma membrane, and the soluble proteins inside the vesicles are released into the extracellular space. [GOC:mah, ISBN:0716731363]' - }, - 'GO:0045055': { - 'name': 'regulated exocytosis', - 'def': 'A process of exocytosis in which soluble proteins and other substances are initially stored in secretory vesicles for later release. It is found mainly in cells that are specialized for secreting products such as hormones, neurotransmitters, or digestive enzymes rapidly on demand. [GOC:mah, ISBN:0716731363]' - }, - 'GO:0045056': { - 'name': 'transcytosis', - 'def': 'The directed movement of endocytosed material through the cell and its exocytosis from the plasma membrane at the opposite side. [ISBN:0716731363]' - }, - 'GO:0045057': { - 'name': 'cisternal progression', - 'def': 'The process that results in the physical movement of a new cis-Golgi stack from the cis-position, nearest the endoplasmic reticulum (ER), to the trans position, farthest from the ER, successively becoming first a medial-Golgi cisterna and then a trans-Golgi cisterna. [ISBN:0716731363]' - }, - 'GO:0045058': { - 'name': 'T cell selection', - 'def': 'The process in which T cells that express T cell receptors that are restricted by self MHC protein complexes and tolerant to self antigens are selected for further maturation. [ISBN:0781735149, PMID:12414722]' - }, - 'GO:0045059': { - 'name': 'positive thymic T cell selection', - 'def': 'The process of sparing immature T cells in the thymus which react with self-MHC protein complexes with low affinity levels from apoptotic death. [ISBN:0781735149, PMID:12414722]' - }, - 'GO:0045060': { - 'name': 'negative thymic T cell selection', - 'def': 'The process of elimination of immature T cells in the thymus which react strongly with self-antigens. [ISBN:0781735149, PMID:12414722]' - }, - 'GO:0045061': { - 'name': 'thymic T cell selection', - 'def': 'The process of T cell selection that occurs in the thymus. [ISBN:0781735149, PMID:12414722]' - }, - 'GO:0045062': { - 'name': 'extrathymic T cell selection', - 'def': 'The process of T cell selection that occurs in extrathymic locations, often resulting T cells of distinct specificities from those selected in the thymus. [ISBN:0781735149, PMID:7880383]' - }, - 'GO:0045063': { - 'name': 'T-helper 1 cell differentiation', - 'def': 'The process in which a relatively unspecialized T cell acquires the specialized features of a T-helper 1 (Th1) cell. A Th1 cell is a CD4-positive, alpha-beta T cell that has the phenotype T-bet-positive and produces interferon-gamma. [CL:0000545, GOC:ebc]' - }, - 'GO:0045064': { - 'name': 'T-helper 2 cell differentiation', - 'def': 'The process in which a relatively unspecialized T cell acquires specialized features of a T-helper 2 (Th2) cell. A Th2 cell is a CD4-positive, alpha-beta T cell that has the phenotype GATA-3-positive and produces interleukin-4. [CL:0000546, GOC:ebc]' - }, - 'GO:0045065': { - 'name': 'cytotoxic T cell differentiation', - 'def': 'The process in which a relatively unspecialized T cell acquires specialized features of a cytotoxic T cell. [GOC:ai]' - }, - 'GO:0045066': { - 'name': 'regulatory T cell differentiation', - 'def': 'The process in which a relatively unspecialized T cell acquires specialized features of a regulatory T cell. Regulatory T cells control or suppress immune responses through a variety of mechanisms and subsets include the CD4+CD25+ cell type as well as certain CD8+ cell types. [ISBN:0781735149]' - }, - 'GO:0045067': { - 'name': 'positive extrathymic T cell selection', - 'def': 'The process of sparing extrathymically maturing T cells which react with self-MHC protein complexes with low affinity levels from apoptotic death. [ISBN:0781735149, PMID:7880383]' - }, - 'GO:0045068': { - 'name': 'negative extrathymic T cell selection', - 'def': 'The process of elimination of extrathymically maturing T cells which react strongly with self-antigens. [ISBN:0781735149, PMID:7880383]' - }, - 'GO:0045069': { - 'name': 'regulation of viral genome replication', - 'def': 'Any process that modulates the frequency, rate or extent of viral genome replication. [GOC:ai]' - }, - 'GO:0045070': { - 'name': 'positive regulation of viral genome replication', - 'def': 'Any process that activates or increases the frequency, rate or extent of viral genome replication. [GOC:ai]' - }, - 'GO:0045071': { - 'name': 'negative regulation of viral genome replication', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of viral genome replication. [GOC:go_curators]' - }, - 'GO:0045072': { - 'name': 'regulation of interferon-gamma biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interferon-gamma. [GOC:go_curators]' - }, - 'GO:0045073': { - 'name': 'regulation of chemokine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of chemokines. [GOC:go_curators]' - }, - 'GO:0045074': { - 'name': 'regulation of interleukin-10 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-10. [GOC:go_curators]' - }, - 'GO:0045075': { - 'name': 'regulation of interleukin-12 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-12. [GOC:go_curators]' - }, - 'GO:0045076': { - 'name': 'regulation of interleukin-2 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-2. [GOC:go_curators]' - }, - 'GO:0045077': { - 'name': 'negative regulation of interferon-gamma biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interferon-gamma. [GOC:go_curators]' - }, - 'GO:0045078': { - 'name': 'positive regulation of interferon-gamma biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interferon-gamma. [GOC:go_curators]' - }, - 'GO:0045079': { - 'name': 'negative regulation of chemokine biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of chemokines. [GOC:go_curators]' - }, - 'GO:0045080': { - 'name': 'positive regulation of chemokine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of chemokines. [GOC:go_curators]' - }, - 'GO:0045081': { - 'name': 'negative regulation of interleukin-10 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-10. [GOC:go_curators]' - }, - 'GO:0045082': { - 'name': 'positive regulation of interleukin-10 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-10. [GOC:go_curators]' - }, - 'GO:0045083': { - 'name': 'negative regulation of interleukin-12 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-12. [GOC:go_curators]' - }, - 'GO:0045084': { - 'name': 'positive regulation of interleukin-12 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-12. [GOC:go_curators]' - }, - 'GO:0045085': { - 'name': 'negative regulation of interleukin-2 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-2. [GOC:go_curators]' - }, - 'GO:0045086': { - 'name': 'positive regulation of interleukin-2 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-2. [GOC:go_curators]' - }, - 'GO:0045087': { - 'name': 'innate immune response', - 'def': 'Innate immune responses are defense responses mediated by germline encoded components that directly recognize components of potential pathogens. [GO_REF:0000022, GOC:add, GOC:ebc, GOC:mtg_15nov05, GOC:mtg_sensu]' - }, - 'GO:0045088': { - 'name': 'regulation of innate immune response', - 'def': "Any process that modulates the frequency, rate or extent of the innate immune response, the organism's first line of defense against infection. [GOC:ebc]" - }, - 'GO:0045089': { - 'name': 'positive regulation of innate immune response', - 'def': "Any process that activates or increases the frequency, rate or extent of the innate immune response, the organism's first line of defense against infection. [GOC:ebc]" - }, - 'GO:0045091': { - 'name': 'regulation of single stranded viral RNA replication via double stranded DNA intermediate', - 'def': 'Any process that modulates the frequency, rate or extent of single stranded viral RNA replication via double stranded DNA intermediate. [GOC:go_curators]' - }, - 'GO:0045092': { - 'name': 'interleukin-18 receptor complex', - 'def': 'A protein complex that binds interleukin-18; comprises an alpha and a beta subunit. [GOC:mah, PMID:12759435]' - }, - 'GO:0045093': { - 'name': 'interleukin-18 alpha subunit binding', - 'def': 'Interacting selectively and non-covalently with the alpha subunit of interleukin-18. IL-18a is a component of IL-18 that is essential for IL-18 binding on the surface of T-helper 1 cells. [PMID:10653850]' - }, - 'GO:0045094': { - 'name': 'interleukin-18 beta subunit binding', - 'def': 'Interacting selectively and non-covalently with the beta subunit of interleukin-18. IL-18b is a ligand non-binding chain and is required for signaling of IL-18 that binds with IL-18a. [PMID:10653850]' - }, - 'GO:0045095': { - 'name': 'keratin filament', - 'def': 'A filament composed of acidic and basic keratins (types I and II), typically expressed in epithelial cells. The keratins are the most diverse classes of IF proteins, with a large number of keratin isoforms being expressed. Each type of epithelium always expresses a characteristic combination of type I and type II keratins. [ISBN:0716731363]' - }, - 'GO:0045096': { - 'name': 'obsolete acidic keratin', - 'def': 'OBSOLETE. A type of intermediate filament. [ISBN:0716731363, ISBN:0815316194]' - }, - 'GO:0045097': { - 'name': 'obsolete basic/neutral keratin', - 'def': 'OBSOLETE. A type of intermediate filament. [ISBN:0716731363, ISBN:0815316194]' - }, - 'GO:0045098': { - 'name': 'type III intermediate filament', - 'def': 'A type of intermediate filament, typically made up of one or more of the proteins vimentin, desmin, glial fibrillary acidic protein (GFAP), and peripherin. Unlike the keratins, the type III proteins can form both homo- and heteropolymeric IF filaments. [ISBN:0716731363]' - }, - 'GO:0045099': { - 'name': 'obsolete vimentin', - 'def': 'OBSOLETE. A type of intermediate filament. [ISBN:0716731363]' - }, - 'GO:0045100': { - 'name': 'obsolete desmin', - 'def': 'OBSOLETE. A type of intermediate filament. [ISBN:0815316194]' - }, - 'GO:0045101': { - 'name': 'obsolete glial fibrillary acidic protein', - 'def': 'OBSOLETE. Glial fibrillary acidic protein forms filaments in the glial cells that surround neurons and in astrocytes. [ISBN:0716731363]' - }, - 'GO:0045102': { - 'name': 'obsolete peripherin', - 'def': 'OBSOLETE. Peripherin is a type III intermediate filament protein found in neurons of the peripheral nervous system. [ISBN:0716731363]' - }, - 'GO:0045103': { - 'name': 'intermediate filament-based process', - 'def': 'Any cellular process that depends upon or alters the intermediate filament cytoskeleton, that part of the cytoskeleton comprising intermediate filaments and their associated proteins. [GOC:ai]' - }, - 'GO:0045104': { - 'name': 'intermediate filament cytoskeleton organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising intermediate filaments and their associated proteins. [GOC:ai]' - }, - 'GO:0045105': { - 'name': 'intermediate filament polymerization or depolymerization', - 'def': 'Assembly or disassembly of intermediate filaments by the addition or removal of component parts from a filament. [GOC:ai]' - }, - 'GO:0045106': { - 'name': 'intermediate filament depolymerization', - 'def': 'Disassembly of intermediate filaments by the removal of component monomers from a filament. [GOC:mah, ISBN:0716731363]' - }, - 'GO:0045107': { - 'name': 'intermediate filament polymerization', - 'def': 'Assembly of intermediate filaments by the addition of component monomers to a filament. Polymerization of intermediate filament proteins results from interactions among several distinct binding sites on the constituent proteins. Nuclear lamin head-to-tail polymers arise from one such interaction. Deletion analysis localized the binding sites to the ends of the rod domain that are highly conserved among all intermediate filament proteins. Data indicate that one type of interaction in intermediate filament protein polymerization is the longitudinal binding of dimers via the conserved end segments of the coiled-coil rod domain. [GOC:mah, PMID:8776884]' - }, - 'GO:0045108': { - 'name': 'regulation of intermediate filament polymerization or depolymerization', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly or disassembly of intermediate filaments by the addition or removal of monomers from a filament; this usually occurs through the opposing action of kinases and phosphatases. [ISBN:0716731363]' - }, - 'GO:0045109': { - 'name': 'intermediate filament organization', - 'def': 'Control of the spatial distribution of intermediate filaments; includes organizing filaments into meshworks, bundles, or other structures, as by cross-linking. [GOC:ai]' - }, - 'GO:0045110': { - 'name': 'intermediate filament bundle assembly', - 'def': 'The formation of the bundles of intermediate filaments. Intermediate filament-associated proteins (IFAPs) cross-link intermediate filaments with one another, forming a bundle or a network, and with other cell structures, including the plasma membrane. The organization of intermediate filaments and their supportive function in various cells types depends in large part on their linkage to other cell structures via IFAPs. [ISBN:0716731363]' - }, - 'GO:0045111': { - 'name': 'intermediate filament cytoskeleton', - 'def': 'Cytoskeletal structure made from intermediate filaments, typically organized in the cytosol as an extended system that stretches from the nuclear envelope to the plasma membrane. Some intermediate filaments run parallel to the cell surface, while others traverse the cytosol; together they form an internal framework that helps support the shape and resilience of the cell. [ISBN:0716731363]' - }, - 'GO:0045112': { - 'name': 'integrin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of integrins, a large family of transmembrane proteins that act as receptors for cell-adhesion molecules. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0045113': { - 'name': 'regulation of integrin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of integrins. [GOC:go_curators]' - }, - 'GO:0045114': { - 'name': 'beta 2 integrin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta 2 integrins, a subfamily of integrins which contain the beta 2 subunit. [GOC:go_curators]' - }, - 'GO:0045115': { - 'name': 'regulation of beta 2 integrin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of beta 2 integrins. [GOC:go_curators]' - }, - 'GO:0045116': { - 'name': 'protein neddylation', - 'def': 'Covalent attachment of the ubiquitin-like protein NEDD8 (RUB1) to another protein. [PMID:11698580]' - }, - 'GO:0045117': { - 'name': 'azole transport', - 'def': 'The directed movement of azoles, heterocyclic compounds found in many biologically important substances, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:go_curators, ISBN:3527307206, Wikipedia:Azole]' - }, - 'GO:0045118': { - 'name': 'azole transporter activity', - 'def': 'Enables the directed movement of azoles, heterocyclic compound found in many biologically important substances, into, out of or within a cell, or between cells. [GOC:go_curators, ISBN:3527307206, Wikipedia:Azole]' - }, - 'GO:0045119': { - 'name': 'azole:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: H+(out) + azole(in) = H+(in) + azole(out). Azoles are heterocyclic compounds found in many biologically important substances. [GOC:ai, ISBN:3527307206, Wikipedia:Azole]' - }, - 'GO:0045120': { - 'name': 'pronucleus', - 'def': 'The nucleus of either the ovum or the spermatozoon following fertilization. Thus, in the fertilized ovum, there are two pronuclei, one originating from the ovum, the other from the spermatozoon that brought about fertilization; they approach each other, but do not fuse until just before the first cleavage, when each pronucleus loses its membrane to release its contents. [ISBN:0198506732]' - }, - 'GO:0045121': { - 'name': 'membrane raft', - 'def': 'Any of the small (10-200 nm), heterogeneous, highly dynamic, sterol- and sphingolipid-enriched membrane domains that compartmentalize cellular processes. Small rafts can sometimes be stabilized to form larger platforms through protein-protein and protein-lipid interactions. [PMID:16645198, PMID:20044567]' - }, - 'GO:0045122': { - 'name': 'aflatoxin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aflatoxin, a fungal metabolite found as a contaminant in moldy grains that induces liver cancer. Aflatoxin induces a G to T transversion at codon 249 of p53, leading to its inactivation. Aflatoxin is converted to a chemical carcinogen by P450. [ISBN:0716731363, ISBN:0815316194]' - }, - 'GO:0045123': { - 'name': 'cellular extravasation', - 'def': 'The migration of a leukocyte from the blood vessels into the surrounding tissue. [GOC:jl]' - }, - 'GO:0045124': { - 'name': 'regulation of bone resorption', - 'def': 'Any process that modulates the frequency, rate or extent of bone tissue loss (resorption). [GOC:ai]' - }, - 'GO:0045125': { - 'name': 'bioactive lipid receptor activity', - 'def': 'Combining with a bioactive lipid and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. A bioactive lipid is a lipid for which changes in lipid levels result in functional consequences in a variety of cellular processes. [GOC:bf, GOC:mah, PMID:12215548, PMID:18216770]' - }, - 'GO:0045127': { - 'name': 'N-acetylglucosamine kinase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-glucosamine + ATP = N-acetyl-D-glucosamine 6-phosphate + ADP + 2 H(+). [EC:2.7.1.59, RHEA:17420]' - }, - 'GO:0045128': { - 'name': 'negative regulation of reciprocal meiotic recombination', - 'def': 'Any process that decreases the frequency, rate or extent of recombination during meiosis. Reciprocal meiotic recombination is the cell cycle process in which double strand breaks are formed and repaired through a double Holliday junction intermediate. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0045129': { - 'name': 'NAD-independent histone deacetylase activity', - 'def': 'Catalysis of the reaction: histone N6-acetyl-L-lysine + H2O = histone L-lysine + acetate. This reaction does not require the presence of NAD, and represents the removal of an acetyl group from a histone. [EC:3.5.1.17, RHEA:24551]' - }, - 'GO:0045130': { - 'name': 'keratan sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + keratan = adenosine 3',5'-bisphosphate + keratan 6'-sulfate. [EC:2.8.2.21]" - }, - 'GO:0045131': { - 'name': 'pre-mRNA branch point binding', - 'def': "Interacting selectively and non-covalently with a pre-mRNA branch point sequence, located upstream of the 3' splice site. [PMID:11691992, PMID:9722632]" - }, - 'GO:0045132': { - 'name': 'meiotic chromosome segregation', - 'def': 'The process in which genetic material, in the form of chromosomes, is organized into specific structures and then physically separated and apportioned to two or more sets during M phase of the meiotic cell cycle. [GOC:ai, GOC:mah]' - }, - 'GO:0045133': { - 'name': '2,3-dihydroxybenzoate 3,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxybenzoate + O(2) = 2-hydroxy-3-(3-oxoprop-1-enyl)but-2-enedioate + H(+). [EC:1.13.11.14, RHEA:18480]' - }, - 'GO:0045134': { - 'name': 'uridine-diphosphatase activity', - 'def': 'Catalysis of the reaction: UDP + H2O = UMP + phosphate. [EC:3.6.1.6]' - }, - 'GO:0045135': { - 'name': 'poly(beta-D-mannuronate) lyase activity', - 'def': 'Catalysis of the reaction: polysaccharides containing beta-D-mannuronate residues = oligosaccharides with 4-deoxy-alpha-L-erythro-hex-4-enopyranuronosyl end. This reaction is the eliminative cleavage of polysaccharides containing beta-D-mannuronate residues to give oligosaccharides with 4-deoxy-alpha-L-erythro-hex-4-enopyranuronosyl groups at their ends. [EC:4.2.2.3]' - }, - 'GO:0045136': { - 'name': 'development of secondary sexual characteristics', - 'def': 'The process whose specific outcome is the progression of the secondary sexual characteristics over time, from their formation to the mature structures. In humans, these include growth of axillary, chest, and pubic hair, voice changes, testicular/penile enlargement, breast development and menstrual periods. Development occurs in response to sex hormone secretion. [GOC:ai]' - }, - 'GO:0045137': { - 'name': 'development of primary sexual characteristics', - 'def': 'The process whose specific outcome is the progression of the primary sexual characteristics over time, from their formation to the mature structures. The primary sexual characteristics are the testes in males and the ovaries in females and they develop in response to sex hormone secretion. [GOC:ai]' - }, - 'GO:0045138': { - 'name': 'nematode male tail tip morphogenesis', - 'def': 'The process in which the anatomical structure of the adult male tail tip is generated and organized. In some species of rhabitid nematodes, the male tail tip undergoes a morphological change such that the most posterior hypodermal cells in the tail (hyp8-11 in C. elegans) fuse and retract anteriorly, changing the shape of the tail from a pointed, tapered cone, or spike, to a rounded, blunt dome. [GOC:kmv, PMID:16806150, PMID:18050419, PMID:21408209, PMID:7409314]' - }, - 'GO:0045139': { - 'name': 'obsolete copper sensitivity/resistance', - 'def': 'OBSOLETE (was not defined before being made obsolete). [GOC:go_curators]' - }, - 'GO:0045140': { - 'name': 'inositol phosphoceramide synthase activity', - 'def': 'Catalysis of the reaction: phytoceramide + inositol phosphate = inositol phosphoceramide. [MetaCyc:RXN3O-581, PMID:9405490, PMID:9614099]' - }, - 'GO:0045141': { - 'name': 'meiotic telomere clustering', - 'def': 'The cell cycle process in which the dynamic reorganization of telomeres occurs in early meiotic prophase, during which meiotic chromosome ends are gathered in a bouquet arrangement at the inner surface of the nuclear envelope proximal to the spindle pole body. This plays an important role in progression through meiosis and precedes synapsis. [GOC:vw, PMID:10690419]' - }, - 'GO:0045142': { - 'name': 'triplex DNA binding', - 'def': 'Interacting selectively and non-covalently with a DNA triple helix. The formation of triple helical DNA has been evoked in several cellular processes including transcription, replication, and recombination. [PMID:10681538]' - }, - 'GO:0045143': { - 'name': 'homologous chromosome segregation', - 'def': 'The cell cycle process in which replicated homologous chromosomes are organized and then physically separated and apportioned to two sets during the first division of the meiotic cell cycle. Each replicated chromosome, composed of two sister chromatids, aligns at the cell equator, paired with its homologous partner; this pairing off, referred to as synapsis, permits genetic recombination. One homolog (both sister chromatids) of each morphologic type goes into each of the resulting chromosome sets. [GOC:ai, ISBN:0815316194]' - }, - 'GO:0045144': { - 'name': 'meiotic sister chromatid segregation', - 'def': 'The cell cycle process in which sister chromatids are organized and then physically separated and randomly apportioned to two sets during the second division of the meiotic cell cycle. [GOC:ai, ISBN:0815316194]' - }, - 'GO:0045145': { - 'name': "single-stranded DNA 5'-3' exodeoxyribonuclease activity", - 'def': "Catalysis of the sequential cleavage of nucleotides (such as mononucleotides or dinucleotides) from a free 5' terminus of a single-stranded DNA molecule. [GOC:ai, GOC:elh, PMID:20086101]" - }, - 'GO:0045146': { - 'name': 'initiation of acetate catabolic process by acetate', - 'def': 'The activation, by acetate, of the chemical reactions and pathways resulting in the breakdown of acetate. [PMID:11741859]' - }, - 'GO:0045147': { - 'name': 'regulation of initiation of acetate catabolic process by acetate', - 'def': 'Any process that modulates the activation, by acetate, of the chemical reactions and pathways resulting in the breakdown of acetate. [GOC:go_curators]' - }, - 'GO:0045148': { - 'name': 'tripeptide aminopeptidase activity', - 'def': 'Catalysis of the release of the N-terminal residue from a tripeptide. [EC:3.4.11.4]' - }, - 'GO:0045149': { - 'name': 'acetoin metabolic process', - 'def': 'The chemical reactions and pathways involving acetoin, 3-hydroxy-2-butanone, often as part of a fermentation pathway or for use as a carbon source. [GOC:mlg]' - }, - 'GO:0045150': { - 'name': 'acetoin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acetoin, 3-hydroxy-2-butanone. [GOC:mlg]' - }, - 'GO:0045151': { - 'name': 'acetoin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acetoin, 3-hydroxy-2-butanone. [GOC:mlg]' - }, - 'GO:0045152': { - 'name': 'antisigma factor binding', - 'def': 'Interacting selectively and non-covalently with an antisigma factor, a factor which inhibits the ability of the sigma factor to function as a transcriptional initiator. [GOC:mlg]' - }, - 'GO:0045153': { - 'name': 'electron transporter, transferring electrons within CoQH2-cytochrome c reductase complex activity', - 'def': 'Enables the directed movement of electrons within the CoQH2-cytochrome c reductase complex. [GOC:ai, ISBN:0716731363]' - }, - 'GO:0045154': { - 'name': 'electron transporter, transferring electrons within cytochrome c oxidase complex activity', - 'def': 'Enables the directed movement of electrons within the cytochrome c oxidase complex. [GOC:ai, ISBN:0716731363]' - }, - 'GO:0045155': { - 'name': 'electron transporter, transferring electrons from CoQH2-cytochrome c reductase complex and cytochrome c oxidase complex activity', - 'def': 'Enables the directed movement of electrons from the CoQH2-cytochrome c reductase complex and the cytochrome c oxidase complex. [GOC:ai, ISBN:0716731363]' - }, - 'GO:0045156': { - 'name': 'electron transporter, transferring electrons within the cyclic electron transport pathway of photosynthesis activity', - 'def': 'Enables the directed movement of electrons within the cyclic electron transport pathway of photosynthesis. [GOC:ai, ISBN:0716731363]' - }, - 'GO:0045157': { - 'name': 'electron transporter, transferring electrons within the noncyclic electron transport pathway of photosynthesis activity', - 'def': 'Enables the directed movement of electrons within the noncyclic electron transport pathway of photosynthesis. [GOC:ai, ISBN:0716731363]' - }, - 'GO:0045158': { - 'name': 'electron transporter, transferring electrons within cytochrome b6/f complex of photosystem II activity', - 'def': 'Enables the directed movement of electrons within the cytochrome b6/f complex of photosystem II. [GOC:ai, ISBN:0716731363]' - }, - 'GO:0045159': { - 'name': 'myosin II binding', - 'def': "Interacting selectively and non-covalently with a class II myosin, any member of the class of 'conventional' double-headed myosins that includes muscle myosin. [GOC:mah, http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html]" - }, - 'GO:0045160': { - 'name': 'myosin I complex', - 'def': 'A myosin complex containing a class I myosin heavy chain and associated light chains; myosin I heavy chains are single-headed, possess tails of various lengths, and do not self-associate into bipolar filaments; myosin I complexes are involved in diverse processes related to membrane traffic and cell movement. [GOC:mah, http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html, PMID:9438839]' - }, - 'GO:0045161': { - 'name': 'neuronal ion channel clustering', - 'def': 'The process in which voltage-gated ion channels become localized to distinct subcellular domains in the neuron. Specific targeting, clustering, and maintenance of these channels in their respective domains are essential to achieve high conduction velocities of action potential propagation. [PMID:11456440]' - }, - 'GO:0045162': { - 'name': 'clustering of voltage-gated sodium channels', - 'def': 'The process in which voltage-gated sodium channels become localized together in high densities. In animals, nodes of Ranvier differ dramatically from internodal axonal regions in very high densities of voltage-dependent sodium (Nav) channels responsible for the rapid, inward ionic currents that produce membrane depolarization. [PMID:11456440]' - }, - 'GO:0045163': { - 'name': 'clustering of voltage-gated potassium channels', - 'def': 'The process in which voltage-gated potassium channels become localized together in high densities. In animals, voltage-gated potassium (Kv) channels are clustered beneath the myelin sheath in regions immediately adjacent to paranodes, called juxtaparanodes, and along the inner mesaxon within the internode. [PMID:11456440]' - }, - 'GO:0045164': { - 'name': 'obsolete secretin (sensu Mammalia)', - 'def': 'OBSOLETE. Secretin is a hormone that takes part in the digestion process. It also has effects on organs other than gastrointestinal tract. [PMID:11320551]' - }, - 'GO:0045165': { - 'name': 'cell fate commitment', - 'def': 'The commitment of cells to specific cell fates and their capacity to differentiate into particular kinds of cells. Positional information is established through protein signals that emanate from a localized source within a cell (the initial one-cell zygote) or within a developmental field. [ISBN:0716731185]' - }, - 'GO:0045167': { - 'name': 'asymmetric protein localization involved in cell fate determination', - 'def': 'Any process in which a protein is transported to, or maintained in, a specific asymmetric distribution, resulting in the formation of daughter cells of different types. [GOC:ai]' - }, - 'GO:0045168': { - 'name': 'cell-cell signaling involved in cell fate commitment', - 'def': 'Signaling at long or short range between cells that results in the commitment of a cell to a certain fate. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045169': { - 'name': 'fusome', - 'def': 'A large intracellular spectrin-rich structure that has been found in insect germline cells and mammalian hematopoietic cells. The fusome is an elongated, branched structure, formed from the spherical spectrosome organelle. [GOC:bf, PMID:12655376]' - }, - 'GO:0045170': { - 'name': 'spectrosome', - 'def': 'A germline specific spherical organelle, rich in membrane skeletal proteins. Precursor to the fusome. [GOC:bf]' - }, - 'GO:0045171': { - 'name': 'intercellular bridge', - 'def': 'A direct connection between the cytoplasm of two cells that is formed following the completion of cleavage furrow ingression during cell division. They are usually present only briefly prior to completion of cytokinesis. However, in some cases, such as the bridges between germ cells during their development, they become stabilised. [PMID:9635420]' - }, - 'GO:0045172': { - 'name': 'germline ring canal', - 'def': 'Germline specific intercellular bridge. During cyst formation in insects, ring canals interconnect the cells of the cyst, facilitating the passage of cytoplasmic components between cells. [GOC:mtg_sensu, PMID:9635420, PMID:9655801]' - }, - 'GO:0045173': { - 'name': 'O-sialoglycoprotein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of O-sialoglycoproteins, glycoproteins which contain sialic acid as one of their carbohydrates. They are often found on or in the cell or tissue membranes and participate in a variety of biological activities. [GOC:go_curators, PMID:8824323]' - }, - 'GO:0045174': { - 'name': 'glutathione dehydrogenase (ascorbate) activity', - 'def': 'Catalysis of the reaction: dehydroascorbate + 2 glutathione = L-ascorbate + glutathione disulfide. [EC:1.8.5.1, RHEA:24427]' - }, - 'GO:0045175': { - 'name': 'basal protein localization', - 'def': 'Any process in which a protein is transported to, or maintained in, basal regions of the cell. [GOC:bf]' - }, - 'GO:0045176': { - 'name': 'apical protein localization', - 'def': 'Any process in which a protein is transported to, or maintained in, apical regions of the cell. [GOC:bf]' - }, - 'GO:0045177': { - 'name': 'apical part of cell', - 'def': 'The region of a polarized cell that forms a tip or is distal to a base. For example, in a polarized epithelial cell, the apical region has an exposed surface and lies opposite to the basal lamina that separates the epithelium from other tissue. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0045178': { - 'name': 'basal part of cell', - 'def': 'The region of a cell situated near the base. For example, in a polarized epithelial cell, the basal surface rests on the basal lamina that separates the epithelium from other tissue. [GOC:mah, ISBN:0185316194]' - }, - 'GO:0045179': { - 'name': 'apical cortex', - 'def': 'The region that lies just beneath the plasma membrane on the apical edge of a cell. [GOC:bf]' - }, - 'GO:0045180': { - 'name': 'basal cortex', - 'def': 'The region that lies just beneath the plasma membrane on the basal edge of a cell. [GOC:bf]' - }, - 'GO:0045181': { - 'name': 'glutamate synthase activity, NAD(P)H as acceptor', - 'def': 'Catalysis of the reaction: 2 L-glutamate + NAD(P)+ = L-glutamine + 2-oxoglutarate + NAD(P)H + H+. [EC:1.4.1.13, EC:1.4.1.14]' - }, - 'GO:0045182': { - 'name': 'translation regulator activity', - 'def': 'Any molecular function involved in the initiation, activation, perpetuation, repression or termination of polypeptide synthesis at the ribosome. [GOC:ai]' - }, - 'GO:0045183': { - 'name': 'translation factor activity, non-nucleic acid binding', - 'def': 'A translation regulator activity that does not involve binding to nucleic acids. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0045184': { - 'name': 'establishment of protein localization', - 'def': 'The directed movement of a protein to a specific location. [GOC:bf]' - }, - 'GO:0045185': { - 'name': 'maintenance of protein location', - 'def': 'Any process in which a protein is maintained in a location and prevented from moving elsewhere. These include sequestration, stabilization to prevent transport elsewhere and the active retrieval of proteins that do move away. [GOC:bf]' - }, - 'GO:0045186': { - 'name': 'zonula adherens assembly', - 'def': 'Assembly of the zonula adherens, a cell-cell adherens junction which forms a continuous belt near the apex of epithelial cells. [GOC:bf]' - }, - 'GO:0045187': { - 'name': 'regulation of circadian sleep/wake cycle, sleep', - 'def': 'Any process that modulates the frequency, rate or extent of sleep; a readily reversible state of reduced awareness and metabolic activity that occurs periodically in many animals. [GOC:jl, ISBN:0192800981]' - }, - 'GO:0045188': { - 'name': 'regulation of circadian sleep/wake cycle, non-REM sleep', - 'def': 'Any process that modulates the frequency, rate or extent of non-rapid eye movement sleep. [GOC:go_curators]' - }, - 'GO:0045189': { - 'name': 'connective tissue growth factor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of CTGF, produced by human umbilical vein endothelial cells and by skin fibroblasts after activation with TGF-beta. [http://www.copewithcytokines.de]' - }, - 'GO:0045190': { - 'name': 'isotype switching', - 'def': "The switching of activated B cells from IgM biosynthesis to biosynthesis of other isotypes of immunoglobulin, accomplished through a recombination process involving an intrachromosomal deletion involving switch regions that reside 5' of each constant region gene segment in the immunoglobulin heavy chain locus. [ISBN:0781735149]" - }, - 'GO:0045191': { - 'name': 'regulation of isotype switching', - 'def': 'Any process that modulates the frequency, rate or extent of isotype switching. [GOC:ai]' - }, - 'GO:0045192': { - 'name': 'obsolete low-density lipoprotein catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of low-density lipoproteins, also known as beta lipoproteins, one of the classes of lipoproteins found in the bloodstream of animals, acting as a carrier for cholesterol and fats. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0045193': { - 'name': 'obsolete acetylated low-density lipoprotein catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of acetylated low-density lipoproteins. [GOC:go_curators]' - }, - 'GO:0045194': { - 'name': 'obsolete oxidized low-density lipoprotein catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of oxidized low-density lipoproteins. [GOC:go_curators]' - }, - 'GO:0045195': { - 'name': 'obsolete gallstone formation', - 'def': 'OBSOLETE. The formation of gallstones, hard, crystal-like accretions of cholesterol and bile pigments which develop when bile contains too much cholesterol and not enough bile. [http://www.ddc.musc.edu/ddc_pro/pro_development/basic_science/gallstones.htm]' - }, - 'GO:0045196': { - 'name': 'establishment or maintenance of neuroblast polarity', - 'def': 'Any cellular process that results in the specification, formation or maintenance of the apicobasal polarity of a neuroblast cell, a progenitor of the central nervous system. [GOC:bf, GOC:mah, GOC:mtg_sensu, PMID:19375318, PMID:20066083]' - }, - 'GO:0045197': { - 'name': 'establishment or maintenance of epithelial cell apical/basal polarity', - 'def': 'Any cellular process that results in the specification, formation or maintenance of the apicobasal polarity of an epithelial cell. [GOC:bf, GOC:mah]' - }, - 'GO:0045198': { - 'name': 'establishment of epithelial cell apical/basal polarity', - 'def': 'The specification and formation of the apicobasal polarity of an epithelial cell. [GOC:ascb_2009, GOC:bf, GOC:dph, GOC:tb]' - }, - 'GO:0045199': { - 'name': 'maintenance of epithelial cell apical/basal polarity', - 'def': 'The maintenance of the apicobasal polarity of an epithelial cell. [GOC:bf]' - }, - 'GO:0045200': { - 'name': 'establishment of neuroblast polarity', - 'def': 'The specification and formation of the apicobasal polarity of a neuroblast cell, a progenitor of the central nervous system. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0045201': { - 'name': 'maintenance of neuroblast polarity', - 'def': 'The maintenance of the apicobasal polarity of a neuroblast cell, a progenitor of the central nervous system. [GOC:bf, GOC:mtg_sensu]' - }, - 'GO:0045202': { - 'name': 'synapse', - 'def': 'The junction between a nerve fiber of one neuron and another neuron, muscle fiber or glial cell. As the nerve fiber approaches the synapse it enlarges into a specialized structure, the presynaptic nerve ending, which contains mitochondria and synaptic vesicles. At the tip of the nerve ending is the presynaptic membrane; facing it, and separated from it by a minute cleft (the synaptic cleft) is a specialized area of membrane on the receiving cell, known as the postsynaptic membrane. In response to the arrival of nerve impulses, the presynaptic nerve ending secretes molecules of neurotransmitters into the synaptic cleft. These diffuse across the cleft and transmit the signal to the postsynaptic membrane. [ISBN:0198506732]' - }, - 'GO:0045203': { - 'name': 'integral component of cell outer membrane', - 'def': 'The component of the cell outer membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:go_curators, GOC:mtg_sensu]' - }, - 'GO:0045204': { - 'name': 'MAPK export from nucleus', - 'def': 'The directed movement of a MAP kinase from the nucleus to the cytoplasm. [GOC:ebc]' - }, - 'GO:0045205': { - 'name': 'obsolete MAPK transporter activity', - 'def': 'OBSOLETE. Enables the directed movement of MAP kinase into, out of or within a cell, or between cells. [GOC:ebc, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0045206': { - 'name': 'obsolete MAPK phosphatase transporter activity', - 'def': 'OBSOLETE. Enables the directed movement of MAPK phosphatase into, out of or within a cell, or between cells. [GOC:ebc, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0045208': { - 'name': 'MAPK phosphatase export from nucleus', - 'def': 'The directed movement of a MAPK phosphatase from the nucleus to the cytoplasm. [GOC:ebc]' - }, - 'GO:0045209': { - 'name': 'MAPK phosphatase export from nucleus, leptomycin B sensitive', - 'def': 'Leptomycin B-sensitive movement of a MAPK phosphatase from the nucleus to the cytoplasm. [GOC:ebc]' - }, - 'GO:0045210': { - 'name': 'FasL biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fas ligand (FasL or CD95L), an antigen originally found to be expressed on the cell surface of activated human T-lymphocytes and B-lymphocytes and a variety of malignant human lymphoid cell lines. [http://www.copewithcytokines.de/]' - }, - 'GO:0045211': { - 'name': 'postsynaptic membrane', - 'def': 'A specialized area of membrane facing the presynaptic membrane on the tip of the nerve ending and separated from it by a minute cleft (the synaptic cleft). Neurotransmitters cross the synaptic cleft and transmit the signal to the postsynaptic membrane. [ISBN:0198506732]' - }, - 'GO:0045212': { - 'name': 'neurotransmitter receptor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of neurotransmitter receptors. [GOC:ai]' - }, - 'GO:0045213': { - 'name': 'neurotransmitter receptor metabolic process', - 'def': 'The chemical reactions and pathways involving neurotransmitter receptors. [GOC:go_curators]' - }, - 'GO:0045214': { - 'name': 'sarcomere organization', - 'def': 'The myofibril assembly process that results in the organization of muscle actomyosin into sarcomeres. The sarcomere is the repeating unit of a myofibril in a muscle cell, composed of an array of overlapping thick and thin filaments between two adjacent Z discs. [GOC:bf]' - }, - 'GO:0045216': { - 'name': 'cell-cell junction organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a cell-cell junction. A cell-cell junction is a specialized region of connection between two cells. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0045217': { - 'name': 'cell-cell junction maintenance', - 'def': 'The maintenance of junctions between cells. [GOC:ai]' - }, - 'GO:0045218': { - 'name': 'zonula adherens maintenance', - 'def': 'Maintaining the zonula adherens junction, the cell-cell adherens junction formed near the apex of epithelial cells. [GOC:bf]' - }, - 'GO:0045219': { - 'name': 'regulation of FasL biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of FasL. [GOC:go_curators]' - }, - 'GO:0045220': { - 'name': 'positive regulation of FasL biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of FasL. [GOC:go_curators]' - }, - 'GO:0045221': { - 'name': 'negative regulation of FasL biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of FasL. [GOC:go_curators]' - }, - 'GO:0045222': { - 'name': 'CD4 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of CD4, a CD marker that occurs on T-helper cells and is involved in MHC class II restricted interactions. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0045223': { - 'name': 'regulation of CD4 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of CD4. [GOC:go_curators]' - }, - 'GO:0045224': { - 'name': 'positive regulation of CD4 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of CD4. [GOC:go_curators]' - }, - 'GO:0045225': { - 'name': 'negative regulation of CD4 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of CD4. [GOC:go_curators]' - }, - 'GO:0045226': { - 'name': 'extracellular polysaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polysaccharides used in extracellular structures. [GOC:ai, GOC:go_curators]' - }, - 'GO:0045227': { - 'name': 'capsule polysaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polysaccharides that make up the capsule, a protective structure surrounding some species of bacteria and fungi. [GOC:go_curators]' - }, - 'GO:0045228': { - 'name': 'slime layer polysaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polysaccharides in the slime layer, a diffused layer of polysaccharide exterior to the bacterial cell wall. [GOC:go_curators]' - }, - 'GO:0045229': { - 'name': 'external encapsulating structure organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of external structures that lie outside the plasma membrane and surround the entire cell. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0045230': { - 'name': 'capsule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the capsule, a protective structure surrounding some species of bacteria and fungi. [GOC:ai]' - }, - 'GO:0045231': { - 'name': 'slime layer organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a slime layer. A slime layer is an easily removed, diffuse, unorganized layer of extracellular material that surrounds a cell. [GOC:ai]' - }, - 'GO:0045232': { - 'name': 'S-layer organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an S-layer enveloping the cell. The S-layer is a crystalline protein layer surrounding some bacteria. [GOC:ai]' - }, - 'GO:0045233': { - 'name': 'obsolete natural killer cell receptor activity', - 'def': 'OBSOLETE. A receptor found on the surface of natural killer cells which binds Class I MHC antigens and is required for activation of NK activity. It belongs to the Ly49i family. [GOC:ebc]' - }, - 'GO:0045234': { - 'name': 'protein palmitoleylation', - 'def': 'The covalent attachment of a palmitoleyl group to a protein. [GOC:ai]' - }, - 'GO:0045236': { - 'name': 'CXCR chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a chemokine receptor in the CXCR family. [GOC:ceb, PMID:11910892]' - }, - 'GO:0045237': { - 'name': 'CXCR1 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with the CXCR1 chemokine receptor. [GOC:ceb, PMID:11910892]' - }, - 'GO:0045238': { - 'name': 'CXCR2 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with the CXCR2 chemokine receptor. [GOC:ceb, PMID:11910892]' - }, - 'GO:0045239': { - 'name': 'tricarboxylic acid cycle enzyme complex', - 'def': 'Any of the heteromeric enzymes that act in the TCA cycle. [GOC:mah]' - }, - 'GO:0045240': { - 'name': 'dihydrolipoyl dehydrogenase complex', - 'def': 'A protein complex that possesses alpha-ketoglutarate dehydrogenase activity. [GOC:mah]' - }, - 'GO:0045241': { - 'name': 'cytosolic alpha-ketoglutarate dehydrogenase complex', - 'def': 'Cytosolic complex that possesses alpha-ketoglutarate dehydrogenase activity. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0045242': { - 'name': 'isocitrate dehydrogenase complex (NAD+)', - 'def': 'Complex that possesses isocitrate dehydrogenase (NAD+) activity. [GOC:mah]' - }, - 'GO:0045243': { - 'name': 'cytosolic isocitrate dehydrogenase complex (NAD+)', - 'def': 'Cytosolic complex that possesses isocitrate dehydrogenase (NAD+) activity. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0045244': { - 'name': 'succinate-CoA ligase complex (GDP-forming)', - 'def': 'A heterodimeric enzyme complex, usually composed of an alpha and beta chain. Functions in the TCA cycle, hydrolyzing succinyl-CoA into succinate and CoA, thereby forming GTP. [EC:6.2.1.4, GOC:jl]' - }, - 'GO:0045246': { - 'name': 'cytosolic tricarboxylic acid cycle enzyme complex', - 'def': 'Any of the heteromeric enzymes, located in the cytosol, that act in the tricarboxylic acid (TCA) cycle. [GOC:mah, GOC:mtg_sensu]' - }, - 'GO:0045247': { - 'name': 'cytosolic electron transfer flavoprotein complex', - 'def': 'A protein complex located in the cytosol containing flavin adenine dinucleotide (FAD) that, together with an acyl-CoA dehydrogenase, forms a system that oxidizes an acyl-CoA molecule and reduces ubiquinone and other acceptors. [GOC:mtg_sensu, ISBN:0198506732]' - }, - 'GO:0045248': { - 'name': 'cytosolic oxoglutarate dehydrogenase complex', - 'def': 'A cytosolic complex of multiple copies of three enzymatic components: oxoglutarate dehydrogenase (lipoamide) ; EC:1.2.4.2 (E1), dihydrolipoamide S-succinyltransferase ; EC:2.3.1.61 (E2) and dihydrolipoamide dehydrogenase ; EC:1.8.1.4 (E3); catalyzes the overall conversion of 2-oxoglutarate to succinyl-CoA and carbon dioxide (CO2). [GOC:mtg_sensu, PMID:10848975]' - }, - 'GO:0045249': { - 'name': 'cytosol pyruvate dehydrogenase (lipoamide) phosphatase complex', - 'def': 'A cytosolic complex of a regulatory and catalytic subunit that catalyzes the dephosphorylation and concomitant reactivation of the alpha subunit of the E1 component of the pyruvate dehydrogenase complex. [GOC:mtg_sensu, PMID:9395502]' - }, - 'GO:0045250': { - 'name': 'cytosolic pyruvate dehydrogenase complex', - 'def': 'Complex that carries out the oxidative decarboxylation of pyruvate to form acetyl-CoA; comprises subunits possessing three catalytic activities: pyruvate dehydrogenase (E1), dihydrolipoamide S-acetyltransferase (E2), and dihydrolipoamide dehydrogenase (E3). Usually contains fewer subunits than its eukaryotic counterpart; for example, the E. coli complex contains 12 E1 dimers, 8 E2 trimers, and 6 E3 dimers arranged in highly symmetric cubic order. [GOC:mtg_sensu, ISBN:0471331309, ISBN:0716720094]' - }, - 'GO:0045251': { - 'name': 'electron transfer flavoprotein complex', - 'def': 'A protein complex facilitating the electron transfer from an acyl-CoA molecule to ubiquinone via its flavin adenine dinucleotide (FAD) cofactor. Usually contains an alpha and a beta subunit and the structural cofactor adenosine monophosphate (AMP). Part of a system that oxidizes an acyl-CoA molecule and reduces ubiquinone and other acceptors in the electron transport system. [GOC:bm, ISBN:0198506732]' - }, - 'GO:0045252': { - 'name': 'oxoglutarate dehydrogenase complex', - 'def': 'A complex of multiple copies of three enzymatic components: oxoglutarate dehydrogenase (lipoamide) ; EC:1.2.4.2 (E1), dihydrolipoamide S-succinyltransferase ; EC:2.3.1.61 (E2) and dihydrolipoamide dehydrogenase ; EC:1.8.1.4 (E3); catalyzes the overall conversion of 2-oxoglutarate to succinyl-CoA and carbon dioxide (CO2). [MetaCyc:CPLX66-42, PMID:10848975]' - }, - 'GO:0045253': { - 'name': 'pyruvate dehydrogenase (lipoamide) phosphatase complex', - 'def': 'A complex of a regulatory and catalytic subunit that catalyzes the dephosphorylation and concomitant reactivation of the alpha subunit of the E1 component of the pyruvate dehydrogenase complex. [PMID:9395502]' - }, - 'GO:0045254': { - 'name': 'pyruvate dehydrogenase complex', - 'def': 'Complex that carries out the oxidative decarboxylation of pyruvate to form acetyl-CoA; comprises subunits possessing three catalytic activities: pyruvate dehydrogenase (E1), dihydrolipoamide S-acetyltransferase (E2), and dihydrolipoamide dehydrogenase (E3). [ISBN:0716720094]' - }, - 'GO:0045257': { - 'name': 'succinate dehydrogenase complex (ubiquinone)', - 'def': 'The enzyme that catalyzes the oxidation of succinate and ubiquinone to fumarate and ubiquinol; involved in aerobic respiration, repressed in anaerobic respiration. [GOC:kd, ISBN:0198547684]' - }, - 'GO:0045258': { - 'name': 'plasma membrane succinate dehydrogenase complex (ubiquinone)', - 'def': 'The enzyme, located in the plasma membrane, that catalyzes the oxidation of succinate and ubiquinone to fumarate and ubiquinol; involved in aerobic respiration, repressed in anaerobic respiration. [GOC:kd, GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0045259': { - 'name': 'proton-transporting ATP synthase complex', - 'def': 'A proton-transporting two-sector ATPase complex that catalyzes the phosphorylation of ADP to ATP during oxidative phosphorylation. The complex comprises a membrane sector (F0) that carries out proton transport and a cytoplasmic compartment sector (F1) that catalyzes ATP synthesis by a rotational mechanism; the extramembrane sector (containing 3 a and 3 b subunits) is connected via the d-subunit to the membrane sector by several smaller subunits. Within this complex, the g and e subunits and the 9-12 c subunits rotate by consecutive 120 degree angles and perform parts of ATP synthesis. This movement is driven by the hydrogen ion electrochemical potential gradient. [EC:3.6.3.14, ISBN:0198547684, ISBN:0716743663]' - }, - 'GO:0045260': { - 'name': 'plasma membrane proton-transporting ATP synthase complex', - 'def': 'A proton-transporting ATP synthase complex found in the plasma membrane. Examples of this component are found in Bacterial species. [GOC:mah, GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0045261': { - 'name': 'proton-transporting ATP synthase complex, catalytic core F(1)', - 'def': 'The sector of a hydrogen-transporting ATP synthase complex in which the catalytic activity resides; it comprises the catalytic core and central stalk, and is peripherally associated with a membrane, such as the plasma membrane or the mitochondrial inner membrane, when the entire ATP synthase is assembled. [GOC:mah, PMID:10838056]' - }, - 'GO:0045262': { - 'name': 'plasma membrane proton-transporting ATP synthase complex, catalytic core F(1)', - 'def': 'The catalytic sector of the plasma membrane hydrogen-transporting ATP synthase; it comprises the catalytic core and central stalk, and is peripherally associated with the plasma membrane when the entire ATP synthase is assembled. Examples of this component are found in Bacterial species. [GOC:mah, GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0045263': { - 'name': 'proton-transporting ATP synthase complex, coupling factor F(o)', - 'def': 'All non-F1 subunits of a hydrogen-transporting ATP synthase, including integral and peripheral membrane proteins. [PMID:10838056]' - }, - 'GO:0045264': { - 'name': 'plasma membrane proton-transporting ATP synthase complex, coupling factor F(o)', - 'def': 'All non-F1 subunits of the plasma membrane hydrogen-transporting ATP synthase, including integral and peripheral plasma membrane proteins. [GOC:mah, GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0045265': { - 'name': 'proton-transporting ATP synthase, stator stalk', - 'def': 'One of two stalks that connect the catalytic core of the hydrogen-transporting ATP synthase to the membrane-associated Fo proteins; is thought to prevent futile rotation of the catalytic core. [PMID:10838056]' - }, - 'GO:0045266': { - 'name': 'plasma membrane proton-transporting ATP synthase, stator stalk', - 'def': 'One of two stalks that connect the catalytic core of the hydrogen-transporting ATP synthase to the plasma membrane-associated F0 proteins; is thought to prevent futile rotation of the catalytic core. Examples of this component are found in Bacterial species. [GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0045267': { - 'name': 'proton-transporting ATP synthase, catalytic core', - 'def': 'The hexamer that possesses the catalytic activity of the mitochondrial hydrogen-transporting ATP synthase. [PMID:10838056]' - }, - 'GO:0045268': { - 'name': 'plasma membrane proton-transporting ATP synthase, catalytic core', - 'def': 'The hexamer that possesses the catalytic activity of the plasma membrane hydrogen-transporting ATP synthase. Examples of this component are found in Bacterial species. [GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0045269': { - 'name': 'proton-transporting ATP synthase, central stalk', - 'def': 'One of two stalks that connect the catalytic core of the hydrogen-transporting ATP synthase to the membrane-associated Fo proteins; rotates within the catalytic core during catalysis. [PMID:10838056]' - }, - 'GO:0045270': { - 'name': 'plasma membrane proton-transporting ATP synthase, central stalk', - 'def': 'One of two stalks that connect the catalytic core of the hydrogen-transporting ATP synthase to the plasma membrane-associated Fo proteins; rotates within the catalytic core during catalysis. Examples of this component are found in Bacterial species. [GOC:mtg_sensu, PMID:10838056]' - }, - 'GO:0045271': { - 'name': 'respiratory chain complex I', - 'def': 'Respiratory chain complex I is an enzyme of the respiratory chain. It consists of several polypeptide chains and is L-shaped, with a horizontal arm lying in the membrane and a vertical arm that projects into the matrix. The electrons of NADH enter the chain at this complex. [GOC:imk, GOC:jid, ISBN:0716749556]' - }, - 'GO:0045272': { - 'name': 'plasma membrane respiratory chain complex I', - 'def': 'A subcomplex of the respiratory chain located in the plasma membrane. It contains about 25 different polypeptide subunits, including NADH dehydrogenase (ubiquinone), flavin mononucleotide and several different iron-sulfur clusters containing non-heme iron. The iron undergoes oxidation-reduction between Fe(II) and Fe(III), and catalyzes proton translocation linked to the oxidation of NADH by ubiquinone. Examples of this component are found in bacterial species. [GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0045273': { - 'name': 'respiratory chain complex II', - 'def': 'A part of the respiratory chain, containing the four polypeptide subunits of succinate dehydrogenase, flavin-adenine dinucleotide and iron-sulfur. Catalyzes the oxidation of succinate by ubiquinone. Connects the TCA cycle with the respiratory chain. [ISBN:0198547684]' - }, - 'GO:0045274': { - 'name': 'plasma membrane respiratory chain complex II', - 'def': 'A part of the respiratory chain located in the plasma membrane, containing the four polypeptide subunits of succinate dehydrogenase, flavin-adenine dinucleotide and iron-sulfur. Catalyzes the oxidation of succinate by ubiquinone. Connects the TCA cycle with the respiratory chain. Examples of this component are found in bacterial species. [GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0045275': { - 'name': 'respiratory chain complex III', - 'def': 'A protein complex that transfers electrons from ubiquinol to cytochrome c and translocates two protons across a membrane. The complex contains a core structure of three catalytic subunits: cytochrome b, the Rieske iron sulfur protein (ISP), and cytochrome c1, which are arranged in an integral membrane-bound dimeric complex; additional subunits are present, and vary among different species. [PMID:16228398, PMID:16352458, PMID:17200733]' - }, - 'GO:0045276': { - 'name': 'plasma membrane respiratory chain complex III', - 'def': 'A part of the respiratory chain located in the plasma membrane, containing about 10 polypeptide subunits including four redox centers: cytochrome b/b6, cytochrome c1 and an 2Fe-2S cluster. Catalyzes the oxidation of ubiquinol by oxidized cytochrome c1. Examples of this component are found in bacterial species. [GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0045277': { - 'name': 'respiratory chain complex IV', - 'def': 'A part of the respiratory chain, containing the 13 polypeptide subunits of cytochrome c oxidase, including cytochrome a and cytochrome a3. Catalyzes the oxidation of reduced cytochrome c by dioxygen (O2). [ISBN:0198547684]' - }, - 'GO:0045278': { - 'name': 'plasma membrane respiratory chain complex IV', - 'def': 'A part of the respiratory chain located in the plasma membrane, containing the 13 polypeptide subunits of cytochrome c oxidase, including cytochrome a and cytochrome a3. Catalyzes the oxidation of reduced cytochrome c by dioxygen (O2). Examples of this component are found in bacterial species. [GOC:mtg_sensu, ISBN:0198547684]' - }, - 'GO:0045281': { - 'name': 'succinate dehydrogenase complex', - 'def': 'A multimeric complex which consists of flavoprotein (subunit A ; InterPro:IPR003952), iron-sulfur protein (subunit B) and membrane-bound cytochrome b560 (subunit C; InterPro:IPR000701). In some Archaea, the membrane-bound subunits (C or C and D) do not necessarily contain heme. Membrane-bound subunits can bind or react with quinones. [GOC:kd, InterPro:IPR000701]' - }, - 'GO:0045282': { - 'name': 'plasma membrane succinate dehydrogenase complex', - 'def': 'A multimeric complex which consists of flavoprotein (subunit A ; InterPro:IPR003952), iron-sulfur protein (subunit B) and membrane-bound cytochrome b560 (subunit C; InterPro:IPR000701). In some Archaea, the membrane-bound subunits (C or C and D) do not necessarily contain heme. Membrane-bound subunits can bind/react with quinones. Examples of this component are found in Bacterial species. [GOC:kd, GOC:mtg_sensu, InterPro:IPR000701]' - }, - 'GO:0045283': { - 'name': 'fumarate reductase complex', - 'def': 'A membrane-bound flavoenzyme complex consisting of four subunits, A, B, C, and D. A and B comprise the membrane-extrinsic catalytic domain and C (InterPro:IPR003510; InterPro:IPR004224) and D (InterPro:IPR003418) link the catalytic centers to the electron-transport chain. This family consists of the 13 kDa hydrophobic subunit D. This component may be required to anchor the catalytic components of the fumarate reductase complex to the cytoplasmic membrane. Fumarate reductase couples the reduction of fumarate to succinate to the oxidation of quinol to quinone, in a reaction opposite to that catalyzed by the related complex II of the respiratory chain (succinate dehydrogenase-(ubiquinone)). [InterPro:IPR003418, InterPro:IPR004224]' - }, - 'GO:0045284': { - 'name': 'plasma membrane fumarate reductase complex', - 'def': 'A membrane-bound flavoenzyme complex consisting of four subunits, A, B, C, and D. A and B comprise the membrane-extrinsic catalytic domain and C (InterPro:IPR003510; InterPro:IPR00224) and D (InterPro:IPR003418) link the catalytic centers to the electron-transport chain. In some species, the complex has only three subunits, and in these cases, there is only one membrane anchor instead of two. This family consists of the 13 kDa hydrophobic subunit D. This component may be required to anchor the catalytic components of the fumarate reductase complex to the cytoplasmic membrane. Fumarate reductase couples the reduction of fumarate to succinate to the oxidation of quinol to quinone, in a reaction opposite to that catalyzed by the related complex II of the respiratory chain (succinate dehydrogenase-(ubiquinone)). Examples of this component are found in bacterial species. [GOC:mtg_sensu, InterPro:IPR003418, InterPro:IPR004224]' - }, - 'GO:0045289': { - 'name': 'luciferin monooxygenase activity', - 'def': 'Catalysis of the generalized reaction: luciferin + O2 = oxidized luciferin + CO2 + light. There may be additional substrates and reactants involved in the reaction. The reaction results in light emission as luciferin returns to the ground state after enzymatic oxidation. [GOC:bf]' - }, - 'GO:0045290': { - 'name': 'D-arabinose 1-dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: D-arabinose + NAD(P)+ = D-arabinono-1,4-lactone + NAD(P)H + H+. [EC:1.1.1.117]' - }, - 'GO:0045291': { - 'name': 'mRNA trans splicing, SL addition', - 'def': "The joining together of two independently transcribed RNAs, where the one that provides the 5' portion of the final mRNA is from a splice leader RNA (SL-RNA). The SL-RNA, or mini-exon donor sequence, is added to the 5'-end of the acceptor RNA molecule which provides the mRNA body. [GOC:krc, ISBN:0879695897, PMID:2675423]" - }, - 'GO:0045292': { - 'name': 'mRNA cis splicing, via spliceosome', - 'def': 'The joining together, after removal of an intervening sequence composed of one or more introns, of two segments of the same RNA molecule via spliceosomal catalysis to produce an mRNA composed only of exon sequences that all came from the same primary transcript. [GOC:krc, http://calspace.ucsd.edu/origins/Glossary/C.htm, ISBN:0879695897]' - }, - 'GO:0045293': { - 'name': 'mRNA editing complex', - 'def': 'A protein complex that posttranscriptionally catalyzes insertion, deletion or substitution of nucleotides at multiple sites within nascent mRNA transcripts to produce mature mRNAs in eukaryotes. [http://www.ejbiotechnology.info/content/vol1/issue1/full/4/, PMID:11564867, PMID:12139607]' - }, - 'GO:0045294': { - 'name': 'alpha-catenin binding', - 'def': 'Interacting selectively and non-covalently with the alpha subunit of the catenin complex. [GOC:bf]' - }, - 'GO:0045295': { - 'name': 'gamma-catenin binding', - 'def': 'Interacting selectively and non-covalently with the gamma subunit of the catenin complex. [GOC:bf]' - }, - 'GO:0045296': { - 'name': 'cadherin binding', - 'def': 'Interacting selectively and non-covalently with cadherin, a type I membrane protein involved in cell adhesion. [GOC:bf]' - }, - 'GO:0045297': { - 'name': 'post-mating behavior', - 'def': 'The specific behavior of an organism following mating. [GOC:bf, GOC:pr]' - }, - 'GO:0045298': { - 'name': 'tubulin complex', - 'def': 'A heterodimer of tubulins alpha and beta that constitutes the protomer for microtubule assembly. [ISBN:0716731363]' - }, - 'GO:0045299': { - 'name': 'otolith mineralization', - 'def': 'The precipitation of specific crystal forms of calcium carbonate with extracellular matrix proteins in the otolith organs of the vertebrate inner ear. [GOC:dsf, PMID:15581873]' - }, - 'GO:0045300': { - 'name': 'acyl-[acyl-carrier-protein] desaturase activity', - 'def': 'Catalysis of the reaction: stearoyl-[acyl-carrier protein] + reduced acceptor + O2 = oleoyl-[acyl-carrier protein] + acceptor + H2O. The enzyme requires ferredoxin. [EC:1.14.19.2]' - }, - 'GO:0045301': { - 'name': 'tRNA-(2-methylthio-N-6-(cis-hydroxy)isopentenyl adenosine)-hydroxylase activity', - 'def': 'Catalysis of the reaction: tRNA-(2-methylthio-N-6-isopentenyl adenosine) = tRNA-(2-methylthio-N-6-(cis-hydroxy)isopentenyl adenosine) + O2. 2-methylthio-N-6-isopentenyl adenosine is also known as ms2i6A; 2-methylthio-N-6-(cis-hydroxy)isopentenyl adenosine is also known as ms2io6A and 2-methylthio-cis-ribozeatin. [GOC:mlg, PMID:8253666]' - }, - 'GO:0045302': { - 'name': 'choloylglycine hydrolase activity', - 'def': 'Catalysis of the reaction: 3-alpha,7-alpha,12-alpha-trihydroxy-5-beta-cholan-24-oylglycine + H2O = 3-alpha,7-alpha,12-alpha-trihydroxy-5-beta-cholanate + glycine. [EC:3.5.1.24]' - }, - 'GO:0045303': { - 'name': 'diaminobutyrate-2-oxoglutarate transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-2,4-diaminobutyrate = L-aspartate 4-semialdehyde + L-glutamate. [EC:2.6.1.76, RHEA:11163]' - }, - 'GO:0045304': { - 'name': 'regulation of establishment of competence for transformation', - 'def': 'Any process that modulates the frequency, rate or extent of the process in which a cell becomes able to take up and incorporate extracellular DNA into its genome. [GOC:mlg]' - }, - 'GO:0045305': { - 'name': 'obsolete regulator of establishment of competence for transformation activity', - 'def': 'OBSOLETE. Functions to either promote or inhibit the establishment of competence for transformation. [GOC:mlg]' - }, - 'GO:0045306': { - 'name': 'obsolete inhibitor of the establishment of competence for transformation activity', - 'def': 'OBSOLETE. Inhibits the establishment of competence for transformation. [GOC:mlg]' - }, - 'GO:0045307': { - 'name': 'obsolete activator of the establishment of competence for transformation activity', - 'def': 'OBSOLETE. Activates the establishment of competence for transformation. [GOC:mlg]' - }, - 'GO:0045309': { - 'name': 'protein phosphorylated amino acid binding', - 'def': 'Interacting selectively and non-covalently with a phosphorylated amino acid residue within a protein. [GOC:go_curators]' - }, - 'GO:0045310': { - 'name': 'obsolete phosphoserine/phosphothreonine binding', - 'def': 'OBSOLETE. Interacting selectively with a phosphorylated serine or threonine residue within a protein. [GOC:go_curators]' - }, - 'GO:0045311': { - 'name': 'invasive growth in response to pheromone', - 'def': 'The growth of colonies in filamentous chains of cells as a result of a pheromone stimulus. [GOC:ai, GOC:dph, GOC:mcc]' - }, - 'GO:0045312': { - 'name': 'nor-spermidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nor-spermidine, a compound related to spermidine, N-(3-aminopropyl)-1,4-diaminobutane. [GOC:go_curators]' - }, - 'GO:0045313': { - 'name': 'rhabdomere membrane biogenesis', - 'def': 'A process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a rhabdomere membrane. [GOC:jl]' - }, - 'GO:0045314': { - 'name': 'regulation of compound eye photoreceptor development', - 'def': 'Any process that modulates the frequency, rate or extent of compound eye photoreceptor development. [GOC:bf]' - }, - 'GO:0045315': { - 'name': 'positive regulation of compound eye photoreceptor development', - 'def': 'Any process that activates or increases the frequency, rate or extent of compound eye photoreceptor development. [GOC:bf]' - }, - 'GO:0045316': { - 'name': 'negative regulation of compound eye photoreceptor development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of compound eye photoreceptor development. [GOC:bf]' - }, - 'GO:0045317': { - 'name': 'equator specification', - 'def': 'The formation and development of the equator that forms the boundary between the photoreceptors in the dorsal sector of the eye and those in the ventral sector, dividing the eye into dorsal and ventral halves. [GOC:bf]' - }, - 'GO:0045319': { - 'name': 'obsolete SRP-independent cotranslational protein-membrane targeting, translocation', - 'def': 'OBSOLETE. The process during cotranslational membrane targeting wherein proteins move across a membrane. This process is independent of SRP and signal recognition. [GOC:ai]' - }, - 'GO:0045320': { - 'name': 'chloroplast proton-transporting ATP synthase complex', - 'def': 'A proton-transporting ATP synthase complex found in the chloroplast thylakoid membrane; it catalyzes the phosphorylation of ADP to ATP during photo-phosphorylation. [GOC:mtg_sensu, GOC:pj, ISBN:0716743663]' - }, - 'GO:0045321': { - 'name': 'leukocyte activation', - 'def': 'A change in morphology and behavior of a leukocyte resulting from exposure to a specific antigen, mitogen, cytokine, cellular ligand, or soluble factor. [GOC:add]' - }, - 'GO:0045322': { - 'name': 'unmethylated CpG binding', - 'def': 'Interacting selectively and non-covalently with unmethylated CpG motifs. Unmethylated CpG dinucleotides are often associated with gene promoters. [GOC:ai, PMID:10688657]' - }, - 'GO:0045323': { - 'name': 'interleukin-1 receptor complex', - 'def': 'A protein complex that binds interleukin-1; comprises an alpha and a beta subunit. [GOC:mah, InterPro:IPR004075]' - }, - 'GO:0045324': { - 'name': 'late endosome to vacuole transport', - 'def': 'The directed movement of substances from late endosomes to the vacuole. In yeast, after transport to the prevacuolar compartment, endocytic content is delivered to the late endosome and on to the vacuole. This pathway is analogous to endosome to lysosome transport. [PMID:11872141]' - }, - 'GO:0045325': { - 'name': 'peptidyl-tryptophan hydroxylation', - 'def': 'The hydroxylation of peptidyl-tryptophan, to form peptidyl-L-3-hydroxytryptophan. [RESID:AA0322]' - }, - 'GO:0045326': { - 'name': "protein-DNA covalent cross-linking via the 3'-end to peptidyl-tyrosine", - 'def': "The formation of a covalent cross-link between DNA and a peptidyl-tyrosine residue by the formation of O4'-(phospho-3'-DNA)-L-tyrosine. [RESID:AA0323]" - }, - 'GO:0045327': { - 'name': 'protein-DNA covalent cross-linking via peptidyl-tyrosine', - 'def': 'The formation of a covalent cross-link between DNA and a peptidyl-tyrosine residue. [GOC:jsg]' - }, - 'GO:0045328': { - 'name': 'cytochrome P450 4A1-heme linkage', - 'def': 'The covalent linkage of heme to cytochrome P450 4A1 via hydroxyheme-L-glutamyl ester. [GOC:cjm, RESID:AA0324]' - }, - 'GO:0045329': { - 'name': 'carnitine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of carnitine (hydroxy-trimethyl aminobutyric acid), a compound that participates in the transfer of acyl groups across the inner mitochondrial membrane. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0045330': { - 'name': 'aspartyl esterase activity', - 'def': 'Catalysis of the hydrolysis of an ester bond by a mechanism involving a catalytically active aspartic acid residue. [GOC:mah, UniProtKB-KW:KW-0063]' - }, - 'GO:0045331': { - 'name': 'obsolete coenzyme-M-7-mercaptoheptanoylthreonine-phosphate-heterodisulfide hydrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: coenzyme-M 7-mercaptoheptanoylthreonine-phosphate heterodisulfide + H2 = coenzyme-M + N-(7-mercaptoheptanoyl)threonine O3-phosphate. [EC:1.12.99.2]' - }, - 'GO:0045332': { - 'name': 'phospholipid translocation', - 'def': 'The movement of a phospholipid molecule from one leaflet of a membrane bilayer to the opposite leaflet. [ISBN:0815316194, PMID:16452632, PMID:20043909, PMID:20302864]' - }, - 'GO:0045333': { - 'name': 'cellular respiration', - 'def': 'The enzymatic release of energy from inorganic and organic compounds (especially carbohydrates and fats) which either requires oxygen (aerobic respiration) or does not (anaerobic respiration). [GOC:das, ISBN:0140513590, ISBN:0198506732]' - }, - 'GO:0045334': { - 'name': 'clathrin-coated endocytic vesicle', - 'def': 'A clathrin-coated, membrane-bounded intracellular vesicle formed by invagination of the plasma membrane around an extracellular substance. [GOC:go_curators]' - }, - 'GO:0045335': { - 'name': 'phagocytic vesicle', - 'def': 'A membrane-bounded intracellular vesicle that arises from the ingestion of particulate material by phagocytosis. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0045336': { - 'name': 'clathrin-coated phagocytic vesicle', - 'def': 'A clathrin-coated, membrane-bounded intracellular vesicle that arises from the ingestion of particulate material by phagocytosis. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0045337': { - 'name': 'farnesyl diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of farnesyl diphosphate. [GOC:jl]' - }, - 'GO:0045338': { - 'name': 'farnesyl diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving farnesyl diphosphate, an intermediate in carotenoid, sesquiterpene, squalene and sterol biosynthesis, as well as a substrate in protein farnesylation. [GOC:go_curators]' - }, - 'GO:0045339': { - 'name': 'farnesyl diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of farnesyl diphosphate. [GOC:go_curators]' - }, - 'GO:0045340': { - 'name': 'mercury ion binding', - 'def': 'Interacting selectively and non-covalently with mercury (Hg) ions. [GOC:go_curators]' - }, - 'GO:0045341': { - 'name': 'MHC class I biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of major histocompatibility protein class I. [GOC:go_curators]' - }, - 'GO:0045342': { - 'name': 'MHC class II biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of major histocompatibility protein class II. [GOC:go_curators]' - }, - 'GO:0045343': { - 'name': 'regulation of MHC class I biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of MHC class I. [GOC:go_curators]' - }, - 'GO:0045344': { - 'name': 'negative regulation of MHC class I biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of MHC class I. [GOC:go_curators]' - }, - 'GO:0045345': { - 'name': 'positive regulation of MHC class I biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of MHC class I. [GOC:go_curators]' - }, - 'GO:0045346': { - 'name': 'regulation of MHC class II biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of MHC class II. [GOC:go_curators]' - }, - 'GO:0045347': { - 'name': 'negative regulation of MHC class II biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of MHC class II. [GOC:go_curators]' - }, - 'GO:0045348': { - 'name': 'positive regulation of MHC class II biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of MHC class II. [GOC:go_curators]' - }, - 'GO:0045349': { - 'name': 'interferon-alpha biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interferon-alpha. [GOC:go_curators]' - }, - 'GO:0045350': { - 'name': 'interferon-beta biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interferon-beta. [GOC:go_curators]' - }, - 'GO:0045351': { - 'name': 'type I interferon biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any type I interferon. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:add]' - }, - 'GO:0045352': { - 'name': 'interleukin-1 Type I receptor antagonist activity', - 'def': 'Blocks the binding of interleukin-1 to interleukin-1 Type I receptors. [GOC:ebc]' - }, - 'GO:0045353': { - 'name': 'interleukin-1 Type II receptor antagonist activity', - 'def': 'Blocks the binding of interleukin-1 to interleukin-1 Type II receptors. [GOC:ebc]' - }, - 'GO:0045354': { - 'name': 'regulation of interferon-alpha biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interferon-alpha. [GOC:go_curators]' - }, - 'GO:0045355': { - 'name': 'negative regulation of interferon-alpha biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interferon-alpha. [GOC:go_curators]' - }, - 'GO:0045356': { - 'name': 'positive regulation of interferon-alpha biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interferon-alpha. [GOC:go_curators]' - }, - 'GO:0045357': { - 'name': 'regulation of interferon-beta biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interferon-beta. [GOC:go_curators]' - }, - 'GO:0045358': { - 'name': 'negative regulation of interferon-beta biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interferon-beta. [GOC:go_curators]' - }, - 'GO:0045359': { - 'name': 'positive regulation of interferon-beta biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interferon-beta. [GOC:go_curators]' - }, - 'GO:0045360': { - 'name': 'regulation of interleukin-1 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-1. [GOC:go_curators]' - }, - 'GO:0045361': { - 'name': 'negative regulation of interleukin-1 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-1. [GOC:go_curators]' - }, - 'GO:0045362': { - 'name': 'positive regulation of interleukin-1 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-1. [GOC:go_curators]' - }, - 'GO:0045363': { - 'name': 'regulation of interleukin-11 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-11. [GOC:go_curators]' - }, - 'GO:0045364': { - 'name': 'negative regulation of interleukin-11 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-11. [GOC:go_curators]' - }, - 'GO:0045365': { - 'name': 'positive regulation of interleukin-11 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-11. [GOC:go_curators]' - }, - 'GO:0045366': { - 'name': 'regulation of interleukin-13 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-13. [GOC:go_curators]' - }, - 'GO:0045367': { - 'name': 'negative regulation of interleukin-13 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-13. [GOC:go_curators]' - }, - 'GO:0045368': { - 'name': 'positive regulation of interleukin-13 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-13. [GOC:go_curators]' - }, - 'GO:0045369': { - 'name': 'regulation of interleukin-14 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-14. [GOC:go_curators]' - }, - 'GO:0045370': { - 'name': 'negative regulation of interleukin-14 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-14. [GOC:go_curators]' - }, - 'GO:0045371': { - 'name': 'positive regulation of interleukin-14 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-14. [GOC:go_curators]' - }, - 'GO:0045372': { - 'name': 'regulation of interleukin-15 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-15. [GOC:go_curators]' - }, - 'GO:0045373': { - 'name': 'negative regulation of interleukin-15 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-15. [GOC:go_curators]' - }, - 'GO:0045374': { - 'name': 'positive regulation of interleukin-15 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-15. [GOC:go_curators]' - }, - 'GO:0045375': { - 'name': 'regulation of interleukin-16 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-16. [GOC:go_curators]' - }, - 'GO:0045376': { - 'name': 'negative regulation of interleukin-16 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-16. [GOC:go_curators]' - }, - 'GO:0045377': { - 'name': 'positive regulation of interleukin-16 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-16. [GOC:go_curators]' - }, - 'GO:0045378': { - 'name': 'regulation of interleukin-17 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of any member of the interleukin-17 family of cytokines. [GOC:add, GOC:go_curators]' - }, - 'GO:0045379': { - 'name': 'negative regulation of interleukin-17 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of any member of the interleukin-17 family of cytokines. [GOC:add, GOC:go_curators]' - }, - 'GO:0045380': { - 'name': 'positive regulation of interleukin-17 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of any member of the interleukin-17 family of cytokines. [GOC:add, GOC:go_curators]' - }, - 'GO:0045381': { - 'name': 'regulation of interleukin-18 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-18. [GOC:go_curators]' - }, - 'GO:0045382': { - 'name': 'negative regulation of interleukin-18 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-18. [GOC:go_curators]' - }, - 'GO:0045383': { - 'name': 'positive regulation of interleukin-18 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-18. [GOC:go_curators]' - }, - 'GO:0045384': { - 'name': 'regulation of interleukin-19 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-19. [GOC:go_curators]' - }, - 'GO:0045385': { - 'name': 'negative regulation of interleukin-19 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-19. [GOC:go_curators]' - }, - 'GO:0045386': { - 'name': 'positive regulation of interleukin-19 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-19. [GOC:go_curators]' - }, - 'GO:0045387': { - 'name': 'regulation of interleukin-20 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-20. [GOC:go_curators]' - }, - 'GO:0045388': { - 'name': 'negative regulation of interleukin-20 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-20. [GOC:go_curators]' - }, - 'GO:0045389': { - 'name': 'positive regulation of interleukin-20 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-20. [GOC:go_curators]' - }, - 'GO:0045390': { - 'name': 'regulation of interleukin-21 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-21. [GOC:go_curators]' - }, - 'GO:0045391': { - 'name': 'negative regulation of interleukin-21 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-21. [GOC:go_curators]' - }, - 'GO:0045392': { - 'name': 'positive regulation of interleukin-21 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-21. [GOC:go_curators]' - }, - 'GO:0045393': { - 'name': 'regulation of interleukin-22 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-22. [GOC:go_curators]' - }, - 'GO:0045394': { - 'name': 'negative regulation of interleukin-22 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-22. [GOC:go_curators]' - }, - 'GO:0045395': { - 'name': 'positive regulation of interleukin-22 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-22. [GOC:go_curators]' - }, - 'GO:0045396': { - 'name': 'regulation of interleukin-23 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-23. [GOC:go_curators]' - }, - 'GO:0045397': { - 'name': 'negative regulation of interleukin-23 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-23. [GOC:go_curators]' - }, - 'GO:0045398': { - 'name': 'positive regulation of interleukin-23 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-23. [GOC:go_curators]' - }, - 'GO:0045399': { - 'name': 'regulation of interleukin-3 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-3. [GOC:go_curators]' - }, - 'GO:0045400': { - 'name': 'negative regulation of interleukin-3 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-3. [GOC:go_curators]' - }, - 'GO:0045401': { - 'name': 'positive regulation of interleukin-3 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-3. [GOC:go_curators]' - }, - 'GO:0045402': { - 'name': 'regulation of interleukin-4 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-4. [GOC:go_curators]' - }, - 'GO:0045403': { - 'name': 'negative regulation of interleukin-4 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-4. [GOC:go_curators]' - }, - 'GO:0045404': { - 'name': 'positive regulation of interleukin-4 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-4. [GOC:go_curators]' - }, - 'GO:0045405': { - 'name': 'regulation of interleukin-5 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-5. [GOC:go_curators]' - }, - 'GO:0045406': { - 'name': 'negative regulation of interleukin-5 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-5. [GOC:go_curators]' - }, - 'GO:0045407': { - 'name': 'positive regulation of interleukin-5 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-5. [GOC:go_curators]' - }, - 'GO:0045408': { - 'name': 'regulation of interleukin-6 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-6. [GOC:go_curators]' - }, - 'GO:0045409': { - 'name': 'negative regulation of interleukin-6 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-6. [GOC:go_curators]' - }, - 'GO:0045410': { - 'name': 'positive regulation of interleukin-6 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-6. [GOC:go_curators]' - }, - 'GO:0045411': { - 'name': 'regulation of interleukin-7 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-7. [GOC:go_curators]' - }, - 'GO:0045412': { - 'name': 'negative regulation of interleukin-7 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-7. [GOC:go_curators]' - }, - 'GO:0045413': { - 'name': 'positive regulation of interleukin-7 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-7. [GOC:go_curators]' - }, - 'GO:0045414': { - 'name': 'regulation of interleukin-8 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-8. [GOC:go_curators]' - }, - 'GO:0045415': { - 'name': 'negative regulation of interleukin-8 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-8. [GOC:go_curators]' - }, - 'GO:0045416': { - 'name': 'positive regulation of interleukin-8 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-8. [GOC:go_curators]' - }, - 'GO:0045417': { - 'name': 'regulation of interleukin-9 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-9. [GOC:go_curators]' - }, - 'GO:0045418': { - 'name': 'negative regulation of interleukin-9 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-9. [GOC:go_curators]' - }, - 'GO:0045419': { - 'name': 'positive regulation of interleukin-9 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-9. [GOC:go_curators]' - }, - 'GO:0045420': { - 'name': 'regulation of connective tissue growth factor biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of connective tissue growth factor. [GOC:go_curators]' - }, - 'GO:0045421': { - 'name': 'negative regulation of connective tissue growth factor biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of connective tissue growth factor. [GOC:go_curators]' - }, - 'GO:0045422': { - 'name': 'positive regulation of connective tissue growth factor biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of connective tissue growth factor. [GOC:go_curators]' - }, - 'GO:0045423': { - 'name': 'regulation of granulocyte macrophage colony-stimulating factor biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of granulocyte macrophage colony-stimulating factor. [GOC:go_curators]' - }, - 'GO:0045424': { - 'name': 'negative regulation of granulocyte macrophage colony-stimulating factor biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of granulocyte macrophage colony-stimulating factor. [GOC:go_curators]' - }, - 'GO:0045425': { - 'name': 'positive regulation of granulocyte macrophage colony-stimulating factor biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of granulocyte macrophage colony-stimulating factor. [GOC:go_curators]' - }, - 'GO:0045427': { - 'name': "enzyme active site formation via (phospho-5'-guanosine)-L-histidine", - 'def': "The transient guanylylation of peptidyl-histidine to form (phospho-5'-guanosine)-L-histidine. [RESID:AA0325]" - }, - 'GO:0045428': { - 'name': 'regulation of nitric oxide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of nitric oxide. [GOC:go_curators]' - }, - 'GO:0045429': { - 'name': 'positive regulation of nitric oxide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of nitric oxide. [GOC:go_curators]' - }, - 'GO:0045430': { - 'name': 'chalcone isomerase activity', - 'def': 'Catalysis of the reaction: a chalcone = a flavanone. [EC:5.5.1.6]' - }, - 'GO:0045431': { - 'name': 'flavonol synthase activity', - 'def': 'Catalysis of the reaction: a dihydroflavonol + 2-oxoglurate + O2 = a flavonol + succinate + CO2 + H2O. [EC:1.14.11.23, ISBN:0943088372, PMID:7904213]' - }, - 'GO:0045433': { - 'name': 'male courtship behavior, veined wing generated song production', - 'def': 'The process during wing vibration where the male insect produces a species-specific acoustic signal called a love song. [GOC:mtg_sensu, PMID:11092827]' - }, - 'GO:0045434': { - 'name': 'negative regulation of female receptivity, post-mating', - 'def': 'Any process that stops, prevents or reduces the receptiveness of a female to male advances subsequent to mating. [GOC:bf, PMID:11092827]' - }, - 'GO:0045435': { - 'name': 'lycopene epsilon cyclase activity', - 'def': 'Catalysis of the cyclization of an epsilon ring at one end of the lycopene molecule (psi, psi-carotene) to form delta-carotene (epsilon, psi-carotene). [PMID:8837512]' - }, - 'GO:0045436': { - 'name': 'lycopene beta cyclase activity', - 'def': 'Catalysis of the cyclization of beta rings at one or both ends of the lycopene molecule (psi, psi-carotene) to form gamma-carotene or the bicyclic beta-carotene (beta, beta-carotene), respectively. [PMID:8837512]' - }, - 'GO:0045437': { - 'name': 'uridine nucleosidase activity', - 'def': 'Catalysis of the reaction: H(2)O + uridine = ribofuranose + uracil. [EC:3.2.2.3, RHEA:15580]' - }, - 'GO:0045438': { - 'name': 'delta-(L-alpha-aminoadipyl)-L-cysteinyl-D-valine synthetase activity', - 'def': 'Catalysis of the formation of delta-(L-alpha-aminoadipyl)-L-cysteinyl-D-valine from constituent amino acids and ATP in the presence of magnesium ions and dithioerythritol. [PMID:1572368, PMID:2061333]' - }, - 'GO:0045439': { - 'name': 'isopenicillin-N epimerase activity', - 'def': 'Catalysis of the reaction: isopenicillin N = penicillin N. [EC:5.1.1.17, RHEA:20036]' - }, - 'GO:0045442': { - 'name': 'deacetoxycephalosporin-C hydroxylase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + deacetoxycephalosporin C + O(2) = CO(2) + deacetylcephalosporin C + succinate. [EC:1.14.11.26, RHEA:16808]' - }, - 'GO:0045443': { - 'name': 'juvenile hormone secretion', - 'def': 'The regulated release of juvenile hormones, the three sesquiterpenoid derivatives that function to maintain the larval state of insects at molting and that may be required for other processes, e.g. oogenesis. [GOC:go_curators, ISBN:0198547684]' - }, - 'GO:0045444': { - 'name': 'fat cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an adipocyte, an animal connective tissue cell specialized for the synthesis and storage of fat. [CL:0000136, GOC:go_curators]' - }, - 'GO:0045445': { - 'name': 'myoblast differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a myoblast. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into striated muscle fibers. [CL:0000056, GOC:go_curators, GOC:mtg_muscle]' - }, - 'GO:0045446': { - 'name': 'endothelial cell differentiation', - 'def': 'The process in which a mesodermal, bone marrow or neural crest cell acquires specialized features of an endothelial cell, a thin flattened cell. A layer of such cells lines the inside surfaces of body cavities, blood vessels, and lymph vessels, making up the endothelium. [CL:0000115, GOC:go_curators]' - }, - 'GO:0045448': { - 'name': 'mitotic cell cycle, embryonic', - 'def': 'The eukaryotic cell cycle in which a cell is duplicated without changing ploidy, occurring in the embryo. [GOC:go_curators]' - }, - 'GO:0045450': { - 'name': 'bicoid mRNA localization', - 'def': 'Any process in which bicoid mRNA is transported to and maintained within the oocyte as part of the specification of the anterior/posterior axis. [GOC:go_curators]' - }, - 'GO:0045451': { - 'name': 'pole plasm oskar mRNA localization', - 'def': 'Any process in which oskar mRNA is transported to, or maintained in, the oocyte pole plasm. [GOC:go_curators]' - }, - 'GO:0045453': { - 'name': 'bone resorption', - 'def': 'The process in which specialized cells known as osteoclasts degrade the organic and inorganic portions of bone, and endocytose and transport the degradation products. [GOC:mah, PMID:10968780]' - }, - 'GO:0045454': { - 'name': 'cell redox homeostasis', - 'def': 'Any process that maintains the redox environment of a cell or compartment within a cell. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0045455': { - 'name': 'ecdysteroid metabolic process', - 'def': 'The chemical reactions and pathways involving ecdysteroids, a group of polyhydroxylated ketosteroids ubiquitous in insects and other arthropods, in which they initiate post-embryonic development, including the metamorphosis of immature forms and the development of the reproductive system and the maturation of oocytes in adult females. [ISBN:0198506732]' - }, - 'GO:0045456': { - 'name': 'ecdysteroid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ecdysteroids, a group of polyhydroxylated ketosteroids which initiate post-embryonic development. [GOC:go_curators]' - }, - 'GO:0045457': { - 'name': 'ecdysteroid secretion', - 'def': 'The regulated release of ecdysteroids, a group of polyhydroxylated ketosteroids which initiate post-embryonic development. [GOC:go_curators]' - }, - 'GO:0045458': { - 'name': 'recombination within rDNA repeats', - 'def': 'Genetic recombination within the DNA of the genes coding for ribosomal RNA. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0045459': { - 'name': 'iron incorporation into iron-sulfur cluster via tetrakis-L-cysteinyl triiron tetrasulfide', - 'def': 'The incorporation of iron into a 3Fe-4S iron-sulfur cluster via tetrakis-L-cysteinyl triiron tetrasulfide. [PMID:11592901, RESID:AA0326]' - }, - 'GO:0045460': { - 'name': 'sterigmatocystin metabolic process', - 'def': 'The chemical reactions and pathways involving sterigmatocystin, a carcinogenic mycotoxin produced in high yields by strains of the common molds. [CHEBI:18227, GOC:go_curators]' - }, - 'GO:0045461': { - 'name': 'sterigmatocystin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sterigmatocystin, a carcinogenic mycotoxin produced in high yields by strains of the common molds. [CHEBI:18227, GOC:go_curators]' - }, - 'GO:0045462': { - 'name': 'trichothecene 3-O-acetyltransferase activity', - 'def': 'Catalysis of the 3-O-acetylation of a trichothecene. Trichothecenes are sesquiterpene epoxide mycotoxins that act as potent inhibitors of eukaryotic protein synthesis. [PMID:10583973]' - }, - 'GO:0045463': { - 'name': 'R8 cell development', - 'def': 'The process whose specific outcome is the progression of the R8 photoreceptor over time, from its formation to the mature structure. The R8 photoreceptor is the founding receptor of each ommatidium. [PMID:11880339]' - }, - 'GO:0045464': { - 'name': 'R8 cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an R8 cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [PMID:11880339]' - }, - 'GO:0045465': { - 'name': 'R8 cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of the R8 photoreceptor. [PMID:11880339]' - }, - 'GO:0045466': { - 'name': 'R7 cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of the R7 photoreceptor. [PMID:11880339]' - }, - 'GO:0045467': { - 'name': 'R7 cell development', - 'def': 'The process whose specific outcome is the progression of the R7 photoreceptor over time, from its formation to the mature structure. The R7 photoreceptor is the last photoreceptor to develop in the ommatidium. [PMID:11880339]' - }, - 'GO:0045468': { - 'name': 'regulation of R8 cell spacing in compound eye', - 'def': 'Any process that ensures that the R8 cells are selected in a precise progressive pattern so that they are evenly spaced throughout the eye disc. [GOC:dph, GOC:tb, PMID:11880339]' - }, - 'GO:0045469': { - 'name': 'negative regulation of R8 cell spacing in compound eye', - 'def': 'Any process that stops or prevents the correct R8 cell spacing pattern in a compound eye. [GOC:dph, GOC:tb, PMID:11880339]' - }, - 'GO:0045470': { - 'name': 'R8 cell-mediated photoreceptor organization', - 'def': 'The regionalization process that coordinates the recruitment and organization of other non-R8 photoreceptors by the R8 photoreceptor. [PMID:11880339]' - }, - 'GO:0045471': { - 'name': 'response to ethanol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ethanol stimulus. [GOC:go_curators]' - }, - 'GO:0045472': { - 'name': 'response to ether', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ether stimulus. [GOC:go_curators]' - }, - 'GO:0045473': { - 'name': 'obsolete response to ethanol (sensu Insecta)', - 'def': 'OBSOLETE. A change in state or activity of an insect (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ethanol stimulus. [GOC:go_curators, GOC:jid]' - }, - 'GO:0045474': { - 'name': 'obsolete response to ether (sensu Insecta)', - 'def': 'OBSOLETE. A change in state or activity of an insect (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ether stimulus. [GOC:go_curators, GOC:jid]' - }, - 'GO:0045475': { - 'name': 'locomotor rhythm', - 'def': 'The rhythm of the locomotor activity of an organism during its 24 hour activity cycle. [GOC:go_curators]' - }, - 'GO:0045476': { - 'name': 'nurse cell apoptotic process', - 'def': 'Any apoptotic process in a nurse cell. During late oogenesis, following the transfer of substances from the nurse cells to the oocyte, nurse cell remnants are cleared from the egg chamber by apoptotic process. [CL:0000026, GOC:mtg_apoptosis, PMID:11973306]' - }, - 'GO:0045477': { - 'name': 'regulation of nurse cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of nurse cell apoptotic process. [GOC:mtg_apoptosis, PMID:11973306]' - }, - 'GO:0045478': { - 'name': 'fusome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the fusome, a large intracellular spectrin-rich structure found in insect germline cells and mammalian hematopoietic cells. [GOC:dph, GOC:go_curators, GOC:jl, GOC:mah]' - }, - 'GO:0045479': { - 'name': 'vesicle targeting to fusome', - 'def': 'The recruitment of vesicles to the fusome. The vesicles become the fusome tubule network and are necessary for the assembly of the fusome. [PMID:9046244]' - }, - 'GO:0045480': { - 'name': 'galactose oxidase activity', - 'def': 'Catalysis of the reaction: D-galactose + O2 = D-galacto-hexodialdose + hydrogen peroxide. [EC:1.1.3.9]' - }, - 'GO:0045481': { - 'name': '6-endo-hydroxycineole dehydrogenase activity', - 'def': 'Catalysis of the reaction: 6-endo-hydroxycineole + NAD(+) = 6-oxocineole + H(+) + NADH. [EC:1.1.1.241, RHEA:11739]' - }, - 'GO:0045482': { - 'name': 'trichodiene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = diphosphate + trichodiene. [EC:4.2.3.6, RHEA:12055]' - }, - 'GO:0045483': { - 'name': 'aristolochene synthase activity', - 'def': 'Catalysis of the reaction: trans,trans-farnesyl diphosphate = aristolochene + diphosphate. [EC:4.2.3.9]' - }, - 'GO:0045484': { - 'name': 'L-lysine 6-transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-lysine = L-glutamate + allysine. [EC:2.6.1.36, RHEA:21203]' - }, - 'GO:0045485': { - 'name': 'omega-6 fatty acid desaturase activity', - 'def': 'Catalysis of the introduction of an omega-6 double bond into the fatty acid hydrocarbon chain. [PMID:7846158]' - }, - 'GO:0045486': { - 'name': 'naringenin 3-dioxygenase activity', - 'def': 'Catalysis of the reaction: naringenin + 2-oxoglutarate + O2 = dihydrokaempferol + succinate + CO2. [EC:1.14.11.9]' - }, - 'GO:0045487': { - 'name': 'gibberellin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gibberellin. Gibberellins are a class of highly modified terpenes that function as plant growth regulators. [GOC:go_curators]' - }, - 'GO:0045488': { - 'name': 'pectin metabolic process', - 'def': 'The chemical reactions and pathways involving pectin, a group of galacturonic acid-containing, water-soluble colloidal carbohydrates of high molecular weight and of net negative charge. [GOC:tair_curators]' - }, - 'GO:0045489': { - 'name': 'pectin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pectin, a polymer containing a backbone of alpha-1,4-linked D-galacturonic acid residues. [GOC:go_curators, PMID:11931668]' - }, - 'GO:0045490': { - 'name': 'pectin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pectin, a polymer containing a backbone of alpha-1,4-linked D-galacturonic acid residues. [GOC:go_curators, PMID:11931668]' - }, - 'GO:0045491': { - 'name': 'xylan metabolic process', - 'def': 'The chemical reactions and pathways involving xylan, a polymer containing a beta-1,4-linked D-xylose backbone. [GOC:go_curators, PMID:11931668]' - }, - 'GO:0045492': { - 'name': 'xylan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of xylan, a polymer containing a beta-1,4-linked D-xylose backbone. [GOC:go_curators, PMID:11931668]' - }, - 'GO:0045493': { - 'name': 'xylan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of xylan, a polymer containing a beta-1,4-linked D-xylose backbone. [GOC:go_curators, PMID:11931668]' - }, - 'GO:0045494': { - 'name': 'photoreceptor cell maintenance', - 'def': 'Any process preventing the degeneration of the photoreceptor, a specialized cell type that is sensitive to light. [CL:0000210, GOC:bf, GOC:rl]' - }, - 'GO:0045495': { - 'name': 'pole plasm', - 'def': 'Differentiated cytoplasm associated with a pole (animal, vegetal, anterior, or posterior) of an oocyte, egg or early embryo. [GOC:kmv, PMID:17113380]' - }, - 'GO:0045496': { - 'name': 'male analia development', - 'def': 'The process whose specific outcome is the progression of the analia of the male over time, from formation to the mature structure. The analia is the posterior-most vertral appendage that develops from the genital disc. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11494318]' - }, - 'GO:0045497': { - 'name': 'female analia development', - 'def': 'The process whose specific outcome is the progression of the analia of the female over time, from formation to the mature structure. The analia is the posterior-most vertral appendage that develops from the genital disc. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11494318]' - }, - 'GO:0045498': { - 'name': 'sex comb development', - 'def': 'The process whose specific outcome is the progression of the sex comb over time, from its formation to the mature structure. The sex combs are the male specific chaetae located on the prothoracic tarsal segment of the prothoracic leg. [http://fly.ebi.ac.uk]' - }, - 'GO:0045499': { - 'name': 'chemorepellent activity', - 'def': 'Providing the environmental signal that initiates the directed movement of a motile cell or organism towards a lower concentration of that signal. [GOC:ai]' - }, - 'GO:0045500': { - 'name': 'sevenless signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to sevenless (sev; a receptor tyrosine kinase) on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:signaling, PMID:10771085]' - }, - 'GO:0045501': { - 'name': 'regulation of sevenless signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the sevenless signaling pathway. [GOC:go_curators]' - }, - 'GO:0045503': { - 'name': 'dynein light chain binding', - 'def': 'Interacting selectively and non-covalently with a light chain of the dynein complex. [GOC:bf]' - }, - 'GO:0045504': { - 'name': 'dynein heavy chain binding', - 'def': 'Interacting selectively and non-covalently with a heavy chain of the dynein complex. [GOC:bf]' - }, - 'GO:0045505': { - 'name': 'dynein intermediate chain binding', - 'def': 'Interacting selectively and non-covalently with an intermediate chain of the dynein complex. [GOC:bf]' - }, - 'GO:0045506': { - 'name': 'interleukin-24 receptor activity', - 'def': 'Combining with interleukin-24 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0045507': { - 'name': 'interleukin-25 receptor activity', - 'def': 'Combining with interleukin-25 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0045508': { - 'name': 'interleukin-26 receptor activity', - 'def': 'Combining with interleukin-26 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0045509': { - 'name': 'interleukin-27 receptor activity', - 'def': 'Combining with interleukin-27 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:jl, GOC:signaling]' - }, - 'GO:0045510': { - 'name': 'interleukin-24 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-24. [GOC:go_curators]' - }, - 'GO:0045511': { - 'name': 'interleukin-25 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-25. [GOC:go_curators]' - }, - 'GO:0045512': { - 'name': 'interleukin-26 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-26. [GOC:go_curators]' - }, - 'GO:0045513': { - 'name': 'interleukin-27 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-27. [GOC:go_curators]' - }, - 'GO:0045514': { - 'name': 'interleukin-16 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-16 receptor. [GOC:go_curators]' - }, - 'GO:0045515': { - 'name': 'interleukin-18 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-18 receptor. [GOC:go_curators]' - }, - 'GO:0045516': { - 'name': 'interleukin-19 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-19 receptor. [GOC:go_curators]' - }, - 'GO:0045517': { - 'name': 'interleukin-20 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-20 receptor. [GOC:go_curators]' - }, - 'GO:0045518': { - 'name': 'interleukin-22 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-22 receptor. [GOC:go_curators]' - }, - 'GO:0045519': { - 'name': 'interleukin-23 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-23 receptor. [GOC:go_curators]' - }, - 'GO:0045520': { - 'name': 'interleukin-24 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-24 receptor. [GOC:go_curators]' - }, - 'GO:0045521': { - 'name': 'interleukin-25 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-25 receptor. [GOC:go_curators]' - }, - 'GO:0045522': { - 'name': 'interleukin-26 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-26 receptor. [GOC:go_curators]' - }, - 'GO:0045523': { - 'name': 'interleukin-27 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-27 receptor. [GOC:go_curators]' - }, - 'GO:0045524': { - 'name': 'interleukin-24 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-24. [GOC:go_curators]' - }, - 'GO:0045525': { - 'name': 'interleukin-25 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-25. [GOC:go_curators]' - }, - 'GO:0045526': { - 'name': 'interleukin-26 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-26. [GOC:go_curators]' - }, - 'GO:0045527': { - 'name': 'interleukin-27 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-27. [GOC:go_curators]' - }, - 'GO:0045528': { - 'name': 'regulation of interleukin-24 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-24. [GOC:go_curators]' - }, - 'GO:0045529': { - 'name': 'regulation of interleukin-25 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-25. [GOC:go_curators]' - }, - 'GO:0045530': { - 'name': 'regulation of interleukin-26 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-26. [GOC:go_curators]' - }, - 'GO:0045531': { - 'name': 'regulation of interleukin-27 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-27. [GOC:go_curators]' - }, - 'GO:0045532': { - 'name': 'negative regulation of interleukin-24 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-24. [GOC:go_curators]' - }, - 'GO:0045533': { - 'name': 'negative regulation of interleukin-25 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-25. [GOC:go_curators]' - }, - 'GO:0045534': { - 'name': 'negative regulation of interleukin-26 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-26. [GOC:go_curators]' - }, - 'GO:0045535': { - 'name': 'negative regulation of interleukin-27 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-27. [GOC:go_curators]' - }, - 'GO:0045536': { - 'name': 'positive regulation of interleukin-24 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-24. [GOC:go_curators]' - }, - 'GO:0045537': { - 'name': 'positive regulation of interleukin-25 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-25. [GOC:go_curators]' - }, - 'GO:0045538': { - 'name': 'positive regulation of interleukin-26 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-26. [GOC:go_curators]' - }, - 'GO:0045539': { - 'name': 'positive regulation of interleukin-27 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-27. [GOC:go_curators]' - }, - 'GO:0045540': { - 'name': 'regulation of cholesterol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cholesterol. [GOC:go_curators]' - }, - 'GO:0045541': { - 'name': 'negative regulation of cholesterol biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cholesterol. [GOC:go_curators]' - }, - 'GO:0045542': { - 'name': 'positive regulation of cholesterol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of cholesterol. [GOC:go_curators]' - }, - 'GO:0045543': { - 'name': 'gibberellin 2-beta-dioxygenase activity', - 'def': 'Catalysis of the reaction: a gibberellin + 2-oxoglutarate + O2 = a 2-beta-hydroxygibberellin + succinate + CO2. [EC:1.14.11.13, GOC:kad]' - }, - 'GO:0045544': { - 'name': 'gibberellin 20-oxidase activity', - 'def': 'Catalysis of the oxidation of C-20 gibberellins to form the corresponding C-19 lactones. [PMID:7604047]' - }, - 'GO:0045545': { - 'name': 'syndecan binding', - 'def': 'Interacting selectively and non-covalently with syndecan, an integral membrane proteoglycan (250-300 kDa) associated largely with epithelial cells. [GOC:go_curators, PMID:9355727]' - }, - 'GO:0045547': { - 'name': 'dehydrodolichyl diphosphate synthase activity', - 'def': 'Catalysis of the condensation of isopentenyl diphosphate and farnesyl diphosphate in the cis-configuration to form dehydrodolichyl diphosphate. [PMID:9858571]' - }, - 'GO:0045548': { - 'name': 'phenylalanine ammonia-lyase activity', - 'def': 'Catalysis of the reaction: L-phenylalanine = NH(4)(+) + trans-cinnamate. [RHEA:21387]' - }, - 'GO:0045549': { - 'name': '9-cis-epoxycarotenoid dioxygenase activity', - 'def': "Catalysis of the reactions: a 9-cis-epoxycarotenoid + O2 = 2-cis,4-trans-xanthoxin + a 12'-apo-carotenal; 9-cis-violaxanthin + O2 = 2-cis,4-trans-xanthoxin + (3S,5R,6S)-5,6-epoxy-3-hydroxy-5,6-dihydro-12'-apo-beta-caroten-12'-al; and 9'-cis-neoxanthin + O2 = 2-cis,4-trans-xanthoxin + (3S,5R,6R)-5,6-dihydroxy-6,7-didehydro-5,6-dihydro-12'-apo-beta-caroten-12'-al. [EC:1.13.11.51]" - }, - 'GO:0045550': { - 'name': 'geranylgeranyl reductase activity', - 'def': 'Catalysis of the formation of phytyl group from the stepwise reduction of a geranylgeranyl group. [PMID:9492312]' - }, - 'GO:0045551': { - 'name': 'cinnamyl-alcohol dehydrogenase activity', - 'def': 'Catalysis of the reaction: cinnamyl alcohol + NADP+ = cinnamaldehyde + NADPH + H+. [EC:1.1.1.195]' - }, - 'GO:0045552': { - 'name': 'dihydrokaempferol 4-reductase activity', - 'def': 'Catalysis of the reaction: cis-3,4-leucopelargonidin + NADP+ = (+)-dihydrokaempferol + NADPH + H+. [EC:1.1.1.219]' - }, - 'GO:0045553': { - 'name': 'TRAIL biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of TRAIL (TNF-related apoptosis inducing ligand). TRAIL induces apoptosis in a wide variety of cells and is a member of the tumor necrosis factor (TNF) family of cytokines. [PMID:9311998]' - }, - 'GO:0045554': { - 'name': 'regulation of TRAIL biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of TRAIL, TNF-related apoptosis inducing ligand. [GOC:go_curators]' - }, - 'GO:0045555': { - 'name': 'negative regulation of TRAIL biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of TRAIL, TNF-related apoptosis inducing ligand. [GOC:go_curators]' - }, - 'GO:0045556': { - 'name': 'positive regulation of TRAIL biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of TRAIL, TNF-related apoptosis inducing ligand. [GOC:go_curators]' - }, - 'GO:0045557': { - 'name': 'TRAIL receptor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the TRAIL (TNF-related apoptosis inducing ligand) receptor. [GOC:go_curators]' - }, - 'GO:0045558': { - 'name': 'TRAIL receptor 1 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of TRAIL-R1 (TNF-related apoptosis inducing ligand receptor 1), which engages a caspase-dependent apoptotic pathway. [GOC:go_curators, PMID:9311998]' - }, - 'GO:0045559': { - 'name': 'TRAIL receptor 2 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of TRAIL-R2 (TNF-related apoptosis inducing ligand receptor 2), which engages a caspase-dependent apoptotic pathway and mediates apoptosis via the intracellular adaptor molecule FADD/MORT1. [GOC:go_curators, PMID:9311998]' - }, - 'GO:0045560': { - 'name': 'regulation of TRAIL receptor biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the TRAIL (TNF-related apoptosis inducing ligand) receptor. [GOC:go_curators]' - }, - 'GO:0045561': { - 'name': 'regulation of TRAIL receptor 1 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of TRAIL (TNF-related apoptosis inducing ligand) receptor 1. [GOC:go_curators]' - }, - 'GO:0045562': { - 'name': 'regulation of TRAIL receptor 2 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of TRAIL (TNF-related apoptosis inducing ligand) receptor 2. [GOC:go_curators]' - }, - 'GO:0045563': { - 'name': 'negative regulation of TRAIL receptor biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the TRAIL (TNF-related apoptosis inducing ligand) receptor. [GOC:go_curators]' - }, - 'GO:0045564': { - 'name': 'positive regulation of TRAIL receptor biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the TRAIL (TNF-related apoptosis inducing ligand) receptor. [GOC:go_curators]' - }, - 'GO:0045565': { - 'name': 'negative regulation of TRAIL receptor 1 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of TRAIL (TNF-related apoptosis inducing ligand) receptor 1. [GOC:go_curators]' - }, - 'GO:0045566': { - 'name': 'positive regulation of TRAIL receptor 1 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of TRAIL (TNF-related apoptosis inducing ligand) receptor 1. [GOC:go_curators]' - }, - 'GO:0045567': { - 'name': 'negative regulation of TRAIL receptor 2 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of TRAIL (TNF-related apoptosis inducing ligand) receptor 2. [GOC:go_curators]' - }, - 'GO:0045568': { - 'name': 'positive regulation of TRAIL receptor 2 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of TRAIL (TNF-related apoptosis inducing ligand) receptor 2. [GOC:go_curators]' - }, - 'GO:0045569': { - 'name': 'TRAIL binding', - 'def': 'Interacting selectively and non-covalently with TRAIL (TNF-related apoptosis inducing ligand), a member of the tumor necrosis factor ligand family that rapidly induces apoptosis in a variety of transformed cell lines. [GOC:go_curators, PMID:9082980]' - }, - 'GO:0045570': { - 'name': 'regulation of imaginal disc growth', - 'def': 'Any process that modulates the frequency, rate or extent of the growth of the imaginal disc. [GOC:go_curators]' - }, - 'GO:0045571': { - 'name': 'negative regulation of imaginal disc growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of imaginal disc growth. [GOC:go_curators]' - }, - 'GO:0045572': { - 'name': 'positive regulation of imaginal disc growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of imaginal disc growth. [GOC:go_curators]' - }, - 'GO:0045574': { - 'name': 'sterigmatocystin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sterigmatocystin, a carcinogenic mycotoxin produced in high yields by strains of the common molds. [CHEBI:18227, GOC:go_curators]' - }, - 'GO:0045575': { - 'name': 'basophil activation', - 'def': 'The change in morphology and behavior of a basophil resulting from exposure to a cytokine, chemokine, soluble factor, or to (at least in mammals) an antigen which the basophil has specifically bound via IgE bound to Fc-epsilonRI receptors. [GOC:mgi_curators, ISBN:0781735149]' - }, - 'GO:0045576': { - 'name': 'mast cell activation', - 'def': 'The change in morphology and behavior of a mast cell resulting from exposure to a cytokine, chemokine, soluble factor, or to (at least in mammals) an antigen which the mast cell has specifically bound via IgE bound to Fc-epsilonRI receptors. [GOC:mgi_curators, ISBN:0781735149]' - }, - 'GO:0045577': { - 'name': 'regulation of B cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of B cell differentiation. [GOC:go_curators]' - }, - 'GO:0045578': { - 'name': 'negative regulation of B cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of B cell differentiation. [GOC:go_curators]' - }, - 'GO:0045579': { - 'name': 'positive regulation of B cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of B cell differentiation. [GOC:go_curators]' - }, - 'GO:0045580': { - 'name': 'regulation of T cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of T cell differentiation. [GOC:go_curators]' - }, - 'GO:0045581': { - 'name': 'negative regulation of T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of T cell differentiation. [GOC:go_curators]' - }, - 'GO:0045582': { - 'name': 'positive regulation of T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T cell differentiation. [GOC:go_curators]' - }, - 'GO:0045583': { - 'name': 'regulation of cytotoxic T cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of cytotoxic T cell differentiation. [GOC:go_curators]' - }, - 'GO:0045584': { - 'name': 'negative regulation of cytotoxic T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cytotoxic T cell differentiation. [GOC:go_curators]' - }, - 'GO:0045585': { - 'name': 'positive regulation of cytotoxic T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytotoxic T cell differentiation. [GOC:go_curators]' - }, - 'GO:0045586': { - 'name': 'regulation of gamma-delta T cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of gamma-delta T cell differentiation. [GOC:go_curators]' - }, - 'GO:0045587': { - 'name': 'negative regulation of gamma-delta T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of gamma-delta T cell differentiation. [GOC:go_curators]' - }, - 'GO:0045588': { - 'name': 'positive regulation of gamma-delta T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of gamma-delta T cell differentiation. [GOC:go_curators]' - }, - 'GO:0045589': { - 'name': 'regulation of regulatory T cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of differentiation of regulatory T cells. [ISBN:0781735149]' - }, - 'GO:0045590': { - 'name': 'negative regulation of regulatory T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the rate of differentiation of regulatory T cells. [ISBN:0781735149]' - }, - 'GO:0045591': { - 'name': 'positive regulation of regulatory T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of differentiation of regulatory T cells. [ISBN:0781735149]' - }, - 'GO:0045592': { - 'name': 'regulation of cumulus cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of ovarian cumulus cell differentiation. [GOC:go_curators]' - }, - 'GO:0045593': { - 'name': 'negative regulation of cumulus cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ovarian cumulus cell differentiation. [GOC:go_curators]' - }, - 'GO:0045594': { - 'name': 'positive regulation of cumulus cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of ovarian cumulus cell differentiation. [GOC:go_curators]' - }, - 'GO:0045595': { - 'name': 'regulation of cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of cell differentiation, the process in which relatively unspecialized cells acquire specialized structural and functional features. [GOC:go_curators]' - }, - 'GO:0045596': { - 'name': 'negative regulation of cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell differentiation. [GOC:go_curators]' - }, - 'GO:0045597': { - 'name': 'positive regulation of cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell differentiation. [GOC:go_curators]' - }, - 'GO:0045598': { - 'name': 'regulation of fat cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of adipocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045599': { - 'name': 'negative regulation of fat cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of adipocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045600': { - 'name': 'positive regulation of fat cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of adipocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045601': { - 'name': 'regulation of endothelial cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial cell differentiation. [GOC:go_curators]' - }, - 'GO:0045602': { - 'name': 'negative regulation of endothelial cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of endothelial cell differentiation. [GOC:go_curators]' - }, - 'GO:0045603': { - 'name': 'positive regulation of endothelial cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial cell differentiation. [GOC:go_curators]' - }, - 'GO:0045604': { - 'name': 'regulation of epidermal cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of epidermal cell differentiation. [GOC:go_curators]' - }, - 'GO:0045605': { - 'name': 'negative regulation of epidermal cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of epidermal cell differentiation. [GOC:go_curators]' - }, - 'GO:0045606': { - 'name': 'positive regulation of epidermal cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of epidermal cell differentiation. [GOC:go_curators]' - }, - 'GO:0045607': { - 'name': 'regulation of auditory receptor cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of auditory hair cell differentiation. [GOC:go_curators]' - }, - 'GO:0045608': { - 'name': 'negative regulation of auditory receptor cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of auditory hair cell differentiation. [GOC:go_curators]' - }, - 'GO:0045609': { - 'name': 'positive regulation of auditory receptor cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of auditory hair cell differentiation. [GOC:go_curators]' - }, - 'GO:0045610': { - 'name': 'regulation of hemocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of hemocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045611': { - 'name': 'negative regulation of hemocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of hemocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045612': { - 'name': 'positive regulation of hemocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of hemocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045613': { - 'name': 'regulation of plasmatocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of plasmatocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045614': { - 'name': 'negative regulation of plasmatocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of plasmatocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045615': { - 'name': 'positive regulation of plasmatocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of plasmatocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045616': { - 'name': 'regulation of keratinocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of keratinocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045617': { - 'name': 'negative regulation of keratinocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of keratinocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045618': { - 'name': 'positive regulation of keratinocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of keratinocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045619': { - 'name': 'regulation of lymphocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of lymphocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045620': { - 'name': 'negative regulation of lymphocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of lymphocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045621': { - 'name': 'positive regulation of lymphocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of lymphocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045622': { - 'name': 'regulation of T-helper cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper cell differentiation. [GOC:go_curators]' - }, - 'GO:0045623': { - 'name': 'negative regulation of T-helper cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of T-helper cell differentiation. [GOC:go_curators]' - }, - 'GO:0045624': { - 'name': 'positive regulation of T-helper cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper cell differentiation. [GOC:go_curators]' - }, - 'GO:0045625': { - 'name': 'regulation of T-helper 1 cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 1 cell differentiation. [GOC:go_curators]' - }, - 'GO:0045626': { - 'name': 'negative regulation of T-helper 1 cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of T-helper 1 cell differentiation. [GOC:go_curators]' - }, - 'GO:0045627': { - 'name': 'positive regulation of T-helper 1 cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 1 cell differentiation. [GOC:go_curators]' - }, - 'GO:0045628': { - 'name': 'regulation of T-helper 2 cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 2 cell differentiation. [GOC:go_curators]' - }, - 'GO:0045629': { - 'name': 'negative regulation of T-helper 2 cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of T-helper 2 cell differentiation. [GOC:go_curators]' - }, - 'GO:0045630': { - 'name': 'positive regulation of T-helper 2 cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 2 cell differentiation. [GOC:go_curators]' - }, - 'GO:0045631': { - 'name': 'regulation of mechanoreceptor differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of mechanoreceptor differentiation. [GOC:go_curators]' - }, - 'GO:0045632': { - 'name': 'negative regulation of mechanoreceptor differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mechanoreceptor differentiation. [GOC:go_curators]' - }, - 'GO:0045633': { - 'name': 'positive regulation of mechanoreceptor differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mechanoreceptor differentiation. [GOC:go_curators]' - }, - 'GO:0045634': { - 'name': 'regulation of melanocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of melanocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045635': { - 'name': 'negative regulation of melanocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of melanocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045636': { - 'name': 'positive regulation of melanocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of melanocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045637': { - 'name': 'regulation of myeloid cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of myeloid cell differentiation. [GOC:go_curators]' - }, - 'GO:0045638': { - 'name': 'negative regulation of myeloid cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of myeloid cell differentiation. [GOC:go_curators]' - }, - 'GO:0045639': { - 'name': 'positive regulation of myeloid cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of myeloid cell differentiation. [GOC:go_curators]' - }, - 'GO:0045640': { - 'name': 'regulation of basophil differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of basophil differentiation. [GOC:go_curators]' - }, - 'GO:0045641': { - 'name': 'negative regulation of basophil differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of basophil differentiation. [GOC:go_curators]' - }, - 'GO:0045642': { - 'name': 'positive regulation of basophil differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of basophil differentiation. [GOC:go_curators]' - }, - 'GO:0045643': { - 'name': 'regulation of eosinophil differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of eosinophil differentiation. [GOC:go_curators]' - }, - 'GO:0045644': { - 'name': 'negative regulation of eosinophil differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of eosinophil differentiation. [GOC:go_curators]' - }, - 'GO:0045645': { - 'name': 'positive regulation of eosinophil differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of eosinophil differentiation. [GOC:go_curators]' - }, - 'GO:0045646': { - 'name': 'regulation of erythrocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of erythrocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045647': { - 'name': 'negative regulation of erythrocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of erythrocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045648': { - 'name': 'positive regulation of erythrocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of erythrocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045649': { - 'name': 'regulation of macrophage differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of macrophage differentiation. [GOC:go_curators]' - }, - 'GO:0045650': { - 'name': 'negative regulation of macrophage differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of macrophage differentiation. [GOC:go_curators]' - }, - 'GO:0045651': { - 'name': 'positive regulation of macrophage differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of macrophage differentiation. [GOC:go_curators]' - }, - 'GO:0045652': { - 'name': 'regulation of megakaryocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of megakaryocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045653': { - 'name': 'negative regulation of megakaryocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of megakaryocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045654': { - 'name': 'positive regulation of megakaryocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of megakaryocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045655': { - 'name': 'regulation of monocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of monocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045656': { - 'name': 'negative regulation of monocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of monocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045657': { - 'name': 'positive regulation of monocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of monocyte differentiation. [GOC:go_curators]' - }, - 'GO:0045658': { - 'name': 'regulation of neutrophil differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of neutrophil differentiation. [GOC:go_curators]' - }, - 'GO:0045659': { - 'name': 'negative regulation of neutrophil differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of neutrophil differentiation. [GOC:go_curators]' - }, - 'GO:0045660': { - 'name': 'positive regulation of neutrophil differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neutrophil differentiation. [GOC:go_curators]' - }, - 'GO:0045661': { - 'name': 'regulation of myoblast differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of myoblast differentiation. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:go_curators, GOC:mtg_muscle]' - }, - 'GO:0045662': { - 'name': 'negative regulation of myoblast differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of myoblast differentiation. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:go_curators, GOC:mtg_muscle]' - }, - 'GO:0045663': { - 'name': 'positive regulation of myoblast differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of myoblast differentiation. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:go_curators, GOC:mtg_muscle]' - }, - 'GO:0045664': { - 'name': 'regulation of neuron differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of neuron differentiation. [GOC:go_curators]' - }, - 'GO:0045665': { - 'name': 'negative regulation of neuron differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of neuron differentiation. [GOC:go_curators]' - }, - 'GO:0045666': { - 'name': 'positive regulation of neuron differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuron differentiation. [GOC:go_curators]' - }, - 'GO:0045667': { - 'name': 'regulation of osteoblast differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of osteoblast differentiation. [GOC:go_curators]' - }, - 'GO:0045668': { - 'name': 'negative regulation of osteoblast differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of osteoblast differentiation. [GOC:go_curators]' - }, - 'GO:0045669': { - 'name': 'positive regulation of osteoblast differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of osteoblast differentiation. [GOC:go_curators]' - }, - 'GO:0045670': { - 'name': 'regulation of osteoclast differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of osteoclast differentiation. [GOC:go_curators]' - }, - 'GO:0045671': { - 'name': 'negative regulation of osteoclast differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of osteoclast differentiation. [GOC:go_curators]' - }, - 'GO:0045672': { - 'name': 'positive regulation of osteoclast differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of osteoclast differentiation. [GOC:go_curators]' - }, - 'GO:0045676': { - 'name': 'regulation of R7 cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of R7 differentiation. [GOC:go_curators]' - }, - 'GO:0045677': { - 'name': 'negative regulation of R7 cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of R7cell differentiation. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045678': { - 'name': 'positive regulation of R7 cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of R7 cell differentiation. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045679': { - 'name': 'regulation of R8 cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of R8 differentiation. [GOC:go_curators]' - }, - 'GO:0045680': { - 'name': 'negative regulation of R8 cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of R8 cell differentiation. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045681': { - 'name': 'positive regulation of R8 cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of R8 cell differentiation. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045682': { - 'name': 'regulation of epidermis development', - 'def': 'Any process that modulates the frequency, rate or extent of epidermis development. [GOC:go_curators]' - }, - 'GO:0045683': { - 'name': 'negative regulation of epidermis development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of epidermis development. [GOC:go_curators]' - }, - 'GO:0045684': { - 'name': 'positive regulation of epidermis development', - 'def': 'Any process that activates or increases the frequency, rate or extent of epidermis development. [GOC:go_curators]' - }, - 'GO:0045685': { - 'name': 'regulation of glial cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of glia cell differentiation. [GOC:go_curators]' - }, - 'GO:0045686': { - 'name': 'negative regulation of glial cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of glia cell differentiation. [GOC:go_curators]' - }, - 'GO:0045687': { - 'name': 'positive regulation of glial cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of glia cell differentiation. [GOC:go_curators]' - }, - 'GO:0045688': { - 'name': 'regulation of antipodal cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of antipodal cell differentiation. [GOC:go_curators, GOC:mtg_plant]' - }, - 'GO:0045689': { - 'name': 'negative regulation of antipodal cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of antipodal cell differentiation. [GOC:go_curators, GOC:mtg_plant]' - }, - 'GO:0045690': { - 'name': 'positive regulation of antipodal cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of antipodal cell differentiation. [GOC:go_curators, GOC:mtg_plant]' - }, - 'GO:0045691': { - 'name': 'regulation of embryo sac central cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of female gametophyte central cell differentiation. [GOC:go_curators, GOC:mtg_plant]' - }, - 'GO:0045692': { - 'name': 'negative regulation of embryo sac central cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of embryo sac central cell differentiation. [GOC:go_curators, GOC:mtg_plant]' - }, - 'GO:0045693': { - 'name': 'positive regulation of embryo sac central cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of embryo sac central cell differentiation. [GOC:go_curators, GOC:mtg_plant]' - }, - 'GO:0045694': { - 'name': 'regulation of embryo sac egg cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of embryo sac egg cell differentiation. [GOC:go_curators, GOC:mtg_plant]' - }, - 'GO:0045695': { - 'name': 'negative regulation of embryo sac egg cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of embryo sac egg cell differentiation. [GOC:go_curators, GOC:mtg_plant]' - }, - 'GO:0045696': { - 'name': 'positive regulation of embryo sac egg cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of embryo sac egg cell differentiation. [GOC:go_curators, GOC:mtg_plant]' - }, - 'GO:0045697': { - 'name': 'regulation of synergid differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of synergid cell differentiation. [GOC:go_curators]' - }, - 'GO:0045698': { - 'name': 'negative regulation of synergid differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of synergid cell differentiation. [GOC:go_curators]' - }, - 'GO:0045699': { - 'name': 'positive regulation of synergid differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of synergid cell differentiation. [GOC:go_curators]' - }, - 'GO:0045700': { - 'name': 'regulation of spermatid nuclear differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of spermatid nuclear differentiation. [GOC:go_curators]' - }, - 'GO:0045701': { - 'name': 'negative regulation of spermatid nuclear differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of spermatid nuclear differentiation. [GOC:go_curators]' - }, - 'GO:0045702': { - 'name': 'positive regulation of spermatid nuclear differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of spermatid nuclear differentiation. [GOC:go_curators]' - }, - 'GO:0045703': { - 'name': 'ketoreductase activity', - 'def': 'Catalysis of the reduction of a ketone group to form the corresponding alcohol. [EC:1.1.-.-]' - }, - 'GO:0045704': { - 'name': 'regulation of salivary gland boundary specification', - 'def': 'Any process that modulates the frequency, rate or extent of salivary gland determination. [GOC:go_curators, GOC:tb]' - }, - 'GO:0045705': { - 'name': 'negative regulation of salivary gland boundary specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of salivary gland determination. [GOC:go_curators, GOC:tb]' - }, - 'GO:0045706': { - 'name': 'positive regulation of salivary gland boundary specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of salivary gland determination. [GOC:go_curators, GOC:tb]' - }, - 'GO:0045707': { - 'name': 'regulation of adult salivary gland boundary specification', - 'def': 'Any process that modulates the frequency, rate or extent of salivary gland determination in an adult organism. [GOC:go_curators, GOC:tb]' - }, - 'GO:0045708': { - 'name': 'regulation of larval salivary gland boundary specification', - 'def': 'Any process that modulates the frequency, rate or extent of salivary gland determination in a larval organism. [GOC:go_curators, GOC:tb]' - }, - 'GO:0045709': { - 'name': 'negative regulation of adult salivary gland boundary specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of salivary gland determination in an adult organism. [GOC:go_curators, GOC:tb]' - }, - 'GO:0045710': { - 'name': 'negative regulation of larval salivary gland boundary specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of salivary gland determination in a larval organism. [GOC:go_curators, GOC:tb]' - }, - 'GO:0045711': { - 'name': 'positive regulation of adult salivary gland boundary specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of salivary gland determination in an adult organism. [GOC:go_curators, GOC:tb]' - }, - 'GO:0045712': { - 'name': 'positive regulation of larval salivary gland boundary specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of salivary gland determination in a larval organism. [GOC:go_curators, GOC:tb]' - }, - 'GO:0045713': { - 'name': 'low-density lipoprotein particle receptor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of low-density lipoprotein receptors, cell surface proteins that mediate the endocytosis of low-density lipoprotein particles by cells. [GOC:go_curators]' - }, - 'GO:0045714': { - 'name': 'regulation of low-density lipoprotein particle receptor biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of low-density lipoprotein particle receptors. [GOC:go_curators]' - }, - 'GO:0045715': { - 'name': 'negative regulation of low-density lipoprotein particle receptor biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of low-density lipoprotein particle receptors. [GOC:go_curators]' - }, - 'GO:0045716': { - 'name': 'positive regulation of low-density lipoprotein particle receptor biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of low-density lipoprotein receptors. [GOC:go_curators]' - }, - 'GO:0045717': { - 'name': 'negative regulation of fatty acid biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of fatty acids. [GOC:go_curators]' - }, - 'GO:0045718': { - 'name': 'obsolete negative regulation of flagellum assembly', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the formation of a flagellum. [GOC:go_curators]' - }, - 'GO:0045719': { - 'name': 'negative regulation of glycogen biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glycogen. [GOC:go_curators]' - }, - 'GO:0045720': { - 'name': 'negative regulation of integrin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of integrins. [GOC:go_curators]' - }, - 'GO:0045721': { - 'name': 'negative regulation of gluconeogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of gluconeogenesis. [GOC:go_curators]' - }, - 'GO:0045722': { - 'name': 'positive regulation of gluconeogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of gluconeogenesis. [GOC:go_curators]' - }, - 'GO:0045723': { - 'name': 'positive regulation of fatty acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of fatty acids. [GOC:go_curators]' - }, - 'GO:0045724': { - 'name': 'positive regulation of cilium assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of the formation of a cilium. [GOC:cilia, GOC:go_curators]' - }, - 'GO:0045725': { - 'name': 'positive regulation of glycogen biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glycogen. [GOC:go_curators]' - }, - 'GO:0045726': { - 'name': 'positive regulation of integrin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of integrins. [GOC:go_curators]' - }, - 'GO:0045727': { - 'name': 'positive regulation of translation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of proteins by the translation of mRNA. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045728': { - 'name': 'respiratory burst after phagocytosis', - 'def': 'A phase of elevated metabolic activity, during which oxygen consumption increases, that occurs in neutrophils, monocytes, and macrophages shortly after phagocytosing material. An enhanced uptake of oxygen leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals, which play a part in microbiocidal activity. [GOC:curators, ISBN:0198506732]' - }, - 'GO:0045729': { - 'name': 'respiratory burst at fertilization', - 'def': 'The phase of elevated metabolic activity, during which oxygen consumption increases, that occurs at fertilization. An enhanced uptake of oxygen leads to the production of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals. Capacitation, a necessary prerequisite event to successful fertilization, can be induced by reactive oxygen species in vitro; hydrogen peroxide is used as an extracellular oxidant to cross-link the protective surface envelopes. [ISBN:0198506732, PMID:2537493, PMID:9013127]' - }, - 'GO:0045730': { - 'name': 'respiratory burst', - 'def': 'A phase of elevated metabolic activity, during which oxygen consumption increases; this leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals. [ISBN:0198506732]' - }, - 'GO:0045732': { - 'name': 'positive regulation of protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of a protein by the destruction of the native, active configuration, with or without the hydrolysis of peptide bonds. [GOC:go_curators]' - }, - 'GO:0045733': { - 'name': 'acetate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acetate, the anion of acetic acid. [CHEBI:30089, GOC:go_curators]' - }, - 'GO:0045734': { - 'name': 'regulation of acetate catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of acetate, the anion of acetic acid. [GOC:go_curators]' - }, - 'GO:0045735': { - 'name': 'nutrient reservoir activity', - 'def': 'Functions in the storage of nutritious substrates. [GOC:ai]' - }, - 'GO:0045736': { - 'name': 'negative regulation of cyclin-dependent protein serine/threonine kinase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cyclin-dependent protein serine/threonine kinase activity. [GOC:go_curators, GOC:pr]' - }, - 'GO:0045737': { - 'name': 'positive regulation of cyclin-dependent protein serine/threonine kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of CDK activity. [GOC:go_curators, GOC:pr]' - }, - 'GO:0045738': { - 'name': 'negative regulation of DNA repair', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA repair. [GOC:go_curators]' - }, - 'GO:0045739': { - 'name': 'positive regulation of DNA repair', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA repair. [GOC:go_curators]' - }, - 'GO:0045740': { - 'name': 'positive regulation of DNA replication', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA replication. [GOC:go_curators]' - }, - 'GO:0045741': { - 'name': 'positive regulation of epidermal growth factor-activated receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of EGF-activated receptor activity. [GOC:go_curators]' - }, - 'GO:0045742': { - 'name': 'positive regulation of epidermal growth factor receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of epidermal growth factor receptor signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0045743': { - 'name': 'positive regulation of fibroblast growth factor receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of fibroblast growth factor receptor signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0045744': { - 'name': 'negative regulation of G-protein coupled receptor protein signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of G-protein coupled receptor protein signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0045745': { - 'name': 'positive regulation of G-protein coupled receptor protein signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of G-protein coupled receptor protein signaling pathway activity. [GOC:go_curators]' - }, - 'GO:0045746': { - 'name': 'negative regulation of Notch signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the Notch signaling pathway. [GOC:go_curators]' - }, - 'GO:0045747': { - 'name': 'positive regulation of Notch signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the Notch signaling pathway. [GOC:go_curators]' - }, - 'GO:0045748': { - 'name': 'positive regulation of R8 cell spacing in compound eye', - 'def': 'Any process that activates or enforces the correct R8 cell spacing in a compound eye. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045749': { - 'name': 'obsolete negative regulation of S phase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of S phase of mitotic cell cycle activity. [GOC:go_curators]' - }, - 'GO:0045750': { - 'name': 'obsolete positive regulation of S phase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of S phase of mitotic cell cycle activity. [GOC:go_curators]' - }, - 'GO:0045751': { - 'name': 'negative regulation of Toll signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the Tl signaling pathway. [GOC:go_curators]' - }, - 'GO:0045752': { - 'name': 'positive regulation of Toll signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the Tl signaling pathway. [GOC:go_curators]' - }, - 'GO:0045753': { - 'name': 'negative regulation of acetate catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of acetate. [GOC:go_curators]' - }, - 'GO:0045754': { - 'name': 'positive regulation of acetate catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of acetate. [GOC:go_curators]' - }, - 'GO:0045755': { - 'name': 'negative regulation of initiation of acetate catabolic process by acetate', - 'def': 'Any process that stops or prevents the activation, by acetate, of the chemical reactions and pathways resulting in the breakdown of acetate. [GOC:go_curators]' - }, - 'GO:0045756': { - 'name': 'positive regulation of initiation of acetate catabolic process by acetate', - 'def': 'Any process that activates or increases the frequency, rate or extent of the activation, by acetate, of the chemical reactions and pathways resulting in the breakdown of acetate. [GOC:go_curators]' - }, - 'GO:0045757': { - 'name': 'obsolete negative regulation of actin polymerization and/or depolymerization', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of actin polymerization and/or depolymerization. [GOC:go_curators]' - }, - 'GO:0045758': { - 'name': 'obsolete positive regulation of actin polymerization and/or depolymerization', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of actin polymerization and/or depolymerization. [GOC:go_curators]' - }, - 'GO:0045759': { - 'name': 'negative regulation of action potential', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of action potential creation, propagation or termination. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:go_curators]' - }, - 'GO:0045760': { - 'name': 'positive regulation of action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of action potential creation, propagation or termination. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:go_curators]' - }, - 'GO:0045761': { - 'name': 'regulation of adenylate cyclase activity', - 'def': 'Any process that modulates the frequency, rate or extent of adenylate cyclase activity. [GOC:go_curators]' - }, - 'GO:0045762': { - 'name': 'positive regulation of adenylate cyclase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of adenylate cyclase activity. [GOC:go_curators]' - }, - 'GO:0045763': { - 'name': 'negative regulation of cellular amino acid metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving amino acid. [GOC:go_curators]' - }, - 'GO:0045764': { - 'name': 'positive regulation of cellular amino acid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving amino acid. [GOC:go_curators]' - }, - 'GO:0045765': { - 'name': 'regulation of angiogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of angiogenesis. [GOC:go_curators]' - }, - 'GO:0045766': { - 'name': 'positive regulation of angiogenesis', - 'def': 'Any process that activates or increases angiogenesis. [GOC:go_curators]' - }, - 'GO:0045767': { - 'name': 'obsolete regulation of anti-apoptosis', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of anti-apoptosis. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0045768': { - 'name': 'obsolete positive regulation of anti-apoptosis', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of anti-apoptosis. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0045769': { - 'name': 'negative regulation of asymmetric cell division', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of asymmetric cell division. [GOC:go_curators]' - }, - 'GO:0045770': { - 'name': 'positive regulation of asymmetric cell division', - 'def': 'Any process that activates or increases the frequency, rate or extent of asymmetric cell division. [GOC:go_curators]' - }, - 'GO:0045771': { - 'name': 'negative regulation of autophagosome size', - 'def': 'Any process that reduces autophagosome size. [GOC:autophagy, GOC:go_curators]' - }, - 'GO:0045772': { - 'name': 'positive regulation of autophagosome size', - 'def': 'Any process that increases autophagosome size. [GOC:autophagy, GOC:go_curators]' - }, - 'GO:0045773': { - 'name': 'positive regulation of axon extension', - 'def': 'Any process that activates or increases the frequency, rate or extent of axon extension. [GOC:go_curators]' - }, - 'GO:0045774': { - 'name': 'negative regulation of beta 2 integrin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of beta 2 integrins. [GOC:go_curators]' - }, - 'GO:0045775': { - 'name': 'positive regulation of beta 2 integrin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of beta 2 integrins. [GOC:go_curators]' - }, - 'GO:0045776': { - 'name': 'negative regulation of blood pressure', - 'def': 'Any process in which the force of blood traveling through the circulatory system is decreased. [GOC:go_curators, GOC:mtg_cardio]' - }, - 'GO:0045777': { - 'name': 'positive regulation of blood pressure', - 'def': 'Any process in which the force of blood traveling through the circulatory system is increased. [GOC:go_curators, GOC:mtg_cardio]' - }, - 'GO:0045778': { - 'name': 'positive regulation of ossification', - 'def': 'Any process that activates or increases the frequency, rate or extent of bone formation. [GOC:go_curators]' - }, - 'GO:0045779': { - 'name': 'negative regulation of bone resorption', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of bone resorption. [GOC:go_curators]' - }, - 'GO:0045780': { - 'name': 'positive regulation of bone resorption', - 'def': 'Any process that activates or increases the frequency, rate or extent of bone resorption. [GOC:go_curators]' - }, - 'GO:0045781': { - 'name': 'negative regulation of cell budding', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell budding. [GOC:go_curators]' - }, - 'GO:0045782': { - 'name': 'positive regulation of cell budding', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell budding. [GOC:go_curators]' - }, - 'GO:0045783': { - 'name': 'obsolete negative regulation of calcium in ER', - 'def': 'OBSOLETE. Any process that reduces the concentration of calcium in the ER. [GOC:go_curators]' - }, - 'GO:0045784': { - 'name': 'obsolete positive regulation of calcium in ER', - 'def': 'OBSOLETE. Any process that increases the concentration of calcium in the ER. [GOC:go_curators]' - }, - 'GO:0045785': { - 'name': 'positive regulation of cell adhesion', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell adhesion. [GOC:go_curators]' - }, - 'GO:0045786': { - 'name': 'negative regulation of cell cycle', - 'def': 'Any process that stops, prevents or reduces the rate or extent of progression through the cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045787': { - 'name': 'positive regulation of cell cycle', - 'def': 'Any process that activates or increases the rate or extent of progression through the cell cycle. [GOC:go_curators]' - }, - 'GO:0045792': { - 'name': 'negative regulation of cell size', - 'def': 'Any process that reduces cell size. [GOC:go_curators]' - }, - 'GO:0045793': { - 'name': 'positive regulation of cell size', - 'def': 'Any process that increases cell size. [GOC:go_curators]' - }, - 'GO:0045794': { - 'name': 'negative regulation of cell volume', - 'def': 'Any process that decreases cell volume. [GOC:go_curators]' - }, - 'GO:0045795': { - 'name': 'positive regulation of cell volume', - 'def': 'Any process that increases cell volume. [GOC:go_curators]' - }, - 'GO:0045796': { - 'name': 'negative regulation of intestinal cholesterol absorption', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of uptake of cholesterol into the blood by absorption from the intestine. [GOC:go_curators]' - }, - 'GO:0045797': { - 'name': 'positive regulation of intestinal cholesterol absorption', - 'def': 'Any process that activates or increases the frequency, rate or extent of uptake of cholesterol into the blood by absorption from the intestine. [GOC:go_curators]' - }, - 'GO:0045798': { - 'name': 'negative regulation of chromatin assembly or disassembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of chromatin assembly or disassembly. [GOC:go_curators]' - }, - 'GO:0045799': { - 'name': 'positive regulation of chromatin assembly or disassembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromatin assembly or disassembly. [GOC:go_curators]' - }, - 'GO:0045800': { - 'name': 'negative regulation of chitin-based cuticle tanning', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of chitin-based cuticular tanning. [GOC:go_curators, GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0045801': { - 'name': 'positive regulation of chitin-based cuticle tanning', - 'def': 'Any process that activates or increases the frequency, rate or extent of chitin-based cuticular tanning. [GOC:go_curators, GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0045802': { - 'name': 'obsolete negative regulation of cytoskeleton', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the organization, biogenesis or maintenance of the cytoskeleton. [GOC:go_curators]' - }, - 'GO:0045803': { - 'name': 'obsolete positive regulation of cytoskeleton', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of the organization, biogenesis or maintenance of the cytoskeleton. [GOC:go_curators]' - }, - 'GO:0045804': { - 'name': 'negative regulation of eclosion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of eclosion. [GOC:go_curators]' - }, - 'GO:0045805': { - 'name': 'positive regulation of eclosion', - 'def': 'Any process that activates or increases the frequency, rate or extent of eclosion. [GOC:go_curators]' - }, - 'GO:0045806': { - 'name': 'negative regulation of endocytosis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of endocytosis. [GOC:go_curators]' - }, - 'GO:0045807': { - 'name': 'positive regulation of endocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of endocytosis. [GOC:go_curators]' - }, - 'GO:0045808': { - 'name': 'negative regulation of establishment of competence for transformation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment of competence for transformation. [GOC:go_curators]' - }, - 'GO:0045809': { - 'name': 'positive regulation of establishment of competence for transformation', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of competence for transformation. [GOC:go_curators]' - }, - 'GO:0045812': { - 'name': 'negative regulation of Wnt signaling pathway, calcium modulating pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors leads to an increase in intracellular calcium and activation of protein kinase C (PKC). [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045813': { - 'name': 'positive regulation of Wnt signaling pathway, calcium modulating pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors leads to an increase in intracellular calcium and activation of protein kinase C (PKC). [GOC:go_curators]' - }, - 'GO:0045814': { - 'name': 'negative regulation of gene expression, epigenetic', - 'def': 'Any epigenetic process that stops, prevents or reduces the rate of gene expression. [GOC:go_curators]' - }, - 'GO:0045815': { - 'name': 'positive regulation of gene expression, epigenetic', - 'def': 'Any epigenetic process that activates or increases the rate of gene expression. [GOC:go_curators]' - }, - 'GO:0045818': { - 'name': 'negative regulation of glycogen catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of glycogen. [GOC:go_curators]' - }, - 'GO:0045819': { - 'name': 'positive regulation of glycogen catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of glycogen. [GOC:go_curators]' - }, - 'GO:0045820': { - 'name': 'negative regulation of glycolytic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of glycolysis. [GOC:go_curators]' - }, - 'GO:0045821': { - 'name': 'positive regulation of glycolytic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycolysis. [GOC:go_curators]' - }, - 'GO:0045822': { - 'name': 'negative regulation of heart contraction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of heart contraction. [GOC:go_curators]' - }, - 'GO:0045823': { - 'name': 'positive regulation of heart contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of heart contraction. [GOC:go_curators]' - }, - 'GO:0045824': { - 'name': 'negative regulation of innate immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the innate immune response. [GOC:go_curators]' - }, - 'GO:0045825': { - 'name': 'obsolete negative regulation of intermediate filament polymerization and/or depolymerization', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of intermediate filament polymerization and/or depolymerization. [GOC:go_curators]' - }, - 'GO:0045826': { - 'name': 'obsolete positive regulation of intermediate filament polymerization and/or depolymerization', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of intermediate filament polymerization and/or depolymerization. [GOC:go_curators]' - }, - 'GO:0045827': { - 'name': 'negative regulation of isoprenoid metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving isoprenoid. [GOC:go_curators]' - }, - 'GO:0045828': { - 'name': 'positive regulation of isoprenoid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving isoprenoid. [GOC:go_curators]' - }, - 'GO:0045829': { - 'name': 'negative regulation of isotype switching', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of isotype switching. [GOC:go_curators]' - }, - 'GO:0045830': { - 'name': 'positive regulation of isotype switching', - 'def': 'Any process that activates or increases the frequency, rate or extent of isotype switching. [GOC:go_curators]' - }, - 'GO:0045831': { - 'name': 'negative regulation of light-activated channel activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of light-activated channel activity. [GOC:go_curators]' - }, - 'GO:0045832': { - 'name': 'positive regulation of light-activated channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of light-activated channel activity. [GOC:go_curators]' - }, - 'GO:0045833': { - 'name': 'negative regulation of lipid metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving lipids. [GOC:go_curators]' - }, - 'GO:0045834': { - 'name': 'positive regulation of lipid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving lipids. [GOC:go_curators]' - }, - 'GO:0045835': { - 'name': 'negative regulation of meiotic nuclear division', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of meiosis. [GOC:go_curators]' - }, - 'GO:0045836': { - 'name': 'positive regulation of meiotic nuclear division', - 'def': 'Any process that activates or increases the frequency, rate or extent of meiosis. [GOC:go_curators]' - }, - 'GO:0045837': { - 'name': 'negative regulation of membrane potential', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment or extent of a membrane potential, the electric potential existing across any membrane arising from charges in the membrane itself and from the charges present in the media on either side of the membrane. [GOC:go_curators]' - }, - 'GO:0045838': { - 'name': 'positive regulation of membrane potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment or extent of a membrane potential, the electric potential existing across any membrane arising from charges in the membrane itself and from the charges present in the media on either side of the membrane. [GOC:go_curators]' - }, - 'GO:0045839': { - 'name': 'negative regulation of mitotic nuclear division', - 'def': 'Any process that stops, prevents or reduces the rate or extent of mitosis. Mitosis is the division of the eukaryotic cell nucleus to produce two daughter nuclei that, usually, contain the identical chromosome complement to their mother. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045840': { - 'name': 'positive regulation of mitotic nuclear division', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitosis. [GOC:go_curators]' - }, - 'GO:0045841': { - 'name': 'negative regulation of mitotic metaphase/anaphase transition', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the cell cycle process in which a cell progresses from metaphase to anaphase during mitosis, triggered by the activation of the anaphase promoting complex by Cdc20/Sleepy homolog which results in the degradation of Securin. [GOC:go_curators]' - }, - 'GO:0045842': { - 'name': 'positive regulation of mitotic metaphase/anaphase transition', - 'def': 'Any process that activates or increases the frequency, rate or extent of the cell cycle process in which a cell progresses from metaphase to anaphase during mitosis, triggered by the activation of the anaphase promoting complex by Cdc20/Sleepy homolog which results in the degradation of Securin. [GOC:go_curators]' - }, - 'GO:0045843': { - 'name': 'negative regulation of striated muscle tissue development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of striated muscle development. [GOC:go_curators]' - }, - 'GO:0045844': { - 'name': 'positive regulation of striated muscle tissue development', - 'def': 'Any process that activates or increases the frequency, rate or extent of striated muscle development. [GOC:go_curators]' - }, - 'GO:0045847': { - 'name': 'negative regulation of nitrogen utilization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of nitrogen utilization. [GOC:go_curators]' - }, - 'GO:0045848': { - 'name': 'positive regulation of nitrogen utilization', - 'def': 'Any process that activates or increases the frequency, rate or extent of nitrogen utilization. [GOC:go_curators]' - }, - 'GO:0045849': { - 'name': 'negative regulation of nurse cell apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of nurse cell apoptotic process. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0045850': { - 'name': 'positive regulation of nurse cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of nurse cell apoptotic process. [GOC:go_curators, GOC:mtg_apoptosis]' - }, - 'GO:0045851': { - 'name': 'pH reduction', - 'def': 'Any process that reduces the internal pH of an organism, part of an organism or a cell, measured by the concentration of the hydrogen ion. [GOC:go_curators]' - }, - 'GO:0045852': { - 'name': 'pH elevation', - 'def': 'Any process that increases the internal pH of an organism, part of an organism or a cell, measured by the concentration of the hydrogen ion. [GOC:go_curators]' - }, - 'GO:0045853': { - 'name': 'negative regulation of bicoid mRNA localization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the process in which bicoid mRNA is transported to, or maintained in, a specific location. [GOC:go_curators]' - }, - 'GO:0045854': { - 'name': 'positive regulation of bicoid mRNA localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of the process in which bicoid mRNA is transported to, or maintained in, a specific location. [GOC:go_curators]' - }, - 'GO:0045855': { - 'name': 'negative regulation of pole plasm oskar mRNA localization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a process in which oskar mRNA is transported to, or maintained in, the oocyte pole plasm. [GOC:go_curators]' - }, - 'GO:0045856': { - 'name': 'positive regulation of pole plasm oskar mRNA localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of the process in which oskar mRNA is transported to, or maintained in, the oocyte pole plasm. [GOC:go_curators]' - }, - 'GO:0045857': { - 'name': 'negative regulation of molecular function, epigenetic', - 'def': "Any heritable epigenetic process that stops, prevents, or reduces the frequency, rate or extent of protein function by self-perpetuating conformational conversions of normal proteins in healthy cells. This is distinct from, though mechanistically analogous to, disease states associated with prion propagation and amyloidogenesis. A single protein, if it carries a glutamine/asparagine-rich ('prion') domain, can sometimes stably exist in at least two distinct physical states, each associated with a different phenotype; propagation of one of these traits is achieved by a self-perpetuating change in the protein from one form to the other, mediated by conformational changes in the glutamine/asparagine-rich domain. Prion domains are both modular and transferable to other proteins, on which they can confer a heritable epigenetic alteration of function; existing bioinformatics data indicate that they are rare in non-eukarya, but common in eukarya. [GOC:dph, GOC:go_curators, GOC:tb]" - }, - 'GO:0045858': { - 'name': 'positive regulation of molecular function, epigenetic', - 'def': "Any heritable epigenetic process that increases the frequency, rate or extent of protein function by self-perpetuating conformational conversions of normal proteins in healthy cells. This is distinct from, though mechanistically analogous to, disease states associated with prion propagation and amyloidogenesis. A single protein, if it carries a glutamine/asparagine-rich ('prion') domain, can sometimes stably exist in at least two distinct physical states, each associated with a different phenotype; propagation of one of these traits is achieved by a self-perpetuating change in the protein from one form to the other, mediated by conformational changes in the glutamine/asparagine-rich domain. Prion domains are both modular and transferable to other proteins, on which they can confer a heritable epigenetic alteration of function; existing bioinformatics data indicate that they are rare in non-eukarya, but common in eukarya. [GOC:dph, GOC:go_curators, GOC:tb]" - }, - 'GO:0045859': { - 'name': 'regulation of protein kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of protein kinase activity. [GOC:go_curators]' - }, - 'GO:0045860': { - 'name': 'positive regulation of protein kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein kinase activity. [GOC:go_curators]' - }, - 'GO:0045861': { - 'name': 'negative regulation of proteolysis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the hydrolysis of a peptide bond or bonds within a protein. [GOC:go_curators]' - }, - 'GO:0045862': { - 'name': 'positive regulation of proteolysis', - 'def': 'Any process that activates or increases the frequency, rate or extent of the hydrolysis of a peptide bond or bonds within a protein. [GOC:go_curators]' - }, - 'GO:0045863': { - 'name': 'negative regulation of pteridine metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving pteridine. [GOC:go_curators]' - }, - 'GO:0045864': { - 'name': 'positive regulation of pteridine metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving pteridine. [GOC:go_curators]' - }, - 'GO:0045865': { - 'name': 'obsolete regulation of recombination within rDNA repeats', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of genetic recombination within the DNA of the genes coding for ribosomal RNA. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0045866': { - 'name': 'obsolete positive regulation of recombination within rDNA repeats', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of genetic recombination within the DNA of the genes coding for ribosomal RNA. [GOC:go_curators, ISBN:0198506732]' - }, - 'GO:0045869': { - 'name': 'negative regulation of single stranded viral RNA replication via double stranded DNA intermediate', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of single stranded viral RNA replication via double stranded DNA intermediate. [GOC:go_curators]' - }, - 'GO:0045870': { - 'name': 'positive regulation of single stranded viral RNA replication via double stranded DNA intermediate', - 'def': 'Any process that activates or increases the frequency, rate or extent of retroviral genome replication. [GOC:go_curators]' - }, - 'GO:0045871': { - 'name': 'negative regulation of rhodopsin gene expression', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of rhodopsin gene expression. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045872': { - 'name': 'positive regulation of rhodopsin gene expression', - 'def': 'Any process that activates or increases the frequency, rate or extent of rhodopsin gene expression. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045873': { - 'name': 'negative regulation of sevenless signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the sevenless signaling pathway. [GOC:go_curators]' - }, - 'GO:0045874': { - 'name': 'positive regulation of sevenless signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the sevenless signaling pathway. [GOC:go_curators]' - }, - 'GO:0045875': { - 'name': 'negative regulation of sister chromatid cohesion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sister chromatid cohesion. [GOC:go_curators]' - }, - 'GO:0045876': { - 'name': 'positive regulation of sister chromatid cohesion', - 'def': 'Any process that activates or increases the frequency, rate or extent of sister chromatid cohesion. [GOC:go_curators]' - }, - 'GO:0045879': { - 'name': 'negative regulation of smoothened signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of smoothened signaling. [GOC:go_curators]' - }, - 'GO:0045880': { - 'name': 'positive regulation of smoothened signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of smoothened signaling. [GOC:go_curators]' - }, - 'GO:0045881': { - 'name': 'positive regulation of sporulation resulting in formation of a cellular spore', - 'def': 'Any process that activates or increases the frequency, rate or extent of sporulation. [GOC:go_curators]' - }, - 'GO:0045882': { - 'name': 'negative regulation of sulfur utilization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sulfur utilization. [GOC:go_curators]' - }, - 'GO:0045883': { - 'name': 'positive regulation of sulfur utilization', - 'def': 'Any process that activates or increases the frequency, rate or extent of sulfur utilization. [GOC:go_curators]' - }, - 'GO:0045884': { - 'name': 'obsolete regulation of survival gene product expression', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of survival gene product expression; survival gene products are those that antagonize the apoptotic program. Regulation can be at the transcriptional, translational, or posttranslational level. [GOC:dph, GOC:go_curators, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0045885': { - 'name': 'obsolete positive regulation of survival gene product expression', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of survival gene product expression; survival gene products are those that antagonize the apoptotic program. Regulation can be at the transcriptional, translational, or posttranslational level. [GOC:dph, GOC:go_curators, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0045886': { - 'name': 'negative regulation of synaptic growth at neuromuscular junction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of synaptic growth at neuromuscular junction. [GOC:go_curators]' - }, - 'GO:0045887': { - 'name': 'positive regulation of synaptic growth at neuromuscular junction', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic growth at neuromuscular junction. [GOC:go_curators]' - }, - 'GO:0045888': { - 'name': 'obsolete regulation of transcription of homeotic gene (Polycomb group)', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of transcription of homeotic genes of the Polycomb group. [GOC:go_curators]' - }, - 'GO:0045889': { - 'name': 'obsolete positive regulation of transcription of homeotic gene (Polycomb group)', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of transcription of homeotic genes of the Polycomb group. [GOC:go_curators]' - }, - 'GO:0045890': { - 'name': 'obsolete regulation of transcription of homeotic gene (trithorax group)', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of transcription of homeotic genes of the trithorax group. [GOC:go_curators]' - }, - 'GO:0045891': { - 'name': 'obsolete negative regulation of transcription of homeotic gene (trithorax group)', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of transcription of homeotic genes of the trithorax group. [GOC:go_curators]' - }, - 'GO:0045892': { - 'name': 'negative regulation of transcription, DNA-templated', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cellular DNA-templated transcription. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0045893': { - 'name': 'positive regulation of transcription, DNA-templated', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular DNA-templated transcription. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0045894': { - 'name': 'negative regulation of mating-type specific transcription, DNA-templated', - 'def': 'Any mating-type specific process that stops, prevents or reduces the rate of cellular DNA-templated transcription. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0045895': { - 'name': 'positive regulation of mating-type specific transcription, DNA-templated', - 'def': 'Any mating-type specific process that activates or increases the rate of cellular DNA-templated transcription. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0045896': { - 'name': 'regulation of transcription during mitotic cell cycle', - 'def': 'A cell cycle process that modulates the frequency, rate or extent of transcription that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0045897': { - 'name': 'positive regulation of transcription during mitotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0045898': { - 'name': 'regulation of RNA polymerase II transcriptional preinitiation complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of RNA polymerase II transcriptional preinitiation complex assembly. [GOC:go_curators]' - }, - 'GO:0045899': { - 'name': 'positive regulation of RNA polymerase II transcriptional preinitiation complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of RNA polymerase II transcriptional preinitiation complex assembly. [GOC:go_curators]' - }, - 'GO:0045900': { - 'name': 'negative regulation of translational elongation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of translational elongation. [GOC:go_curators]' - }, - 'GO:0045901': { - 'name': 'positive regulation of translational elongation', - 'def': 'Any process that activates or increases the frequency, rate or extent of translational elongation. [GOC:go_curators]' - }, - 'GO:0045902': { - 'name': 'negative regulation of translational fidelity', - 'def': 'Any process that decreases the ability of the translational apparatus to interpret the genetic code. [GOC:dph, GOC:tb]' - }, - 'GO:0045903': { - 'name': 'positive regulation of translational fidelity', - 'def': 'Any process that increases the ability of the translational apparatus to interpret the genetic code. [GOC:dph, GOC:tb]' - }, - 'GO:0045904': { - 'name': 'negative regulation of translational termination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of translational termination. [GOC:go_curators]' - }, - 'GO:0045905': { - 'name': 'positive regulation of translational termination', - 'def': 'Any process that activates or increases the frequency, rate or extent of translational termination. [GOC:go_curators]' - }, - 'GO:0045906': { - 'name': 'negative regulation of vasoconstriction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of vasoconstriction. [GOC:go_curators]' - }, - 'GO:0045907': { - 'name': 'positive regulation of vasoconstriction', - 'def': 'Any process that activates or increases the frequency, rate or extent of vasoconstriction. [GOC:go_curators]' - }, - 'GO:0045910': { - 'name': 'negative regulation of DNA recombination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA recombination. [GOC:go_curators]' - }, - 'GO:0045911': { - 'name': 'positive regulation of DNA recombination', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA recombination. [GOC:go_curators]' - }, - 'GO:0045912': { - 'name': 'negative regulation of carbohydrate metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving carbohydrate. [GOC:go_curators]' - }, - 'GO:0045913': { - 'name': 'positive regulation of carbohydrate metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving carbohydrate. [GOC:go_curators]' - }, - 'GO:0045914': { - 'name': 'negative regulation of catecholamine metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving catecholamine. [GOC:go_curators]' - }, - 'GO:0045915': { - 'name': 'positive regulation of catecholamine metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving catecholamine. [GOC:go_curators]' - }, - 'GO:0045916': { - 'name': 'negative regulation of complement activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of complement activation. [GOC:go_curators]' - }, - 'GO:0045917': { - 'name': 'positive regulation of complement activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of complement activation. [GOC:go_curators]' - }, - 'GO:0045918': { - 'name': 'negative regulation of cytolysis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cytolysis. [GOC:go_curators]' - }, - 'GO:0045919': { - 'name': 'positive regulation of cytolysis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytolysis. [GOC:go_curators]' - }, - 'GO:0045920': { - 'name': 'negative regulation of exocytosis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of exocytosis. [GOC:go_curators]' - }, - 'GO:0045921': { - 'name': 'positive regulation of exocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of exocytosis. [GOC:go_curators]' - }, - 'GO:0045922': { - 'name': 'negative regulation of fatty acid metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving fatty acids. [GOC:go_curators]' - }, - 'GO:0045923': { - 'name': 'positive regulation of fatty acid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving fatty acids. [GOC:go_curators]' - }, - 'GO:0045924': { - 'name': 'regulation of female receptivity', - 'def': 'Any process that modulates the frequency, rate or extent of the willingness or readiness of a female to receive male advances. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045925': { - 'name': 'positive regulation of female receptivity', - 'def': 'Any process that activates or increases the receptiveness of a female to male advances. [GOC:go_curators]' - }, - 'GO:0045926': { - 'name': 'negative regulation of growth', - 'def': 'Any process that stops, prevents or reduces the rate or extent of growth, the increase in size or mass of all or part of an organism. [GOC:go_curators]' - }, - 'GO:0045927': { - 'name': 'positive regulation of growth', - 'def': 'Any process that activates or increases the rate or extent of growth, the increase in size or mass of all or part of an organism. [GOC:go_curators]' - }, - 'GO:0045928': { - 'name': 'negative regulation of juvenile hormone metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving juvenile hormone. [GOC:go_curators]' - }, - 'GO:0045929': { - 'name': 'positive regulation of juvenile hormone metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving juvenile hormone. [GOC:go_curators]' - }, - 'GO:0045930': { - 'name': 'negative regulation of mitotic cell cycle', - 'def': 'Any process that stops, prevents or reduces the rate or extent of progression through the mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045931': { - 'name': 'positive regulation of mitotic cell cycle', - 'def': 'Any process that activates or increases the rate or extent of progression through the mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045932': { - 'name': 'negative regulation of muscle contraction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of muscle contraction. [GOC:go_curators]' - }, - 'GO:0045933': { - 'name': 'positive regulation of muscle contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of muscle contraction. [GOC:go_curators]' - }, - 'GO:0045934': { - 'name': 'negative regulation of nucleobase-containing compound metabolic process', - 'def': 'Any cellular process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving nucleobases, nucleosides, nucleotides and nucleic acids. [GOC:go_curators]' - }, - 'GO:0045935': { - 'name': 'positive regulation of nucleobase-containing compound metabolic process', - 'def': 'Any cellular process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving nucleobases, nucleosides, nucleotides and nucleic acids. [GOC:go_curators]' - }, - 'GO:0045936': { - 'name': 'negative regulation of phosphate metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving phosphates. [GOC:go_curators]' - }, - 'GO:0045937': { - 'name': 'positive regulation of phosphate metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving phosphates. [GOC:go_curators]' - }, - 'GO:0045938': { - 'name': 'positive regulation of circadian sleep/wake cycle, sleep', - 'def': 'Any process that activates or increases the duration or quality of sleep, a readily reversible state of reduced awareness and metabolic activity that occurs periodically in many animals. [GOC:go_curators]' - }, - 'GO:0045939': { - 'name': 'negative regulation of steroid metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving steroids. [GOC:go_curators]' - }, - 'GO:0045940': { - 'name': 'positive regulation of steroid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving steroids. [GOC:go_curators]' - }, - 'GO:0045942': { - 'name': 'negative regulation of phosphorus utilization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of phosphorus utilization. [GOC:go_curators]' - }, - 'GO:0045943': { - 'name': 'positive regulation of transcription from RNA polymerase I promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase I promoter. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0045944': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0045945': { - 'name': 'positive regulation of transcription from RNA polymerase III promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase III promoter. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0045947': { - 'name': 'negative regulation of translational initiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of translational initiation. [GOC:go_curators]' - }, - 'GO:0045948': { - 'name': 'positive regulation of translational initiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of translational initiation. [GOC:go_curators]' - }, - 'GO:0045949': { - 'name': 'positive regulation of phosphorus utilization', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphorus utilization. [GOC:go_curators]' - }, - 'GO:0045950': { - 'name': 'negative regulation of mitotic recombination', - 'def': 'Any process that inhibits or decreases the rate of DNA recombination during mitosis. [GOC:go_curators, GOC:hjd]' - }, - 'GO:0045951': { - 'name': 'positive regulation of mitotic recombination', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA recombination during mitosis. [GOC:go_curators]' - }, - 'GO:0045952': { - 'name': 'regulation of juvenile hormone catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of juvenile hormone. [GOC:go_curators]' - }, - 'GO:0045953': { - 'name': 'negative regulation of natural killer cell mediated cytotoxicity', - 'def': 'Any process that stops, prevents, or reduces the rate of natural killer mediated cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0045954': { - 'name': 'positive regulation of natural killer cell mediated cytotoxicity', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer cell mediated cytotoxicity. [GOC:add, ISBN:0781735149]' - }, - 'GO:0045955': { - 'name': 'negative regulation of calcium ion-dependent exocytosis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of calcium ion-dependent exocytosis. [GOC:go_curators]' - }, - 'GO:0045956': { - 'name': 'positive regulation of calcium ion-dependent exocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium ion-dependent exocytosis. [GOC:go_curators]' - }, - 'GO:0045957': { - 'name': 'negative regulation of complement activation, alternative pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of complement activation by the alternative pathway. [GOC:go_curators]' - }, - 'GO:0045958': { - 'name': 'positive regulation of complement activation, alternative pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of complement activation by the alternative pathway. [GOC:go_curators]' - }, - 'GO:0045959': { - 'name': 'negative regulation of complement activation, classical pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of complement activation by the classical pathway. [GOC:go_curators]' - }, - 'GO:0045960': { - 'name': 'positive regulation of complement activation, classical pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of complement activation by the classical pathway. [GOC:go_curators]' - }, - 'GO:0045961': { - 'name': 'negative regulation of development, heterochronic', - 'def': 'Any process that modulates the consistent predetermined time point at which an integrated living unit or organism progresses from an initial condition to a later condition and decreases the rate at which this time point is reached. [GOC:go_curators]' - }, - 'GO:0045962': { - 'name': 'positive regulation of development, heterochronic', - 'def': 'Any process that modulates the consistent predetermined time point at which an integrated living unit or organism progresses from an initial condition to a later condition and increases the rate at which this time point is reached. [GOC:go_curators]' - }, - 'GO:0045963': { - 'name': 'negative regulation of dopamine metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving dopamine. [GOC:go_curators]' - }, - 'GO:0045964': { - 'name': 'positive regulation of dopamine metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving dopamine. [GOC:go_curators]' - }, - 'GO:0045965': { - 'name': 'negative regulation of ecdysteroid metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving ecdysteroids. [GOC:go_curators]' - }, - 'GO:0045966': { - 'name': 'positive regulation of ecdysteroid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving ecdysteroids. [GOC:go_curators]' - }, - 'GO:0045967': { - 'name': 'negative regulation of growth rate', - 'def': 'Any process that reduces the rate of growth of all or part of an organism. [GOC:mah]' - }, - 'GO:0045968': { - 'name': 'negative regulation of juvenile hormone biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of juvenile hormone. [GOC:go_curators]' - }, - 'GO:0045969': { - 'name': 'positive regulation of juvenile hormone biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of juvenile hormone. [GOC:go_curators]' - }, - 'GO:0045970': { - 'name': 'negative regulation of juvenile hormone catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of juvenile hormone. [GOC:go_curators]' - }, - 'GO:0045971': { - 'name': 'positive regulation of juvenile hormone catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of juvenile hormone. [GOC:go_curators]' - }, - 'GO:0045972': { - 'name': 'negative regulation of juvenile hormone secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of juvenile hormone. [GOC:go_curators]' - }, - 'GO:0045973': { - 'name': 'positive regulation of juvenile hormone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of juvenile hormone. [GOC:go_curators]' - }, - 'GO:0045974': { - 'name': 'regulation of translation, ncRNA-mediated', - 'def': 'Any process, mediated by small non-coding RNAs, that modulates the frequency, rate or extent that mRNAs are effectively translated into protein. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045975': { - 'name': 'positive regulation of translation, ncRNA-mediated', - 'def': 'Any process, mediated by small non-coding RNAs, that activates or increases the rate that mRNAs are effectively translated into protein. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045976': { - 'name': 'negative regulation of mitotic cell cycle, embryonic', - 'def': 'Any process that stops, prevents or reduces the rate or extent of progression through the embryonic mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045977': { - 'name': 'positive regulation of mitotic cell cycle, embryonic', - 'def': 'Any process that activates or increases the frequency, rate or extent of progression through the embryonic mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0045978': { - 'name': 'negative regulation of nucleoside metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving nucleosides. [GOC:go_curators]' - }, - 'GO:0045979': { - 'name': 'positive regulation of nucleoside metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving nucleosides. [GOC:go_curators]' - }, - 'GO:0045980': { - 'name': 'negative regulation of nucleotide metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving nucleotides. [GOC:go_curators]' - }, - 'GO:0045981': { - 'name': 'positive regulation of nucleotide metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving nucleotides. [GOC:go_curators]' - }, - 'GO:0045982': { - 'name': 'negative regulation of purine nucleobase metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving purine nucleobases. [CHEBI:26386, GOC:go_curators]' - }, - 'GO:0045983': { - 'name': 'positive regulation of purine nucleobase metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving purine bases. [GOC:go_curators]' - }, - 'GO:0045984': { - 'name': 'negative regulation of pyrimidine nucleobase metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving pyrimidine nucleobases. [GOC:go_curators]' - }, - 'GO:0045985': { - 'name': 'positive regulation of pyrimidine nucleobase metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving pyrimidine nucleobases. [GOC:go_curators]' - }, - 'GO:0045986': { - 'name': 'negative regulation of smooth muscle contraction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of smooth muscle contraction. [GOC:go_curators]' - }, - 'GO:0045987': { - 'name': 'positive regulation of smooth muscle contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of smooth muscle contraction. [GOC:go_curators]' - }, - 'GO:0045988': { - 'name': 'negative regulation of striated muscle contraction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of striated muscle contraction. [GOC:go_curators]' - }, - 'GO:0045989': { - 'name': 'positive regulation of striated muscle contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of striated muscle contraction. [GOC:go_curators]' - }, - 'GO:0045990': { - 'name': 'carbon catabolite regulation of transcription', - 'def': 'A transcription regulation process in which the presence of one carbon source leads to the modulation of the frequency, rate, or extent of transcription of specific genes involved in the metabolism of other carbon sources. [GOC:go_curators, GOC:mah, PMID:18359269, PMID:9618445]' - }, - 'GO:0045991': { - 'name': 'carbon catabolite activation of transcription', - 'def': 'A transcription regulation process in which the presence of one carbon source leads to an increase in the frequency, rate, or extent of transcription of specific genes involved in the metabolism of other carbon sources. [GOC:mah, PMID:10559153]' - }, - 'GO:0045992': { - 'name': 'negative regulation of embryonic development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of embryonic development. [GOC:go_curators]' - }, - 'GO:0045993': { - 'name': 'negative regulation of translational initiation by iron', - 'def': 'Any process involving iron that stops, prevents or reduces the rate of translational initiation. [GOC:go_curators]' - }, - 'GO:0045994': { - 'name': 'positive regulation of translational initiation by iron', - 'def': 'Any process involving iron that activates or increases the rate of translational initiation. [GOC:go_curators]' - }, - 'GO:0045995': { - 'name': 'regulation of embryonic development', - 'def': 'Any process that modulates the frequency, rate or extent of embryonic development. [GOC:go_curators]' - }, - 'GO:0045996': { - 'name': 'negative regulation of transcription by pheromones', - 'def': 'Any process involving pheromones that stops, prevents or reduces the rate of transcription. [GOC:go_curators]' - }, - 'GO:0045997': { - 'name': 'negative regulation of ecdysteroid biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of ecdysteroids. [GOC:go_curators]' - }, - 'GO:0045998': { - 'name': 'positive regulation of ecdysteroid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of ecdysteroids. [GOC:go_curators]' - }, - 'GO:0045999': { - 'name': 'negative regulation of ecdysteroid secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of ecdysteroid. [GOC:go_curators]' - }, - 'GO:0046000': { - 'name': 'positive regulation of ecdysteroid secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of ecdysteroid. [GOC:go_curators]' - }, - 'GO:0046001': { - 'name': 'negative regulation of preblastoderm mitotic cell cycle', - 'def': 'Any process that stops, prevents or reduces the rate or extent of progression through the preblastoderm mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0046002': { - 'name': 'positive regulation of preblastoderm mitotic cell cycle', - 'def': 'Any process that activates or increases the rate or extent of progression through the preblastoderm mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0046003': { - 'name': 'negative regulation of syncytial blastoderm mitotic cell cycle', - 'def': 'Any process that stops, prevents or reduces the rate or extent of progression through the syncytial blastoderm mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0046004': { - 'name': 'positive regulation of syncytial blastoderm mitotic cell cycle', - 'def': 'Any process that activates or increases the rate or extent of progression through the syncytial blastoderm mitotic cell cycle. [GOC:dph, GOC:go_curators, GOC:tb]' - }, - 'GO:0046005': { - 'name': 'positive regulation of circadian sleep/wake cycle, REM sleep', - 'def': 'Any process that activates or increases the duration or quality of rapid eye movement (REM) sleep. [GOC:go_curators]' - }, - 'GO:0046006': { - 'name': 'regulation of activated T cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of activated T cell proliferation. [GOC:go_curators]' - }, - 'GO:0046007': { - 'name': 'negative regulation of activated T cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of activated T cell proliferation. [GOC:go_curators]' - }, - 'GO:0046008': { - 'name': 'regulation of female receptivity, post-mating', - 'def': 'Any process that modulates the receptiveness of a female to male advances subsequent to mating. [GOC:go_curators]' - }, - 'GO:0046009': { - 'name': 'positive regulation of female receptivity, post-mating', - 'def': 'Any process that increases the receptiveness of a female to male advances subsequent to mating. [GOC:go_curators]' - }, - 'GO:0046010': { - 'name': 'positive regulation of circadian sleep/wake cycle, non-REM sleep', - 'def': 'Any process that activates or increases the duration or quality of non-rapid eye movement (NREM) sleep. [GOC:go_curators]' - }, - 'GO:0046011': { - 'name': 'regulation of oskar mRNA translation', - 'def': 'Any process that modulates the frequency, rate or extent of oskar mRNA translation. To ensure the localization of Oskar protein at the posterior pole of the oocyte, translation of oskar mRNA is repressed during its transport to the posterior pole and activated upon localization of the mRNA at the posterior cortex. [GOC:go_curators, PMID:12538512]' - }, - 'GO:0046012': { - 'name': 'positive regulation of oskar mRNA translation', - 'def': 'Any process that activates or increases the frequency, rate or extent of oskar mRNA translation. [GOC:go_curators]' - }, - 'GO:0046013': { - 'name': 'regulation of T cell homeostatic proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of resting T cell proliferation. [GOC:go_curators]' - }, - 'GO:0046014': { - 'name': 'negative regulation of T cell homeostatic proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of resting T cell proliferation. [GOC:go_curators]' - }, - 'GO:0046015': { - 'name': 'regulation of transcription by glucose', - 'def': 'Any process involving glucose that modulates the frequency, rate or extent or transcription. [GOC:go_curators]' - }, - 'GO:0046016': { - 'name': 'positive regulation of transcription by glucose', - 'def': 'Any process involving glucose that activates or increases the rate of transcription. [GOC:go_curators]' - }, - 'GO:0046017': { - 'name': 'regulation of transcription from RNA polymerase I promoter during mitotic cell cycle', - 'def': 'A cell cycle process that modulates the frequency, rate or extent of transcription from an RNA polymerase I promoter that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0046018': { - 'name': 'positive regulation of transcription from RNA polymerase I promoter during mitotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase I promoter that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0046019': { - 'name': 'regulation of transcription from RNA polymerase II promoter by pheromones', - 'def': 'Any process involving pheromones that modulates the frequency, rate or extent or transcription from an RNA polymerase II promoter. [GOC:go_curators, GOC:txnOH]' - }, - 'GO:0046020': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter by pheromones', - 'def': 'Any process involving pheromones that stops, prevents or reduces the rate of transcription from an RNA polymerase II promoter. [GOC:go_curators]' - }, - 'GO:0046021': { - 'name': 'regulation of transcription from RNA polymerase II promoter during mitotic cell cycle', - 'def': 'A cell cycle process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0046022': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter during mitotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0046023': { - 'name': 'regulation of transcription from RNA polymerase III promoter during mitotic cell cycle', - 'def': 'A cell cycle process that modulates the frequency, rate or extent of transcription from an RNA polymerase III promoter that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0046024': { - 'name': 'positive regulation of transcription from RNA polymerase III promoter during mitotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase III that occurs during the mitotic cell cycle. [GOC:go_curators]' - }, - 'GO:0046025': { - 'name': 'precorrin-6Y C5,15-methyltransferase (decarboxylating) activity', - 'def': 'Catalysis of the reaction: 2 S-adenosyl-L-methionine + precorrin-6Y = 2 S-adenosyl-L-homocysteine + precorrin-8X + CO2. [EC:2.1.1.132]' - }, - 'GO:0046026': { - 'name': 'precorrin-4 C11-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + precorrin-4 = S-adenosyl-L-homocysteine + precorrin 5. [EC:2.1.1.133]' - }, - 'GO:0046027': { - 'name': 'phospholipid:diacylglycerol acyltransferase activity', - 'def': 'Catalysis of the reaction: phospholipid + 1,2-diacylglycerol = lysophospholipid + triacylglycerol. [EC:2.3.1.158]' - }, - 'GO:0046028': { - 'name': 'electron transporter, transferring electrons from cytochrome b6/f complex of photosystem II activity', - 'def': 'Enables the directed movement of electrons from the cytochrome b6/f complex of photosystem II. [GOC:ai, ISBN:0716731363]' - }, - 'GO:0046029': { - 'name': 'mannitol dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-mannitol + NAD(+) = D-mannose + H(+) + NADH. [EC:1.1.1.255, RHEA:15032]' - }, - 'GO:0046030': { - 'name': 'inositol trisphosphate phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol trisphosphate + H2O = myo-inositol bisphosphate + phosphate. [GOC:bf]' - }, - 'GO:0046031': { - 'name': 'ADP metabolic process', - 'def': "The chemical reactions and pathways involving ADP, adenosine 5'-diphosphate. [GOC:go_curators]" - }, - 'GO:0046032': { - 'name': 'ADP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of ADP, adenosine 5'-diphosphate. [GOC:go_curators]" - }, - 'GO:0046033': { - 'name': 'AMP metabolic process', - 'def': 'The chemical reactions and pathways involving AMP, adenosine monophosphate. [GOC:go_curators]' - }, - 'GO:0046034': { - 'name': 'ATP metabolic process', - 'def': 'The chemical reactions and pathways involving ATP, adenosine triphosphate, a universally important coenzyme and enzyme regulator. [GOC:go_curators]' - }, - 'GO:0046035': { - 'name': 'CMP metabolic process', - 'def': 'The chemical reactions and pathways involving CMP, cytidine monophosphate. [GOC:go_curators]' - }, - 'GO:0046036': { - 'name': 'CTP metabolic process', - 'def': 'The chemical reactions and pathways involving CTP, cytidine triphosphate. [GOC:go_curators]' - }, - 'GO:0046037': { - 'name': 'GMP metabolic process', - 'def': 'The chemical reactions and pathways involving GMP, guanosine monophosphate. [GOC:go_curators]' - }, - 'GO:0046038': { - 'name': 'GMP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of GMP, guanosine monophosphate. [GOC:go_curators]' - }, - 'GO:0046039': { - 'name': 'GTP metabolic process', - 'def': 'The chemical reactions and pathways involving GTP, guanosine triphosphate. [GOC:go_curators]' - }, - 'GO:0046040': { - 'name': 'IMP metabolic process', - 'def': 'The chemical reactions and pathways involving IMP, inosine monophosphate. [GOC:go_curators]' - }, - 'GO:0046041': { - 'name': 'ITP metabolic process', - 'def': 'The chemical reactions and pathways involving ITP, inosine triphosphate. [GOC:go_curators]' - }, - 'GO:0046042': { - 'name': 'ITP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ITP, inosine triphosphate. [GOC:go_curators]' - }, - 'GO:0046043': { - 'name': 'TDP metabolic process', - 'def': 'The chemical reactions and pathways involving TDP, ribosylthymine diphosphate. [GOC:go_curators]' - }, - 'GO:0046044': { - 'name': 'TMP metabolic process', - 'def': 'The chemical reactions and pathways involving TMP, ribosylthymine monophosphate. [GOC:go_curators]' - }, - 'GO:0046045': { - 'name': 'TMP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of TMP, ribosylthymine monophosphate. [GOC:go_curators]' - }, - 'GO:0046046': { - 'name': 'TTP metabolic process', - 'def': 'The chemical reactions and pathways involving TTP, ribosylthymine triphosphate. [GOC:go_curators]' - }, - 'GO:0046047': { - 'name': 'TTP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of TTP, ribosylthymine triphosphate. [GOC:go_curators]' - }, - 'GO:0046048': { - 'name': 'UDP metabolic process', - 'def': "The chemical reactions and pathways involving UDP, uridine (5'-)diphosphate. [GOC:go_curators]" - }, - 'GO:0046049': { - 'name': 'UMP metabolic process', - 'def': 'The chemical reactions and pathways involving UMP, uridine monophosphate. [GOC:go_curators]' - }, - 'GO:0046050': { - 'name': 'UMP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of UMP, uridine monophosphate. [GOC:go_curators]' - }, - 'GO:0046051': { - 'name': 'UTP metabolic process', - 'def': "The chemical reactions and pathways involving UTP, uridine (5'-)triphosphate. [GOC:go_curators]" - }, - 'GO:0046052': { - 'name': 'UTP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of UTP, uridine (5'-)triphosphate. [GOC:go_curators]" - }, - 'GO:0046053': { - 'name': 'dAMP metabolic process', - 'def': "The chemical reactions and pathways involving dAMP, deoxyadenosine monophosphate (2'-deoxyadenosine 5'-phosphate). [GOC:go_curators]" - }, - 'GO:0046054': { - 'name': 'dGMP metabolic process', - 'def': "The chemical reactions and pathways involving dGMP, deoxyguanosine monophosphate (2'-deoxyguanosine 5'-phosphate). [GOC:go_curators]" - }, - 'GO:0046055': { - 'name': 'dGMP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dGMP, deoxyguanosine monophosphate (2'-deoxyguanosine 5'-phosphate). [GOC:go_curators]" - }, - 'GO:0046056': { - 'name': 'dADP metabolic process', - 'def': "The chemical reactions and pathways involving dADP, deoxyadenosine diphosphate (2'-deoxyadenosine 5'-diphosphate). [GOC:go_curators]" - }, - 'GO:0046057': { - 'name': 'dADP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dADP, deoxyadenosine diphosphate (2'-deoxyadenosine 5'-diphosphate). [GOC:go_curators]" - }, - 'GO:0046058': { - 'name': 'cAMP metabolic process', - 'def': "The chemical reactions and pathways involving the nucleotide cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate). [GOC:go_curators]" - }, - 'GO:0046059': { - 'name': 'dAMP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dAMP, deoxyadenosine monophosphate (2'-deoxyadenosine 5'-phosphate). [GOC:go_curators]" - }, - 'GO:0046060': { - 'name': 'dATP metabolic process', - 'def': "The chemical reactions and pathways involving dATP, deoxyadenosine triphosphate (2'-deoxyadenosine 5'-triphosphate). [GOC:go_curators]" - }, - 'GO:0046061': { - 'name': 'dATP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dATP, deoxyadenosine triphosphate (2'-deoxyadenosine 5'-triphosphate). [GOC:go_curators]" - }, - 'GO:0046062': { - 'name': 'dCDP metabolic process', - 'def': "The chemical reactions and pathways involving dCDP, deoxycytidine 5'-diphosphate. [GOC:go_curators]" - }, - 'GO:0046063': { - 'name': 'dCMP metabolic process', - 'def': 'The chemical reactions and pathways involving dCMP, deoxycytidine monophosphate. [GOC:go_curators]' - }, - 'GO:0046064': { - 'name': 'dCMP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dCMP, deoxycytidine monophosphate. [GOC:go_curators]' - }, - 'GO:0046065': { - 'name': 'dCTP metabolic process', - 'def': 'The chemical reactions and pathways involving dCTP, deoxycytidine triphosphate. [GOC:go_curators]' - }, - 'GO:0046066': { - 'name': 'dGDP metabolic process', - 'def': "The chemical reactions and pathways involving dGDP, deoxyguanosine diphosphate, (2'-deoxyguanosine 5'-diphosphate). [GOC:go_curators]" - }, - 'GO:0046067': { - 'name': 'dGDP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dGDP, deoxyguanosine diphosphate, (2'-deoxyguanosine 5'-diphosphate). [GOC:go_curators]" - }, - 'GO:0046068': { - 'name': 'cGMP metabolic process', - 'def': "The chemical reactions and pathways involving cyclic GMP, guanosine 3',5'-phosphate. [GOC:go_curators]" - }, - 'GO:0046069': { - 'name': 'cGMP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of cyclic GMP, guanosine 3',5'-phosphate. [GOC:go_curators]" - }, - 'GO:0046070': { - 'name': 'dGTP metabolic process', - 'def': 'The chemical reactions and pathways involving dGTP, guanosine triphosphate. [GOC:go_curators]' - }, - 'GO:0046071': { - 'name': 'dGTP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dGTP, guanosine triphosphate. [GOC:go_curators]' - }, - 'GO:0046072': { - 'name': 'dTDP metabolic process', - 'def': 'The chemical reactions and pathways involving dTDP, deoxyribosylthymine diphosphate. [GOC:go_curators]' - }, - 'GO:0046073': { - 'name': 'dTMP metabolic process', - 'def': "The chemical reactions and pathways involving dTMP, deoxyribosylthymine monophosphate (2'-deoxyribosylthymine 5'-phosphate). [GOC:go_curators]" - }, - 'GO:0046074': { - 'name': 'dTMP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dTMP, deoxyribosylthymine monophosphate. [GOC:go_curators]' - }, - 'GO:0046075': { - 'name': 'dTTP metabolic process', - 'def': 'The chemical reactions and pathways involving dTTP, deoxyribosylthymine triphosphate. [GOC:go_curators]' - }, - 'GO:0046076': { - 'name': 'dTTP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dTTP, deoxyribosylthymine triphosphate. [GOC:go_curators]' - }, - 'GO:0046077': { - 'name': 'dUDP metabolic process', - 'def': "The chemical reactions and pathways involving dUDP, deoxyuridine (5'-)diphosphate. [GOC:go_curators]" - }, - 'GO:0046078': { - 'name': 'dUMP metabolic process', - 'def': "The chemical reactions and pathways involving dUMP, deoxyuridine (5'-)monophosphate (2'-deoxyuridine 5'-phosphate). [GOC:go_curators]" - }, - 'GO:0046079': { - 'name': 'dUMP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dUMP, deoxyuridine (5'-)monophosphate. [GOC:go_curators]" - }, - 'GO:0046080': { - 'name': 'dUTP metabolic process', - 'def': "The chemical reactions and pathways involving dUTP, deoxyuridine (5'-)triphosphate. [GOC:go_curators]" - }, - 'GO:0046081': { - 'name': 'dUTP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of dUTP, deoxyuridine (5'-)triphosphate. [GOC:go_curators]" - }, - 'GO:0046082': { - 'name': '5-methylcytosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 5-methylcytosine, a methylated base of DNA. [GOC:go_curators]' - }, - 'GO:0046083': { - 'name': 'adenine metabolic process', - 'def': 'The chemical reactions and pathways involving adenine, 6-aminopurine, one of the five main bases found in nucleic acids and a component of numerous important derivatives of its corresponding ribonucleoside, adenosine. [GOC:go_curators]' - }, - 'GO:0046084': { - 'name': 'adenine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of adenine, 6-aminopurine, one of the five main bases found in nucleic acids and a component of numerous important derivatives of its corresponding ribonucleoside, adenosine. [GOC:go_curators]' - }, - 'GO:0046085': { - 'name': 'adenosine metabolic process', - 'def': 'The chemical reactions and pathways involving adenosine, adenine riboside, a ribonucleoside found widely distributed in cells of every type as the free nucleoside and in combination in nucleic acids and various nucleoside coenzymes. [GOC:go_curators]' - }, - 'GO:0046086': { - 'name': 'adenosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of adenosine, adenine riboside, a ribonucleoside found widely distributed in cells of every type as the free nucleoside and in combination in nucleic acids and various nucleoside coenzymes. [GOC:go_curators]' - }, - 'GO:0046087': { - 'name': 'cytidine metabolic process', - 'def': 'The chemical reactions and pathways involving cytidine, cytosine riboside, a widely distributed nucleoside. [GOC:go_curators]' - }, - 'GO:0046088': { - 'name': 'cytidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cytidine, cytosine riboside, a widely distributed nucleoside. [GOC:go_curators]' - }, - 'GO:0046089': { - 'name': 'cytosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cytosine, 4-amino-2-hydroxypyrimidine, a pyrimidine derivative that is one of the five main bases found in nucleic acids; it occurs widely in cytidine derivatives. [GOC:go_curators]' - }, - 'GO:0046090': { - 'name': 'deoxyadenosine metabolic process', - 'def': 'The chemical reactions and pathways involving deoxyadenosine, 2-deoxyribosyladenine, one of the four major nucleosides of DNA. [GOC:go_curators]' - }, - 'GO:0046091': { - 'name': 'deoxyadenosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of deoxyadenosine, 2-deoxyribosyladenine, one of the four major nucleosides of DNA. [GOC:go_curators]' - }, - 'GO:0046092': { - 'name': 'deoxycytidine metabolic process', - 'def': 'The chemical reactions and pathways involving deoxycytidine, 2-deoxyribosylcytosine, one of the four major nucleosides of DNA. [GOC:go_curators]' - }, - 'GO:0046093': { - 'name': 'deoxycytidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of deoxycytidine, 2-deoxyribosylcytosine, one of the four major nucleosides of DNA. [GOC:go_curators]' - }, - 'GO:0046094': { - 'name': 'deoxyinosine metabolic process', - 'def': 'The chemical reactions and pathways involving deoxyinosine, hypoxanthine deoxyriboside. [GOC:go_curators]' - }, - 'GO:0046095': { - 'name': 'deoxyinosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of deoxyinosine, hypoxanthine deoxyriboside. [GOC:go_curators]' - }, - 'GO:0046096': { - 'name': 'deoxyuridine metabolic process', - 'def': 'The chemical reactions and pathways involving deoxyuridine, 2-deoxyribosyluracil, one of the four major nucleosides of DNA. [GOC:go_curators]' - }, - 'GO:0046097': { - 'name': 'deoxyuridine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of deoxyuridine, 2-deoxyribosyluracil, one of the four major nucleosides of DNA. [GOC:go_curators]' - }, - 'GO:0046098': { - 'name': 'guanine metabolic process', - 'def': 'The chemical reactions and pathways involving guanine, 2-amino-6-hydroxypurine, a purine that is one of the five main bases found in nucleic acids and a component of a number of phosphorylated guanosine derivatives whose metabolic or regulatory functions are important. [GOC:go_curators]' - }, - 'GO:0046099': { - 'name': 'guanine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of guanine, 2-amino-6-hydroxypurine, a purine that is one of the five main bases found in nucleic acids and a component of a number of phosphorylated guanosine derivatives whose metabolic or regulatory functions are important. [GOC:go_curators]' - }, - 'GO:0046100': { - 'name': 'hypoxanthine metabolic process', - 'def': 'The chemical reactions and pathways involving hypoxanthine, 6-hydroxy purine, an intermediate in the degradation of adenylate. Its ribonucleoside is known as inosine and its ribonucleotide as inosinate. [GOC:go_curators]' - }, - 'GO:0046101': { - 'name': 'hypoxanthine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hypoxanthine, 6-hydroxy purine, an intermediate in the degradation of adenylate. Its ribonucleoside is known as inosine and its ribonucleotide as inosinate. [GOC:go_curators]' - }, - 'GO:0046102': { - 'name': 'inosine metabolic process', - 'def': 'The chemical reactions and pathways involving inosine, hypoxanthine riboside, a nucleoside found free but not in combination in nucleic acids except in the anticodons of some tRNAs. [GOC:go_curators]' - }, - 'GO:0046103': { - 'name': 'inosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of inosine, hypoxanthine riboside, a nucleoside found free but not in combination in nucleic acids except in the anticodons of some tRNAs. [GOC:go_curators]' - }, - 'GO:0046104': { - 'name': 'thymidine metabolic process', - 'def': 'The chemical reactions and pathways involving thymidine, deoxyribosylthymine thymine 2-deoxyriboside, a deoxynucleoside very widely distributed but occurring almost entirely as phosphoric esters in deoxynucleotides and deoxyribonucleic acid, DNA. [GOC:go_curators]' - }, - 'GO:0046105': { - 'name': 'thymidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of thymidine, deoxyribosylthymine thymine 2-deoxyriboside, a deoxynucleoside very widely distributed but occurring almost entirely as phosphoric esters in deoxynucleotides and deoxyribonucleic acid, DNA. [GOC:go_curators]' - }, - 'GO:0046106': { - 'name': 'thymine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of thymine, 5-methyluracil, one of the two major pyrimidine bases present (as thymidine) in DNA but not found in RNA other than (as ribothymidine) in transfer RNA, where it is a minor base. [GOC:go_curators]' - }, - 'GO:0046107': { - 'name': 'uracil biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of uracil, 2,4-dioxopyrimidine, one of the pyrimidine bases occurring in RNA, but not in DNA. [GOC:go_curators]' - }, - 'GO:0046108': { - 'name': 'uridine metabolic process', - 'def': 'The chemical reactions and pathways involving uridine, uracil riboside, a ribonucleoside very widely distributed but occurring almost entirely as phosphoric esters in ribonucleotides and ribonucleic acids. [GOC:go_curators]' - }, - 'GO:0046109': { - 'name': 'uridine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of uridine, uracil riboside, a ribonucleoside very widely distributed but occurring almost entirely as phosphoric esters in ribonucleotides and ribonucleic acids. [GOC:go_curators]' - }, - 'GO:0046110': { - 'name': 'xanthine metabolic process', - 'def': 'The chemical reactions and pathways involving xanthine, 2,6-dihydroxypurine, a purine formed in the metabolic breakdown of guanine but not present in nucleic acids. [GOC:go_curators]' - }, - 'GO:0046111': { - 'name': 'xanthine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of xanthine, 2,6-dihydroxypurine, a purine formed in the metabolic breakdown of guanine but not present in nucleic acids. [GOC:go_curators]' - }, - 'GO:0046112': { - 'name': 'nucleobase biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a nucleobase, a nitrogenous base that is a constituent of a nucleic acid. [GOC:ai]' - }, - 'GO:0046113': { - 'name': 'nucleobase catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a nucleobase, a nitrogenous base that is a constituent of a nucleic acid. [GOC:ai]' - }, - 'GO:0046114': { - 'name': 'guanosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of guanine, guanine riboside, a nucleoside with a wide species distribution. [GOC:go_curators]' - }, - 'GO:0046115': { - 'name': 'guanosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of guanine, guanine riboside, a nucleoside with a wide species distribution. [GOC:go_curators]' - }, - 'GO:0046116': { - 'name': 'queuosine metabolic process', - 'def': 'The chemical reactions and pathways involving queuosines, any of a series of nucleosides found in tRNA and having an additional pentenyl ring added via an NH group to the methyl group of 7-methylguanosine. The pentenyl ring may carry other substituents. [ISBN:0198506732]' - }, - 'GO:0046117': { - 'name': 'queuosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of queuosines, any of a series of nucleosides found in tRNA and having an additional pentenyl ring added via an NH group to the methyl group of 7-methylguanosine. The pentenyl ring may carry other substituents. [ISBN:0198506732]' - }, - 'GO:0046118': { - 'name': '7-methylguanosine biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of 7-methylguanosine, a modified nucleoside that forms a cap at the 5'-terminus of eukaryotic mRNA. [ISBN:0198506732]" - }, - 'GO:0046119': { - 'name': '7-methylguanosine catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of 7-methylguanosine, a modified nucleoside that forms a cap at the 5'-terminus of eukaryotic mRNA. [ISBN:0198506732]" - }, - 'GO:0046120': { - 'name': 'deoxyribonucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any one of a family of organic molecules consisting of a purine or pyrimidine base covalently bonded to a sugar deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046121': { - 'name': 'deoxyribonucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any one of a family of organic molecules consisting of a purine or pyrimidine base covalently bonded to a sugar deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046122': { - 'name': 'purine deoxyribonucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving any one of a family of organic molecules consisting of a purine base covalently bonded to a sugar deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046123': { - 'name': 'purine deoxyribonucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any purine deoxyribonucleoside, one of a family of organic molecules consisting of a purine base covalently bonded to a sugar deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046124': { - 'name': 'purine deoxyribonucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any one of a family of organic molecules consisting of a purine base covalently bonded to a sugar deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046125': { - 'name': 'pyrimidine deoxyribonucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving any one of a family of organic molecules consisting of a pyrimidine base covalently bonded to a sugar deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046126': { - 'name': 'pyrimidine deoxyribonucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any one of a family of organic molecules consisting of a pyrimidine base covalently bonded to a sugar deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046127': { - 'name': 'pyrimidine deoxyribonucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any one of a family of organic molecules consisting of a pyrimidine base covalently bonded to a sugar deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046128': { - 'name': 'purine ribonucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving any ribonucleoside, a nucleoside in which purine base is linked to a ribose (beta-D-ribofuranose) molecule. [GOC:ai]' - }, - 'GO:0046129': { - 'name': 'purine ribonucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any purine ribonucleoside, a nucleoside in which purine base is linked to a ribose (beta-D-ribofuranose) molecule. [GOC:ai]' - }, - 'GO:0046130': { - 'name': 'purine ribonucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any purine ribonucleoside, a nucleoside in which purine base is linked to a ribose (beta-D-ribofuranose) molecule. [GOC:ai]' - }, - 'GO:0046131': { - 'name': 'pyrimidine ribonucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving any ribonucleoside, a nucleoside in which pyrimidine base is linked to a ribose (beta-D-ribofuranose) molecule. [GOC:ai]' - }, - 'GO:0046132': { - 'name': 'pyrimidine ribonucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any ribonucleoside, a nucleoside in which a pyrimidine base is linked to a ribose (beta-D-ribofuranose) molecule. [GOC:ai]' - }, - 'GO:0046133': { - 'name': 'pyrimidine ribonucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any ribonucleoside, a nucleoside in which a pyrimidine base is linked to a ribose (beta-D-ribofuranose) molecule. [GOC:ai]' - }, - 'GO:0046134': { - 'name': 'pyrimidine nucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of one of a family of organic molecules consisting of a pyrimidine base covalently bonded to a sugar ribose (a ribonucleoside) or deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046135': { - 'name': 'pyrimidine nucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of one of a family of organic molecules consisting of a pyrimidine base covalently bonded to a sugar ribose (a ribonucleoside) or deoxyribose (a deoxyribonucleoside). [GOC:ai]' - }, - 'GO:0046136': { - 'name': 'positive regulation of vitamin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving a vitamin, one of a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. [GOC:ai]' - }, - 'GO:0046137': { - 'name': 'negative regulation of vitamin metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving a vitamin, one of a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. [GOC:ai]' - }, - 'GO:0046138': { - 'name': 'obsolete coenzyme and prosthetic group biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of coenzymes and prosthetic groups. [GOC:ai]' - }, - 'GO:0046139': { - 'name': 'obsolete coenzyme and prosthetic group catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of coenzymes and prosthetic groups. [GOC:ai]' - }, - 'GO:0046140': { - 'name': 'corrin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of corrin, C19H22N4, the fundamental heterocyclic skeleton of the corrinoids. It consists of four reduced pyrrole rings joined into a macrocyclic ring. Corrin is the core of the vitamin B12 molecule. [GOC:ai]' - }, - 'GO:0046141': { - 'name': 'corrin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of corrin, C19H22N4, the fundamental heterocyclic skeleton of the corrinoids. It consists of four reduced pyrrole rings joined into a macrocyclic ring. Corrin is the core of the vitamin B12 molecule. [GOC:ai]' - }, - 'GO:0046142': { - 'name': 'obsolete negative regulation of coenzyme and prosthetic group metabolic process', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving coenzymes and prosthetic groups. [GOC:ai]' - }, - 'GO:0046143': { - 'name': 'obsolete positive regulation of coenzyme and prosthetic group metabolic process', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving coenzymes and prosthetic groups. [GOC:ai]' - }, - 'GO:0046144': { - 'name': 'D-alanine family amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving D-alanine and related amino acids. [GOC:ai]' - }, - 'GO:0046145': { - 'name': 'D-alanine family amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-alanine and related amino acids. [GOC:ai]' - }, - 'GO:0046146': { - 'name': 'tetrahydrobiopterin metabolic process', - 'def': 'The chemical reactions and pathways involving tetrahydrobiopterin, the reduced form of biopterin (2-amino-4-hydroxy-6-(1,2-dihydroxypropyl)-pteridine). It functions as a hydroxylation coenzyme, e.g. in the conversion of phenylalanine to tyrosine. [CHEBI:15372, ISBN:0198506732]' - }, - 'GO:0046147': { - 'name': 'tetrahydrobiopterin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tetrahydrobiopterin, the reduced form of biopterin (2-amino-4-hydroxy-6-(1,2-dihydroxypropyl)-pteridine). It functions as a hydroxylation coenzyme, e.g. in the conversion of phenylalanine to tyrosine. [CHEBI:15372, ISBN:0198506732]' - }, - 'GO:0046148': { - 'name': 'pigment biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a pigment, any general or particular coloring matter in living organisms, e.g. melanin. [ISBN:0198506732]' - }, - 'GO:0046149': { - 'name': 'pigment catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a pigment, any general or particular coloring matter in living organisms, e.g. melanin. [ISBN:0198506732]' - }, - 'GO:0046150': { - 'name': 'melanin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of melanins, pigments largely of animal origin. High molecular weight polymers of indole quinone, they are irregular polymeric structures and are divided into three groups: allomelanins in the plant kingdom and eumelanins and phaeomelanins in the animal kingdom. [ISBN:0198506732]' - }, - 'GO:0046151': { - 'name': 'eye pigment catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of eye pigments, any general or particular coloring matter in living organisms, found or utilized in the eye. [GOC:ai]' - }, - 'GO:0046152': { - 'name': 'ommochrome metabolic process', - 'def': 'The chemical reactions and pathways involving ommochromes, any of a large group of natural polycyclic pigments commonly found in the Arthropoda, particularly in the ommatidia of the compound eye. [ISBN:0198506732]' - }, - 'GO:0046153': { - 'name': 'ommochrome catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ommochromes, any of a large group of natural polycyclic pigments commonly found in the Arthropoda, particularly in the ommatidia of the compound eye. [ISBN:0198506732]' - }, - 'GO:0046154': { - 'name': 'rhodopsin metabolic process', - 'def': 'The chemical reactions and pathways involving rhodopsin, a brilliant purplish-red, light-sensitive visual pigment found in the rod cells of the retinas. [ISBN:0198506732]' - }, - 'GO:0046155': { - 'name': 'rhodopsin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of rhodopsin, a brilliant purplish-red, light-sensitive visual pigment found in the rod cells of the retinas. [ISBN:0198506732]' - }, - 'GO:0046156': { - 'name': 'siroheme metabolic process', - 'def': 'The chemical reactions and pathways involving siroheme, a tetrahydroporphyrin with adjacent, reduced pyrrole rings. [ISBN:0198506732]' - }, - 'GO:0046157': { - 'name': 'siroheme catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of siroheme, a tetrahydroporphyrin with adjacent, reduced pyrrole rings. [ISBN:0198506732]' - }, - 'GO:0046158': { - 'name': 'ocellus pigment metabolic process', - 'def': 'The chemical reactions and pathways involving ocellus pigments, any general or particular coloring matter in living organisms, found or utilized in the ocellus, a minute simple eye found in many invertebrates. [GOC:ai, PMID:15176085, PMID:18421706]' - }, - 'GO:0046159': { - 'name': 'ocellus pigment catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ocellus pigments, any general or particular coloring matter in living organisms, found or utilized in the ocellus, a minute simple eye found in many invertebrates. [GOC:ai, PMID:15176085, PMID:18421706]' - }, - 'GO:0046160': { - 'name': 'heme a metabolic process', - 'def': 'The chemical reactions and pathways involving heme a, a derivative of heme found in cytochrome aa3. [CHEBI:24479, GOC:curators]' - }, - 'GO:0046161': { - 'name': 'heme a catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of heme a, a derivative of heme found in cytochrome aa3. [CHEBI:24479, GOC:curators]' - }, - 'GO:0046162': { - 'name': 'heme c metabolic process', - 'def': 'The chemical reactions and pathways involving heme c, a derivative of heme found in cytochromes c, b4, and f. [GOC:curators, PubChem_Compound:122208]' - }, - 'GO:0046163': { - 'name': 'heme c catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of heme c, a derivative of heme found in cytochromes c, b4, and f. [GOC:curators, PubChem_Compound:122208]' - }, - 'GO:0046164': { - 'name': 'alcohol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alcohols, any of a class of compounds containing one or more hydroxyl groups attached to a saturated carbon atom. [CHEBI:30879, GOC:ai]' - }, - 'GO:0046165': { - 'name': 'alcohol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alcohols, any of a class of compounds containing one or more hydroxyl groups attached to a saturated carbon atom. [CHEBI:30879, GOC:ai]' - }, - 'GO:0046166': { - 'name': 'glyceraldehyde-3-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glyceraldehyde-3-phosphate, an important intermediate in glycolysis. [GOC:ai]' - }, - 'GO:0046167': { - 'name': 'glycerol-3-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycerol-3-phosphate, a phosphoric monoester of glycerol. [GOC:ai]' - }, - 'GO:0046168': { - 'name': 'glycerol-3-phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycerol-3-phosphate, a phosphoric monoester of glycerol. [GOC:ai]' - }, - 'GO:0046169': { - 'name': 'methanol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of methanol, CH3-OH, a colorless, flammable, mobile, poisonous liquid, widely used as a solvent. [GOC:ai]' - }, - 'GO:0046170': { - 'name': 'methanol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methanol, CH3-OH, a colorless, flammable, mobile, poisonous liquid, widely used as a solvent. [GOC:ai]' - }, - 'GO:0046171': { - 'name': 'octanol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of octanol, the 8-carbon alcohol with the formula C8H17OH. [GOC:ai]' - }, - 'GO:0046172': { - 'name': 'octanol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of octanol, the 8-carbon alcohol with the formula C8H17OH. [GOC:ai]' - }, - 'GO:0046173': { - 'name': 'polyol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a polyol, any alcohol containing three or more hydroxyl groups attached to saturated carbon atoms. [CHEBI:26191]' - }, - 'GO:0046174': { - 'name': 'polyol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a polyol, any alcohol containing three or more hydroxyl groups attached to saturated carbon atoms. [CHEBI:26191]' - }, - 'GO:0046175': { - 'name': 'aldonic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aldonic acid, a monocarboxylic acid with a chain of three or more carbon atoms, derived from an aldose by oxidation of the aldehydic group. [ISBN:0198506732]' - }, - 'GO:0046176': { - 'name': 'aldonic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aldonic acid, a monocarboxylic acid with a chain of three or more carbon atoms, derived from an aldose by oxidation of the aldehydic group. [ISBN:0198506732]' - }, - 'GO:0046177': { - 'name': 'D-gluconate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-gluconate, the anion of D-gluconic acid, the aldonic acid derived from glucose. [ISBN:0198506732]' - }, - 'GO:0046178': { - 'name': 'D-gluconate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-gluconate, the anion of D-gluconic acid, the aldonic acid derived from glucose. [ISBN:0198506732]' - }, - 'GO:0046179': { - 'name': 'keto-D-gluconate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of keto-D-gluconate, the anion of keto-D-gluconic acid, an aldonic acid derived from glucose. [ISBN:0198506732]' - }, - 'GO:0046180': { - 'name': 'ketogluconate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ketogluconate, the anion of ketogluconic acid, an aldonic acid derived from glucose containing a ketonic carbonyl group. [ISBN:0198506732]' - }, - 'GO:0046181': { - 'name': 'ketogluconate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ketogluconate, the anion of ketogluconic acid, an aldonic acid derived from glucose containing a ketonic carbonyl group. [ISBN:0198506732]' - }, - 'GO:0046182': { - 'name': 'L-idonate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-idonate, the anion of idonic acid, an aldonic acid derived from L-idose, an aldohexose which is epimeric with D-glucose. [CHEBI:17796, GOC:curators]' - }, - 'GO:0046183': { - 'name': 'L-idonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-idonate, the anion of idonic acid, an aldonic acid derived from L-idose, an aldohexose which is epimeric with D-glucose. [CHEBI:17796, GOC:curators]' - }, - 'GO:0046184': { - 'name': 'aldehyde biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aldehydes, any organic compound with the formula R-CH=O. [GOC:ai]' - }, - 'GO:0046185': { - 'name': 'aldehyde catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aldehydes, any organic compound with the formula R-CH=O. [GOC:ai]' - }, - 'GO:0046186': { - 'name': 'acetaldehyde biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acetaldehyde, a colorless, flammable liquid intermediate in the metabolism of alcohol. [GOC:ai]' - }, - 'GO:0046187': { - 'name': 'acetaldehyde catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acetaldehyde, a colorless, flammable liquid intermediate in the metabolism of alcohol. [GOC:ai]' - }, - 'GO:0046188': { - 'name': 'methane catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methane, a colorless, odorless, flammable gas with the formula CH4. It is the simplest of the alkanes. [GOC:ai]' - }, - 'GO:0046189': { - 'name': 'phenol-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a phenol, any compound containing one or more hydroxyl groups directly attached to an aromatic carbon ring. [CHEBI:33853, GOC:ai]' - }, - 'GO:0046190': { - 'name': 'aerobic phenol-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a phenol, any compound containing one or more hydroxyl groups directly attached to an aromatic carbon ring, in the presence of oxygen. [CHEBI:33853, GOC:ai]' - }, - 'GO:0046191': { - 'name': 'aerobic phenol-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a phenol, any compound containing one or more hydroxyl groups directly attached to an aromatic carbon ring, in the presence of oxygen. [CHEBI:33853, GOC:ai]' - }, - 'GO:0046192': { - 'name': 'anaerobic phenol-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a phenol, any compound containing one or more hydroxyl groups directly attached to an aromatic carbon ring, in the absence of oxygen. [CHEBI:33853, GOC:ai]' - }, - 'GO:0046193': { - 'name': 'anaerobic phenol-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a phenol, any compound containing one or more hydroxyl groups directly attached to an aromatic carbon ring, in the absence of oxygen. [CHEBI:33853, GOC:ai]' - }, - 'GO:0046194': { - 'name': 'obsolete pentachlorophenol biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of pentachlorophenol, a chlorinated insecticide and fungicide used primarily to protect timber from fungal rot and wood boring insects. Pentachlorophenol is significantly toxic to mammals, plants, and many microorganisms. [GOC:ai]' - }, - 'GO:0046195': { - 'name': 'obsolete 4-nitrophenol biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 4-nitrophenol, a nitroaromatic compound which is used in the production of dyes, leather treatment agents, fungicides and as an intermediate in the production of the insecticide parathion. [GOC:ai]' - }, - 'GO:0046196': { - 'name': '4-nitrophenol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 4-nitrophenol, a nitroaromatic compound which is used in the production of dyes, leather treatment agents, fungicides and as an intermediate in the production of the insecticide parathion. [GOC:ai]' - }, - 'GO:0046197': { - 'name': 'orcinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of orcinol (5-methyl-1,3-benzenediol), an aromatic compound derived from the fermentation of lichen and synthesized by some higher plants. [GOC:ai]' - }, - 'GO:0046198': { - 'name': 'obsolete cresol biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of cresol, a mixture of the aromatic alcohol isoforms o-, p-, and m-cresol, which is obtained from coal tar or petroleum. The isomers are used as disinfectants, textile scouring agents, surfactants and as intermediates in the manufacture of salicylaldehyde, coumarin, and herbicides as well as being a major component of creosote. [GOC:ai]' - }, - 'GO:0046199': { - 'name': 'cresol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cresol, a mixture of the aromatic alcohol isoforms o-, p-, and m-cresol, which is obtained from coal tar or petroleum. The isomers are used as disinfectants, textile scouring agents, surfactants and as intermediates in the manufacture of salicylaldehyde, coumarin, and herbicides as well as being a major component of creosote. [GOC:ai]' - }, - 'GO:0046200': { - 'name': 'obsolete m-cresol biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of m-cresol (3-hydroxytoluene), the meta-isoform of cresol. [GOC:ai]' - }, - 'GO:0046201': { - 'name': 'cyanate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cyanate, NCO-, the anion of cyanic acid. [GOC:ai]' - }, - 'GO:0046202': { - 'name': 'cyanide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cyanide, NC-, the anion of hydrocyanic acid. Cyanide is a potent inhibitor of respiration. [GOC:ai]' - }, - 'GO:0046203': { - 'name': 'spermidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of spermidine, N-(3-aminopropyl)-1,4-diaminobutane. [GOC:ai]' - }, - 'GO:0046204': { - 'name': 'nor-spermidine metabolic process', - 'def': 'The chemical reactions and pathways involving nor-spermidine, a compound related to spermidine, N-(3-aminopropyl)-1,4-diaminobutane. [GOC:ai]' - }, - 'GO:0046205': { - 'name': 'nor-spermidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nor-spermidine, a compound related to spermidine, N-(3-aminopropyl)-1,4-diaminobutane. [GOC:ai]' - }, - 'GO:0046206': { - 'name': 'trypanothione metabolic process', - 'def': 'The chemical reactions and pathways involving trypanothione (N1,N6,-bis(glutathionyl)spermidine), an essential redox intermediate in intracellular thiol redox regulation which also plays a role in protecting against oxidative stress. [GOC:ai]' - }, - 'GO:0046207': { - 'name': 'trypanothione catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of trypanothione (N1,N6,-bis(glutathionyl)spermidine), an essential redox intermediate in intracellular thiol redox regulation which also plays a role in protecting against oxidative stress. [GOC:ai]' - }, - 'GO:0046208': { - 'name': 'spermine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of spermine, a polybasic amine found in human sperm, in ribosomes and in some viruses and involved in nucleic acid packaging. [CHEBI:15746, GOC:curators]' - }, - 'GO:0046209': { - 'name': 'nitric oxide metabolic process', - 'def': 'The chemical reactions and pathways involving nitric oxide, nitrogen monoxide (NO), a colorless gas only slightly soluble in water. [GOC:ai]' - }, - 'GO:0046210': { - 'name': 'nitric oxide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nitric oxide, nitrogen monoxide (NO), a colorless gas only slightly soluble in water. [GOC:ai]' - }, - 'GO:0046211': { - 'name': '(+)-camphor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (+)-camphor, a bicyclic monoterpene ketone. [GOC:ai]' - }, - 'GO:0046212': { - 'name': 'obsolete methyl ethyl ketone biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of methyl ethyl ketone, a clear, colorless liquid with a fragrant, mint-like odor. It is used as a solvent and in making plastics, textiles and paints. [GOC:ai]' - }, - 'GO:0046213': { - 'name': 'methyl ethyl ketone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methyl ethyl ketone, a clear, colorless liquid with a fragrant, mint-like odor. [GOC:ai]' - }, - 'GO:0046214': { - 'name': 'enterobactin catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of enterobactin, a catechol-derived siderochrome of Enterobacteria; enterobactin (N',N',N''-(2,6,10-trioxo-1,5,9-triacyclodecane-3,7,11-triyl)tris(2,3-dihydroxy)benzamide) is a self-triester of 2,3-dihydroxy-N-benzoyl-L-serine and a product of the shikimate pathway. [GOC:ai]" - }, - 'GO:0046215': { - 'name': 'siderophore catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of siderophores, low molecular weight Fe(III)-chelating substances made by aerobic or facultatively anaerobic bacteria, especially when growing under iron deficient conditions. The complexes of Fe(3+)-siderophores have very high stability constants and are taken up by specific transport systems by microorganisms; the subsequent release of iron requires enzymatic action. [GOC:ai]' - }, - 'GO:0046216': { - 'name': 'indole phytoalexin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of indole phytoalexins, any indole compound produced by plants as part of their defense response. [GOC:ai]' - }, - 'GO:0046217': { - 'name': 'indole phytoalexin metabolic process', - 'def': 'The chemical reactions and pathways involving indole phytoalexins, any indole compound produced by plants as part of their defense response. [GOC:ai]' - }, - 'GO:0046218': { - 'name': 'indolalkylamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of indolalkylamines, indole or indole derivatives containing a primary, secondary, or tertiary amine group. [CHEBI:38631, GOC:curators]' - }, - 'GO:0046219': { - 'name': 'indolalkylamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of indolalkylamines, indole or indole derivatives containing a primary, secondary, or tertiary amine group. [CHEBI:38631, GOC:curators]' - }, - 'GO:0046220': { - 'name': 'pyridine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyridine, a nitrogenous base (C5H5N) obtained from the distillation of bone oil or coal tar, and by the decomposition of certain alkaloids, as a colorless liquid with a peculiar pungent odor. [CHEBI:16227, GOC:ai]' - }, - 'GO:0046221': { - 'name': 'pyridine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyridine, a nitrogenous base (C5H5N) obtained from the distillation of bone oil or coal tar, and by the decomposition of certain alkaloids, as a colorless liquid with a peculiar pungent odor. [CHEBI:16227, GOC:ai]' - }, - 'GO:0046222': { - 'name': 'aflatoxin metabolic process', - 'def': 'The chemical reactions and pathways involving aflatoxin, a fungal metabolite found as a contaminant in moldy grains that induces liver cancer. Aflatoxin induces a G to T transversion at codon 249 of p53, leading to its inactivation. Aflatoxin is converted to a chemical carcinogen by P450. [GOC:ai]' - }, - 'GO:0046223': { - 'name': 'aflatoxin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aflatoxin, a fungal metabolite found as a contaminant in moldy grains that induces liver cancer. Aflatoxin induces a G to T transversion at codon 249 of p53, leading to its inactivation. Aflatoxin is converted to a chemical carcinogen by P450. [GOC:ai]' - }, - 'GO:0046224': { - 'name': 'bacteriocin metabolic process', - 'def': 'The chemical reactions and pathways involving bacteriocins, any of a heterogeneous group of polypeptide antibiotics that are secreted by certain bacterial strains and are able to kill cells of other susceptible (frequently related) strains after adsorption at specific receptors on the cell surface. They include the colicins, and their mechanisms of action vary. [GOC:ai]' - }, - 'GO:0046225': { - 'name': 'bacteriocin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a bacteriocin, any of a heterogeneous group of polypeptide antibiotics that are secreted by certain bacterial strains and are able to kill cells of other susceptible (frequently related) strains after adsorption at specific receptors on the cell surface. They include the colicins, and their mechanisms of action vary. [GOC:ai]' - }, - 'GO:0046226': { - 'name': 'coumarin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of coumarins, compounds derived from the phenylacrylic skeleton of cinnamic acids. [GOC:ai]' - }, - 'GO:0046227': { - 'name': 'obsolete 2,4,5-trichlorophenoxyacetic acid biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 2,4,5-trichlorophenoxyacetic acid, a chlorinated aromatic compound widely used as a herbicide. [GOC:ai]' - }, - 'GO:0046228': { - 'name': '2,4,5-trichlorophenoxyacetic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2,4,5-trichlorophenoxyacetic acid, a chlorinated aromatic compound widely used as a herbicide. [GOC:ai]' - }, - 'GO:0046229': { - 'name': 'obsolete 2-aminobenzenesulfonate biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 2-aminobenzenesulfonate, an aromatic sulfonate used in organic synthesis and in the manufacture of various dyes and medicines. [GOC:ai]' - }, - 'GO:0046230': { - 'name': '2-aminobenzenesulfonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-aminobenzenesulfonate, an aromatic sulfonate used in organic synthesis and in the manufacture of various dyes and medicines. [GOC:ai]' - }, - 'GO:0046231': { - 'name': 'obsolete carbazole biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of carbazole, a heterocyclic aromatic compound containing a dibenzopyrrole system that is produced during coal gasification and is present in cigarette smoke. Coal tar produced at high temperature contains an average of 1.5% carbazole. It is used widely in synthesis of dyes, pharmaceuticals, and plastics and is a suspected carcinogen. [GOC:ai]' - }, - 'GO:0046232': { - 'name': 'carbazole catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbazole, a heterocyclic aromatic compound containing a dibenzopyrrole system that is produced during coal gasification and is present in cigarette smoke. Coal tar produced at high temperature contains an average of 1.5% carbazole. It is used widely in synthesis of dyes, pharmaceuticals, and plastics and is a suspected carcinogen. [GOC:ai]' - }, - 'GO:0046233': { - 'name': 'obsolete 3-hydroxyphenylacetate biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 3-hydroxyphenylacetate, 1,3-benzenediol monoacetate, also known as resorcinol monoacetate. [http://chemfinder.cambridgesoft.com/]' - }, - 'GO:0046234': { - 'name': 'obsolete fluorene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of fluorene, a tricyclic polycyclic aromatic hydrocarbon containing a five-membered ring. It is a major component of fossil fuels and their derivatives and is also a by-product of coal-conversion and energy-related industries. It is commonly found in vehicle exhaust emissions, crude oils, motor oils, coal and oil combustion products, waste incineration, and industrial effluents. [GOC:ai]' - }, - 'GO:0046235': { - 'name': 'gallate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of gallate, the anion of gallic acid (3,4,5-trihydroxybenzoic acid). [GOC:ai]' - }, - 'GO:0046236': { - 'name': 'mandelate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mandelate, the anion of mandelic acid. Mandelic acid (alpha-hydroxybenzeneacetic acid) is an 8-carbon alpha-hydroxy acid (AHA) that is used in organic chemistry and as a urinary antiseptic. [GOC:ai]' - }, - 'GO:0046237': { - 'name': 'obsolete phenanthrene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of phenanthrene, a tricyclic aromatic hydrocarbon. [GOC:ai]' - }, - 'GO:0046238': { - 'name': 'obsolete phthalate biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of phthalate, any ester or salt of phthalic acid. [GOC:ai]' - }, - 'GO:0046239': { - 'name': 'phthalate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phthalate, the anion of phthalic acid. [GOC:ai]' - }, - 'GO:0046240': { - 'name': 'obsolete xylene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of xylene, a mixture of three colorless, aromatic hydrocarbon liquids, ortho-, meta- and para-xylene. [GOC:ai]' - }, - 'GO:0046241': { - 'name': 'obsolete m-xylene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of m-xylene, 1,3-dimethylbenzene, a colorless, liquid aromatic hydrocarbon. [GOC:ai]' - }, - 'GO:0046242': { - 'name': 'obsolete o-xylene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of o-xylene, (1,2-dimethylbenzene) a colorless, liquid aromatic hydrocarbon. [GOC:ai]' - }, - 'GO:0046243': { - 'name': 'obsolete p-xylene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of p-xylene (1,4-dimethylbenzene), a colorless, liquid aromatic hydrocarbon. [GOC:ai]' - }, - 'GO:0046244': { - 'name': 'salicylic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of salicylic acid (2-hydroxybenzoic acid), a derivative of benzoic acid. [GOC:ai]' - }, - 'GO:0046245': { - 'name': 'obsolete styrene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of styrene, an aromatic hydrocarbon liquid used in the manufacture of polystyrene. [GOC:ai]' - }, - 'GO:0046246': { - 'name': 'terpene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of terpenes, any of a large group of hydrocarbons made up of isoprene units. [GOC:ai]' - }, - 'GO:0046247': { - 'name': 'terpene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of terpenes, any of a large group of hydrocarbons made up of isoprene units. [GOC:ai]' - }, - 'GO:0046248': { - 'name': 'alpha-pinene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alpha-pinene, a monoterpene that may be a significant factor affecting bacterial activities in nature. [GOC:ai]' - }, - 'GO:0046249': { - 'name': 'alpha-pinene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alpha-pinene, a monoterpene that may be a significant factor affecting bacterial activities in nature. [GOC:ai]' - }, - 'GO:0046250': { - 'name': 'limonene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of limonene (4-isopropenyl-1-methyl-cyclohexene), a monocyclic monoterpene. [GOC:ai]' - }, - 'GO:0046251': { - 'name': 'limonene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of limonene (4-isopropenyl-1-methyl-cyclohexene), a monocyclic monoterpene. [GOC:ai]' - }, - 'GO:0046252': { - 'name': 'toluene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of toluene, a volatile monoaromatic hydrocarbon found in crude petroleum and petroleum products. [GOC:ai, PMID:6508079]' - }, - 'GO:0046253': { - 'name': 'anaerobic toluene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of toluene, a volatile monoaromatic hydrocarbon found in crude petroleum and petroleum products, in the absence of oxygen. [GOC:ai, PMID:8573493]' - }, - 'GO:0046254': { - 'name': 'anaerobic toluene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of toluene, a volatile monoaromatic hydrocarbon found in crude petroleum and petroleum products, in the absence of oxygen. [GOC:ai]' - }, - 'GO:0046255': { - 'name': 'obsolete 2,4,6-trinitrotoluene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 2,4,6-trinitrotoluene, 1-methyl-2,4,6-trinitrobenzene. [GOC:ai]' - }, - 'GO:0046256': { - 'name': '2,4,6-trinitrotoluene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2,4,6-trinitrotoluene, 1-methyl-2,4,6-trinitrobenzene, a highly explosive pale yellow crystalline solid. [GOC:ai]' - }, - 'GO:0046257': { - 'name': 'obsolete anaerobic 2,4,6-trinitrotoluene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 2,4,6-trinitrotoluene, 1-methyl-2,4,6-trinitrobenzene, a highly explosive pale yellow crystalline solid, in the absence of oxygen. [GOC:ai]' - }, - 'GO:0046258': { - 'name': 'anaerobic 2,4,6-trinitrotoluene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2,4,6-trinitrotoluene, 1-methyl-2,4,6-trinitrobenzene, a highly explosive pale yellow crystalline solid, in the absence of oxygen. [GOC:ai]' - }, - 'GO:0046259': { - 'name': 'obsolete trinitrotoluene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of trinitrotoluene, a methylated benzene molecule with three NO2 groups attached to it. [GOC:ai]' - }, - 'GO:0046260': { - 'name': 'trinitrotoluene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of trinitrotoluene, a methylated benzene entity with three NO2 groups attached to it. This includes the explosive TNT, 1-methyl-2,4,6-trinitrobenzene. [GOC:ai]' - }, - 'GO:0046261': { - 'name': 'obsolete 4-nitrotoluene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 4-nitrotoluene, 1-methyl-4-nitrobenzene. [GOC:ai]' - }, - 'GO:0046262': { - 'name': 'obsolete nitrotoluene biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of nitrotoluene, any methylbenzene molecule with NO2 group(s) attached. [GOC:ai]' - }, - 'GO:0046263': { - 'name': 'nitrotoluene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nitrotoluene, any methylbenzene molecule with NO2 group(s) attached. [GOC:ai]' - }, - 'GO:0046264': { - 'name': 'obsolete thiocyanate biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of thiocyanate, any anion or salt of thiocyanic acid. [GOC:ai]' - }, - 'GO:0046265': { - 'name': 'thiocyanate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of thiocyanate, any anion of thiocyanic acid. [GOC:ai]' - }, - 'GO:0046266': { - 'name': 'obsolete triethanolamine biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of triethanolamine, a combustible, hygroscopic, colorless liquid commonly used in dry-cleaning solutions, cosmetics, detergents, textile processing, wool scouring, and as a corrosion inhibitor and pharmaceutical alkalizing agent. [GOC:ai]' - }, - 'GO:0046267': { - 'name': 'triethanolamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of triethanolamine, a combustible, hygroscopic, colorless liquid commonly used in dry-cleaning solutions, cosmetics, detergents, textile processing, wool scouring, and as a corrosion inhibitor and pharmaceutical alkalizing agent. [GOC:ai]' - }, - 'GO:0046268': { - 'name': 'obsolete toluene-4-sulfonate biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of toluene-4-sulfonate, 4-methylbenzenesulfonate, the anion of sulfonic acid attached to a methylbenzene molecule. [GOC:ai]' - }, - 'GO:0046269': { - 'name': 'toluene-4-sulfonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of toluene-4-sulfonate, 4-methylbenzenesulfonate, the anion of sulfonic acid attached to a methylbenzene molecule. [GOC:ai]' - }, - 'GO:0046270': { - 'name': 'obsolete 4-toluenecarboxylate biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 4-toluenecarboxylate, 4-methylbenzenecarboxylate, the anion of carboxylic acid attached to a methylbenzene molecule. [GOC:ai]' - }, - 'GO:0046271': { - 'name': 'phenylpropanoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aromatic derivatives of trans-cinnamic acid. [GOC:ai]' - }, - 'GO:0046272': { - 'name': 'stilbene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of stilbenes, a class of polyketide compounds formed from cinnamic acid and three molecules of malonyl CoA. [GOC:ai]' - }, - 'GO:0046273': { - 'name': 'lignan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lignans, any member of a class of plant metabolites related to lignins. Lignans are usually found as phenylpropanoid dimers in which the phenylpropanoid units are linked tail to tail and thus having a 2,3 dibenzylbutane skeleton, but higher oligomers can also exist. [GOC:jl, PMID:10074466]' - }, - 'GO:0046274': { - 'name': 'lignin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lignins, a class of polymers of phenylpropanoid units. [GOC:ai]' - }, - 'GO:0046275': { - 'name': 'flavonoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of flavonoids, a group of phenolic derivatives containing a flavan skeleton. [GOC:ai]' - }, - 'GO:0046276': { - 'name': 'methylgallate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methylgallate, trihydroxymethylbenzoate, the anion of methylgallic acid. [GOC:ai]' - }, - 'GO:0046277': { - 'name': 'methylgallate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of methylgallate, trihydroxymethylbenzoate, the anion of methylgallic acid. [GOC:ai]' - }, - 'GO:0046278': { - 'name': '3,4-dihydroxybenzoate metabolic process', - 'def': 'The chemical reactions and pathways involving protocatechuate, the anion of protocatechuic acid (3,4-dihydroxybenzoic acid). [GOC:ai, http://chemfinder.cambridgesoft.com/]' - }, - 'GO:0046279': { - 'name': '3,4-dihydroxybenzoate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 3,4-dihydroxybenzoate. [GOC:ai]' - }, - 'GO:0046280': { - 'name': 'chalcone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of chalcone, phenyl steryl ketone or its hydroxylated derivatives. [GOC:ai]' - }, - 'GO:0046281': { - 'name': 'cinnamic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cinnamic acid, 3-phenyl-2-propenoic acid. [GOC:ai]' - }, - 'GO:0046282': { - 'name': 'cinnamic acid ester catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ester derivatives of cinnamic acid, phenylpropenoic acid. [GOC:ai]' - }, - 'GO:0046283': { - 'name': 'anthocyanin-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving anthocyanins, any member of a group of intensely colored soluble glycosides of anthocyanidins that occur in plants. They are responsible from most of the scarlet, purple, mauve and blue coloring in higher plants, especially of flowers. [ISBN:0198506732]' - }, - 'GO:0046284': { - 'name': 'anthocyanin-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of anthocyanins, any member of a group of intensely colored soluble glycosides of anthocyanidins. [GOC:ai]' - }, - 'GO:0046285': { - 'name': 'flavonoid phytoalexin metabolic process', - 'def': 'The chemical reactions and pathways involving flavonoid phytoalexins, a group of water-soluble phenolic derivatives containing a flavan skeleton, which possess antibiotic activity and are produced by plant tissues in response to infection. [ISBN:0198506732]' - }, - 'GO:0046286': { - 'name': 'flavonoid phytoalexin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of flavonoid phytoalexins, a group of water-soluble phenolic derivatives containing a flavan skeleton, which possess antibiotic activity and are produced by plant tissues in response to infection. [GOC:ai]' - }, - 'GO:0046287': { - 'name': 'isoflavonoid metabolic process', - 'def': 'The chemical reactions and pathways involving isoflavonoids, a group of water-soluble phenolic derivatives, isomeric with flavonoids, containing a flavan skeleton. They are differentiated from flavonoids by the point of attachment of the aromatic ring group. [CHEBI:50753, GOC:ai]' - }, - 'GO:0046288': { - 'name': 'isoflavonoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of isoflavonoids, a group of water-soluble phenolic derivatives, isomeric with flavonoids. [GOC:ai]' - }, - 'GO:0046289': { - 'name': 'isoflavonoid phytoalexin metabolic process', - 'def': 'The chemical reactions and pathways involving isoflavonoid phytoalexins, a group of water-soluble phenolic derivatives isomeric with flavonoids that possess antibiotic activity and are produced by plant tissues in response to infection. [GOC:ai]' - }, - 'GO:0046290': { - 'name': 'isoflavonoid phytoalexin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of isoflavonoid phytoalexins, a group of water-soluble phenolic derivatives isomeric with flavonoids that possess antibiotic activity and are produced by plant tissues in response to infection. [GOC:ai]' - }, - 'GO:0046291': { - 'name': 'obsolete 6-hydroxycineole biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 6-hydroxycineole (6-hydroxy-1,8-epoxy-p-menthane), a hydrocarbon with the formula C10H18O2. [GOC:ai]' - }, - 'GO:0046292': { - 'name': 'formaldehyde metabolic process', - 'def': 'The chemical reactions and pathways involving formaldehyde (methanal, H2C=O), a colorless liquid or gas with a pungent odor, commonly used as a fixative or an antibacterial agent. [CHEBI:16842, GOC:ai, http://chemfinder.cambridgesoft.com/]' - }, - 'GO:0046293': { - 'name': 'formaldehyde biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of formaldehyde (methanal, H2C=O), the simplest aldehyde. [GOC:ai]' - }, - 'GO:0046294': { - 'name': 'formaldehyde catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of formaldehyde (methanal, H2C=O), the simplest aldehyde. [GOC:ai]' - }, - 'GO:0046295': { - 'name': 'glycolate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycolate, the anion of hydroxyethanoic acid (glycolic acid). [GOC:ai]' - }, - 'GO:0046296': { - 'name': 'glycolate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycolate, the anion of hydroxyethanoic acid (glycolic acid). [GOC:ai]' - }, - 'GO:0046297': { - 'name': 'obsolete 2,4-dichlorobenzoate biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 2,4-dichlorobenzoate, a chlorinated aromatic compound which is a key intermediate in the aerobic degradation of polychlorinated biphenyls (PCBs). [GOC:ai]' - }, - 'GO:0046298': { - 'name': '2,4-dichlorobenzoate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2,4-dichlorobenzoate, a chlorinated aromatic compound which is a key intermediate in the aerobic degradation of polychlorinated biphenyls (PCBs). [GOC:ai]' - }, - 'GO:0046299': { - 'name': 'obsolete 2,4-dichlorophenoxyacetic acid biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 2,4-dichlorophenoxyacetic acid, a chlorinated phenoxy compound which functions as a systemic herbicide and is used to control many types of broadleaf weeds. [GOC:ai]' - }, - 'GO:0046300': { - 'name': '2,4-dichlorophenoxyacetic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2,4-dichlorophenoxyacetic acid, a chlorinated phenoxy compound which functions as a systemic herbicide and is used to control many types of broadleaf weeds. [GOC:ai]' - }, - 'GO:0046301': { - 'name': 'obsolete 2-chloro-N-isopropylacetanilide biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 2-chloro-N-isopropylacetanilide, an acylanide herbicide widely used to protect corn, onion, cabbage, rose bushes, and ornamental plants. [GOC:ai]' - }, - 'GO:0046302': { - 'name': '2-chloro-N-isopropylacetanilide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-chloro-N-isopropylacetanilide, an acylanide herbicide widely used to protect corn, onion, cabbage, rose bushes, and ornamental plants. [GOC:ai]' - }, - 'GO:0046303': { - 'name': 'obsolete 2-nitropropane biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of 2-nitropropane, a clear, colorless liquid with a mild, fruity odor. [GOC:ai]' - }, - 'GO:0046304': { - 'name': '2-nitropropane catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-nitropropane, a clear, colorless liquid with a mild, fruity odor. [GOC:ai]' - }, - 'GO:0046305': { - 'name': 'alkanesulfonate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alkanesulfonates, the anion of alkanesulfonic acids, sulfonic acid derivatives containing an aliphatic hydrocarbon group. [GOC:ai]' - }, - 'GO:0046306': { - 'name': 'alkanesulfonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alkanesulfonates, the anion of alkanesulfonic acids, sulfonic acid derivatives containing an aliphatic hydrocarbon group. [GOC:ai]' - }, - 'GO:0046307': { - 'name': 'Z-phenylacetaldoxime biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of Z-phenylacetaldoxime, a member of the glucosinolate group of compounds. [GOC:ai]' - }, - 'GO:0046308': { - 'name': 'Z-phenylacetaldoxime catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of Z-phenylacetaldoxime, a member of the glucosinolate group of compounds. [GOC:ai]' - }, - 'GO:0046309': { - 'name': '1,3-dichloro-2-propanol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 1,3-dichloro-2-propanol (DCP), a halohydrin suspected of being carcinogenic, mutagenic and genotoxic. [GOC:ai]' - }, - 'GO:0046310': { - 'name': '1,3-dichloro-2-propanol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1,3-dichloro-2-propanol (DCP), a halohydrin suspected of being carcinogenic, mutagenic and genotoxic. [GOC:ai]' - }, - 'GO:0046311': { - 'name': 'prenylcysteine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of prenylcysteine, 3-methyl-2-buten-1-yl-cysteine, a derivative of the amino acid cysteine formed by the covalent addition of a prenyl residue. [GOC:ai]' - }, - 'GO:0046312': { - 'name': 'phosphoarginine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphoarginine, a phosphorylated derivative of the amino acid arginine. [GOC:ai]' - }, - 'GO:0046313': { - 'name': 'phosphoarginine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphoarginine, a phosphorylated derivative of the amino acid arginine. [GOC:ai]' - }, - 'GO:0046314': { - 'name': 'phosphocreatine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphocreatine, a phosphagen of creatine which is synthesized and broken down by creatine phosphokinase. [GOC:ai]' - }, - 'GO:0046315': { - 'name': 'phosphocreatine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphocreatine, a phosphagen of creatine which is synthesized and broken down by creatine phosphokinase. [GOC:ai]' - }, - 'GO:0046316': { - 'name': 'gluconokinase activity', - 'def': 'Catalysis of the reaction: D-gluconate + ATP = 6-phospho-D-gluconate + ADP + 2 H(+). [EC:2.7.1.12, RHEA:19436]' - }, - 'GO:0046317': { - 'name': 'regulation of glucosylceramide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glucosylceramide. [GOC:ai, GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0046318': { - 'name': 'negative regulation of glucosylceramide biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glucosylceramide. [GOC:ai, GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0046319': { - 'name': 'positive regulation of glucosylceramide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of glucosylceramide. [GOC:ai]' - }, - 'GO:0046320': { - 'name': 'regulation of fatty acid oxidation', - 'def': 'Any process that modulates the frequency, rate or extent of fatty acid oxidation. [GOC:ai]' - }, - 'GO:0046321': { - 'name': 'positive regulation of fatty acid oxidation', - 'def': 'Any process that activates or increases the frequency, rate or extent of fatty acid oxidation. [GOC:ai]' - }, - 'GO:0046322': { - 'name': 'negative regulation of fatty acid oxidation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of fatty acid oxidation. [GOC:ai]' - }, - 'GO:0046323': { - 'name': 'glucose import', - 'def': 'The directed movement of the hexose monosaccharide glucose into a cell or organelle. [GOC:ai]' - }, - 'GO:0046324': { - 'name': 'regulation of glucose import', - 'def': 'Any process that modulates the frequency, rate or extent of the import of the hexose monosaccharide glucose into a cell or organelle. [GOC:ai]' - }, - 'GO:0046325': { - 'name': 'negative regulation of glucose import', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the import of the hexose monosaccharide glucose into a cell or organelle. [GOC:ai]' - }, - 'GO:0046326': { - 'name': 'positive regulation of glucose import', - 'def': 'Any process that activates or increases the frequency, rate or extent of the import of the hexose monosaccharide glucose into a cell or organelle. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0046327': { - 'name': 'glycerol biosynthetic process from pyruvate', - 'def': 'The chemical reactions and pathways resulting in the formation of glycerol, 1,2,3-propanetriol, from other compounds, including pyruvate. [GOC:ai]' - }, - 'GO:0046328': { - 'name': 'regulation of JNK cascade', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction mediated by the JNK cascade. [GOC:bf]' - }, - 'GO:0046329': { - 'name': 'negative regulation of JNK cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signal transduction mediated by the JNK cascade. [GOC:bf]' - }, - 'GO:0046330': { - 'name': 'positive regulation of JNK cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction mediated by the JNK cascade. [GOC:bf]' - }, - 'GO:0046331': { - 'name': 'lateral inhibition', - 'def': 'Signaling between cells of equivalent developmental potential that results in these cells adopting different developmental fates. An example is the suppression by cells with a particular fate of the adoption of the same fate by surrounding cells. [GOC:bf, GOC:kmv]' - }, - 'GO:0046332': { - 'name': 'SMAD binding', - 'def': 'Interacting selectively and non-covalently with a SMAD signaling protein. [GOC:ai]' - }, - 'GO:0046333': { - 'name': 'octopamine metabolic process', - 'def': 'The chemical reactions and pathways involving octopamine, 1-(p-hydroxyphenyl)-2-aminoethanol. The D enantiomer is about one-tenth as active as norepinephrine and is found in the salivary glands of Octopus and Eledone species. [ISBN:0198506732]' - }, - 'GO:0046334': { - 'name': 'octopamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of octopamine, 1-(p-hydroxyphenyl)-2-aminoethanol. The D enantiomer is about one-tenth as active as norepinephrine and is found in the salivary glands of Octopus and Eledone species. [ISBN:0198506732]' - }, - 'GO:0046335': { - 'name': 'ethanolamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ethanolamine (2-aminoethanol), an important water-soluble base of phospholipid (phosphatidylethanolamine). [GOC:ai]' - }, - 'GO:0046336': { - 'name': 'ethanolamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ethanolamine (2-aminoethanol), an important water-soluble base of phospholipid (phosphatidylethanolamine). [GOC:ai]' - }, - 'GO:0046337': { - 'name': 'phosphatidylethanolamine metabolic process', - 'def': 'The chemical reactions and pathways involving phosphatidylethanolamine, any of a class of glycerophospholipids in which a phosphatidyl group is esterified to the hydroxyl group of ethanolamine. It is a major structural phospholipid in mammalian systems. It tends to be more abundant than phosphatidylcholine in the internal membranes of the cell and is an abundant component of prokaryotic membranes. [CHEBI:16038, GOC:curators, ISBN:0198506732]' - }, - 'GO:0046338': { - 'name': 'phosphatidylethanolamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphatidylethanolamine, any of a class of glycerophospholipids in which a phosphatidyl group is esterified to the hydroxyl group of ethanolamine. [ISBN:0198506732]' - }, - 'GO:0046339': { - 'name': 'diacylglycerol metabolic process', - 'def': 'The chemical reactions and pathways involving diacylglycerol, a glyceride in which any two of the R groups (positions not specified) are acyl groups while the remaining R group can be either H or an alkyl group. [CHEBI:18035, GOC:curators]' - }, - 'GO:0046340': { - 'name': 'diacylglycerol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of diacylglycerol, a glyceride in which any two of the R groups (positions not specified) are acyl groups while the remaining R group can be either H or an alkyl group. [CHEBI:18035, GOC:curators]' - }, - 'GO:0046341': { - 'name': 'CDP-diacylglycerol metabolic process', - 'def': 'The chemical reactions and pathways involving CDP-diacylglycerol, CDP-1,2-diacylglycerol, a substance composed of diacylglycerol in glycosidic linkage with cytidine diphosphate. It is a common intermediate in phospholipid biosynthesis. [CHEBI:17962, GOC:curators]' - }, - 'GO:0046342': { - 'name': 'CDP-diacylglycerol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of CDP-diacylglycerol, CDP-1,2-diacylglycerol, a substance composed of diacylglycerol in glycosidic linkage with cytidine diphosphate. [CHEBI:17962, GOC:curators]' - }, - 'GO:0046343': { - 'name': 'streptomycin metabolic process', - 'def': 'The chemical reactions and pathways involving streptomycin, a commonly used antibiotic in cell culture media. It acts only on prokaryotes and blocks transition from initiation complex to chain elongating ribosome. [CHEBI:17076, GOC:curators]' - }, - 'GO:0046344': { - 'name': 'ecdysteroid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ecdysteroids, a group of polyhydroxylated ketosteroids which initiate post-embryonic development. [GOC:ai]' - }, - 'GO:0046345': { - 'name': 'abscisic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of abscisic acid, 5-(1-hydroxy-2,6,6,trimethyl-4-oxocyclohex-2-en-1-y1)-3-methylpenta-2,4-dienoic acid. [GOC:ai]' - }, - 'GO:0046346': { - 'name': 'mannosamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mannosomine, 2-amino-2-deoxymannose; the D-isomer is a constituent of neuraminic acids as well as mucolipids and mucoproteins. [CHEBI:25166, GOC:curators]' - }, - 'GO:0046347': { - 'name': 'mannosamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mannosomine, 2-amino-2-deoxymannose; the D-isomer is a constituent of neuraminic acids as well as mucolipids and mucoproteins. [CHEBI:25166, GOC:curators]' - }, - 'GO:0046348': { - 'name': 'amino sugar catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any amino sugar, sugars containing an amino group in place of a hydroxyl group. [CHEBI:28963, GOC:curators]' - }, - 'GO:0046349': { - 'name': 'amino sugar biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any amino sugar, sugars containing an amino group in place of a hydroxyl group. [CHEBI:28963, GOC:curators]' - }, - 'GO:0046350': { - 'name': 'galactosaminoglycan metabolic process', - 'def': 'The chemical reactions and pathways involving galactosaminoglycans, any one of a group of polysaccharides that contain amino sugars derived from the galactose. [GOC:ai]' - }, - 'GO:0046351': { - 'name': 'disaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of disaccharides, sugars composed of two monosaccharide units. [GOC:ai]' - }, - 'GO:0046352': { - 'name': 'disaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of disaccharides, sugars composed of two monosaccharide units. [GOC:ai]' - }, - 'GO:0046353': { - 'name': 'aminoglycoside 3-N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + aminoglycoside = CoA + 3-N-acetylaminoglycoside. This is acetylation of the 3-amino group of the central deoxystreptamine ring. [GOC:cb]' - }, - 'GO:0046354': { - 'name': 'mannan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mannan, the main hemicellulose of soft (coniferous) wood, made up of D-mannose, D-glucose and D-galactose. [ISBN:0198506732]' - }, - 'GO:0046355': { - 'name': 'mannan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mannan, the main hemicellulose of soft (coniferous) wood, made up of D-mannose, D-glucose and D-galactose. [ISBN:0198506732]' - }, - 'GO:0046356': { - 'name': 'acetyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acetyl-CoA, a derivative of coenzyme A in which the sulfhydryl group is acetylated. [GOC:ai]' - }, - 'GO:0046357': { - 'name': 'galactarate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of galactarate, the anion of galactaric acid. [GOC:pr, ISBN:0198506732]' - }, - 'GO:0046358': { - 'name': 'butyrate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of butyrate, the anion of butyric acid. [ISBN:0198506732]' - }, - 'GO:0046359': { - 'name': 'butyrate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of butyrate, the anion of butyric acid. [ISBN:0198506732]' - }, - 'GO:0046360': { - 'name': '2-oxobutyrate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 2-oxobutyrate, the anion of the organic acid 2-oxobutyric acid, which contains a ketone group on carbon 2. [ISBN:0198506732]' - }, - 'GO:0046361': { - 'name': '2-oxobutyrate metabolic process', - 'def': 'The chemical reactions and pathways involving 2-oxobutyrate, the anion of the organic acid 2-oxobutyric acid, which contains a ketone group on carbon 2. [http://chemfinder.cambridgesoft.com/, ISBN:0198506732]' - }, - 'GO:0046362': { - 'name': 'ribitol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ribitol, a pentitol derived formally by reduction of the -CHO group of either D- or L-ribose. [ISBN:0198506732]' - }, - 'GO:0046363': { - 'name': 'ribitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ribitol, a pentitol derived formally by reduction of the -CHO group of either D- or L-ribose. [ISBN:0198506732]' - }, - 'GO:0046364': { - 'name': 'monosaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of monosaccharides, polyhydric alcohols containing either an aldehyde or a keto group and between three to ten or more carbon atoms. [ISBN:0198506732]' - }, - 'GO:0046365': { - 'name': 'monosaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of monosaccharides, polyhydric alcohols containing either an aldehyde or a keto group and between three to ten or more carbon atoms. [ISBN:0198506732]' - }, - 'GO:0046366': { - 'name': 'allose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of allose, allo-hexose, an aldohexose similar to glucose, differing only in the configuration of the hydroxyl group of C-3. [ISBN:0198506732]' - }, - 'GO:0046367': { - 'name': 'allose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of allose, allo-hexose, an aldohexose similar to glucose, differing only in the configuration of the hydroxyl group of C-3. [ISBN:0198506732]' - }, - 'GO:0046368': { - 'name': 'GDP-L-fucose metabolic process', - 'def': 'The chemical reactions and pathways involving GDP-L-fucose, a substance composed of L-fucose in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0046369': { - 'name': 'galactose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of galactose, the aldohexose galacto-hexose. [ISBN:0198506732]' - }, - 'GO:0046370': { - 'name': 'fructose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fructose, the ketohexose arabino-2-hexulose. [GOC:ai]' - }, - 'GO:0046371': { - 'name': 'dTDP-mannose metabolic process', - 'def': 'The chemical reactions and pathways involving dTDP-mannose, a substance composed of mannose in glycosidic linkage with deoxyribosylthymine diphosphate. [GOC:ai]' - }, - 'GO:0046372': { - 'name': 'D-arabinose metabolic process', - 'def': 'The chemical reactions and pathways involving D-arabinose, the D-enantiomer of arabino-pentose. D-arabinose occurs in plant glycosides and is a constituent of arabinonucleosides. [CHEBI:17108, GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0046373': { - 'name': 'L-arabinose metabolic process', - 'def': 'The chemical reactions and pathways involving L-arabinose, the D-enantiomer of arabino-pentose. L-arabinose occurs free, e.g. in the heartwood of many conifers, and in the combined state, in both furanose and pyranose forms, as a constituent of various plant hemicelluloses, bacterial polysaccharides etc. [CHEBI:30849, GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0046374': { - 'name': 'teichoic acid metabolic process', - 'def': 'The chemical reactions and pathways involving teichoic acid, any polymer occurring in the cell wall, membrane or capsule of Gram-positive bacteria and containing chains of glycerol phosphate or ribitol phosphate residues. [ISBN:0198506732]' - }, - 'GO:0046375': { - 'name': 'K antigen metabolic process', - 'def': 'The chemical reactions and pathways involving K antigen, a capsular polysaccharide antigen carried on the surface of bacterial capsules that masks somatic (O) antigens. [ISBN:0198506732]' - }, - 'GO:0046376': { - 'name': 'GDP-alpha-D-mannosylchitobiosyldiphosphodolichol metabolic process', - 'def': 'The chemical reactions and pathways involving GDP-alpha-D-mannosylchitobiosyldiphosphodolichol, a substance composed of mannosylchitobiosyldiphosphodolichol in glycosidic linkage with guanosine diphosphate. [ISBN:0198506732]' - }, - 'GO:0046377': { - 'name': 'colanic acid metabolic process', - 'def': 'The chemical reactions and pathways involving colanic acid, a capsular bacterial polysaccharide composed of glucose, galactose, fucose and glucuronic acid residues. [GOC:ai, http://www.science.siu.edu/microbiology/micr425/425Notes/02-CellEnv.html]' - }, - 'GO:0046378': { - 'name': 'enterobacterial common antigen metabolic process', - 'def': 'The chemical reactions and pathways involving enterobacterial common antigen, an acidic polysaccharide containing N-acetyl-D-glucosamine, N-acetyl-D-mannosaminouronic acid, and 4-acetamido-4,6-dideoxy-D-galactose. A major component of the cell wall outer membrane of Gram-negative bacteria. [GOC:ma]' - }, - 'GO:0046379': { - 'name': 'extracellular polysaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving polysaccharides used in extracellular structures. [GOC:ai]' - }, - 'GO:0046380': { - 'name': 'N-acetylneuraminate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of N-acetylneuraminate, the anion of 5-(acetylamino)-3,5-dideoxy-D-glycero-D-galacto-non-3-ulosonic acid. [ISBN:0198506732]' - }, - 'GO:0046381': { - 'name': 'CMP-N-acetylneuraminate metabolic process', - 'def': 'The chemical reactions and pathways involving CMP-N-acetylneuraminate, a substance composed of 5-(acetylamino)-3,5-dideoxy-D-glycero-D-galacto-non-3-ulosonic acid in glycosidic linkage with cytidine monophosphate. [GOC:ai]' - }, - 'GO:0046382': { - 'name': 'GDP-D-rhamnose metabolic process', - 'def': 'The chemical reactions and pathways involving GDP-D-rhamnose, a substance composed of rhamnose in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0046383': { - 'name': 'dTDP-rhamnose metabolic process', - 'def': 'The chemical reactions and pathways involving dTDP-rhamnose, a substance composed of rhamnose in glycosidic linkage with deoxyribosylthymine diphosphate. [GOC:ai]' - }, - 'GO:0046384': { - 'name': '2-deoxyribose 1-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving 2-deoxyribose 1-phosphate, the phosphorylated sugar 1-phospho-2-deoxyribose. [ISBN:0198506732]' - }, - 'GO:0046385': { - 'name': 'deoxyribose phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of deoxyribose phosphate, the phosphorylated sugar 2-deoxy-erythro-pentose. [ISBN:0198506732]' - }, - 'GO:0046386': { - 'name': 'deoxyribose phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of deoxyribose phosphate, the phosphorylated sugar 2-deoxy-erythro-pentose. [ISBN:0198506732]' - }, - 'GO:0046387': { - 'name': 'deoxyribose 1,5-bisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving deoxyribose 1,5-bisphosphate, the diphosphorylated sugar 1,5-diphospho-2-deoxyribose. [GOC:ai]' - }, - 'GO:0046389': { - 'name': 'deoxyribose 5-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving deoxyribose 5-phosphate, the phosphorylated sugar 5-phospho-2-deoxyribose. [GOC:ai]' - }, - 'GO:0046390': { - 'name': 'ribose phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ribose phosphate, any phosphorylated ribose sugar. [GOC:ai]' - }, - 'GO:0046391': { - 'name': '5-phosphoribose 1-diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving 5-phosphoribose 1-diphosphate, also known as 5-phosphoribosyl-1-pyrophosphate. [GOC:ai]' - }, - 'GO:0046392': { - 'name': 'galactarate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactarate, the anion of galactaric acid. [GOC:ai, GOC:pr]' - }, - 'GO:0046394': { - 'name': 'carboxylic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of carboxylic acids, any organic acid containing one or more carboxyl (-COOH) groups. [ISBN:0198506732]' - }, - 'GO:0046395': { - 'name': 'carboxylic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carboxylic acids, any organic acid containing one or more carboxyl (-COOH) groups. [ISBN:0198506732]' - }, - 'GO:0046396': { - 'name': 'D-galacturonate metabolic process', - 'def': 'The chemical reactions and pathways involving D-galacturonate, the D-enantiomer of galacturonate, the anion of galacturonic acid. D-galacturonic acid is a component of plant gums and bacterial cell walls. [GOC:ai, GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0046397': { - 'name': 'galacturonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galacturonate, the anion of galacturonic acid. [GOC:ai]' - }, - 'GO:0046398': { - 'name': 'UDP-glucuronate metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-glucuronate, a substance composed of glucuronic acid in glycosidic linkage with uridine diphosphate. [GOC:ai]' - }, - 'GO:0046399': { - 'name': 'glucuronate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucuronate, the anion of glucuronic acid. [GOC:ai]' - }, - 'GO:0046400': { - 'name': 'keto-3-deoxy-D-manno-octulosonic acid metabolic process', - 'def': 'The chemical reactions and pathways involving keto-3-deoxy-D-manno-octulosonic acid, an acidic sugar present in lipopolysaccharides of the outer membranes of some Gram-negative bacteria. [CHEBI:32817, GOC:ai, ISBN:0198506732]' - }, - 'GO:0046401': { - 'name': 'lipopolysaccharide core region metabolic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the core region of bacterial lipopolysaccharides, which contains ten saccharide residues. The structure of this core oligosaccharide appears to be similar in closely related bacterial strains. [ISBN:0198506732]' - }, - 'GO:0046402': { - 'name': 'O antigen metabolic process', - 'def': 'The chemical reactions and pathways involving the O side chain of a lipopolysaccharide, which determines the antigenic specificity of the organism. It is made up of about 50 repeating units of a branched tetrasaccharide. [ISBN:0198506732]' - }, - 'GO:0046403': { - 'name': "polynucleotide 3'-phosphatase activity", - 'def': "Catalysis of the reaction: 3'-phosphopolynucleotide + H2O = a polynucleotide + phosphate. Hydrolyzes the free 3'-phosphate resulting from single strand breaks in DNA due to oxidative damage. [EC:3.1.3.32]" - }, - 'GO:0046404': { - 'name': "ATP-dependent polydeoxyribonucleotide 5'-hydroxyl-kinase activity", - 'def': "Catalysis of the reaction: ATP + 5'-dephospho-DNA = ADP + 5'-phospho-DNA. [EC:2.7.1.78]" - }, - 'GO:0046405': { - 'name': 'glycerol dehydratase activity', - 'def': 'Catalysis of the reaction: glycerol = 3-hydroxypropanal + H2O. [EC:4.2.1.30, PMID:18307109]' - }, - 'GO:0046406': { - 'name': 'magnesium protoporphyrin IX methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + magnesium protoporphyrin IX = S-adenosyl-L-homocysteine + H(+) + magnesium protoporphyrin IX 13-monomethyl ester. [EC:2.1.1.11, RHEA:17812]' - }, - 'GO:0046408': { - 'name': 'chlorophyll synthetase activity', - 'def': 'Catalysis of the reaction: chlorophyllide a + 2 H(+) + phytyl diphosphate = chlorophyll a + diphosphate. [EC:2.5.1.62, RHEA:17320]' - }, - 'GO:0046409': { - 'name': 'p-coumarate 3-hydroxylase activity', - 'def': 'Catalysis of the reaction: shikimate or quinate ester of p-coumaric acid + NADPH + H+ + O2 = caffeic acid conjugate (caffeoyl shikimic acid or chlorogenic acid) + H2O + NADP+. [PMID:11429408, PMID:11891223]' - }, - 'GO:0046410': { - 'name': 'obsolete 2-succinyl-6-hydroxy-2,4-cyclohexadiene-1-carboxylate synthase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: 2-oxoglutarate + isochorismate = 2-succinyl-6-hydroxy-2,4-cyclohexadiene-1-carboxylate + pyruvate + CO2. [EC:2.5.1.64, PMID:1459959]' - }, - 'GO:0046411': { - 'name': '2-keto-3-deoxygluconate transport', - 'def': 'The directed movement of 2-keto-3-deoxygluconate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore by means of some agent such as a transporter or pore. [GOC:go_curators]' - }, - 'GO:0046412': { - 'name': 'phenylmercury acetate metabolic process', - 'def': 'The chemical reactions and pathways involving phenylmercury acetate, an organomercurial compound composed of a mercury atom attached to a benzene ring and an acetate group. [GOC:ai]' - }, - 'GO:0046413': { - 'name': 'organomercury catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of organomercury compounds, any organic compound containing a mercury atom. [GOC:ai]' - }, - 'GO:0046414': { - 'name': 'organomercury biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of organomercury compounds, any organic compound containing a mercury atom. [GOC:ai]' - }, - 'GO:0046415': { - 'name': 'urate metabolic process', - 'def': 'The chemical reactions and pathways involving urate, the anion of uric acid, 2,6,8-trioxypurine, the end product of purine metabolism in certain mammals and the main excretory product in uricotelic animals. [ISBN:0198506732]' - }, - 'GO:0046416': { - 'name': 'D-amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving D-amino acids, the D-enantiomers of amino acids. [GOC:ai, GOC:jsg]' - }, - 'GO:0046417': { - 'name': 'chorismate metabolic process', - 'def': 'The chemical reactions and pathways involving chorismate, the anion of (3R-trans)-3-((1-carboxyethenyl)oxy)-4-hydroxy-1,5-cyclohexadiene-1-carboxylic acid. [ISBN:0198506732]' - }, - 'GO:0046418': { - 'name': 'nopaline metabolic process', - 'def': 'The chemical reactions and pathways involving nopaline, (N-(I-carboxy-4-guanidinobutyl)glutamic acid), a rare amino-acid derivative. [GOC:ai]' - }, - 'GO:0046419': { - 'name': 'octopine metabolic process', - 'def': 'The chemical reactions and pathways involving octopine, (N-(1-carboxy-4-guanidinobutyl)-L-alanine), an amino acid derived opine. [GOC:ai]' - }, - 'GO:0046421': { - 'name': 'methylisocitrate lyase activity', - 'def': 'Catalysis of the reaction: (2S,3R)-3-hydroxybutane-1,2,3-tricarboxylate = pyruvate + succinate. [EC:4.1.3.30, RHEA:16812]' - }, - 'GO:0046422': { - 'name': 'violaxanthin de-epoxidase activity', - 'def': 'Catalysis of the reaction: violaxanthin + 2 ascorbate = zeaxanthin + 2 dehydroascorbate + 2 H2O; and antheraxanthin + ascorbate = zeaxanthin + dehydroascorbate + H2O. [EC:1.10.99.3, GOC:ai, ISBN:0471331309]' - }, - 'GO:0046423': { - 'name': 'allene-oxide cyclase activity', - 'def': 'Catalysis of the reaction: (9Z,13S,15Z)-12,13-epoxyoctadeca-9,11,15-trienoate = (15Z)-12-oxophyto-10,15-dienoate. [EC:5.3.99.6, RHEA:22595]' - }, - 'GO:0046424': { - 'name': 'ferulate 5-hydroxylase activity', - 'def': 'Catalysis of the reaction: ferulic acid + NADPH + H+ + O2 = 5-hydroxyferulic acid + H2O + NADP+. [PMID:8692910, PMID:9880351]' - }, - 'GO:0046425': { - 'name': 'regulation of JAK-STAT cascade', - 'def': 'Any process that modulates the frequency, rate or extent of the JAK-STAT signaling pathway. [GOC:bf]' - }, - 'GO:0046426': { - 'name': 'negative regulation of JAK-STAT cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the JAK-STAT signaling pathway activity. [GOC:bf]' - }, - 'GO:0046427': { - 'name': 'positive regulation of JAK-STAT cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of the JAK-STAT signaling pathway activity. [GOC:bf]' - }, - 'GO:0046428': { - 'name': '1,4-dihydroxy-2-naphthoate octaprenyltransferase activity', - 'def': 'Catalysis of the reaction: 1,4-dihydroxy-2-naphthoate + polyprenylpyrophosphate = dimethylmenaquinone + diphosphate + CO2. [MetaCyc:DMK-RXN]' - }, - 'GO:0046429': { - 'name': '4-hydroxy-3-methylbut-2-en-1-yl diphosphate synthase activity', - 'def': 'Catalysis of the reaction: (E)-4-hydroxy-3-methylbut-2-en-1-yl diphosphate + H2O + 2 oxidized ferredoxin = 2-C-methyl-D-erythritol 2,4-cyclodiphosphate + 2 reduced ferredoxin. [EC:1.17.7.1, PMID:11752431]' - }, - 'GO:0046430': { - 'name': 'non-phosphorylated glucose metabolic process', - 'def': 'The chemical reactions and pathways involving non-phosphorylated forms of glucose. [GOC:ai]' - }, - 'GO:0046431': { - 'name': '(R)-4-hydroxymandelate metabolic process', - 'def': 'The chemical reactions and pathways involving (R)-4-hydroxymandelate, the anion of a hydroxylated derivative of mandelate (alpha-hydroxybenzeneacetate). [GOC:ai, ISBN:0198506732]' - }, - 'GO:0046432': { - 'name': "2'-(5''-triphosphoribosyl)-3'-dephospho-CoA metabolic process", - 'def': "The chemical reactions and pathways involving 2'-(5''-triphosphoribosyl)-3'-dephospho-CoA, a derivative of coenzyme A. [GOC:ai]" - }, - 'GO:0046433': { - 'name': '2-aminoethylphosphonate metabolic process', - 'def': 'The chemical reactions and pathways involving 2-aminoethylphosphonate, most abundant and ubiquitous of naturally occurring phosphonates. It is typically found as a conjugate of glycans, lipids, and proteins, which in turn perform essential biochemical functions in specialized lower organisms. [GOC:ai, PMID:12107130]' - }, - 'GO:0046434': { - 'name': 'organophosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of organophosphates, any phosphate-containing organic compound. [GOC:ai]' - }, - 'GO:0046435': { - 'name': '3-(3-hydroxy)phenylpropionate metabolic process', - 'def': 'The chemical reactions and pathways involving 3-(3-hydroxy)phenylpropionate, a hydroxylated derivative of phenylpropionate. [GOC:ai]' - }, - 'GO:0046436': { - 'name': 'D-alanine metabolic process', - 'def': 'The chemical reactions and pathways involving D-alanine, the D-enantiomer of the amino acid alanine, i.e. (2R)-2-aminopropanoic acid. [CHEBI:15570, GOC:ai, GOC:jsg]' - }, - 'GO:0046437': { - 'name': 'D-amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-amino acids, the D-enantiomers of amino acids. [GOC:ai, GOC:jsg]' - }, - 'GO:0046438': { - 'name': 'D-cysteine metabolic process', - 'def': 'The chemical reactions and pathways involving D-cysteine, (S)-2-amino-3-mercaptopropanoic acid, which occurs naturally in firefly luciferin. [GOC:ai]' - }, - 'GO:0046439': { - 'name': 'L-cysteine metabolic process', - 'def': 'The chemical reactions and pathways involving L-cysteine, the L-enantiomer of 2-amino-3-mercaptopropanoic acid, i.e. (2R)-2-amino-3-mercaptopropanoic acid. [CHEBI:17561, GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0046440': { - 'name': 'L-lysine metabolic process', - 'def': 'The chemical reactions and pathways involving L-lysine, the L-enantiomer of (S)-2,6-diaminohexanoic acid, i.e. (2S)-2,6-diaminohexanoic acid. [CHEBI:18019, GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0046441': { - 'name': 'D-lysine metabolic process', - 'def': 'The chemical reactions and pathways involving D-lysine, the D-enantiomer of lysine; i.e. (2R)-2,6-diaminohexanoic acid. [CHEBI:16855, GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0046442': { - 'name': 'aerobactin metabolic process', - 'def': 'The chemical reactions and pathways involving aerobactin (C22H36N4O13), a hydroxamate iron transport compound. It is a conjugate of 6-(N-acetyl-N-hydroxylamine)-2-aminohexanoic acid and citric acid. [GOC:ai]' - }, - 'GO:0046443': { - 'name': 'FAD metabolic process', - 'def': 'The chemical reactions and pathways involving FAD, the oxidized form of flavin adenine dinucleotide. [CHEBI:16238, ISBN:0198506732]' - }, - 'GO:0046444': { - 'name': 'FMN metabolic process', - 'def': "The chemical reactions and pathways involving FMN, riboflavin 5'-(dihydrogen phosphate), a coenzyme for a number of oxidative enzymes including NADH dehydrogenase. [CHEBI:17621, GOC:ai]" - }, - 'GO:0046445': { - 'name': 'benzyl isoquinoline alkaloid metabolic process', - 'def': 'The chemical reactions and pathways involving benzyl isoquinoline alkaloids, compounds with bicyclic N-containing aromatic rings. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0046446': { - 'name': 'purine alkaloid metabolic process', - 'def': 'The chemical reactions and pathways involving purine alkaloids, compounds derived from purine and composed of an N-containing double ring structure. [GOC:ai]' - }, - 'GO:0046447': { - 'name': 'terpenoid indole alkaloid metabolic process', - 'def': 'The chemical reactions and pathways involving terpenoid indole alkaloids, compounds formed from the condensation of tryptamine (derived from tryptophan) and secologanin (derived from geranyl pyrophosphate). [GOC:ai, http://rycomusa.com/aspp2000/public/P29/0525.html]' - }, - 'GO:0046448': { - 'name': 'tropane alkaloid metabolic process', - 'def': 'The chemical reactions and pathways involving tropane alkaloids, compounds containing the 8-methyl-8-azabicyclo(3.2.1)octane ring system. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0046449': { - 'name': 'creatinine metabolic process', - 'def': 'The chemical reactions and pathways involving creatinine, 2-amino-1,5-dihydro-1-methyl-4H-imidazol-4-one, an end product of creatine metabolism and a normal constituent of urine. [ISBN:0198506732]' - }, - 'GO:0046450': { - 'name': 'dethiobiotin metabolic process', - 'def': 'The chemical reactions and pathways involving dethiobiotin, a derivative of biotin formed by replacing the sulfur atom by two hydrogen atoms. [ISBN:0198506732]' - }, - 'GO:0046451': { - 'name': 'diaminopimelate metabolic process', - 'def': 'The chemical reactions and pathways involving diaminopimelate, the anion of the dicarboxylic acid 2,6-diaminoheptanedioic acid. It is an intermediate in lysine biosynthesis and as a component (as meso-diaminopimelate) of the peptidoglycan of Gram-negative bacterial cell walls. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0046452': { - 'name': 'dihydrofolate metabolic process', - 'def': 'The chemical reactions and pathways involving dihydrofolate, the dihydroxylated derivative of folate. [ISBN:0198506732]' - }, - 'GO:0046453': { - 'name': 'dipyrrin metabolic process', - 'def': 'The chemical reactions and pathways involving dipyrrins (pyrromethanes), compounds containing two pyrrole rings linked through a methine, -CH=, group. [http://www.chem.qmw.ac.uk/iupac/class/tetpy.html#03]' - }, - 'GO:0046454': { - 'name': 'dimethylsilanediol metabolic process', - 'def': 'The chemical reactions and pathways involving dimethylsilanediol, the smallest member of the dialkylsilanediols. Dimethylsilanediol is the monomer of polydimethylsiloxane, a compound which can be found in a wide range of industrial and consumer products. [GOC:ai]' - }, - 'GO:0046455': { - 'name': 'organosilicon catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of organosilicons, any organic compound that contains silicon. [GOC:ai]' - }, - 'GO:0046456': { - 'name': 'icosanoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of icosanoids, any of a group of C20 polyunsaturated fatty acids. [ISBN:0198506732]' - }, - 'GO:0046457': { - 'name': 'prostanoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of prostanoids, any compound based on or derived from the prostanoate structure. [GOC:ai]' - }, - 'GO:0046458': { - 'name': 'hexadecanal metabolic process', - 'def': 'The chemical reactions and pathways involving hexadecanal, the C16 straight chain aldehyde. [http://chemfinder.cambridgesoft.com/]' - }, - 'GO:0046459': { - 'name': 'short-chain fatty acid metabolic process', - 'def': 'The chemical reactions and pathways involving fatty acids with a chain length of less than C6. [CHEBI:26666, ISBN:0198506732]' - }, - 'GO:0046460': { - 'name': 'neutral lipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of neutral lipids, lipids only soluble in solvents of very low polarity. [GOC:ai]' - }, - 'GO:0046461': { - 'name': 'neutral lipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of neutral lipids, lipids only soluble in solvents of very low polarity. [GOC:ai]' - }, - 'GO:0046462': { - 'name': 'monoacylglycerol metabolic process', - 'def': 'The chemical reactions and pathways involving monoacylglycerol, any ester of glycerol in which any one of its hydroxyl groups has been acylated with a fatty acid, the other being non-esterified. [ISBN:0198506732]' - }, - 'GO:0046463': { - 'name': 'acylglycerol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acylglycerol, any mono-, di- or triester of glycerol with (one or more) fatty acids. [GOC:ai]' - }, - 'GO:0046464': { - 'name': 'acylglycerol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of acylglycerol, any mono-, di- or triester of glycerol with (one or more) fatty acids. [GOC:ai]' - }, - 'GO:0046465': { - 'name': 'dolichyl diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving dolichyl diphosphate, a diphosphorylated dolichol derivative. In eukaryotes, these function as carriers of mono- and oligosaccharide residues in the glycosylation of lipids and proteins within intracellular membranes. [ISBN:0198506732]' - }, - 'GO:0046466': { - 'name': 'membrane lipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of membrane lipids, any lipid found in or associated with a biological membrane. [GOC:ai]' - }, - 'GO:0046467': { - 'name': 'membrane lipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of membrane lipids, any lipid found in or associated with a biological membrane. [GOC:ai]' - }, - 'GO:0046468': { - 'name': 'phosphatidyl-N-monomethylethanolamine metabolic process', - 'def': 'The chemical reactions and pathways involving phosphatidyl-N-monomethylethanolamine (PMME), a derivative of phosphatidylethanolamine with a methylated amine group. Present in trace levels in plants and slightly higher in bacteria. [http://www.lipid.co.uk]' - }, - 'GO:0046469': { - 'name': 'platelet activating factor metabolic process', - 'def': 'The chemical reactions and pathways involving platelet activating factor, 1-O-alkyl-2-acetyl-sn-glycerol 3-phosphocholine, where alkyl = hexadecyl or octadecyl. Platelet activating factor is an inflammatory mediator released from a variety of cells in response to various stimuli. [ISBN:0198547684]' - }, - 'GO:0046470': { - 'name': 'phosphatidylcholine metabolic process', - 'def': 'The chemical reactions and pathways involving phosphatidylcholines, any of a class of glycerophospholipids in which the phosphatidyl group is esterified to the hydroxyl group of choline. They are important constituents of cell membranes. [ISBN:0198506732]' - }, - 'GO:0046471': { - 'name': 'phosphatidylglycerol metabolic process', - 'def': 'The chemical reactions and pathways involving phosphatidylglycerols, any of a class of phospholipids in which the phosphatidyl group is esterified to the hydroxyl group of glycerol. They are important constituents of cell membranes. [ISBN:0198506732]' - }, - 'GO:0046473': { - 'name': 'phosphatidic acid metabolic process', - 'def': 'The chemical reactions and pathways involving phosphatidic acid, any derivative of glycerol phosphate in which both the remaining hydroxyl groups of the glycerol moiety are esterified with fatty acids. [ISBN:0198506732]' - }, - 'GO:0046474': { - 'name': 'glycerophospholipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycerophospholipids, any derivative of glycerophosphate that contains at least one O-acyl, O-alkyl, or O-alkenyl group attached to the glycerol residue. [ISBN:0198506732]' - }, - 'GO:0046475': { - 'name': 'glycerophospholipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycerophospholipids, any derivative of glycerophosphate that contains at least one O-acyl, O-alkyl, or O-alkenyl group attached to the glycerol residue. [ISBN:0198506732]' - }, - 'GO:0046476': { - 'name': 'glycosylceramide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycosylceramides, any compound formed by the replacement of the glycosidic hydroxyl group of a cyclic form of a monosaccharide (or derivative) by a ceramide group. [GOC:ai]' - }, - 'GO:0046477': { - 'name': 'glycosylceramide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycosylceramides, any compound formed by the replacement of the glycosidic hydroxyl group of a cyclic form of a monosaccharide (or derivative) by a ceramide group. [GOC:ai]' - }, - 'GO:0046478': { - 'name': 'lactosylceramide metabolic process', - 'def': "The chemical reactions and pathways involving lactosylceramides, Gal-beta-(1->4)-Glc-beta-(1->1') ceramides, any compound formed by the replacement of the glycosidic C1 hydroxyl group of lactose by a ceramide group. They are the precursors of both gangliosides and globosides. [ISBN:0198506732]" - }, - 'GO:0046479': { - 'name': 'glycosphingolipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycosphingolipid, a compound with residues of sphingoid and at least one monosaccharide. [ISBN:0198506732]' - }, - 'GO:0046480': { - 'name': 'galactolipid galactosyltransferase activity', - 'def': 'Catalysis of the reaction: 2 mono-beta-D-galactosyldiacylglycerol = alpha-D-galactosyl-beta-D-galactosyldiacylglycerol + 1,2-diacylglycerol. [EC:2.4.1.184]' - }, - 'GO:0046481': { - 'name': 'digalactosyldiacylglycerol synthase activity', - 'def': 'Catalysis of the reaction: 1,2-diacyl-3-beta-D-galactosyl-sn-glycerol + UDP-D-galactose = 3-[alpha-D-galactosyl-(1->6)-beta-D-galactosyl]-1,2-diacyl-sn-glycerol + H(+) + UDP. [EC:2.4.1.241, RHEA:10523]' - }, - 'GO:0046482': { - 'name': 'para-aminobenzoic acid metabolic process', - 'def': 'The chemical reactions and pathways involving para-aminobenzoic acid, an intermediate in the synthesis of folic acid, a compound which some organisms, e.g. prokaryotes, eukaryotic microbes, and plants, can synthesize de novo. Others, notably mammals, cannot. In yeast, it is present as a factor in the B complex of vitamins. [ISBN:0198506732, PMID:11377864, PMID:11960743]' - }, - 'GO:0046483': { - 'name': 'heterocycle metabolic process', - 'def': 'The chemical reactions and pathways involving heterocyclic compounds, those with a cyclic molecular structure and at least two different atoms in the ring (or rings). [CHEBI:5686, ISBN:0198506732]' - }, - 'GO:0046484': { - 'name': 'oxazole or thiazole metabolic process', - 'def': 'The chemical reactions and pathways involving oxazole or thiazole, five-membered heterocyclic ring structures containing an oxygen and a sulfur, respectively, in the 1-position and a nitrogen in the 3-position. [CHEBI:35790, CHEBI:48901, GOC:curators]' - }, - 'GO:0046485': { - 'name': 'ether lipid metabolic process', - 'def': 'The chemical reactions and pathways involving ether lipids, lipids that contain (normally) one lipid alcohol in ether linkage to one of the carbon atoms (normally C-1) of glycerol. [ISBN:0198506732, PMID:15337120]' - }, - 'GO:0046486': { - 'name': 'glycerolipid metabolic process', - 'def': 'The chemical reactions and pathways involving glycerolipids, any lipid with a glycerol backbone. Diacylglycerol and phosphatidate are key lipid intermediates of glycerolipid biosynthesis. [GOC:ai, PMID:8906569]' - }, - 'GO:0046487': { - 'name': 'glyoxylate metabolic process', - 'def': 'The chemical reactions and pathways involving glyoxylate, the anion of glyoxylic acid, HOC-COOH. [ISBN:0198506732]' - }, - 'GO:0046488': { - 'name': 'phosphatidylinositol metabolic process', - 'def': 'The chemical reactions and pathways involving phosphatidylinositol, any glycophospholipid in which a sn-glycerol 3-phosphate residue is esterified to the 1-hydroxyl group of 1D-myo-inositol. [CHEBI:28874, ISBN:0198506732]' - }, - 'GO:0046490': { - 'name': 'isopentenyl diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving isopentenyl diphosphate, an isomer of dimethylallyl diphosphate and the key precursor of all isoprenoids. [ISBN:0198506732]' - }, - 'GO:0046491': { - 'name': 'L-methylmalonyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving L-methylmalonyl-CoA, the L-enantiomer of 2-carboxypropanoyl-CoA. S-methylmalonyl-CoA is an intermediate in the beta oxidation of odd-numbered fatty acids in animals. [GOC:jsg, GOC:mah, ISBN:0198506732]' - }, - 'GO:0046492': { - 'name': 'heme b metabolic process', - 'def': 'The chemical reactions and pathways involving heme b, a Fe(II) porphyrin complex readily isolated from the hemoglobin of beef blood, but also found in other proteins including other hemoglobins, myoglobins, cytochromes P-450, catalases, peroxidases as well as b type cytochromes. [GOC:yaf, http://www.chem.qmul.ac.uk/iupac/bioinorg/PR.html#25, MetaCyc:PROTOHEME]' - }, - 'GO:0046493': { - 'name': 'lipid A metabolic process', - 'def': 'The chemical reactions and pathways involving lipid A, the glycolipid group of bacterial lipopolysaccharides, consisting of four to six fatty acyl chains linked to two glucosamine residues. Further modifications of the backbone are common. [ISBN:0198506732, PMID:20974832, PMID:22216004]' - }, - 'GO:0046494': { - 'name': 'rhizobactin 1021 metabolic process', - 'def': 'The chemical reactions and pathways involving rhizobactin 1021, (E)-4-((3-(acetylhydroxyamino)propyl)-amino)-2-hydroxy-(2-(2-(3-(hydroxy(1-oxo-2-decenyl)amino)propyl)amino)-2-oxoethyl)-4-oxobutanoic acid, a siderophore produced by Sinorhizobium meliloti. [MetaCyc:PWY-761, PMID:11274118]' - }, - 'GO:0046495': { - 'name': 'nicotinamide riboside metabolic process', - 'def': 'The chemical reactions and pathways involving nicotinamide riboside, the product of the formation of a glycosidic bond between ribose and nicotinamide. [CHEBI:15927, ISBN:0198506732]' - }, - 'GO:0046496': { - 'name': 'nicotinamide nucleotide metabolic process', - 'def': 'The chemical reactions and pathways involving nicotinamide nucleotides, any nucleotide that contains combined nicotinamide. [ISBN:0198506732]' - }, - 'GO:0046497': { - 'name': 'nicotinate nucleotide metabolic process', - 'def': 'The chemical reactions and pathways involving nicotinamide nucleotides, any nucleotide that contains combined nicotinate (pyridine 3-carboxylic acid, or niacin). [ISBN:0198506732]' - }, - 'GO:0046498': { - 'name': 'S-adenosylhomocysteine metabolic process', - 'def': 'The chemical reactions and pathways involving S-adenosylhomocysteine; the L-enantiomer is formed from S-adenosylmethionine and is a strong inhibitor of S-adenosylmethionine-mediated methylation reactions. It can be cleaved to form adenosine and homocysteine. [ISBN:0198506732]' - }, - 'GO:0046499': { - 'name': 'S-adenosylmethioninamine metabolic process', - 'def': 'The chemical reactions and pathways involving S-adenosylmethioninamine, (5-deoxy-5-adenosyl)(3-aminopropyl) methylsulfonium salt. [GOC:mah, MetaCyc:S-ADENOSYLMETHIONINAMINE]' - }, - 'GO:0046500': { - 'name': 'S-adenosylmethionine metabolic process', - 'def': "The chemical reactions and pathways involving S-adenosylmethionine, S-(5'-adenosyl)-L-methionine, an important intermediate in one-carbon metabolism. [GOC:go_curators, ISBN:0198506732]" - }, - 'GO:0046501': { - 'name': 'protoporphyrinogen IX metabolic process', - 'def': 'The chemical reactions and pathways involving protoporphyrinogen IX, the specific substrate for the enzyme ferrochelatase, which catalyzes the insertion of iron to form protoheme. It is probably also the substrate for chlorophyll formation. [ISBN:0198506732]' - }, - 'GO:0046502': { - 'name': 'uroporphyrinogen III metabolic process', - 'def': 'The chemical reactions and pathways involving uroporphyrinogen III, a precursor for synthesis of vitamin B12, chlorophyll, and heme in organisms that produce these compounds. [GOC:ai]' - }, - 'GO:0046503': { - 'name': 'glycerolipid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycerolipids, any lipid with a glycerol backbone. [GOC:ai]' - }, - 'GO:0046504': { - 'name': 'glycerol ether biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycerol ethers, any anhydride formed between two organic hydroxy compounds, one of which is glycerol. [GOC:ai]' - }, - 'GO:0046505': { - 'name': 'sulfolipid metabolic process', - 'def': 'The chemical reactions and pathways involving sulfolipids, any compound containing a sulfonic acid residue joined by a carbon-sulfur bond to a lipid. [PMID:9751667]' - }, - 'GO:0046506': { - 'name': 'sulfolipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sulfolipid, a compound containing a sulfonic acid residue joined by a carbon-sulfur bond to a lipid. [PMID:9751667]' - }, - 'GO:0046507': { - 'name': 'UDPsulfoquinovose synthase activity', - 'def': 'Catalysis of the reaction: sulfite + UDP-D-glucose = H(2)O + UDP-6-sulfoquinovose. [EC:3.13.1.1, RHEA:13200]' - }, - 'GO:0046508': { - 'name': 'hydrolase activity, acting on carbon-sulfur bonds', - 'def': 'Catalysis of the hydrolysis of any carbon-sulfur bond, C-S. [GOC:jl]' - }, - 'GO:0046509': { - 'name': '1,2-diacylglycerol 3-beta-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: 1,2-diacyl-sn-glycerol + UDP-D-galactose = 1,2-diacyl-3-beta-D-galactosyl-sn-glycerol + H(+) + UDP. [EC:2.4.1.46, RHEA:14948]' - }, - 'GO:0046510': { - 'name': 'UDP-sulfoquinovose:DAG sulfoquinovosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-sulfoquinovose + 1,2-diacylglycerol = sulfoquinovosyldiacylglycerol + UDP. [MetaCyc:RXN-1224]' - }, - 'GO:0046511': { - 'name': 'sphinganine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sphinganine, D-erythro-2-amino-1,3-octadecanediol. [GOC:ai]' - }, - 'GO:0046512': { - 'name': 'sphingosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sphingosine (sphing-4-enine), trans-D-erytho-2-amino-octadec-4-ene-1,3-diol, a long chain amino diol sphingoid base that occurs in most sphingolipids in animal tissues. [GOC:ma, ISBN:0198506732]' - }, - 'GO:0046513': { - 'name': 'ceramide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ceramides, any N-acylated sphingoid. [GOC:ai]' - }, - 'GO:0046514': { - 'name': 'ceramide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ceramides, any N-acetylated sphingoid. [GOC:ai]' - }, - 'GO:0046516': { - 'name': 'hypusine metabolic process', - 'def': 'The chemical reactions and pathways involving hypusine, N6-(4-amino-2-hydroxybutyl)-L-lysine. [GOC:ai]' - }, - 'GO:0046517': { - 'name': 'octamethylcyclotetrasiloxane catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of octamethylcyclotetrasiloxane, a cyclic silicone-oxygen ring compound with two methyl groups attached to each silicone atom. [GOC:ai, http://chemfinder.cambridgesoft.com/]' - }, - 'GO:0046518': { - 'name': 'octamethylcyclotetrasiloxane metabolic process', - 'def': 'The chemical reactions and pathways involving octamethylcyclotetrasiloxane, a cyclic silicone-oxygen ring compound with two methyl groups attached to each silicone atom. [GOC:ai, http://chemfinder.cambridgesoft.com/]' - }, - 'GO:0046519': { - 'name': 'sphingoid metabolic process', - 'def': 'The chemical reactions and pathways involving sphingoids, any of a class of compounds comprising sphinganine and its homologues and stereoisomers, and derivatives of these compounds. [ISBN:0198506732]' - }, - 'GO:0046520': { - 'name': 'sphingoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sphingoids, any of a class of compounds comprising sphinganine and its homologues and stereoisomers, and derivatives of these compounds. [ISBN:0198506732]' - }, - 'GO:0046521': { - 'name': 'sphingoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sphingoids, any of a class of compounds comprising sphinganine and its homologues and stereoisomers, and derivatives of these compounds. [ISBN:0198506732]' - }, - 'GO:0046522': { - 'name': 'S-methyl-5-thioribose kinase activity', - 'def': 'Catalysis of the reaction: S-methyl-5-thio-D-ribose + ATP = S-methyl-5-thio-alpha-D-ribose 1-phosphate + ADP + 2 H(+). [EC:2.7.1.100, RHEA:22315]' - }, - 'GO:0046523': { - 'name': 'S-methyl-5-thioribose-1-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: S-methyl-5-thio-alpha-D-ribose 1-phosphate = S-methyl-5-thio-D-ribulose 1-phosphate. [EC:5.3.1.23, RHEA:19992]' - }, - 'GO:0046524': { - 'name': 'sucrose-phosphate synthase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + D-fructose 6-phosphate = UDP + sucrose 6-phosphate. [EC:2.4.1.14]' - }, - 'GO:0046525': { - 'name': 'xylosylprotein 4-beta-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + O-beta-D-xylosylprotein = UDP + 4-beta-D-galactosyl-O-beta-D-xylosylprotein. [EC:2.4.1.133]' - }, - 'GO:0046526': { - 'name': 'D-xylulose reductase activity', - 'def': 'Catalysis of the reaction: NAD(+) + xylitol = D-xylulose + H(+) + NADH. [EC:1.1.1.9, RHEA:20436]' - }, - 'GO:0046527': { - 'name': 'glucosyltransferase activity', - 'def': 'Catalysis of the transfer of a glucosyl group to an acceptor molecule, typically another carbohydrate or a lipid. [ISBN:0198506732]' - }, - 'GO:0046528': { - 'name': 'imaginal disc fusion', - 'def': 'The process following disc eversion whereby imaginal discs fuse with adjacent disc derivatives to form a continuous adult epidermis. [PMID:11494317]' - }, - 'GO:0046529': { - 'name': 'imaginal disc fusion, thorax closure', - 'def': 'The joining of the parts of the wing imaginal discs, giving rise to the adult thorax. [http://sdb.bio.purdue.edu/fly/gene/fos4.htm]' - }, - 'GO:0046530': { - 'name': 'photoreceptor cell differentiation', - 'def': 'The specialization of organization of a photoreceptor, a cell that responds to incident electromagnetic radiation, particularly visible light. An example of this process is found in Drosophila melanogaster. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0046532': { - 'name': 'regulation of photoreceptor cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of photoreceptor cell differentiation. An example of this process is found in Drosophila melanogaster. [GOC:go_curators]' - }, - 'GO:0046533': { - 'name': 'negative regulation of photoreceptor cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of photoreceptor cell differentiation. An example of this process is found in Drosophila melanogaster. [GOC:go_curators]' - }, - 'GO:0046534': { - 'name': 'positive regulation of photoreceptor cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of photoreceptor cell differentiation. An example of this process is found in Drosophila melanogaster. [GOC:go_curators]' - }, - 'GO:0046535': { - 'name': 'detection of chemical stimulus involved in sensory perception of umami taste', - 'def': 'The series of events required for a umami taste stimulus to be received and converted to a molecular signal. Umami taste is the savory taste of meats and other foods that are rich in glutamates. [GOC:ai, GOC:dos, PMID:11894099]' - }, - 'GO:0046536': { - 'name': 'dosage compensation complex', - 'def': 'A protein or protein-RNA complex that localizes to one or more of the sex chromosome(s), where it acts to normalize transcription between different sexes. [GOC:kmv, GOC:mah]' - }, - 'GO:0046537': { - 'name': '2,3-bisphosphoglycerate-independent phosphoglycerate mutase activity', - 'def': 'Catalysis of the reaction: 2-phospho-D-glycerate = 3-phospho-D glycerate; this reaction does not require the cofactor 2,3-bisphosphoglycerate. [EC:5.4.2.1]' - }, - 'GO:0046538': { - 'name': '2,3-bisphosphoglycerate-dependent phosphoglycerate mutase activity', - 'def': 'Catalysis of the reaction: 2-phospho-D-glycerate = 3-phospho-D-glycerate; this reaction requires the cofactor 2,3-bisphosphoglycerate. [EC:5.4.2.1]' - }, - 'GO:0046539': { - 'name': 'histamine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + histamine = N(tau)-methylhistamine + S-adenosyl-L-homocysteine + H(+). [EC:2.1.1.8, RHEA:19304]' - }, - 'GO:0046540': { - 'name': 'U4/U6 x U5 tri-snRNP complex', - 'def': 'A ribonucleoprotein complex formed by the association of the U4/U6 and U5 small nuclear ribonucleoproteins. [GOC:krc, GOC:pr, PMID:11867543]' - }, - 'GO:0046541': { - 'name': 'saliva secretion', - 'def': 'The regulated release of saliva from the salivary glands. In man, the saliva is a turbid and slightly viscous fluid, generally of an alkaline reaction, and is secreted by the parotid, submaxillary, and sublingual glands. In the mouth the saliva is mixed with the secretion from the buccal glands. In man and many animals, saliva is an important digestive fluid on account of the presence of the peculiar enzyme, ptyalin. [GOC:curators, UBERON:0001836]' - }, - 'GO:0046542': { - 'name': 'obsolete alpha-factor export', - 'def': 'OBSOLETE. The directed movement of alpha-factor, one of the two yeast mating factors, out of a cell. [GOC:ai]' - }, - 'GO:0046543': { - 'name': 'development of secondary female sexual characteristics', - 'def': 'The process whose specific outcome is the progression of the secondary female sexual characteristics over time, from their formation to the mature structures. In female humans, these include growth of axillary and pubic hair, breast development and menstrual periods. Their development occurs in response to sex hormone secretion. [GOC:ai]' - }, - 'GO:0046544': { - 'name': 'development of secondary male sexual characteristics', - 'def': 'The process whose specific outcome is the progression of the secondary male sexual characteristics over time, from their formation to the mature structures. In male humans, these include growth of axillary, chest, and pubic hair, voice changes, and testicular/penile enlargement. Development occurs in response to sex hormone secretion. [GOC:ai]' - }, - 'GO:0046545': { - 'name': 'development of primary female sexual characteristics', - 'def': 'The process whose specific outcome is the progression of the primary female sexual characteristics over time, from their formation to the mature structure. The primary female sexual characteristics are the ovaries, and they develop in response to sex hormone secretion. [GOC:ai]' - }, - 'GO:0046546': { - 'name': 'development of primary male sexual characteristics', - 'def': 'The process whose specific outcome is the progression of the primary male sexual characteristics over time, from their formation to the mature structures. The primary male sexual characteristics are the testes, and they develop in response to sex hormone secretion. [GOC:ai]' - }, - 'GO:0046547': { - 'name': 'trans-aconitate 3-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + trans-aconitate = (E)-2-(methoxycarbonylmethyl)but-2-enedioate + S-adenosyl-L-homocysteine. [EC:2.1.1.145, RHEA:22203]' - }, - 'GO:0046548': { - 'name': 'retinal rod cell development', - 'def': 'Development of a rod cell, one of the sensory cells in the eye that reacts to the presence of light. Rod cells contain the photopigment rhodopsin or porphyropsin and are responsible for vision in dim light. [ISBN:0198506732]' - }, - 'GO:0046549': { - 'name': 'retinal cone cell development', - 'def': 'Development of a cone cell, one of the sensory cells in the eye that reacts to the presence of light. Cone cells contain the photopigment iodopsin or cyanopsin and are responsible for photopic (daylight) vision. [ISBN:0198506732]' - }, - 'GO:0046550': { - 'name': "(3-aminopropyl)(L-aspartyl-1-amino)phosphoryl-5'-adenosine biosynthetic process from asparagine", - 'def': "The modification of asparagine to (3-aminopropyl)(L-aspartyl-1-amino)phosphoryl-5'-adenosine as found in microcin C7 produced from the mccA gene in E. coli plasmid pMccC7. [RESID:AA0328]" - }, - 'GO:0046551': { - 'name': 'retinal cone cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a retinal cone cell. A retinal cone cell is one of the two photoreceptor subtypes in a camera-type eye. [GOC:mtg_sensu, PMID:3076112, PMID:3937883]' - }, - 'GO:0046552': { - 'name': 'photoreceptor cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a photoreceptor cell. A photoreceptor cell is a cell that responds to incident electromagnetic radiation. Different classes of photoreceptor have different spectral sensitivities and express different photosensitive pigments. [GOC:mtg_sensu]' - }, - 'GO:0046553': { - 'name': 'D-malate dehydrogenase (decarboxylating) activity', - 'def': 'Catalysis of the reaction: (R)-malate + NAD(+) = CO(2) + NADH + pyruvate. [EC:1.1.1.83, RHEA:18368]' - }, - 'GO:0046554': { - 'name': 'malate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: (S)-malate + NADP+ = oxaloacetate + NADPH + H+. [EC:1.1.1.82]' - }, - 'GO:0046555': { - 'name': 'acetylxylan esterase activity', - 'def': 'Catalysis of the deacetylation of xylans and xylo-oligosaccharides. [EC:3.1.1.72]' - }, - 'GO:0046556': { - 'name': 'alpha-L-arabinofuranosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal non-reducing alpha-L-arabinofuranoside residues in alpha-L-arabinosides. [EC:3.2.1.55, GOC:mf]' - }, - 'GO:0046557': { - 'name': 'glucan endo-1,6-beta-glucosidase activity', - 'def': 'Catalysis of the random hydrolysis of (1->6) linkages in (1->6)-beta-D-glucans. [EC:3.2.1.75]' - }, - 'GO:0046558': { - 'name': 'arabinan endo-1,5-alpha-L-arabinosidase activity', - 'def': 'Catalysis of the endohydrolysis of (1->5)-alpha-arabinofuranosidic linkages in (1->5) arabinans. [EC:3.2.1.99]' - }, - 'GO:0046559': { - 'name': 'alpha-glucuronidase activity', - 'def': 'Catalysis of the reaction: an alpha-D-glucuronoside + H2O = an alcohol + D-glucuronate. [EC:3.2.1.139]' - }, - 'GO:0046560': { - 'name': 'obsolete scytalidopepsin B activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of proteins with broad specificity, cleaving Phe24-Phe, but not Leu15-Tyr and Phe25-Tyr in the B chain of insulin. [EC:3.4.23.32]' - }, - 'GO:0046561': { - 'name': 'obsolete penicillopepsin activity', - 'def': "OBSOLETE. Catalysis of the hydrolysis of proteins with broad specificity similar to that of pepsin A, preferring hydrophobic residues at P1 and P1', but also cleaving Gly20-Glu in the B chain of insulin. Clots milk, and activates trypsinogen. [EC:3.4.23.20]" - }, - 'GO:0046562': { - 'name': 'glucose oxidase activity', - 'def': 'Catalysis of the reaction: beta-D-glucose + O2 = D-glucono-1,5-lactone + H2O2. [EC:1.1.3.4, GOC:mah]' - }, - 'GO:0046563': { - 'name': 'methanol oxidase activity', - 'def': 'Catalysis of the reaction: O2 + methanol = H2O2 + formaldehyde. [MetaCyc:METHANOL-OXIDASE-RXN]' - }, - 'GO:0046564': { - 'name': 'oxalate decarboxylase activity', - 'def': 'Catalysis of the reaction: H(+) + oxalate = CO(2) + formate. [EC:4.1.1.2, RHEA:16512]' - }, - 'GO:0046565': { - 'name': '3-dehydroshikimate dehydratase activity', - 'def': 'Catalysis of the reaction: 3-dehydroshikimate = 3,4-dihydroxybenzoate + H2O. 3,4-dihydroxybenzoate is also known as protocatechuate. [EC:4.2.1.-, MetaCyc:DHSHIKIMATE-DEHYDRO-RXN]' - }, - 'GO:0046566': { - 'name': 'DOPA dioxygenase activity', - 'def': 'Catalysis of the 4,5-ring opening reaction: 3,4-dihydroxyphenylalanine + O2 = 4,5-seco-DOPA. 4,5-seco-DOPA spontaneously recyclizes to form betalamic acid. [PMID:11711071]' - }, - 'GO:0046567': { - 'name': 'aphidicolan-16 beta-ol synthase activity', - 'def': 'Catalysis of the reaction: 9-alpha-copalyl diphosphate + H2O = aphidicolan-16-beta-ol + diphosphate. [EC:4.2.3.42, PMID:12149019]' - }, - 'GO:0046568': { - 'name': '3-methylbutanol:NAD(P) oxidoreductase activity', - 'def': 'Catalysis of the reaction: 3-methylbutanol + NAD(P)+ = 3-methylbutanal + NAD(P)H + H+. 3-methylbutanal is also known as isovaleraldehyde. [EC:1.1.1.265]' - }, - 'GO:0046569': { - 'name': 'glyoxal oxidase activity', - 'def': 'Catalysis of the reaction: glyoxal + O2 + H2O = glyoxalate + H2O2. [EC:1.2.3.-, PMID:11733005]' - }, - 'GO:0046570': { - 'name': 'methylthioribulose 1-phosphate dehydratase activity', - 'def': 'Catalysis of the reaction: S-methyl-5-thio-D-ribulose 1-phosphate = 5-(methylthio)-2,3-dioxopentyl phosphate + H(2)O. [EC:4.2.1.109, RHEA:15552]' - }, - 'GO:0046571': { - 'name': 'aspartate-2-keto-4-methylthiobutyrate transaminase activity', - 'def': 'Catalysis of the reaction: 2-keto-4-methylthiobutyrate + aspartate = methionine + oxaloacetate. [MetaCyc:R15-RXN]' - }, - 'GO:0046572': { - 'name': 'versicolorin B synthase activity', - 'def': 'Catalysis of the reaction: versiconal = versicolorin B + H2O. [MetaCyc:RXN-9494, PMID:8784203]' - }, - 'GO:0046573': { - 'name': 'lactonohydrolase activity', - 'def': 'Catalysis of the hydrolysis of lactone rings (intramolecular cyclic esters) to produce a hydroxyl group and a carboxyl group. [PMID:11640988]' - }, - 'GO:0046574': { - 'name': 'glycuronidase activity', - 'def': 'Catalysis of the hydrolysis of glucuronosides, yielding free glucuronic acid. [PMID:10441389, PMID:12044176]' - }, - 'GO:0046575': { - 'name': 'rhamnogalacturonan acetylesterase activity', - 'def': 'Catalysis of the removal of acetylesters (as acetate) from galacturonic acid residues in the backbone of rhamnogalacturonan. [PMID:10801485]' - }, - 'GO:0046576': { - 'name': 'rhamnogalacturonan alpha-L-rhamnopyranosyl-(1->4)-alpha-D-galactopyranosyluronide lyase activity', - 'def': 'Catalysis of the cleavage of rhamnogalacturonan, generating oligosaccharides of the form alpha-D-us-galacturonic acid-(1,2)-alpha-L-rhamnose-(1,4)-alpha-D-galacturonate-(1,2)-L-rhamnose-(1,2)-alpha-L-rhamnose-p-(1,4)-alpha-D-galacturonic acid, terminating at the non-reducing end with a hex-4-enopyranosyluronic acid residue. [PMID:8587995, PMID:8720076]' - }, - 'GO:0046577': { - 'name': 'long-chain-alcohol oxidase activity', - 'def': 'Catalysis of the reaction: 2 long-chain alcohol + O2 = 2 long-chain aldehyde + 2 H2O. [EC:1.1.3.20]' - }, - 'GO:0046578': { - 'name': 'regulation of Ras protein signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of Ras protein signal transduction. [GOC:bf]' - }, - 'GO:0046579': { - 'name': 'positive regulation of Ras protein signal transduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of Ras protein signal transduction. [GOC:bf]' - }, - 'GO:0046580': { - 'name': 'negative regulation of Ras protein signal transduction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Ras protein signal transduction. [GOC:bf]' - }, - 'GO:0046581': { - 'name': 'intercellular canaliculus', - 'def': 'An extremely narrow tubular channel located between adjacent cells. An instance of this is the secretory canaliculi occurring between adjacent parietal cells in the gastric mucosa of vertebrates. [ISBN:0721662544]' - }, - 'GO:0046583': { - 'name': 'cation efflux transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a cation or cations from the inside of the cell to the outside of the cell across a membrane. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0046584': { - 'name': 'enniatin metabolic process', - 'def': 'The chemical reactions and pathways involving enniatins, any of various cyclodepsipeptide antibiotics from Fusarium species that function as ionophores. [ISBN:0198506732]' - }, - 'GO:0046585': { - 'name': 'enniatin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of enniatins, any of various cyclodepsipeptide antibiotics from Fusarium species that function as ionophores. [ISBN:0198506732]' - }, - 'GO:0046586': { - 'name': 'regulation of calcium-dependent cell-cell adhesion', - 'def': 'Any process that modulates the frequency, rate or extent of the attachment of one cell to another cell via adhesion molecules that require the presence of calcium for the interaction. [GOC:ai]' - }, - 'GO:0046587': { - 'name': 'positive regulation of calcium-dependent cell-cell adhesion', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium-dependent cell-cell adhesion. [GOC:ai]' - }, - 'GO:0046588': { - 'name': 'negative regulation of calcium-dependent cell-cell adhesion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of calcium-dependent cell-cell adhesion. [GOC:ai]' - }, - 'GO:0046589': { - 'name': 'ribonuclease T1 activity', - 'def': "Catalysis of the endonucleolytic cleavage to nucleoside 3'-phosphates and 3'-phosphooligonucleotides ending in Gp with 2',3'-cyclic phosphate intermediates. [EC:3.1.27.3]" - }, - 'GO:0046590': { - 'name': 'obsolete embryonic leg morphogenesis', - 'def': 'OBSOLETE. The process, occurring in the embryo, by which the anatomical structures of the leg are generated and organized. A leg is a limb on which an animal walks and stands. [GOC:bf]' - }, - 'GO:0046591': { - 'name': 'obsolete embryonic leg joint morphogenesis', - 'def': 'OBSOLETE. The process, occurring in the embryo, by which the anatomical structures of the leg joint are generated and organized. A leg joint is a flexible region that separates the rigid sections of a leg to allow movement in a controlled manner. [GOC:bf, ISBN:0582227089, PMID:12051824]' - }, - 'GO:0046592': { - 'name': 'polyamine oxidase activity', - 'def': 'Catalysis of the oxidative degradation or interconversion of polyamines. [EC:1.5.3.11, PMID:1567380]' - }, - 'GO:0046593': { - 'name': 'mandelonitrile lyase activity', - 'def': 'Catalysis of the reaction: mandelonitrile = cyanide + benzaldehyde. [EC:4.1.2.10]' - }, - 'GO:0046594': { - 'name': 'maintenance of pole plasm mRNA location', - 'def': 'The process of maintaining mRNA in a specific location in the oocyte pole plasm. An example of this process is found in Drosophila melanogaster. [GOC:bf, GOC:dph, GOC:tb]' - }, - 'GO:0046595': { - 'name': 'establishment of pole plasm mRNA localization', - 'def': 'Any process that results in the directed movement of mRNA to the oocyte pole plasm. [GOC:bf]' - }, - 'GO:0046596': { - 'name': 'regulation of viral entry into host cell', - 'def': 'Any process that modulates the frequency, rate or extent of the viral entry into the host cell. [GOC:jl]' - }, - 'GO:0046597': { - 'name': 'negative regulation of viral entry into host cell', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the entry of viral entry into a host cell. [GOC:jl]' - }, - 'GO:0046598': { - 'name': 'positive regulation of viral entry into host cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of the introduction of viral entry into the host cell. [GOC:jl]' - }, - 'GO:0046599': { - 'name': 'regulation of centriole replication', - 'def': 'Any process that modulates the frequency, rate or extent of the formation of a daughter centriole of an existing centriole. [GOC:ai]' - }, - 'GO:0046600': { - 'name': 'negative regulation of centriole replication', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of centriole replication. [GOC:ai]' - }, - 'GO:0046601': { - 'name': 'positive regulation of centriole replication', - 'def': 'Any process that activates or increases the frequency, rate or extent of centriole replication. [GOC:ai]' - }, - 'GO:0046602': { - 'name': 'regulation of mitotic centrosome separation', - 'def': 'Any process that modulates the frequency, rate or extent of the separation of duplicated centrosome components at the beginning of mitosis. [GOC:ai]' - }, - 'GO:0046603': { - 'name': 'negative regulation of mitotic centrosome separation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of centrosome separation. [GOC:ai]' - }, - 'GO:0046604': { - 'name': 'positive regulation of mitotic centrosome separation', - 'def': 'Any process that activates or increases the frequency, rate or extent of centrosome separation. [GOC:ai]' - }, - 'GO:0046605': { - 'name': 'regulation of centrosome cycle', - 'def': 'Any process that modulates the frequency, rate or extent of the centrosome cycle, the processes of centrosome duplication and separation. [GOC:ai]' - }, - 'GO:0046606': { - 'name': 'negative regulation of centrosome cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the centrosome cycle. [GOC:ai]' - }, - 'GO:0046607': { - 'name': 'positive regulation of centrosome cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of the centrosome cycle. [GOC:ai]' - }, - 'GO:0046608': { - 'name': 'carotenoid isomerase activity', - 'def': 'Catalysis of the isomerization of poly-cis-carotenoids to all-trans-carotenoids. [PMID:11884677]' - }, - 'GO:0046609': { - 'name': 'voltage-gated sulfate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: sulfate(out) + solute(in) = solute(in) + sulfate(out), by a channel in a cell membrane whose opening is governed by the membrane potential. [GOC:mah]' - }, - 'GO:0046610': { - 'name': 'lysosomal proton-transporting V-type ATPase, V0 domain', - 'def': 'The V0 domain of a proton-transporting V-type ATPase found in the lysosomal membrane. [GOC:mah]' - }, - 'GO:0046611': { - 'name': 'lysosomal proton-transporting V-type ATPase complex', - 'def': 'A proton-transporting two-sector ATPase complex found in the lysosomal membrane, where it acts as a proton pump to mediate acidification of the lysosomal lumen. [GOC:mah, ISBN:0716743663, PMID:16449553]' - }, - 'GO:0046612': { - 'name': 'lysosomal proton-transporting V-type ATPase, V1 domain', - 'def': 'The V1 domain of a proton-transporting V-type ATPase found in the lysosomal membrane. [GOC:mah]' - }, - 'GO:0046615': { - 'name': 'obsolete re-entry into mitotic cell cycle after pheromone arrest (sensu Saccharomyces)', - 'def': 'OBSOLETE. The resumption of the Saccharomyces mitotic cell division cycle by pheromone-arrested cells that have not mated. [GOC:krc, PMID:9927449]' - }, - 'GO:0046617': { - 'name': 'obsolete nucleolar size increase (sensu Saccharomyces)', - 'def': 'OBSOLETE. The process of nucleolar expansion, as seen in Saccharomyces. [GOC:ai]' - }, - 'GO:0046618': { - 'name': 'drug export', - 'def': 'The directed movement of a drug, a substance used in the diagnosis, treatment or prevention of a disease, out of a cell or organelle. [GOC:go_curators]' - }, - 'GO:0046619': { - 'name': 'optic placode formation involved in camera-type eye formation', - 'def': 'Establishment and formation of the optic placode, paired ectodermal placodes that become invaginated to form the embryonic lens vesicles. [GOC:dph, GOC:mtg_sensu, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0046620': { - 'name': 'regulation of organ growth', - 'def': 'Any process that modulates the frequency, rate or extent of growth of an organ of an organism. [GOC:bf, GOC:tb]' - }, - 'GO:0046621': { - 'name': 'negative regulation of organ growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of growth of an organ of an organism. [GOC:bf, GOC:tb]' - }, - 'GO:0046622': { - 'name': 'positive regulation of organ growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of growth of an organ of an organism. [GOC:bf, GOC:tb]' - }, - 'GO:0046623': { - 'name': 'sphingolipid-translocating ATPase activity', - 'def': "Catalysis of the movement of sphingolipids from one membrane face to the other ('flippase' activity), driven by the hydrolysis of ATP. [GOC:ai, PMID:12034738]" - }, - 'GO:0046624': { - 'name': 'sphingolipid transporter activity', - 'def': 'Enables the directed movement of sphingolipids into, out of or within a cell, or between cells. Sphingolipids are a class of lipids containing the long-chain amine diol sphingosine or a closely related base (a sphingoid). [GOC:ai, ISBN:0198506732]' - }, - 'GO:0046625': { - 'name': 'sphingolipid binding', - 'def': 'Interacting selectively and non-covalently with sphingolipids, a class of lipids containing the long-chain amine diol sphingosine or a closely related base (a sphingoid). [ISBN:0198506732]' - }, - 'GO:0046626': { - 'name': 'regulation of insulin receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of insulin receptor signaling. [GOC:bf]' - }, - 'GO:0046627': { - 'name': 'negative regulation of insulin receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of insulin receptor signaling. [GOC:bf]' - }, - 'GO:0046628': { - 'name': 'positive regulation of insulin receptor signaling pathway', - 'def': 'Any process that increases the frequency, rate or extent of insulin receptor signaling. [GOC:bf]' - }, - 'GO:0046629': { - 'name': 'gamma-delta T cell activation', - 'def': 'The change in morphology and behavior of a gamma-delta T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [GOC:add]' - }, - 'GO:0046630': { - 'name': 'gamma-delta T cell proliferation', - 'def': 'The expansion of a gamma-delta T cell population by cell division. [GOC:ai]' - }, - 'GO:0046631': { - 'name': 'alpha-beta T cell activation', - 'def': 'The change in morphology and behavior of an alpha-beta T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [GOC:add]' - }, - 'GO:0046632': { - 'name': 'alpha-beta T cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of an alpha-beta T cell. An alpha-beta T cell is a T cell that expresses an alpha-beta T cell receptor complex. [CL:0000789, GOC:ai]' - }, - 'GO:0046633': { - 'name': 'alpha-beta T cell proliferation', - 'def': 'The expansion of an alpha-beta T cell population by cell division. [GOC:ai]' - }, - 'GO:0046634': { - 'name': 'regulation of alpha-beta T cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of alpha-beta T cell activation. [GOC:ai]' - }, - 'GO:0046635': { - 'name': 'positive regulation of alpha-beta T cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of alpha-beta T cell activation. [GOC:ai]' - }, - 'GO:0046636': { - 'name': 'negative regulation of alpha-beta T cell activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of alpha-beta T cell activation. [GOC:ai]' - }, - 'GO:0046637': { - 'name': 'regulation of alpha-beta T cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of alpha-beta T cell differentiation. [GOC:ai]' - }, - 'GO:0046638': { - 'name': 'positive regulation of alpha-beta T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of alpha-beta T cell differentiation. [GOC:ai]' - }, - 'GO:0046639': { - 'name': 'negative regulation of alpha-beta T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of alpha-beta T cell differentiation. [GOC:ai]' - }, - 'GO:0046640': { - 'name': 'regulation of alpha-beta T cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of alpha-beta T cell proliferation. [GOC:ai]' - }, - 'GO:0046641': { - 'name': 'positive regulation of alpha-beta T cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of alpha-beta T cell proliferation. [GOC:ai]' - }, - 'GO:0046642': { - 'name': 'negative regulation of alpha-beta T cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of alpha-beta T cell proliferation. [GOC:ai]' - }, - 'GO:0046643': { - 'name': 'regulation of gamma-delta T cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of gamma-delta T cell activation. [GOC:ai]' - }, - 'GO:0046644': { - 'name': 'negative regulation of gamma-delta T cell activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of gamma-delta T cell activation. [GOC:ai]' - }, - 'GO:0046645': { - 'name': 'positive regulation of gamma-delta T cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of gamma-delta T cell activation. [GOC:ai]' - }, - 'GO:0046646': { - 'name': 'regulation of gamma-delta T cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of gamma-delta T cell proliferation. [GOC:ai]' - }, - 'GO:0046647': { - 'name': 'negative regulation of gamma-delta T cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of gamma-delta T cell proliferation. [GOC:ai]' - }, - 'GO:0046648': { - 'name': 'positive regulation of gamma-delta T cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of gamma-delta T cell proliferation. [GOC:ai]' - }, - 'GO:0046649': { - 'name': 'lymphocyte activation', - 'def': 'A change in morphology and behavior of a lymphocyte resulting from exposure to a specific antigen, mitogen, cytokine, chemokine, cellular ligand, or soluble factor. [GOC:mgi_curators, ISBN:0781735140]' - }, - 'GO:0046651': { - 'name': 'lymphocyte proliferation', - 'def': 'The expansion of a lymphocyte population by cell division. [GOC:ai]' - }, - 'GO:0046653': { - 'name': 'tetrahydrofolate metabolic process', - 'def': 'The chemical reactions and pathways involving tetrahydrofolate, 5,6,7,8-tetrahydrofolic acid, a folate derivative bearing additional hydrogens on the pterin group. [ISBN:0198506732]' - }, - 'GO:0046654': { - 'name': 'tetrahydrofolate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tetrahydrofolate, 5,6,7,8-tetrahydrofolic acid, a folate derivative bearing additional hydrogens on the pterin group. [ISBN:0198506732]' - }, - 'GO:0046655': { - 'name': 'folic acid metabolic process', - 'def': 'The chemical reactions and pathways involving folic acid, pteroylglutamic acid. Folic acid is widely distributed as a member of the vitamin B complex and is essential for the synthesis of purine and pyrimidines. [ISBN:0198506732]' - }, - 'GO:0046656': { - 'name': 'folic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of folic acid, pteroylglutamic acid. [GOC:ai]' - }, - 'GO:0046657': { - 'name': 'folic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of folic acid, pteroylglutamic acid. [GOC:ai]' - }, - 'GO:0046658': { - 'name': 'anchored component of plasma membrane', - 'def': 'The component of the plasma membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group, that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos, GOC:mah]' - }, - 'GO:0046659': { - 'name': 'digestive hormone activity', - 'def': 'The action characteristic of a hormone that takes part in the digestion process. [GOC:ai]' - }, - 'GO:0046660': { - 'name': 'female sex differentiation', - 'def': 'The establishment of the sex of a female organism by physical differentiation. [GOC:bf]' - }, - 'GO:0046661': { - 'name': 'male sex differentiation', - 'def': 'The establishment of the sex of a male organism by physical differentiation. [GOC:bf]' - }, - 'GO:0046662': { - 'name': 'regulation of oviposition', - 'def': 'Any process that modulates the frequency, rate or extent of the deposition of eggs, either fertilized or not, upon a surface or into a medium. [GOC:ai]' - }, - 'GO:0046663': { - 'name': 'dorsal closure, leading edge cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a leading edge cell, the dorsal-most cells of the epidermis that migrates during dorsal closure. [GOC:ai, PMID:12147138]' - }, - 'GO:0046664': { - 'name': 'dorsal closure, amnioserosa morphology change', - 'def': 'The changes that occur during dorsal closure of the shape and structure of the amnioserosa, an epithelium that occupies the dorsal side of the embryo. [PMID:12147138]' - }, - 'GO:0046665': { - 'name': 'amnioserosa maintenance', - 'def': 'Maintenance of the amnioserosa, an epithelium that occupies a hole in the embryonic dorsal epidermis. [GOC:bf]' - }, - 'GO:0046666': { - 'name': 'retinal cell programmed cell death', - 'def': 'Programmed cell death that occurs in the developing retina. [GOC:bf]' - }, - 'GO:0046667': { - 'name': 'compound eye retinal cell programmed cell death', - 'def': 'Programmed cell death that occurs in the retina to remove excess cells between ommatidia, thus resulting in a hexagonal lattice, precise with respect to cell number and position surrounding each ommatidium. [PMID:12006672]' - }, - 'GO:0046668': { - 'name': 'regulation of retinal cell programmed cell death', - 'def': 'Any process that modulates the frequency, rate or extent of programmed cell death that occurs in the retina. [GOC:ai, GOC:tb]' - }, - 'GO:0046669': { - 'name': 'regulation of compound eye retinal cell programmed cell death', - 'def': 'Any process that modulates the frequency, rate or extent of programmed cell death that occurs in the compound eye retina. [GOC:ai]' - }, - 'GO:0046670': { - 'name': 'positive regulation of retinal cell programmed cell death', - 'def': 'Any process that activates or increases the frequency, rate or extent of programmed cell death that occurs in the retina. [GOC:ai, GOC:tb]' - }, - 'GO:0046671': { - 'name': 'negative regulation of retinal cell programmed cell death', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of programmed cell death that occurs in the retina. [GOC:ai, GOC:tb]' - }, - 'GO:0046672': { - 'name': 'positive regulation of compound eye retinal cell programmed cell death', - 'def': 'Any process that activates or increases the frequency, rate or extent of programmed cell death that occurs in the compound eye retina. [GOC:ai]' - }, - 'GO:0046673': { - 'name': 'negative regulation of compound eye retinal cell programmed cell death', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of programmed cell death that occurs in the compound eye retina. [GOC:ai]' - }, - 'GO:0046676': { - 'name': 'negative regulation of insulin secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of insulin. [GOC:ai]' - }, - 'GO:0046677': { - 'name': 'response to antibiotic', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an antibiotic stimulus. An antibiotic is a chemical substance produced by a microorganism which has the capacity to inhibit the growth of or to kill other microorganisms. [GOC:ai, GOC:ef]' - }, - 'GO:0046678': { - 'name': 'response to bacteriocin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bacteriocin stimulus. A bacteriocin is a protein substance released by certain bacteria that kills but does not lyse closely related strains of bacteria. Specific bacteriocins attach to specific receptors on cell walls and induce specific metabolic block, e.g. cessation of nucleic acid or protein synthesis of oxidative phosphorylation. [ISBN:0721662544]' - }, - 'GO:0046679': { - 'name': 'response to streptomycin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a streptomycin stimulus. Streptomycin is a commonly used antibiotic in cell culture media which acts only on prokaryotes and blocks transition from initiation complex to chain elongating ribosome. [CHEBI:17076, GOC:curators]' - }, - 'GO:0046680': { - 'name': 'response to DDT', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a DDT stimulus. DDT, dichlorodiphenyltrichloroethane, is a chlorinated hydrocarbon pesticide moderately toxic to humans and other animals. [ISBN:0721662544]' - }, - 'GO:0046681': { - 'name': 'response to carbamate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carbamate stimulus. Carbamates are a group of insecticides and parasiticides that act by inhibiting cholinesterase. [ISBN:0721662544]' - }, - 'GO:0046682': { - 'name': 'response to cyclodiene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cyclodiene stimulus. A cyclodiene is any organic insecticide (as dieldrin or chlordane) with a chlorinated methylene group forming a bridge across a 6-membered carbon ring. [ISBN:0877797099]' - }, - 'GO:0046683': { - 'name': 'response to organophosphorus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an organophosphorus stimulus. Organophosphorus is a compound containing phosphorus bound to an organic molecule; several organophosphorus compounds are used as insecticides, and they are highly toxic cholinesterase inhibitors. [ISBN:0721662544]' - }, - 'GO:0046684': { - 'name': 'response to pyrethroid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pyrethroid stimulus. Pyrethroids are a group of growth regulators, analogous to insect juvenile hormones, that interfere with the development of insect larvae and are used in the control of insects that are harmful in the adult stage. [ISBN:0721662544]' - }, - 'GO:0046685': { - 'name': 'response to arsenic-containing substance', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an arsenic stimulus from compounds containing arsenic, including arsenates, arsenites, and arsenides. [GOC:hjd, ISBN:0721662544]' - }, - 'GO:0046686': { - 'name': 'response to cadmium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cadmium (Cd) ion stimulus. [GOC:ai]' - }, - 'GO:0046687': { - 'name': 'response to chromate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chromate stimulus. [ISBN:0721662544]' - }, - 'GO:0046688': { - 'name': 'response to copper ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a copper ion stimulus. [GOC:ai]' - }, - 'GO:0046689': { - 'name': 'response to mercury ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mercury ion stimulus. [GOC:ai]' - }, - 'GO:0046690': { - 'name': 'response to tellurium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tellurium ion stimulus. [GOC:ai]' - }, - 'GO:0046691': { - 'name': 'intracellular canaliculus', - 'def': 'An apical plasma membrane part that forms a narrow enfolded luminal membrane channel, lined with numerous microvilli, that appears to extend into the cytoplasm of the cell. A specialized network of intracellular canaliculi is a characteristic feature of parietal cells of the gastric mucosa in vertebrates. [GOC:mah, ISBN:0721662544, PMID:10700045]' - }, - 'GO:0046692': { - 'name': 'sperm competition', - 'def': 'Any process that contributes to the success of sperm fertilization in multiply-mated females. [PMID:10885514]' - }, - 'GO:0046693': { - 'name': 'sperm storage', - 'def': 'The retention of sperm by a female following mating. [PMID:10885514]' - }, - 'GO:0046694': { - 'name': 'sperm incapacitation', - 'def': 'The process in which the use of stored sperm from the first-mating male is inhibited by the seminal fluid of subsequently mating males. [PMID:10440373]' - }, - 'GO:0046695': { - 'name': 'SLIK (SAGA-like) complex', - 'def': 'A SAGA-type histone acetyltransferase complex that contains Rtg2 and a smaller form of Spt7 than the fungal SAGA complex, and lacks Spt8. The complex is involved in the yeast retrograde response pathway, which is important for gene expression changes during mitochondrial dysfunction. [PMID:12101232, PMID:12186975, PMID:17337012]' - }, - 'GO:0046696': { - 'name': 'lipopolysaccharide receptor complex', - 'def': 'A multiprotein complex that consists of at least three proteins, CD14, TLR4, and MD-2, each of which is glycosylated and which functions as a lipopolysaccharide (LPS) receptor that primes the innate immune response against bacterial pathogens. [PMID:11706042, PMID:9665271]' - }, - 'GO:0046697': { - 'name': 'decidualization', - 'def': 'The cellular and vascular changes occurring in the endometrium of the pregnant uterus just after the onset of blastocyst implantation. This process involves the proliferation and differentiation of the fibroblast-like endometrial stromal cells into large, polyploid decidual cells that eventually form the maternal component of the placenta. [ISBN:0721662544, PMID:11133685]' - }, - 'GO:0046700': { - 'name': 'heterocycle catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of heterocyclic compounds, those with a cyclic molecular structure and at least two different atoms in the ring (or rings). [GOC:ai]' - }, - 'GO:0046701': { - 'name': 'insecticide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of insecticides, chemicals used to kill insects. [GOC:ai]' - }, - 'GO:0046702': { - 'name': 'galactoside 6-L-fucosyltransferase activity', - 'def': 'Catalysis of the transfer of an L-fucosyl group from GDP-beta-L-fucose to a galactoside acceptor molecule, usually an N-glycan, to form an alpha(1,6)-fucosylated galactoside. [PMID:12413479]' - }, - 'GO:0046703': { - 'name': 'natural killer cell lectin-like receptor binding', - 'def': 'Interacting selectively and non-covalently with a lectin-like natural killer cell receptor. [GOC:ai]' - }, - 'GO:0046704': { - 'name': 'CDP metabolic process', - 'def': "The chemical reactions and pathways involving CDP, cytidine (5'-)diphosphate. [GOC:ai]" - }, - 'GO:0046705': { - 'name': 'CDP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of CDP, cytidine (5'-)diphosphate. [GOC:ai]" - }, - 'GO:0046706': { - 'name': 'CDP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of CDP, cytidine (5'-)diphosphate. [GOC:ai]" - }, - 'GO:0046707': { - 'name': 'IDP metabolic process', - 'def': "The chemical reactions and pathways involving IDP, inosine 5'-diphosphate. [GOC:ai]" - }, - 'GO:0046708': { - 'name': 'IDP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of IDP, inosine 5'-diphosphate. [GOC:ai]" - }, - 'GO:0046709': { - 'name': 'IDP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of IDP, inosine 5'-diphosphate. [GOC:ai]" - }, - 'GO:0046710': { - 'name': 'GDP metabolic process', - 'def': "The chemical reactions and pathways involving GDP, guanosine 5'-diphosphate. [GOC:ai]" - }, - 'GO:0046711': { - 'name': 'GDP biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of GDP, guanosine 5'-diphosphate. [GOC:ai]" - }, - 'GO:0046712': { - 'name': 'GDP catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of GDP, guanosine 5'-diphosphate. [GOC:ai]" - }, - 'GO:0046713': { - 'name': 'borate transport', - 'def': 'The directed movement of borate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Borate is the anion (BO3)3-; boron is a group 13 element, with properties which are borderline between metals and non-metals. [CHEBI:22908, GOC:curators, http://www.webelements.com/]' - }, - 'GO:0046714': { - 'name': 'borate binding', - 'def': 'Interacting selectively and non-covalently with borate, the anion (BO3)3-. [CHEBI:22908, GOC:curators]' - }, - 'GO:0046715': { - 'name': 'borate transmembrane transporter activity', - 'def': 'Enables the transport of borate across a membrane against the concentration gradient. [PMID:12447444]' - }, - 'GO:0046716': { - 'name': 'muscle cell cellular homeostasis', - 'def': 'The cellular homeostatic process that preserves a muscle cell in a stable functional or structural state. [GOC:mah, PMID:3091429, PMID:7781901]' - }, - 'GO:0046717': { - 'name': 'acid secretion', - 'def': 'The controlled release of acid by a cell or a tissue. [GOC:ai]' - }, - 'GO:0046718': { - 'name': 'viral entry into host cell', - 'def': 'The process that occurs after viral attachment by which a virus, or viral nucleic acid, breaches the plasma membrane or cell envelope and enters the host cell. The process ends when the viral nucleic acid is released into the host cell cytoplasm. [GOC:jl]' - }, - 'GO:0046719': { - 'name': 'regulation by virus of viral protein levels in host cell', - 'def': 'Any virus-mediated process that modulates the levels of viral proteins in a cell. [GOC:ai]' - }, - 'GO:0046720': { - 'name': 'citric acid secretion', - 'def': 'The controlled release of citric acid, 2-hydroxy-1,2,3-propanetricarboxylic acid, by a cell or a tissue. [GOC:ai]' - }, - 'GO:0046721': { - 'name': 'formic acid secretion', - 'def': 'The controlled release of formic acid, HCOOH, by a cell or a tissue. [GOC:ai]' - }, - 'GO:0046722': { - 'name': 'lactic acid secretion', - 'def': 'The controlled release of lactic acid, 2-hydroxypropanoic acid, by a cell or a tissue. [GOC:ai]' - }, - 'GO:0046723': { - 'name': 'malic acid secretion', - 'def': 'The controlled release of malic acid, hydroxybutanedioic (hydroxysuccinic) acid, by a cell or a tissue. [GOC:ai]' - }, - 'GO:0046724': { - 'name': 'oxalic acid secretion', - 'def': 'The controlled release of oxalic acid, ethanedioic acid, by a cell or a tissue. [GOC:ai]' - }, - 'GO:0046725': { - 'name': 'negative regulation by virus of viral protein levels in host cell', - 'def': 'Any process where the infecting virus reduces the levels of viral proteins in a cell. [GOC:ai]' - }, - 'GO:0046726': { - 'name': 'positive regulation by virus of viral protein levels in host cell', - 'def': 'Any process where the infecting virus increases the levels of viral proteins in a cell. [GOC:ai]' - }, - 'GO:0046727': { - 'name': 'capsomere', - 'def': 'Any of the protein subunits that comprise the closed shell or coat (capsid) of certain viruses. [ISBN:0198506732]' - }, - 'GO:0046729': { - 'name': 'viral procapsid', - 'def': 'A stable empty viral capsid produced during the assembly of viruses. [ISBN:0072370319, ISBN:1555811272]' - }, - 'GO:0046730': { - 'name': 'induction of host immune response by virus', - 'def': 'The induction by a virus of an immune response in the host organism. [ISBN:0781802976]' - }, - 'GO:0046731': { - 'name': 'passive induction of host immune response by virus', - 'def': 'The unintentional stimulation by a virus of a host defense response to viral infection, as part of the viral infectious cycle. [ISBN:0781802976]' - }, - 'GO:0046732': { - 'name': 'active induction of host immune response by virus', - 'def': 'The intentional, virally-encoded stimulation of a host defense response to viral infection. [ISBN:0781802976]' - }, - 'GO:0046733': { - 'name': 'passive induction of host humoral immune response by virus', - 'def': 'The unintentional stimulation by a virus of a host humoral defense response to viral infection, as part of the viral infectious cycle. [ISBN:0781802976]' - }, - 'GO:0046734': { - 'name': 'passive induction of host cell-mediated immune response by virus', - 'def': 'The unintentional stimulation by a virus of a cell-mediated host defense response to viral infection, as part of the viral infectious cycle. [ISBN:0781802976]' - }, - 'GO:0046735': { - 'name': 'passive induction of host innate immune response by virus', - 'def': 'The unintentional stimulation by a virus of an innate host defense response to viral infection, as part of the viral infectious cycle. [GOC:go_curators, ISBN:0781802976]' - }, - 'GO:0046736': { - 'name': 'active induction of humoral immune response in host by virus', - 'def': 'The intentional, virally-encoded stimulation of a host humoral defense response to viral infection. [ISBN:0781802976]' - }, - 'GO:0046737': { - 'name': 'active induction of cell-mediated immune response in host by virus', - 'def': 'The intentional, virally-encoded stimulation of a cell-mediated host defense response to viral infection. [ISBN:0781802976]' - }, - 'GO:0046738': { - 'name': 'active induction of innate immune response in host by virus', - 'def': 'The intentional, virally-encoded stimulation of an innate host defense response to viral infection. [ISBN:0781802976]' - }, - 'GO:0046739': { - 'name': 'transport of virus in multicellular host', - 'def': 'The transport of a virus between cells in a multicellular organism. The cells can be adjacent or spatially separated (e.g. in different tissues or organs). [GOC:bf, GOC:jl, ISBN:0781718325]' - }, - 'GO:0046740': { - 'name': 'transport of virus in host, cell to cell', - 'def': 'The transport of a virus between adjacent cells in a multicellular organism. [GOC:bf, GOC:jl, ISBN:0781718325]' - }, - 'GO:0046741': { - 'name': 'transport of virus in host, tissue to tissue', - 'def': 'The transport of a virus between tissues in a multicellular organism. [GOC:bf, GOC:jl, ISBN:0781718325]' - }, - 'GO:0046745': { - 'name': 'viral capsid secondary envelopment', - 'def': 'The process in which a capsid acquires another membrane envelope, subsequent to acquiring an initial membrane envelope. [ISBN:0072370319, ISBN:0781718325, PMID:11533156]' - }, - 'GO:0046752': { - 'name': 'viral capsid precursor transport to host cell nucleus', - 'def': 'Any process in which viral capsid precursors are transported to a specific location in the nucleus, thus accumulating the necessary components for assembly of a capsid. [ISBN:0781718325]' - }, - 'GO:0046753': { - 'name': 'non-lytic viral release', - 'def': 'The exit of a viral particle from a cell that does not involve cell lysis. [GOC:bf, GOC:jl, ISBN:0072370319]' - }, - 'GO:0046754': { - 'name': 'viral exocytosis', - 'def': 'The exit of enveloped or unenveloped virion particles from the host cell by exocytosis, without causing cell lysis. [ISBN:0072370319]' - }, - 'GO:0046755': { - 'name': 'viral budding', - 'def': 'A viral process by which enveloped viruses acquire a host-derived membrane enriched in viral proteins to form their external envelope. The process starts when nucleocapsids, assembled or in the process of being built, induce formation of a membrane curvature in the host plasma or organelle membrane and wrap up in the forming bud. The process ends when the bud is eventually pinched off by membrane scission to release the enveloped particle into the lumenal or extracellular space. [ISBN:0781718325, VZ:1947]' - }, - 'GO:0046757': { - 'name': 'obsolete lytic virus budding from ER membrane', - 'def': 'OBSOLETE. A form of viral release in which the nucleocapsid evaginates from the host endoplasmic reticulum membrane system, resulting in envelopment of the virus and cell lysis. [ISBN:0072370319]' - }, - 'GO:0046758': { - 'name': 'obsolete lytic virus budding from Golgi membrane', - 'def': 'OBSOLETE. A form of viral release in which the nucleocapsid evaginates from the host Golgi membrane system, resulting in envelopment of the virus and cell lysis. [ISBN:0072370319]' - }, - 'GO:0046759': { - 'name': 'obsolete lytic virus budding from plasma membrane', - 'def': 'OBSOLETE. A form of viral release in which the nucleocapsid evaginates from the host nuclear membrane system, resulting in envelopment of the virus and cell lysis. [ISBN:0072370319]' - }, - 'GO:0046760': { - 'name': 'viral budding from Golgi membrane', - 'def': 'A viral budding that starts with formation of a membrane curvature in the host Golgi membrane. [GOC:bf, ISBN:0072370319, VZ:1947]' - }, - 'GO:0046761': { - 'name': 'viral budding from plasma membrane', - 'def': 'A viral budding that starts with formation of a membrane curvature in the host plasma membrane. [GOC:bf, ISBN:0072370319, PMID:9394621, VZ:1947]' - }, - 'GO:0046762': { - 'name': 'viral budding from ER membrane', - 'def': 'A viral budding that starts with formation of a membrane curvature in the host ER membrane. [GOC:bf, GOC:jl, ISBN:0072370319, VZ:1947]' - }, - 'GO:0046765': { - 'name': 'viral budding from nuclear membrane', - 'def': 'A viral budding that starts with formation of a membrane curvature in the host nuclear membrane. [GOC:bf, ISBN:0072370319]' - }, - 'GO:0046771': { - 'name': 'viral budding from inner nuclear membrane', - 'def': 'The envelopment of a virus, in which the nucleocapsid evaginates from the host inner nuclear membrane system into the perinuclear space, thus acquiring a membrane envelope. [ISBN:0072370319]' - }, - 'GO:0046772': { - 'name': 'viral budding from outer nuclear membrane', - 'def': 'The envelopment of a virus, in which the nucleocapsid evaginates from the host outer nuclear membrane system, thus acquiring a membrane envelope. [ISBN:0072370319]' - }, - 'GO:0046773': { - 'name': 'suppression by virus of host translation termination', - 'def': 'Any viral process that stops, prevents, or reduces the frequency, rate or extent of translational termination of a host mRNA. [ISBN:0781718325]' - }, - 'GO:0046774': { - 'name': 'suppression by virus of host intracellular interferon activity', - 'def': 'Any viral process that results in the inhibition of interferon activity within the host cell. [PMID:10859382]' - }, - 'GO:0046775': { - 'name': 'suppression by virus of host cytokine production', - 'def': 'Any viral process that results in the inhibition of host cell cytokine production. [PMID:10859382]' - }, - 'GO:0046776': { - 'name': 'suppression by virus of host antigen processing and presentation of peptide antigen via MHC class I', - 'def': 'Any viral process that inhibits a host antigen-presenting cell expressing a peptide antigen on its cell surface in association with an MHC class I protein complex. Class I here refers to classical class I molecules. [GOC:add, GOC:bf, PMID:10859382, UniProtKB-KW:KW-1115, VZ:819]' - }, - 'GO:0046777': { - 'name': 'protein autophosphorylation', - 'def': 'The phosphorylation by a protein of one or more of its own amino acid residues (cis-autophosphorylation), or residues on an identical protein (trans-autophosphorylation). [ISBN:0198506732]' - }, - 'GO:0046778': { - 'name': 'modification by virus of host mRNA processing', - 'def': 'Any viral process that interferes with the processing of mRNA in the host cell. [ISBN:0781718325]' - }, - 'GO:0046779': { - 'name': 'suppression by virus of expression of host genes with introns', - 'def': 'Any viral process that discriminates against and subsequently inhibits host transcripts containing introns, thus allowing only intronless viral mRNA to be fully processed. [PMID:11598019]' - }, - 'GO:0046780': { - 'name': 'suppression by virus of host mRNA splicing', - 'def': 'Any viral process that inhibits the splicing of host mRNA, thus reducing host protein production. [ISBN:0781718325, PMID:19729513]' - }, - 'GO:0046782': { - 'name': 'regulation of viral transcription', - 'def': 'Any process that modulates the frequency, rate or extent of the transcription of the viral genome. [GOC:ai]' - }, - 'GO:0046783': { - 'name': 'modification by virus of host polysomes', - 'def': 'Any viral process that interferes with and inhibits the assembly and function of polysomes. [PMID:10438802]' - }, - 'GO:0046784': { - 'name': 'viral mRNA export from host cell nucleus', - 'def': 'The directed movement of intronless viral mRNA from the host nucleus to the cytoplasm for translation. [PMID:11598019]' - }, - 'GO:0046785': { - 'name': 'microtubule polymerization', - 'def': 'The addition of tubulin heterodimers to one or both ends of a microtubule. [GOC:ai, GOC:go_curators]' - }, - 'GO:0046786': { - 'name': 'viral replication complex formation and maintenance', - 'def': 'The process of organizing and assembling viral replication proteins in preparation for viral replication. [ISBN:0781718325]' - }, - 'GO:0046787': { - 'name': 'viral DNA repair', - 'def': 'The process of restoring viral DNA after damage or errors in replication. [ISBN:0781718325]' - }, - 'GO:0046789': { - 'name': 'host cell surface receptor binding', - 'def': 'Interacting selectively and non-covalently with a receptor on the host cell surface. [GOC:ai, PMID:11511370]' - }, - 'GO:0046790': { - 'name': 'virion binding', - 'def': 'Interacting selectively and non-covalently with a virion, either by binding to components of the capsid or the viral envelope. [GOC:ai]' - }, - 'GO:0046791': { - 'name': 'obsolete suppression by virus of host complement neutralization', - 'def': 'OBSOLETE. Any viral process that results in the inhibition of complement neutralization of the host cell. [PMID:10587354]' - }, - 'GO:0046792': { - 'name': 'suppression by virus of host cell cycle arrest', - 'def': 'Viral interference in host cell processes that lead cell cycle arrest, allowing cell division to occur. [PMID:9371605]' - }, - 'GO:0046793': { - 'name': 'induction by virus of phosphorylation of host RNA polymerase II', - 'def': 'Any process in which a virus activates the frequency, rate or extent of phosphorylation of host RNA polymerase II. [PMID:7637000]' - }, - 'GO:0046794': { - 'name': 'transport of virus', - 'def': 'The directed movement of a virus, or part of a virus, into, out of, or within a host cell. [GOC:ai]' - }, - 'GO:0046797': { - 'name': 'viral procapsid maturation', - 'def': 'The refolding and structural rearrangements of individual capsid subunits to transition from the intermediate procapsid, to the more stable capsid structure. [GOC:bf, PMID:10627558, PMID:19204733]' - }, - 'GO:0046798': { - 'name': 'viral portal complex', - 'def': 'A multimeric ring of proteins through which the DNA enters and exits the viral capsid. [PMID:11602732]' - }, - 'GO:0046799': { - 'name': 'recruitment of helicase-primase complex to DNA lesions', - 'def': 'The recruitment of the helicase-primase complex to viral DNA lesions during viral DNA repair. [ISBN:0781718325]' - }, - 'GO:0046800': { - 'name': 'obsolete enhancement of virulence', - 'def': 'OBSOLETE. Any process that activates or increases the severity of viral infection and subsequent disease. [PMID:10587354]' - }, - 'GO:0046802': { - 'name': 'exit of virus from host cell nucleus by nuclear egress', - 'def': 'The directed movement of an assembled viral particle out of the host cell nucleus by budding and fusion through the nuclear membranes. In this process, enveloped viral particles are formed by budding through the inner nuclear membrane. These perinuclear enveloped particles then fuse with the outer nuclear membrane to deliver a naked capsid into the host cytoplasm. [PMID:21494278, PMID:22858153, PMID:9601512, PMID:9765421, VZ:1952]' - }, - 'GO:0046803': { - 'name': 'obsolete reduction of virulence', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the severity of viral infection and subsequent disease. [PMID:10982346]' - }, - 'GO:0046804': { - 'name': 'peptide cross-linking via (2S,3S,4Xi,6R)-3-methyl-lanthionine sulfoxide', - 'def': 'The formation of a protein-protein cross-link between peptidyl-threonine and peptidyl-cysteine by the synthesis of (2S,3S,4Xi,6R)-3-methyl-lanthionine sulfoxide (3-methyl-L-lanthionine sulfoxide), as found in the antibiotic actagardine. [RESID:AA0330]' - }, - 'GO:0046805': { - 'name': "protein-heme linkage via 1'-L-histidine", - 'def': "The covalent linkage of heme and a protein via 1'-L-histidine (otherwise known as tau-heme-histidine, tele-heme-histidine). [RESID:AA0329]" - }, - 'GO:0046806': { - 'name': 'viral scaffold', - 'def': 'A complex of proteins that form a scaffold around which the viral capsid is constructed. [ISBN:0072370319]' - }, - 'GO:0046807': { - 'name': 'viral scaffold assembly and maintenance', - 'def': 'The assembly and maintenance of the viral scaffold around which the viral capsid is constructed. [ISBN:0072370319]' - }, - 'GO:0046808': { - 'name': 'assemblon', - 'def': 'Antigenically dense structures located at the periphery of nuclei, close to but not abutting nuclear membranes. Assemblons contain the proteins for immature-capsid assembly; they are located at the periphery of a diffuse structure composed of proteins involved in DNA synthesis, which overlaps only minimally with the assemblons. More than one site can be present simultaneously. [PMID:8676489]' - }, - 'GO:0046809': { - 'name': 'replication compartment', - 'def': 'Globular nuclear domains where the transcription and replication of the viral genome occurs. More than one site can be present simultaneously. [PMID:9499108, VZ:1951]' - }, - 'GO:0046810': { - 'name': 'host cell extracellular matrix binding', - 'def': 'Interacting selectively and non-covalently with the extracellular matrix of a host cell. [PMID:7996163]' - }, - 'GO:0046811': { - 'name': 'histone deacetylase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of histone deacetylase, which catalyzes of the removal of acetyl groups from histones, proteins complexed to DNA in chromatin and chromosomes. [GOC:ai, PMID:10482575]' - }, - 'GO:0046812': { - 'name': 'host cell surface binding', - 'def': 'Interacting selectively and non-covalently with the surface of a host cell. [GOC:ai]' - }, - 'GO:0046813': { - 'name': 'receptor-mediated virion attachment to host cell', - 'def': 'The process by which a virion attaches to a host cell by binding to a receptor on the host cell surface. [ISBN:0879694971]' - }, - 'GO:0046814': { - 'name': 'coreceptor-mediated virion attachment to host cell', - 'def': 'The process by which a virion attaches to a host cell by binding to a co-receptor on the host cell surface. [ISBN:0879694971]' - }, - 'GO:0046815': { - 'name': 'genome retention in viral capsid', - 'def': 'Any process in which the viral genome is retained within the capsid during genome cleavage and packaging. [PMID:9696839]' - }, - 'GO:0046816': { - 'name': 'virion transport vesicle', - 'def': 'A vesicle used to transport the partial or complete virion between cellular compartments. [GOC:vesicles, PMID:7933124]' - }, - 'GO:0046817': { - 'name': 'chemokine receptor antagonist activity', - 'def': 'Interacts with chemokine receptors to reduce the action of a chemokine. [GOC:ai, ISBN:0781718325]' - }, - 'GO:0046818': { - 'name': 'dense nuclear body', - 'def': 'A location in the host cell nucleus where viral proteins colocalize late in infection prior to the onset of viral DNA synthesis. More than one site can be present simultaneously. [PMID:10233976]' - }, - 'GO:0046819': { - 'name': 'protein secretion by the type V secretion system', - 'def': 'The process in which proteins mediate their own secretion across the outer membrane through a beta-barrel pore structure formed by the C-terminal domain of the protein precursor. Following passage across the outer membrane, the mature protein is released from the pore by an autocatalytic activity. Proteins secreted by the Type V system are first translocated across the plasma membrane by the Sec pathway. [GOC:pamgo_curators]' - }, - 'GO:0046820': { - 'name': '4-amino-4-deoxychorismate synthase activity', - 'def': 'Catalysis of the reaction: L-glutamine + chorismate = 4-amino-4-deoxychorismate + L-glutamate. It is composed of two enzymatic activities (which may be present on one or two polypeptides); the first is a glutaminase which yields ammonia from glutamine, releasing glutamate. The ammonia is used by the second activity which catalyzes the amination of chorismate to form 4-amino-4-deoxychorismate. [EC:2.6.1.85, RHEA:11675]' - }, - 'GO:0046821': { - 'name': 'extrachromosomal DNA', - 'def': 'DNA structures that are not part of a chromosome. [GOC:ai]' - }, - 'GO:0046822': { - 'name': 'regulation of nucleocytoplasmic transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of substances between the nucleus and the cytoplasm. [GOC:bf]' - }, - 'GO:0046823': { - 'name': 'negative regulation of nucleocytoplasmic transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of substances between the cytoplasm and the nucleus. [GOC:bf]' - }, - 'GO:0046824': { - 'name': 'positive regulation of nucleocytoplasmic transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of substances between the nucleus and the cytoplasm. [GOC:bf]' - }, - 'GO:0046825': { - 'name': 'regulation of protein export from nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of proteins from the nucleus to the cytoplasm. [GOC:bf]' - }, - 'GO:0046826': { - 'name': 'negative regulation of protein export from nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of proteins from the nucleus into the cytoplasm. [GOC:bf]' - }, - 'GO:0046827': { - 'name': 'positive regulation of protein export from nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of directed movement of proteins from the nucleus into the cytoplasm. [GOC:bf]' - }, - 'GO:0046828': { - 'name': 'regulation of RNA import into nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of movement of RNA from the cytoplasm to the nucleus. [GOC:bf]' - }, - 'GO:0046829': { - 'name': 'negative regulation of RNA import into nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the movement of RNA from the cytoplasm into the nucleus. [GOC:bf]' - }, - 'GO:0046830': { - 'name': 'positive regulation of RNA import into nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of movement of RNA from the cytoplasm into the nucleus. [GOC:bf]' - }, - 'GO:0046831': { - 'name': 'regulation of RNA export from nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of RNA from the nucleus to the cytoplasm. [GOC:bf]' - }, - 'GO:0046832': { - 'name': 'negative regulation of RNA export from nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of RNA from the nucleus into the cytoplasm. [GOC:bf]' - }, - 'GO:0046833': { - 'name': 'positive regulation of RNA export from nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of directed movement of RNA from the nucleus into the cytoplasm. [GOC:bf]' - }, - 'GO:0046834': { - 'name': 'lipid phosphorylation', - 'def': 'The process of introducing one or more phosphate groups into a lipid, any member of a group of substances soluble in lipid solvents but only sparingly soluble in aqueous solvents. [GOC:bf, ISBN:0198506732]' - }, - 'GO:0046835': { - 'name': 'carbohydrate phosphorylation', - 'def': 'The process of introducing a phosphate group into a carbohydrate, any organic compound based on the general formula Cx(H2O)y. [ISBN:0198506732]' - }, - 'GO:0046836': { - 'name': 'glycolipid transport', - 'def': 'The directed movement of glycolipids, compounds containing (usually) 1-4 linked monosaccharide residues joined by a glycosyl linkage to a lipid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0046838': { - 'name': 'phosphorylated carbohydrate dephosphorylation', - 'def': 'The process of removing a phosphate group from a phosphorylated carbohydrate, any organic compound based on the general formula Cx(H2O)y with a phosphate group attached to it. [ISBN:0198506732]' - }, - 'GO:0046839': { - 'name': 'phospholipid dephosphorylation', - 'def': 'The process of removing one or more phosphate groups from a phosphorylated lipid, any member of a group of substances soluble in lipid solvents but only sparingly soluble in aqueous solvents. [ISBN:0198506732]' - }, - 'GO:0046841': { - 'name': 'trisporic acid metabolic process', - 'def': 'The chemical reactions and pathways involving trisporic acid, a carotenoic acid derivative used as a pheromone in some species of Zygomycota. [GOC:ai]' - }, - 'GO:0046842': { - 'name': 'trisporic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of trisporic acid. [GOC:ai]' - }, - 'GO:0046843': { - 'name': 'dorsal appendage formation', - 'def': 'Establishment of the dorsal filaments, elaborate specializations of the chorion that protrude from the anterior end of the egg and facilitate embryonic respiration. [ISBN:0879694238]' - }, - 'GO:0046844': { - 'name': 'micropyle formation', - 'def': 'Establishment of the micropyle, a single cone-shaped specialization of the chorion that allows sperm entry into the egg prior to fertilization. [ISBN:0879694238]' - }, - 'GO:0046845': { - 'name': 'branched duct epithelial cell fate determination, open tracheal system', - 'def': 'Allocation of a set number of cells to each primary branch in an open tracheal system, prior to the onset of cell migration. This establishes different domains of cells within the tracheal placode. [GOC:mtg_sensu, PMID:10684581]' - }, - 'GO:0046847': { - 'name': 'filopodium assembly', - 'def': 'The assembly of a filopodium, a thin, stiff protrusion extended by the leading edge of a motile cell such as a crawling fibroblast or amoeba, or an axonal growth cone. [GOC:dph, GOC:mah, GOC:tb, PMID:16337369, PMID:18464790]' - }, - 'GO:0046848': { - 'name': 'hydroxyapatite binding', - 'def': 'Interacting selectively and non-covalently with hydroxyapatite, the calcium phosphate mineral of formula Ca10(PO4)6(OH)2 found both in rocks of nonorganic origin and as a component of bone and dentin. [CHEBI:52255, GOC:curators]' - }, - 'GO:0046849': { - 'name': 'bone remodeling', - 'def': 'The continuous turnover of bone matrix and mineral that involves first, an increase in resorption (osteoclastic activity) and later, reactive bone formation (osteoblastic activity). The process of bone remodeling takes place in the adult skeleton at discrete foci. The process ensures the mechanical integrity of the skeleton throughout life and plays an important role in calcium homeostasis. An imbalance in the regulation of bone resorption and bone formation results in many of the metabolic bone diseases, such as osteoporosis. [GOC:curators]' - }, - 'GO:0046850': { - 'name': 'regulation of bone remodeling', - 'def': 'Any process that modulates the frequency, rate or extent of bone remodeling, the processes of bone formation and resorption that combine to maintain skeletal integrity. [GOC:ai]' - }, - 'GO:0046851': { - 'name': 'negative regulation of bone remodeling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of bone remodeling. [GOC:ai]' - }, - 'GO:0046852': { - 'name': 'positive regulation of bone remodeling', - 'def': 'Any process that activates or increases the frequency, rate or extent of bone remodeling. [GOC:ai]' - }, - 'GO:0046853': { - 'name': 'obsolete inositol or phosphatidylinositol phosphorylation', - 'def': 'OBSOLETE. The process of introducing a phosphate group into inositol or a phosphatidylinositol. Inositol is the cyclic alcohol 1,2,3,4,5,6-cyclohexanehexol, which is widely distributed in nature and acts as a growth factor in animals and microorganisms. [CHEBI:24848, ISBN:0198506732]' - }, - 'GO:0046854': { - 'name': 'phosphatidylinositol phosphorylation', - 'def': 'The process of introducing one or more phosphate groups into a phosphatidylinositol, any glycerophosphoinositol having one phosphatidyl group esterified to one of the hydroxy groups of inositol. [ISBN:0198506732]' - }, - 'GO:0046855': { - 'name': 'inositol phosphate dephosphorylation', - 'def': 'The process of removing a phosphate group from any mono- or polyphosphorylated inositol. [ISBN:0198506732]' - }, - 'GO:0046856': { - 'name': 'phosphatidylinositol dephosphorylation', - 'def': 'The process of removing one or more phosphate groups from a phosphatidylinositol. [ISBN:0198506732]' - }, - 'GO:0046857': { - 'name': 'oxidoreductase activity, acting on other nitrogenous compounds as donors, with NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a nitrogenous group, excluding NH and NH2 groups, acts as a hydrogen or electron donor and reduces NAD or NADP. [GOC:jl]' - }, - 'GO:0046858': { - 'name': 'chlorosome', - 'def': 'A large enclosure of aggregated pigment, typically bacteriochlorophyll c (BChl c), that acts as a light-harvesting antenna structure and is characteristic of green photosynthetic bacteria (e.g. Chlorobiaceae). The BChl aggregates are organized into lamellar elements by pigment-pigment rather than pigment-protein interactions. Chlorosomes also contain BChl a, carotenoids, quinones, lipids, and proteins, and are attached to the cytoplasmic membrane via a BChl a-containing protein baseplate. [ISBN:0198506732, PMID:14729689, PMID:15298919]' - }, - 'GO:0046859': { - 'name': 'hydrogenosomal membrane', - 'def': 'The lipid bilayer surrounding a hydrogenosome. [GOC:ai]' - }, - 'GO:0046860': { - 'name': 'glycosome membrane', - 'def': 'The lipid bilayer surrounding a glycosome. [GOC:ai]' - }, - 'GO:0046861': { - 'name': 'glyoxysomal membrane', - 'def': 'The lipid bilayer surrounding a glyoxysome. [GOC:ai]' - }, - 'GO:0046862': { - 'name': 'chromoplast membrane', - 'def': 'Either of the lipid bilayers that surround a chromoplast and form the chromoplast envelope. [GOC:ai, GOC:mah]' - }, - 'GO:0046863': { - 'name': 'ribulose-1,5-bisphosphate carboxylase/oxygenase activator activity', - 'def': 'Increases the activity of rubisco by the removal of otherwise inhibitory sugar phosphates: RuBP, and in some plants, 2-carboxyarabinitol 1-phosphate. [PMID:10430961, PMID:10965036, PMID:2404515]' - }, - 'GO:0046864': { - 'name': 'isoprenoid transport', - 'def': 'The directed movement of isoprenoids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Isoprenoids comprise a group of compounds containing or derived from linked isoprene (3-methyl-2-butenylene) residues. [GOC:ai]' - }, - 'GO:0046865': { - 'name': 'terpenoid transport', - 'def': 'The directed movement of terpenoids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Terpenoids are a class of compounds characterized by an isoprenoid chemical structure and include derivatives with various functional groups. [GOC:ai]' - }, - 'GO:0046866': { - 'name': 'tetraterpenoid transport', - 'def': 'The directed movement of tetraterpenoids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Tetraterpenoids are terpenoids with eight isoprene units. [GOC:ai]' - }, - 'GO:0046867': { - 'name': 'carotenoid transport', - 'def': 'The directed movement of carotenoids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Carotenoids are tetraterpenoid compounds in which two units of 4 isoprenoid residues joined head-to-tail are themselves joined tail-to-tail. [GOC:ai]' - }, - 'GO:0046868': { - 'name': 'mesosome', - 'def': 'An intracellular, often complex, membranous structure, sometimes with additional membranous lamellae inside, found in bacteria. They are associated with synthesis of DNA and secretion of proteins. [ISBN:0198506732, ISBN:0716731363]' - }, - 'GO:0046869': { - 'name': 'iron incorporation into iron-sulfur cluster via tris-L-cysteinyl-L-aspartato diiron disulfide', - 'def': 'The incorporation of iron into a 2Fe-2S iron-sulfur cluster via tris-L-cysteinyl-L-aspartato diiron disulfide. [RESID:AA0331]' - }, - 'GO:0046870': { - 'name': 'cadmium ion binding', - 'def': 'Interacting selectively and non-covalently with cadmium (Cd) ions. [GOC:ai]' - }, - 'GO:0046871': { - 'name': 'N-acetylgalactosamine binding', - 'def': 'Interacting selectively and non-covalently with N-acetylgalactosamine, 2-acetamido-2-deoxygalactopyranose, the n-acetyl derivative of galactosamine. [CHEBI:28800, GOC:ai]' - }, - 'GO:0046872': { - 'name': 'metal ion binding', - 'def': 'Interacting selectively and non-covalently with any metal ion. [GOC:ai]' - }, - 'GO:0046873': { - 'name': 'metal ion transmembrane transporter activity', - 'def': 'Enables the transfer of metal ions from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0046874': { - 'name': 'quinolinate metabolic process', - 'def': 'The chemical reactions and pathways involving quinolinate, the anion of quinolinic acid, also known as 2,3-pyridinedicarboxylic acid. [GOC:ai]' - }, - 'GO:0046875': { - 'name': 'ephrin receptor binding', - 'def': 'Interacting selectively and non-covalently with an ephrin receptor. [GOC:ai]' - }, - 'GO:0046876': { - 'name': '3,4-didehydroretinal binding', - 'def': 'Interacting selectively and non-covalently with 3,4-didehydroretinal, a form of retinal that plays a role in the visual process in freshwater fish and some amphibians analogous to that of all-trans retinal in other vertebrates. 3,4-didehydro-11-cis-retinal combines with an opsin to form cyanopsin (cone) or porphyropsin (rod). [GOC:ai, ISBN:0198506732]' - }, - 'GO:0046877': { - 'name': 'regulation of saliva secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of saliva from a cell or a tissue. [GOC:ai]' - }, - 'GO:0046878': { - 'name': 'positive regulation of saliva secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of saliva. [GOC:ai]' - }, - 'GO:0046879': { - 'name': 'hormone secretion', - 'def': 'The regulated release of hormones, substances with a specific regulatory effect on a particular organ or group of cells. [ISBN:0198506732]' - }, - 'GO:0046880': { - 'name': 'regulation of follicle-stimulating hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of follicle-stimulating hormone. [GOC:ai]' - }, - 'GO:0046881': { - 'name': 'positive regulation of follicle-stimulating hormone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of follicle-stimulating hormone. [GOC:ai]' - }, - 'GO:0046882': { - 'name': 'negative regulation of follicle-stimulating hormone secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of follicle-stimulating hormone. [GOC:ai]' - }, - 'GO:0046883': { - 'name': 'regulation of hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of a hormone from a cell. [GOC:ai]' - }, - 'GO:0046884': { - 'name': 'follicle-stimulating hormone secretion', - 'def': 'The regulated release of follicle-stimulating hormone, a gonadotropic glycoprotein hormone secreted by the anterior pituitary. [ISBN:0198506732]' - }, - 'GO:0046885': { - 'name': 'regulation of hormone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of hormones. [GOC:ai]' - }, - 'GO:0046886': { - 'name': 'positive regulation of hormone biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of hormones. [GOC:ai]' - }, - 'GO:0046887': { - 'name': 'positive regulation of hormone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of a hormone from a cell. [GOC:ai]' - }, - 'GO:0046888': { - 'name': 'negative regulation of hormone secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of a hormone from a cell. [GOC:ai]' - }, - 'GO:0046889': { - 'name': 'positive regulation of lipid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of lipids. [GOC:ai]' - }, - 'GO:0046890': { - 'name': 'regulation of lipid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of lipids. [GOC:ai]' - }, - 'GO:0046891': { - 'name': 'peptidyl-cysteine S-carbamoylation', - 'def': 'The carbamoylation of peptidyl-cysteine to form peptidyl-S-carbamoyl-L-cysteine. [RESID:AA0332]' - }, - 'GO:0046892': { - 'name': 'peptidyl-S-carbamoyl-L-cysteine dehydration', - 'def': 'The dehydration of peptidyl-S-carbamoyl-L-cysteine to form peptidyl-S-cyano-L-cysteine. [PMID:12586941, RESID:AA0333]' - }, - 'GO:0046893': { - 'name': 'iron incorporation into hydrogenase diiron subcluster via L-cysteine ligation', - 'def': 'The incorporation of iron into an L-cysteinyl diiron subcluster, found in Fe-hydrogenase. [RESID:AA0334]' - }, - 'GO:0046894': { - 'name': 'enzyme active site formation via S-amidino-L-cysteine', - 'def': 'Active site formation via the transient amidinylation of peptidyl-cysteine to form peptidyl-S-amidino-L-cysteine. [RESID:AA0335]' - }, - 'GO:0046895': { - 'name': 'N-terminal peptidyl-isoleucine methylation', - 'def': 'The methylation of the N-terminal isoleucine of proteins to form the derivative N-methyl-L-isoleucine. [RESID:AA0336]' - }, - 'GO:0046896': { - 'name': 'N-terminal peptidyl-leucine methylation', - 'def': 'The methylation of the N-terminal leucine of proteins to form the derivative N-methyl-L-leucine. [RESID:AA0337]' - }, - 'GO:0046897': { - 'name': 'N-terminal peptidyl-tyrosine methylation', - 'def': 'The methylation of the N-terminal tyrosine of proteins to form the derivative N-methyl-L-tyrosine. [RESID:AA0338]' - }, - 'GO:0046898': { - 'name': 'response to cycloheximide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cycloheximide stimulus. Cycloheximide (actidione) is an antibiotic produced by some Streptomyces species which interferes with protein synthesis in eukaryotes. [CHEBI:27641, GOC:ef, ISBN:0198506732]' - }, - 'GO:0046899': { - 'name': 'nucleoside triphosphate adenylate kinase activity', - 'def': 'Catalysis of the reaction: nucleoside triphosphate + AMP = nucleoside diphosphate + ADP. [EC:2.7.4.10]' - }, - 'GO:0046900': { - 'name': 'tetrahydrofolylpolyglutamate metabolic process', - 'def': 'The chemical reactions and pathways involving tetrahydrofolylpolyglutamate, a folate derivative comprising tetrahydrofolate attached to a chain of glutamate residues. [GOC:ai]' - }, - 'GO:0046901': { - 'name': 'tetrahydrofolylpolyglutamate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tetrahydrofolylpolyglutamate, a folate derivative comprising tetrahydrofolate attached to a chain of glutamate residues. [GOC:ai]' - }, - 'GO:0046902': { - 'name': 'regulation of mitochondrial membrane permeability', - 'def': 'Any process that modulates the frequency, rate or extent of the passage or uptake of molecules by the mitochondrial membrane. [GOC:bf]' - }, - 'GO:0046903': { - 'name': 'secretion', - 'def': 'The controlled release of a substance by a cell or a tissue. [GOC:ai]' - }, - 'GO:0046904': { - 'name': 'calcium oxalate binding', - 'def': 'Interacting selectively and non-covalently with calcium oxalate, CaC2O4, a salt of oxalic acid. In animals, it may be excreted in urine or retained in the form of urinary calculi. [ISBN:0721662544]' - }, - 'GO:0046905': { - 'name': 'phytoene synthase activity', - 'def': 'Catalysis of the reaction: prephytoene pyrophosphate = phytoene + diphosphate. [GOC:ai, PMID:12641468]' - }, - 'GO:0046906': { - 'name': 'tetrapyrrole binding', - 'def': 'Interacting selectively and non-covalently with a tetrapyrrole, a compound containing four pyrrole nuclei variously substituted and linked to each other through carbons at the alpha position. [CHEBI:26932, GOC:curators, ISBN:0198506732]' - }, - 'GO:0046907': { - 'name': 'intracellular transport', - 'def': 'The directed movement of substances within a cell. [GOC:ai]' - }, - 'GO:0046908': { - 'name': 'obsolete negative regulation of crystal formation', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the spontaneous (nonenzymatic) formation of crystals in a solution, for example, calcium oxalate crystals in urine. [GOC:ai]' - }, - 'GO:0046909': { - 'name': 'intermembrane transport', - 'def': 'The directed movement of substances between any membrane of a cell, including the plasma membrane and its regions. [GOC:ai, GOC:pr, PMID:10671554]' - }, - 'GO:0046910': { - 'name': 'pectinesterase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of any pectinesterase enzyme. [GOC:ai, PMID:10880981]' - }, - 'GO:0046911': { - 'name': 'metal chelating activity', - 'def': 'The formation of bonds from two or more atoms within the same ligand to a metal atom in complexes in which the metal is part of a ring. [ISBN:0198506732, ISBN:0716731363]' - }, - 'GO:0046912': { - 'name': 'transferase activity, transferring acyl groups, acyl groups converted into alkyl on transfer', - 'def': 'Catalysis of the transfer of an acyl group from one compound (donor) to another (acceptor), with the acyl group being converted into alkyl on transfer. [GOC:jl]' - }, - 'GO:0046914': { - 'name': 'transition metal ion binding', - 'def': 'Interacting selectively and non-covalently with a transition metal ions; a transition metal is an element whose atom has an incomplete d-subshell of extranuclear electrons, or which gives rise to a cation or cations with an incomplete d-subshell. Transition metals often have more than one valency state. Biologically relevant transition metals include vanadium, manganese, iron, copper, cobalt, nickel, molybdenum and silver. [ISBN:0198506732]' - }, - 'GO:0046915': { - 'name': 'transition metal ion transmembrane transporter activity', - 'def': 'Enables the transfer of transition metal ions from one side of a membrane to the other. A transition metal is an element whose atom has an incomplete d-subshell of extranuclear electrons, or which gives rise to a cation or cations with an incomplete d-subshell. Transition metals often have more than one valency state. Biologically relevant transition metals include vanadium, manganese, iron, copper, cobalt, nickel, molybdenum and silver. [ISBN:0198506732]' - }, - 'GO:0046916': { - 'name': 'cellular transition metal ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of transition metal ions at the level of a cell. A transition metal is an element whose atom has an incomplete d-subshell of extranuclear electrons, or which gives rise to a cation or cations with an incomplete d-subshell. Transition metals often have more than one valency state. Biologically relevant transition metals include vanadium, manganese, iron, copper, cobalt, nickel, molybdenum and silver. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0046917': { - 'name': 'triphosphoribosyl-dephospho-CoA synthase activity', - 'def': "Catalysis of the reaction: ATP + 3-dephospho-CoA = 2'-(5''-triphosphoribosyl)-3'-dephospho-CoA + adenine. [EC:2.7.8.25]" - }, - 'GO:0046918': { - 'name': 'N-terminal peptidyl-glycine N-palmitoylation', - 'def': 'The covalent attachment of a palmitoyl group to a nitrogen (N) atom in an N-terminal glycine residue to form N-palmitoyl-glycine. [RESID:AA0339]' - }, - 'GO:0046919': { - 'name': 'pyruvyltransferase activity', - 'def': 'Catalysis of the transfer of a pyruvyl (oxopropanoyl) group from one compound to another. [GOC:ai]' - }, - 'GO:0046920': { - 'name': 'alpha-(1->3)-fucosyltransferase activity', - 'def': 'Catalysis of the transfer of an L-fucosyl group from GDP-beta-L-fucose to an acceptor molecule to form an alpha-(1->3) linkage. [GOC:ai]' - }, - 'GO:0046921': { - 'name': 'alpha-(1->6)-fucosyltransferase activity', - 'def': 'Catalysis of the transfer of an L-fucosyl group from GDP-beta-L-fucose to an acceptor molecule to form an alpha-(1->6) linkage. [GOC:ai]' - }, - 'GO:0046922': { - 'name': 'peptide-O-fucosyltransferase activity', - 'def': 'Catalysis of the transfer of an alpha-L-fucosyl residue from GDP- beta-L-fucose to the serine hydroxy group of a protein acceptor. [EC:2.4.1.221]' - }, - 'GO:0046923': { - 'name': 'ER retention sequence binding', - 'def': 'Interacting selectively and non-covalently with an endoplasmic reticulum (ER) retention sequence, a specific peptide sequence that ensures a protein is retained within the ER. [GOC:ai]' - }, - 'GO:0046924': { - 'name': 'peptide cross-linking via 2-(S-L-cysteinyl)-L-phenylalanine', - 'def': 'The cross-linking of a cysteine residue to an L-phenylalanine residue to form 2-(S-L-cysteinyl)-L-phenylalanine. [PMID:12696888, RESID:AA0340]' - }, - 'GO:0046925': { - 'name': 'peptide cross-linking via 2-(S-L-cysteinyl)-D-phenylalanine', - 'def': 'The cross-linking of a cysteine residue to an L-phenylalanine residue to form 2-(S-L-cysteinyl)-D-phenylalanine. [PMID:12696888, RESID:AA0341]' - }, - 'GO:0046926': { - 'name': 'peptide cross-linking via 2-(S-L-cysteinyl)-D-allo-threonine', - 'def': 'The post-translational cross-linking of a cysteine residue to an L-threonine residue to form 2-(S-L-cysteinyl)-D-allo-threonine. [PMID:12696888, RESID:AA0342]' - }, - 'GO:0046927': { - 'name': 'peptidyl-threonine racemization', - 'def': 'The racemization of peptidyl-L-threo-threonine at the alpha-carbon to form D-allo-threonine. This is coupled with the formation of the cross-link 2-(S-L-cysteinyl)-D-allo-threonine. [PMID:12696888]' - }, - 'GO:0046928': { - 'name': 'regulation of neurotransmitter secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of a neurotransmitter from a cell. [GOC:ai]' - }, - 'GO:0046929': { - 'name': 'negative regulation of neurotransmitter secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of a neurotransmitter. [GOC:ai]' - }, - 'GO:0046930': { - 'name': 'pore complex', - 'def': 'Any small opening in a membrane that allows the passage of gases and/or liquids. [ISBN:0198506732]' - }, - 'GO:0046931': { - 'name': 'pore complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a pore complex. A pore complex is a small opening in a membrane that allows the passage of liquids and/or gases. [GOC:jl, GOC:mah]' - }, - 'GO:0046932': { - 'name': 'sodium-transporting ATP synthase activity, rotational mechanism', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ADP + phosphate + Na+(out) = ATP + H2O + Na+(in), by a rotational mechanism. [EC:3.6.3.15, TC:3.A.2.1.2]' - }, - 'GO:0046933': { - 'name': 'proton-transporting ATP synthase activity, rotational mechanism', - 'def': 'Catalysis of the transfer of protons from one side of a membrane to the other according to the reaction: ADP + H2O + phosphate + H+(in) = ATP + H+(out), by a rotational mechanism. [EC:3.6.3.14, TC:3.A.2.1.1]' - }, - 'GO:0046934': { - 'name': 'phosphatidylinositol-4,5-bisphosphate 3-kinase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate + ATP = a 1-phosphatidyl-1D-myo-inositol 3,4,5-trisphosphate + ADP + 2 H(+). [EC:2.7.1.153, RHEA:21295]' - }, - 'GO:0046935': { - 'name': '1-phosphatidylinositol-3-kinase regulator activity', - 'def': 'Modulates the activity of the enzyme 1-phosphatidylinositol-3-kinase activity. [GOC:ai]' - }, - 'GO:0046936': { - 'name': 'deoxyadenosine deaminase activity', - 'def': 'Catalysis of the reaction: deoxyadenosine + H2O = deoxyinosine + NH3. [EC:3.5.4.4, GOC:ai]' - }, - 'GO:0046937': { - 'name': 'phytochelatin metabolic process', - 'def': 'The chemical reactions and pathways involving phytochelatins, any of a group of peptides that bind metals (Cd, Zn, Cu, Pb, Hg) in thiolate coordination complexes. The structure is of the type (gamma-glutamyl-cysteinyl)n-glycine, where n is 2 to 11. [ISBN:0198506732]' - }, - 'GO:0046938': { - 'name': 'phytochelatin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phytochelatins, any of a group of peptides that bind metals (Cd, Zn, Cu, Pb, Hg) in thiolate coordination complexes. The structure is of the type (gamma-glutamyl-cysteinyl)n-glycine, where n is 2 to 11. [ISBN:0198506732]' - }, - 'GO:0046939': { - 'name': 'nucleotide phosphorylation', - 'def': 'The process of introducing one or more phosphate groups into a nucleotide to produce a phosphorylated nucleoside. [GOC:ai]' - }, - 'GO:0046940': { - 'name': 'nucleoside monophosphate phosphorylation', - 'def': 'The process of introducing one or more phosphate groups into a nucleoside monophosphate to produce a polyphosphorylated nucleoside. [GOC:ai]' - }, - 'GO:0046941': { - 'name': 'azetidine-2-carboxylic acid acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-azetidine-2-carboxylic acid + acetyl-CoA = CoA-SH + N-acetyl azetidine-2-carboxylic acid. [PMID:12761200]' - }, - 'GO:0046942': { - 'name': 'carboxylic acid transport', - 'def': 'The directed movement of carboxylic acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Carboxylic acids are organic acids containing one or more carboxyl (COOH) groups or anions (COO-). [GOC:ai]' - }, - 'GO:0046943': { - 'name': 'carboxylic acid transmembrane transporter activity', - 'def': 'Enables the transfer of carboxylic acids from one side of the membrane to the other. Carboxylic acids are organic acids containing one or more carboxyl (COOH) groups or anions (COO-). [GOC:ai]' - }, - 'GO:0046944': { - 'name': 'protein carbamoylation', - 'def': 'The addition of a carbamoyl group to a protein amino acid. A carbamoyl group is the acyl group -CO-NH2. [GOC:ai]' - }, - 'GO:0046945': { - 'name': 'N-terminal peptidyl-alanine N-carbamoylation', - 'def': 'The carbamylation of the N-terminal alanine of proteins to form the derivative N-carbamoyl-L-alanine. [RESID:AA0343]' - }, - 'GO:0046946': { - 'name': 'hydroxylysine metabolic process', - 'def': 'The chemical reactions and pathways involving hydroxylysine (5-hydroxy-2,6-diaminohexanoic acid), a chiral alpha-amino acid. Hydroxylysine is found in collagen and commonly has galactose and then glucose added sequentially by glycosyltransferases. [ISBN:0198506732, PubChem_Compound:1029]' - }, - 'GO:0046947': { - 'name': 'hydroxylysine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hydroxylysine (5-hydroxy-2,6-diaminohexanoic acid), a chiral alpha-amino acid. [ISBN:0198506732]' - }, - 'GO:0046948': { - 'name': 'hydroxylysine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hydroxylysine (5-hydroxy-2,6-diaminohexanoic acid), a chiral alpha-amino acid. [ISBN:0198506732]' - }, - 'GO:0046949': { - 'name': 'fatty-acyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a fatty-acyl-CoA, any derivative of coenzyme A in which the sulfhydryl group is in thiolester linkage with a fatty-acyl group. [ISBN:0198506732]' - }, - 'GO:0046950': { - 'name': 'cellular ketone body metabolic process', - 'def': 'The chemical reactions and pathways involving ketone bodies, any one of the three substances: acetoacetate, D-3-hydroxybutyrate (beta-hydroxybutyrate) or acetone, as carried out by individual cells. Although 3-hydroxybutyrate is not a ketone, it is classed as a ketone body because it exists in an equilibrium with acetoacetate. Ketone bodies may accumulate in excessive amounts in the body in starvation, diabetes mellitus or in other defects of carbohydrate metabolism. [ISBN:0198506732]' - }, - 'GO:0046951': { - 'name': 'ketone body biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ketone bodies, any one of the three substances: acetoacetate, D-3-hydroxybutyrate (beta-hydroxybutyrate) or acetone. Biosynthesis involves the formation of hydroxymethylglutaryl-CoA, which is cleaved to acetate and acetyl-CoA. [ISBN:0198506732]' - }, - 'GO:0046952': { - 'name': 'ketone body catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ketone bodies, any one of the three substances: acetoacetate, D-3-hydroxybutyrate (beta-hydroxybutyrate) or acetone. Ketone bodies can be used as an energy source as an alternative to glucose. Utilization of ketone bodies in peripheral tissues involves conversion of acetoacetate to acetoacetyl-CoA, which is then converted to two molecules of acetyl-CoA. [ISBN:0198506732]' - }, - 'GO:0046956': { - 'name': 'positive phototaxis', - 'def': 'The directed movement of a cell or organism towards a source of light. [GOC:ai]' - }, - 'GO:0046957': { - 'name': 'negative phototaxis', - 'def': 'The directed movement of a cell or organism away from a source of light. [GOC:ai]' - }, - 'GO:0046958': { - 'name': 'nonassociative learning', - 'def': 'A simple form of learning whereby the repeated presence of a stimulus leads to a change in the probability or strength of the response to that stimulus. There is no association of one type of stimulus with another, rather it is a generalized response to the environment. [ISBN:0582227089]' - }, - 'GO:0046959': { - 'name': 'habituation', - 'def': 'A decrease in a behavioral response to a repeated stimulus. This is exemplified by the failure of a person to show a startle response to a loud noise that has been repeatedly presented. [ISBN:0582227089]' - }, - 'GO:0046960': { - 'name': 'sensitization', - 'def': 'An increased in a behavioral response to a repeated stimulus. For example, a shock to the tail of the marine snail Aplysia, to which the snail responds by withdrawing its gill, will result in increased gill withdrawal the next time the skin is touched. [ISBN:0582227089]' - }, - 'GO:0046961': { - 'name': 'proton-transporting ATPase activity, rotational mechanism', - 'def': 'Catalysis of the transfer of protons from one side of a membrane to the other according to the reaction: ATP + H2O + H+(in) = ADP + phosphate + H+(out), by a rotational mechanism. [EC:3.6.3.14]' - }, - 'GO:0046962': { - 'name': 'sodium-transporting ATPase activity, rotational mechanism', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Na+(in) = ADP + phosphate + Na+(out), by a rotational mechanism. [EC:3.6.3.15]' - }, - 'GO:0046963': { - 'name': "3'-phosphoadenosine 5'-phosphosulfate transport", - 'def': "The directed movement of 3'-phosphoadenosine 5'-phosphosulfate, a naturally occurring mixed anhydride synthesized from adenosine 5'-phosphosulfate, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [ISBN:0198506732]" - }, - 'GO:0046964': { - 'name': "3'-phosphoadenosine 5'-phosphosulfate transmembrane transporter activity", - 'def': "Enables the transfer of 3'-phosphoadenosine 5'-phosphosulfate, a naturally occurring mixed anhydride synthesized from adenosine 5'-phosphosulfate, from one side of a membrane to the other. [ISBN:0198506732]" - }, - 'GO:0046965': { - 'name': 'retinoid X receptor binding', - 'def': 'Interacting selectively and non-covalently with a retinoid X receptor. [GOC:ai]' - }, - 'GO:0046966': { - 'name': 'thyroid hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a thyroid hormone receptor. [GOC:ai]' - }, - 'GO:0046967': { - 'name': 'cytosol to ER transport', - 'def': 'The directed movement of substances from the cytosol to the endoplasmic reticulum of a cell. [GOC:ai]' - }, - 'GO:0046968': { - 'name': 'peptide antigen transport', - 'def': 'The directed movement of a peptide antigen into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. The peptide antigen is typically, but not always, processed from an endogenous or exogenous protein. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0046969': { - 'name': 'NAD-dependent histone deacetylase activity (H3-K9 specific)', - 'def': 'Catalysis of the reaction: histone H3 N6-acetyl-L-lysine (position 9) + H2O = histone H3 L-lysine (position 9) + acetate. This reaction requires the presence of NAD, and represents the removal of an acetyl group from lysine at position 9 of the histone H3 protein. [EC:3.5.1.17, RHEA:24551]' - }, - 'GO:0046970': { - 'name': 'NAD-dependent histone deacetylase activity (H4-K16 specific)', - 'def': 'Catalysis of the reaction: histone H4 N6-acetyl-L-lysine (position 16) + H2O = histone H4 L-lysine (position 16) + acetate. This reaction requires the presence of NAD, and represents the removal of an acetyl group from lysine at position 16 of the histone H4 protein. [EC:3.5.1.17, GOC:vw, RHEA:24551]' - }, - 'GO:0046972': { - 'name': 'histone acetyltransferase activity (H4-K16 specific)', - 'def': 'Catalysis of the reaction: acetyl-CoA + histone H4 L-lysine (position 16) = CoA + histone H4 N6-acetyl-L-lysine (position 16). This reaction represents the addition of an acetyl group to the lysine at position 16 of histone H4. [EC:2.3.1.48]' - }, - 'GO:0046973': { - 'name': 'obsolete histone lysine N-methyltransferase activity (H3-K24 specific)', - 'def': 'OBSOLETE. Catalysis of the addition of a methyl group onto lysine at position 24 of the histone H3 protein. [GOC:ai]' - }, - 'GO:0046974': { - 'name': 'histone methyltransferase activity (H3-K9 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + histone H3 L-lysine (position 9) = S-adenosyl-L-homocysteine + histone H3 N6-methyl-L-lysine (position 9). This reaction is the addition of a methyl group onto lysine at position 9 of the histone H3 protein. [GOC:ai]' - }, - 'GO:0046975': { - 'name': 'histone methyltransferase activity (H3-K36 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + histone H3 L-lysine (position 36) = S-adenosyl-L-homocysteine + histone H3 N6-methyl-L-lysine (position 36). This reaction is the addition of a methyl group onto lysine at position 36 of the histone H3 protein. [GOC:ai]' - }, - 'GO:0046976': { - 'name': 'histone methyltransferase activity (H3-K27 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + histone H3 L-lysine (position 27) = S-adenosyl-L-homocysteine + histone H3 N6-methyl-L-lysine (position 27). This reaction is the addition of a methyl group onto lysine at position 27 of the histone H3 protein. [GOC:ai]' - }, - 'GO:0046977': { - 'name': 'TAP binding', - 'def': 'Interacting selectively and non-covalently with TAP protein, transporter associated with antigen processing protein. TAP protein is a heterodimeric peptide transporter consisting of the subunits TAP1 and TAP2. [PMID:11133832]' - }, - 'GO:0046978': { - 'name': 'TAP1 binding', - 'def': 'Interacting selectively and non-covalently with the TAP1 subunit of TAP (transporter associated with antigen processing) protein. [PMID:11133832]' - }, - 'GO:0046979': { - 'name': 'TAP2 binding', - 'def': 'Interacting selectively and non-covalently with the TAP2 subunit of TAP (transporter associated with antigen processing) protein. [PMID:11133832]' - }, - 'GO:0046980': { - 'name': 'tapasin binding', - 'def': 'Interacting selectively and non-covalently with tapasin, a member of the MHC class I loading complex which bridges the TAP peptide transporter to class I molecules. [PMID:12594855]' - }, - 'GO:0046981': { - 'name': 'beta-1,4-mannosylglycolipid beta-1,3-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the transfer of N-acetylglucosamine (GlcNAc) in a beta-1,3 linkage to the mannose(beta-1,4)Glc disaccharide core of glycolipids. [GOC:bf, PMID:12130631, PMID:12130651]' - }, - 'GO:0046982': { - 'name': 'protein heterodimerization activity', - 'def': 'Interacting selectively and non-covalently with a nonidentical protein to form a heterodimer. [GOC:ai]' - }, - 'GO:0046983': { - 'name': 'protein dimerization activity', - 'def': 'The formation of a protein dimer, a macromolecular structure consists of two noncovalently associated identical or nonidentical subunits. [ISBN:0198506732]' - }, - 'GO:0046984': { - 'name': 'regulation of hemoglobin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of hemoglobin, an oxygen carrying, conjugated protein containing four heme groups and globin. [GOC:ai]' - }, - 'GO:0046985': { - 'name': 'positive regulation of hemoglobin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of hemoglobin, an oxygen carrying, conjugated protein containing four heme groups and globin. [GOC:ai]' - }, - 'GO:0046986': { - 'name': 'negative regulation of hemoglobin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of hemoglobin, an oxygen carrying, conjugated protein containing four heme groups and globin. [GOC:ai]' - }, - 'GO:0046987': { - 'name': 'N-acetyllactosamine beta-1,3-glucuronosyltransferase activity', - 'def': 'Catalysis of the transfer, in a beta 1,3 linkage, of D-glucuronic acid (GlcUA) from UDP-D-glucuronic acid to N-acetyllactosamine (galactosyl beta-1,4-N-acetylglucosamine). [GOC:bf, PMID:12511570]' - }, - 'GO:0046988': { - 'name': 'asioloorosomucoid beta-1,3-glucuronosyltransferase activity', - 'def': 'Catalysis of the transfer, in a beta 1,3 linkage, of D-glucuronic acid (GlcUA) from UDP-GlcUA to asioloorosomucoid. [GOC:bf, PMID:12511570]' - }, - 'GO:0046989': { - 'name': 'galactosyl beta-1,3 N-acetylgalactosamine beta-1,3-glucuronosyltransferase activity', - 'def': 'Catalysis of the transfer, in a beta 1,3 linkage, of D-glucuronic acid (GlcUA) from UDP-GlcUA to the disaccharide galactosyl beta-1,3 N-acetylgalactosamine, a common component of glycoproteins and glycolipids. [GOC:bf, PMID:12511570]' - }, - 'GO:0046990': { - 'name': 'N-hydroxyarylamine O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + an N-hydroxyarylamine = CoA + an N-acetoxyarylamine. [EC:2.3.1.118, MetaCyc:2.3.1.118-RXN]' - }, - 'GO:0046992': { - 'name': 'oxidoreductase activity, acting on X-H and Y-H to form an X-Y bond', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which X-H and Y-H form X-Y. [GOC:ai]' - }, - 'GO:0046993': { - 'name': 'oxidoreductase activity, acting on X-H and Y-H to form an X-Y bond, with oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which X-H and Y-H form X-Y and the acceptor is oxygen. [GOC:ai]' - }, - 'GO:0046994': { - 'name': 'oxidoreductase activity, acting on hydrogen as donor, with a quinone or similar compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen acts as an electron donor and reduces quinone or similar compound. [GOC:jl]' - }, - 'GO:0046995': { - 'name': 'oxidoreductase activity, acting on hydrogen as donor, with other known acceptors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen reduces a known acceptor other than a cytochrome, an iron-sulfur protein, NAD, NADP, or a quinone or similar compound. [GOC:ai]' - }, - 'GO:0046996': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, with NAD(P)H as one donor, and the other dehydrogenated', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from NADH or NADPH and one other donor, and the latter donor is dehydrogenated. [GOC:mah]' - }, - 'GO:0046997': { - 'name': 'oxidoreductase activity, acting on the CH-NH group of donors, flavin as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH group acts as a hydrogen or electron donor and reduces a flavin. [GOC:jl]' - }, - 'GO:0046998': { - 'name': '(S)-usnate reductase activity', - 'def': 'Catalysis of the reaction: (6R)-2-acetyl-6-(3-acetyl-2,4,6-trihydroxy-5-methylphenyl)-3-hydroxy-6-methylcyclohexa-2,4-dien-1-one + NAD(+) = (S)-usnate + 2 H(+) + NADH. [EC:1.1.1.199, RHEA:21879]' - }, - 'GO:0046999': { - 'name': 'regulation of conjugation', - 'def': 'Any process that modulates the rate or frequency of conjugation, the union or introduction of genetic information from compatible mating types that results in a genetically different individual. [GOC:ai]' - }, - 'GO:0047000': { - 'name': '2-dehydro-3-deoxy-D-gluconate 6-dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-3-deoxy-D-gluconate + NADP(+) = (4S,5S)-4,5-dihydroxy-2,6-dioxohexanoate + H(+) + NADPH. [EC:1.1.1.126, RHEA:15112]' - }, - 'GO:0047001': { - 'name': '2-dehydro-3-deoxy-D-gluconate 5-dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD+ + 2-dehydro-3-deoxy-D-gluconate = NADH + (4S)-4,6-dihydroxy-2,5-dioxohexanoate. [EC:1.1.1.127, MetaCyc:1.1.1.127-RXN]' - }, - 'GO:0047002': { - 'name': 'L-arabinitol 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-arabinitol + NAD(+) = L-ribulose + H(+) + NADH. [EC:1.1.1.13, RHEA:21359]' - }, - 'GO:0047003': { - 'name': 'dTDP-6-deoxy-L-talose 4-dehydrogenase activity', - 'def': 'Catalysis of the reaction: dTDP-6-deoxy-L-talose + NADP(+) = dTDP-4-dehydro-6-deoxy-L-mannose + H(+) + NADPH. [EC:1.1.1.134, RHEA:23651]' - }, - 'GO:0047004': { - 'name': 'UDP-N-acetylglucosamine 6-dehydrogenase activity', - 'def': 'Catalysis of the reaction: H(2)O + 2 NAD(+) + UDP-N-acetyl-alpha-D-glucosamine = 3 H(+) + 2 NADH + UDP-N-acetyl-2-amino-2-deoxy-D-glucuronate. [EC:1.1.1.136, RHEA:13328]' - }, - 'GO:0047005': { - 'name': '16-alpha-hydroxysteroid dehydrogenase activity', - 'def': 'Catalysis of the reaction: NADP+ + 16-alpha-hydroxysteroid = NADPH + H+ + 16-oxosteroid. [EC:1.1.1.147, MetaCyc:1.1.1.147-RXN]' - }, - 'GO:0047006': { - 'name': '17-alpha,20-alpha-dihydroxypregn-4-en-3-one dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + 17-alpha,20-alpha-dihydroxypregn-4-en-3-one = NAD(P)H + H+ + 17-alpha-hydroxyprogesterone. [EC:1.1.1.149, MetaCyc:1.1.1.149-RXN]' - }, - 'GO:0047007': { - 'name': 'pregnan-21-ol dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: NAD(+) + pregnan-21-ol = H(+) + NADH + pregnan-21-al. [EC:1.1.1.150, RHEA:11451]' - }, - 'GO:0047008': { - 'name': 'pregnan-21-ol dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP(+) + pregnan-21-ol = H(+) + NADPH + pregnan-21-al. [EC:1.1.1.151, RHEA:23715]' - }, - 'GO:0047009': { - 'name': '3-alpha-hydroxy-5-beta-androstane-17-one 3-alpha-dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD+ + 3-alpha-hydroxy-5-beta-androstane-17-one = NADH + H+ + 5-beta-androstane-3,17-dione. [EC:1.1.1.152, MetaCyc:1.1.1.152-RXN]' - }, - 'GO:0047010': { - 'name': 'hydroxycyclohexanecarboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (1S,3R,4S)-3,4-dihydroxycyclohexane-1-carboxylate + NAD(+) = (1S,4S)-4-hydroxy-3-oxocyclohexane-1-carboxylate + H(+) + NADH. [EC:1.1.1.166, RHEA:10519]' - }, - 'GO:0047011': { - 'name': '2-dehydropantolactone reductase (A-specific) activity', - 'def': 'Catalysis of the reaction: (R)-pantolactone + NADP+ = 2-dehydropantolactone + NADPH + H+. The reaction is A-specific (i.e. the pro-R hydrogen is transferred from the 4-position of reduced nicotinamide cofactor) with respect to NADP+. [EC:1.1.1.168, MetaCyc:1.1.1.168-RXN]' - }, - 'GO:0047012': { - 'name': 'sterol-4-alpha-carboxylate 3-dehydrogenase (decarboxylating) activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + 3-beta-hydroxy-4-alpha-methyl-5-alpha-cholest-7-ene-4-beta-carboxylate = NAD(P)H + H+ + CO2 + 4-alpha-methyl-5-alpha-cholest-7-en-3-one. [EC:1.1.1.170, MetaCyc:1.1.1.170-RXN]' - }, - 'GO:0047013': { - 'name': 'cholate 12-alpha dehydrogenase activity', - 'def': 'Catalysis of the reaction: cholate + NADP(+) = 3alpha,7alpha-dihydroxy-12-oxo-5beta-cholanate + H(+) + NADPH. [EC:1.1.1.176, RHEA:14132]' - }, - 'GO:0047014': { - 'name': 'glycerol-3-phosphate 1-dehydrogenase [NADP+] activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + NADP(+) = D-glyceraldehyde 3-phosphate + H(+) + NADPH. [EC:1.1.1.177, RHEA:19776]' - }, - 'GO:0047015': { - 'name': '3-hydroxy-2-methylbutyryl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD+ + 2-methyl-3-hydroxybutyryl-CoA = NADH + H+ + 2-methylaceto-acetyl-CoA. [EC:1.1.1.178, MetaCyc:1.1.1.178-RXN]' - }, - 'GO:0047016': { - 'name': 'cholest-5-ene-3-beta,7-alpha-diol 3-beta-dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD+ + 7-alpha-hydroxycholesterol = NADH + H+ + 7-alpha-hydroxycholest-4-en-3-one. [EC:1.1.1.181, MetaCyc:1.1.1.181-RXN]' - }, - 'GO:0047017': { - 'name': 'prostaglandin-F synthase activity', - 'def': 'Catalysis of the reaction: NADP+ + (5Z,13E)-(15S)-9-alpha,11-alpha,15-trihydroxyprosta-5,13-dienoate = NADPH + H+ + (5Z,13E)-(15S)-9-alpha,15-dihydroxy-11-oxoprosta-5,13-dienoate. [EC:1.1.1.188, MetaCyc:1.1.1.188-RXN]' - }, - 'GO:0047018': { - 'name': 'indole-3-acetaldehyde reductase (NADH) activity', - 'def': 'Catalysis of the reaction: indole-3-ethanol + NAD(+) = (indol-3-yl)acetaldehyde + H(+) + NADH. [EC:1.1.1.190, RHEA:14876]' - }, - 'GO:0047019': { - 'name': 'indole-3-acetaldehyde reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: indole-3-ethanol + NADP(+) = (indol-3-yl)acetaldehyde + H(+) + NADPH. [EC:1.1.1.191, RHEA:17040]' - }, - 'GO:0047020': { - 'name': '15-hydroxyprostaglandin-D dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP+ + (5Z,13E)-(15S)-9-alpha,15-dihydroxy-11-oxoprosta-5,13-dienoate = NADPH + H+ + (5Z,13E)-9-alpha-hydroxy-11,15-dioxoprosta-5,13-dienoate. [EC:1.1.1.196, MetaCyc:1.1.1.196-RXN]' - }, - 'GO:0047021': { - 'name': '15-hydroxyprostaglandin dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP(+) + prostaglandin E(1) = 15-dehydro-prostaglandin E1 + H(+) + NADPH. [EC:1.1.1.197, RHEA:11639]' - }, - 'GO:0047022': { - 'name': '7-beta-hydroxysteroid dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP+ + a 7-beta-hydroxysteroid = NADPH + H+ + a 7-oxosteroid. [EC:1.1.1.201, MetaCyc:1.1.1.201-RXN]' - }, - 'GO:0047023': { - 'name': 'androsterone dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + androsterone = NAD(P)H + H+ + 5-alpha-androstane-3,17-dione. [EC:1.1.1.209, MetaCyc:1.1.1.209-RXN]' - }, - 'GO:0047024': { - 'name': '5alpha-androstane-3beta,17beta-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5alpha-androstane-3beta,17beta-diol + NADP(+) = 17beta-hydroxy-5alpha-androstan-3-one + H(+) + NADPH. [EC:1.1.1.210, RHEA:16300]' - }, - 'GO:0047025': { - 'name': '3-oxoacyl-[acyl-carrier-protein] reductase (NADH) activity', - 'def': 'Catalysis of the reaction: NAD+ + OH-acyl-[acyl-carrier protein] = NADH + H+ + B-ketoacyl-[acyl-carrier protein]. [EC:1.1.1.212, MetaCyc:1.1.1.212-RXN]' - }, - 'GO:0047026': { - 'name': 'androsterone dehydrogenase (A-specific) activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + androsterone = NAD(P)H + H+ + 5-alpha-androstane-3,17-dione. The reaction is A-specific (i.e. the pro-R hydrogen is transferred from the 4-position of reduced nicotinamide cofactor) with respect to NAD(P)+. [EC:1.1.1.213, MetaCyc:1.1.1.213-RXN]' - }, - 'GO:0047027': { - 'name': 'benzyl-2-methyl-hydroxybutyrate dehydrogenase activity', - 'def': 'Catalysis of the reaction: benzyl (2R,3S)-2-methyl-3-hydroxybutanoate + NADP(+) = benzyl 2-methyl-3-oxobutanoate + H(+) + NADPH. [EC:1.1.1.217, RHEA:16408]' - }, - 'GO:0047028': { - 'name': "6-pyruvoyltetrahydropterin 2'-reductase activity", - 'def': 'Catalysis of the reaction: NADP+ + 6-lactoyl-5,6,7,8-tetrahydropterin = NADPH + H+ + 6-pyruvoyltetrahydropterin. [EC:1.1.1.220, MetaCyc:1.1.1.220-RXN]' - }, - 'GO:0047029': { - 'name': '(R)-4-hydroxyphenyllactate dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + (R)-3-(4-hydroxyphenyl)lactate = NAD(P)H + H+ + 3-(4-hydroxyphenyl)pyruvate. [EC:1.1.1.222, MetaCyc:1.1.1.222-RXN]' - }, - 'GO:0047030': { - 'name': '4-hydroxycyclohexanecarboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: trans-4-hydroxycyclohexanecarboxylate + NAD(+) = 4-oxocyclohexanecarboxylate + H(+) + NADH. [EC:1.1.1.226, RHEA:17432]' - }, - 'GO:0047031': { - 'name': 'diethyl 2-methyl-3-oxosuccinate reductase activity', - 'def': 'Catalysis of the reaction: diethyl (2R,3R)-2-methyl-3-hydroxysuccinate + NADP(+) = diethyl 2-methyl-3-oxosuccinate + H(+) + NADPH. [EC:1.1.1.229, RHEA:21011]' - }, - 'GO:0047032': { - 'name': '3-alpha-hydroxyglycyrrhetinate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3alpha-hydroxyglycyrrhetinate + NADP(+) = 3-oxoglycyrrhetinate + H(+) + NADPH. [EC:1.1.1.230, RHEA:20819]' - }, - 'GO:0047033': { - 'name': '15-hydroxyprostaglandin-I dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP(+) + prostaglandin I(2) = 15-dehydro-prostaglandin I(2) + H(+) + NADPH. [EC:1.1.1.231, RHEA:21423]' - }, - 'GO:0047034': { - 'name': '15-hydroxyicosatetraenoate dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + (15S)-15-hydroxy-5,8,11-cis-13-trans-icosatetraenoate = NAD(P)H + H+ + 15-oxo-5,8,11-cis-13-trans-icosatetraenoate. [EC:1.1.1.232, MetaCyc:1.1.1.232-RXN]' - }, - 'GO:0047035': { - 'name': 'testosterone dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: testosterone + NAD+ = androst-4-ene-3,17-dione + NADH. [EC:1.1.1.239, MetaCyc:1.1.1.239-RXN]' - }, - 'GO:0047036': { - 'name': 'codeinone reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: codeine + NADP(+) = codeinone + H(+) + NADPH. [EC:1.1.1.247, RHEA:19212]' - }, - 'GO:0047037': { - 'name': 'salutaridine reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: (7S)-salutaridinol + NADP(+) = H(+) + NADPH + salutaridine. [EC:1.1.1.248, RHEA:10111]' - }, - 'GO:0047038': { - 'name': 'D-arabinitol 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-arabinitol + NAD(+) = D-ribulose + H(+) + NADH. [EC:1.1.1.250, RHEA:17392]' - }, - 'GO:0047039': { - 'name': 'tetrahydroxynaphthalene reductase activity', - 'def': 'Catalysis of the reaction: NADP+ + scytalone = NADPH + H+ + 1,3,6,8-naphthalenetetrol. [EC:1.1.1.252, MetaCyc:1.1.1.252-RXN]' - }, - 'GO:0047040': { - 'name': 'pteridine reductase activity', - 'def': 'Catalysis of the reaction: 5,6,7,8-tetrahydrobiopterin + 2 NADP(+) = biopterin + 2 H(+) + 2 NADPH. [EC:1.5.1.33, RHEA:19512]' - }, - 'GO:0047041': { - 'name': '(S)-carnitine 3-dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-carnitine + NAD(+) = 3-dehydrocarnitine + H(+) + NADH. [EC:1.1.1.254, RHEA:11559]' - }, - 'GO:0047042': { - 'name': 'androsterone dehydrogenase (B-specific) activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + androsterone = NAD(P)H + H+ + 5-alpha-androstane-3,17-dione. The reaction is B-specific (i.e. the pro-S hydrogen is transferred from the 4-position of reduced nicotinamide cofactor) with respect to NAD(P)+. [EC:1.1.1.50, MetaCyc:1.1.1.50-RXN]' - }, - 'GO:0047043': { - 'name': '3-alpha-hydroxycholanate dehydrogenase activity', - 'def': 'Catalysis of the reaction: lithocholate + NAD(+) = 3-oxo-5beta-cholanate + H(+) + NADH. [EC:1.1.1.52, RHEA:19588]' - }, - 'GO:0047044': { - 'name': 'androstan-3-alpha,17-beta-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD+ + androstan-3-alpha,17-beta-diol = 17-beta-hydroxyandrostan-3-one + NADH + H+. [EC:1.1.1.53, MetaCyc:1.1.1.53-RXN]' - }, - 'GO:0047045': { - 'name': 'testosterone 17-beta-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP+ + testosterone = NADPH + H+ + androst-4-ene-3,17-dione. [EC:1.1.1.64, MetaCyc:1.1.1.64-RXN]' - }, - 'GO:0047046': { - 'name': 'homoisocitrate dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD+ + 3-carboxy-2-hydroxyadipate = NADH + H+ + CO2 + 2-keto-adipate. [EC:1.1.1.155, EC:1.1.1.87, MetaCyc:1.1.1.87-RXN]' - }, - 'GO:0047047': { - 'name': 'oxaloglycolate reductase (decarboxylating) activity', - 'def': 'Catalysis of the reaction: glycerate + CO2 + NAD(P)+ = NAD(P)H + H+ + 2-hydroxy-3-oxosuccinate. [EC:1.1.1.92, MetaCyc:1.1.1.92-RXN]' - }, - 'GO:0047048': { - 'name': '3-hydroxybenzyl-alcohol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxybenzyl alcohol + NADP(+) = 3-hydroxybenzaldehyde + H(+) + NADPH. [EC:1.1.1.97, RHEA:22343]' - }, - 'GO:0047049': { - 'name': '(R)-2-hydroxy-fatty acid dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-2-hydroxystearate + NAD(+) = 2-oxostearate + H(+) + NADH. [EC:1.1.1.98, RHEA:15952]' - }, - 'GO:0047050': { - 'name': '(S)-2-hydroxy-fatty acid dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-2-hydroxystearate + NAD(+) = 2-oxostearate + H(+) + NADH. [EC:1.1.1.99, RHEA:11387]' - }, - 'GO:0047051': { - 'name': 'D-lactate dehydrogenase (cytochrome c-553) activity', - 'def': 'Catalysis of the reaction: 2 ferricytochrome C-553 + D-lactate = 2 ferrocytochrome C-553 + pyruvate. [EC:1.1.2.5, MetaCyc:1.1.2.5-RXN]' - }, - 'GO:0047052': { - 'name': '(S)-stylopine synthase activity', - 'def': 'Catalysis of the reaction: (S)-cheilanthifoline + H(+) + NADPH + O(2) = (S)-stylopine + 2 H(2)O + NADP(+). [EC:1.14.21.1, RHEA:13776]' - }, - 'GO:0047053': { - 'name': '(S)-cheilanthifoline synthase activity', - 'def': 'Catalysis of the reaction: (S)-scoulerine + H(+) + NADPH + O(2) = (S)-cheilanthifoline + 2 H(2)O + NADP(+). [EC:1.14.21.2, RHEA:20488]' - }, - 'GO:0047054': { - 'name': 'berbamunine synthase activity', - 'def': 'Catalysis of the reaction: O2 + NADPH + H+ + R-N-methylcoclaurine + S-N-methylcoclaurine = 2 H2O + NADP+ + berbamunine. [EC:1.14.21.3, MetaCyc:1.1.3.34-RXN]' - }, - 'GO:0047055': { - 'name': 'salutaridine synthase activity', - 'def': 'Catalysis of the reaction: (R)-reticuline + H(+) + NADPH + O(2) = 2 H(2)O + NADP(+) + salutaridine. [EC:1.14.21.4, RHEA:17716]' - }, - 'GO:0047056': { - 'name': '(S)-canadine synthase activity', - 'def': 'Catalysis of the reaction: (S)-tetrahydrocolumbamine + H(+) + NADPH + O(2) = (S)-canadine + 2 H(2)O + NADP(+). [EC:1.14.21.5, RHEA:21459]' - }, - 'GO:0047057': { - 'name': 'vitamin-K-epoxide reductase (warfarin-sensitive) activity', - 'def': 'Catalysis of the reaction: 2-methyl-3-phytyl-1,4-naphthoquinone + oxidized dithiothreitol + H2O = 2,3-epoxy-2,3-dihydro-2-methyl-3-phytyl-1,4-naphthoquinone + 1,4-dithiothreitol. [EC:1.1.4.1, MetaCyc:1.1.4.1-RXN]' - }, - 'GO:0047058': { - 'name': 'vitamin-K-epoxide reductase (warfarin-insensitive) activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-2-methyl-3-phytyl-2,3-dihydronaphthoquinone + oxidized dithiothreitol + H2O = 2,3-epoxy-2,3-dihydro-2-methyl-3-phytyl-1,4-naphthoquinone + 1,4-dithiothreitol. [EC:1.1.4.2, MetaCyc:1.1.4.2-RXN]' - }, - 'GO:0047059': { - 'name': 'polyvinyl alcohol dehydrogenase (cytochrome) activity', - 'def': 'Catalysis of the reaction: polyvinyl alcohol + ferricytochrome c = oxidized polyvinyl alcohol + ferrocytochrome c + H+. [EC:1.1.2.6]' - }, - 'GO:0047060': { - 'name': '(R)-pantolactone dehydrogenase (flavin) activity', - 'def': 'Catalysis of the reaction: (R)-pantolactone + A = 2-dehydropantolactone + AH(2). [EC:1.1.99.27, RHEA:21007]' - }, - 'GO:0047061': { - 'name': 'glucose-fructose oxidoreductase activity', - 'def': 'Catalysis of the reaction: D-fructose + D-glucose = D-glucitol + D-glucono-1,5-lactone. [EC:1.1.99.28, RHEA:20640]' - }, - 'GO:0047062': { - 'name': 'trans-acenaphthene-1,2-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (+-)-trans-acenaphthene-1,2-diol + 2 NADP(+) = acenaphthene-1,2-dione + 2 H(+) + 2 NADPH. [EC:1.10.1.1, RHEA:22187]' - }, - 'GO:0047063': { - 'name': 'L-ascorbate-cytochrome-b5 reductase activity', - 'def': 'Catalysis of the reaction: ferricytochrome B5 + ascorbate = ferrocytochrome B5 + monodehydroascorbate. [EC:1.10.2.1, MetaCyc:1.10.2.1-RXN]' - }, - 'GO:0047064': { - 'name': 'sulochrin oxidase [(+)-bisdechlorogeodin-forming] activity', - 'def': 'Catalysis of the reaction: O(2) + 2 sulochrin = 2 (2S)-bisdechlorogeodin + 2 H(2)O. [EC:1.21.3.4, RHEA:24095]' - }, - 'GO:0047065': { - 'name': 'sulochrin oxidase [(-)-bisdechlorogeodin-forming] activity', - 'def': 'Catalysis of the reaction: O(2) + 2 sulochrin = 2 (2R)-bisdechlorogeodin + 2 H(2)O. [EC:1.21.3.5, RHEA:22619]' - }, - 'GO:0047066': { - 'name': 'phospholipid-hydroperoxide glutathione peroxidase activity', - 'def': 'Catalysis of the reaction: a lipid hydroperoxide + 2 reduced glutathione = 2 H2O + lipid + 2 oxidized glutathione. [EC:1.11.1.12, MetaCyc:1.11.1.12-RXN]' - }, - 'GO:0047067': { - 'name': 'hydrogen:quinone oxidoreductase activity', - 'def': 'Catalysis of the reaction: H(2) + menaquinone = reduced menaquinone. [EC:1.12.5.1, RHEA:18644]' - }, - 'GO:0047068': { - 'name': 'N5,N10-methenyltetrahydromethanopterin hydrogenase activity', - 'def': 'Catalysis of the reaction: 5,10-methenyl-5,6,7,8-tetrahydromethanopterin + H(2) = 5,10-methylenetetrahydromethanopterin + H(+). [EC:1.12.98.2, RHEA:20020]' - }, - 'GO:0047069': { - 'name': '7,8-dihydroxykynurenate 8,8a-dioxygenase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydroxykynurenate + O(2) = 5-(3-carboxylato-3-oxoprop-1-en-1-yl)-4,6-dihydroxypyridine-2-carboxylate + H(+). [EC:1.13.11.10, RHEA:23403]' - }, - 'GO:0047070': { - 'name': '3-carboxyethylcatechol 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: O2 + 3-(2,3-dihydroxyphenyl)propanoate = 2-hydroxy-6-oxonona-2,4-diene-1,9-dioate. [EC:1.13.11.16, MetaCyc:1.13.11.16-RXN]' - }, - 'GO:0047071': { - 'name': '3,4-dihydroxy-9,10-secoandrosta-1,3,5(10)-triene-9,17-dione 4,5-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxy-9,10-secoandrosta-1,3,5(10)-triene-9,17-dione + O(2) = 3-hydroxy-5,9,17-trioxo-4,5:9,10-disecoandrosta-1(10),2-dien-4-oate + H(+). [EC:1.13.11.25, RHEA:21355]' - }, - 'GO:0047072': { - 'name': '2,3-dihydroxybenzoate 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxybenzoate + O(2) = 2-carboxy-cis,cis-muconate + 2 H(+). [EC:1.13.11.28, RHEA:15372]' - }, - 'GO:0047073': { - 'name': "2,4'-dihydroxyacetophenone dioxygenase activity", - 'def': "Catalysis of the reaction: 2,4'-dihydroxyacetophenone + O(2) = 4-hydroxybenzoate + formate + 2 H(+). [EC:1.13.11.41, RHEA:24419]" - }, - 'GO:0047074': { - 'name': '4-hydroxycatechol 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: O2 + benzene-1,2,4-triol = maleylacetate. [EC:1.13.11.-, MetaCyc:R308-RXN]' - }, - 'GO:0047075': { - 'name': '2,5-dihydroxypyridine 5,6-dioxygenase activity', - 'def': 'Catalysis of the reaction: H2O + O2 + 2,5-dihydroxypyridine = formate + maleamate. [EC:1.13.11.9, MetaCyc:1.13.11.9-RXN]' - }, - 'GO:0047077': { - 'name': 'Photinus-luciferin 4-monooxygenase (ATP-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: O2 + ATP + Photinus luciferin = light + diphosphate + AMP + CO2 + oxidized Photinus luciferin. [EC:1.13.12.7, MetaCyc:1.13.12.7-RXN]' - }, - 'GO:0047078': { - 'name': '3-hydroxy-4-oxoquinoline 2,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: O2 + 3-hydroxy-1H-quinolin-4-one = carbon monoxide + N-formylanthranilate. [EC:1.13.11.47, MetaCyc:1.13.11.47-RXN]' - }, - 'GO:0047079': { - 'name': "deoxyuridine 1'-dioxygenase activity", - 'def': "Catalysis of the reaction: 2'-deoxyuridine + 2-oxoglutarate + O(2) = 2-deoxy-D-ribono-1,4-lactone + CO(2) + succinate + uracil. [EC:1.14.11.10, RHEA:23319]" - }, - 'GO:0047080': { - 'name': "deoxyuridine 2'-dioxygenase activity", - 'def': "Catalysis of the reaction: 2'-deoxyuridine + 2-oxoglutarate + O(2) = CO(2) + succinate + uridine. [EC:1.14.11.3, RHEA:21079]" - }, - 'GO:0047081': { - 'name': '3-hydroxy-2-methylpyridinecarboxylate dioxygenase activity', - 'def': 'Catalysis of the reaction: O2 + NAD(P)H + H+ + 3-hydroxy-2-methylpyridine-5-carboxylate = NAD(P)+ + 2-(acetamidomethylene)succinate. [EC:1.14.12.4, MetaCyc:1.14.12.4-RXN]' - }, - 'GO:0047082': { - 'name': '3,9-dihydroxypterocarpan 6a-monooxygenase activity', - 'def': 'Catalysis of the reaction: (6aR,11aR)-3,9-dihydroxypterocarpan + H(+) + NADPH + O(2) = (6aS,11aS)-3,6a,9-trihydroxypterocarpan + H(2)O + NADP(+). (6aS,11aS)-3,6a,9-trihydroxypterocarpan is also known as (-)-glycinol. [EC:1.14.13.28, RHEA:15324]' - }, - 'GO:0047083': { - 'name': "5-O-(4-coumaroyl)-D-quinate 3'-monooxygenase activity", - 'def': 'Catalysis of the reaction: O2 + NADPH + H+ + trans-5-O-(4-coumaroyl)-D-quinate = H2O + NADP+ + trans-5-O-caffeoyl-D-quinate. [EC:1.14.13.36, MetaCyc:1.14.13.36-RXN]' - }, - 'GO:0047084': { - 'name': 'methyltetrahydroprotoberberine 14-monooxygenase activity', - 'def': 'Catalysis of the reaction: O2 + NADPH + H+ + (S)-N-methylcanadine = H2O + NADP+ + allocryptopine. [EC:1.14.13.37, MetaCyc:1.14.13.37-RXN]' - }, - 'GO:0047085': { - 'name': 'hydroxyphenylacetonitrile 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: 4-hydroxyphenylacetonitrile + H(+) + NADPH + O(2) = 4-hydroxymandelonitrile + H(2)O + NADP(+). [RHEA:23743]' - }, - 'GO:0047086': { - 'name': 'ketosteroid monooxygenase activity', - 'def': 'Catalysis of the reaction: O2 + NADPH + progesterone = H2O + NADP+ + testosterone acetate. [EC:1.14.13.54, MetaCyc:1.14.13.54-RXN]' - }, - 'GO:0047087': { - 'name': 'protopine 6-monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + protopine = 6-hydroxyprotopine + H(2)O + NADP(+). [EC:1.14.13.55, RHEA:22647]' - }, - 'GO:0047088': { - 'name': 'dihydrosanguinarine 10-monooxygenase activity', - 'def': 'Catalysis of the reaction: dihydrosanguinarine + H(+) + NADPH + O(2) = 10-hydroxydihydrosanguinarine + H(2)O + NADP(+). [EC:1.14.13.56, RHEA:10531]' - }, - 'GO:0047089': { - 'name': 'dihydrochelirubine 12-monooxygenase activity', - 'def': 'Catalysis of the reaction: dihydrochelirubine + H(+) + NADPH + O(2) = 12-hydroxydihydrochelirubine + H(2)O + NADP(+). [EC:1.14.13.57, RHEA:10159]' - }, - 'GO:0047090': { - 'name': 'benzoyl-CoA 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: benzoyl-CoA + H(+) + NADPH + O(2) = 3-hydroxybenzoyl-CoA + H(2)O + NADP(+). [EC:1.14.13.58, RHEA:23219]' - }, - 'GO:0047091': { - 'name': 'L-lysine 6-monooxygenase (NADPH) activity', - 'def': 'Catalysis of the reaction: L-lysine + NADPH + O(2) = N(6)-hydroxy-L-lysine + H(2)O + NADP(+). [EC:1.14.13.59, RHEA:23231]' - }, - 'GO:0047092': { - 'name': '27-hydroxycholesterol 7-alpha-monooxygenase activity', - 'def': 'Catalysis of the reaction: O2 + NADPH + 27-hydroxycholesterol = H2O + NADP+ + 7-alpha,27-dihydroxycholesterol. [EC:1.14.13.60, MetaCyc:1.14.13.60-RXN]' - }, - 'GO:0047093': { - 'name': '4-hydroxyquinoline 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADH + O(2) + quinolin-4-ol = H(2)O + NAD(+) + quinoline-3,4-diol. [EC:1.14.13.62, RHEA:19328]' - }, - 'GO:0047094': { - 'name': '3-hydroxyphenylacetate 6-hydroxylase activity', - 'def': 'Catalysis of the reaction: O2 + NAD(P)H + 3-hydroxyphenylacetate = H2O + NAD(P)+ + homogentisate. [EC:1.14.13.63, MetaCyc:1.14.13.63-RXN]' - }, - 'GO:0047095': { - 'name': '2-hydroxycyclohexanone 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-hydroxycyclohexan-1-one + NADPH + O(2) = 6-oxohexanoate + H(2)O + NADP(+). [EC:1.14.13.66, RHEA:25172]' - }, - 'GO:0047096': { - 'name': 'androst-4-ene-3,17-dione monooxygenase activity', - 'def': 'Catalysis of the reaction: AH(2) + androst-4-ene-3,17-dione + O(2) = A + H(2)O + testololactone. [EC:1.14.99.12, RHEA:22699]' - }, - 'GO:0047097': { - 'name': 'phylloquinone monooxygenase (2,3-epoxidizing) activity', - 'def': 'Catalysis of the reaction: AH(2) + O(2) + phylloquinone = 2,3-epoxyphylloquinone + A + H(2)O. [EC:1.14.99.20, RHEA:16748]' - }, - 'GO:0047098': { - 'name': 'Latia-luciferin monooxygenase (demethylating) activity', - 'def': 'Catalysis of the reaction: 2 O2 + donor-H2 + Latia luciferin = light + H2O + acceptor + formate + CO2 + oxidized Latia luciferin. [EC:1.14.99.21, MetaCyc:1.14.99.21-RXN]' - }, - 'GO:0047099': { - 'name': 'CDP-4-dehydro-6-deoxyglucose reductase activity', - 'def': 'Catalysis of the reaction: H2O + NAD(P)+ + CDP-4-dehydro-3,6-dideoxy-D-glucose = NAD(P)H + CDP-4-dehydro-6-deoxy-D-glucose. [EC:1.17.1.1, MetaCyc:1.17.1.1-RXN]' - }, - 'GO:0047100': { - 'name': 'glyceraldehyde-3-phosphate dehydrogenase (NADP+) (phosphorylating) activity', - 'def': 'Catalysis of the reaction: phosphate + NADP+ + glyceraldehyde-3-phosphate = NADPH + 3-phospho-D-glyceroyl-phosphate. [EC:1.2.1.13, MetaCyc:1.2.1.13-RXN]' - }, - 'GO:0047101': { - 'name': '2-oxoisovalerate dehydrogenase (acylating) activity', - 'def': 'Catalysis of the reaction: NAD+ + CoA + 2-keto-isovalerate = NADH + CO2 + isobutyryl-CoA. [EC:1.2.1.25, MetaCyc:1.2.1.25-RXN]' - }, - 'GO:0047102': { - 'name': 'aminomuconate-semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: H2O + NAD+ + 2-aminomuconate semialdehyde = NADH + 2-amino-muconate. [EC:1.2.1.32, MetaCyc:1.2.1.32-RXN]' - }, - 'GO:0047103': { - 'name': '3-alpha,7-alpha,12-alpha-trihydroxycholestan-26-al 26-oxidoreductase activity', - 'def': 'Catalysis of the reaction: H2O + NAD+ + 3-alpha,7-alpha,12-alpha-trihydroxy-5-beta-cholestan-26-al = NADH + 3-alpha,7-alpha,12-alpha-trihydroxy-5-beta-cholestanate. [EC:1.2.1.40, MetaCyc:1.2.1.40-RXN]' - }, - 'GO:0047104': { - 'name': 'hexadecanal dehydrogenase (acylating) activity', - 'def': 'Catalysis of the reaction: CoA + NAD(+) + palmitaldehyde = H(+) + NADH + palmitoyl-CoA. [EC:1.2.1.42, RHEA:19708]' - }, - 'GO:0047105': { - 'name': '4-trimethylammoniobutyraldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD+ + 4-trimethylammoniobutanal = NADH + 4-trimethylammoniobutanoate. [EC:1.2.1.47, MetaCyc:1.2.1.47-RXN]' - }, - 'GO:0047106': { - 'name': '4-hydroxyphenylacetaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD+ + (4-hydroxyphenyl)acetaldehyde + H2O = NADH + 4-hydroxyphenylacetate. [EC:1.2.1.53, MetaCyc:1.2.1.53-RXN]' - }, - 'GO:0047107': { - 'name': 'gamma-guanidinobutyraldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-guanidinobutanal + H(2)O + NAD(+) = 4-guanidinobutanoate + 2 H(+) + NADH. [EC:1.2.1.54, RHEA:14384]' - }, - 'GO:0047108': { - 'name': '(R)-3-hydroxyacid-ester dehydrogenase activity', - 'def': 'Catalysis of the reaction: ethyl (R)-3-hydroxyhexanoate + NADP(+) = ethyl 3-oxohexanoate + H(+) + NADPH. [EC:1.1.1.279, RHEA:24355]' - }, - 'GO:0047109': { - 'name': '(S)-3-hydroxyacid-ester dehydrogenase activity', - 'def': 'Catalysis of the reaction: ethyl (S)-3-hydroxyhexanoate + NADP(+) = ethyl 3-oxohexanoate + H(+) + NADPH. [EC:1.1.1.280, RHEA:18272]' - }, - 'GO:0047110': { - 'name': 'phenylglyoxylate dehydrogenase (acylating) activity', - 'def': 'Catalysis of the reaction: CoA + NAD(+) + phenylglyoxylate = benzoyl-CoA + CO(2) + NADH. [EC:1.2.1.58, RHEA:10375]' - }, - 'GO:0047111': { - 'name': 'formate dehydrogenase (cytochrome-c-553) activity', - 'def': 'Catalysis of the reaction: ferricytochrome C-553 + formate = ferrocytochrome C-553 + CO2. [EC:1.2.2.3, MetaCyc:1.2.2.3-RXN]' - }, - 'GO:0047112': { - 'name': 'pyruvate oxidase activity', - 'def': 'Catalysis of the reaction: H(+) + O(2) + phosphate + pyruvate = acetyl phosphate + CO(2) + H(2)O(2). [EC:1.2.3.3, RHEA:20851]' - }, - 'GO:0047113': { - 'name': 'aldehyde dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: an aldehyde + a quinone + H2O = a carboxylate + a quinol. [EC:1.2.5.2, MetaCyc:1.2.99.3-RXN]' - }, - 'GO:0047114': { - 'name': 'kynurenate-7,8-dihydrodiol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydro-7,8-dihydroxykynurenate + NAD(+) = 7,8-dihydroxykynurenate + H(+) + NADH. [EC:1.3.1.18, RHEA:22251]' - }, - 'GO:0047115': { - 'name': 'trans-1,2-dihydrobenzene-1,2-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: NADP+ + trans-1,2-dihydrobenzene-1,2-diol = NADPH + catechol. [EC:1.3.1.20, MetaCyc:1.3.1.20-RXN]' - }, - 'GO:0047116': { - 'name': '1,6-dihydroxycyclohexa-2,4-diene-1-carboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD+ + 1,6-dihydroxycyclohexa-2,4-diene-1-carboxylate = NADH + CO2 + catechol. [EC:1.3.1.25, MetaCyc:1.3.1.25-RXN]' - }, - 'GO:0047117': { - 'name': 'enoyl-[acyl-carrier-protein] reductase (NADPH, A-specific) activity', - 'def': 'Catalysis of the reaction: acyl-[acyl-carrier protein] + NADP+ = trans-D2-enoyl-[acyl-carrier protein] + NADPH + H+. [EC:1.3.1.39, MetaCyc:1.3.1.39-RXN]' - }, - 'GO:0047118': { - 'name': '2-hydroxy-6-oxo-6-phenylhexa-2,4-dienoate reductase activity', - 'def': 'Catalysis of the reaction: 2,6-dioxo-6-phenylhexanoate + NADP(+) = 2-hydroxy-6-oxo-6-phenylhexa-2,4-dienoate + H(+) + NADPH. [EC:1.3.1.40, RHEA:24271]' - }, - 'GO:0047119': { - 'name': '2-methyl-branched-chain-enoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: 2-methylbutanoyl-CoA + NAD(+) = 2-methylbut-2-enoyl-CoA + H(+) + NADH. [EC:1.3.1.52, RHEA:24535]' - }, - 'GO:0047120': { - 'name': '(3S,4R)-3,4-dihydroxycyclohexa-1,5-diene-1,4-dicarboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (3S,4R)-3,4-dihydroxycyclohexa-1,5-diene-1,4-dicarboxylate + NAD(+) = 3,4-dihydroxybenzoate + CO(2) + NADH. [EC:1.3.1.53, RHEA:10747]' - }, - 'GO:0047121': { - 'name': 'isoquinoline 1-oxidoreductase activity', - 'def': 'Catalysis of the reaction: A + H(2)O + isoquinoline = AH(2) + isoquinolin-1(2H)-one. [EC:1.3.99.16, RHEA:11591]' - }, - 'GO:0047122': { - 'name': 'quinaldate 4-oxidoreductase activity', - 'def': 'Catalysis of the reaction: A + H(2)O + quinaldate = AH(2) + kynurenate. [EC:1.3.99.18, RHEA:16700]' - }, - 'GO:0047123': { - 'name': 'quinoline-4-carboxylate 2-oxidoreductase activity', - 'def': 'Catalysis of the reaction: A + H(2)O + quinoline-4-carboxylate = 2-oxo-1,2-dihydroquinoline-4-carboxylate + AH(2). [EC:1.3.99.19, RHEA:14952]' - }, - 'GO:0047124': { - 'name': 'L-erythro-3,5-diaminohexanoate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (3S,5S)-3,5-diaminohexanoate + H(2)O + NAD(+) = (S)-5-amino-3-oxo-hexanoate + H(+) + NADH + NH(4)(+). [EC:1.4.1.11, RHEA:19636]' - }, - 'GO:0047125': { - 'name': 'delta1-piperideine-2-carboxylate reductase activity', - 'def': 'Catalysis of the reaction: NADP+ + L-pipecolate = NADPH + delta1-piperideine-2-carboxylate. [EC:1.5.1.21]' - }, - 'GO:0047126': { - 'name': 'N5-(carboxyethyl)ornithine synthase activity', - 'def': 'Catalysis of the reaction: N(5)-[1(S)-1-carboxyethyl]-L-ornithine + H(2)O + NADP(+) = L-ornithine + H(+) + NADPH + pyruvate. [EC:1.5.1.24, RHEA:18664]' - }, - 'GO:0047127': { - 'name': 'thiomorpholine-carboxylate dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + thiomorpholine-3-carboxylate = NAD(P)H + 3,4-dehydro-1,4-thiomorpholine-3-carboxylate. [EC:1.5.1.25, MetaCyc:1.5.1.25-RXN]' - }, - 'GO:0047128': { - 'name': '1,2-dehydroreticulinium reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: (R)-reticuline + NADP(+) = 1,2-dehydroreticuline + H(+) + NADPH. [EC:1.5.1.27, RHEA:17572]' - }, - 'GO:0047129': { - 'name': 'opine dehydrogenase activity', - 'def': 'Catalysis of the reaction: (2S)-2-[(R)-1-carboxyethylamino]pentanoate + H(2)O + NAD(+) = L-2-aminopentanoate + H(+) + NADH + pyruvate. [EC:1.5.1.28, RHEA:21595]' - }, - 'GO:0047130': { - 'name': 'saccharopine dehydrogenase (NADP+, L-lysine-forming) activity', - 'def': 'Catalysis of the reaction: L-saccharopine + H(2)O + NADP(+) = 2-oxoglutarate + L-lysine + H(+) + NADPH. [EC:1.5.1.8, RHEA:19376]' - }, - 'GO:0047131': { - 'name': 'saccharopine dehydrogenase (NAD+, L-glutamate-forming) activity', - 'def': 'Catalysis of the reaction: L-saccharopine + H(2)O + NAD(+) = L-glutamate + allysine + H(+) + NADH. [EC:1.5.1.9, RHEA:24523]' - }, - 'GO:0047132': { - 'name': 'dihydrobenzophenanthridine oxidase activity', - 'def': 'Catalysis of the reaction: O2 + dihydrosanguinarine = H2O2 + sanguinarine. [EC:1.5.3.12, MetaCyc:1.5.3.12-RXN]' - }, - 'GO:0047133': { - 'name': 'dimethylamine dehydrogenase activity', - 'def': 'Catalysis of the reaction: electron-transferring flavoprotein + H2O + dimethylamine = reduced electron-transferring flavoprotein + formaldehyde + methylamine. [EC:1.5.8.1, MetaCyc:1.5.8.1-RXN]' - }, - 'GO:0047134': { - 'name': 'protein-disulfide reductase activity', - 'def': 'Catalysis of the reaction: protein-dithiol + NAD(P)+ = protein-disulfide + NAD(P)H + H+. [EC:1.8.1.8, MetaCyc:1.6.4.4-RXN]' - }, - 'GO:0047135': { - 'name': 'bis-gamma-glutamylcystine reductase activity', - 'def': 'Catalysis of the reaction: 2 L-gamma-glutamyl-L-cysteine + NADP(+) = bis-gamma-glutamylcystine + H(+) + NADPH. [EC:1.8.1.13, RHEA:11983]' - }, - 'GO:0047136': { - 'name': '4-(dimethylamino)phenylazoxybenzene reductase activity', - 'def': 'Catalysis of the reaction: 4-(dimethylamino)azobenzene + H(2)O + NADP(+) = 4-(dimethylamino)phenylazoxybenzene + H(+) + NADPH. [EC:1.7.1.11, RHEA:19792]' - }, - 'GO:0047137': { - 'name': 'N-hydroxy-2-acetamidofluorene reductase activity', - 'def': 'Catalysis of the reaction: 2-acetamidofluorene + NAD(P)+ + H2O = N-hydroxy-2-acetamidofluorene + NAD(P)H + H+. [EC:1.7.1.12, MetaCyc:1.7.1.12-RXN]' - }, - 'GO:0047138': { - 'name': 'aquacobalamin reductase activity', - 'def': 'Catalysis of the reaction: 2 cob(II)alamin + NAD+ = 2 aquacob(III)alamin + NADH + H+. [EC:1.16.1.3, MetaCyc:1.6.99.12-RXN]' - }, - 'GO:0047139': { - 'name': 'glutathione-homocystine transhydrogenase activity', - 'def': 'Catalysis of the reaction: homocystine + 2 reduced glutathione = oxidized glutathione + 2 homocysteine. [EC:1.8.4.1, MetaCyc:1.8.4.1-RXN]' - }, - 'GO:0047140': { - 'name': 'glutathione-CoA-glutathione transhydrogenase activity', - 'def': 'Catalysis of the reaction: oxidized glutathione + CoA = reduced glutathione + CoA-glutathione. [EC:1.8.4.3, MetaCyc:1.8.4.3-RXN]' - }, - 'GO:0047141': { - 'name': 'glutathione-cystine transhydrogenase activity', - 'def': 'Catalysis of the reaction: cystine + 2 reduced glutathione = oxidized glutathione + 2 L-cysteine. [EC:1.8.4.4, MetaCyc:1.8.4.4-RXN]' - }, - 'GO:0047142': { - 'name': 'enzyme-thiol transhydrogenase (glutathione-disulfide) activity', - 'def': 'Catalysis of the reaction: oxidized glutathione + [xanthine dehydrogenase] = reduced glutathione + xanthine-oxidase. [EC:1.8.4.7, MetaCyc:1.8.4.7-RXN]' - }, - 'GO:0047143': { - 'name': 'chlorate reductase activity', - 'def': 'Catalysis of the reaction: AH(2) + chlorate = A + chlorite + H(2)O + H(+). [EC:1.97.1.1, RHEA:16352]' - }, - 'GO:0047144': { - 'name': '2-acylglycerol-3-phosphate O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 2-acyl-sn-glycerol 3-phosphate + acyl-CoA = L-phosphatidate + CoA. [EC:2.3.1.52, GOC:ab, MetaCyc:2-ACYL2.3.1.15-RXN, RHEA:14236]' - }, - 'GO:0047145': { - 'name': 'demethylsterigmatocystin 6-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 6-demethylsterigmatocystin + S-adenosyl-L-methionine = sterigmatocystin + S-adenosyl-homocysteine. [EC:2.1.1.109, MetaCyc:2.1.1.109-RXN]' - }, - 'GO:0047146': { - 'name': 'sterigmatocystin 7-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: sterigmatocystin + S-adenosyl-L-methionine = 7-O-methylsterigmatocystin + S-adenosyl-homocysteine. [EC:2.1.1.110, MetaCyc:2.1.1.110-RXN]' - }, - 'GO:0047147': { - 'name': 'trimethylsulfonium-tetrahydrofolate N-methyltransferase activity', - 'def': 'Catalysis of the reaction: (6S)-5,6,7,8-tetrahydrofolate + trimethylsulfonium = (6S)-5-methyl-5,6,7,8-tetrahydrofolate + dimethyl sulfide + H(+). [EC:2.1.1.19, RHEA:13696]' - }, - 'GO:0047148': { - 'name': 'methylamine-glutamate N-methyltransferase activity', - 'def': 'Catalysis of the reaction: L-glutamate + methylammonium = N-methyl-L-glutamate + NH(4)(+). [EC:2.1.1.21, RHEA:15840]' - }, - 'GO:0047149': { - 'name': 'thetin-homocysteine S-methyltransferase activity', - 'def': 'Catalysis of the reaction: L-homocysteine + dimethylsulfonioacetate = (methylthio)acetate + L-methionine + H(+). [EC:2.1.1.3, RHEA:22791]' - }, - 'GO:0047150': { - 'name': 'betaine-homocysteine S-methyltransferase activity', - 'def': 'Catalysis of the reaction: L-homocysteine + betaine = N,N-dimethylglycine + L-methionine. [EC:2.1.1.5, RHEA:22339]' - }, - 'GO:0047151': { - 'name': 'methylenetetrahydrofolate-tRNA-(uracil-5-)-methyltransferase (FADH2-oxidizing) activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + tRNA containing uridine at position 54 + FADH + H+ = tetrahydrofolate + tRNA containing ribothymidine at position 54 + FAD+. [EC:2.1.1.74, MetaCyc:2.1.1.74-RXN]' - }, - 'GO:0047152': { - 'name': 'methanol-5-hydroxybenzimidazolylcobamide Co-methyltransferase activity', - 'def': 'Catalysis of the reaction: 5-hydroxybenzimidazolylcobamide + methanol = H2O + Co-methyl-Co-5-hydroxybenzimidazolylcob(I)amide. [EC:2.1.1.90, MetaCyc:2.1.1.90-RXN]' - }, - 'GO:0047153': { - 'name': 'deoxycytidylate 5-hydroxymethyltransferase activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + dCMP + H(2)O = (6S)-5,6,7,8-tetrahydrofolate + 5-hydroxymethyldeoxycytidylate. [EC:2.1.2.8, RHEA:11283]' - }, - 'GO:0047154': { - 'name': 'methylmalonyl-CoA carboxytransferase activity', - 'def': 'Catalysis of the reaction: pyruvate + D-methylmalonyl-CoA = oxaloacetic acid + propionyl-CoA. [EC:2.1.3.1, MetaCyc:2.1.3.1-RXN]' - }, - 'GO:0047155': { - 'name': '3-hydroxymethylcephem carbamoyltransferase activity', - 'def': 'Catalysis of the reaction: a 3-hydroxymethylceph-3-em-4-carboxylate + carbamoyl-phosphate = phosphate + a 3-carbamoyloxymethylcephem. [EC:2.1.3.7, MetaCyc:2.1.3.7-RXN]' - }, - 'GO:0047156': { - 'name': 'acetoin-ribose-5-phosphate transaldolase activity', - 'def': 'Catalysis of the reaction: D-ribose 5-phosphate + acetoin = 1-deoxy-D-altro-heptulose 7-phosphate + acetaldehyde. [EC:2.2.1.4, RHEA:21507]' - }, - 'GO:0047157': { - 'name': 'myelin-proteolipid O-palmitoyltransferase activity', - 'def': 'Catalysis of the reaction: [myelin proteolipid] + palmityl-CoA = [myelin proteolipid] O-palmitoylprotein + CoA. [EC:2.3.1.100, MetaCyc:2.3.1.100-RXN]' - }, - 'GO:0047158': { - 'name': 'sinapoylglucose-sinapoylglucose O-sinapoyltransferase activity', - 'def': 'Catalysis of the reaction: 2 1-O-sinapoyl-beta-D-glucose = 1,2-di-O-sinapoyl-beta-D-glucose + D-glucose. [EC:2.3.1.103, RHEA:22667]' - }, - 'GO:0047159': { - 'name': '1-alkenylglycerophosphocholine O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 1-alkenylglycerophosphocholine + acyl-CoA = 1-alkenyl-2-acylglycerophosphocholine + CoA. [EC:2.3.1.104, MetaCyc:2.3.1.104-RXN]' - }, - 'GO:0047160': { - 'name': 'alkylglycerophosphate 2-O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: 1-alkyl-sn-glycerol 3-phosphate + acetyl-CoA = 1-alkyl-2-acetyl-sn-glycerol 3-phosphate + CoA. [EC:2.3.1.105, RHEA:18560]' - }, - 'GO:0047161': { - 'name': 'tartronate O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: hydroxymalonate + sinapoyl-CoA = CoA + sinapoyltartronate. [EC:2.3.1.106, RHEA:10955]' - }, - 'GO:0047162': { - 'name': '17-O-deacetylvindoline O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: (1R,9R,10S,11R,12R,19R)-12-ethyl-10,11-dihydroxy-5-methoxy-10-(methoxycarbonyl)-8-methyl-8,16-diazapentacyclo[10.6.1.0^{1,9}.0^{2,7}.0^{16,19}]nonadeca-2(7),3,5,13-tetraen-16-ium + acetyl-CoA = (1R,9R,10S,11R,12R,19R)-11-(acetyloxy)-12-ethyl-10-hydroxy-5-methoxy-10-(methoxycarbonyl)-8-methyl-8,16-diazapentacyclo[10.6.1.0^{1,9}.0^{2,7}.0^{16,19}]nonadeca-2(7),3,5,13-tetraen-16-ium + CoA. [EC:2.3.1.107, RHEA:24499]' - }, - 'GO:0047163': { - 'name': '3,4-dichloroaniline N-malonyltransferase activity', - 'def': 'Catalysis of the reaction: 3,4-dichloroaniline + malonyl-CoA = N-(3,4-dichlorophenyl)malonamate + CoA. [EC:2.3.1.114, RHEA:21063]' - }, - 'GO:0047164': { - 'name': "isoflavone-7-O-beta-glucoside 6''-O-malonyltransferase activity", - 'def': "Catalysis of the reaction: biochanin-A + malonyl-CoA = 6'-malonyl-biochanin A + CoA. [EC:2.3.1.115, MetaCyc:2.3.1.115-RXN]" - }, - 'GO:0047165': { - 'name': 'flavonol-3-O-beta-glucoside O-malonyltransferase activity', - 'def': 'Catalysis of the reaction: flavonol 3-O-beta-D-glucoside + malonyl-CoA = malonyl-flavonol 3-O-beta-D-glucoside + CoA. [EC:2.3.1.116, MetaCyc:2.3.1.116-RXN]' - }, - 'GO:0047166': { - 'name': '1-alkenylglycerophosphoethanolamine O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 1-alkenylglycerophosphoethanolamine + acyl-CoA = 1-alkenyl-2-acyl-glycerophosphoethanolamine + CoA. [EC:2.3.1.121, MetaCyc:2.3.1.121-RXN]' - }, - 'GO:0047167': { - 'name': '1-alkyl-2-acetylglycerol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 1-O-alkyl-2-acetyl-sn-glycerol + acyl-CoA = 1-O-alkyl-2-acetyl-3-acyl-sn-glycerol + CoA. [EC:2.3.1.125, MetaCyc:2.3.1.125-RXN]' - }, - 'GO:0047168': { - 'name': 'isocitrate O-dihydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: caffeoyl-CoA + isocitrate = 2-caffeoylisocitrate + CoA. [EC:2.3.1.126, RHEA:20759]' - }, - 'GO:0047169': { - 'name': 'galactarate O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: feruloyl-CoA + galactarate = 2-(E)-O-feruloyl-D-galactarate + CoA. [EC:2.3.1.130, RHEA:13000]' - }, - 'GO:0047170': { - 'name': 'glucarate O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: D-glucarate + sinapoyl-CoA = 2-O-sinapoyl-D-glucarate + CoA. [EC:2.3.1.131, RHEA:23311]' - }, - 'GO:0047171': { - 'name': 'glucarolactone O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: glucarolactone + sinapoyl-CoA = O-sinapoylglucarolactone + CoA. [EC:2.3.1.132, MetaCyc:2.3.1.132-RXN]' - }, - 'GO:0047172': { - 'name': 'shikimate O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: shikimate + coumaroyl-CoA = 4-coumaroylshikimate + CoA. [EC:2.3.1.133, MetaCyc:2.3.1.133-RXN]' - }, - 'GO:0047173': { - 'name': 'phosphatidylcholine-retinol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: retinol-[cellular-retinol-binding-protein] + phosphatidylcholine = retinyl-ester-[cellular-retinol-binding-protein] + 2-acylglycerophosphocholine. [EC:2.3.1.135, MetaCyc:2.3.1.135-RXN]' - }, - 'GO:0047174': { - 'name': 'putrescine N-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: caffeoyl-CoA + putrescine = N-caffeoylputrescine + CoA + H(+). [EC:2.3.1.138, RHEA:12439]' - }, - 'GO:0047175': { - 'name': 'galactosylacylglycerol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: sn-3-D-galactosyl-sn-2-acylglycerol + acyl-[acyl-carrier protein] = D-galactosyldiacylglycerol + [acyl-carrier protein]. [EC:2.3.1.141, MetaCyc:2.3.1.141-RXN]' - }, - 'GO:0047176': { - 'name': 'beta-glucogallin-tetrakisgalloylglucose O-galloyltransferase activity', - 'def': 'Catalysis of the reaction: 1,2,3,6-tetrakis-O-galloyl-beta-D-glucose + 1-O-galloyl-beta-D-glucose = 1,2,3,4,6-pentakis-O-galloyl-beta-D-glucose + D-glucose. [EC:2.3.1.143, RHEA:19112]' - }, - 'GO:0047177': { - 'name': 'glycerophospholipid arachidonoyl-transferase (CoA-independent) activity', - 'def': 'Catalysis of the reaction: 1-alkyl-2-lyso-sn-glycero-3-phosphoethanolamine + 1-alkyl-2-arachidonyl-sn-glycero-3-phosphocholine = 1-alkyl-2-lyso-sn-glycero-3-phosphocholine + 1-alkyl-2-arachidonyl-sn-glycero-3-phosphoethanolamine. [EC:2.3.1.147, MetaCyc:2.3.1.147-RXN]' - }, - 'GO:0047178': { - 'name': 'glycerophospholipid acyltransferase (CoA-dependent) activity', - 'def': 'Catalysis of the reaction: 1-radyl-2-lyso-sn-glycero-3-phosphoethanolamine + 1-radyl-2-acyl-sn-glycero-3-phosphocholine = 1-radyl-2-lyso-sn-glycero-3-phosphocholine + 1-radyl-2-acyl-sn-glycero-3-phosphoethanolamine. [EC:2.3.1.148, MetaCyc:2.3.1.148-RXN]' - }, - 'GO:0047179': { - 'name': 'platelet-activating factor acetyltransferase activity', - 'def': 'Catalysis of the reaction: 1-radyl-2-acyl-sn-glycero-3-phospholipid + 1-alkyl-2-acetyl-sn-glycero-3-phosphocholine = 1-alkyl-2-lyso-sn-glycero-3-phosphocholine + 1-radyl-2-acetyl-sn-glycero-3-phospholipid. [EC:2.3.1.149, MetaCyc:2.3.1.149-RXN]' - }, - 'GO:0047180': { - 'name': 'salutaridinol 7-O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: (7S)-salutaridinol + acetyl-CoA = (7S)-O-acetylsalutaridinol + CoA. [EC:2.3.1.150, RHEA:22859]' - }, - 'GO:0047181': { - 'name': 'benzophenone synthase activity', - 'def': "Catalysis of the reaction: 3-hydroxybenzoyl-CoA + 3 malonyl-CoA = 3 CO2 + 2,3',4,6-tetrahydroxybenzophenone + 4 coenzyme A. [EC:2.3.1.151, MetaCyc:2.3.1.151-RXN]" - }, - 'GO:0047182': { - 'name': 'alcohol O-cinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: an alcohol + 1-O-trans-cinnamoyl-beta-D-glucopyranose = beta-D-glucose + alkyl cinnamate. [EC:2.3.1.152, MetaCyc:2.3.1.152-RXN]' - }, - 'GO:0047183': { - 'name': 'anthocyanin 5-aromatic acyltransferase activity', - 'def': 'Catalysis of the reaction: anthocyanidin-3,5-diglucoside + hydroxycinnamoyl-CoA = anthocyanidin 3-glucoside-5-hydroxycinnamoylglucoside + CoA. [EC:2.3.1.153, MetaCyc:2.3.1.153-RXN]' - }, - 'GO:0047184': { - 'name': '1-acylglycerophosphocholine O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 1-acyl-sn-glycero-3-phosphocholine + acyl-CoA = phosphatidylcholine + CoA. [EC:2.3.1.23, MetaCyc:2.3.1.23-RXN]' - }, - 'GO:0047185': { - 'name': 'N-acetylneuraminate 4-O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetylneuraminate + acetyl-CoA = N-acetyl-4-O-acetylneuraminate + CoA. [EC:2.3.1.44, RHEA:18308]' - }, - 'GO:0047186': { - 'name': 'N-acetylneuraminate 7-O(or 9-O)-acetyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetylneuraminate + acetyl-CoA = N-acetyl-7-O(or 9-O)-acetylneuraminate + CoA. [EC:2.3.1.45, MetaCyc:2.3.1.45-RXN]' - }, - 'GO:0047187': { - 'name': 'deacetyl-[citrate-(pro-3S)-lyase] S-acetyltransferase activity', - 'def': "Catalysis of the reaction: deacetyl-[citrate-oxaloacetate-lyase ((pro-3S)-CH(2)COO(-)-acetate)] + S-acetylphosphopantetheine = [citrate oxaloacetate-lyase ((pro-3S)-CH(2)COO(-)-acetate)] + pantetheine 4'-phosphate. [EC:2.3.1.49, MetaCyc:2.3.1.49-RXN]" - }, - 'GO:0047188': { - 'name': 'aromatic-hydroxylamine O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: N-hydroxy-4-aminobiphenyl + N-hydroxy-4-acetylaminonbiphenyl = N-acetoxy-4-aminobiphenyl + N-hydroxy-4-aminobiphenyl. [EC:2.3.1.56, MetaCyc:2.3.1.56-RXN]' - }, - 'GO:0047189': { - 'name': '2,3-diaminopropionate N-oxalyltransferase activity', - 'def': 'Catalysis of the reaction: 3-amino-L-alanine + oxalyl-CoA = N(3)-oxalyl-L-2,3-diaminopropanoate + CoA. [EC:2.3.1.58, RHEA:13468]' - }, - 'GO:0047190': { - 'name': '2-acylglycerophosphocholine O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 2-acyl-sn-glycero-3-phosphocholine + acyl-CoA = 1,2-diacyl-sn-glycero-3-phosphocholine + CoA. [EC:2.3.1.62, RHEA:10335]' - }, - 'GO:0047191': { - 'name': '1-alkylglycerophosphocholine O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 1-alkyl-sn-glycero-3-phosphocholine + acyl-CoA = 1-alkyl-2-acyl-sn-glycero-3-phosphocholine + CoA. [EC:2.3.1.63, MetaCyc:2.3.1.63-RXN]' - }, - 'GO:0047192': { - 'name': '1-alkylglycerophosphocholine O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: 1-alkyl-sn-glycero-3-phosphocholine + acetyl-CoA = 1-alkyl-2-acetyl-sn-glycero-3-phosphocholine + CoA. [EC:2.3.1.67, MetaCyc:2.3.1.67-RXN]' - }, - 'GO:0047193': { - 'name': 'obsolete CDP-acylglycerol O-arachidonoyltransferase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: CDP-acylglycerol + arachidonyl-CoA = CDP-diacylglycerol + CoA. [EC:2.3.1.70, MetaCyc:2.3.1.70-RXN]' - }, - 'GO:0047194': { - 'name': 'indoleacetylglucose-inositol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 1-O-(indol-3-ylacetyl)-beta-D-glucose + myo-inositol = 1L-1-O-(indol-3-yl)acetyl-myo-inositol + D-glucose. [EC:2.3.1.72, RHEA:21183]' - }, - 'GO:0047195': { - 'name': 'diacylglycerol-sterol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: sterol + 1,2-diacylglycerol = sterol ester + acylglycerol. [EC:2.3.1.73, MetaCyc:2.3.1.73-RXN]' - }, - 'GO:0047196': { - 'name': 'long-chain-alcohol O-fatty-acyltransferase activity', - 'def': 'Catalysis of the reaction: a long-chain-alcohol + acyl-CoA = a long-chain ester + CoA. [EC:2.3.1.75, MetaCyc:2.3.1.75-RXN]' - }, - 'GO:0047197': { - 'name': 'triglyceride-sterol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: a 3-beta-hydroxysterol + triacylglycerol = a 3-beta-hydroxysterol ester + 1,2-diacylglycerol. [EC:2.3.1.77, MetaCyc:2.3.1.77-RXN]' - }, - 'GO:0047198': { - 'name': 'cysteine-S-conjugate N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: S-substituted L-cysteine + acetyl-CoA = S-substituted N-acetyl-L-cysteine + CoA + H(+). [EC:2.3.1.80, RHEA:19216]' - }, - 'GO:0047199': { - 'name': 'phosphatidylcholine-dolichol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 1,2-diacyl-sn-glycero-3-phosphocholine + dolichol = 1-acyl-sn-glycero-3-phosphocholine + acyldolichol. [EC:2.3.1.83, RHEA:19288]' - }, - 'GO:0047200': { - 'name': 'tetrahydrodipicolinate N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: (S)-2,3,4,5-tetrahydrodipicolinate + acetyl-CoA + H(2)O = L-2-acetamido-6-oxopimelate + CoA. [EC:2.3.1.89, RHEA:13088]' - }, - 'GO:0047201': { - 'name': 'beta-glucogallin O-galloyltransferase activity', - 'def': 'Catalysis of the reaction: 2 1-O-galloyl-beta-D-glucose = 1,6-bis-O-galloyl-beta-D-glucose + D-glucose. [EC:2.3.1.90, RHEA:11419]' - }, - 'GO:0047202': { - 'name': 'sinapoylglucose-choline O-sinapoyltransferase activity', - 'def': 'Catalysis of the reaction: 1-O-sinapoyl-beta-D-glucose + choline = O-sinapoylcholine + D-glucose. [EC:2.3.1.91, RHEA:12027]' - }, - 'GO:0047203': { - 'name': '13-hydroxylupinine O-tigloyltransferase activity', - 'def': 'Catalysis of the reaction: 13-hydroxylupanine + 2-methylcrotonoyl-CoA = 13-(2-methylcrotonoyloxy)lupanine + CoA. [EC:2.3.1.93, RHEA:12363]' - }, - 'GO:0047204': { - 'name': 'chlorogenate-glucarate O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: D-glucarate + chlorogenate = (-)-quinate + 2-O-caffeoylglucarate. [EC:2.3.1.98, RHEA:23207]' - }, - 'GO:0047205': { - 'name': 'quinate O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: feruloyl-CoA + quinate = O-feruloylquinate + CoA. [EC:2.3.1.99, MetaCyc:2.3.1.99-RXN]' - }, - 'GO:0047206': { - 'name': 'UDP-N-acetylmuramoylpentapeptide-lysine N6-alanyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-L-lysyl-D-alanyl-D-alanine + L-alanyl-tRNA = UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-N6-(L-alanyl)-L-lysyl-D-alanyl-D-alanine + tRNA. [EC:2.3.2.10, MetaCyc:2.3.2.10-RXN]' - }, - 'GO:0047207': { - 'name': '1,2-beta-fructan 1F-fructosyltransferase activity', - 'def': 'Catalysis of the reaction: [(1->2)-beta-D-fructosyl](n) + [(1->2)-beta-D-fructosyl](m) = [(1->2)-beta-D-fructosyl](n+1) + [(1->2)-beta-D-fructosyl](m-1). [EC:2.4.1.100, MetaCyc:2.4.1.100-RXN]' - }, - 'GO:0047208': { - 'name': 'o-dihydroxycoumarin 7-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydroxycoumarin + UDP-D-glucose = daphnin + H(+) + UDP. [EC:2.4.1.104, RHEA:14328]' - }, - 'GO:0047209': { - 'name': 'coniferyl-alcohol glucosyltransferase activity', - 'def': 'Catalysis of the reaction: coniferyl alcohol + UDP-D-glucose = coniferin + UDP. [EC:2.4.1.111, MetaCyc:2.4.1.111-RXN]' - }, - 'GO:0047211': { - 'name': 'alpha-1,4-glucan-protein synthase (ADP-forming) activity', - 'def': 'Catalysis of the reaction: ADP-D-glucose + protein = alpha-D-glucosyl-protein + ADP. [EC:2.4.1.113, MetaCyc:2.4.1.113-RXN]' - }, - 'GO:0047212': { - 'name': '2-coumarate O-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: trans-2-coumarate + UDP-D-glucose = trans-beta-D-glucosyl-2-hydroxycinnamate + H(+) + UDP. [EC:2.4.1.114, RHEA:10239]' - }, - 'GO:0047213': { - 'name': 'anthocyanidin 3-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: anthocyanidin + UDP-D-glucose = anthocyanidin-3-O-D-glucoside + UDP. [EC:2.4.1.115, MetaCyc:2.4.1.115-RXN]' - }, - 'GO:0047214': { - 'name': 'cyanidin-3-rhamnosylglucoside 5-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: cyanidin-3-O-D-rhamnosyl-(1,6)-D-glucoside + UDP-D-glucose = cyanidin-3-O-[D-rhamnosyl-(1,6)-D-glucoside]-5-O-D-glucoside + UDP. [EC:2.4.1.116, MetaCyc:2.4.1.116-RXN]' - }, - 'GO:0047215': { - 'name': 'indole-3-acetate beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: (indol-3-yl)acetate + UDP-D-glucose = 1-O-(indol-3-ylacetyl)-beta-D-glucose + UDP. [EC:2.4.1.121, RHEA:14924]' - }, - 'GO:0047216': { - 'name': 'inositol 3-alpha-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: myo-inositol + UDP-galactose = O-alpha-D-galactosyl-(1,3)-1D-myo-inositol + UDP. [EC:2.4.1.123, MetaCyc:2.4.1.123-RXN]' - }, - 'GO:0047217': { - 'name': 'sucrose-1,6-alpha-glucan 3(6)-alpha-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: sucrose + 1,6-alpha-D-glucosyl(n) = 1,6-alpha-D-glucosyl(n+1) + fructose. [EC:2.4.1.125, MetaCyc:2.4.1.125-RXN]' - }, - 'GO:0047218': { - 'name': 'hydroxycinnamate 4-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 4-coumarate + UDP-D-glucose = 4-O-beta-D-glucosyl-4-hydroxycinnamate + UDP. [EC:2.4.1.126, MetaCyc:2.4.1.126-RXN]' - }, - 'GO:0047219': { - 'name': 'monoterpenol beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: (-)-menthol + UDP-D-glucose = (-)-menthyl beta-D-glucoside + H(+) + UDP. [EC:2.4.1.127, RHEA:11523]' - }, - 'GO:0047220': { - 'name': 'galactosylxylosylprotein 3-beta-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: 4-beta-D-galactosyl-O-beta-D-xylosylprotein + UDP-galactose = 3-beta-D-galactosyl-4-beta-D-galactosyl-O-beta-D-xylosylprotein + UDP. [EC:2.4.1.134, MetaCyc:2.4.1.134-RXN]' - }, - 'GO:0047221': { - 'name': 'sn-glycerol-3-phosphate 2-alpha-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + UDP-D-galactose = 2-(alpha-D-galactosyl)-sn-glycerol 3-phosphate + H(+) + UDP. [EC:2.4.1.137, RHEA:14288]' - }, - 'GO:0047222': { - 'name': 'mannotetraose 2-alpha-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: 1,3-alpha-D-mannosyl-1,2-alpha-D-mannosyl-1,2-alpha-D-mannosyl-D-mannose + UDP-N-acetyl-D-glucosamine = 1,3-alpha-D-mannosyl-1,2-(N-acetyl-alpha-D-glucosaminyl-alpha-D-mannosyl)-1,2-alpha-D-mannosyl-D-mannose + UDP. [EC:2.4.1.138, MetaCyc:2.4.1.138-RXN]' - }, - 'GO:0047223': { - 'name': 'beta-1,3-galactosyl-O-glycosyl-glycoprotein beta-1,3-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: beta-D-galactosyl-1,3-(N-acetyl-D-glucosaminyl-1,6)-N-acetyl-D-galactosaminyl-R + UDP-N-acetyl-D-glucosamine = N-acetyl-beta-D-glucosaminyl-1,3-beta-D-galactosyl-1,3-(N-acetyl-beta-D-glucosaminyl-1,6)-N-acetyl-D-galactosaminyl-R + UDP. [EC:2.4.1.146, MetaCyc:2.4.1.146-RXN]' - }, - 'GO:0047224': { - 'name': 'acetylgalactosaminyl-O-glycosyl-glycoprotein beta-1,3-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-galactosalaminyl-R + UDP-N-acetyl-D-glucosamine = N-acetyl-beta-D-glucosaminyl-1,3-N-acetyl-D-galactosaminyl-R + UDP. [EC:2.4.1.147, MetaCyc:2.4.1.147-RXN]' - }, - 'GO:0047225': { - 'name': 'acetylgalactosaminyl-O-glycosyl-glycoprotein beta-1,6-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-beta-D-glucosaminyl-1,3-N-acetyl-D-galactosaminyl-R + UDP-N-acetyl-D-glucosamine = N-acetyl-beta-D-glucosaminyl-1,6-(N-acetyl-beta-D-glucosaminyl-1,3)-N-acetyl-D-galactosaminyl-R + UDP. [EC:2.4.1.148, MetaCyc:2.4.1.148-RXN]' - }, - 'GO:0047227': { - 'name': 'indolylacetyl-myo-inositol galactosyltransferase activity', - 'def': 'Catalysis of the reaction: 1L-1-O-(indol-3-yl)acetyl-myo-inositol + UDP-D-galactose = 5-O-(indol-3-ylacetyl)-myo-inositol D-galactoside + H(+) + UDP. [EC:2.4.1.156, RHEA:21151]' - }, - 'GO:0047228': { - 'name': '1,2-diacylglycerol 3-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 1,2-diacylglycerol + UDP-D-glucose = 3-D-glucosyl-1,2-diacylglycerol + UDP. [EC:2.4.1.157, MetaCyc:2.4.1.157-RXN]' - }, - 'GO:0047229': { - 'name': '13-hydroxydocosanoate 13-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 13-hydroxydocosanoate + UDP-D-glucose = 13-beta-D-glucosyloxydocosanoate + UDP. [EC:2.4.1.158, MetaCyc:2.4.1.158-RXN]' - }, - 'GO:0047230': { - 'name': 'flavonol-3-O-glucoside L-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: flavonol 3-O-D-glucoside + UDP-L-rhamnose = flavonol 3-O-L-rhamnosylglucoside + UDP. [EC:2.4.1.159, MetaCyc:2.4.1.159-RXN]' - }, - 'GO:0047231': { - 'name': "pyridoxine 5'-O-beta-D-glucosyltransferase activity", - 'def': "Catalysis of the reaction: pyridoxine + UDP-D-glucose = 5'-O-beta-D-glucosylpyridoxine + H(+) + UDP. [EC:2.4.1.160, RHEA:20180]" - }, - 'GO:0047232': { - 'name': 'galactosyl-N-acetylglucosaminylgalactosylglucosyl-ceramide beta-1,6-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: D-galactosyl-1,4-N-acetyl-beta-D-glucosaminyl-1,3-beta-D-galactosyl-1,4-beta-D-glucosylceramide + UDP-N-acetyl-D-glucosamine = N-acetyl-D-glucosaminyl-1,6-beta-D-galactosyl-1,4-N-acetyl-beta-D-glucosaminyl-1,3-beta-D-galactosyl-1,4-beta-D-glucosyceramide + UDP. [EC:2.4.1.164, MetaCyc:2.4.1.164-RXN]' - }, - 'GO:0047233': { - 'name': 'N-acetylneuraminylgalactosylglucosylceramide beta-1,4-N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetylneuraminyl-2,3-alpha-D-galactosyl-1,4-beta-D-glucosylceramide + UDP-N-acetylgalactosamine = N-acetyl-beta-D-galactosaminyl-1,4-(N-acetyl-alpha-neuraminyl-2,3)-beta-D-galactosyl-1,4-beta-D-glucosylceramide + UDP. [EC:2.4.1.165, MetaCyc:2.4.1.165-RXN]' - }, - 'GO:0047234': { - 'name': 'raffinose-raffinose alpha-galactotransferase activity', - 'def': 'Catalysis of the reaction: 2 raffinose = sucrose + 1F-alpha-D-galactosylraffinose. [EC:2.4.1.166, MetaCyc:2.4.1.166-RXN]' - }, - 'GO:0047235': { - 'name': 'sucrose 6F-alpha-galactotransferase activity', - 'def': 'Catalysis of the reaction: sucrose + UDP-galactose = 6F-alpha-D-galactosylsucrose + UDP. [EC:2.4.1.167, MetaCyc:2.4.1.167-RXN]' - }, - 'GO:0047236': { - 'name': 'methyl-ONN-azoxymethanol beta-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: methylazoxymethanol + UDP-D-glucose = H+ + cycasin + UDP. [EC:2.4.1.171, MetaCyc:2.4.1.171-RXN]' - }, - 'GO:0047237': { - 'name': 'glucuronylgalactosylproteoglycan 4-beta-N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: D-glucuronyl-1,3-beta-D-galactosylproteoglycan + UDP-N-acetylgalactosamine = N-acetyl-D-galactosaminyl-1,4-beta-D-glucuronyl-1,3-beta-D-galactosylproteoglycan + UDP. [EC:2.4.1.174, MetaCyc:2.4.1.174-RXN]' - }, - 'GO:0047238': { - 'name': 'glucuronosyl-N-acetylgalactosaminyl-proteoglycan 4-beta-N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: D-glucuronyl-N-acetyl-1,3-beta-D-galactosaminylproteoglycan + UDP-N-acetylgalactosamine = N-acetyl-D-galactosaminyl-1,4-beta-D-glucuronyl-N-acetyl-1,3-beta-D-galactosaminylproteoglycan + UDP. [EC:2.4.1.175, MetaCyc:2.4.1.175-RXN]' - }, - 'GO:0047239': { - 'name': 'hydroxymandelonitrile glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 4-hydroxymandelonitrile + UDP-D-glucose = H(+) + taxiphyllin + UDP. [EC:2.4.1.178, RHEA:15964]' - }, - 'GO:0047240': { - 'name': 'lactosylceramide beta-1,3-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: D-galactosyl-(1->4)-beta-D-glucosyl-R + UDP-D-galactose = D-galactosyl-(1->3)-beta-D-galactosyl-(1->4)-beta-D-glucosyl-R + H(+) + UDP. [EC:2.4.1.179, RHEA:18416]' - }, - 'GO:0047241': { - 'name': 'lipopolysaccharide N-acetylmannosaminouronosyltransferase activity', - 'def': 'Catalysis of the reaction: lipopolysaccharide + UDP-N-acetylmannosaminouronate = N-acetyl-beta-D-mannosaminouronosyl-1,4-lipopolysaccharide + UDP. [EC:2.4.1.180, MetaCyc:2.4.1.180-RXN]' - }, - 'GO:0047242': { - 'name': 'hydroxyanthraquinone glucosyltransferase activity', - 'def': 'Catalysis of the reaction: a hydroxyanthraquinone + UDP-D-glucose = a glucosyloxyanthraquinone + UDP. [EC:2.4.1.181, MetaCyc:2.4.1.181-RXN]' - }, - 'GO:0047243': { - 'name': 'flavanone 7-O-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: a flavanone + UDP-D-glucose = a flavanone 7-O-beta-D-glucoside + UDP. [EC:2.4.1.185, MetaCyc:2.4.1.185-RXN]' - }, - 'GO:0047244': { - 'name': 'N-acetylglucosaminyldiphosphoundecaprenol N-acetyl-beta-D-mannosaminyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-glucosaminyldiphosphoundecaprenol + UDP-N-acetyl-D-mannosamine = N-acetyl-beta-D-mannosaminyl-1,4-N-acetyl-D-glucosaminyldiphosphoundecaprenol + UDP. [EC:2.4.1.187, MetaCyc:2.4.1.187-RXN]' - }, - 'GO:0047245': { - 'name': 'N-acetylglucosaminyldiphosphoundecaprenol glucosyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-glucosaminyldiphosphoundecaprenol + UDP-D-glucose = beta-D-glucosyl-1,4-N-acetyl-D-glucosaminyldiphosphoundecaprenol + UDP. [EC:2.4.1.188, MetaCyc:2.4.1.188-RXN]' - }, - 'GO:0047246': { - 'name': 'luteolin-7-O-glucuronide 7-O-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: luteolin 7-O-beta-D-glucosiduronate + UDP-alpha-D-glucuronate = H(+) + luteolin 7-O-[(beta-D-glucosiduronate)-(1->2)-(beta-D-glucosiduronate)] + UDP. [EC:2.4.1.190, RHEA:14152]' - }, - 'GO:0047247': { - 'name': "luteolin-7-O-diglucuronide 4'-O-glucuronosyltransferase activity", - 'def': "Catalysis of the reaction: luteolin 7-O-[(beta-D-glucosiduronate)-(1->2)-(beta-D-glucosiduronate)] + UDP-alpha-D-glucuronate = H(+) + luteolin 7-O-[(beta-D-glucosiduronate)-(1->2)-(beta-D-glucosiduronate)] 4'-O-beta-D-glucosiduronate + UDP. [EC:2.4.1.191, RHEA:22119]" - }, - 'GO:0047248': { - 'name': 'nuatigenin 3-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: nuatigenin + UDP-D-glucose = H(+) + nuatigenin 3-beta-D-glucopyranoside + UDP. [EC:2.4.1.192, RHEA:19332]' - }, - 'GO:0047249': { - 'name': 'sarsapogenin 3-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: (25S)-5beta-spirostan-3beta-ol + UDP-D-glucose = (25S)-5beta-spirostan-3beta-yl beta-D-glucoside + H(+) + UDP. [EC:2.4.1.193, RHEA:14464]' - }, - 'GO:0047250': { - 'name': '4-hydroxybenzoate 4-O-beta-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybenzoate + UDP-D-glucose = 4-(beta-D-glucosyloxy)benzoate + H(+) + UDP. [EC:2.4.1.194, RHEA:15156]' - }, - 'GO:0047251': { - 'name': 'thiohydroximate beta-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: phenylthioacetohydroximate + UDP-D-glucose = desulfoglucotropeolin + UDP. [EC:2.4.1.195, MetaCyc:2.4.1.195-RXN]' - }, - 'GO:0047252': { - 'name': 'beta-mannosylphosphodecaprenol-mannooligosaccharide 6-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: (1->6)-alpha-D-mannosyloligosaccharide + beta-D-mannosylphosphodecaprenol = (1->6)-alpha-D-mannosyl-(1->6)-alpha-D-mannosyl-oligosaccharide + decaprenol phosphate. [EC:2.4.1.199, MetaCyc:2.4.1.199-RXN]' - }, - 'GO:0047253': { - 'name': 'alpha-1,6-mannosylglycoprotein 4-beta-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-beta-D-glucosaminyl-1,6-beta-D-(N-acetyl-B-glucosaminyl-1,2)-beta-D-mannosyl-R + UDP-N-acetyl-D-glucosamine = N-acetyl-beta-D-glucosaminyl-1,6-beta-D-(N-acetyl-D-glucosaminyl-1,2-beta)-(N-acetyl-D-glucosaminyl-1,4-beta)-D-mannosyl-R + UDP. [EC:2.4.1.201, MetaCyc:2.4.1.201-RXN]' - }, - 'GO:0047254': { - 'name': '2,4-dihydroxy-7-methoxy-2H-1,4-benzoxazin-3(4H)-one 2-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 2,4-dihydroxy-7-methoxy-2H-1,4-benzoxazin-3(4H)-one + UDP-D-glucose = 2,4-dihydroxy-7-methoxy-2H-1,4-benzoxazin-3(4H)-one 2-D-glucoside + UDP. [EC:2.4.1.202, MetaCyc:2.4.1.202-RXN]' - }, - 'GO:0047255': { - 'name': 'galactogen 6-beta-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: galactogen + UDP-galactose = 1,6-beta-D-galctosylgalactogen + UDP. [EC:2.4.1.205, MetaCyc:2.4.1.205-RXN]' - }, - 'GO:0047256': { - 'name': 'lactosylceramide 1,3-N-acetyl-beta-D-glucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: cytolipin-H + UDP-N-acetyl-D-glucosamine = N-acetyl-D-glucosaminyl-1,3-beta-D-galactosyl-1,4-beta-D-glucosylceramide + UDP. [EC:2.4.1.206, MetaCyc:2.4.1.206-RXN]' - }, - 'GO:0047257': { - 'name': 'diglucosyl diacylglycerol synthase activity', - 'def': 'Catalysis of the reaction: 1,2-diacyl-3-O-(alpha-D-glucopyranosyl)-sn-glycerol + UDP-D-glucose = UDP + 1,2-diacyl-3-O-(alpha-D-glucopyranosyl(1,2)-O-alpha-D-glucopyranosyl)-sn-glycerol. [EC:2.4.1.208, MetaCyc:2.4.1.208-RXN]' - }, - 'GO:0047258': { - 'name': 'sphingosine beta-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: sphingosine + UDP-D-galactose = H(+) + psychosine + UDP. [EC:2.4.1.23, RHEA:19488]' - }, - 'GO:0047259': { - 'name': 'glucomannan 4-beta-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: glucomannan(n) + GDP-mannose = glucomannan(n+1) + GDP. [EC:2.4.1.32, MetaCyc:2.4.1.32-RXN]' - }, - 'GO:0047260': { - 'name': 'alpha,alpha-trehalose-phosphate synthase (GDP-forming) activity', - 'def': 'Catalysis of the reaction: GDP-D-glucose + glucose-6-phosphate = alpha,alpha-trehalose 6-phosphate + GDP. [EC:2.4.1.36, MetaCyc:2.4.1.36-RXN]' - }, - 'GO:0047261': { - 'name': 'steroid N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: estradiol-17alpha 3-D-glucuronoside + UDP-N-acetyl-alpha-D-glucosamine = 17alpha-(N-acetyl-D-glucosaminyl)-estradiol 3-D-glucuronoside + H(+) + UDP. [EC:2.4.1.39, RHEA:14156]' - }, - 'GO:0047262': { - 'name': 'polygalacturonate 4-alpha-galacturonosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-D-galacturonate + 1,4-alpha-D-galacturonosyl(n) = 1,4-alpha-D-galacturonosyl(n+1) + UDP. [EC:2.4.1.43, MetaCyc:2.4.1.43-RXN]' - }, - 'GO:0047263': { - 'name': 'N-acylsphingosine galactosyltransferase activity', - 'def': 'Catalysis of the reaction: ceramide + UDP-galactose = D-galactosylceramide + UDP. [EC:2.4.1.47, MetaCyc:2.4.1.47-RXN]' - }, - 'GO:0047264': { - 'name': 'heteroglycan alpha-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: heteroglycan + GDP-mannose = alpha-D-mannosylheteroglycan + GDP. [EC:2.4.1.48]' - }, - 'GO:0047265': { - 'name': 'poly(glycerol-phosphate) alpha-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: poly(glycerol phosphate) + UDP-D-glucose = alpha-D-glucosylpoly(glycerol phosphate) + UDP. [EC:2.4.1.52, MetaCyc:2.4.1.52-RXN]' - }, - 'GO:0047266': { - 'name': 'poly(ribitol-phosphate) beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: poly(ribitol phosphate) + UDP-D-glucose = beta-D-glucosylpoly(ribitol phosphate) + UDP. [EC:2.4.1.53, MetaCyc:2.4.1.53-RXN]' - }, - 'GO:0047267': { - 'name': 'undecaprenyl-phosphate mannosyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-mannose + undecaprenyl phosphate = GDP + D-mannosyl-1-phosphoundecaprenol. [EC:2.4.1.54]' - }, - 'GO:0047268': { - 'name': 'galactinol-raffinose galactosyltransferase activity', - 'def': 'Catalysis of the reaction: raffinose + 1-alpha-D-galactosyl-myo-inositol = stachyose + myo-inositol. [EC:2.4.1.67, MetaCyc:2.4.1.67-RXN]' - }, - 'GO:0047269': { - 'name': 'poly(ribitol-phosphate) N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: poly(ribitol phosphate) + UDP-N-acetyl-D-glucosamine = N-acetyl-D-glucosaminyl-poly(ribitol phosphate) + UDP. [EC:2.4.1.70, MetaCyc:2.4.1.70-RXN]' - }, - 'GO:0047270': { - 'name': 'lipopolysaccharide glucosyltransferase II activity', - 'def': 'Catalysis of the reaction: lipopolysaccharide + UDP-D-glucose = D-glucosyl-lipopolysaccharide + UDP. [EC:2.4.1.73, GOC:mr, GOC:pr, MetaCyc:2.4.1.73-RXN]' - }, - 'GO:0047271': { - 'name': 'glycosaminoglycan galactosyltransferase activity', - 'def': 'Catalysis of the reaction: glycosaminoglycan + UDP-galactose = D-galactosylglycosaminoglycan + UDP. [EC:2.4.1.74, MetaCyc:2.4.1.74-RXN]' - }, - 'GO:0047272': { - 'name': 'phosphopolyprenol glucosyltransferase activity', - 'def': 'Catalysis of the reaction: polyprenyl phosphate + UDP-D-glucose = polyprenylphosphate-glucose + UDP. [EC:2.4.1.78, MetaCyc:2.4.1.78-RXN]' - }, - 'GO:0047273': { - 'name': 'galactosylgalactosylglucosylceramide beta-D-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-galactosamine + alpha-D-galactosyl-(1->4)-beta-D-galactosyl-(1->4)-beta-D-glucosylceramide = UDP + beta-N-acetyl-D-galactosaminyl-(1->3)-alpha-D-galactosyl-(1->4)-beta-D-galactosyl-(1->4)-beta-D-glucosylceramide. [EC:2.4.1.79, MetaCyc:2.4.1.79-RXN]' - }, - 'GO:0047274': { - 'name': 'galactinol-sucrose galactosyltransferase activity', - 'def': 'Catalysis of the reaction: sucrose + 1-alpha-D-galactosyl-myo-inositol = raffinose + myo-inositol. [EC:2.4.1.82, MetaCyc:2.4.1.82-RXN]' - }, - 'GO:0047275': { - 'name': 'glucosaminylgalactosylglucosylceramide beta-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-glucosaminyl-(1,3)-D-galactosyl-(1,4)-D-glucosylceramide + UDP-galactose = D-galactosyl-N-acetyl-D-glucosaminyl-(1,3)-D-galactosyl-(1,4)-D-glucosylceramide + UDP. [EC:2.4.1.86, MetaCyc:2.4.1.86-RXN]' - }, - 'GO:0047276': { - 'name': 'N-acetyllactosaminide 3-alpha-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: beta-D-galactosyl-(1,4)-beta-N-acetyl-D-glucosaminyl-R + UDP-galactose = alpha-D-galactosyl-(1,3)-beta-D-galactosyl-(1,4)-beta-N-acetyl-D-glucosaminyl-R + UDP. [EC:2.4.1.87, MetaCyc:2.4.1.87-RXN]' - }, - 'GO:0047277': { - 'name': 'globoside alpha-N-acetylgalactosaminyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-galactosaminyl-(1,3)-D-galactosyl-(1,4)-D-galactosyl-(1,4)-D-glucosylceramide + UDP-N-acetylgalactosamine = N-acetyl-D-galactosaminyl-N-acetyl-D-galactosaminyl-(1,3)-D-galactosyl-(1,4)-D-galactosyl-(1,4)-D-glucosylceramide + UDP. [EC:2.4.1.88, MetaCyc:2.4.1.88-RXN]' - }, - 'GO:0047278': { - 'name': 'bilirubin-glucuronoside glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: 2 bilirubin-glucuronoside = bilirubin + bilirubin-bisglucuronoside. [EC:2.4.1.95, RHEA:16888]' - }, - 'GO:0047279': { - 'name': 'sn-glycerol-3-phosphate 1-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + UDP-D-galactose = 1-O-alpha-D-galactosyl-sn-glycerol 3-phosphate + H(+) + UDP. [EC:2.4.1.96, RHEA:20344]' - }, - 'GO:0047280': { - 'name': 'nicotinamide phosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: diphosphate + nicotinamide mononucleotide = 5-phospho-alpha-D-ribose 1-diphosphate + H(+) + nicotinamide. [EC:2.4.2.12, RHEA:16152]' - }, - 'GO:0047281': { - 'name': 'dioxotetrahydropyrimidine phosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: pyrophosphate + a 2,4-dioxotetrahydropyrimidine D-ribonucleotide = PRPP + a 2,4-dioxotetrahydropyrimidine. [EC:2.4.2.20, MetaCyc:2.4.2.20-RXN]' - }, - 'GO:0047282': { - 'name': 'dTDP-dihydrostreptose-streptidine-6-phosphate dihydrostreptosyltransferase activity', - 'def': 'Catalysis of the reaction: dTDP-L-dihydrostreptose + streptidine 6-phosphate = O-(1->4)-alpha-L-dihydrostreptosyl-streptidine 6-phosphate + dTDP + H(+). [EC:2.4.2.27, RHEA:24395]' - }, - 'GO:0047283': { - 'name': 'dolichyl-phosphate D-xylosyltransferase activity', - 'def': 'Catalysis of the reaction: dolichol-phosphate + UDP-D-xylose = dolichyl D-xylosyl phosphate + UDP. [EC:2.4.2.32, MetaCyc:2.4.2.32-RXN]' - }, - 'GO:0047284': { - 'name': 'dolichyl-xylosyl-phosphate-protein xylosyltransferase activity', - 'def': 'Catalysis of the reaction: dolichyl D-xylosyl phosphate + protein = dolichol-phosphate + D-xylosylprotein. [EC:2.4.2.33, MetaCyc:2.4.2.33-RXN]' - }, - 'GO:0047285': { - 'name': 'flavonol-3-O-glycoside xylosyltransferase activity', - 'def': 'Catalysis of the reaction: flavonol 3-O-glycoside + UDP-D-xylose = flavonol 3-O-D-xylosylglycoside + UDP. [EC:2.4.2.35, MetaCyc:2.4.2.35-RXN]' - }, - 'GO:0047286': { - 'name': 'NAD+-diphthamide ADP-ribosyltransferase activity', - 'def': 'Catalysis of the reaction: peptide diphthamide + NAD+ = peptide N-(ADP-D-ribosyl)diphthamide + niacinamide. [EC:2.4.2.36]' - }, - 'GO:0047287': { - 'name': 'lactosylceramide alpha-2,6-N-sialyltransferase activity', - 'def': 'Catalysis of the reaction: cytolipin-H + CMP-N-acetylneuraminate = alpha-N-acetylneuraminyl-2,6-beta-galactosyl-1,4-beta-D-glucosylceramide + CMP. [EC:2.4.99.11, MetaCyc:2.4.99.11-RXN]' - }, - 'GO:0047288': { - 'name': 'monosialoganglioside sialyltransferase activity', - 'def': 'Catalysis of the reaction: D-galactosyl-N-acetyl-D-galactosaminyl-(N-acetylneuraminyl)-D-galactosyl-D-glucosylceramide + CMP-N-acetylneuraminate = N-acetylneuraminyl-D-galactosyl-N-acetyl-D-galactosaminyl-(N-acetylneuraminyl)-D-galactosyl-D-glucosylceramide + CMP. [EC:2.4.99.2, MetaCyc:2.4.99.2-RXN]' - }, - 'GO:0047289': { - 'name': 'galactosyldiacylglycerol alpha-2,3-sialyltransferase activity', - 'def': 'Catalysis of the reaction: 1,2-diacyl-3-beta-D-galactosyl-sn-glycerol + CMP-N-acetyl-beta-neuraminate = 1,2-diacyl-3-[3-(alpha-D-N-acetylneuraminyl)-beta-D-galactosyl]-sn-glycerol + CMP + H(+). [EC:2.4.99.5, RHEA:11667]' - }, - 'GO:0047290': { - 'name': '(alpha-N-acetylneuraminyl-2,3-beta-galactosyl-1,3)-N-acetyl-galactosaminide 6-alpha-sialyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-N-acetylneuraminyl-(2->3)-beta-D-galactosyl-(1->3)-N-acetyl-D-galactosaminyl-R + CMP-N-acetyl-beta-neuraminate = alpha-N-acetylneuraminyl-(2->3)-beta-D-galactosyl-(1->3)-[N-acetyl-alpha-neuraminyl-(2->6)]-N-acetyl-D-galactosaminyl-R + CMP. [EC:2.4.99.7, RHEA:10479]' - }, - 'GO:0047291': { - 'name': 'lactosylceramide alpha-2,3-sialyltransferase activity', - 'def': 'Catalysis of the reaction: cytolipin-H + CMP-N-acetylneuraminate = alpha-N-acetylneuraminyl-2,3-beta-D-galactosyl-1,4-beta-D-glucosylceramide + CMP. Alpha-N-acetylneuraminyl-2,3-beta-D-galactosyl-1,4-beta-D-glucosylceramide is also known as GM3. [EC:2.4.99.9, MetaCyc:2.4.99.9-RXN]' - }, - 'GO:0047292': { - 'name': 'trihydroxypterocarpan dimethylallyltransferase activity', - 'def': 'Catalysis of the reaction: (6AS,11AS)-3,6A,9-trihydroxypterocarpan + dimethylallyl-pyrophosphate = glyceollin + diphosphate. [EC:2.5.1.36, MetaCyc:2.5.1.36-RXN]' - }, - 'GO:0047293': { - 'name': '4-hydroxybenzoate nonaprenyltransferase activity', - 'def': 'Catalysis of the reaction: p-hydroxybenzoate + solanesyl pyrophosphate = nonaprenyl-4-hydroxybenzoate + diphosphate. [EC:2.5.1.39, MetaCyc:2.5.1.39-RXN]' - }, - 'GO:0047294': { - 'name': 'phosphoglycerol geranylgeranyltransferase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 1-phosphate + all-trans-geranylgeranyl diphosphate = sn-3-O-(geranylgeranyl)glycerol 1-phosphate + diphosphate. [EC:2.5.1.41, RHEA:23407]' - }, - 'GO:0047295': { - 'name': 'geranylgeranylglycerol-phosphate geranylgeranyltransferase activity', - 'def': 'Catalysis of the reaction: sn-3-O-(geranylgeranyl)glycerol 1-phosphate + all-trans-geranylgeranyl diphosphate = 2,3-di-O-(geranylgeranyl)glycerol 1-phosphate + diphosphate. [EC:2.5.1.42, RHEA:18112]' - }, - 'GO:0047296': { - 'name': 'homospermidine synthase activity', - 'def': 'Catalysis of the reaction: 2 putrescine = NH3 + sym-homospermidine. [EC:2.5.1.44, MetaCyc:2.5.1.44-RXN]' - }, - 'GO:0047297': { - 'name': 'asparagine-oxo-acid transaminase activity', - 'def': 'Catalysis of the reaction: a 2-oxo acid + L-asparagine = an amino acid + 2-oxosuccinamate. [EC:2.6.1.14, MetaCyc:2.6.1.14-RXN]' - }, - 'GO:0047298': { - 'name': '(S)-3-amino-2-methylpropionate transaminase activity', - 'def': 'Catalysis of the reaction: (S)-3-amino-2-methylpropanoate + 2-oxoglutarate = 2-methyl-3-oxopropanoate + L-glutamate. [EC:2.6.1.22, RHEA:13996]' - }, - 'GO:0047299': { - 'name': 'tryptophan-phenylpyruvate transaminase activity', - 'def': 'Catalysis of the reaction: keto-phenylpyruvate + L-tryptophan = 3-(indol-3-yl)pyruvate + L-phenylalanine. [EC:2.6.1.28, RHEA:13744]' - }, - 'GO:0047300': { - 'name': 'pyridoxamine-pyruvate transaminase activity', - 'def': 'Catalysis of the reaction: pyridoxamine + pyruvate = L-alanine + pyridoxal. [EC:2.6.1.30, RHEA:12844]' - }, - 'GO:0047301': { - 'name': 'valine-3-methyl-2-oxovalerate transaminase activity', - 'def': 'Catalysis of the reaction: (S)-3-methyl-2-oxopentanoate + L-valine = 3-methyl-2-oxobutanoate + L-isoleucine. [EC:2.6.1.32, RHEA:11471]' - }, - 'GO:0047302': { - 'name': 'UDP-2-acetamido-4-amino-2,4,6-trideoxyglucose transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + UDP-2-acetamido-4-amino-2,4,6-trideoxy-D-glucose = L-glutamate + UDP-2-acetamido-4-dehydro-2,6-dideoxy-beta-D-glucose. [EC:2.6.1.34, RHEA:18716]' - }, - 'GO:0047303': { - 'name': 'glycine-oxaloacetate transaminase activity', - 'def': 'Catalysis of the reaction: glycine + oxaloacetate = L-aspartate + glyoxylate. [EC:2.6.1.35, RHEA:17144]' - }, - 'GO:0047304': { - 'name': '2-aminoethylphosphonate-pyruvate transaminase activity', - 'def': 'Catalysis of the reaction: (2-aminoethyl)phosphonate + pyruvate = L-alanine + phosphonoacetaldehyde. [EC:2.6.1.37, RHEA:17024]' - }, - 'GO:0047305': { - 'name': '(R)-3-amino-2-methylpropionate-pyruvate transaminase activity', - 'def': 'Catalysis of the reaction: (2R)-3-amino-2-methylpropanoate + pyruvate = 2-methyl-3-oxopropanoate + L-alanine. [EC:2.6.1.40, RHEA:18396]' - }, - 'GO:0047306': { - 'name': 'D-methionine-pyruvate transaminase activity', - 'def': 'Catalysis of the reaction: D-methionine + pyruvate = 4-methylthio-2-oxobutanoate + L-alanine. [EC:2.6.1.41, RHEA:23839]' - }, - 'GO:0047307': { - 'name': 'diaminobutyrate-pyruvate transaminase activity', - 'def': 'Catalysis of the reaction: L-2,4-diaminobutyrate + pyruvate = L-alanine + L-aspartate 4-semialdehyde. [EC:2.6.1.46, RHEA:12383]' - }, - 'GO:0047308': { - 'name': 'alanine-oxomalonate transaminase activity', - 'def': 'Catalysis of the reaction: L-alanine + oxomalonate = aminomalonate + pyruvate. [EC:2.6.1.47, RHEA:18812]' - }, - 'GO:0047309': { - 'name': 'dihydroxyphenylalanine transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-dopa = 3,4-dihydroxyphenylpyruvate + L-glutamate. [EC:2.6.1.49, RHEA:15276]' - }, - 'GO:0047310': { - 'name': 'glutamine-scyllo-inositol transaminase activity', - 'def': 'Catalysis of the reaction: 2,4,6/3,5-pentahydroxycyclohexanone + L-glutamine = 1-amino-1-deoxy-scyllo-inositol + 2-oxoglutaramate. [EC:2.6.1.50, RHEA:22923]' - }, - 'GO:0047311': { - 'name': '1D-1-guanidino-3-amino-1,3-dideoxy-scyllo-inositol transaminase activity', - 'def': 'Catalysis of the reaction: 1D-1-guanidino-3-amino-1,3-dideoxy-scyllo-inositol + pyruvate = 1D-1-guanidino-1-deoxy-3-dehydro-scyllo-inositol + L-alanine. [EC:2.6.1.56, RHEA:15500]' - }, - 'GO:0047312': { - 'name': 'L-phenylalanine:pyruvate aminotransferase activity', - 'def': 'Catalysis of the reaction: pyruvate + L-phenylalanine = phenylpyruvate + L-alanine. [EC:2.6.1.58, MetaCyc:2.6.1.58-RXN]' - }, - 'GO:0047313': { - 'name': 'aromatic-amino-acid-glyoxylate transaminase activity', - 'def': 'Catalysis of the reaction: glyoxylate + an aromatic amino acid = L-glycine + an aromatic oxo acid. [EC:2.6.1.60, MetaCyc:2.6.1.60-RXN]' - }, - 'GO:0047315': { - 'name': 'kynurenine-glyoxylate transaminase activity', - 'def': 'Catalysis of the reaction: L-kynurenine + glyoxylate = 4-(2-aminophenyl)-2,4-dioxobutanoate + glycine. [EC:2.6.1.63, RHEA:19252]' - }, - 'GO:0047316': { - 'name': 'glutamine-phenylpyruvate transaminase activity', - 'def': 'Catalysis of the reaction: keto-phenylpyruvate + L-glutamine = 2-oxoglutaramate + L-phenylalanine. [EC:2.6.1.64, RHEA:17596]' - }, - 'GO:0047317': { - 'name': 'N6-acetyl-beta-lysine transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + 3-amino-6-acetamidohexanoate = L-glutamate + 3-oxo-6-acetamidohexanoate. [EC:2.6.1.65, MetaCyc:2.6.1.65-RXN]' - }, - 'GO:0047319': { - 'name': 'aspartate-phenylpyruvate transaminase activity', - 'def': 'Catalysis of the reaction: keto-phenylpyruvate + L-aspartate = L-phenylalanine + oxaloacetate. [EC:2.6.1.70, RHEA:14100]' - }, - 'GO:0047320': { - 'name': 'D-4-hydroxyphenylglycine transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + D-4-hydroxyphenylglycine = 4-hydroxyphenylglyoxylate + L-glutamate. [EC:2.6.1.72, RHEA:15592]' - }, - 'GO:0047321': { - 'name': 'diphosphate-protein phosphotransferase activity', - 'def': 'Catalysis of the reaction: microsomal-membrane protein + diphosphate = diphosphate + O-phospho-microsomal-membrane protein. [EC:2.7.99.1, MetaCyc:2.7.99.1-RXN]' - }, - 'GO:0047322': { - 'name': '[hydroxymethylglutaryl-CoA reductase (NADPH)] kinase activity', - 'def': 'Catalysis of the reaction: [3-hydroxy-3-methylglutaryl-CoA reductase (NADPH)] + ATP = [3-hydroxy-3-methylglutaryl-CoA reductase (NADPH)] phosphate + ADP. [EC:2.7.11.31, MetaCyc:2.7.1.109-RXN]' - }, - 'GO:0047323': { - 'name': '[3-methyl-2-oxobutanoate dehydrogenase (acetyl-transferring)] kinase activity', - 'def': 'Catalysis of the reaction: ATP + 3-methyl-2-oxobutanoate dehydrogenase (acetyl-transferring) = ADP + 3-methyl-2-oxobutanoate dehydrogenase (acetyl-transferring) phosphate. [EC:2.7.11.4]' - }, - 'GO:0047324': { - 'name': 'phosphoenolpyruvate-glycerone phosphotransferase activity', - 'def': 'Catalysis of the reaction: glycerone + phosphoenolpyruvate = glycerone phosphate + pyruvate. [EC:2.7.1.121, RHEA:18384]' - }, - 'GO:0047325': { - 'name': 'inositol tetrakisphosphate 1-kinase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 3,4,5,6-tetrakisphosphate + ATP = 1D-myo-inositol 1,3,4,5,6-pentakisphosphate + ADP. [EC:2.7.1.134, MetaCyc:2.7.1.134-RXN]' - }, - 'GO:0047326': { - 'name': 'inositol tetrakisphosphate 5-kinase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,3,4,6-tetrakisphosphate + ATP = 1D-myo-inositol 1,3,4,5,6-pentakisphosphate + ADP. [EC:2.7.1.140, MetaCyc:2.7.1.140-RXN]' - }, - 'GO:0047327': { - 'name': 'glycerol-3-phosphate-glucose phosphotransferase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + D-glucose = D-glucose 6-phosphate + glycerol. [EC:2.7.1.142, RHEA:21291]' - }, - 'GO:0047328': { - 'name': 'acyl-phosphate-hexose phosphotransferase activity', - 'def': 'Catalysis of the reaction: D-hexose + acyl phosphate = D-hexose phosphate + an acid. [EC:2.7.1.61, MetaCyc:2.7.1.61-RXN]' - }, - 'GO:0047329': { - 'name': 'phosphoramidate-hexose phosphotransferase activity', - 'def': 'Catalysis of the reaction: hexose + phosphoramidate = hexose 1-phosphate + NH3. [EC:2.7.1.62, MetaCyc:2.7.1.62-RXN]' - }, - 'GO:0047330': { - 'name': 'polyphosphate-glucose phosphotransferase activity', - 'def': 'Catalysis of the reaction: beta-D-glucose + long chain polyphosphate = glucose-6-phosphate + long chain polyphosphate. [EC:2.7.1.63, MetaCyc:2.7.1.63-RXN]' - }, - 'GO:0047331': { - 'name': 'diphosphate-glycerol phosphotransferase activity', - 'def': 'Catalysis of the reaction: glycerol + diphosphate = glycerol 1-phosphate + H(+) + phosphate. [EC:2.7.1.79, RHEA:13692]' - }, - 'GO:0047332': { - 'name': 'diphosphate-serine phosphotransferase activity', - 'def': 'Catalysis of the reaction: L-serine + diphosphate = O-phospho-L-serine + H(+) + phosphate. [EC:2.7.1.80, RHEA:23767]' - }, - 'GO:0047333': { - 'name': "dihydrostreptomycin-6-phosphate 3'-alpha-kinase activity", - 'def': "Catalysis of the reaction: ATP + dihydrostreptomycin 6-phosphate = ADP + dihydrostreptomycin 3'alpha,6-bisphosphate + 2 H(+). [EC:2.7.1.88, RHEA:16284]" - }, - 'GO:0047334': { - 'name': 'diphosphate-fructose-6-phosphate 1-phosphotransferase activity', - 'def': 'Catalysis of the reaction: fructose-6-phosphate + diphosphate = phosphate + fructose-1,6-bisphosphate. [EC:2.7.1.90, MetaCyc:2.7.1.90-RXN]' - }, - 'GO:0047335': { - 'name': '3-phosphoglyceroyl-phosphate-polyphosphate phosphotransferase activity', - 'def': 'Catalysis of the reaction: long-chain-polyphosphate + 3-phospho-D-glyceroyl-phosphate = long-chain-polyphosphate + 3-phosphoglycerate. [EC:2.7.4.17, MetaCyc:2.7.4.17-RXN]' - }, - 'GO:0047336': { - 'name': "5-methyldeoxycytidine-5'-phosphate kinase activity", - 'def': "Catalysis of the reaction: 2'-deoxy-5-methyl-5'-cytidylate + ATP = 5-methyldeoxycytidine diphosphate + ADP + H(+). [EC:2.7.4.19, RHEA:11399]" - }, - 'GO:0047337': { - 'name': 'dolichyl-diphosphate-polyphosphate phosphotransferase activity', - 'def': 'Catalysis of the reaction: dolichyl diphosphate + long-chain-polyphosphate = dolichol-phosphate + long-chain-polyphosphate. [EC:2.7.4.20, MetaCyc:2.7.4.20-RXN]' - }, - 'GO:0047338': { - 'name': 'UTP:xylose-1-phosphate uridylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-xylose 1-phosphate + UTP = UDP-D-xylose + diphosphate. [EC:2.7.7.11, MetaCyc:2.7.7.11-RXN]' - }, - 'GO:0047339': { - 'name': 'nucleoside-triphosphate-hexose-1-phosphate nucleotidyltransferase activity', - 'def': 'Catalysis of the reaction: hexose 1-phosphate + nucleoside triphosphate = NDP-hexose + diphosphate. [EC:2.7.7.28, MetaCyc:2.7.7.28-RXN]' - }, - 'GO:0047341': { - 'name': 'fucose-1-phosphate guanylyltransferase activity', - 'def': 'Catalysis of the reaction: beta-L-fucose 1-phosphate + GTP = diphosphate + GDP-L-fucose. [EC:2.7.7.30, RHEA:13552]' - }, - 'GO:0047342': { - 'name': 'galactose-1-phosphate thymidylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-galactose 1-phosphate + dTTP = diphosphate + dTDP-D-galactose. [EC:2.7.7.32, RHEA:17168]' - }, - 'GO:0047343': { - 'name': 'glucose-1-phosphate cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 1-phosphate + CTP = CDP-D-glucose + diphosphate. [EC:2.7.7.33, RHEA:18216]' - }, - 'GO:0047344': { - 'name': 'glucose-1-phosphate guanylyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 1-phosphate + GTP = diphosphate + GDP-D-glucose. [EC:2.7.7.34, RHEA:10711]' - }, - 'GO:0047345': { - 'name': 'ribose-5-phosphate adenylyltransferase activity', - 'def': 'Catalysis of the reaction: D-ribose 5-phosphate + ADP + H(+) = ADP-ribose + phosphate. [EC:2.7.7.35, RHEA:14532]' - }, - 'GO:0047346': { - 'name': 'aldose-1-phosphate adenylyltransferase activity', - 'def': 'Catalysis of the reaction: aldose 1-phosphate + ADP = phosphate + ADP-aldose. [EC:2.7.7.36, MetaCyc:2.7.7.36-RXN]' - }, - 'GO:0047347': { - 'name': 'aldose-1-phosphate nucleotidyltransferase activity', - 'def': 'Catalysis of the reaction: aldose 1-phosphate + NDP = phosphate + NDP-aldose. [EC:2.7.7.37, MetaCyc:2.7.7.37-RXN]' - }, - 'GO:0047348': { - 'name': 'glycerol-3-phosphate cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + CTP = CDP-glycerol + diphosphate. [EC:2.7.7.39, RHEA:13364]' - }, - 'GO:0047349': { - 'name': 'D-ribitol-5-phosphate cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: D-ribitol 5-phosphate + CTP = CDP-ribitol + diphosphate. [EC:2.7.7.40, RHEA:12459]' - }, - 'GO:0047350': { - 'name': 'glucuronate-1-phosphate uridylyltransferase activity', - 'def': 'Catalysis of the reaction: 1-phospho-alpha-D-glucuronate + UTP = diphosphate + UDP-alpha-D-glucuronate. [EC:2.7.7.44, RHEA:16328]' - }, - 'GO:0047351': { - 'name': 'guanosine-triphosphate guanylyltransferase activity', - 'def': "Catalysis of the reaction: 2 GTP = P(1),P(4)-bis(5'-guanosyl) tetraphosphate + diphosphate + H(+). [EC:2.7.7.45, RHEA:18156]" - }, - 'GO:0047352': { - 'name': 'adenylylsulfate-ammonia adenylyltransferase activity', - 'def': "Catalysis of the reaction: 5'-adenylyl sulfate + NH(4)(+) = adenosine 5'-phosphoramidate + 2 H(+) + sulfate. [EC:2.7.7.51, RHEA:19200]" - }, - 'GO:0047353': { - 'name': 'N-methylphosphoethanolamine cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: N-methylethanolamine phosphate + CTP = CDP-N-methylethanolamine + diphosphate. [EC:2.7.7.57, RHEA:10579]' - }, - 'GO:0047354': { - 'name': 'sphingosine cholinephosphotransferase activity', - 'def': 'Catalysis of the reaction: CDP-choline + sphingosine = CMP + H(+) + sphingosyl-phosphocholine. [EC:2.7.8.10, RHEA:21227]' - }, - 'GO:0047355': { - 'name': 'CDP-glycerol glycerophosphotransferase activity', - 'def': 'Catalysis of the reaction: glycerophosphate(n) + CDP-glycerol = glycerophosphate(n+1) + CMP. [EC:2.7.8.12, MetaCyc:2.7.8.12-RXN]' - }, - 'GO:0047356': { - 'name': 'CDP-ribitol ribitolphosphotransferase activity', - 'def': 'Catalysis of the reaction: ribitol phosphate(n) + CDP-ribitol = ribitol phosphate(n+1) + CMP. [EC:2.7.8.14, MetaCyc:2.7.8.14-RXN]' - }, - 'GO:0047357': { - 'name': 'UDP-galactose-UDP-N-acetylglucosamine galactose phosphotransferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-alpha-D-glucosamine + UDP-D-galactose = H(+) + UDP-N-acetyl-6-(D-galactose-1-phospho)-D-glucosamine + UMP. [EC:2.7.8.18, RHEA:22443]' - }, - 'GO:0047358': { - 'name': 'UDP-glucose-glycoprotein glucose phosphotransferase activity', - 'def': 'Catalysis of the reaction: glycoprotein D-mannose + UDP-D-glucose = glycoprotein 6-(D-glucose-1-phospho)-D-mannose + UMP. [EC:2.7.8.19, MetaCyc:2.7.8.19-RXN]' - }, - 'GO:0047359': { - 'name': '1-alkenyl-2-acylglycerol choline phosphotransferase activity', - 'def': 'Catalysis of the reaction: 1-alkenyl-2-acylglycerol + CDP-choline = plasmenylcholine + CMP. [EC:2.7.8.22, MetaCyc:2.7.8.22-RXN]' - }, - 'GO:0047360': { - 'name': 'undecaprenyl-phosphate galactose phosphotransferase activity', - 'def': 'Catalysis of the reaction: all-trans-undecaprenyl phosphate + UDP-D-galactose = alpha-D-galactosyl-diphosphoundecaprenol + UMP. [EC:2.7.8.6, RHEA:11655]' - }, - 'GO:0047361': { - 'name': 'phosphomannan mannosephosphotransferase activity', - 'def': 'Catalysis of the reaction: phosphomannan(n) + GDP-mannose = phosphomannan(n+1) + GMP. [EC:2.7.8.9, MetaCyc:2.7.8.9-RXN]' - }, - 'GO:0047362': { - 'name': 'thiosulfate-dithiol sulfurtransferase activity', - 'def': 'Catalysis of the reaction: dithioerythritol + thiosulfate = hydrogen sulfide + dithioerythritol disulfide + sulfite. [EC:2.8.1.5, MetaCyc:2.8.1.5-RXN]' - }, - 'GO:0047363': { - 'name': 'triglucosylalkylacylglycerol sulfotransferase activity', - 'def': "Catalysis of the reaction: alpha-D-glucosyl-1,6-alpha-D-glucosyl-1,6-alpha-D-glucosyl-1,3-1-O-alkyl-2-O-acylglycerol + 3'-phosphoadenosine 5'-phosphosulfate = 6-sulfo-alpha-D-glucosyl-1,6-alpha-D-glucosyl-1,6-alpha-D-glucosyl-1,3-1-O-alkyl-2-O-acylglycerol + adenosine 3',5'-bisphosphate. [EC:2.8.2.19, MetaCyc:2.8.2.19-RXN]" - }, - 'GO:0047364': { - 'name': 'desulfoglucosinolate sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + desulfoglucotropeolin = adenosine 3',5'-diphosphate + glucotropeolin + H(+). [EC:2.8.2.24, RHEA:20284]" - }, - 'GO:0047365': { - 'name': "quercetin-3-sulfate 3'-sulfotransferase activity", - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + quercetin 3-sulfate = adenosine 3',5'-diphosphate + H(+) + quercetin 3,3'-disulfate. [EC:2.8.2.26, RHEA:22507]" - }, - 'GO:0047366': { - 'name': "quercetin-3-sulfate 4'-sulfotransferase activity", - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + quercetin 3-sulfate = adenosine 3',5'-diphosphate + H(+) + quercetin 3,4'-disulfate. [EC:2.8.2.27, RHEA:17208]" - }, - 'GO:0047367': { - 'name': "quercetin-3,3'-bissulfate 7-sulfotransferase activity", - 'def': "Catalysis of the reaction: quercetin 3,3'-bissulfate + 3'-phosphoadenosine 5'-phosphosulfate = quercetin 3,3',7-trissulfate + adenosine 3',5'-bisphosphate. [EC:2.8.2.28, MetaCyc:2.8.2.28-RXN]" - }, - 'GO:0047368': { - 'name': 'UDP-N-acetylgalactosamine-4-sulfate sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + UDP-N-acetyl-D-galactosamine 4-sulfate = adenosine 3',5'-diphosphate + H(+) + UDP-N-acetyl-D-galactosamine 4,6-disulfate. [EC:2.8.2.7, RHEA:14340]" - }, - 'GO:0047369': { - 'name': 'succinate-hydroxymethylglutarate CoA-transferase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxy-3-methylglutarate + succinyl-CoA = 3-hydroxy-3-methyl-glutaryl-CoA + succinate. [EC:2.8.3.13, MetaCyc:2.8.3.13-RXN]' - }, - 'GO:0047370': { - 'name': 'succinate-citramalate CoA-transferase activity', - 'def': 'Catalysis of the reaction: S-citramalate + succinyl-CoA = citramalyl-CoA + succinate. [EC:2.8.3.7, MetaCyc:2.8.3.7-RXN]' - }, - 'GO:0047371': { - 'name': 'butyrate-acetoacetate CoA-transferase activity', - 'def': 'Catalysis of the reaction: acetoacetate + butanoyl-CoA = acetoacetyl-CoA + butanoate. [EC:2.8.3.9, RHEA:12964]' - }, - 'GO:0047372': { - 'name': 'acylglycerol lipase activity', - 'def': 'Catalysis of the reaction: H2O + acylglycerol = a fatty acid + glycerol. [EC:3.1.1.23, MetaCyc:3.1.1.23-RXN]' - }, - 'GO:0047373': { - 'name': 'acetoxybutynylbithiophene deacetylase activity', - 'def': "Catalysis of the reaction: 5-(4-acetoxybut-1-ynyl)-2,2'-bithiophene + H(2)O = 5-(4-hydroxy-but-1-ynyl)-2,2'-bithiophene + acetate + H(+). [EC:3.1.1.54, RHEA:11551]" - }, - 'GO:0047374': { - 'name': 'methylumbelliferyl-acetate deacetylase activity', - 'def': 'Catalysis of the reaction: 4-methylumbelliferyl acetate + H(2)O = 4-methylumbelliferone + acetate + H(+). [EC:3.1.1.56, RHEA:12211]' - }, - 'GO:0047375': { - 'name': 'N-acetylgalactosaminoglycan deacetylase activity', - 'def': 'Catalysis of the reaction: H2O + N-acetyl-D-galactosaminoglycan = acetate + D-galactosaminoglycan. [EC:3.1.1.58, MetaCyc:3.1.1.58-RXN]' - }, - 'GO:0047376': { - 'name': 'all-trans-retinyl-palmitate hydrolase, all-trans-retinol forming activity', - 'def': 'Catalysis of the reaction: all-trans-retinyl palmitate + H2O = all-trans-retinol + H+ + palmitate. [MetaCyc:3.1.1.64-RXN, RHEA:13936]' - }, - 'GO:0047377': { - 'name': "5-(3,4-diacetoxybut-1-ynyl)-2,2'-bithiophene deacetylase activity", - 'def': "Catalysis of the reaction: 5-(3,4-diacetoxybut-1-ynyl)-2,2'-bithiophene + H(2)O = 5-(3-hydroxy-4-acetoxybut-1-ynyl)-2,2'-bithiophene + acetate + H(+). [EC:3.1.1.66, RHEA:16316]" - }, - 'GO:0047378': { - 'name': 'acetylalkylglycerol acetylhydrolase activity', - 'def': 'Catalysis of the reaction: 2-acetyl-1-alkyl-sn-glycerol + H(2)O = 1-alkyl-sn-glycerol + acetate + H(+). [EC:3.1.1.71, RHEA:11555]' - }, - 'GO:0047379': { - 'name': 'ADP-dependent short-chain-acyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + a short-chain acyl-CoA = a short-chain carboxylate + CoA. [EC:3.1.2.18, MetaCyc:3.1.2.18-RXN]' - }, - 'GO:0047380': { - 'name': 'ADP-dependent medium-chain-acyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + a medium-chain acyl-CoA = a medium-chain carboxylate + CoA. Requires ADP. [EC:3.1.2.19, MetaCyc:3.1.2.19-RXN]' - }, - 'GO:0047381': { - 'name': 'dodecanoyl-[acyl-carrier-protein] hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + dodecanoyl-[acyl-carrier protein] = dodecanoate + [acyl-carrier protein]. [EC:3.1.2.21, MetaCyc:3.1.2.21-RXN]' - }, - 'GO:0047382': { - 'name': 'methylphosphothioglycerate phosphatase activity', - 'def': 'Catalysis of the reaction: S-methyl-3-phospho-1-thio-D-glycerate + H(2)O = S-methyl-1-thio-D-glycerate + phosphate. [EC:3.1.3.14, RHEA:16084]' - }, - 'GO:0047383': { - 'name': 'guanidinodeoxy-scyllo-inositol-4-phosphatase activity', - 'def': 'Catalysis of the reaction: 1-guanidino-1-deoxy-scyllo-inositol 4-phosphate + H(2)O = 1-guanidino-1-deoxy-scyllo-inositol + phosphate. [EC:3.1.3.40, RHEA:15780]' - }, - 'GO:0047384': { - 'name': '[hydroxymethylglutaryl-CoA reductase (NADPH)]-phosphatase activity', - 'def': 'Catalysis of the reaction: H2O + [hydroxymethylglutaryl-CoA reductase (NADPH)] phosphate = phosphate + [hydroxymethylglutaryl-CoA reductase (NADPH)]. [EC:3.1.3.47, MetaCyc:3.1.3.47-RXN]' - }, - 'GO:0047385': { - 'name': '[3-methyl-2-oxobutanoate dehydrogenase (lipoamide)]-phosphatase activity', - 'def': 'Catalysis of the reaction: H2O + [3-methyl-2-oxobutanoate dehydrogenase (lipoamide)] phosphate = phosphate + [3-methyl-2-oxobutanoate dehydrogenase (lipoamide)]. [EC:3.1.3.52, MetaCyc:3.1.3.52-RXN]' - }, - 'GO:0047386': { - 'name': 'fructose-2,6-bisphosphate 6-phosphatase activity', - 'def': 'Catalysis of the reaction: beta-D-fructose 2,6-bisphosphate + H(2)O = beta-D-fructofuranose 2-phosphate + phosphate. [EC:3.1.3.54, RHEA:13336]' - }, - 'GO:0047387': { - 'name': 'serine-ethanolaminephosphate phosphodiesterase activity', - 'def': 'Catalysis of the reaction: H(2)O + serine phosphoethanolamine = H(+) + phosphoethanolamine + serine. [EC:3.1.4.13, RHEA:17116]' - }, - 'GO:0047388': { - 'name': 'adenylyl-[glutamate-ammonia ligase] hydrolase activity', - 'def': 'Catalysis of the reaction: adenylyl-[L-glutamate:ammonia ligase (ADP-forming)] + H2O = AMP + [L-glutamate:ammonia ligase (ADP-forming)]. [EC:3.1.4.15, MetaCyc:3.1.4.15-RXN]' - }, - 'GO:0047389': { - 'name': 'glycerophosphocholine phosphodiesterase activity', - 'def': 'Catalysis of the reaction: H2O + L-1-glycero-3-phosphocholine = glycerol-3-phosphate + choline. [EC:3.1.4.2, MetaCyc:3.1.4.2-RXN]' - }, - 'GO:0047390': { - 'name': 'glycerophosphocholine cholinephosphodiesterase activity', - 'def': 'Catalysis of the reaction: sn-glycero-3-phosphocholine + H(2)O = choline phosphate + glycerol + H(+). [EC:3.1.4.38, RHEA:19548]' - }, - 'GO:0047391': { - 'name': 'alkylglycerophosphoethanolamine phosphodiesterase activity', - 'def': 'Catalysis of the reaction: H2O + 1-alkyl-sn-glycero-3-phosphoethanolamine = ethanolamine + 1-alkyl-sn-glycerol 3-phosphate. [EC:3.1.4.39, MetaCyc:3.1.4.39-RXN]' - }, - 'GO:0047392': { - 'name': 'CMP-N-acylneuraminate phosphodiesterase activity', - 'def': 'Catalysis of the reaction: H2O + CMP-N-acylneuraminate = N-acylneuraminate + CMP. [EC:3.1.4.40, MetaCyc:3.1.4.40-RXN]' - }, - 'GO:0047393': { - 'name': 'glycerol-1,2-cyclic-phosphate 2-phosphodiesterase activity', - 'def': 'Catalysis of the reaction: glycerol 1,2-cyclic phosphate + H(2)O = glycerol 1-phosphate + H(+). [EC:3.1.4.42, RHEA:16496]' - }, - 'GO:0047394': { - 'name': 'glycerophosphoinositol inositolphosphodiesterase activity', - 'def': 'Catalysis of the reaction: H2O + 1-(sn-glycero-3-phospho)-1D-myoinositol = 1D-myo-inositol 1-phosphate + glycerol. [EC:3.1.4.43, MetaCyc:3.1.4.43-RXN]' - }, - 'GO:0047395': { - 'name': 'glycerophosphoinositol glycerophosphodiesterase activity', - 'def': 'Catalysis of the reaction: 1-(sn-glycero-3-phospho)-1D-myo-inositol + H(2)O = sn-glycerol 3-phosphate + myo-inositol + H(+). [EC:3.1.4.44, RHEA:16504]' - }, - 'GO:0047396': { - 'name': 'glycosylphosphatidylinositol diacylglycerol-lyase activity', - 'def': 'Catalysis of the reaction: 6-(alpha-D-glucosaminyl)-1-phosphatidyl-1D-myo-inositol = 1,2-diacyl-sn-glycerol + 6-(alpha-D-glucosaminyl)-1D-myo-inositol 1,2-cyclic phosphate. [EC:4.6.1.14, MetaCyc:3.1.4.47-RXN]' - }, - 'GO:0047397': { - 'name': 'dolichylphosphate-glucose phosphodiesterase activity', - 'def': 'Catalysis of the reaction: dolichyl beta-D-glucosyl phosphate + H2O = dolichol-phosphate + beta-D-glucose. [EC:3.1.4.48, MetaCyc:3.1.4.48-RXN]' - }, - 'GO:0047398': { - 'name': 'dolichylphosphate-mannose phosphodiesterase activity', - 'def': 'Catalysis of the reaction: dolichyl beta-D-mannosyl phosphate + H2O = dolichol-phosphate + mannose. [EC:3.1.4.49, MetaCyc:3.1.4.49-RXN]' - }, - 'GO:0047399': { - 'name': 'glucose-1-phospho-D-mannosylglycoprotein phosphodiesterase activity', - 'def': 'Catalysis of the reaction: H2O + 6-(D-glucose-1-phospho)-D-mannosylglycoprotein = D-mannosylglycoprotein + D-glucose-alpha-1-phosphate. [EC:3.1.4.51, MetaCyc:3.1.4.51-RXN]' - }, - 'GO:0047400': { - 'name': 'phosphonoacetate hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + phosphonoacetate = acetate + H(+) + phosphate. [EC:3.11.1.2, RHEA:16752]' - }, - 'GO:0047401': { - 'name': 'trithionate hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + trithionate = H(+) + sulfate + thiosulfate. [EC:3.12.1.1, RHEA:21887]' - }, - 'GO:0047402': { - 'name': 'protein-glucosylgalactosylhydroxylysine glucosidase activity', - 'def': 'Catalysis of the reaction: H2O + protein alpha-D-glucosyl-1,2-beta-D-galactosyl-L-hydroxylysine = protein beta-D-galactosyl-L-hydroxylysine + beta-D-glucose. [EC:3.2.1.107, MetaCyc:3.2.1.107-RXN]' - }, - 'GO:0047403': { - 'name': 'lacto-N-biosidase activity', - 'def': 'Catalysis of the reaction: H2O + beta-D-Gal-(1,3)-beta-D-GlcNAc-(1,3)-beta-D-Gal-(1,4)-D-Glc = beta-D-Gal-(1,4)-D-Glc + beta-D-Gal-(1,3)-D-GlcNAc. [EC:3.2.1.140, MetaCyc:3.2.1.140-RXN]' - }, - 'GO:0047404': { - 'name': 'glucuronosyl-disulfoglucosamine glucuronidase activity', - 'def': 'Catalysis of the reaction: H2O + 3-D-glucuronosyl-N2-,6-disulfo-beta-D-glucosamine = glucuronate + N2,6-disulfo-D-glucosamine. [EC:3.2.1.56, MetaCyc:3.2.1.56-RXN]' - }, - 'GO:0047405': { - 'name': "pyrimidine-5'-nucleotide nucleosidase activity", - 'def': "Catalysis of the reaction: H2O + a pyrimidine 5'-nucleotide = ribose-5-phosphate + a pyrimidine. [EC:3.2.2.10, MetaCyc:3.2.2.10-RXN]" - }, - 'GO:0047406': { - 'name': 'beta-aspartyl-N-acetylglucosaminidase activity', - 'def': 'Catalysis of the reaction: N(4)-(beta-N-acetyl-D-glucosaminyl)-L-asparagine + H(2)O = N-acetyl-D-glucosamine + L-asparagine. [EC:3.2.2.11, RHEA:12327]' - }, - 'GO:0047407': { - 'name': 'ADP-ribosyl-[dinitrogen reductase] hydrolase activity', - 'def': 'Catalysis of the reaction: ADP-ribosyl-[dinitrogen reductase] = adenosine diphosphate ribose + [dinitrogen reductase]. [EC:3.2.2.24, MetaCyc:3.2.2.24-RXN]' - }, - 'GO:0047408': { - 'name': 'alkenylglycerophosphocholine hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + 1-(1-alkenyl)-sn-glycero-3-phosphocholine = L-1-glycero-3-phosphocholine + an aldehyde. [EC:3.3.2.2, MetaCyc:3.3.2.2-RXN]' - }, - 'GO:0047409': { - 'name': 'alkenylglycerophosphoethanolamine hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + 1-(1-alkenyl)-sn-glycero-3-phosphoethanolamine = sn-glycero-3-phosphoethanolamine + an aldehyde. [EC:3.3.2.5, MetaCyc:3.3.2.5-RXN]' - }, - 'GO:0047410': { - 'name': 'N-formylmethionylaminoacyl-tRNA deformylase activity', - 'def': 'Catalysis of the reaction: H2O + charged-fMet-tRNAs = L-methionylaminoacyl-tRNA + formate. [EC:3.5.1.27, MetaCyc:3.5.1.27-RXN]' - }, - 'GO:0047411': { - 'name': '2-(acetamidomethylene)succinate hydrolase activity', - 'def': 'Catalysis of the reaction: 2 H2O + 2-(acetamidomethylene)succinate = CO2 + NH3 + succinate semialdehyde + acetate. [EC:3.5.1.29, MetaCyc:3.5.1.29-RXN]' - }, - 'GO:0047412': { - 'name': 'N-(long-chain-acyl)ethanolamine deacylase activity', - 'def': 'Catalysis of the reaction: H2O + N-(long-chain-acyl)ethanolamine = ethanolamine + a fatty acid. [EC:3.5.1.60, MetaCyc:3.5.1.60-RXN]' - }, - 'GO:0047413': { - 'name': 'N(alpha)-benzyloxycarbonylleucine hydrolase activity', - 'def': 'Catalysis of the reaction: N-benzyloxycarbonyl-L-leucine + H(2)O + H(+) = L-leucine + benzyl alcohol + CO(2). [EC:3.5.1.64, RHEA:18904]' - }, - 'GO:0047414': { - 'name': '2-(hydroxymethyl)-3-(acetamidomethylene)succinate hydrolase activity', - 'def': 'Catalysis of the reaction: (2Z)-2-(acetamidomethylene)-3-(hydroxymethyl)succinate + 2 H(2)O + H(+) = 2-(hydroxymethyl)-4-oxobutanoate + acetate + CO(2) + NH(4)(+). [EC:3.5.1.66, RHEA:17680]' - }, - 'GO:0047415': { - 'name': 'D-benzoylarginine-4-nitroanilide amidase activity', - 'def': 'Catalysis of the reaction: N(2)-benzoyl-D-arginine-4-nitroanilide + H(2)O = 4-nitroaniline + N(2)-benzoyl-D-arginine + H(+). [EC:3.5.1.72, RHEA:14424]' - }, - 'GO:0047416': { - 'name': 'arylalkyl acylamidase activity', - 'def': 'Catalysis of the reaction: H2O + N-acetylarylalkylamine = acetate + arylalkylamine. [EC:3.5.1.76, MetaCyc:3.5.1.76-RXN]' - }, - 'GO:0047417': { - 'name': 'N-carbamoyl-D-amino acid hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + N-carbamoyl-D-amino acid = CO2 + NH3 + D-amino acid. [EC:3.5.1.77, MetaCyc:3.5.1.77-RXN]' - }, - 'GO:0047418': { - 'name': 'phthalyl amidase activity', - 'def': 'Catalysis of the reaction: H2O + a phthalylamide = phthalate + substituted amine. [EC:3.5.1.79, MetaCyc:3.5.1.79-RXN]' - }, - 'GO:0047419': { - 'name': 'N-acetylgalactosamine-6-phosphate deacetylase activity', - 'def': 'Catalysis of the reaction: H2O + N-acetyl-D-galactosamine 6-phosphate = acetate + D-galactosamine 6-phosphate. [EC:3.5.1.-, MetaCyc:3.5.1.80-RXN]' - }, - 'GO:0047420': { - 'name': 'N-acyl-D-amino-acid deacylase activity', - 'def': 'Catalysis of the reaction: H2O + N-acyl-D-amino acid = D-amino acid + an acid. [EC:3.5.1.81, MetaCyc:3.5.1.81-RXN]' - }, - 'GO:0047421': { - 'name': 'N-acyl-D-glutamate deacylase activity', - 'def': 'Catalysis of the reaction: N-acyl-D-glutamate + H(2)O = D-glutamate + a carboxylate. [EC:3.5.1.82, RHEA:12836]' - }, - 'GO:0047422': { - 'name': 'N-acyl-D-aspartate deacylase activity', - 'def': 'Catalysis of the reaction: N-acyl-D-aspartate + H(2)O = D-aspartate + a carboxylate. [EC:3.5.1.83, RHEA:18288]' - }, - 'GO:0047423': { - 'name': 'N-methylhydantoinase (ATP-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: N-methylhydantoin + ATP + 2 H(2)O = N-carbamoylsarcosine + ADP + 3 H(+) + phosphate. [EC:3.5.2.14, RHEA:11723]' - }, - 'GO:0047424': { - 'name': 'methylenediurea deaminase activity', - 'def': 'Catalysis of the reaction: 2 H2O + methylenediurea = CO2 + 2 NH3 + N-hydroxymethylurea. [EC:3.5.3.21, MetaCyc:3.5.3.21-RXN]' - }, - 'GO:0047425': { - 'name': '1-pyrroline-4-hydroxy-2-carboxylate deaminase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-1-pyrroline-2-carboxylate + H(2)O + H(+) = 2,5-dioxopentanoate + NH(4)(+). [EC:3.5.4.22, RHEA:10563]' - }, - 'GO:0047426': { - 'name': 'ricinine nitrilase activity', - 'def': 'Catalysis of the reaction: H2O + ricinine = NH3 + 3-carboxy-4-methoxy-N-methyl-2-pyridone. [EC:3.5.5.2, MetaCyc:3.5.5.2-RXN]' - }, - 'GO:0047427': { - 'name': 'cyanoalanine nitrilase activity', - 'def': 'Catalysis of the reaction: 3-cyano-L-alanine + 2 H(2)O + H(+) = L-aspartate + NH(4)(+). [EC:3.5.5.4, RHEA:25310]' - }, - 'GO:0047428': { - 'name': 'arylacetonitrilase activity', - 'def': 'Catalysis of the reaction: 2 H2O + 4-chlorophenylacetonitrile = 4-chlorophenylacetate + NH3. [EC:3.5.5.5, MetaCyc:3.5.5.5-RXN]' - }, - 'GO:0047429': { - 'name': 'nucleoside-triphosphate diphosphatase activity', - 'def': 'Catalysis of the reaction: H2O + a nucleoside triphosphate = diphosphate + a nucleotide. [EC:3.6.1.19, MetaCyc:3.6.1.19-RXN]' - }, - 'GO:0047430': { - 'name': 'oligosaccharide-diphosphodolichol diphosphatase activity', - 'def': 'Catalysis of the reaction: H2O + oligosaccharide-diphosphodolichol = dolichol-phosphate + oligosaccharide phosphate. [EC:3.6.1.44, MetaCyc:3.6.1.44-RXN]' - }, - 'GO:0047431': { - 'name': '3-hydroxy-2-methylpyridine-4,5-dicarboxylate 4-decarboxylase activity', - 'def': 'Catalysis of the reaction: 5-hydroxy-6-methylpyridine-3,4-dicarboxylate + H(+) = 5-hydroxy-6-methylpyridine-3-carboxylate + CO(2). [EC:4.1.1.51, RHEA:13672]' - }, - 'GO:0047432': { - 'name': '2,2-dialkylglycine decarboxylase (pyruvate) activity', - 'def': 'Catalysis of the reaction: 2,2-dialkylglycine + H(+) + pyruvate = L-alanine + CO(2) + dialkyl ketone. [EC:4.1.1.64, RHEA:16076]' - }, - 'GO:0047433': { - 'name': 'branched-chain-2-oxoacid decarboxylase activity', - 'def': 'Catalysis of the reaction: (S)-3-methyl-2-oxopentanoate + H(+) = 2-methylbutanal + CO(2). [EC:4.1.1.72, RHEA:21111]' - }, - 'GO:0047434': { - 'name': 'indolepyruvate decarboxylase activity', - 'def': 'Catalysis of the reaction: indolepyruvate = CO2 + indole acetaldehyde. [EC:4.1.1.74, MetaCyc:4.1.1.74-RXN]' - }, - 'GO:0047435': { - 'name': '5-guanidino-2-oxopentanoate decarboxylase activity', - 'def': 'Catalysis of the reaction: 5-guanidino-2-oxopentanoate + H(+) = 4-guanidinobutanal + CO(2). [EC:4.1.1.75, RHEA:11343]' - }, - 'GO:0047436': { - 'name': 'arylmalonate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2-aryl-2-methylmalonate + H(+) = 2-arylpropionate + CO(2). [EC:4.1.1.76, RHEA:20516]' - }, - 'GO:0047437': { - 'name': '4-oxalocrotonate decarboxylase activity', - 'def': 'Catalysis of the reaction: 4-oxalocrotonate = CO2 + 2-oxopent-4-enoate. [EC:4.1.1.77, MetaCyc:4.1.1.77-RXN]' - }, - 'GO:0047438': { - 'name': '2-dehydro-3-deoxy-L-pentonate aldolase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-3-deoxy-L-pentonate = glycolaldehyde + pyruvate. [EC:4.1.2.18, MetaCyc:4.1.2.18-RXN]' - }, - 'GO:0047439': { - 'name': '3-deoxy-D-manno-octulosonate aldolase activity', - 'def': 'Catalysis of the reaction: 3-deoxy-D-manno-octulosonate = D-arabinose + pyruvate. [EC:4.1.2.23, RHEA:23343]' - }, - 'GO:0047440': { - 'name': '2-dehydro-3-deoxy-D-pentonate aldolase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-3-deoxy-D-arabinonate = glycolaldehyde + pyruvate. [EC:4.1.2.28, RHEA:20612]' - }, - 'GO:0047441': { - 'name': '5-dehydro-2-deoxyphosphogluconate aldolase activity', - 'def': 'Catalysis of the reaction: 6-phospho-5-dehydro-2-deoxy-D-gluconate = 3-oxopropanoate + glycerone phosphate. [EC:4.1.2.29, RHEA:13180]' - }, - 'GO:0047442': { - 'name': '17-alpha-hydroxyprogesterone aldolase activity', - 'def': 'Catalysis of the reaction: 17-alpha-hydroxyprogesterone = acetaldehyde + 4-androstene-3,17-dione. [EC:4.1.2.30, MetaCyc:4.1.2.30-RXN]' - }, - 'GO:0047443': { - 'name': '4-hydroxy-4-methyl-2-oxoglutarate aldolase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-4-methyl-2-oxoglutarate = 2 pyruvate. [EC:4.1.3.17, MetaCyc:4.1.3.17-RXN]' - }, - 'GO:0047444': { - 'name': 'N-acylneuraminate-9-phosphate synthase activity', - 'def': 'Catalysis of the reaction: H2O + phosphoenolpyruvate + N-acyl-D-mannosamine 6-phosphate = phosphate + N-acylneuraminate 9-phosphate. [EC:2.5.1.57, MetaCyc:4.1.3.20-RXN]' - }, - 'GO:0047445': { - 'name': '3-hydroxy-3-isohexenylglutaryl-CoA lyase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-3-(4-methylpent-3-en-1-yl)glutaryl-CoA + 4 H(+) = 7-methyl-3-oxooct-6-enoyl-CoA + acetate. [EC:4.1.3.26, RHEA:23087]' - }, - 'GO:0047446': { - 'name': '(1-hydroxycyclohexan-1-yl)acetyl-CoA lyase activity', - 'def': 'Catalysis of the reaction: (1-hydroxycyclohexan-1-yl)acetyl-CoA = acetyl-CoA + cyclohexanone. [EC:4.1.3.35, RHEA:23871]' - }, - 'GO:0047447': { - 'name': 'erythro-3-hydroxyaspartate ammonia-lyase activity', - 'def': 'Catalysis of the reaction: erythro-3-hydroxy-L-aspartate = NH3 + oxaloacetic acid. [EC:4.3.1.20, MetaCyc:4.3.1.20-RXN]' - }, - 'GO:0047448': { - 'name': '5-dehydro-4-deoxyglucarate dehydratase activity', - 'def': 'Catalysis of the reaction: 5-dehydro-4-deoxy-D-glucarate + H(+) = 2,5-dioxopentanoate + CO(2) + H(2)O. [EC:4.2.1.41, RHEA:24611]' - }, - 'GO:0047449': { - 'name': '2-dehydro-3-deoxy-L-arabinonate dehydratase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-3-deoxy-L-arabinonate = 2,5-dioxopentanoate + H(2)O. [EC:4.2.1.43, RHEA:17204]' - }, - 'GO:0047450': { - 'name': 'crotonoyl-[acyl-carrier-protein] hydratase activity', - 'def': 'Catalysis of the reaction: (3R)-3-hydroxybutanoyl-[acyl-carrier protein] = H2O + but-2-enoyl-[acyl-carrier protein]. [EC:4.2.1.58, MetaCyc:4.2.1.58-RXN]' - }, - 'GO:0047451': { - 'name': '3-hydroxyoctanoyl-[acyl-carrier-protein] dehydratase activity', - 'def': 'Catalysis of the reaction: (3R)-3-hydroxyoctanoyl-[acyl-carrier protein] = H2O + 2-octenoyl-[acyl-carrier protein]. [EC:4.2.1.59, MetaCyc:4.2.1.59-RXN]' - }, - 'GO:0047452': { - 'name': 'protoaphin-aglucone dehydratase (cyclizing) activity', - 'def': 'Catalysis of the reaction: protoaphin aglucone = H(2)O + xanthoaphin. [EC:4.2.1.73, RHEA:23879]' - }, - 'GO:0047453': { - 'name': 'ATP-dependent NAD(P)H-hydrate dehydratase activity', - 'def': 'Catalysis of the reaction: (6S)-6beta-hydroxy-1,4,5,6-tetrahydronicotinamide adenine dinucleotide + ATP = ADP + 3 H(+) + NADH + phosphate. [EC:4.2.1.93, RHEA:19020]' - }, - 'GO:0047454': { - 'name': 'phaseollidin hydratase activity', - 'def': 'Catalysis of the reaction: phaseollidin hydrate = H(2)O + phaseollidin. [EC:4.2.1.97, RHEA:19772]' - }, - 'GO:0047455': { - 'name': '16-alpha-hydroxyprogesterone dehydratase activity', - 'def': 'Catalysis of the reaction: 16-alpha-hydroxyprogesterone = H2O + 16-dehydroprogesterone. [EC:4.2.1.98, MetaCyc:4.2.1.98-RXN]' - }, - 'GO:0047456': { - 'name': '2-methylisocitrate dehydratase activity', - 'def': 'Catalysis of the reaction: (2S,3R)-3-hydroxybutane-1,2,3-tricarboxylate = cis-2-methylaconitate + H(2)O. [EC:4.2.1.99, RHEA:17944]' - }, - 'GO:0047457': { - 'name': 'exo-(1,4)-alpha-D-glucan lyase activity', - 'def': 'Catalysis of the reaction: linear alpha-D-glucan = 1,5-anhydro-D-fructose + beta-D-glucose. [EC:4.2.2.13, MetaCyc:4.2.2.13-RXN]' - }, - 'GO:0047458': { - 'name': 'beta-pyrazolylalanine synthase activity', - 'def': 'Catalysis of the reaction: O-acetyl-L-serine + pyrazole = 3-(pyrazol-1-yl)-L-alanine + acetate + H(+). [EC:2.5.1.51, RHEA:13120]' - }, - 'GO:0047459': { - 'name': '3-aminobutyryl-CoA ammonia-lyase activity', - 'def': 'Catalysis of the reaction: (S)-3-aminobutanoyl-CoA = crotonoyl-CoA + NH(4)(+). [EC:4.3.1.14, RHEA:10059]' - }, - 'GO:0047460': { - 'name': 'L-2-amino-4-chloropent-4-enoate dehydrochlorinase activity', - 'def': 'Catalysis of the reaction: L-2-amino-4-chloropent-4-enoate + H(2)O = 2-oxopent-4-enoate + chloride + H(+) + NH(4)(+). [EC:4.5.1.4, RHEA:11623]' - }, - 'GO:0047461': { - 'name': '(+)-delta-cadinene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = diphosphate + (+)-delta-cadinene. [EC:4.2.3.13, MetaCyc:4.6.1.11-RXN]' - }, - 'GO:0047462': { - 'name': 'phenylalanine racemase (ATP-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: L-phenylalanine + ATP + H(2)O = D-phenylalanine + AMP + diphosphate + 2 H(+). [EC:5.1.1.11, RHEA:20204]' - }, - 'GO:0047463': { - 'name': '2-aminohexano-6-lactam racemase activity', - 'def': 'Catalysis of the reaction: L-2-aminohexano-6-lactam = D-2-aminohexano-6-lactam. [EC:5.1.1.15, RHEA:14816]' - }, - 'GO:0047464': { - 'name': 'heparosan-N-sulfate-glucuronate 5-epimerase activity', - 'def': 'Catalysis of the reaction: heparosan-N-sulfate D-glucuronate = heparosan-N-sulfate L-iduronate. [EC:5.1.3.17, MetaCyc:5.1.3.17-RXN]' - }, - 'GO:0047465': { - 'name': 'N-acylglucosamine-6-phosphate 2-epimerase activity', - 'def': 'Catalysis of the reaction: N-acyl-D-glucosamine 6-phosphate = N-acyl-D-mannosamine 6-phosphate. [EC:5.1.3.9, MetaCyc:5.1.3.9-RXN]' - }, - 'GO:0047466': { - 'name': '2-chloro-4-carboxymethylenebut-2-en-1,4-olide isomerase activity', - 'def': 'Catalysis of the reaction: cis-2-chloro-4-carboxymethylenebut-2-en-1,4-olide = trans-2-chloro-4-carboxymethylenebut-2-en-1,4-olide. [EC:5.2.1.10, RHEA:10927]' - }, - 'GO:0047467': { - 'name': '4-hydroxyphenylacetaldehyde-oxime isomerase activity', - 'def': 'Catalysis of the reaction: (E)-4-hydroxyphenylacetaldehyde oxime = (Z)-4-hydroxyphenylacetaldehyde oxime. [EC:5.2.1.11, MetaCyc:5.2.1.11-RXN]' - }, - 'GO:0047468': { - 'name': 'phosphoglucomutase (glucose-cofactor) activity', - 'def': 'Catalysis of the reaction: glucose-1-phosphate = glucose-6-phosphate; using D-glucose as a cofactor. [EC:5.4.2.5, MetaCyc:5.4.2.5-RXN]' - }, - 'GO:0047469': { - 'name': '4-carboxymethyl-4-methylbutenolide mutase activity', - 'def': 'Catalysis of the reaction: 4-carboxymethyl-4-methylbut-2-en-1,4-olide = 4-carboxymethyl-3-methylbut-2-en-1,4-olide. [EC:5.4.99.14, RHEA:19240]' - }, - 'GO:0047470': { - 'name': '(1,4)-alpha-D-glucan 1-alpha-D-glucosylmutase activity', - 'def': 'Catalysis of the reaction: 4-[(1->4)-alpha-D-glucosyl](n-1)-D-glucose = 1-alpha-D-[(1->4)-alpha-D-glucosyl](n-1)-alpha-D-glucopyranoside. [EC:5.4.99.15, MetaCyc:5.4.99.15-RXN]' - }, - 'GO:0047471': { - 'name': 'maltose alpha-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: maltose = trehalose. [EC:5.4.99.16, MetaCyc:5.4.99.16-RXN]' - }, - 'GO:0047472': { - 'name': '3-carboxy-cis,cis-muconate cycloisomerase activity', - 'def': 'Catalysis of the reaction: 2-(carboxymethyl)-5-oxo-2,5-dihydro-2-furoate = 3-carboxy-cis,cis-muconate + H(+). [EC:5.5.1.2, RHEA:23659]' - }, - 'GO:0047473': { - 'name': 'D-alanine-poly(phosphoribitol) ligase activity', - 'def': 'Catalysis of the reaction: poly(ribitol phosphate) + D-alanine + ATP = O-D-alanyl-poly(ribitol phosphate) + diphosphate + AMP. [EC:6.1.1.13, MetaCyc:6.1.1.13-RXN]' - }, - 'GO:0047474': { - 'name': 'long-chain fatty acid luciferin component ligase activity', - 'def': 'Catalysis of the reaction: protein + an acid + ATP = an acyl-protein thiolester + diphosphate + AMP. A long-chain fatty acid is a fatty acid with a chain length between C13 and C22. [CHEBI:15904, EC:6.2.1.19, MetaCyc:6.2.1.19-RXN]' - }, - 'GO:0047475': { - 'name': 'phenylacetate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + CoA + phenylacetate = AMP + diphosphate + H(+) + phenylacetyl-CoA. [EC:6.2.1.30, RHEA:20959]' - }, - 'GO:0047476': { - 'name': '3-alpha,7-alpha-dihydroxy-5-beta-cholestanate-CoA ligase activity', - 'def': 'Catalysis of the reaction: CoA + 3-alpha,7-alpha-dihydroxy-5-beta-cholestanate + ATP = 3-alpha,7-alpha-dihydroxy-5-beta-cholestanoyl-CoA + diphosphate + AMP. [EC:6.2.1.28, MetaCyc:6.2.1.28-RXN]' - }, - 'GO:0047478': { - 'name': 'aspartate-ammonia ligase (ADP-forming) activity', - 'def': 'Catalysis of the reaction: L-aspartate + ATP + NH(4)(+) = L-asparagine + ADP + 2 H(+) + phosphate. [EC:6.3.1.4, RHEA:14200]' - }, - 'GO:0047479': { - 'name': 'trypanothione synthase activity', - 'def': 'Catalysis of the reaction: reduced glutathione + glutathionylspermidine + ATP = trypanothione + ADP + phosphate. [EC:6.3.1.9, MetaCyc:6.3.1.9-RXN]' - }, - 'GO:0047480': { - 'name': 'UDP-N-acetylmuramoyl-tripeptide-D-alanyl-D-alanine ligase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-L-lysine + ATP + D-alanyl-D-alanine = phosphate + UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-L-lysyl-D-alanyl-D-alanine + ADP. [EC:6.3.2.10, MetaCyc:6.3.2.10-RXN]' - }, - 'GO:0047481': { - 'name': 'D-alanine-alanyl-poly(glycerolphosphate) ligase activity', - 'def': 'Catalysis of the reaction: alanyl-poly(glycerolphosphate) + D-alanine + ATP = D-alanyl-alanyl-poly(glycerolphosphate) + phosphate + ADP. [EC:6.3.2.16, MetaCyc:6.3.2.16-RXN]' - }, - 'GO:0047482': { - 'name': 'UDP-N-acetylmuramoyl-L-alanyl-D-glutamate-L-lysine ligase activity', - 'def': 'Catalysis of the reaction: L-lysine + ATP + UDP-N-acetylmuramoyl-L-alanyl-D-glutamate = ADP + 2 H(+) + phosphate + UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-L-lysine. [EC:6.3.2.7, RHEA:17972]' - }, - 'GO:0047483': { - 'name': 'imidazoleacetate-phosphoribosyldiphosphate ligase activity', - 'def': 'Catalysis of the reaction: 5-phospho-alpha-D-ribose 1-diphosphate + ATP + H(2)O + imidazol-4-ylacetate = 1-(5-phosphoribosyl)imidazol-4-ylacetate + ADP + diphosphate + 2 H(+) + phosphate. [EC:6.3.4.8, RHEA:16488]' - }, - 'GO:0047484': { - 'name': 'regulation of response to osmotic stress', - 'def': 'Any process that modulates the rate or extent of the response to osmotic stress. [GOC:ai]' - }, - 'GO:0047485': { - 'name': 'protein N-terminus binding', - 'def': 'Interacting selectively and non-covalently with a protein N-terminus, the end of any peptide chain at which the 2-amino (or 2-imino) function of a constituent amino acid is not attached in peptide linkage to another amino-acid residue. [ISBN:0198506732]' - }, - 'GO:0047486': { - 'name': 'chondroitin ABC lyase activity', - 'def': 'Catalysis of the eliminative degradation of polysaccharides containing 1,4-beta-D-hexosaminyl and 1,3-beta-D-glucuronosyl or 1,3-alpha-L-iduronosyl linkages to disaccharides containing 4-deoxy-beta-D-gluc-4-enuronosyl groups. [EC:4.2.2.4]' - }, - 'GO:0047487': { - 'name': 'oligogalacturonide lyase activity', - 'def': 'Catalysis of the reaction: 4-(4-deoxy-alpha-D-gluc-4-enuronosyl)-D-galacturonate = 2 5-dehydro-4-deoxy-D-glucuronate. [EC:4.2.2.6, MetaCyc:OLIGOGALACTURONIDE-LYASE-RXN]' - }, - 'GO:0047488': { - 'name': 'heparin lyase activity', - 'def': 'Catalysis of the eliminative cleavage of polysaccharides containing 1,4-linked D-glucuronate or L-iduronate residues and 1,4-alpha-linked 2-sulfoamino-2-deoxy-6-sulfo-D-glucose residues to give oligosaccharides with terminal 4-deoxy-alpha-D-gluc-4-enuronosyl groups at their nonreducing ends. [EC:4.2.2.7, MetaCyc:4.2.2.7-RXN]' - }, - 'GO:0047489': { - 'name': 'pectate disaccharide-lyase activity', - 'def': 'Catalysis of the reaction: a pectate = a pectate + 4-(4-deoxy-alpha-D-galact-4-enuronosyl)-D-galacturonate. This reaction is the eliminative cleavage of 4-(4-deoxy-alpha-D-galact-4-enuronosyl)-D-galacturonate from the reducing end of pectate, i.e. de-esterified pectin. [EC:4.2.2.9]' - }, - 'GO:0047490': { - 'name': 'pectin lyase activity', - 'def': 'Catalysis of the reaction: a pectin = an oligosaccharide with 4-deoxy-6-O-methyl-alpha-D-galact-4-enuronate end + a pectin. This reaction is the eliminative cleavage of (1->4)-alpha-D-galacturonan methyl ester to give oligosaccharides with 4-deoxy-6-O-methyl-alpha-D-galact-4-enuronosyl groups at their nonreducing ends. [EC:4.2.2.10]' - }, - 'GO:0047491': { - 'name': 'poly(alpha-L-guluronate) lyase activity', - 'def': 'Catalysis of the reaction: polysaccharides containing a terminal alpha-L-guluronate group = oligosaccharides with 4-deoxy-alpha-L-erythro-hex-4-enuronosyl end. This reaction is the eliminative cleavage of polysaccharides containing a terminal a-L-guluronate group, to give oligopolysaccharides with 4-deoxy-a-L-erythro-hex-4-enuronosyl groups at their nonreducing ends. [EC:4.2.2.11]' - }, - 'GO:0047492': { - 'name': 'xanthan lyase activity', - 'def': 'Catalysis of the reaction: xanthan = oligosaccharide with 4-deoxy-alpha-L-threo-hex-4-enuronosyl end + pyruvylate mannose. This reaction is the eliminative cleavage of the terminal beta-D-mannosyl-beta-D-1,4-glucuronosyl linkage of the side-chain of the polysaccharide xanthan, leaving a 4-deoxy-alpha-L-threo-hex-4-enuronosyl group at the terminus of the side-chain. [EC:4.2.2.12]' - }, - 'GO:0047493': { - 'name': 'ceramide cholinephosphotransferase activity', - 'def': 'Catalysis of the reaction: CDP-choline + ceramide = CMP + H(+) + sphingomyelin. [EC:2.7.8.3, RHEA:16276]' - }, - 'GO:0047494': { - 'name': 'serine-phosphoethanolamine synthase activity', - 'def': 'Catalysis of the reaction: L-serine + CDP-ethanolamine = L-serine-phosphoethanolamine + CMP + H(+). [EC:2.7.8.4, RHEA:22659]' - }, - 'GO:0047495': { - 'name': 'membrane-oligosaccharide glycerophosphotransferase activity', - 'def': 'Catalysis of the transfer of a glycerophospho group from one membrane-derived oligosaccharide to another. [EC:2.7.8.21]' - }, - 'GO:0047496': { - 'name': 'vesicle transport along microtubule', - 'def': 'The directed movement of a vesicle along a microtubule, mediated by motor proteins. This process begins with the attachment of a vesicle to a microtubule, and ends when the vesicle reaches its final destination. [GOC:ecd, GOC:rl]' - }, - 'GO:0047497': { - 'name': 'mitochondrion transport along microtubule', - 'def': 'The directed movement of a mitochondrion along a microtubule, mediated by motor proteins. [GOC:ecd]' - }, - 'GO:0047498': { - 'name': 'calcium-dependent phospholipase A2 activity', - 'def': 'Catalysis of the reaction: phosphatidylcholine + H2O = 1-acylglycerophosphocholine + a carboxylate. This reaction requires Ca2+. [EC:3.1.1.4]' - }, - 'GO:0047499': { - 'name': 'calcium-independent phospholipase A2 activity', - 'def': 'Catalysis of the reaction: phosphatidylcholine + H2O = 1-acylglycerophosphocholine + a carboxylate. This reaction does not require Ca2+. [EC:3.1.1.4]' - }, - 'GO:0047500': { - 'name': '(+)-borneol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (+)-borneol + NAD(+) = (1R, 4R)-camphor + H(+) + NADH. [EC:1.1.1.198, RHEA:17332]' - }, - 'GO:0047501': { - 'name': '(+)-neomenthol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (+)-neomenthol + NADP(+) = (2S,5R)-menthone + H(+) + NADPH. [EC:1.1.1.208, RHEA:23815]' - }, - 'GO:0047502': { - 'name': '(+)-sabinol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (+)-cis-sabinol + NAD(+) = (1S,5S)-sabinone + H(+) + NADH. [EC:1.1.1.228, RHEA:18332]' - }, - 'GO:0047503': { - 'name': '(-)-borneol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (-)-borneol + NAD(+) = (1S,4S)-camphor + H(+) + NADH. [EC:1.1.1.227, RHEA:22131]' - }, - 'GO:0047504': { - 'name': '(-)-menthol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (-)-menthol + NADP(+) = (2S,5R)-menthone + H(+) + NADPH. [EC:1.1.1.207, RHEA:13920]' - }, - 'GO:0047505': { - 'name': '(-)-menthol monooxygenase activity', - 'def': 'Catalysis of the reaction: (-)-menthol + H(+) + NADPH + O(2) = 1,4-menthane-3,8-diol + H(2)O + NADP(+). [EC:1.14.13.46, RHEA:11651]' - }, - 'GO:0047506': { - 'name': '(deoxy)adenylate kinase activity', - 'def': 'Catalysis of the reaction: ATP + dAMP = ADP + dADP. [EC:2.7.4.11, MetaCyc:DEOXYADENYLATE-KINASE-RXN]' - }, - 'GO:0047507': { - 'name': '(deoxy)nucleoside-phosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + deoxynucleoside phosphate = ADP + deoxynucleoside diphosphate. [EC:2.7.4.13, MetaCyc:DEOXYNUCLEOSIDE-PHOSPHATE-KINASE-RXN]' - }, - 'GO:0047508': { - 'name': '(R)-2-methylmalate dehydratase activity', - 'def': 'Catalysis of the reaction: (R)-citramalate = 2-methylmaleate + H(2)O. [EC:4.2.1.35, RHEA:22335]' - }, - 'GO:0047509': { - 'name': '(R)-dehydropantoate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-4-dehydropantoate + H(2)O + NAD(+) = (R)-3,3-dimethylmalate + 2 H(+) + NADH. [EC:1.2.1.33, RHEA:19352]' - }, - 'GO:0047510': { - 'name': '(S)-2-methylmalate dehydratase activity', - 'def': 'Catalysis of the reaction: S-citramalate = H(2)O + mesaconate. [EC:4.2.1.34, RHEA:13532]' - }, - 'GO:0047511': { - 'name': '(S)-methylmalonyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: (S)-methylmalonyl-CoA + H(2)O = CoA + H(+) + methylmalonate. [EC:3.1.2.17, RHEA:17348]' - }, - 'GO:0047512': { - 'name': '(S,S)-butanediol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S,S)-butane-2,3-diol + NAD(+) = acetoin + H(+) + NADH. [EC:1.1.1.76, RHEA:12187]' - }, - 'GO:0047513': { - 'name': '1,2-alpha-L-fucosidase activity', - 'def': 'Catalysis of the reaction: H2O + methyl-2-alpha-L-fucopyranosyl-beta-D-galactoside = L-fucose + methyl beta-D-galactoside. [EC:3.2.1.63, MetaCyc:12-ALPHA-L-FUCOSIDASE-RXN]' - }, - 'GO:0047514': { - 'name': '1,3-beta-D-glucan phosphorylase activity', - 'def': 'Catalysis of the reaction: [(1->3)-beta-D-glucosyl](n) + phosphate = [(1->3)-beta-D-glucosyl](n-1) + alpha-D-glucose 1-phosphate; substrates include laminarin. [EC:2.4.1.97, MetaCyc:13-BETA-GLUCAN-PHOSPHORYLASE-RXN]' - }, - 'GO:0047515': { - 'name': '1,3-beta-oligoglucan phosphorylase activity', - 'def': 'Catalysis of the reaction: [oligomeric (1->3)-beta-D-glucosyl](n) + phosphate = [(1->3)-beta-D-glucosyl](n-1) + alpha-D-glucose 1-phosphate. [EC:2.4.1.30, MetaCyc:13-BETA-OLIGOGLUCAN-PHOSPHORYLASE-RXN]' - }, - 'GO:0047516': { - 'name': '1,3-propanediol dehydrogenase activity', - 'def': 'Catalysis of the reaction: propane-1,3-diol + NAD+ = 3-hydroxypropanal + NADH + H+. [EC:1.1.1.202, MetaCyc:13-PROPANEDIOL-DEHYDROGENASE-RXN]' - }, - 'GO:0047517': { - 'name': '1,4-beta-D-xylan synthase activity', - 'def': 'Catalysis of the reaction: UDP-D-xylose + [(1->4)-beta-D-xylan](n) = UDP + [(1->4)-beta-D-xylan](n+1). [EC:2.4.2.24, MetaCyc:1\\,4-BETA-D-XYLAN-SYNTHASE-RXN]' - }, - 'GO:0047518': { - 'name': '1-methyladenosine nucleosidase activity', - 'def': 'Catalysis of the reaction: 1-methyladenosine + H(2)O = 1-methyladenine + ribofuranose. [EC:3.2.2.13, RHEA:12868]' - }, - 'GO:0047519': { - 'name': 'quinate dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: (-)-quinate + pyrroloquinoline-quinone = (-)-3-dehydroquinate + pyrroloquinoline-quinol. [RHEA:23675]' - }, - 'GO:0047520': { - 'name': '11-cis-retinyl-palmitate hydrolase activity', - 'def': 'Catalysis of the reaction: 11-cis-retinyl palmitate + H(2)O = 11-cis-retinol + H(+) + palmitate. [EC:3.1.1.63, RHEA:19700]' - }, - 'GO:0047521': { - 'name': '3alpha,7alpha,12beta-trihydroxy-5beta-cholanate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3alpha,7alpha,12beta-trihydroxy-5beta-cholanate + NADP(+) = 3alpha,7alpha-dihydroxy-12-oxo-5beta-cholanate + H(+) + NADPH. [EC:1.1.1.238, RHEA:21427]' - }, - 'GO:0047522': { - 'name': '15-oxoprostaglandin 13-oxidase activity', - 'def': 'Catalysis of the reaction: (5Z)-(15S)-11-alpha-hydroxy-9,15-dioxoprostanoate + NAD(P)+ -> (5Z)-(15S)-11-alpha-hydroxy-9,15-dioxoprosta-13-enoate + NAD(P)H + H+. [EC:1.3.1.48, KEGG:R04556, KEGG:R04557, MetaCyc:15-OXOPROSTAGLANDIN-13-REDUCTASE-RXN]' - }, - 'GO:0047524': { - 'name': '16-hydroxysteroid epimerase activity', - 'def': 'Catalysis of the reaction: 16-alpha-hydroxysteroid = 16-beta-hydroxysteroid. [EC:5.1.99.2, MetaCyc:16-HYDROXYSTEROID-EPIMERASE-RXN]' - }, - 'GO:0047525': { - 'name': "2'-hydroxydaidzein reductase activity", - 'def': "Catalysis of the reaction: 2'-hydroxydihydrodaidzein + NADP+ = 2'-hydroxydaidzein + NADPH + H+. [EC:1.3.1.51, MetaCyc:2'-HYDROXYDAIDZEIN-REDUCTASE-RXN]" - }, - 'GO:0047526': { - 'name': "2'-hydroxyisoflavone reductase activity", - 'def': "Catalysis of the reaction: vestitone + NADP+ = 2'-hydroxyformononetin + NADPH + H+. [EC:1.3.1.45, MetaCyc:2-HYDROXYISOFLAVONE-REDUCTASE-RXN]" - }, - 'GO:0047527': { - 'name': '2,3-dihydroxybenzoate-serine ligase activity', - 'def': 'Catalysis of the reaction: ATP + 2,3-dihydroxybenzoate + L-serine = products of ATP breakdown + N-(2,3-dihydroxybenzoyl)-L-serine. [EC:6.3.2.14, MetaCyc:1\\,3-DIHYDROXYBENZOATE--SERINE-LIGASE-RXN]' - }, - 'GO:0047528': { - 'name': '2,3-dihydroxyindole 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxyindole + O(2) = anthranilate + CO(2) + H(+). [EC:1.13.11.23, RHEA:19448]' - }, - 'GO:0047529': { - 'name': '2,3-dimethylmalate lyase activity', - 'def': 'Catalysis of the reaction: (2R,3S)-2,3-dimethylmalate = propanoate + pyruvate. [EC:4.1.3.32, RHEA:10475]' - }, - 'GO:0047530': { - 'name': '2,4-diaminopentanoate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2,4-diaminopentanoate + H2O + NAD(P)+ = 2-amino-4-oxopentanoate + NH3 + NAD(P)H + H+. [EC:1.4.1.12, MetaCyc:24-DIAMINOPENTANOATE-DEHYDROGENASE-RXN]' - }, - 'GO:0047531': { - 'name': '2,5-diaminovalerate transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + ornithine = 5-amino-2-oxopentanoate + L-glutamate. [EC:2.6.1.8, RHEA:16020]' - }, - 'GO:0047532': { - 'name': '2,5-dioxopiperazine hydrolase activity', - 'def': 'Catalysis of the reaction: 2,5-dioxopiperazine + H(2)O = glycylglycine. [EC:3.5.2.13, RHEA:21811]' - }, - 'GO:0047533': { - 'name': '2,5-dioxovalerate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: 2,5-dioxopentanoate + NADP+ + H2O = 2-oxoglutarate + NADPH + H+. [EC:1.2.1.26, IMG:03338, MetaCyc:25-DIOXOVALERATE-DEHYDROGENASE-RXN]' - }, - 'GO:0047534': { - 'name': '2-acetolactate mutase activity', - 'def': 'Catalysis of the reaction: 2-acetolactate = 3-hydroxy-3-methyl-2-oxobutanoate. [EC:5.4.99.3, MetaCyc:2-ACETOLACTATE-MUTASE-RXN]' - }, - 'GO:0047535': { - 'name': '2-alkyn-1-ol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-butyne-1,4-diol + NAD(+) = 4-hydroxy-2-butynal + H(+) + NADH. [EC:1.1.1.165, RHEA:19104]' - }, - 'GO:0047536': { - 'name': '2-aminoadipate transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-2-aminoadipate = 2-oxoadipate + L-glutamate. [EC:2.6.1.39, RHEA:12604]' - }, - 'GO:0047537': { - 'name': '2-aminohexanoate transaminase activity', - 'def': 'Catalysis of the reaction: L-2-aminohexanoate + 2-oxoglutarate = 2-oxohexanoate + L-glutamate. [EC:2.6.1.67, MetaCyc:2-AMINOHEXANOATE-AMINOTRANSFERASE-RXN]' - }, - 'GO:0047538': { - 'name': '2-carboxy-D-arabinitol-1-phosphatase activity', - 'def': 'Catalysis of the reaction: 2-carboxy-D-arabinitol 1-phosphate + H(2)O = 2-carboxy-D-arabinitol + phosphate. [EC:3.1.3.63, RHEA:17840]' - }, - 'GO:0047539': { - 'name': '2-deoxyglucosidase activity', - 'def': 'Catalysis of the reaction: H2O + a 2-deoxy-alpha-D-glucoside = 2-deoxy-D-glucose + an alcohol. [EC:3.2.1.112, MetaCyc:2-DEOXYGLUCOSIDASE-RXN]' - }, - 'GO:0047540': { - 'name': '2-enoate reductase activity', - 'def': 'Catalysis of the reaction: butanoate + NAD+ = 2-butenoate + NADH + H+. [EC:1.3.1.31, MetaCyc:2-ENOATE-REDUCTASE-RXN]' - }, - 'GO:0047541': { - 'name': '2-furoate-CoA ligase activity', - 'def': 'Catalysis of the reaction: 2-furoate + ATP + CoA = 2-furoyl-CoA + AMP + diphosphate + H(+). [EC:6.2.1.31, RHEA:19272]' - }, - 'GO:0047542': { - 'name': '2-furoyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-furoyl-CoA + A + H(2)O = 5-hydroxy-2-furoyl-CoA + AH(2) + H(+). [EC:1.3.99.8, RHEA:21483]' - }, - 'GO:0047543': { - 'name': '2-hexadecenal reductase activity', - 'def': 'Catalysis of the reaction: NADP(+) + palmitaldehyde = trans-hexadec-2-enal + H(+) + NADPH. [EC:1.3.1.27, RHEA:12447]' - }, - 'GO:0047544': { - 'name': '2-hydroxybiphenyl 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: biphenyl-2-ol + H(+) + NADH + O(2) = biphenyl-2,3-diol + H(2)O + NAD(+). [EC:1.14.13.44, RHEA:11999]' - }, - 'GO:0047545': { - 'name': '2-hydroxyglutarate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-2-hydroxyglutarate + acceptor = 2-oxoglutarate + reduced acceptor. [EC:1.1.99.2, MetaCyc:2-HYDROXYGLUTARATE-DEHYDROGENASE-RXN]' - }, - 'GO:0047546': { - 'name': '2-hydroxypyridine 5-monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-hydroxypyridine + AH(2) + O(2) = 2,5-dihydroxypyridine + A + H(2)O. [EC:1.14.99.26, RHEA:16976]' - }, - 'GO:0047547': { - 'name': '2-methylcitrate dehydratase activity', - 'def': 'Catalysis of the reaction: (2S,3S)-2-methylcitrate = cis-2-methylaconitate + H(2)O. [EC:4.2.1.79, RHEA:17728]' - }, - 'GO:0047548': { - 'name': '2-methyleneglutarate mutase activity', - 'def': 'Catalysis of the reaction: 2-methyleneglutarate = 2-methylene-3-methylsuccinate. [EC:5.4.99.4, RHEA:13796]' - }, - 'GO:0047549': { - 'name': '2-nitrophenol 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: 2-nitrophenol + 2 H(+) + 2 NADPH + O(2) = catechol + H(2)O + 2 NADP(+) + nitrite. [EC:1.14.13.31, RHEA:19460]' - }, - 'GO:0047550': { - 'name': '2-oxoadipate reductase activity', - 'def': 'Catalysis of the reaction: 2-hydroxyadipate + NAD(+) = 2-oxoadipate + H(+) + NADH. [EC:1.1.1.172, RHEA:14796]' - }, - 'GO:0047551': { - 'name': '2-oxoaldehyde dehydrogenase (NAD) activity', - 'def': 'Catalysis of the reaction: a 2-oxoaldehyde + NAD+ + H2O = a 2-oxo acid + NADH + H+. [EC:1.2.1.23, MetaCyc:2-OXOALDEHYDE-DEHYDROGENASE-NAD+-RXN]' - }, - 'GO:0047552': { - 'name': '2-oxoaldehyde dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: a 2-oxoaldehyde + NADP+ + H2O = a 2-oxo acid + NADPH + H+. [EC:1.2.1.49, MetaCyc:2-OXOALDEHYDE-DEHYDROGENASE-NADP+-RXN]' - }, - 'GO:0047553': { - 'name': '2-oxoglutarate synthase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + CoA + oxidized ferredoxin = succinyl-CoA + CO2 + reduced ferredoxin. [EC:1.2.7.3, MetaCyc:2-OXOGLUTARATE-SYNTHASE-RXN]' - }, - 'GO:0047554': { - 'name': '2-pyrone-4,6-dicarboxylate lactonase activity', - 'def': 'Catalysis of the reaction: 2-oxo-2H-pyran-4,6-dicarboxylate + H(2)O = 4-carboxy-2-hydroxyhexa-2,4-dienedioate + H(+). [EC:3.1.1.57, RHEA:10647]' - }, - 'GO:0047555': { - 'name': "3',5'-cyclic-GMP phosphodiesterase activity", - 'def': "Catalysis of the reaction: guanosine 3',5'-cyclic phosphate + H2O = guanosine 5'-phosphate. [EC:3.1.4.35, MetaCyc:35-CYCLIC-GMP-PHOSPHODIESTERASE-RXN]" - }, - 'GO:0047556': { - 'name': '3,4-dihydroxyphthalate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxyphthalate + H(+) = 3,4-dihydroxybenzoate + CO(2). [EC:4.1.1.69, RHEA:18604]' - }, - 'GO:0047557': { - 'name': '3-aci-nitropropanoate oxidase activity', - 'def': 'Catalysis of the reaction: 3-aci-nitropropanoate + H(2)O + O(2) = 3-oxopropanoate + H(2)O(2) + nitrite. [EC:1.7.3.5, RHEA:22375]' - }, - 'GO:0047558': { - 'name': '3-cyanoalanine hydratase activity', - 'def': 'Catalysis of the reaction: L-asparagine = 3-cyano-L-alanine + H(2)O + H(+). [EC:4.2.1.65, RHEA:15388]' - }, - 'GO:0047559': { - 'name': '3-dehydro-L-gulonate 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-dehydro-L-gulonate + NAD(P)+ = (4R,5S)-4,5,6-trihydroxy-2,3-dioxohexanoate + NAD(P)H + H+. [EC:1.1.1.130, MetaCyc:3-DEHYDRO-L-GULONATE-2-DEHYDROGENASE-RXN]' - }, - 'GO:0047560': { - 'name': '3-dehydrosphinganine reductase activity', - 'def': 'Catalysis of the reaction: NADP(+) + sphinganine = 3-dehydrosphinganine + H(+) + NADPH. [EC:1.1.1.102, RHEA:22643]' - }, - 'GO:0047561': { - 'name': '3-hydroxyanthranilate oxidase activity', - 'def': 'Catalysis of the reaction: 3-hydroxyanthranilate + O(2) = 6-imino-5-oxocyclohexa-1,3-dienecarboxylate + H(2)O(2). [EC:1.10.3.5, RHEA:17248]' - }, - 'GO:0047562': { - 'name': '3-hydroxyaspartate aldolase activity', - 'def': 'Catalysis of the reaction: (3R)-3-hydroxy-L-aspartate = glycine + glyoxylate. [EC:4.1.3.14, RHEA:14380]' - }, - 'GO:0047563': { - 'name': '3-hydroxybenzoate 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxybenzoate + AH(2) + O(2) = 2,3-dihydroxybenzoate + A + H(2)O. [EC:1.14.99.23, RHEA:14196]' - }, - 'GO:0047564': { - 'name': '3-hydroxycyclohexanone dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxycyclohexanone + A = AH(2) + cyclohexane-1,3-dione. [EC:1.1.99.26, RHEA:15908]' - }, - 'GO:0047565': { - 'name': '3-hydroxypropionate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: 3-hydroxypropanoate + NAD(+) = 3-oxopropanoate + H(+) + NADH. [EC:1.1.1.59, RHEA:13360]' - }, - 'GO:0047566': { - 'name': '3-ketovalidoxylamine C-N-lyase activity', - 'def': 'Catalysis of the reaction: 4-nitrophenyl-3-ketovalidamine = 4-nitroaniline + 5-D-(5/6)-5-C-(hydroxymethyl)-2,6-dihydroxycyclohex-2-en-1-one + H(+). [EC:4.3.3.1, RHEA:22771]' - }, - 'GO:0047567': { - 'name': '3-methyleneoxindole reductase activity', - 'def': 'Catalysis of the reaction: 3-methyloxindole + NADP(+) = 3-methyleneoxindole + H(+) + NADPH. [EC:1.3.1.17, RHEA:20260]' - }, - 'GO:0047568': { - 'name': '3-oxo-5-beta-steroid 4-dehydrogenase activity', - 'def': 'Catalysis of the reaction: a 3-oxo-5-beta-steroid + acceptor = a 3-oxo-D4-steroid + reduced acceptor. [EC:1.3.99.6, MetaCyc:3-OXO-5-BETA-STEROID-4-DEHYDROGENASE-RXN]' - }, - 'GO:0047569': { - 'name': '3-oxoadipate CoA-transferase activity', - 'def': 'Catalysis of the reaction: succinyl-CoA + 3-oxoadipate = succinate + 3-oxoadipyl-CoA. [EC:2.8.3.6, MetaCyc:3-OXOADIPATE-COA-TRANSFERASE-RXN]' - }, - 'GO:0047570': { - 'name': '3-oxoadipate enol-lactonase activity', - 'def': 'Catalysis of the reaction: 3-oxoadipate enol-lactone + H2O = 3-oxoadipate. [EC:3.1.1.24, MetaCyc:3-OXOADIPATE-ENOL-LACTONASE-RXN]' - }, - 'GO:0047571': { - 'name': '3-oxosteroid 1-dehydrogenase activity', - 'def': 'Catalysis of the reaction: a 3-oxosteroid + acceptor = a 3-oxo-D1-steroid + reduced acceptor. [EC:1.3.99.4, MetaCyc:3-OXOSTEROID-1-DEHYDROGENASE-RXN]' - }, - 'GO:0047572': { - 'name': '3-phosphoglycerate phosphatase activity', - 'def': 'Catalysis of the reaction: 3-phospho-D-glycerate + H(2)O = D-glycerate + phosphate. [EC:3.1.3.38, RHEA:12415]' - }, - 'GO:0047573': { - 'name': '4-acetamidobutyrate deacetylase activity', - 'def': 'Catalysis of the reaction: 4-acetamidobutanoate + H2O = acetate + 4-aminobutanoate. [EC:3.5.1.63, MetaCyc:4-ACETAMIDOBUTYRATE-DEACETYLASE-RXN]' - }, - 'GO:0047574': { - 'name': '4-acetamidobutyryl-CoA deacetylase activity', - 'def': 'Catalysis of the reaction: 4-acetamidobutanoyl-CoA + H(2)O = 4-aminobutanoyl-CoA + acetate. [EC:3.5.1.51, RHEA:22931]' - }, - 'GO:0047575': { - 'name': '4-carboxymuconolactone decarboxylase activity', - 'def': 'Catalysis of the reaction: (R)-2-(carboxymethyl)-5-oxo-2,5-dihydro-2-furoate + H(+) = 5-oxo-4,5-dihydro-2-furylacetate + CO(2). [EC:4.1.1.44, RHEA:23351]' - }, - 'GO:0047576': { - 'name': '4-chlorobenzoate dehalogenase activity', - 'def': 'Catalysis of the reaction: 4-chlorobenzoate + H(2)O = 4-hydroxybenzoate + chloride + H(+). [EC:3.8.1.6, RHEA:23443]' - }, - 'GO:0047577': { - 'name': '4-hydroxybutyrate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybutanoate + NAD(+) = H(+) + NADH + succinate semialdehyde. [EC:1.1.1.61, RHEA:23951]' - }, - 'GO:0047578': { - 'name': '4-hydroxyglutamate transaminase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-L-glutamate + 2-oxoglutarate = 4-hydroxy-2-oxoglutarate + L-glutamate. [EC:2.6.1.23, MetaCyc:4-HYDROXYGLUTAMATE-AMINOTRANSFERASE-RXN]' - }, - 'GO:0047579': { - 'name': '4-hydroxymandelate oxidase activity', - 'def': 'Catalysis of the reaction: (S)-4-hydroxymandelate + H(+) + O(2) = 4-hydroxybenzaldehyde + CO(2) + H(2)O(2). [EC:1.1.3.19, RHEA:15836]' - }, - 'GO:0047580': { - 'name': '4-hydroxyproline epimerase activity', - 'def': 'Catalysis of the reaction: trans-4-hydroxy-L-proline = cis-4-hydroxy-D-proline. [EC:5.1.1.8, RHEA:21155]' - }, - 'GO:0047581': { - 'name': '4-methyleneglutamate-ammonia ligase activity', - 'def': 'Catalysis of the reaction: 4-methylene-L-glutamate + ATP + NH(4)(+) = 4-methylene-L-glutamine + AMP + diphosphate + 2 H(+). [EC:6.3.1.7, RHEA:13856]' - }, - 'GO:0047582': { - 'name': '4-methyleneglutaminase activity', - 'def': 'Catalysis of the reaction: 4-methylene-L-glutamine + H(2)O = 4-methylene-L-glutamate + NH(4)(+). [EC:3.5.1.67, RHEA:14744]' - }, - 'GO:0047583': { - 'name': '4-methyloxaloacetate esterase activity', - 'def': 'Catalysis of the reaction: 4-methoxy-2,4-dioxobutanoate + H(2)O = H(+) + methanol + oxaloacetate. [EC:3.1.1.44, RHEA:10567]' - }, - 'GO:0047584': { - 'name': '4-oxalmesaconate hydratase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-4-oxobutane-1,2,4-tricarboxylate = (1E)-4-oxobut-1-ene-1,2,4-tricarboxylate + H(2)O. [EC:4.2.1.83, RHEA:17404]' - }, - 'GO:0047585': { - 'name': '4-pyridoxolactonase activity', - 'def': 'Catalysis of the reaction: 4-pyridoxolactone + H(2)O = 4-pyridoxate + H(+). [EC:3.1.1.27, RHEA:14304]' - }, - 'GO:0047586': { - 'name': "5'-acylphosphoadenosine hydrolase activity", - 'def': "Catalysis of the reaction: 5'-acylphosphoadenosine + H2O = AMP + a carboxylate. [EC:3.6.1.20, MetaCyc:5-ACYLPHOSPHOADENOSINE-HYDROLASE-RXN]" - }, - 'GO:0047587': { - 'name': '5-alpha-hydroxysteroid dehydratase activity', - 'def': 'Catalysis of the reaction: 5alpha-ergosta-7,22-diene-3beta,5-diol = ergosterol + H(2)O. [EC:4.2.1.62, RHEA:22067]' - }, - 'GO:0047588': { - 'name': '5-aminopentanamidase activity', - 'def': 'Catalysis of the reaction: 5-aminopentanamide + H2O = 5-aminopentanoate + NH3. [EC:3.5.1.30, MetaCyc:5-AMINOPENTANAMIDASE-RXN]' - }, - 'GO:0047589': { - 'name': '5-aminovalerate transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + 5-aminopentanoate = 5-oxopentanoate + L-glutamate. [EC:2.6.1.48, RHEA:10215]' - }, - 'GO:0047590': { - 'name': '5-dehydro-2-deoxygluconokinase activity', - 'def': 'Catalysis of the reaction: ATP + 5-dehydro-2-deoxy-D-gluconate = ADP + 6-phospho-5-dehydro-2-deoxy-D-gluconate. [EC:2.7.1.92, MetaCyc:5-DEHYDRO-2-DEOXYGLUCONOKINASE-RXN]' - }, - 'GO:0047591': { - 'name': '5-hydroxypentanoate CoA-transferase activity', - 'def': 'Catalysis of the reaction: 5-hydroxypentanoate + acetyl-CoA = 5-hydroxy-pentanoyl-CoA + acetate. [EC:2.8.3.14, RHEA:23499]' - }, - 'GO:0047592': { - 'name': '5-pyridoxate dioxygenase activity', - 'def': 'Catalysis of the reaction: 5-pyridoxate + NADPH + O(2) = (2Z)-2-(acetamidomethylene)-3-(hydroxymethyl)succinate + NADP(+). [EC:1.14.12.5, RHEA:11155]' - }, - 'GO:0047593': { - 'name': '6-acetylglucose deacetylase activity', - 'def': 'Catalysis of the reaction: 6-acetyl-D-glucose + H(2)O = D-glucose + acetate + H(+). [EC:3.1.1.33, RHEA:18488]' - }, - 'GO:0047594': { - 'name': '6-beta-hydroxyhyoscyamine epoxidase activity', - 'def': 'Catalysis of the reaction: (6S)-6-hydroxyhyoscyamine + 2-oxoglutarate + O(2) = CO(2) + H(2)O + H(+) + scopolamine + succinate. [EC:1.14.11.14, RHEA:12800]' - }, - 'GO:0047595': { - 'name': '6-hydroxynicotinate reductase activity', - 'def': 'Catalysis of the reaction: 1,4,5,6-tetrahydro-6-oxonicotinate + oxidized ferredoxin = 6-hydroxynicotinate + reduced ferredoxin. [EC:1.3.7.1, MetaCyc:6-HYDROXYNICOTINATE-REDUCTASE-RXN]' - }, - 'GO:0047596': { - 'name': '6-methylsalicylate decarboxylase activity', - 'def': 'Catalysis of the reaction: 6-methylsalicylate + H(+) = 3-cresol + CO(2). [EC:4.1.1.52, RHEA:23115]' - }, - 'GO:0047597': { - 'name': '6-oxocineole dehydrogenase activity', - 'def': 'Catalysis of the reaction: 6-oxocineole + H(+) + NADPH + O(2) = 1,6,6-trimethyl-2,7-dioxabicyclo[3.2.2]nonan-3-one + H(2)O + NADP(+). [EC:1.14.13.51, RHEA:24327]' - }, - 'GO:0047598': { - 'name': '7-dehydrocholesterol reductase activity', - 'def': 'Catalysis of the reaction: cholesterol + NADP+ = cholesta-5,7-dien-3-beta-ol + NADPH + H+. [EC:1.3.1.21]' - }, - 'GO:0047599': { - 'name': '8-oxocoformycin reductase activity', - 'def': 'Catalysis of the reaction: coformycin + NADP(+) = 8-oxocoformycin + 2 H(+) + NADPH. [EC:1.1.1.235, RHEA:23171]' - }, - 'GO:0047600': { - 'name': 'abequosyltransferase activity', - 'def': 'Catalysis of the reaction: CDP-abequose + D-mannosyl-L-rhamnosyl-D-galactose-1-diphospholipid = CDP + D-abequosyl-D-mannosyl-rhamnosyl-D-galactose-1-diphospholipid. [EC:2.4.1.60, MetaCyc:ABEQUOSYLTRANSFERASE-RXN]' - }, - 'GO:0047601': { - 'name': 'acetate kinase (diphosphate) activity', - 'def': 'Catalysis of the reaction: acetate + diphosphate = acetyl phosphate + phosphate. [EC:2.7.2.12, RHEA:24279]' - }, - 'GO:0047602': { - 'name': 'acetoacetate decarboxylase activity', - 'def': 'Catalysis of the reaction: acetoacetate + H(+) = acetone + CO(2). [EC:4.1.1.4, RHEA:19732]' - }, - 'GO:0047603': { - 'name': 'acetoacetyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: acetoacetyl-CoA + H(2)O = acetoacetate + CoA + H(+). [EC:3.1.2.11, RHEA:15676]' - }, - 'GO:0047604': { - 'name': 'acetoin racemase activity', - 'def': 'Catalysis of the reaction: (S)-acetoin = (R)-acetoin. [EC:5.1.2.4, RHEA:12095]' - }, - 'GO:0047605': { - 'name': 'acetolactate decarboxylase activity', - 'def': 'Catalysis of the reaction: (S)-2-hydroxy-2-methyl-3-oxobutanoate = (R)-2-acetoin + CO2. [EC:4.1.1.5, MetaCyc:ACETOLACTATE-DECARBOXYLASE-RXN]' - }, - 'GO:0047606': { - 'name': 'hydroxynitrilase activity', - 'def': 'Catalysis of the reaction: a hydroxynitrile = cyanide + an aldehyde or ketone. [EC:4.1.2, GOC:mah, MetaCyc:ACETONE-CYANHYDRIN-LYASE-RXN]' - }, - 'GO:0047608': { - 'name': 'acetylindoxyl oxidase activity', - 'def': 'Catalysis of the reaction: N-acetylindoxyl + O2 = N-acetylisatin + unknown. [EC:1.7.3.2, MetaCyc:ACETYLINDOXYL-OXIDASE-RXN]' - }, - 'GO:0047609': { - 'name': 'acetylputrescine deacetylase activity', - 'def': 'Catalysis of the reaction: N-acetylputrescine + H(2)O = acetate + putrescine. [EC:3.5.1.62, RHEA:23415]' - }, - 'GO:0047610': { - 'name': 'acetylsalicylate deacetylase activity', - 'def': 'Catalysis of the reaction: acetylsalicylate + H(2)O = acetate + H(+) + salicylate. [EC:3.1.1.55, RHEA:11755]' - }, - 'GO:0047611': { - 'name': 'acetylspermidine deacetylase activity', - 'def': 'Catalysis of the reaction: N(8)-acetylspermidine + H(2)O = acetate + spermidine. [EC:3.5.1.48, RHEA:23931]' - }, - 'GO:0047612': { - 'name': 'acid-CoA ligase (GDP-forming) activity', - 'def': 'Catalysis of the reaction: a carboxylate + CoA + GTP = acyl-CoA + GDP + H(+) + phosphate. [EC:6.2.1.10, RHEA:10971]' - }, - 'GO:0047613': { - 'name': 'aconitate decarboxylase activity', - 'def': 'Catalysis of the reaction: cis-aconitate + H(+) = CO(2) + itaconate. [EC:4.1.1.6, RHEA:15256]' - }, - 'GO:0047614': { - 'name': 'aconitate delta-isomerase activity', - 'def': 'Catalysis of the reaction: trans-aconitate = cis-aconitate. [EC:5.3.3.7, RHEA:17268]' - }, - 'GO:0047615': { - 'name': 'actinomycin lactonase activity', - 'def': 'Catalysis of the reaction: actinomycin + H2O = actinomycinic monolactone. [EC:3.1.1.39, MetaCyc:ACTINOMYCIN-LACTONASE-RXN]' - }, - 'GO:0047616': { - 'name': 'acyl-CoA dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: acyl-CoA + NADP+ = 2,3-dehydroacyl-CoA + NADPH + H+. [EC:1.3.1.8, MetaCyc:ACYL-COA-DEHYDROGENASE-NADP+-RXN]' - }, - 'GO:0047617': { - 'name': 'acyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + H2O = CoA + a carboxylate. [EC:3.1.2.20, MetaCyc:ACYL-COA-HYDROLASE-RXN]' - }, - 'GO:0047618': { - 'name': 'acylagmatine amidase activity', - 'def': 'Catalysis of the reaction: N(4)-benzoylagmatine + H(2)O = agmatine + benzoate. [EC:3.5.1.40, RHEA:15068]' - }, - 'GO:0047619': { - 'name': 'acylcarnitine hydrolase activity', - 'def': 'Catalysis of the reaction: O-acylcarnitine + H2O = a fatty acid + L-carnitine. [EC:3.1.1.28, MetaCyc:ACYLCARNITINE-HYDROLASE-RXN]' - }, - 'GO:0047620': { - 'name': 'acylglycerol kinase activity', - 'def': 'Catalysis of the reaction: ATP + acylglycerol = ADP + acyl-sn-glycerol 3-phosphate. [EC:2.7.1.94, MetaCyc:ACYLGLYCEROL-KINASE-RXN]' - }, - 'GO:0047621': { - 'name': 'acylpyruvate hydrolase activity', - 'def': 'Catalysis of the reaction: a 3-acylpyruvate + H2O = a carboxylate + pyruvate. [EC:3.7.1.5, MetaCyc:ACYLPYRUVATE-HYDROLASE-RXN]' - }, - 'GO:0047622': { - 'name': 'adenosine nucleosidase activity', - 'def': 'Catalysis of the reaction: adenosine + H2O = D-ribose + adenine. [EC:3.2.2.7, MetaCyc:ADENOSINE-NUCLEOSIDASE-RXN]' - }, - 'GO:0047623': { - 'name': 'adenosine-phosphate deaminase activity', - 'def': 'Catalysis of the reaction: an adenosine-phosphate + H20 = an inosine phosphate + NH3. Catalyzes the deamination of AMP, ADP or ATP. [EC:3.5.4.17, GOC:bf, MetaCyc:ADENOSINE-PHOSPHATE-DEAMINASE-RXN]' - }, - 'GO:0047624': { - 'name': 'adenosine-tetraphosphatase activity', - 'def': "Catalysis of the reaction: adenosine 5'-tetraphosphate + H2O = ATP + phosphate. [EC:3.6.1.14, MetaCyc:ADENOSINE-TETRAPHOSPHATASE-RXN]" - }, - 'GO:0047625': { - 'name': 'adenosylmethionine cyclotransferase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine(1+) = S-methyl-5'-thioadenosine + homoserine lactone. [EC:2.5.1.4, RHEA:21935]" - }, - 'GO:0047626': { - 'name': 'adenosylmethionine hydrolase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + H(2)O = S-methyl-5'-thioadenosine + L-homoserine + H(+). [EC:3.3.1.2, RHEA:14648]" - }, - 'GO:0047627': { - 'name': 'adenylylsulfatase activity', - 'def': "Catalysis of the reaction: 5'-adenylyl sulfate + H(2)O = AMP + 2 H(+) + sulfate. [EC:3.6.2.1, RHEA:17044]" - }, - 'GO:0047628': { - 'name': 'ADP-thymidine kinase activity', - 'def': "Catalysis of the reaction: ADP + thymidine = AMP + thymidine 5'-phosphate. [EC:2.7.1.118, MetaCyc:ADP--THYMIDINE-KINASE-RXN]" - }, - 'GO:0047629': { - 'name': 'ADP deaminase activity', - 'def': 'Catalysis of the reaction: ADP + H2O = IDP + NH3. [EC:3.5.4.7, MetaCyc:ADP-DEAMINASE-RXN]' - }, - 'GO:0047630': { - 'name': 'ADP-phosphoglycerate phosphatase activity', - 'def': 'Catalysis of the reaction: 3-ADP-2-phosphoglycerate + H(2)O = 3-ADP-glycerate + phosphate. [EC:3.1.3.28, RHEA:15864]' - }, - 'GO:0047631': { - 'name': 'ADP-ribose diphosphatase activity', - 'def': 'Catalysis of the reaction: ADP-ribose + H2O = AMP + D-ribose 5-phosphate. [EC:3.6.1.13, MetaCyc:ADP-RIBOSE-PYROPHOSPHATASE-RXN]' - }, - 'GO:0047632': { - 'name': 'agmatine deiminase activity', - 'def': 'Catalysis of the reaction: agmatine + H2O = N-carbamoylputrescine + NH3. [EC:3.5.3.12, MetaCyc:AGMATINE-DEIMINASE-RXN]' - }, - 'GO:0047633': { - 'name': 'agmatine kinase activity', - 'def': 'Catalysis of the reaction: agmatine + ATP = N(4)-phosphoagmatine + ADP + 3 H(+). [EC:2.7.3.10, RHEA:15956]' - }, - 'GO:0047634': { - 'name': 'agmatine N4-coumaroyltransferase activity', - 'def': 'Catalysis of the reaction: 4-coumaroyl-CoA + agmatine = N-(4-guanidiniumylbutyl)-4-hydroxycinnamamide + CoA + H(+). [EC:2.3.1.64, RHEA:13408]' - }, - 'GO:0047635': { - 'name': 'alanine-oxo-acid transaminase activity', - 'def': 'Catalysis of the reaction: L-alanine + a 2-oxo acid = pyruvate + an L-amino acid. [EC:2.6.1.12, MetaCyc:ALANINE--OXO-ACID-AMINOTRANSFERASE-RXN]' - }, - 'GO:0047636': { - 'name': 'alanopine dehydrogenase activity', - 'def': "Catalysis of the reaction: 2,2'-iminodipropanoate + H(2)O + NAD(+) = L-alanine + H(+) + NADH + pyruvate. [EC:1.5.1.17, RHEA:17592]" - }, - 'GO:0047637': { - 'name': 'alanylphosphatidylglycerol synthase activity', - 'def': 'Catalysis of the reaction: L-alanyl-tRNA + phosphatidylglycerol = tRNA + 3-O-L-alanyl-1-O-phosphatidylglycerol. [EC:2.3.2.11, MetaCyc:ALANYLPHOSPHATIDYLGLYCEROL-SYNTHASE-RXN]' - }, - 'GO:0047638': { - 'name': 'albendazole monooxygenase activity', - 'def': 'Catalysis of the reaction: albendazole + H(+) + NADPH + O(2) = albendazole S-oxide + H(2)O + NADP(+). [EC:1.14.13.32, RHEA:10799]' - }, - 'GO:0047639': { - 'name': 'alcohol oxidase activity', - 'def': 'Catalysis of the reaction: a primary alcohol + O2 = an aldehyde + H2O2. [EC:1.1.3.13, MetaCyc:ALCOHOL-OXIDASE-RXN]' - }, - 'GO:0047640': { - 'name': 'aldose 1-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-aldose + NAD+ = D-aldonolactone + NADH. [EC:1.1.1.121, MetaCyc:ALDOSE-1-DEHYDROGENASE-RXN]' - }, - 'GO:0047641': { - 'name': 'aldose-6-phosphate reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: D-glucitol 6-phosphate + NADP(+) = D-glucose 6-phosphate + H(+) + NADPH. [EC:1.1.1.200, RHEA:20040]' - }, - 'GO:0047642': { - 'name': 'aldose beta-D-fructosyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-aldosyl1 beta-D-fructoside + D-aldose2 = D-aldose1 + alpha-D-aldosyl2 beta-D-fructoside. [EC:2.4.1.162, MetaCyc:ALDOSE-BETA-FRUCTOSYLTRANSFERASE-RXN]' - }, - 'GO:0047643': { - 'name': 'alginate synthase activity', - 'def': 'Catalysis of the reaction: GDP-D-mannuronate + alginate(n) = GDP + alginate(n+1). [EC:2.4.1.33, MetaCyc:ALGINATE-SYNTHASE-RXN]' - }, - 'GO:0047644': { - 'name': 'alizarin 2-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: alizarin + UDP-D-glucose = 1-hydroxy-2-(beta-D-glucosyloxy)-9,10-anthraquinone + H(+) + UDP. [EC:2.4.1.103, RHEA:20680]' - }, - 'GO:0047645': { - 'name': 'alkan-1-ol dehydrogenase (acceptor) activity', - 'def': 'Catalysis of the reaction: primary alcohol + acceptor = aldehyde + reduced acceptor. [EC:1.1.99.20, MetaCyc:ALKAN-1-OL-DEHYDROGENASE-ACCEPTOR-RXN]' - }, - 'GO:0047646': { - 'name': 'alkanal monooxygenase (FMN-linked) activity', - 'def': 'Catalysis of the reaction: R-CHO + reduced FMN + O2 = R-COOH + FMN + H2O + light. [EC:1.14.14.3, MetaCyc:ALKANAL-MONOOXYGENASE-FMN-LINKED-RXN]' - }, - 'GO:0047647': { - 'name': 'alkylacetylglycerophosphatase activity', - 'def': 'Catalysis of the reaction: 1-alkyl-2-acetyl-sn-glycerol 3-phosphate + H(2)O = 2-acetyl-1-alkyl-sn-glycerol + phosphate. [EC:3.1.3.59, RHEA:18224]' - }, - 'GO:0047648': { - 'name': 'alkylamidase activity', - 'def': 'Catalysis of the reaction: N-methylhexanamide + H(2)O = hexanoate + methylammonium. [EC:3.5.1.39, RHEA:20084]' - }, - 'GO:0047649': { - 'name': 'alkylglycerol kinase activity', - 'def': 'Catalysis of the reaction: 1-alkyl-sn-glycerol + ATP = 1-alkyl-sn-glycerol 3-phosphate + ADP + 2 H(+). [EC:2.7.1.93, RHEA:16940]' - }, - 'GO:0047650': { - 'name': 'alkylglycerone kinase activity', - 'def': 'Catalysis of the reaction: O-alkylglycerone + ATP = O-alkylglycerone phosphate + ADP + 2 H(+). [EC:2.7.1.84, RHEA:23091]' - }, - 'GO:0047651': { - 'name': 'alkylhalidase activity', - 'def': 'Catalysis of the reaction: bromochloromethane + H(2)O = bromide + chloride + formaldehyde + 2 H(+). [EC:3.8.1.1, RHEA:13768]' - }, - 'GO:0047652': { - 'name': 'allantoate deiminase activity', - 'def': 'Catalysis of the reaction: allantoate + H2O + H+ = CO2 + NH3 + ureidoglycine. [EC:3.5.3.9, MetaCyc:ALLANTOATE-DEIMINASE-RXN]' - }, - 'GO:0047653': { - 'name': 'allantoin racemase activity', - 'def': 'Catalysis of the reaction: (S)-(+)-allantoin = (R)-(-)-allantoin. [EC:5.1.99.3, RHEA:10807]' - }, - 'GO:0047654': { - 'name': 'alliin lyase activity', - 'def': 'Catalysis of the reaction: an S-alkyl-L-cysteine S-oxide = an alkyl sulfenate + 2-aminoacrylate. [EC:4.4.1.4, MetaCyc:ALLIIN-LYASE-RXN]' - }, - 'GO:0047655': { - 'name': 'allyl-alcohol dehydrogenase activity', - 'def': 'Catalysis of the reaction: allyl alcohol + NADP(+) = acrolein + H(+) + NADPH. [EC:1.1.1.54, RHEA:12171]' - }, - 'GO:0047656': { - 'name': 'alpha,alpha-trehalose phosphorylase activity', - 'def': 'Catalysis of the reaction: alpha,alpha-trehalose + phosphate = D-glucose + beta-D-glucose 1-phosphate. [EC:2.4.1.64, MetaCyc:ALPHAALPHA-TREHALOSE-PHOSPHORYLASE-RXN]' - }, - 'GO:0047657': { - 'name': 'alpha-1,3-glucan synthase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + [alpha-D-glucosyl-(1,3)]n = UDP + [alpha-D-glucosyl-(1,3)]n+1. [EC:2.4.1.183, MetaCyc:ALPHA-13-GLUCAN-SYNTHASE-RXN]' - }, - 'GO:0047658': { - 'name': 'alpha-amino-acid esterase activity', - 'def': 'Catalysis of the reaction: an alpha-amino acid ester + H2O = an alpha-amino acid + an alcohol. [EC:3.1.1.43, MetaCyc:ALPHA-AMINO-ACID-ESTERASE-RXN]' - }, - 'GO:0047659': { - 'name': 'alpha-santonin 1,2-reductase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydrosantonin + NAD(P)+ = alpha-santonin + NAD(P)H + H+. [EC:1.3.1.47, MetaCyc:ALPHA-SANTONIN-12-REDUCTASE-RXN]' - }, - 'GO:0047660': { - 'name': 'amidinoaspartase activity', - 'def': 'Catalysis of the reaction: N-amidino-L-aspartate + H(2)O = L-aspartate + urea. [EC:3.5.3.14, RHEA:14852]' - }, - 'GO:0047661': { - 'name': 'amino-acid racemase activity', - 'def': 'Catalysis of the reaction: an L-amino acid = a D-amino acid. [EC:5.1.1.10, MetaCyc:AMINO-ACID-RACEMASE-RXN]' - }, - 'GO:0047662': { - 'name': 'aminobenzoate decarboxylase activity', - 'def': 'Catalysis of the reaction: 4(or 2)-aminobenzoate = aniline + CO2. [EC:4.1.1.24, MetaCyc:AMINOBENZOATE-DECARBOXYLASE-RXN]' - }, - 'GO:0047663': { - 'name': "aminoglycoside 6'-N-acetyltransferase activity", - 'def': "Catalysis of the reaction: acetyl-CoA + kanamycin B = N(6')-acetylkanamycin B + CoA + H(+). This is acetylation of the 6'-amino group of the 6-deoxy-6-aminoglucose ring. [EC:2.3.1.82, RHEA:16452]" - }, - 'GO:0047664': { - 'name': 'aminoimidazolase activity', - 'def': 'Catalysis of the reaction: 4-aminoimidazole + H2O = unidentified product + NH3. [EC:3.5.4.8, MetaCyc:AMINOIMIDAZOLASE-RXN]' - }, - 'GO:0047665': { - 'name': 'aminolevulinate transaminase activity', - 'def': 'Catalysis of the reaction: 5-aminolevulinate + pyruvate = 4,5-dioxopentanoate + L-alanine. [EC:2.6.1.43, RHEA:12483]' - }, - 'GO:0047666': { - 'name': 'ammonia kinase activity', - 'def': 'Catalysis of the reaction: ATP + NH(4)(+) = ADP + 3 H(+) + phosphoramidate. [EC:2.7.3.8, RHEA:11027]' - }, - 'GO:0047667': { - 'name': 'AMP-thymidine kinase activity', - 'def': "Catalysis of the reaction: AMP + thymidine = adenosine + thymidine 5'-phosphate. [EC:2.7.1.114, MetaCyc:AMP--THYMIDINE-KINASE-RXN]" - }, - 'GO:0047668': { - 'name': 'amygdalin beta-glucosidase activity', - 'def': 'Catalysis of the reaction: (R)-amygdalin + H(2)O = (R)-prunasin + D-glucose. [EC:3.2.1.117, RHEA:14180]' - }, - 'GO:0047669': { - 'name': 'amylosucrase activity', - 'def': 'Catalysis of the reaction: sucrose + 1,4-alpha-D-glucosyl(n) = D-fructose + 1,4-alpha-D-glucosyl(n+1). [EC:2.4.1.4, MetaCyc:AMYLOSUCRASE-RXN]' - }, - 'GO:0047670': { - 'name': 'anhydrotetracycline monooxygenase activity', - 'def': 'Catalysis of the reaction: anhydrotetracycline + H(+) + NADPH + O(2) = 12-dehydrotetracycline + H(2)O + NADP(+). [EC:1.14.13.38, RHEA:11979]' - }, - 'GO:0047671': { - 'name': 'anthranilate adenylyltransferase activity', - 'def': 'Catalysis of the reaction: anthranilate + ATP = N-adenylylanthranilate + diphosphate + H(+). [EC:2.7.7.55, RHEA:22415]' - }, - 'GO:0047672': { - 'name': 'anthranilate N-benzoyltransferase activity', - 'def': 'Catalysis of the reaction: anthranilate + benzoyl-CoA = N-benzoylanthranilate + CoA. [EC:2.3.1.144, RHEA:21603]' - }, - 'GO:0047673': { - 'name': 'anthranilate N-malonyltransferase activity', - 'def': 'Catalysis of the reaction: anthranilate + malonyl-CoA = N-malonylanthranilate + CoA. [EC:2.3.1.113, RHEA:17560]' - }, - 'GO:0047674': { - 'name': 'apiose 1-reductase activity', - 'def': 'Catalysis of the reaction: D-apiitol + NAD(+) = D-apiose + H(+) + NADH. [EC:1.1.1.114, RHEA:15304]' - }, - 'GO:0047675': { - 'name': 'arabinonate dehydratase activity', - 'def': 'Catalysis of the reaction: D-arabinonate = 2-dehydro-3-deoxy-D-arabinonate + H(2)O. [EC:4.2.1.5, RHEA:21839]' - }, - 'GO:0047676': { - 'name': 'arachidonate-CoA ligase activity', - 'def': 'Catalysis of the reaction: arachidonate + ATP + CoA = AMP + arachidonoyl-CoA + diphosphate + H(+). [EC:6.2.1.15, RHEA:19716]' - }, - 'GO:0047677': { - 'name': 'arachidonate 8(R)-lipoxygenase activity', - 'def': 'Catalysis of the reaction: arachidonate + O(2) = (5Z,8R,9E,11Z,14Z)-8-hydroperoxyicosa-5,9,11,14-tetraenoate. [EC:1.13.11.40, RHEA:14988]' - }, - 'GO:0047678': { - 'name': 'arginine 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-arginine + O(2) = 4-guanidinobutanamide + CO(2) + H(2)O. [EC:1.13.12.1, RHEA:10551]' - }, - 'GO:0047679': { - 'name': 'arginine racemase activity', - 'def': 'Catalysis of the reaction: L-arginine = D-arginine. [EC:5.1.1.9, MetaCyc:ARGININE-RACEMASE-RXN]' - }, - 'GO:0047680': { - 'name': 'aryl-acylamidase activity', - 'def': 'Catalysis of the reaction: anilide + H(2)O = a carboxylate + aniline + H(+). [EC:3.5.1.13, RHEA:20300]' - }, - 'GO:0047681': { - 'name': 'aryl-alcohol dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: an aromatic alcohol + NADP+ = an aromatic aldehyde + NADPH. [EC:1.1.1.91, MetaCyc:ARYL-ALCOHOL-DEHYDROGENASE-NADP+-RXN]' - }, - 'GO:0047682': { - 'name': 'aryl-alcohol oxidase activity', - 'def': 'Catalysis of the reaction: an aromatic primary alcohol + O2 = an aromatic aldehyde + H2O2. [EC:1.1.3.7, MetaCyc:ARYL-ALCOHOL-OXIDASE-RXN]' - }, - 'GO:0047683': { - 'name': 'aryl-aldehyde dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: an aromatic aldehyde + NADP+ + AMP + diphosphate + H2O = an aromatic acid + NADPH + ATP. [EC:1.2.1.30, MetaCyc:ARYL-ALDEHYDE-DEHYDROGENASE-NADP+-RXN]' - }, - 'GO:0047684': { - 'name': 'arylamine glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + an arylamine = UDP + an N-D-glucosylarylamine. [EC:2.4.1.71, MetaCyc:ARYLAMINE-GLUCOSYLTRANSFERASE-RXN]' - }, - 'GO:0047685': { - 'name': 'amine sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + an amine = adenosine 3',5'-bisphosphate + a sulfamate. [EC:2.8.2.3, MetaCyc:ARYLAMINE-SULFOTRANSFERASE-RXN]" - }, - 'GO:0047686': { - 'name': 'arylsulfate sulfotransferase activity', - 'def': 'Catalysis of the reaction: an aryl sulfate + a phenol = a phenol + an aryl sulfate. [EC:2.8.2.22, MetaCyc:ARYLSULFATE-SULFOTRANSFERASE-RXN]' - }, - 'GO:0047687': { - 'name': 'obsolete ascorbate 2,3-dioxygenase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: L-ascorbate + H(2)O + O(2) = L-threonate + 2 H(+) + oxalate. [EC:1.13.11.13, RHEA:21787]' - }, - 'GO:0047688': { - 'name': 'aspartate 4-decarboxylase activity', - 'def': 'Catalysis of the reaction: L-aspartate = L-alanine + CO2. [EC:4.1.1.12, MetaCyc:ASPARTATE-4-DECARBOXYLASE-RXN]' - }, - 'GO:0047689': { - 'name': 'aspartate racemase activity', - 'def': 'Catalysis of the reaction: L-aspartate = D-aspartate. [EC:5.1.1.13, RHEA:14976]' - }, - 'GO:0047690': { - 'name': 'aspartyltransferase activity', - 'def': 'Catalysis of the reaction: L-asparagine + H(+) + hydroxylamine = beta-L-aspartylhydroxamate + NH(4)(+). [EC:2.3.2.7, RHEA:11255]' - }, - 'GO:0047691': { - 'name': 'aspulvinone dimethylallyltransferase activity', - 'def': 'Catalysis of the reaction: aspulvinone E + 2 dimethylallyl diphosphate = aspulvinone H + 2 diphosphate. [EC:2.5.1.35, RHEA:13812]' - }, - 'GO:0047692': { - 'name': 'ATP deaminase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ITP + NH3. [EC:3.5.4.18, MetaCyc:ATP-DEAMINASE-RXN]' - }, - 'GO:0047693': { - 'name': 'ATP diphosphatase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = AMP + diphosphate. [EC:3.6.1.8, MetaCyc:ATP-PYROPHOSPHATASE-RXN]' - }, - 'GO:0047694': { - 'name': 'barbiturase activity', - 'def': 'Catalysis of the reaction: barbiturate + H2O = malonate + urea. [EC:3.5.2.1, MetaCyc:BARBITURASE-RXN]' - }, - 'GO:0047695': { - 'name': 'benzoin aldolase activity', - 'def': 'Catalysis of the reaction: benzoin = 2 benzaldehyde. [EC:4.1.2.38, RHEA:21463]' - }, - 'GO:0047696': { - 'name': 'beta-adrenergic receptor kinase activity', - 'def': 'Catalysis of the reaction: ATP + beta-adrenergic receptor = ADP + phospho-beta-adrenergic receptor. [EC:2.7.11.15, MetaCyc:BETA-ADRENERGIC-RECEPTOR-KINASE-RXN]' - }, - 'GO:0047697': { - 'name': 'beta-alanopine dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-beta-alanopine + H(2)O + NAD(+) = beta-alanine + H(+) + NADH + pyruvate. [EC:1.5.1.26, RHEA:21687]' - }, - 'GO:0047698': { - 'name': 'beta-alanyl-CoA ammonia-lyase activity', - 'def': 'Catalysis of the reaction: beta-alanyl-CoA = acryloyl-CoA + NH3. [EC:4.3.1.6, MetaCyc:BETA-ALANYL-COA-AMMONIA-LYASE-RXN]' - }, - 'GO:0047699': { - 'name': 'beta-diketone hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + nonane-4,6-dione = butanoate + H(+) + pentan-2-one. [EC:3.7.1.7, RHEA:11911]' - }, - 'GO:0047700': { - 'name': 'beta-glucoside kinase activity', - 'def': 'Catalysis of the reaction: ATP + cellobiose = ADP + 6-phospho-beta-D-glucosyl-(1,4)-D-glucose. [EC:2.7.1.85, MetaCyc:BETA-GLUCOSIDE-KINASE-RXN]' - }, - 'GO:0047701': { - 'name': 'beta-L-arabinosidase activity', - 'def': 'Catalysis of the reaction: H2O + a beta-L-arabinoside = L-arabinose + an alcohol. [EC:3.2.1.88, MetaCyc:BETA-L-ARABINOSIDASE-RXN]' - }, - 'GO:0047702': { - 'name': 'beta-lysine 5,6-aminomutase activity', - 'def': 'Catalysis of the reaction: (3S)-3,6-diaminohexanoate = (3S,5S)-3,5-diaminohexanoate. [EC:5.4.3.3, RHEA:21739]' - }, - 'GO:0047703': { - 'name': 'beta-nitroacrylate reductase activity', - 'def': 'Catalysis of the reaction: 3-nitropropanoate + NADP(+) = 3-nitroacrylate + H(+) + NADPH. [EC:1.3.1.16, RHEA:23895]' - }, - 'GO:0047704': { - 'name': 'bile-salt sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + taurolithocholate = adenosine 3',5'-bisphosphate + taurolithocholate sulfate. [EC:2.8.2.14, MetaCyc:BILE-SALT-SULFOTRANSFERASE-RXN]" - }, - 'GO:0047705': { - 'name': 'bilirubin oxidase activity', - 'def': 'Catalysis of the reaction: 2 bilirubin + O(2) = 2 biliverdin + 2 H(2)O. [EC:1.3.3.5, RHEA:20983]' - }, - 'GO:0047706': { - 'name': 'biochanin-A reductase activity', - 'def': 'Catalysis of the reaction: dihydrobiochanin A + NADP(+) = biochanin A + H(+) + NADPH. [EC:1.3.1.46, RHEA:12820]' - }, - 'GO:0047707': { - 'name': 'biotin-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + biotin + CoA = AMP + diphosphate + biotinyl-CoA. [EC:6.2.1.11, MetaCyc:BIOTIN--COA-LIGASE-RXN]' - }, - 'GO:0047708': { - 'name': 'biotinidase activity', - 'def': 'Catalysis of the reaction: biotin amide + H2O = biotin + NH3. [EC:3.5.1.12, MetaCyc:BIOTINIDASE-RXN]' - }, - 'GO:0047709': { - 'name': 'bis(2-ethylhexyl)phthalate esterase activity', - 'def': 'Catalysis of the reaction: bis(2-ethylhexyl)phthalate + H(2)O = 2-ethylhexan-1-ol + 2-ethylhexyl phthalate + H(+). [EC:3.1.1.60, RHEA:15532]' - }, - 'GO:0047710': { - 'name': "bis(5'-adenosyl)-triphosphatase activity", - 'def': "Catalysis of the reaction: P(1),P(3)-bis(5'-adenosyl) triphosphate + H(2)O = ADP + AMP + 2 H(+). [EC:3.6.1.29, RHEA:13896]" - }, - 'GO:0047711': { - 'name': 'blasticidin-S deaminase activity', - 'def': 'Catalysis of the reaction: blasticidin S + H2O = deaminohydroxyblasticidin S + NH3. [EC:3.5.4.23, MetaCyc:BLASTICIDIN-S-DEAMINASE-RXN]' - }, - 'GO:0047712': { - 'name': 'Cypridina-luciferin 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: Cypridina luciferin + O2 = oxidized Cypridina luciferin + CO2 + light. [EC:1.13.12.6, MetaCyc:CYPRIDINA-LUCIFERIN-2-MONOOXYGENASE-RXN]' - }, - 'GO:0047713': { - 'name': 'galactitol 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: galactitol + NAD(+) = D-tagatose + H(+) + NADH. [EC:1.1.1.16, RHEA:20688]' - }, - 'GO:0047714': { - 'name': 'galactolipase activity', - 'def': 'Catalysis of the reaction: 1,2-diacyl-3-beta-D-galactosyl-sn-glycerol + 2 H2O = 3-beta-D-galactosyl-sn-glycerol + 2 carboxylates. [EC:3.1.1.26, MetaCyc:GALACTOLIPASE-RXN]' - }, - 'GO:0047715': { - 'name': 'hypotaurocyamine kinase activity', - 'def': 'Catalysis of the reaction: ATP + hypotaurocyamine = N(omega)-phosphohypotaurocyamine + ADP + 2 H(+). [EC:2.7.3.6, RHEA:24011]' - }, - 'GO:0047716': { - 'name': 'imidazole N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: 1H-imidazole + acetyl-CoA = N-acetylimidazole + CoA. [EC:2.3.1.2, RHEA:15816]' - }, - 'GO:0047717': { - 'name': 'imidazoleacetate 4-monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + imidazol-4-ylacetate + NADH + O(2) = 5-hydroxyimidazole-4-acetate + H(2)O + NAD(+). [EC:1.14.13.5, RHEA:19428]' - }, - 'GO:0047718': { - 'name': 'indanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: indan-1-ol + NAD(P)+ = indanone + NAD(P)H + H+. [EC:1.1.1.112, MetaCyc:INDANOL-DEHYDROGENASE-RXN]' - }, - 'GO:0047719': { - 'name': 'indole 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: indole + O(2) = 2-formamidobenzaldehyde. [EC:1.13.11.17, RHEA:11215]' - }, - 'GO:0047720': { - 'name': 'indoleacetaldoxime dehydratase activity', - 'def': 'Catalysis of the reaction: (indol-3-yl)acetaldehyde oxime = (indol-3-yl)acetonitrile + H(2)O. [EC:4.99.1.6, RHEA:23159]' - }, - 'GO:0047721': { - 'name': 'indoleacetate-lysine synthetase activity', - 'def': 'Catalysis of the reaction: (indol-3-yl)acetate + L-lysine + ATP = N(6)-[(indole-3-yl)acetyl]-L-lysine + ADP + 2 H(+) + phosphate. [EC:6.3.2.20, RHEA:14860]' - }, - 'GO:0047722': { - 'name': 'indolelactate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-(indol-3-yl)lactate + NAD(+) = 3-(indol-3-yl)pyruvate + H(+) + NADH. [EC:1.1.1.110, RHEA:20136]' - }, - 'GO:0047723': { - 'name': 'inosinate nucleosidase activity', - 'def': 'Catalysis of the reaction: H(2)O + IMP = D-ribose 5-phosphate + hypoxanthine. [EC:3.2.2.12, RHEA:20472]' - }, - 'GO:0047724': { - 'name': 'inosine nucleosidase activity', - 'def': 'Catalysis of the reaction: inosine + H2O = D-ribose + hypoxanthine. [EC:3.2.2.2, MetaCyc:INOSINE-NUCLEOSIDASE-RXN]' - }, - 'GO:0047725': { - 'name': 'inulosucrase activity', - 'def': 'Catalysis of the reaction: sucrose + 2,1-beta-D-fructosyl(n) = glucose + 2,1-beta-D-fructosyl(n+1). [EC:2.4.1.9, MetaCyc:INULOSUCRASE-RXN]' - }, - 'GO:0047726': { - 'name': 'iron-cytochrome-c reductase activity', - 'def': 'Catalysis of the reaction: ferrocytochrome c + Fe3+ = ferricytochrome c + Fe2+. [EC:1.9.99.1, MetaCyc:IRON--CYTOCHROME-C-REDUCTASE-RXN]' - }, - 'GO:0047727': { - 'name': 'isobutyryl-CoA mutase activity', - 'def': 'Catalysis of the reaction: isobutyryl-CoA = butanoyl-CoA. [EC:5.4.99.13, RHEA:13144]' - }, - 'GO:0047728': { - 'name': 'carnitine 3-dehydrogenase activity', - 'def': 'Catalysis of the reaction: carnitine + NAD(+) = 3-dehydrocarnitine + H(+) + NADH. [EC:1.1.1.108, RHEA:19268]' - }, - 'GO:0047729': { - 'name': 'carnitine decarboxylase activity', - 'def': 'Catalysis of the reaction: carnitine + H(+) = 2-methylcholine + CO(2). [EC:4.1.1.42, RHEA:21579]' - }, - 'GO:0047730': { - 'name': 'carnosine synthase activity', - 'def': 'Catalysis of the reaction: ATP + L-histidine + beta-alanine = AMP + diphosphate + carnosine. [EC:6.3.2.11, MetaCyc:CARNOSINE-SYNTHASE-RXN]' - }, - 'GO:0047731': { - 'name': 'catechol oxidase (dimerizing) activity', - 'def': 'Catalysis of the reaction: 4 catechol + 3 O2 = 2 dibenzo[1,4]dioxin-2,3-dione + 6 H2O. [EC:1.1.3.14, MetaCyc:CATECHOL-OXIDASE-DIMERIZING-RXN]' - }, - 'GO:0047732': { - 'name': 'CDP-abequose epimerase activity', - 'def': 'Catalysis of the reaction: CDP-3,6-dideoxy-D-glucose = CDP-3,6-dideoxy-D-mannose. [EC:5.1.3.10, RHEA:21659]' - }, - 'GO:0047733': { - 'name': 'CDP-glucose 4,6-dehydratase activity', - 'def': 'Catalysis of the reaction: CDP-D-glucose = CDP-4-dehydro-6-deoxy-D-glucose + H(2)O. [EC:4.2.1.45, RHEA:17156]' - }, - 'GO:0047734': { - 'name': 'CDP-glycerol diphosphatase activity', - 'def': 'Catalysis of the reaction: CDP-glycerol + H(2)O = sn-glycerol 3-phosphate + CMP + 2 H(+). [EC:3.6.1.16, RHEA:21695]' - }, - 'GO:0047735': { - 'name': 'cellobiose dehydrogenase (acceptor) activity', - 'def': 'Catalysis of the reaction: cellobiose + acceptor = cellobiono-1,5-lactone + reduced acceptor. [EC:1.1.99.18, MetaCyc:CELLOBIOSE-DEHYDROGENASE-ACCEPTOR-RXN]' - }, - 'GO:0047736': { - 'name': 'cellobiose epimerase activity', - 'def': 'Catalysis of the reaction: cellobiose = D-glucosyl-D-mannose. [EC:5.1.3.11, MetaCyc:CELLOBIOSE-EPIMERASE-RXN]' - }, - 'GO:0047738': { - 'name': 'cellobiose phosphorylase activity', - 'def': 'Catalysis of the reaction: cellobiose + phosphate = alpha-D-glucose 1-phosphate + D-glucose. [EC:2.4.1.20, MetaCyc:CELLOBIOSE-PHOSPHORYLASE-RXN]' - }, - 'GO:0047739': { - 'name': 'cephalosporin-C deacetylase activity', - 'def': 'Catalysis of the reaction: cephalosporin C + H(2)O = acetate + deacetylcephalosporin C + H(+). [EC:3.1.1.41, RHEA:22599]' - }, - 'GO:0047740': { - 'name': 'cephalosporin-C transaminase activity', - 'def': 'Catalysis of the reaction: (7R)-7-(5-carboxylato-5-oxopentanamido)deacetylcephalosporanate + D-glutamate = 2-oxoglutarate + cephalosporin C. [EC:2.6.1.74, RHEA:14556]' - }, - 'GO:0047741': { - 'name': 'cetraxate benzylesterase activity', - 'def': 'Catalysis of the reaction: benzyl cetraxate + H(2)O = benzyl alcohol + cetraxate + H(+). [EC:3.1.1.70, RHEA:23463]' - }, - 'GO:0047742': { - 'name': 'chenodeoxycholoyltaurine hydrolase activity', - 'def': 'Catalysis of the reaction: chenodeoxycholoyltaurine + H2O = chenodeoxycholate + taurine. [EC:3.5.1.74, MetaCyc:CHENODEOXYCHOLOYLTAURINE-HYDROLASE-RXN]' - }, - 'GO:0047743': { - 'name': 'chlordecone reductase activity', - 'def': 'Catalysis of the reaction: chlordecone alcohol + NADP(+) = chlordecone + H(+) + NADPH. [EC:1.1.1.225, RHEA:14404]' - }, - 'GO:0047744': { - 'name': 'chloridazon-catechol dioxygenase activity', - 'def': 'Catalysis of the reaction: 5-amino-4-chloro-2-(2,3-dihydroxyphenyl)pyridazin-3(2H)-one + O(2) = 5-amino-4-chloro-2-(2-hydroxymuconoyl)pyridazin-3(2H)-one + 2 H(+). [EC:1.13.11.36, RHEA:20452]' - }, - 'GO:0047745': { - 'name': 'chlorogenate hydrolase activity', - 'def': 'Catalysis of the reaction: chlorogenate + H(2)O = (-)-quinate + cis-caffeate + H(+). [EC:3.1.1.42, RHEA:20692]' - }, - 'GO:0047746': { - 'name': 'chlorophyllase activity', - 'def': 'Catalysis of the reaction: chlorophyll + H2O = phytol + chlorophyllide. [EC:3.1.1.14, MetaCyc:CHLOROPHYLLASE-RXN]' - }, - 'GO:0047747': { - 'name': 'cholate-CoA ligase activity', - 'def': 'Catalysis of the reactions: (1) ATP + cholate + CoA = AMP + diphosphate + choloyl-CoA and (2) ATP + (25R)-3alpha,7alpha,12alpha-trihydroxy-5beta-cholestan-26-oate + CoA = AMP + diphosphate + (25R)-3alpha,7alpha,12alpha-trihydroxy-5beta-cholestanoyl-CoA. [EC:6.2.1.7, MetaCyc:CHOLATE--COA-LIGASE-RXN]' - }, - 'GO:0047748': { - 'name': 'cholestanetetraol 26-dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5-beta-cholestane-3-alpha,7-alpha,12-alpha,26-tetraol + NAD+ = 3-alpha,7-alpha,12-alpha-trihydroxy-5-beta-cholestan-26-al + NADH. [EC:1.1.1.161, MetaCyc:CHOLESTANETETRAOL-26-DEHYDROGENASE-RXN]' - }, - 'GO:0047749': { - 'name': 'cholestanetriol 26-monooxygenase activity', - 'def': 'Catalysis of the reaction: 5-beta-cholestane-3-alpha,7-alpha,12-alpha-triol + NADPH + O2 = 5-beta-cholestane-3-alpha,7-alpha,12-alpha,26-tetraol + NADP+ + H2O. [EC:1.14.13.15, MetaCyc:CHOLESTANETRIOL-26-MONOOXYGENASE-RXN]' - }, - 'GO:0047750': { - 'name': 'cholestenol delta-isomerase activity', - 'def': 'Catalysis of the reaction: 5-alpha-cholest-7-en-3-beta-ol = 5-alpha-cholest-8-en-3-beta-ol. [EC:5.3.3.5, MetaCyc:CHOLESTENOL-DELTA-ISOMERASE-RXN]' - }, - 'GO:0047751': { - 'name': 'cholestenone 5-alpha-reductase activity', - 'def': 'Catalysis of the reaction: 5alpha-cholestan-3-one + NADP(+) = cholest-4-en-3-one + H(+) + NADPH. [EC:1.3.1.22, RHEA:24555]' - }, - 'GO:0047753': { - 'name': 'choline-sulfatase activity', - 'def': 'Catalysis of the reaction: choline sulfate + H(2)O = choline + H(+) + sulfate. [EC:3.1.6.6, RHEA:20823]' - }, - 'GO:0047754': { - 'name': 'choline sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + choline = adenosine 3',5'-diphosphate + choline sulfate + H(+). [EC:2.8.2.6, RHEA:21987]" - }, - 'GO:0047755': { - 'name': 'isocitrate epimerase activity', - 'def': 'Catalysis of the reaction: D-threo-isocitrate = D-erythro-isocitrate. [EC:5.1.2.6, RHEA:10823]' - }, - 'GO:0047756': { - 'name': 'chondroitin 4-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + chondroitin = adenosine 3',5'-bisphosphate + chondroitin 4'-sulfate. [EC:2.8.2.5, MetaCyc:CHONDROITIN-4-SULFOTRANSFERASE-RXN]" - }, - 'GO:0047757': { - 'name': 'chondroitin-glucuronate 5-epimerase activity', - 'def': 'Catalysis of the reaction: chondroitin D-glucuronate = dermatan L-iduronate. [EC:5.1.3.19, MetaCyc:CHONDROITIN-GLUCURONATE-5-EPIMERASE-RXN]' - }, - 'GO:0047758': { - 'name': 'ATP:2-methylpropanoate phosphotransferase activity', - 'def': 'Catalysis of the reaction: 2-methylpropanoate + ATP = 2-methylpropanoyl phosphate + ADP + H(+). [EC:2.7.2.14, RHEA:24159]' - }, - 'GO:0047759': { - 'name': 'butanal dehydrogenase activity', - 'def': 'Catalysis of the reaction: butanal + CoA + NAD(P)+ = butanoyl-CoA + NAD(P)H + H+. [EC:1.2.1.57, MetaCyc:BUTANAL-DEHYDROGENASE-RXN]' - }, - 'GO:0047760': { - 'name': 'butyrate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + an acid + CoA = AMP + diphosphate + an acyl-CoA. [EC:6.2.1.2, MetaCyc:BUTYRATE--COA-LIGASE-RXN]' - }, - 'GO:0047761': { - 'name': 'butyrate kinase activity', - 'def': 'Catalysis of the reaction: ATP + butanoate = ADP + butanoyl phosphate + H(+). [EC:2.7.2.7, RHEA:13588]' - }, - 'GO:0047762': { - 'name': 'caffeate 3,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: trans-caffeate + O(2) = 3-(2-carboxyethenyl)-cis,cis-muconate + 2 H(+). [EC:1.13.11.22, RHEA:22219]' - }, - 'GO:0047763': { - 'name': 'caffeate O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 3,4-dihydroxy-trans-cinnamate = S-adenosyl-L-homocysteine + 3-methoxy-4-hydroxy-trans-cinnamate. [EC:2.1.1.68, MetaCyc:CAFFEATE-O-METHYLTRANSFERASE-RXN]' - }, - 'GO:0047764': { - 'name': 'caldesmon kinase activity', - 'def': 'Catalysis of the reaction: ATP + caldesmon = ADP + caldesmon phosphate. [GOC:curators]' - }, - 'GO:0047765': { - 'name': 'caldesmon-phosphatase activity', - 'def': 'Catalysis of the reaction: caldesmon phosphate + H2O = caldesmon + phosphate. [EC:3.1.3.55, MetaCyc:CALDESMON-PHOSPHATASE-RXN]' - }, - 'GO:0047766': { - 'name': 'carbamoyl-serine ammonia-lyase activity', - 'def': 'Catalysis of the reaction: O-carbamoyl-L-serine + H(2)O + H(+) = CO(2) + 2 NH(4)(+) + pyruvate. [EC:4.3.1.13, RHEA:15448]' - }, - 'GO:0047768': { - 'name': 'carboxy-cis,cis-muconate cyclase activity', - 'def': 'Catalysis of the reaction: 3-carboxy-2,5-dihydro-5-oxofuran-2-acetate = 3-carboxy-cis,cis-muconate. [EC:5.5.1.5, RHEA:14980]' - }, - 'GO:0047769': { - 'name': 'arogenate dehydratase activity', - 'def': 'Catalysis of the reaction: L-arogenate = L-phenylalanine + H2O + CO2. [EC:4.2.1.91, MetaCyc:CARBOXYCYCLOHEXADIENYL-DEHYDRATASE-RXN]' - }, - 'GO:0047770': { - 'name': 'carboxylate reductase activity', - 'def': 'Catalysis of the reaction: an aldehyde + acceptor + H2O = a carboxylate + reduced acceptor. [EC:1.2.99.6, MetaCyc:CARBOXYLATE-REDUCTASE-RXN]' - }, - 'GO:0047771': { - 'name': 'carboxymethylhydantoinase activity', - 'def': 'Catalysis of the reaction: L-5-carboxymethylhydantoin + H(2)O = N-carbamoyl-L-aspartate + H(+). [EC:3.5.2.4, RHEA:12031]' - }, - 'GO:0047772': { - 'name': 'carboxymethyloxysuccinate lyase activity', - 'def': 'Catalysis of the reaction: carboxymethoxysuccinate = fumarate + glycolate. [EC:4.2.99.12, RHEA:12339]' - }, - 'GO:0047773': { - 'name': 'carnitinamidase activity', - 'def': 'Catalysis of the reaction: (R)-carnitinamide + H(2)O = (R)-carnitine + NH(4)(+). [EC:3.5.1.73, RHEA:17540]' - }, - 'GO:0047774': { - 'name': 'cis-2-enoyl-CoA reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: acyl-CoA + NADP+ = cis-2,3-dehydroacyl-CoA + NADPH. [EC:1.3.1.37, MetaCyc:CIS-2-ENOYL-COA-REDUCTASE-NADPH-RXN]' - }, - 'GO:0047775': { - 'name': 'citramalate CoA-transferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + citramalate = acetate + (3S)-citramalyl-CoA. [EC:2.8.3.11, MetaCyc:CITRAMALATE-COA-TRANSFERASE-RXN]' - }, - 'GO:0047776': { - 'name': 'citramalate lyase activity', - 'def': 'Catalysis of the reaction: S-citramalate = acetate + pyruvate. [EC:4.1.3.22, RHEA:15548]' - }, - 'GO:0047777': { - 'name': '(3S)-citramalyl-CoA lyase activity', - 'def': 'Catalysis of the reaction: (3S)-citramalyl-CoA = acetyl-CoA + pyruvate. [EC:4.1.3.25, RHEA:22615]' - }, - 'GO:0047778': { - 'name': '[citrate-(pro-3S)-lyase] thiolesterase activity', - 'def': 'Catalysis of the reaction: [citrate (pro-3S)-lyase](acetyl form) + H2O = [citrate (pro-3S)-lyase](thiol form) + acetate. [EC:3.1.2.16, MetaCyc:CITRATE-PRO-3S-LYASE-THIOLESTERASE-RXN]' - }, - 'GO:0047779': { - 'name': 'citrate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + citrate + CoA = (3S)-citryl-CoA + ADP + H(+) + phosphate. [EC:6.2.1.18, RHEA:21475]' - }, - 'GO:0047780': { - 'name': 'citrate dehydratase activity', - 'def': 'Catalysis of the reaction: citrate = cis-aconitate + H2O. [EC:4.2.1.4]' - }, - 'GO:0047781': { - 'name': 'citrullinase activity', - 'def': 'Catalysis of the reaction: H2O + citrulline = NH3 + CO2 + L-ornithine. [EC:3.5.1.20, MetaCyc:CITRULLINASE-RXN]' - }, - 'GO:0047782': { - 'name': 'coniferin beta-glucosidase activity', - 'def': 'Catalysis of the reaction: H2O + coniferin = D-glucose + coniferol. [EC:3.2.1.126, MetaCyc:CONIFERIN-BETA-GLUCOSIDASE-RXN]' - }, - 'GO:0047783': { - 'name': 'corticosterone 18-monooxygenase activity', - 'def': 'Catalysis of the reaction: corticosterone + reduced adrenal ferredoxin + O2 = 18-hydroxycorticosterone + oxidized adrenal ferredoxin + H2O. [EC:1.14.15.5, MetaCyc:CORTICOSTERONE-18-MONOOXYGENASE-RXN]' - }, - 'GO:0047784': { - 'name': 'cortisol O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + cortisol = CoA + cortisol 21-acetate. [EC:2.3.1.27, RHEA:17076]' - }, - 'GO:0047785': { - 'name': 'cortisol sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + cortisol = adenosine 3',5'-diphosphate + cortisol 21-sulfate + H(+). [EC:2.8.2.18, RHEA:11887]" - }, - 'GO:0047786': { - 'name': 'cortisone alpha-reductase activity', - 'def': 'Catalysis of the reaction: 4,5alpha-dihydrocortisone + NADP(+) = cortisone + H(+) + NADPH. [EC:1.3.1.4, RHEA:17984]' - }, - 'GO:0047787': { - 'name': 'delta4-3-oxosteroid 5beta-reductase activity', - 'def': 'Catalysis of the reactions: (1) 5beta-cholestan-3-one + NADP+ = cholest-4-en-3-one + NADPH + H+ and (2) 17,21-dihydroxy-5beta-pregnane-3,11,20-trione + NADP+ = cortisone + NADPH + H+. [EC:1.3.1.3, MetaCyc:CORTISONE-BETA-REDUCTASE-RXN]' - }, - 'GO:0047788': { - 'name': '2-coumarate reductase activity', - 'def': 'Catalysis of the reaction: 3-(2-hydroxyphenyl)propanoate + NAD(+) = trans-2-coumarate + H(+) + NADH. [EC:1.3.1.11, RHEA:21447]' - }, - 'GO:0047789': { - 'name': 'creatininase activity', - 'def': 'Catalysis of the reaction: creatinine + H(2)O = creatine. [EC:3.5.2.10, RHEA:14536]' - }, - 'GO:0047790': { - 'name': 'creatinine deaminase activity', - 'def': 'Catalysis of the reaction: creatinine + H2O = N-methylhydantoin + NH3. [EC:3.5.4.21, MetaCyc:CREATININE-DEAMINASE-RXN]' - }, - 'GO:0047791': { - 'name': 'cucurbitacin delta23-reductase activity', - 'def': 'Catalysis of the reaction: 23,24-dihydrocucurbitacin + NAD(P)+ = cucurbitacin + NAD(P)H + H+. [EC:1.3.1.5, MetaCyc:CUCURBITACIN-DELTA-23-REDUCTASE-RXN]' - }, - 'GO:0047792': { - 'name': 'cyanohydrin beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + (S)-4-hydroxymandelonitrile = UDP + (S)-4-hydroxy-mandelonitrile beta-D-glucoside. [EC:2.4.1.85, MetaCyc:CYANOHYDRIN-BETA-GLUCOSYLTRANSFERASE-RXN]' - }, - 'GO:0047793': { - 'name': 'cycloeucalenol cycloisomerase activity', - 'def': 'Catalysis of the reaction: cycloeucalenol = obtusifoliol. [EC:5.5.1.9, RHEA:22803]' - }, - 'GO:0047794': { - 'name': 'cyclohexadienyl dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-arogenate + NAD+ = L-tyrosine + NADH + CO2. [EC:1.3.1.43, MetaCyc:CYCLOHEXADIENYL-DEHYDROGENASE-RXN]' - }, - 'GO:0047795': { - 'name': 'cyclohexane-1,2-diol dehydrogenase activity', - 'def': 'Catalysis of the reaction: trans-cyclohexane-1,2-diol + NAD+ = 2-hydroxycyclohexan-1-one + NADH. [EC:1.1.1.174, MetaCyc:CYCLOHEXANE-12-DIOL-DEHYDROGENASE-RXN]' - }, - 'GO:0047796': { - 'name': 'cyclohexane-1,3-dione hydrolase activity', - 'def': 'Catalysis of the reaction: cyclohexane-1,3-dione + H(2)O = 5-oxohexanoate + H(+). [EC:3.7.1.10, RHEA:16476]' - }, - 'GO:0047797': { - 'name': 'cyclohexanone dehydrogenase activity', - 'def': 'Catalysis of the reaction: A + cyclohexanone = AH(2) + cyclohex-2-enone. [EC:1.3.99.14, RHEA:21783]' - }, - 'GO:0047798': { - 'name': 'cyclomaltodextrinase activity', - 'def': 'Catalysis of the reaction: H2O + cyclomaltodextrin = linear maltodextrin. [EC:3.2.1.54, MetaCyc:CYCLOMALTODEXTRINASE-RXN]' - }, - 'GO:0047799': { - 'name': 'cyclopentanone monooxygenase activity', - 'def': 'Catalysis of the reaction: cyclopentanone + H(+) + NADPH + O(2) = 5-valerolactone + H(2)O + NADP(+). [EC:1.14.13.16, RHEA:15740]' - }, - 'GO:0047800': { - 'name': 'cysteamine dioxygenase activity', - 'def': 'Catalysis of the reaction: cysteamine + O(2) = H(+) + hypotaurine. [EC:1.13.11.19, RHEA:14412]' - }, - 'GO:0047801': { - 'name': 'L-cysteine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-cysteine + 2-oxoglutarate = mercaptopyruvate + L-glutamate. [EC:2.6.1.3, MetaCyc:CYSTEINE-AMINOTRANSFERASE-RXN]' - }, - 'GO:0047802': { - 'name': 'cysteine-conjugate transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + S-(4-bromophenyl)-L-cysteine = (4-bromophenylsulfanyl)pyruvate + L-glutamate. [EC:2.6.1.75, RHEA:13488]' - }, - 'GO:0047803': { - 'name': 'cysteine lyase activity', - 'def': 'Catalysis of the reaction: L-cysteine + sulfite = L-cysteate + sulfide. [EC:4.4.1.10, MetaCyc:CYSTEINE-LYASE-RXN]' - }, - 'GO:0047804': { - 'name': 'cysteine-S-conjugate beta-lyase activity', - 'def': 'Catalysis of the reaction: RS-CH2-CH(NH3+)COO- = RSH + NH3 + pyruvate. [EC:4.4.1.13, MetaCyc:CYSTEINE-S-CONJUGATE-BETA-LYASE-RXN]' - }, - 'GO:0047805': { - 'name': 'cytidylate cyclase activity', - 'def': "Catalysis of the reaction: CTP = 3',5'-cyclic CMP + diphosphate + H(+). [EC:4.6.1.6, RHEA:14740]" - }, - 'GO:0047806': { - 'name': 'cytochrome-c3 hydrogenase activity', - 'def': 'Catalysis of the reaction: 2 H2 + ferricytochrome c3 = 4 H+ + ferrocytochrome c3. [EC:1.12.2.1, MetaCyc:CYTOCHROME-C3-HYDROGENASE-RXN]' - }, - 'GO:0047807': { - 'name': 'cytokinin 7-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 6-alkylaminopurine + UDP-D-glucose = 6-alkylamino-7-beta-D-glucosylpurine + H+ + UDP. This reaction is an N-glucosylation event. [EC:2.4.1.118, MetaCyc:CYTOKININ-7-BETA-GLUCOSYLTRANSFERASE-RXN]' - }, - 'GO:0047808': { - 'name': 'D(-)-tartrate dehydratase activity', - 'def': 'Catalysis of the reaction: D-tartrate = H(2)O + oxaloacetate. [EC:4.2.1.81, RHEA:18292]' - }, - 'GO:0047809': { - 'name': 'D-2-hydroxy-acid dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-lactate + A = AH(2) + pyruvate. [EC:1.1.99.6, RHEA:15092]' - }, - 'GO:0047810': { - 'name': 'D-alanine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: D-alanine + 2-oxoglutarate = pyruvate + D-glutamate. [EC:2.6.1.21, MetaCyc:D-ALANINE-AMINOTRANSFERASE-RXN]' - }, - 'GO:0047811': { - 'name': 'D-alanine gamma-glutamyltransferase activity', - 'def': 'Catalysis of the reaction: D-alanine + L-glutamine = gamma-L-glutamyl-D-alanine + NH(4)(+). [EC:2.3.2.14, RHEA:23559]' - }, - 'GO:0047812': { - 'name': 'D-amino-acid N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + a D-amino acid = CoA + an N-acetyl-D-amino-acid. [EC:2.3.1.36, MetaCyc:D-AMINO-ACID-N-ACETYLTRANSFERASE-RXN]' - }, - 'GO:0047813': { - 'name': 'D-arabinitol 4-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-arabinitol + NAD+ = D-xylulose + NADH. [EC:1.1.1.11, MetaCyc:D-ARABINITOL-4-DEHYDROGENASE-RXN]' - }, - 'GO:0047814': { - 'name': 'D-arabinokinase activity', - 'def': 'Catalysis of the reaction: D-arabinose + ATP = D-arabinose 5-phosphate + ADP. [EC:2.7.1.54, RHEA:24591]' - }, - 'GO:0047815': { - 'name': 'D-arabinonolactonase activity', - 'def': 'Catalysis of the reaction: D-arabinono-1,4-lactone + H(2)O = D-arabinonate + H(+). [EC:3.1.1.30, RHEA:23111]' - }, - 'GO:0047816': { - 'name': 'D-arabinose 1-dehydrogenase (NAD) activity', - 'def': 'Catalysis of the reaction: D-arabinose + NAD+ = D-arabinono-1,4-lactone + NADH. [EC:1.1.1.116, MetaCyc:D-ARABINOSE-1-DEHYDROGENASE-RXN]' - }, - 'GO:0047817': { - 'name': 'D-arginase activity', - 'def': 'Catalysis of the reaction: D-arginine + H(2)O = D-ornithine + urea. [EC:3.5.3.10, RHEA:12904]' - }, - 'GO:0047818': { - 'name': 'D-fuconate dehydratase activity', - 'def': 'Catalysis of the reaction: D-fuconate = 2-dehydro-3-deoxy-D-fuconate + H(2)O. [EC:4.2.1.67, RHEA:12952]' - }, - 'GO:0047819': { - 'name': 'D-glutamate(D-aspartate) oxidase activity', - 'def': 'Catalysis of the reaction: D-glutamate + H2O + O2 = 2-oxoglutarate + NH3 + H2O2, and D-aspartate + H2O + O2 = oxaloacetate + NH3 + H2O2. [EC:1.4.3.15, MetaCyc:D-GLUTAMATED-ASPARTATE-OXIDASE-RXN]' - }, - 'GO:0047820': { - 'name': 'D-glutamate cyclase activity', - 'def': 'Catalysis of the reaction: D-glutamate = 5-oxo-D-proline + H(2)O. [EC:4.2.1.48, RHEA:22363]' - }, - 'GO:0047821': { - 'name': 'D-glutamate oxidase activity', - 'def': 'Catalysis of the reaction: D-glutamate + H2O + O2 = 2-oxoglutarate + NH3 + H2O2. [EC:1.4.3.7, MetaCyc:D-GLUTAMATE-OXIDASE-RXN]' - }, - 'GO:0047822': { - 'name': 'hypotaurine dehydrogenase activity', - 'def': 'Catalysis of the reaction: H(2)O + hypotaurine + NAD(+) = H(+) + NADH + taurine. [EC:1.8.1.3, RHEA:17388]' - }, - 'GO:0047823': { - 'name': 'D-glutamyltransferase activity', - 'def': 'Catalysis of the reaction: L(or D)-glutamine + D-glutamyl-peptide = NH3 + 5-glutamyl-D-glutamyl-peptide. [EC:2.3.2.1, MetaCyc:D-GLUTAMYLTRANSFERASE-RXN]' - }, - 'GO:0047824': { - 'name': 'D-iditol 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-iditol + NAD+ = D-sorbose + NADH. [EC:1.1.1.15, MetaCyc:D-IDITOL-2-DEHYDROGENASE-RXN]' - }, - 'GO:0047825': { - 'name': 'D-lactate-2-sulfatase activity', - 'def': 'Catalysis of the reaction: (R)-2-O-sulfolactate + H(2)O = (R)-lactate + H(+) + sulfate. [EC:3.1.6.17, RHEA:20340]' - }, - 'GO:0047826': { - 'name': 'D-lysine 5,6-aminomutase activity', - 'def': 'Catalysis of the reaction: D-lysine = 2,5-diaminohexanoate. [EC:5.4.3.4, RHEA:18244]' - }, - 'GO:0047827': { - 'name': 'D-lysopine dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-lysopine + H(2)O + NADP(+) = L-lysine + H(+) + NADPH + pyruvate. [EC:1.5.1.16, RHEA:17628]' - }, - 'GO:0047828': { - 'name': 'D-lyxose ketol-isomerase activity', - 'def': 'Catalysis of the reaction: D-lyxose = D-xylulose. [EC:5.3.1.15, RHEA:14204]' - }, - 'GO:0047829': { - 'name': 'D-nopaline dehydrogenase activity', - 'def': 'Catalysis of the reaction: N2-(D-1,3-dicarboxypropyl)-L-arginine + NADP+ + H2O = L-arginine + 2-oxoglutarate + NADPH. [EC:1.5.1.19, MetaCyc:D-NOPALINE-DEHYDROGENASE-RXN]' - }, - 'GO:0047830': { - 'name': 'D-octopine dehydrogenase activity', - 'def': 'Catalysis of the reaction: N2-(D-1-carboxyethyl)-L-arginine + NAD+ + H2O = L-arginine + pyruvate + NADH. [EC:1.5.1.11, MetaCyc:D-OCTOPINE-DEHYDROGENASE-RXN]' - }, - 'GO:0047831': { - 'name': 'D-ornithine 4,5-aminomutase activity', - 'def': 'Catalysis of the reaction: D-ornithine = (2R,4S)-2,4-diaminopentanoate. [EC:5.4.3.5, RHEA:14896]' - }, - 'GO:0047832': { - 'name': 'D-pinitol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5D-5-O-methyl-chiro-inositol + NADP(+) = 2D-5-O-methyl-2,3,5/4,6-pentahydroxycyclohexanone + H(+) + NADPH. [EC:1.1.1.142, RHEA:20440]' - }, - 'GO:0047833': { - 'name': 'D-sorbitol dehydrogenase (acceptor) activity', - 'def': 'Catalysis of the reaction: D-sorbitol + acceptor = L-sorbose + reduced acceptor. [EC:1.1.99.21, MetaCyc:D-SORBITOL-DEHYDROGENASE-RXN]' - }, - 'GO:0047834': { - 'name': 'D-threo-aldose 1-dehydrogenase activity', - 'def': 'Catalysis of the reaction: a D-threo-aldose + NAD+ = a D-threo-aldono-1,5-lactone + NADH. [EC:1.1.1.122, MetaCyc:D-THREO-ALDOSE-1-DEHYDROGENASE-RXN]' - }, - 'GO:0047835': { - 'name': 'D-tryptophan N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: D-tryptophan + acetyl-CoA = N-acetyl-D-tryptophan + CoA + H(+). [EC:2.3.1.34, RHEA:10063]' - }, - 'GO:0047836': { - 'name': 'D-tryptophan N-malonyltransferase activity', - 'def': 'Catalysis of the reaction: D-tryptophan + malonyl-CoA = N(2)-malonyl-D-tryptophan + CoA + H(+). [EC:2.3.1.112, RHEA:23323]' - }, - 'GO:0047837': { - 'name': 'D-xylose 1-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: D-xylose + NADP(+) = D-xylono-1,5-lactone + H(+) + NADPH. [EC:1.1.1.179, RHEA:22003]' - }, - 'GO:0047838': { - 'name': 'D-xylose 1-dehydrogenase (NAD) activity', - 'def': 'Catalysis of the reaction: D-xylose + NAD+ = D-xylonolactone + NADH. [EC:1.1.1.175, MetaCyc:D-XYLOSE-1-DEHYDROGENASE-RXN]' - }, - 'GO:0047839': { - 'name': 'dATP(dGTP)-DNA purinetransferase activity', - 'def': 'Catalysis of the reaction: dATP + depurinated DNA = ribose triphosphate + DNA. [EC:2.6.99.1, MetaCyc:DATPDGTP--DNA-PURINE-TRANSFERASE-RXN]' - }, - 'GO:0047840': { - 'name': 'dCTP diphosphatase activity', - 'def': 'Catalysis of the reaction: dCTP + H2O = dCMP + diphosphate. [EC:3.6.1.12, MetaCyc:DCTP-PYROPHOSPHATASE-RXN]' - }, - 'GO:0047841': { - 'name': 'dehydrogluconokinase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-D-gluconate + ATP = 6-phospho-2-dehydro-D-gluconate + ADP + 2 H(+). [EC:2.7.1.13, RHEA:10791]' - }, - 'GO:0047842': { - 'name': 'dehydro-L-gulonate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-dehydro-L-gulonate + H(+) = L-xylulose + CO(2). [EC:4.1.1.34, RHEA:11087]' - }, - 'GO:0047843': { - 'name': 'dehydrogluconate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-D-gluconate + A = 2,5-didehydro-D-gluconate + AH(2). [EC:1.1.99.4, RHEA:12371]' - }, - 'GO:0047844': { - 'name': 'deoxycytidine deaminase activity', - 'def': 'Catalysis of the reaction: deoxycytidine + H2O = deoxyuridine + NH3. [EC:3.5.4.14, MetaCyc:DEOXYCYTIDINE-DEAMINASE-RXN]' - }, - 'GO:0047845': { - 'name': 'deoxylimonate A-ring-lactonase activity', - 'def': 'Catalysis of the reaction: deoxylimonoate + H(2)O = deoxylimononate D-ring-lactone + H(+). [EC:3.1.1.46, RHEA:15000]' - }, - 'GO:0047846': { - 'name': "deoxynucleotide 3'-phosphatase activity", - 'def': "Catalysis of the reaction: a deoxynucleoside 3'-phosphate + H2O = a deoxynucleoside + phosphate. [EC:3.1.3.34, MetaCyc:DEOXYNUCLEOTIDE-3-PHOSPHATASE-RXN]" - }, - 'GO:0047847': { - 'name': 'deoxyuridine phosphorylase activity', - 'def': 'Catalysis of the reaction: deoxyuridine + phosphate = uracil + deoxy-D-ribose 1-phosphate. [EC:2.4.2.23, MetaCyc:DEOXYURIDINE-PHOSPHORYLASE-RXN]' - }, - 'GO:0047848': { - 'name': 'dephospho-[reductase kinase] kinase activity', - 'def': 'Catalysis of the reaction: ATP + dephospho-[[hydroxymethylglutaryl-CoA reductase (NADPH)] kinase] = ADP + [[hydroxymethylglutaryl-CoA reductase (NADPH)] kinase]. [EC:2.7.11.3, MetaCyc:DEPHOSPHO-REDUCTASE-KINASE-KINASE-RXN]' - }, - 'GO:0047849': { - 'name': 'dextransucrase activity', - 'def': 'Catalysis of the reaction: sucrose + 1,6-alpha-D-glucosyl(n) = D-fructose + 1,6-alpha-D-glucosyl(n+1). [EC:2.4.1.5, MetaCyc:DEXTRANSUCRASE-RXN]' - }, - 'GO:0047850': { - 'name': 'diaminopimelate dehydrogenase activity', - 'def': 'Catalysis of the reaction: meso-2,6-diaminopimelate + H(2)O + NADP(+) = L-2-amino-6-oxopimelate + H(+) + NADPH + NH(4)(+). [EC:1.4.1.16, RHEA:13564]' - }, - 'GO:0047851': { - 'name': 'dicarboxylate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + an omega-dicarboxylic acid = AMP + diphosphate + an omega-carboxyacyl-CoA. [EC:6.2.1.23, MetaCyc:DICARBOXYLATE--COA-LIGASE-RXN]' - }, - 'GO:0047852': { - 'name': 'diferric-transferrin reductase activity', - 'def': 'Catalysis of the reaction: transferrin[Fe2+]2 + NAD+ = transferrin[Fe3+]2 + NADH. [EC:1.16.1.2, MetaCyc:DIFFERIC-TRANSFERRIN-REDUCTASE-RXN]' - }, - 'GO:0047853': { - 'name': 'difructose-anhydride synthase activity', - 'def': "Catalysis of the reaction: H2O + bis-D-fructose 2',1:2,1'-dianhydride = inulobiose. [EC:3.2.1.134, MetaCyc:DIFRUCTOSE-ANHYDRIDE-SYNTHASE-RXN]" - }, - 'GO:0047854': { - 'name': 'diguanidinobutanase activity', - 'def': 'Catalysis of the reaction: 1,4-diguanidinobutane + H(2)O = agmatine + urea. [EC:3.5.3.20, RHEA:13600]' - }, - 'GO:0047855': { - 'name': 'dihydrobunolol dehydrogenase activity', - 'def': 'Catalysis of the reaction: dihydrobunolol + NADP(+) = bunolol + H(+) + NADPH. [EC:1.1.1.160, RHEA:15928]' - }, - 'GO:0047856': { - 'name': 'dihydrocoumarin hydrolase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydrocoumarin + H(2)O = 3-(2-hydroxyphenyl)propanoate + H(+). [EC:3.1.1.35, RHEA:10363]' - }, - 'GO:0047857': { - 'name': 'dihydrouracil oxidase activity', - 'def': 'Catalysis of the reaction: 5,6-dihydrouracil + O(2) = H(2)O(2) + uracil. [EC:1.3.3.7, RHEA:12387]' - }, - 'GO:0047858': { - 'name': 'dihydroxyfumarate decarboxylase activity', - 'def': 'Catalysis of the reaction: dihydroxyfumarate + H(+) = 2-hydroxy-3-oxopropanoate + CO(2). [EC:4.1.1.54, RHEA:13848]' - }, - 'GO:0047859': { - 'name': 'obsolete dihydroxyphenylalanine ammonia-lyase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: 3,4-dihydroxy-L-phenylalanine = trans-caffeate + NH3. [EC:4.3.1.11, MetaCyc:DIHYDROXYPHENYLALANINE-AMMONIA-LYASE-RXN]' - }, - 'GO:0047860': { - 'name': 'diiodophenylpyruvate reductase activity', - 'def': 'Catalysis of the reaction: 3-(3,5-diiodo-4-hydroxyphenyl)lactate + NAD(+) = 3-(3,5-diiodo-4-hydroxyphenyl)pyruvate + H(+) + NADH. [EC:1.1.1.96, RHEA:20296]' - }, - 'GO:0047861': { - 'name': 'diiodotyrosine transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + 3,5-diiodo-L-tyrosine = 3-(3,5-diiodo-4-hydroxyphenyl)pyruvate + L-glutamate. [EC:2.6.1.24, RHEA:19784]' - }, - 'GO:0047862': { - 'name': 'diisopropyl-fluorophosphatase activity', - 'def': 'Catalysis of the reaction: diisopropyl fluorophosphate + H(2)O = diisopropyl phosphate + 2 H(+) + hydrogen fluoride. [EC:3.1.8.2, RHEA:24103]' - }, - 'GO:0047863': { - 'name': 'dimethylallylcistransferase activity', - 'def': 'Catalysis of the reaction: dimethylallyl diphosphate + isopentenyl diphosphate = diphosphate + neryl diphosphate. [EC:2.5.1.28, RHEA:11331]' - }, - 'GO:0047864': { - 'name': 'dimethylaniline-N-oxide aldolase activity', - 'def': 'Catalysis of the reaction: N,N-dimethylaniline N-oxide = N-methylaniline + formaldehyde. [EC:4.1.2.24, RHEA:19324]' - }, - 'GO:0047865': { - 'name': 'dimethylglycine dehydrogenase activity', - 'def': 'Catalysis of the reaction: N,N-dimethylglycine + electron-transfer flavoprotein + H2O = sarcosine + formaldehyde + reduced electron-transfer flavoprotein. [EC:1.5.8.4, RHEA:22499]' - }, - 'GO:0047866': { - 'name': 'dimethylglycine oxidase activity', - 'def': 'Catalysis of the reaction: N,N-dimethylglycine + H(2)O + O(2) = formaldehyde + H(2)O(2) + sarcosine. [EC:1.5.3.10, RHEA:17080]' - }, - 'GO:0047867': { - 'name': 'dimethylmalate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-3,3-dimethylmalate + NAD(+) = 3-methyl-2-oxobutanoate + CO(2) + NADH. [EC:1.1.1.84, RHEA:13324]' - }, - 'GO:0047868': { - 'name': 'dimethylmaleate hydratase activity', - 'def': 'Catalysis of the reaction: (2R,3S)-2,3-dimethylmalate = dimethylmaleate + H(2)O. [EC:4.2.1.85, RHEA:20256]' - }, - 'GO:0047869': { - 'name': 'dimethylpropiothetin dethiomethylase activity', - 'def': 'Catalysis of the reaction: S,S-dimethyl-beta-propiothetin = acrylate + dimethyl sulfide + H(+). [EC:4.4.1.3, RHEA:19968]' - }, - 'GO:0047870': { - 'name': 'discadenine synthase activity', - 'def': "Catalysis of the reaction: N(6)-dimethylallyladenine + S-adenosyl-L-methionine(1+) = S-methyl-5'-thioadenosine + discadenine + H(+). [EC:2.5.1.24, RHEA:19584]" - }, - 'GO:0047871': { - 'name': 'disulfoglucosamine-6-sulfatase activity', - 'def': 'Catalysis of the reaction: N(2),6-disulfo-D-glucosamine + H(2)O = N-sulfo-D-glucosamine + H(+) + sulfate. [EC:3.1.6.11, RHEA:15520]' - }, - 'GO:0047872': { - 'name': 'dolichol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: palmitoyl-CoA + dolichol = CoA + dolichyl palmitate. [EC:2.3.1.123, MetaCyc:DOLICHOL-O-ACYLTRANSFERASE-RXN]' - }, - 'GO:0047873': { - 'name': 'dolichyl-phosphatase activity', - 'def': 'Catalysis of the reaction: dolichyl phosphate + H2O = dolichol + phosphate. [EC:3.1.3.51, MetaCyc:DOLICHYL-PHOSPHATASE-RXN]' - }, - 'GO:0047874': { - 'name': 'dolichyldiphosphatase activity', - 'def': 'Catalysis of the reaction: dolichyl diphosphate + H2O = dolichyl phosphate + phosphate. [EC:3.6.1.43, MetaCyc:DOLICHYLDIPHOSPHATASE-RXN]' - }, - 'GO:0047875': { - 'name': 'ecdysone oxidase activity', - 'def': 'Catalysis of the reaction: Ecdysone + O(2) = 3-dehydroecdysone + H(2)O(2). [EC:1.1.3.16, RHEA:11799]' - }, - 'GO:0047876': { - 'name': 'endoglycosylceramidase activity', - 'def': 'Catalysis of the reaction: H2O + oligoglycosylglucosylceramide = ceramide + oligoglycosylglucose. [EC:3.2.1.123, MetaCyc:ENDOGLYCOSYLCERAMIDASE-RXN]' - }, - 'GO:0047877': { - 'name': 'ephedrine dehydrogenase activity', - 'def': 'Catalysis of the reaction: (1R,2S)-ephedrine + NAD(+) = (R)-2-methylimino-1-phenylpropan-1-ol + 2 H(+) + NADH. [EC:1.5.1.18, RHEA:16292]' - }, - 'GO:0047878': { - 'name': 'erythritol kinase activity', - 'def': 'Catalysis of the reaction: ATP + erythritol = D-erythritol 4-phosphate + ADP + 2 H(+). [EC:2.7.1.27, RHEA:20711]' - }, - 'GO:0047879': { - 'name': 'erythronolide synthase activity', - 'def': 'Catalysis of the reaction: 6 malonyl-CoA + propionyl-CoA = 7 CoA + 6-deoxyerythronolide B. [EC:2.3.1.94, MetaCyc:ERYTHRONOLIDE-SYNTHASE-RXN]' - }, - 'GO:0047880': { - 'name': 'erythrulose reductase activity', - 'def': 'Catalysis of the reaction: D-threitol + NADP(+) = D-erythrulose + H(+) + NADPH. [EC:1.1.1.162, RHEA:18008]' - }, - 'GO:0047881': { - 'name': 'estradiol 17-alpha-dehydrogenase activity', - 'def': 'Catalysis of the reaction: estradiol-17-alpha + NAD(P)+ = estrone + NAD(P)H + H+. [EC:1.1.1.148, MetaCyc:ESTRADIOL-17-ALPHA-DEHYDROGENASE-RXN]' - }, - 'GO:0047882': { - 'name': 'estradiol 6-beta-monooxygenase activity', - 'def': 'Catalysis of the reaction: AH(2) + estradiol-17beta + O(2) = 6beta-hydroxyestradiol-17beta + A + H(2)O. [EC:1.14.99.11, RHEA:19140]' - }, - 'GO:0047883': { - 'name': 'ethanolamine oxidase activity', - 'def': 'Catalysis of the reaction: ethanolamine + H2O + O2 = glycolaldehyde + NH3 + H2O2. [EC:1.4.3.8, MetaCyc:ETHANOLAMINE-OXIDASE-RXN]' - }, - 'GO:0047884': { - 'name': 'FAD diphosphatase activity', - 'def': 'Catalysis of the reaction: FAD + H2O = AMP + FMN. [EC:3.6.1.18, MetaCyc:FAD-PYROPHOSPHATASE-RXN]' - }, - 'GO:0047885': { - 'name': 'farnesol 2-isomerase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesol = 2-cis,6-trans-farnesol. [EC:5.2.1.9, RHEA:13404]' - }, - 'GO:0047886': { - 'name': 'farnesol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesol + NADP(+) = 2-trans,6-trans-farnesal + H(+) + NADPH. [EC:1.1.1.216, RHEA:14700]' - }, - 'GO:0047887': { - 'name': 'farnesyl diphosphate kinase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate + ATP = 2-trans,6-trans-farnesyl triphosphate + ADP. [EC:2.7.4.18, RHEA:21547]' - }, - 'GO:0047888': { - 'name': 'fatty acid peroxidase activity', - 'def': 'Catalysis of the reaction: 2 H(2)O(2) + H(+) + palmitate = CO(2) + 3 H(2)O + pentadecanal. [EC:1.11.1.3, RHEA:23963]' - }, - 'GO:0047889': { - 'name': 'ferredoxin-nitrate reductase activity', - 'def': 'Catalysis of the reaction: nitrite + H2O + 2 oxidized ferredoxin = nitrate + 2 reduced ferredoxin. [EC:1.7.7.2, MetaCyc:FERREDOXIN--NITRATE-REDUCTASE-RXN]' - }, - 'GO:0047890': { - 'name': 'flavanone 4-reductase activity', - 'def': 'Catalysis of the reaction: (2S)-flavan-4-ol + NADP+ = (2S)-flavanone + NADPH. [EC:1.1.1.234, MetaCyc:FLAVANONE-4-REDUCTASE-RXN]' - }, - 'GO:0047891': { - 'name': 'flavone 7-O-beta-glucosyltransferase activity', - 'def': "Catalysis of the reaction: UDP-glucose + 5,7,3',4'-tetrahydroxyflavone = UDP + 7-O-beta-D-glucosyl-5,7,3',4'-tetrahydroxyflavone. [EC:2.4.1.81, MetaCyc:FLAVONE-7-O-BETA-GLUCOSYLTRANSFERASE-RXN]" - }, - 'GO:0047892': { - 'name': 'flavone apiosyltransferase activity', - 'def': "Catalysis of the reaction: UDP-apiose + 7-O-beta-D-glucosyl-5,7,4'-trihydroxyflavone = UDP + 7-O-(beta-D-apiofuranosyl-1,2-beta-D-glucosyl)-5,7,4'-trihydroxyflavone. [EC:2.4.2.25, MetaCyc:FLAVONE-APIOSYLTRANSFERASE-RXN]" - }, - 'GO:0047893': { - 'name': 'flavonol 3-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a flavonol = UDP + a flavonol 3-O-D-glucoside. [EC:2.4.1.91, MetaCyc:FLAVONOL-3-O-GLUCOSYLTRANSFERASE-RXN]' - }, - 'GO:0047894': { - 'name': 'flavonol 3-sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + quercetin = adenosine 3',5'-diphosphate + H(+) + quercetin 3-sulfate. [EC:2.8.2.25, RHEA:13456]" - }, - 'GO:0047895': { - 'name': 'formaldehyde dismutase activity', - 'def': 'Catalysis of the reaction: 2 formaldehyde + H2O = methanol + formate. [EC:1.2.99.4, MetaCyc:FORMALDEHYDE-DISMUTASE-RXN]' - }, - 'GO:0047896': { - 'name': 'formaldehyde transketolase activity', - 'def': 'Catalysis of the reaction: D-xylulose 5-phosphate + formaldehyde = glyceraldehyde 3-phosphate + glycerone. [EC:2.2.1.3, MetaCyc:FORMALDEHYDE-TRANSKETOLASE-RXN]' - }, - 'GO:0047897': { - 'name': 'formate-dihydrofolate ligase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydrofolate + ATP + formate = 10-formyldihydrofolate + ADP + H(+) + phosphate. [EC:6.3.4.17, RHEA:24331]' - }, - 'GO:0047898': { - 'name': 'formate dehydrogenase (cytochrome) activity', - 'def': 'Catalysis of the reaction: formate + ferricytochrome b1 = CO2 + ferrocytochrome b1. [EC:1.2.2.1, MetaCyc:FORMATE-DEHYDROGENASE-CYTOCHROME-RXN]' - }, - 'GO:0047899': { - 'name': 'formate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: formate + NADP(+) = CO(2) + NADPH. [EC:1.2.1.43, RHEA:12003]' - }, - 'GO:0047900': { - 'name': 'formate kinase activity', - 'def': 'Catalysis of the reaction: ATP + formate = ADP + formyl phosphate + H(+). [EC:2.7.2.6, RHEA:16012]' - }, - 'GO:0047901': { - 'name': 'formyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: formyl-CoA + H(2)O = CoA + formate + H(+). [EC:3.1.2.10, RHEA:19744]' - }, - 'GO:0047902': { - 'name': 'formylaspartate deformylase activity', - 'def': 'Catalysis of the reaction: N-formyl-L-aspartate + H2O = formate + L-aspartate. [EC:3.5.1.8, MetaCyc:FORMYLASPARTATE-DEFORMYLASE-RXN]' - }, - 'GO:0047903': { - 'name': 'fructose 5-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: D-fructose + NADP+ = 5-dehydro-D-fructose + NADPH. [EC:1.1.1.124, MetaCyc:FRUCTOSE-5-DEHYDROGENASE-NADP+-RXN]' - }, - 'GO:0047904': { - 'name': 'fructose 5-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-fructose + A = 5-dehydro-D-fructose + AH(2). [EC:1.1.99.11, RHEA:22307]' - }, - 'GO:0047905': { - 'name': 'fructose-6-phosphate phosphoketolase activity', - 'def': 'Catalysis of the reaction: D-fructose 6-phosphate + phosphate = acetyl phosphate + D-erythrose 4-phosphate + H2O. [EC:4.1.2.22, MetaCyc:FRUCTOSE-6-PHOSPHATE-PHOSPHOKETOLASE-RXN]' - }, - 'GO:0047906': { - 'name': 'fucosterol-epoxide lyase activity', - 'def': "Catalysis of the reaction: (24R,24'R)-fucosterol epoxide = acetaldehyde + desmosterol. [EC:4.1.2.33, RHEA:10887]" - }, - 'GO:0047907': { - 'name': 'furylfuramide isomerase activity', - 'def': 'Catalysis of the reaction: (E)-2-(2-furyl)-3-(5-nitro-2-furyl)acrylamide = (Z)-2-(2-furyl)-3-(5-nitro-2-furyl)acrylamide. [EC:5.2.1.6, RHEA:21851]' - }, - 'GO:0047908': { - 'name': 'fusarinine-C ornithinesterase activity', - 'def': 'Catalysis of the reaction: N5-acyl-L-ornithine ester + H2O = N5-acyl-L-ornithine + an alcohol. [EC:3.1.1.48, MetaCyc:FUSARININE-C-ORNITHINESTERASE-RXN]' - }, - 'GO:0047909': { - 'name': 'galactolipid O-acyltransferase activity', - 'def': 'Catalysis of the reaction: 2 mono-beta-D-galactosyldiacylglycerol = acylmono-beta-D-galactosyl-diacylglycerol + mono-beta-D-galactosylacylglycerol. [EC:2.3.1.134, MetaCyc:GALACTOLIPID-O-ACYLTRANSFERASE-RXN]' - }, - 'GO:0047910': { - 'name': 'galactose 1-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: D-galactose + NADP+ = D-galactonolactone + NADPH. [EC:1.1.1.120, MetaCyc:GALACTOSE-1-DEHYDROGENASE-NADP+-RXN]' - }, - 'GO:0047911': { - 'name': 'galacturan 1,4-alpha-galacturonidase activity', - 'def': 'Catalysis of the reaction: [(1->4)-alpha-D-galacturonide](n) + H2O = [(1->4)-alpha-D-galacturonide](n-1) + D-galacturonate. [EC:3.2.1.67, MetaCyc:GALACTURAN-14-ALPHA-GALACTURONIDASE-RXN]' - }, - 'GO:0047912': { - 'name': 'galacturonokinase activity', - 'def': 'Catalysis of the reaction: alpha-D-galacturonate + ATP = 1-phospho-alpha-D-galacturonate + ADP + 2 H(+). [EC:2.7.1.44, RHEA:12968]' - }, - 'GO:0047913': { - 'name': 'gallate 1-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: gallate + UDP-D-glucose = 1-O-galloyl-beta-D-glucose + UDP. [EC:2.4.1.136, RHEA:15252]' - }, - 'GO:0047914': { - 'name': 'gamma-glutamylhistamine synthase activity', - 'def': 'Catalysis of the reaction: histamine + L-glutamate + ATP = N(alpha)-gamma-L-glutamylhistamine + products of ATP breakdown. [EC:6.3.2.18, MetaCyc:GAMMA-GLUTAMYLHISTAMINE-SYNTHASE-RXN]' - }, - 'GO:0047915': { - 'name': 'ganglioside galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + N-acetyl-D-galactosaminyl-(N-acetylneuraminyl)-D-galactosyl-1,4-beta-D-glucosyl-N-acylsphingosine = UDP + D-galactosyl-1,3-beta-N-acetyl-D-galactosaminyl-(N-acetylneuraminyl)-D-galactosyl-D-glucosyl-N-acylsphingosine. [EC:2.4.1.62, MetaCyc:GANGLIOSIDE-GALACTOSYLTRANSFERASE-RXN]' - }, - 'GO:0047916': { - 'name': 'GDP-6-deoxy-D-talose 4-dehydrogenase activity', - 'def': 'Catalysis of the reaction: GDP-6-deoxy-D-talose + NAD(P)+ = GDP-4-dehydro-6-deoxy-D-talose + NAD(P)H + H+. [EC:1.1.1.135, MetaCyc:GDP-6-DEOXY-D-TALOSE-4-DEHYDROGENASE-RXN]' - }, - 'GO:0047917': { - 'name': 'GDP-glucosidase activity', - 'def': 'Catalysis of the reaction: GDP-D-glucose + H(2)O = D-glucose + GDP + H(+). [EC:3.2.1.42, RHEA:15052]' - }, - 'GO:0047918': { - 'name': 'GDP-mannose 3,5-epimerase activity', - 'def': 'Catalysis of the reaction: GDP-mannose = GDP-L-galactose. [EC:5.1.3.18]' - }, - 'GO:0047919': { - 'name': 'GDP-mannose 6-dehydrogenase activity', - 'def': 'Catalysis of the reaction: GDP-alpha-D-mannose + H(2)O + 2 NAD(+) = GDP-D-mannuronate + 3 H(+) + 2 NADH. [EC:1.1.1.132, RHEA:21731]' - }, - 'GO:0047920': { - 'name': 'geissoschizine dehydrogenase activity', - 'def': 'Catalysis of the reaction: geissoschizine + NADP(+) = 4,21-dehydrogeissoschizine + H(+) + NADPH. [EC:1.3.1.36, RHEA:11379]' - }, - 'GO:0047921': { - 'name': "aminoglycoside 2'-N-acetyltransferase activity", - 'def': "Catalysis of the reaction: acetyl-CoA + gentamicin C(1a) = N(2')-acetylgentamicin C(1a) + CoA + H(+). This is acetylation of the 2'-amino group of the 6-deoxy-6-aminoglucose ring. [EC:2.3.1.59, RHEA:24519]" - }, - 'GO:0047922': { - 'name': 'gentisate 1,2-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2,5-dihydroxybenzoate + O(2) = 3-maleylpyruvate + H(+). [EC:1.13.11.4, RHEA:18240]' - }, - 'GO:0047923': { - 'name': 'gentisate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2,5-dihydroxybenzoate + H(+) = CO(2) + hydroquinone. [EC:4.1.1.62, RHEA:21315]' - }, - 'GO:0047924': { - 'name': 'geraniol dehydrogenase activity', - 'def': 'Catalysis of the reaction: geraniol + NADP+ = geranial + NADPH. [EC:1.1.1.183, MetaCyc:GERANIOL-DEHYDROGENASE-RXN]' - }, - 'GO:0047925': { - 'name': 'geranoyl-CoA carboxylase activity', - 'def': 'Catalysis of the reaction: ATP + bicarbonate + geranoyl-CoA = 3-(4-methylpent-3-en-1-yl)pent-2-enedioyl-CoA + ADP + 2 H(+) + phosphate. [EC:6.4.1.5, RHEA:17704]' - }, - 'GO:0047926': { - 'name': 'geranyl-diphosphate cyclase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate = (2S)-bornyl diphosphate. [EC:5.5.1.8, RHEA:18212]' - }, - 'GO:0047927': { - 'name': 'gibberellin-44 dioxygenase activity', - 'def': 'Catalysis of the reaction: gibberellin 44 + 2-oxoglutarate + O2 = gibberellin 19 + succinate + CO2. [EC:1.14.11.12, MetaCyc:GIBBERELLIN-44-DIOXYGENASE-RXN]' - }, - 'GO:0047928': { - 'name': 'gibberellin beta-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + gibberellin = UDP + gibberellin 2-O-beta-D-glucoside. [EC:2.4.1.176, MetaCyc:GIBBERELLIN-BETA-GLUCOSYLTRANSFERASE-RXN]' - }, - 'GO:0047929': { - 'name': 'gluconate dehydratase activity', - 'def': 'Catalysis of the reaction: D-gluconate = 2-dehydro-3-deoxy-D-gluconate + H(2)O. [EC:4.2.1.39, RHEA:21615]' - }, - 'GO:0047930': { - 'name': 'glucosaminate ammonia-lyase activity', - 'def': 'Catalysis of the reaction: D-glucosaminate = 2-dehydro-3-deoxy-D-gluconate + NH3. [EC:4.3.1.9, MetaCyc:GLUCOSAMINATE-AMMONIA-LYASE-RXN]' - }, - 'GO:0047931': { - 'name': 'glucosamine kinase activity', - 'def': 'Catalysis of the reaction: ATP + D-glucosamine = ADP + D-glucosamine phosphate. [EC:2.7.1.8, MetaCyc:GLUCOSAMINE-KINASE-RXN]' - }, - 'GO:0047932': { - 'name': 'glucosamine N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: D-glucosamine + acetyl-CoA = N-acetyl-D-glucosamine + CoA + H(+). [EC:2.3.1.3, RHEA:21335]' - }, - 'GO:0047933': { - 'name': 'glucose-1,6-bisphosphate synthase activity', - 'def': 'Catalysis of the reaction: 3-phospho-D-glyceroyl phosphate + alpha-D-glucose 1-phosphate = 3-phospho-D-glycerate + alpha-D-glucose 1,6-bisphosphate + H(+). [EC:2.7.1.106, RHEA:16772]' - }, - 'GO:0047934': { - 'name': 'glucose 1-dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: D-glucose + NAD+ = D-glucono-1,5-lactone + NADH. [EC:1.1.1.118, MetaCyc:GLUCOSE-1-DEHYDROGENASE-NAD+-RXN]' - }, - 'GO:0047935': { - 'name': 'glucose 1-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: D-glucose + NADP+ = D-glucono-1,4-lactone + NADPH. [EC:1.1.1.119, MetaCyc:GLUCOSE-1-DEHYDROGENASE-NADP+-RXN]' - }, - 'GO:0047936': { - 'name': 'glucose 1-dehydrogenase [NAD(P)] activity', - 'def': 'Catalysis of the reaction: beta-D-glucose + NAD(P)+ = D-glucono-1,5-lactone + NAD(P)H. [EC:1.1.1.47, MetaCyc:GLUCOSE-1-DEHYDROGENASE-RXN]' - }, - 'GO:0047937': { - 'name': 'glucose-1-phosphate phosphodismutase activity', - 'def': 'Catalysis of the reaction: 2 D-glucose 1-phosphate = D-glucose + D-glucose 1,6-bisphosphate. [EC:2.7.1.41, MetaCyc:GLUCOSE-1-PHOSPHATE-PHOSPHODISMUTASE-RXN]' - }, - 'GO:0047938': { - 'name': 'glucose-6-phosphate 1-epimerase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 6-phosphate = beta-D-glucose 6-phosphate. [EC:5.1.3.15, MetaCyc:GLUCOSE-6-PHOSPHATE-1-EPIMERASE-RXN]' - }, - 'GO:0047939': { - 'name': 'L-glucuronate reductase activity', - 'def': 'Catalysis of the reaction: L-gulonate + NADP(+) = D-glucuronate + H(+) + NADPH. [EC:1.1.1.19, RHEA:14912]' - }, - 'GO:0047940': { - 'name': 'glucuronokinase activity', - 'def': 'Catalysis of the reaction: D-glucuronate + ATP = 1-phospho-alpha-D-glucuronate + ADP + 2 H(+). [EC:2.7.1.43, RHEA:17008]' - }, - 'GO:0047941': { - 'name': 'glucuronolactone reductase activity', - 'def': 'Catalysis of the reaction: L-gulono-1,4-lactone + NADP(+) = D-glucurono-3,6-lactone + H(+) + NADPH. [EC:1.1.1.20, RHEA:18928]' - }, - 'GO:0047942': { - 'name': 'glutamate-ethylamine ligase activity', - 'def': 'Catalysis of the reaction: L-glutamate + ATP + ethylamine = N(5)-ethyl-L-glutamine + ADP + 2 H(+) + phosphate. [EC:6.3.1.6, RHEA:20528]' - }, - 'GO:0047943': { - 'name': 'glutamate-methylamine ligase activity', - 'def': 'Catalysis of the reaction: L-glutamate + ATP + methylammonium = N(5)-methyl-L-glutamine + ADP + 2 H(+) + phosphate. [EC:6.3.4.12, RHEA:17120]' - }, - 'GO:0047944': { - 'name': 'glutamate 1-kinase activity', - 'def': 'Catalysis of the reaction: L-glutamate + ATP = alpha-L-glutamyl phosphate + ADP + H(+). [EC:2.7.2.13, RHEA:17220]' - }, - 'GO:0047945': { - 'name': 'L-glutamine:pyruvate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-glutamine + pyruvate = 2-oxoglutaramate + L-alanine. [EC:2.6.1.15, RHEA:10403]' - }, - 'GO:0047946': { - 'name': 'glutamine N-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + L-glutamine = CoA + N-acyl-L-glutamine. [EC:2.3.1.68, MetaCyc:GLUTAMINE-N-ACYLTRANSFERASE-RXN]' - }, - 'GO:0047947': { - 'name': 'glutamine N-phenylacetyltransferase activity', - 'def': 'Catalysis of the reaction: phenylacetyl-CoA + L-glutamine = CoA + alpha-N-phenylacetyl-L-glutamine. [EC:2.3.1.14, MetaCyc:GLUTAMINE-N-PHENYLACETYLTRANSFERASE-RXN]' - }, - 'GO:0047948': { - 'name': 'glutarate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + CoA + glutarate = ADP + glutaryl-CoA + H(+) + phosphate. [EC:6.2.1.6, RHEA:14172]' - }, - 'GO:0047949': { - 'name': 'glutarate-semialdehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: glutarate semialdehyde + NAD+ + H2O = glutarate + NADH. [EC:1.2.1.20, MetaCyc:GLUTARATE-SEMIALDEHYDE-DEHYDROGENASE-RXN]' - }, - 'GO:0047950': { - 'name': 'glutathione oxidase activity', - 'def': 'Catalysis of the reaction: 2 glutathione + O(2) = glutathione disulfide + H(2)O(2). [EC:1.8.3.3, RHEA:24115]' - }, - 'GO:0047951': { - 'name': 'glutathione thiolesterase activity', - 'def': 'Catalysis of the reaction: S-acylglutathione + H(2)O = a carboxylate + glutathione + H(+). [EC:3.1.2.7, RHEA:22711]' - }, - 'GO:0047952': { - 'name': 'glycerol-3-phosphate dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + NAD(P)+ = glycerone phosphate + NAD(P)H + H+. [EC:1.1.1.94, MetaCyc:GLYC3PDEHYDROGBIOSYN-RXN]' - }, - 'GO:0047953': { - 'name': 'glycerol 2-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: glycerol + NADP(+) = glycerone + H(+) + NADPH. [EC:1.1.1.156, RHEA:12756]' - }, - 'GO:0047954': { - 'name': 'glycerol-2-phosphatase activity', - 'def': 'Catalysis of the reaction: glycerol 2-phosphate + H(2)O = glycerol + phosphate. [EC:3.1.3.19, RHEA:13108]' - }, - 'GO:0047955': { - 'name': 'glycerol dehydrogenase (acceptor) activity', - 'def': 'Catalysis of the reaction: A + glycerol = AH(2) + glycerone. [EC:1.1.99.22, RHEA:17496]' - }, - 'GO:0047956': { - 'name': 'glycerol dehydrogenase [NADP+] activity', - 'def': 'Catalysis of the reaction: glycerol + NADP+ = D-glyceraldehyde + NADPH. [EC:1.1.1.72, MetaCyc:GLYCEROL-DEHYDROGENASE-NADP+-RXN]' - }, - 'GO:0047957': { - 'name': "4'-methoxyisoflavone 2'-hydroxylase activity", - 'def': "Catalysis of the reaction: formononetin + NADPH + O2 = 2'-hydroxyformononetin + NADP+ + H2O. [EC:1.14.13.53, MetaCyc:ISOFLAVONE-2-HYDROXYLASE-RXN]" - }, - 'GO:0047958': { - 'name': 'glycine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: glycine + 2-oxoglutarate = glyoxylate + L-glutamate. [EC:2.6.1.4, MetaCyc:GLYCINE-AMINOTRANSFERASE-RXN]' - }, - 'GO:0047959': { - 'name': 'glycine dehydrogenase (cytochrome) activity', - 'def': 'Catalysis of the reaction: glycine + H2O + 2 ferricytochrome c = glyoxylate + NH3 + 2 ferrocytochrome c. [EC:1.4.2.1, MetaCyc:GLYCINE-DEHYDROGENASE-CYTOCHROME-RXN]' - }, - 'GO:0047960': { - 'name': 'glycine dehydrogenase activity', - 'def': 'Catalysis of the reaction: glycine + H2O + NAD+ = glyoxylate + NH3 + NADH. [EC:1.4.1.10, MetaCyc:GLYCINE-DEHYDROGENASE-RXN]' - }, - 'GO:0047961': { - 'name': 'glycine N-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + glycine = CoA + N-acylglycine. [EC:2.3.1.13, MetaCyc:GLYCINE-N-ACYLTRANSFERASE-RXN]' - }, - 'GO:0047962': { - 'name': 'glycine N-benzoyltransferase activity', - 'def': 'Catalysis of the reaction: benzoyl-CoA + glycine = N-benzoylglycine + CoA + H(+). [EC:2.3.1.71, RHEA:18496]' - }, - 'GO:0047963': { - 'name': 'glycine N-choloyltransferase activity', - 'def': 'Catalysis of the reaction: choloyl-CoA + glycine = CoA + glycocholate. [EC:2.3.1.65, MetaCyc:GLYCINE-N-CHOLOYLTRANSFERASE-RXN]' - }, - 'GO:0047964': { - 'name': 'glyoxylate reductase activity', - 'def': 'Catalysis of the reaction: glycolate + NAD+ = glyoxylate + NADH. [EC:1.1.1.26, MetaCyc:GLYCOLATE-REDUCTASE-RXN]' - }, - 'GO:0047965': { - 'name': 'glycoprotein O-fatty-acyltransferase activity', - 'def': 'Catalysis of the reaction: palmitoyl-CoA + mucus glycoprotein = CoA + O-palmitoylglycoprotein. [EC:2.3.1.142, MetaCyc:GLYCOPROTEIN-O-FATTY-ACYLTRANSFERASE-RXN]' - }, - 'GO:0047966': { - 'name': 'glycosulfatase activity', - 'def': 'Catalysis of the reaction: D-glucose 6-sulfate + H(2)O = D-glucose + H(+) + sulfate. [EC:3.1.6.3, RHEA:19148]' - }, - 'GO:0047967': { - 'name': 'glycyrrhizinate beta-glucuronidase activity', - 'def': 'Catalysis of the reaction: glycyrrhizate + H(2)O = 2-(beta-D-glucuronosyl)-D-glucuronate + glycyrrhetinate. [EC:3.2.1.128, RHEA:17372]' - }, - 'GO:0047968': { - 'name': 'glyoxylate dehydrogenase (acylating) activity', - 'def': 'Catalysis of the reaction: CoA + glyoxylate + NADP(+) = H(+) + NADPH + oxalyl-CoA. [EC:1.2.1.17, RHEA:21027]' - }, - 'GO:0047969': { - 'name': 'glyoxylate oxidase activity', - 'def': 'Catalysis of the reaction: glyoxylate + H(2)O + O(2) = H(2)O(2) + H(+) + oxalate. [EC:1.2.3.5, RHEA:14840]' - }, - 'GO:0047970': { - 'name': 'guanidinoacetase activity', - 'def': 'Catalysis of the reaction: guanidinoacetate + H(2)O = glycine + urea. [EC:3.5.3.2, RHEA:23271]' - }, - 'GO:0047971': { - 'name': 'guanidinobutyrase activity', - 'def': 'Catalysis of the reaction: 4-guanidinobutanoate + H(2)O = 4-aminobutanoate + urea. [EC:3.5.3.7, RHEA:19504]' - }, - 'GO:0047972': { - 'name': 'guanidinopropionase activity', - 'def': 'Catalysis of the reaction: 3-guanidinopropanoate + H(2)O = beta-alanine + urea. [EC:3.5.3.17, RHEA:16032]' - }, - 'GO:0047973': { - 'name': 'guanidinoacetate kinase activity', - 'def': 'Catalysis of the reaction: ATP + guanidinoacetate = ADP + 2 H(+) + phosphoguanidinoacetate. [EC:2.7.3.1, RHEA:14148]' - }, - 'GO:0047974': { - 'name': 'guanosine deaminase activity', - 'def': 'Catalysis of the reaction: guanosine + H2O = xanthosine + NH3. [EC:3.5.4.15, MetaCyc:GUANOSINE-DEAMINASE-RXN]' - }, - 'GO:0047975': { - 'name': 'guanosine phosphorylase activity', - 'def': 'Catalysis of the reaction: guanosine + phosphate = guanine + D-ribose 1-phosphate. [EC:2.4.2.15, MetaCyc:GUANPHOSPHOR-RXN]' - }, - 'GO:0047976': { - 'name': 'hamamelose kinase activity', - 'def': "Catalysis of the reaction: D-hamamelose + ATP = D-hamamelose 2'-phosphate + ADP + 2 H(+). [EC:2.7.1.102, RHEA:22799]" - }, - 'GO:0047977': { - 'name': 'hepoxilin-epoxide hydrolase activity', - 'def': 'Catalysis of the reaction: (5Z,9E,14Z)-(8x,11R,12S)-11,12-epoxy-8-hydroxyicosa-5,9,14-trienoate + H2O = (5Z,9E,14Z)-(8x,11x,12S)-8,11,12-trihydroxyicosa-5,9,14-trienoate. [EC:3.3.2.7, MetaCyc:HEPOXILIN-EPOXIDE-HYDROLASE-RXN]' - }, - 'GO:0047978': { - 'name': 'hexadecanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: hexadecanol + NAD+ = hexadecanal + NADH. [EC:1.1.1.164, MetaCyc:HEXADECANOL-DEHYDROGENASE-RXN]' - }, - 'GO:0047979': { - 'name': 'hexose oxidase activity', - 'def': 'Catalysis of the reaction: hexose + O2 = aldono-1,5-lactone + H202. [EC:1.1.3.5, MetaCyc:HEXOSE-OXIDASE-RXN]' - }, - 'GO:0047980': { - 'name': 'hippurate hydrolase activity', - 'def': 'Catalysis of the reaction: N-benzoylglycine + H(2)O = benzoate + glycine. [EC:3.5.1.32, RHEA:10427]' - }, - 'GO:0047981': { - 'name': 'histidine N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-histidine + acetyl-CoA = N(alpha)-acetyl-L-histidine + CoA + H(+). [EC:2.3.1.33, RHEA:24599]' - }, - 'GO:0047982': { - 'name': 'homocysteine desulfhydrase activity', - 'def': 'Catalysis of the reaction: L-homocysteine + H2O = sulfide + NH3 + 2-oxobutanoate. [EC:4.4.1.2, MetaCyc:HOMOCYSTEINE-DESULFHYDRASE-RXN]' - }, - 'GO:0047983': { - 'name': 'homoglutathione synthase activity', - 'def': 'Catalysis of the reaction: beta-alanine + L-gamma-glutamyl-L-cysteine + ATP = gamma-L-glutamyl-L-cysteinyl-beta-alanine + ADP + 2 H(+) + phosphate. [EC:6.3.2.23, RHEA:17996]' - }, - 'GO:0047985': { - 'name': 'hydrogen dehydrogenase activity', - 'def': 'Catalysis of the reaction: H2 + NAD+ = H+ + NADH. [EC:1.12.1.2, MetaCyc:HYDROGEN-DEHYDROGENASE-RXN]' - }, - 'GO:0047986': { - 'name': 'hydrogen-sulfide S-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + S(2-) = CoA + thioacetate. [EC:2.3.1.10, RHEA:16628]' - }, - 'GO:0047987': { - 'name': 'hydroperoxide dehydratase activity', - 'def': 'Catalysis of the reaction: (9Z,11E,14Z)-(13S)-hydroperoxyoctadeca-9,11,14-trienoate = (9Z)-(13S)-12,13-epoxyoctadeca-9,11-dienoate + H2O. [EC:4.2.1.92, MetaCyc:HYDROPEROXIDE-DEHYDRATASE-RXN]' - }, - 'GO:0047988': { - 'name': 'hydroxyacid-oxoacid transhydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxybutanoate + 2-oxoglutarate = acetoacetate + (R)-2-hydroxyglutarate. [EC:1.1.99.24, MetaCyc:HYDROXYACID-OXOACID-TRANSHYDROGENASE-RXN]' - }, - 'GO:0047989': { - 'name': 'hydroxybutyrate-dimer hydrolase activity', - 'def': 'Catalysis of the reaction: (R)-3-[(R)-3-hydroxybutanoyloxy]butanoate + H(2)O = 2 (R)-3-hydroxybutanoate + H(+). [EC:3.1.1.22, RHEA:10175]' - }, - 'GO:0047990': { - 'name': 'hydroxyglutamate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-L-glutamate + H(+) = 4-amino-3-hydroxybutanoate + CO(2). [EC:4.1.1.16, RHEA:14076]' - }, - 'GO:0047991': { - 'name': 'hydroxylamine oxidase activity', - 'def': 'Catalysis of the reaction: hydroxylamine + O(2) = H(2)O + H(+) + nitrite. [EC:1.7.3.4, RHEA:19972]' - }, - 'GO:0047992': { - 'name': 'hydroxylysine kinase activity', - 'def': 'Catalysis of the reaction: erythro-5-hydroxy-L-lysine + GTP = 5-phosphonooxy-L-lysine + GDP + 2 H(+). [EC:2.7.1.81, RHEA:19052]' - }, - 'GO:0047993': { - 'name': 'hydroxymalonate dehydrogenase activity', - 'def': 'Catalysis of the reaction: hydroxymalonate + NAD(+) = H(+) + NADH + oxomalonate. [EC:1.1.1.167, RHEA:11287]' - }, - 'GO:0047994': { - 'name': 'hydroxymethylglutaryl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: (S)-3-hydroxy-3-methylglutaryl-CoA + H(2)O = 3-hydroxy-3-methylglutarate + CoA + H(+). [EC:3.1.2.5, RHEA:16308]' - }, - 'GO:0047995': { - 'name': 'hydroxyphenylpyruvate reductase activity', - 'def': 'Catalysis of the reaction: 3-(4-hydroxyphenyl)lactate + NAD+ = 3-(4-hydroxyphenyl)pyruvate + NADH. [EC:1.1.1.237, MetaCyc:HYDROXYPHENYLPYRUVATE-REDUCTASE-RXN]' - }, - 'GO:0047996': { - 'name': 'hydroxyphytanate oxidase activity', - 'def': 'Catalysis of the reaction: (2S)-2-hydroxyphytanate + O(2) = 2-oxophytanate + H(2)O(2). [EC:1.1.3.27, RHEA:21683]' - }, - 'GO:0047997': { - 'name': 'hydroxypyruvate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-hydroxypyruvate + H(+) = CO(2) + glycolaldehyde. [EC:4.1.1.40, RHEA:20564]' - }, - 'GO:0047998': { - 'name': 'hyoscyamine (6S)-dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-hyoscyamine + O(2) = (6S)-6-hydroxyhyoscyamine + CO(2) + succinate. [EC:1.14.11.11, RHEA:12632]' - }, - 'GO:0047999': { - 'name': 'hyponitrite reductase activity', - 'def': 'Catalysis of the reaction: 2 hydroxylamine + 2 NAD(+) = 2 H(+) + hyponitrous acid + 2 NADH. [EC:1.7.1.5, RHEA:19340]' - }, - 'GO:0048000': { - 'name': "isoflavone 3'-hydroxylase activity", - 'def': "Catalysis of the reaction: formononetin + NADPH + O2 = calycosin + NADP+ + H2O. [EC:1.14.13.52, MetaCyc:ISOFLAVONE-3'-HYDROXYLASE-RXN]" - }, - 'GO:0048001': { - 'name': 'erythrose-4-phosphate dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-erythrose 4-phosphate + H(2)O + NAD(+) = 4-phospho-D-erythronate + 2 H(+) + NADH. [EC:1.2.1.72, RHEA:12059]' - }, - 'GO:0048002': { - 'name': 'antigen processing and presentation of peptide antigen', - 'def': 'The process in which an antigen-presenting cell expresses peptide antigen in association with an MHC protein complex on its cell surface, including proteolysis and transport steps for the peptide antigen both prior to and following assembly with the MHC protein complex. The peptide antigen is typically, but not always, processed from an endogenous or exogenous protein. [GOC:add, ISBN:0781735149, PMID:15771591]' - }, - 'GO:0048003': { - 'name': 'antigen processing and presentation of lipid antigen via MHC class Ib', - 'def': 'The process in which an antigen-presenting cell expresses lipid antigen in association with an MHC class Ib protein complex on its cell surface, including lipid extraction, degradation, and transport steps for the lipid antigen both prior to and following assembly with the MHC protein complex. The lipid antigen may originate from an endogenous or exogenous source of lipid. Class Ib here refers to non-classical class I molecules, such as those of the CD1 family. [GOC:add, PMID:10375559, PMID:15928678, PMID:15928680]' - }, - 'GO:0048006': { - 'name': 'antigen processing and presentation, endogenous lipid antigen via MHC class Ib', - 'def': 'The process in which an antigen-presenting cell expresses lipid antigen of endogenous origin in association with an MHC class Ib protein complex on its cell surface. Class Ib here refers to non-classical class I molecules, such as those of the CD1 family. [GOC:add, PMID:10375559, PMID:15928678, PMID:15928680]' - }, - 'GO:0048007': { - 'name': 'antigen processing and presentation, exogenous lipid antigen via MHC class Ib', - 'def': 'The process in which an antigen-presenting cell expresses lipid antigen of exogenous origin in association with an MHC class Ib protein complex on its cell surface. Class Ib here refers to non-classical class I molecules, such as those of the CD1 family. [GOC:add, PMID:10375559, PMID:15928678, PMID:15928680]' - }, - 'GO:0048008': { - 'name': 'platelet-derived growth factor receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a platelet-derived growth factor receptor binding to one of its physiological ligands. [GOC:ceb]' - }, - 'GO:0048009': { - 'name': 'insulin-like growth factor receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of the insulin-like growth factor receptor binding to one of its physiological ligands. [GOC:ceb]' - }, - 'GO:0048010': { - 'name': 'vascular endothelial growth factor receptor signaling pathway', - 'def': 'Any series of molecular signals initiated by the binding of an extracellular ligand to a vascular endothelial growth factor receptor (VEGFR) located on the surface of the receiving cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:ceb, GOC:signaling, PR:000001971]' - }, - 'GO:0048011': { - 'name': 'neurotrophin TRK receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a neurotrophin to a receptor on the surface of the target cell where the receptor possesses tyrosine kinase activity, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:ceb, GOC:jc, GOC:signaling, PMID:12065629, Wikipedia:Trk_receptor]' - }, - 'GO:0048012': { - 'name': 'hepatocyte growth factor receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of the hepatocyte growth factor receptor binding to one of its physiological ligands. [GOC:ceb]' - }, - 'GO:0048013': { - 'name': 'ephrin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an ephrin receptor binding to an ephrin. [GOC:ceb]' - }, - 'GO:0048014': { - 'name': 'Tie signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a Tie protein (a receptor) binding to one of its physiological ligands (an angiopoietin). [GOC:ceb, GOC:signaling, PMID:11283723, PMID:11566266]' - }, - 'GO:0048015': { - 'name': 'phosphatidylinositol-mediated signaling', - 'def': 'A series of molecular signals in which a cell uses a phosphatidylinositol-mediated signaling to convert a signal into a response. Phosphatidylinositols include phosphatidylinositol (PtdIns) and its phosphorylated derivatives. [GOC:bf, GOC:ceb, ISBN:0198506732]' - }, - 'GO:0048016': { - 'name': 'inositol phosphate-mediated signaling', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell via an inositol phosphate. Includes production of the inositol phosphate, and downstream effectors that further transmit the signal within the cell. Inositol phosphates are a group of mono- to poly-phosphorylated inositols, and include inositol monophosphate (IP), inositol trisphosphate (IP3), inositol pentakisphosphate (IP5) and inositol hexaphosphate (IP6). [GOC:bf, GOC:ceb, GOC:signaling, ISBN:0198506732, PMID:11331907]' - }, - 'GO:0048017': { - 'name': 'inositol lipid-mediated signaling', - 'def': 'A series of molecular signals in which a cell uses an inositol-containing lipid to convert a signal into a response. Inositol lipids include the phosphoinositides (phosphatidylinositol and its phosphorylated derivatives), ceramides containing inositol, and inositol glycolipids. [GOC:bf, GOC:ceb, PMID:16088939]' - }, - 'GO:0048018': { - 'name': 'receptor agonist activity', - 'def': 'Interacts with receptors such that the proportion of receptors in the active form is increased. [GOC:ceb, ISBN:0198506732]' - }, - 'GO:0048019': { - 'name': 'receptor antagonist activity', - 'def': 'Interacts with receptors to reduce the action of another ligand, the agonist. [GOC:ceb, ISBN:0198506732]' - }, - 'GO:0048020': { - 'name': 'CCR chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a CCR chemokine receptor. [GOC:ai]' - }, - 'GO:0048021': { - 'name': 'regulation of melanin biosynthetic process', - 'def': 'Any process that alters the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of melanin. [GOC:jid]' - }, - 'GO:0048022': { - 'name': 'negative regulation of melanin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of melanin. [GOC:jid]' - }, - 'GO:0048023': { - 'name': 'positive regulation of melanin biosynthetic process', - 'def': 'Any process that activates or increases the rate or extent of the chemical reactions and pathways resulting in the formation of melanin. [GOC:jid]' - }, - 'GO:0048024': { - 'name': 'regulation of mRNA splicing, via spliceosome', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA splicing via a spliceosomal mechanism. [GOC:jid]' - }, - 'GO:0048025': { - 'name': 'negative regulation of mRNA splicing, via spliceosome', - 'def': 'Any process that stops, prevents or reduces the rate or extent of mRNA splicing via a spliceosomal mechanism. [GOC:jid]' - }, - 'GO:0048026': { - 'name': 'positive regulation of mRNA splicing, via spliceosome', - 'def': 'Any process that activates or increases the rate or extent of mRNA splicing via a spliceosomal mechanism. [GOC:jid]' - }, - 'GO:0048027': { - 'name': "mRNA 5'-UTR binding", - 'def': "Interacting selectively and non-covalently with the 5' untranslated region of an mRNA molecule. [GOC:jid]" - }, - 'GO:0048028': { - 'name': 'galacturonan binding', - 'def': 'Interacting selectively and non-covalently with any simple or complex galacturonan. Galacturonan is any glycan composed solely of galacturonic acid residues, a specific type of glycuronan, and a constituent of some pectins. [GOC:jid]' - }, - 'GO:0048029': { - 'name': 'monosaccharide binding', - 'def': 'Interacting selectively and non-covalently with any monosaccharide. Monosaccharides are the simplest carbohydrates; they are polyhydroxy aldehydes H[CH(OH)]nC(=O)H or polyhydroxy ketones H[CHOH]nC(=O)[CHOH]mH with three or more carbon atoms. They form the constitutional repeating units of oligo- and polysaccharides. [CHEBI:35381, GOC:jid]' - }, - 'GO:0048030': { - 'name': 'disaccharide binding', - 'def': 'Interacting selectively and non-covalently with any disaccharide. Disaccharides are sugars composed of two monosaccharide units. [GOC:jid]' - }, - 'GO:0048031': { - 'name': 'trisaccharide binding', - 'def': 'Interacting selectively and non-covalently with any trisaccharide. Trisaccharides are sugars composed of three monosaccharide units. [GOC:jid]' - }, - 'GO:0048032': { - 'name': 'galacturonate binding', - 'def': 'Interacting selectively and non-covalently with any galacturonate. Galacturonate is the anion of galacturonic acid, the uronic acid formally derived from galactose by oxidation of the hydroxymethylene group at C-6 to a carboxyl group. [CHEBI:33812, GOC:jid]' - }, - 'GO:0048033': { - 'name': 'heme o metabolic process', - 'def': 'The chemical reactions and pathways involving heme O, a derivative of heme containing a 17-carbon hydroxyethylfarnesyl side chain at position 8 of the tetrapyrrole macrocycle. [GOC:jid]' - }, - 'GO:0048034': { - 'name': 'heme O biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of heme O, a derivative of heme containing a 17-carbon hydroxyethylfarnesyl side chain at position 8 of the tetrapyrrole macrocycle. [GOC:jid]' - }, - 'GO:0048035': { - 'name': 'heme o catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of heme O, a derivative of heme containing a 17-carbon hydroxyethylfarnesyl side chain at position 8 of the tetrapyrrole macrocycle. [GOC:jid]' - }, - 'GO:0048036': { - 'name': 'central complex development', - 'def': 'The process whose specific outcome is the progression of the central complex over time, from its formation to the mature structure. The central complex region of the insect brain is thought to be crucial for control of locomotive behavior. Located in the middle of the two protocerebral hemispheres, it comprises four neuropilar regions, the fan-shaped body, the ellipsoid body, the protocerebral bridge and the paired noduli. [PMID:12490252]' - }, - 'GO:0048037': { - 'name': 'cofactor binding', - 'def': 'Interacting selectively and non-covalently with a cofactor, a substance that is required for the activity of an enzyme or other protein. Cofactors may be inorganic, such as the metal atoms zinc, iron, and copper in certain forms, or organic, in which case they are referred to as coenzymes. Cofactors may either be bound tightly to active sites or bind loosely with the substrate. [ISBN:0198506732]' - }, - 'GO:0048038': { - 'name': 'quinone binding', - 'def': 'Interacting selectively and non-covalently with a quinone, any member of a class of diketones derivable from aromatic compounds by conversion of two CH groups into CO groups with any necessary rearrangement of double bonds. [ISBN:0198506732]' - }, - 'GO:0048039': { - 'name': 'ubiquinone binding', - 'def': 'Interacting selectively and non-covalently with ubiquinone, a quinone derivative with a tail of isoprene units. [GOC:jid, ISBN:0582227089]' - }, - 'GO:0048040': { - 'name': 'UDP-glucuronate decarboxylase activity', - 'def': 'Catalysis of the reaction: H(+) + UDP-alpha-D-glucuronate = CO(2) + UDP-alpha-D-xylose. [EC:4.1.1.35, RHEA:23919]' - }, - 'GO:0048041': { - 'name': 'focal adhesion assembly', - 'def': 'The aggregation and bonding together of a set of components to form a focal adhesion, a complex of intracellular signaling and structural proteins that provides a structural link between the internal actin cytoskeleton and the ECM, and also function as a locus of signal transduction activity. [GOC:jid, GOC:mah]' - }, - 'GO:0048042': { - 'name': 'regulation of post-mating oviposition', - 'def': 'Any process that modulates the frequency, rate or extent of the deposition of eggs, either fertilized or not, upon a surface or into a medium, following mating. [GOC:dph, GOC:tb, PMID:11932766]' - }, - 'GO:0048045': { - 'name': 'trans-pentaprenyltranstransferase activity', - 'def': 'Catalysis of the reaction: all-trans-pentaprenyl diphosphate + isopentenyl diphosphate = all-trans-hexaprenyl diphosphate + diphosphate. [RHEA:22635]' - }, - 'GO:0048046': { - 'name': 'apoplast', - 'def': 'The cell membranes and intracellular regions in a plant are connected through plasmodesmata, and plants may be described as having two major compartments: the living symplast and the non-living apoplast. The apoplast is external to the plasma membrane and includes cell walls, intercellular spaces and the lumen of dead structures such as xylem vessels. Water and solutes pass freely through it. [GOC:jid]' - }, - 'GO:0048047': { - 'name': 'mating behavior, sex discrimination', - 'def': 'The behavior of individuals for the purpose of discriminating between the sexes, for the purpose of finding a suitable mating partner. [GOC:jid, GOC:pr, PMID:12486700]' - }, - 'GO:0048048': { - 'name': 'embryonic eye morphogenesis', - 'def': 'The process occurring in the embryo by which the anatomical structures of the post-embryonic eye are generated and organized. [GOC:jid]' - }, - 'GO:0048050': { - 'name': 'post-embryonic eye morphogenesis', - 'def': 'The process, occurring after embryonic development, by which the anatomical structures of the eye are generated and organized. The eye is the organ of sight. [GOC:jid, GOC:sensu]' - }, - 'GO:0048052': { - 'name': 'R1/R6 cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire the specialized features of R1 and R6 photoreceptors. An example of this process is found in Drosophila melanogaster. [GOC:jid]' - }, - 'GO:0048053': { - 'name': 'R1/R6 development', - 'def': 'The process whose specific outcome is the progression of the R1 and R6 pair of photoreceptors in the eye over time, from their formation to the mature structures. R1 and R6 are paired photoreceptors that contribute to the outer rhabdomeres. An example of this process is found in Drosophila melanogaster. [GOC:jid]' - }, - 'GO:0048054': { - 'name': 'R2/R5 cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire the specialized features of R2 and R5 photoreceptors. An example of this process is found in Drosophila melanogaster. [GOC:jid]' - }, - 'GO:0048055': { - 'name': 'R2/R5 development', - 'def': 'The process whose specific outcome is the progression of the R2 and R5 pair of photoreceptors in the eye over time, from their formation to the mature structures. R2 and R5 are paired photoreceptors that contribute to the outer rhabdomeres. An example of this process is found in Drosophila melanogaster. [GOC:jid]' - }, - 'GO:0048056': { - 'name': 'R3/R4 cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire the specialized features of R3 and R4 photoreceptors. An example of this process is found in Drosophila melanogaster. [GOC:jid]' - }, - 'GO:0048057': { - 'name': 'R3/R4 development', - 'def': 'The process whose specific outcome is the progression of the R3 and R4 pair of photoreceptors in the eye over time, from their formation to the mature structures. R3 and R4 are paired photoreceptors that contribute to the outer rhabdomeres. An example of this process is found in Drosophila melanogaster. [GOC:jid]' - }, - 'GO:0048058': { - 'name': 'compound eye corneal lens development', - 'def': 'The process whose specific outcome is the progression of the corneal lens in the compound eye over time, from its formation to the mature structure. The corneal lens is a chitinous extracellular secretion of the four underlying cone cells and the pigment cells. [GOC:jid]' - }, - 'GO:0048060': { - 'name': 'negative gravitaxis', - 'def': 'The directed movement of a motile cell or organism away from the source of gravity. [GOC:jid]' - }, - 'GO:0048061': { - 'name': 'positive gravitaxis', - 'def': 'The directed movement of a motile cell or organism towards the source of gravity. [GOC:jid]' - }, - 'GO:0048065': { - 'name': 'male courtship behavior, veined wing extension', - 'def': 'The process during courtship where the male insect extends his wings. An example of this process is found in Drosophila melanogaster. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048066': { - 'name': 'developmental pigmentation', - 'def': 'The developmental process that results in the deposition of coloring matter in an organism, tissue or cell. [ISBN:0582227089]' - }, - 'GO:0048067': { - 'name': 'cuticle pigmentation', - 'def': 'Establishment of a pattern of pigment in the cuticle of an organism. [GOC:jid]' - }, - 'GO:0048069': { - 'name': 'eye pigmentation', - 'def': 'Establishment of a pattern of pigment in the eye of an organism. [GOC:jid]' - }, - 'GO:0048070': { - 'name': 'regulation of developmental pigmentation', - 'def': 'Any process that modulates the frequency, rate or extent of the developmental process that results in the deposition of coloring matter in an organism. [GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048071': { - 'name': 'sex-specific pigmentation', - 'def': 'Establishment of a pattern of pigment in one sex that is not observed in the other sex. [GOC:jid]' - }, - 'GO:0048072': { - 'name': 'compound eye pigmentation', - 'def': 'Establishment of a pattern of pigment in the compound eye. [GOC:jid]' - }, - 'GO:0048073': { - 'name': 'regulation of eye pigmentation', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of a pattern of pigment in the eye of an organism. [GOC:jid]' - }, - 'GO:0048074': { - 'name': 'negative regulation of eye pigmentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment of a pattern of pigment in the eye of an organism. [GOC:jid]' - }, - 'GO:0048075': { - 'name': 'positive regulation of eye pigmentation', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of a pattern of pigment in the eye of an organism. [GOC:jid]' - }, - 'GO:0048076': { - 'name': 'regulation of compound eye pigmentation', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of a pattern of pigment in the compound eye. [GOC:jid]' - }, - 'GO:0048077': { - 'name': 'negative regulation of compound eye pigmentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment of a pattern of pigment in the compound eye. [GOC:jid]' - }, - 'GO:0048078': { - 'name': 'positive regulation of compound eye pigmentation', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of a pattern of pigment in the compound eye. [GOC:jid]' - }, - 'GO:0048079': { - 'name': 'regulation of cuticle pigmentation', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of a pattern of pigment in the cuticle of an organism. [GOC:jid]' - }, - 'GO:0048080': { - 'name': 'negative regulation of cuticle pigmentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment of a pattern of pigment in the cuticle of an organism. [GOC:jid]' - }, - 'GO:0048081': { - 'name': 'positive regulation of cuticle pigmentation', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of a pattern of pigment in the cuticle of an organism. [GOC:jid]' - }, - 'GO:0048082': { - 'name': 'regulation of adult chitin-containing cuticle pigmentation', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of the adult pattern of pigmentation in the cuticle of an organism. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048083': { - 'name': 'negative regulation of adult chitin-containing cuticle pigmentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment of the adult pattern of pigmentation in the cuticle of an organism. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048084': { - 'name': 'positive regulation of adult chitin-containing cuticle pigmentation', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of the adult pattern of pigmentation in the cuticle of an organism. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048085': { - 'name': 'adult chitin-containing cuticle pigmentation', - 'def': 'Establishment of the adult pattern of pigmentation in the chitin-containing cuticle of an organism. An example of this is the adult cuticle pigmentation process in Drosophila melanogaster. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048086': { - 'name': 'negative regulation of developmental pigmentation', - 'def': 'Any process that decreases the frequency, rate or extent of the developmental process that results in the deposition of coloring matter in an organism. [GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048087': { - 'name': 'positive regulation of developmental pigmentation', - 'def': 'Any process that increases the frequency, rate or extent of the developmental process that results in the deposition of coloring matter in an organism. [GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048088': { - 'name': 'regulation of male pigmentation', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of a pattern of pigment in males. [GOC:jid]' - }, - 'GO:0048089': { - 'name': 'regulation of female pigmentation', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of a pattern of pigment in females. [GOC:jid]' - }, - 'GO:0048090': { - 'name': 'negative regulation of female pigmentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment of a pattern of pigment in females. [GOC:jid]' - }, - 'GO:0048091': { - 'name': 'positive regulation of female pigmentation', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of a pattern of pigment in females. [GOC:jid]' - }, - 'GO:0048092': { - 'name': 'negative regulation of male pigmentation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment of a pattern of pigment in males. [GOC:jid]' - }, - 'GO:0048093': { - 'name': 'positive regulation of male pigmentation', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of a pattern of pigment in males. [GOC:jid]' - }, - 'GO:0048094': { - 'name': 'male pigmentation', - 'def': 'Establishment of a pattern of pigment in males. [GOC:jid]' - }, - 'GO:0048095': { - 'name': 'female pigmentation', - 'def': 'Establishment of a pattern of pigment in females. [GOC:jid]' - }, - 'GO:0048096': { - 'name': 'chromatin-mediated maintenance of transcription', - 'def': "Maintenance of transcription by remodelling of chromatin into an 'open configuration'. Once established, this regulation is mitotically stable and is maintained over many cell divisions. It is also heritable. [GOC:jid]" - }, - 'GO:0048097': { - 'name': 'long-term maintenance of gene activation', - 'def': 'Any mechanism, at the level of transcription or post-transcription, maintaining gene activation in the long-term. [GOC:jid]' - }, - 'GO:0048098': { - 'name': 'antennal joint development', - 'def': 'The process whose specific outcome is the progression of the antennal joint over time, from its formation to the mature structure. The antennal joint is the joint between antennal segments. [GOC:jid]' - }, - 'GO:0048099': { - 'name': 'anterior/posterior lineage restriction, imaginal disc', - 'def': 'Formation and/or maintenance of a lineage boundary between anterior and posterior compartments that cells cannot cross, thus separating the populations of cells in each compartment. [GOC:jid, PMID:10625531, PMID:9374402]' - }, - 'GO:0048100': { - 'name': 'wing disc anterior/posterior pattern formation', - 'def': 'The establishment, maintenance and elaboration of the anterior/posterior axis of the wing disc, a precursor to the wing. [GOC:jid, PMID:10625531]' - }, - 'GO:0048101': { - 'name': "calcium- and calmodulin-regulated 3',5'-cyclic-GMP phosphodiesterase activity", - 'def': "Catalysis of the reaction: guanosine 3',5'-cyclic phosphate + H2O = guanosine 5'-phosphate. The reaction is calmodulin and calcium-sensitive. [GOC:jid]" - }, - 'GO:0048102': { - 'name': 'autophagic cell death', - 'def': 'A form of programmed cell death that is accompanied by the formation of autophagosomes. Autophagic cell death is characterized by lack of chromatin condensation and massive vacuolization of the cytoplasm, with little or no uptake by phagocytic cells. [GOC:autophagy, GOC:mah, GOC:mtg_apoptosis, PMID:18846107, PMID:23347517]' - }, - 'GO:0048103': { - 'name': 'somatic stem cell division', - 'def': 'The self-renewing division of a somatic stem cell, a stem cell that can give rise to cell types of the body other than those of the germ-line. [GOC:jid, ISBN:0582227089]' - }, - 'GO:0048104': { - 'name': 'establishment of body hair or bristle planar orientation', - 'def': 'Orientation of hairs or sensory bristles that cover the body surface of an adult, such that they all point in a uniform direction along the plane of the epithelium from which they project. [GOC:ascb_2009, GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048105': { - 'name': 'establishment of body hair planar orientation', - 'def': 'Orientation of body hairs, projections from the surface of an organism, such that the hairs all point in a uniform direction along the surface. [GOC:ascb_2009, GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048106': { - 'name': 'establishment of thoracic bristle planar orientation', - 'def': 'Orientation along the body surface of bristles, sensory organs originating from a sensory organ precursor cell, such that they all point in a uniform direction. [FBbt:00004298, FBbt:00004408, GOC:ascb_2009, GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048107': { - 'name': '4-amino-3-isothiazolidinone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 4-amino-3-isothiazolinone, five-membered saturated heterocyclic ring structures containing a sulfur and a nitrogen in the 1-position and 2-positions respectively. [GOC:jid]' - }, - 'GO:0048108': { - 'name': 'peptide cross-linking via 4-amino-3-isothiazolidinone', - 'def': 'The formation of 4-amino-3-isothiazolinone cross-links by the formation of a sulfenylamide bond between cysteine or cysteine sulfenic acid, and the alpha-amido of the following residue. [GOC:jid, GOC:jsg]' - }, - 'GO:0048109': { - 'name': 'peptide cross-linking via 2-amino-3-isothiazolidinone-L-serine', - 'def': 'The chemical reactions and pathways resulting in the formation of a peptidyl cysteine-peptidyl serine cross-link through a process of forming first an intermediate cysteine sulfenic acid by peroxide oxidation, followed by condensation with the alpha-amido of the following serine residue and the release of water. [GOC:jid, PMID:12802338, PMID:12802339, RESID:AA0344]' - }, - 'GO:0048132': { - 'name': 'female germ-line stem cell asymmetric division', - 'def': 'The self-renewing division of a germline stem cell in the female gonad, to produce a daughter stem cell and a daughter germ cell, which will divide to form the female gametes. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048133': { - 'name': 'male germ-line stem cell asymmetric division', - 'def': 'The self-renewing division of a germline stem cell in the male gonad, to produce a daughter stem cell and a daughter germ cell, which will divide to form the male gametes. [GOC:jid]' - }, - 'GO:0048134': { - 'name': 'germ-line cyst formation', - 'def': 'Formation of a group of interconnected cells derived from a single gonial founder cell. [GOC:jid, PMID:10370240, PMID:21681920]' - }, - 'GO:0048135': { - 'name': 'female germ-line cyst formation', - 'def': 'Formation of a group of interconnected cells derived from a single female gonial founder cell. [GOC:jid, PMID:10370240]' - }, - 'GO:0048136': { - 'name': 'male germ-line cyst formation', - 'def': 'Formation of a group of interconnected cells derived from a single male gonial founder cell. [GOC:jid, PMID:10370240]' - }, - 'GO:0048137': { - 'name': 'spermatocyte division', - 'def': 'The meiotic divisions undergone by the primary and secondary spermatocytes to produce haploid spermatids. [GOC:jid, GOC:pr, ISBN:0879694238]' - }, - 'GO:0048138': { - 'name': 'germ-line cyst encapsulation', - 'def': 'Formation of a single follicular epithelium around the germ-line derived cells of a cyst. [GOC:jid]' - }, - 'GO:0048139': { - 'name': 'female germ-line cyst encapsulation', - 'def': 'Formation of a single follicular epithelium around the germ-line derived cells of a cyst formed in the female gonad. [GOC:jid]' - }, - 'GO:0048140': { - 'name': 'male germ-line cyst encapsulation', - 'def': 'Formation of a single follicular epithelium around the germ-line derived cells of a cyst formed in the male gonad. [GOC:jid, PMID:11591336]' - }, - 'GO:0048142': { - 'name': 'germarium-derived cystoblast division', - 'def': 'The four rounds of incomplete mitosis undergone by a cystoblast to form a 16-cell cyst of interconnected cells within a germarium. Within the cyst, one cell differentiates into an oocyte while the rest become nurse cells. An example of this process is found in Drosophila melanogaster. [GOC:jid, GOC:mtg_sensu, PMID:11131529]' - }, - 'GO:0048143': { - 'name': 'astrocyte activation', - 'def': 'A change in morphology and behavior of an astrocyte resulting from exposure to a cytokine, chemokine, cellular ligand, or soluble factor. [GOC:mgi_curators, PMID:10526094, PMID:10695728, PMID:12529254, PMID:12580336, PMID:9585813]' - }, - 'GO:0048144': { - 'name': 'fibroblast proliferation', - 'def': 'The multiplication or reproduction of fibroblast cells, resulting in the expansion of the fibroblast population. [GOC:jid]' - }, - 'GO:0048145': { - 'name': 'regulation of fibroblast proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of multiplication or reproduction of fibroblast cells. [GOC:jid]' - }, - 'GO:0048146': { - 'name': 'positive regulation of fibroblast proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of multiplication or reproduction of fibroblast cells. [GOC:jid]' - }, - 'GO:0048147': { - 'name': 'negative regulation of fibroblast proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of multiplication or reproduction of fibroblast cells. [GOC:jid]' - }, - 'GO:0048148': { - 'name': 'behavioral response to cocaine', - 'def': 'Any process that results in a change in the behavior of an organism as a result of a cocaine stimulus. [GOC:jid]' - }, - 'GO:0048149': { - 'name': 'behavioral response to ethanol', - 'def': 'Any process that results in a change in the behavior of an organism as a result of an ethanol stimulus. [GOC:jid]' - }, - 'GO:0048150': { - 'name': 'behavioral response to ether', - 'def': 'Any process that results in a change in the behavior of an organism as a result of an ether stimulus. [GOC:jid]' - }, - 'GO:0048151': { - 'name': 'obsolete hyperphosphorylation', - 'def': 'OBSOLETE. The excessive phosphorylation of a protein, as a result of activation of kinases, deactivation of phosphatases, or both. [GOC:jid, ISBN:039751820X, PMID:12859672]' - }, - 'GO:0048152': { - 'name': 'S100 beta biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of S100 beta protein. S100 is a small calcium and zinc binding protein produced in astrocytes that is implicated in Alzheimer's disease, Down Syndrome and ALS. [GOC:jid]" - }, - 'GO:0048153': { - 'name': 'S100 alpha biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of S100 alpha protein. S100 is a small calcium and zinc binding protein produced in astrocytes that is implicated in Alzheimer's disease, Down Syndrome and ALS. [GOC:jid]" - }, - 'GO:0048156': { - 'name': 'tau protein binding', - 'def': "Interacting selectively and non-covalently with tau protein. tau is a microtubule-associated protein, implicated in Alzheimer's disease, Down Syndrome and ALS. [GOC:jid]" - }, - 'GO:0048158': { - 'name': 'oogonium stage', - 'def': 'The stage in mammalian oogenesis when the primordial germ cell is hardly distinguishable from other cortical cells of the ovary. [GOC:jid, GOC:mtg_sensu, ISBN:0198542771]' - }, - 'GO:0048159': { - 'name': 'primary oocyte stage', - 'def': 'The stage in oogenesis when the oocyte has a nucleus slightly larger than those of the adjacent cells and is surrounded by a layer of loose squamous epithelial cells. [GOC:jid, GOC:mtg_sensu, ISBN:0198542771]' - }, - 'GO:0048160': { - 'name': 'primary follicle stage', - 'def': 'The stage in oogenesis when a single layer of cuboidal follicle cells surrounds the oocyte. The oocyte nucleus is large. [GOC:jid, GOC:mtg_sensu, ISBN:0198542771]' - }, - 'GO:0048161': { - 'name': 'double layer follicle stage', - 'def': 'The stage in oogenesis when a double layer of distinct follicle cells surrounds the oocyte. An example of this process is found in Mus musculus. [GOC:jid, GOC:mtg_sensu, ISBN:0198542771]' - }, - 'GO:0048162': { - 'name': 'multi-layer follicle stage', - 'def': "The stage in oogenesis when many layers of follicle cells surround the oocyte. There is a yolk nucleus (Balbiani's Body) near the germinal vesicle. [GOC:jid, GOC:mtg_sensu, ISBN:0198542771]" - }, - 'GO:0048163': { - 'name': 'scattered antral spaces stage', - 'def': 'The stage in oogenesis when antral spaces begin to form in the follicle cells. Mitochondria form centers for yolk concentration. [GOC:jid, GOC:mtg_sensu, ISBN:0198542771]' - }, - 'GO:0048164': { - 'name': 'distinct antral spaces stage', - 'def': 'The stage in oogenesis when the antral spaces become distinct and the first polar body forms. [GOC:jid, GOC:mtg_sensu, ISBN:0198542771]' - }, - 'GO:0048165': { - 'name': 'fused antrum stage', - 'def': 'The stage in oogenesis when the antral spaces fuse to form a single antral space. The oocyte is suspended in the cumulus oophorous and the first polar body in the perivitelline space. [GOC:jid, GOC:mtg_sensu, ISBN:0198542771]' - }, - 'GO:0048166': { - 'name': 'mature follicle stage', - 'def': 'The stage in oogenesis when the antrum is swollen with follicular fluid. The ovum is ready to erupt from the ovary and is arrested at metaphase of the second meiotic division. [GOC:jid, GOC:mtg_sensu, ISBN:0198542771]' - }, - 'GO:0048167': { - 'name': 'regulation of synaptic plasticity', - 'def': 'A process that modulates synaptic plasticity, the ability of synapses to change as circumstances require. They may alter function, such as increasing or decreasing their sensitivity, or they may increase or decrease in actual numbers. [GOC:dph, GOC:jid, GOC:tb, http://www.mercksource.com, PMID:11891290]' - }, - 'GO:0048168': { - 'name': 'regulation of neuronal synaptic plasticity', - 'def': 'A process that modulates neuronal synaptic plasticity, the ability of neuronal synapses to change as circumstances require. They may alter function, such as increasing or decreasing their sensitivity, or they may increase or decrease in actual numbers. [GOC:jid, http://www.mercksource.com, PMID:11891290]' - }, - 'GO:0048169': { - 'name': 'regulation of long-term neuronal synaptic plasticity', - 'def': 'A process that modulates long-term neuronal synaptic plasticity, the ability of neuronal synapses to change long-term as circumstances require. Long-term neuronal synaptic plasticity generally involves increase or decrease in actual synapse numbers. [GOC:jid, http://www.mercksource.com, PMID:11891290]' - }, - 'GO:0048170': { - 'name': 'positive regulation of long-term neuronal synaptic plasticity', - 'def': 'A process that increases long-term neuronal synaptic plasticity, the ability of neuronal synapses to change long-term as circumstances require. Long-term neuronal synaptic plasticity generally involves increase or decrease in actual synapse numbers. [GOC:jid, http://www.mercksource.com, PMID:11891290]' - }, - 'GO:0048171': { - 'name': 'negative regulation of long-term neuronal synaptic plasticity', - 'def': 'A process that decreases long-term neuronal synaptic plasticity, the ability of neuronal synapses to change long-term as circumstances require. Long-term neuronal synaptic plasticity generally involves increase or decrease in actual synapse numbers. [GOC:jid, http://www.mercksource.com, PMID:11891290]' - }, - 'GO:0048172': { - 'name': 'regulation of short-term neuronal synaptic plasticity', - 'def': 'A process that modulates short-term neuronal synaptic plasticity, the ability of neuronal synapses to change in the short-term as circumstances require. Short-term neuronal synaptic plasticity generally involves increasing or decreasing synaptic sensitivity. [GOC:jid, http://www.mercksource.com, PMID:11891290]' - }, - 'GO:0048173': { - 'name': 'positive regulation of short-term neuronal synaptic plasticity', - 'def': 'A process that increases short-term neuronal synaptic plasticity, the ability of neuronal synapses to change in the short-term as circumstances require. Short-term neuronal synaptic plasticity generally involves increasing or decreasing synaptic sensitivity. [GOC:jid, http://www.mercksource.com, PMID:11891290]' - }, - 'GO:0048174': { - 'name': 'negative regulation of short-term neuronal synaptic plasticity', - 'def': 'A process that decreases short-term neuronal synaptic plasticity, the ability of neuronal synapses to change in the short-term as circumstances require. Short-term neuronal synaptic plasticity generally involves increasing or decreasing synaptic sensitivity. [GOC:jid, http://www.mercksource.com, PMID:11891290]' - }, - 'GO:0048175': { - 'name': 'hepatocyte growth factor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hepacyte growth factor. Hepatocyte growth factor is a mitogen for a number of cell types and it is found in liver cells and in many other cell types, including platelets. [GOC:jid, PMID:1838014]' - }, - 'GO:0048176': { - 'name': 'regulation of hepatocyte growth factor biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of hepatocyte growth factor. [GOC:jid, PMID:1838014]' - }, - 'GO:0048177': { - 'name': 'positive regulation of hepatocyte growth factor biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of hepatocyte growth factor. [GOC:jid, PMID:1838014]' - }, - 'GO:0048178': { - 'name': 'negative regulation of hepatocyte growth factor biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of hepatocyte growth factor. [GOC:jid, PMID:1838014]' - }, - 'GO:0048179': { - 'name': 'activin receptor complex', - 'def': 'A protein complex that acts as an activin receptor. Heterodimeric activin receptors, comprising one Type I activin receptor and one Type II receptor polypeptide, and heterotrimeric receptors have been observed. [PMID:8307945, PMID:8622651]' - }, - 'GO:0048180': { - 'name': 'activin complex', - 'def': 'A nonsteroidal regulator, composed of two covalently linked inhibin beta subunits, inhibin beta-A and inhibin beta-B (sometimes known as activin beta or activin/inhibin beta). There are three forms of activin complex, activin A, which is composed of 2 inhibin beta-A subunits, activin B, which is composed of 2 inhibin beta-B subunits, and activin AB, which is composed of an inhibin beta-A and an inhibin beta-B subunit. [GOC:go_curators, http://www.mercksource.com, http://www.stedmans.com/]' - }, - 'GO:0048183': { - 'name': 'activin AB complex', - 'def': 'A nonsteroidal regulator, composed of two covalently linked inhibin beta subunits (sometimes known as activin beta or activin/inhibin beta), inhibin beta-A and inhibin beta-B. [GOC:go_curators, http://www.mercksource.com, http://www.stedmans.com/]' - }, - 'GO:0048184': { - 'name': 'obsolete follistatin binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with the peptide hormone follistatin. [GOC:jid, GOC:mah]' - }, - 'GO:0048185': { - 'name': 'activin binding', - 'def': 'Interacting selectively and non-covalently with activin, a dimer of inhibin-beta subunits. [GOC:jid, GOC:mah]' - }, - 'GO:0048188': { - 'name': 'Set1C/COMPASS complex', - 'def': 'A conserved protein complex that catalyzes methylation of histone H3. In Saccharomyces the complex contains Shg1p, Sdc1p, Swd1p, Swd2p, Swd3p, Spp1p, Bre2p, and the trithorax-related Set1p; in mammals it contains the catalytic subunit (SETD1A or SETD1B), WDR5, WDR82, RBBP5, ASH2L/ASH2, CXXC1/CFP1, HCFC1 and DPY30. [PMID:11687631, PMID:11742990, PMID:11805083, PMID:12488447, PMID:18508253, PMID:18838538]' - }, - 'GO:0048189': { - 'name': 'Lid2 complex', - 'def': 'A protein complex that is thought to be involved in regulation of chromatin remodeling. In Schizosaccharomyces the complex contains Lid1p, Ash2p, Ecm5p, Snt2p, and Sdc1p. [PMID:12488447]' - }, - 'GO:0048190': { - 'name': 'wing disc dorsal/ventral pattern formation', - 'def': 'The establishment, maintenance and elaboration of the dorsal/ventral axis of the wing disc, a precursor to the adult wing. [GOC:jid]' - }, - 'GO:0048191': { - 'name': 'obsolete peptide stabilization activity', - 'def': 'OBSOLETE. Strengthening of a bond between peptides. Peptides are compounds of two or more amino acids where the alpha carboxyl group of one is bound to the alpha amino group of another. [GOC:jid]' - }, - 'GO:0048192': { - 'name': 'obsolete peptide antigen stabilization activity', - 'def': 'OBSOLETE. Strengthening of a bond with a peptide antigen; a fragment of a foreign protein derived by proteolysis within the cell. [GOC:jid]' - }, - 'GO:0048193': { - 'name': 'Golgi vesicle transport', - 'def': 'The directed movement of substances into, out of or within the Golgi apparatus, mediated by vesicles. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048194': { - 'name': 'Golgi vesicle budding', - 'def': 'The evagination of the Golgi membrane, resulting in formation of a vesicle. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048195': { - 'name': 'Golgi membrane priming complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a membrane priming complex. An incoming coat component recognizes both GTPase and a membrane protein to form the priming complex. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048196': { - 'name': 'obsolete plant extracellular matrix', - 'def': 'The matrix external to the plant plasma membrane, composed of the cell wall and middle lamella. [GOC:jid, GOC:mtg_sensu, PMID:11351084, PMID:4327466]' - }, - 'GO:0048197': { - 'name': 'Golgi membrane coat protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of priming complexes to form a coat on a Golgi membrane. Priming complexes associate laterally and additional coat proteins are recruited from the cytosol to the forming coat. Cargo proteins diffuse into the budding site and become trapped by their interactions with the coat. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048198': { - 'name': 'Golgi vesicle bud deformation and release', - 'def': 'The process in which cytosolic coat proteins fit together in a basketlike convex framework to form a coated deformed region on the cytoplasmic surface of the membrane. The deformed region forms into a complete vesicle and is released. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048199': { - 'name': 'vesicle targeting, to, from or within Golgi', - 'def': 'The process in which vesicles are directed to specific destination membranes during transport to, from or within the Golgi apparatus; mediated by the addition of specific coat proteins, including COPI and COPII proteins and clathrin, to the membrane during vesicle formation. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048200': { - 'name': 'Golgi transport vesicle coating', - 'def': 'The addition of specific coat proteins to Golgi membranes during the formation of transport vesicles. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048201': { - 'name': 'vesicle targeting, plasma membrane to endosome', - 'def': 'The process in which vesicles formed at the plasma membrane are directed to specific destinations in endosome membranes, mediated by molecules at the vesicle membrane and target membrane surfaces. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048202': { - 'name': 'clathrin coating of Golgi vesicle', - 'def': 'The addition of clathrin and adaptor proteins to Golgi membranes during the formation of transport vesicles, forming a vesicle coat. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048203': { - 'name': 'vesicle targeting, trans-Golgi to endosome', - 'def': 'The process in which vesicles are directed to specific destination membranes during transport from the trans-Golgi to the endosome. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048204': { - 'name': 'vesicle targeting, inter-Golgi cisterna', - 'def': 'The process in which vesicles are directed to specific destination membranes during transport from one Golgi cisterna to another. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048205': { - 'name': 'COPI coating of Golgi vesicle', - 'def': 'The addition of COPI proteins and adaptor proteins to Golgi membranes during the formation of transport vesicles, forming a vesicle coat. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048206': { - 'name': 'vesicle targeting, cis-Golgi to rough ER', - 'def': 'The process in which vesicles are directed to specific destination membranes during transport from the cis-Golgi to the rough ER. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048207': { - 'name': 'vesicle targeting, rough ER to cis-Golgi', - 'def': 'The process in which vesicles are directed to specific destination membranes during transport from the rough endoplasmic reticulum to the cis-Golgi. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048208': { - 'name': 'COPII vesicle coating', - 'def': 'The addition of COPII proteins and adaptor proteins to ER membranes during the formation of transport vesicles, forming a vesicle coat. [GOC:ascb_2009, GOC:dph, GOC:jid, GOC:mah, GOC:tb, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048209': { - 'name': 'regulation of vesicle targeting, to, from or within Golgi', - 'def': 'Any process that modulates the frequency, rate, or destination of vesicle-mediated transport to, from or within the Golgi apparatus. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048210': { - 'name': 'Golgi vesicle fusion to target membrane', - 'def': 'The joining of the lipid bilayer membrane around a Golgi transport vesicle to the target lipid bilayer membrane. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048211': { - 'name': 'Golgi vesicle docking', - 'def': 'The initial attachment of a Golgi transport vesicle membrane to a target membrane, mediated by proteins protruding from the membrane of the Golgi vesicle and the target membrane. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048212': { - 'name': 'Golgi vesicle uncoating', - 'def': 'The process in which Golgi vesicle coat proteins are depolymerized, and released for reuse. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048213': { - 'name': 'Golgi vesicle prefusion complex stabilization', - 'def': 'The binding of specific proteins to the t-SNARE/v-SNARE/SNAP25 complex, by which the Golgi vesicle prefusion complex is stabilized. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048214': { - 'name': 'regulation of Golgi vesicle fusion to target membrane', - 'def': 'Any process that modulates the frequency, rate or extent of Golgi vesicle fusion to target membrane. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048215': { - 'name': 'positive regulation of Golgi vesicle fusion to target membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of Golgi vesicle fusion to target membrane. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048216': { - 'name': 'negative regulation of Golgi vesicle fusion to target membrane', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Golgi vesicle fusion to target membrane. [GOC:jid, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048217': { - 'name': 'pectic matrix', - 'def': 'The gel-like pectin matrix consists of the interlinked acidic and neutral pectin networks that are further cross-linked by calcium bridges. Pectins consist largely of long chains of mostly galacturonic acid units (typically 1,4 linkages and sometimes methyl esters). Three major pectic polysaccharides (homogalacturonan, rhamnogalacturonan I and rhamnogalacturonan II) are thought to occur in all primary cell walls. [GOC:jid, PMID:11554482]' - }, - 'GO:0048219': { - 'name': 'inter-Golgi cisterna vesicle-mediated transport', - 'def': 'The directed movement of substances from one Golgi cisterna to another, mediated by small transport vesicles. [GOC:jid, GOC:mah, ISBN:0716731363, PMID:10219233]' - }, - 'GO:0048222': { - 'name': 'glycoprotein network', - 'def': 'An extracellular matrix part that consists of cross-linked glycoproteins. [GOC:mah, PMID:18508691, PMID:7048321]' - }, - 'GO:0048223': { - 'name': 'hemicellulose network', - 'def': 'Network composed of hemicelluloses; members of a class of plant cell wall polysaccharide that cannot be extracted from the wall by hot water or chelating agents, but can be extracted by aqueous alkali. Includes xylan, glucuronoxylan, arabinoxylan, arabinogalactan II, glucomannan, xyloglucan and galactomannan. [DOI:10.1016/j.foodchem.2008.11.065, GOC:jid]' - }, - 'GO:0048224': { - 'name': 'lignin network', - 'def': 'An extracellular matrix part that consists of lignin in the form of a three-dimensional polymeric network. Lignins are complex racemic aromatic heteropolymers derived from a variety of phenylpropane monomers coupled together by an assortment of carbon-carbon and ether linkages. Lignin is crucial for structural integrity of the cell wall and stiffness and strength of the stem. In addition, lignin waterproofs the cell wall, enabling transport of water and solutes through the vascular system, and plays a role in protecting plants against pathogens. [GOC:jid, GOC:mah, PMID:14503002, PMID:16662709]' - }, - 'GO:0048225': { - 'name': 'suberin network', - 'def': 'An extracellular matrix part that consists of fatty acid-derived polymers, including both aromatic and aliphatic components. The suberin network is found in specialized plant cell walls, where it is laid down between the primary wall and plasma membrane, forms protective and wound-healing layers, and provides a water-impermeable diffusion barrier. [GOC:jid, GOC:mah, PMID:18440267, PMID:7706282]' - }, - 'GO:0048226': { - 'name': 'Casparian strip', - 'def': 'Region of plant cell wall specialised to act as a seal to prevent back leakage of secreted material (analogous to tight junction between epithelial cells). Found particularly where root parenchymal cells secrete solutes into xylem vessels. The barrier is composed of suberin; a fatty substance, containing long chain fatty acids and fatty esters, also found in the cell walls of cork cells (phellem) in higher plants. [GOC:jid]' - }, - 'GO:0048227': { - 'name': 'plasma membrane to endosome transport', - 'def': 'Transport of a vesicle from the plasma membrane to the endosome. [GOC:jid]' - }, - 'GO:0048228': { - 'name': 'obsolete actin cortical patch distribution', - 'def': 'OBSOLETE. Any process that establishes the spatial arrangement of actin cortical patches. An actin cortical patch is a discrete actin-containing structure found at the plasma membrane in fungal cells. [GOC:jid]' - }, - 'GO:0048229': { - 'name': 'gametophyte development', - 'def': 'The process whose specific outcome is the progression of the gametophyte over time, from its formation to the mature structure. The gametophyte is the gamete-producing individual or phase in the life cycle having alternation of generations. An example of this process is found in Arabidopsis thaliana. [GOC:jid, PO:0009004]' - }, - 'GO:0048232': { - 'name': 'male gamete generation', - 'def': 'Generation of the male gamete; specialised haploid cells produced by meiosis and along with a female gamete takes part in sexual reproduction. [GOC:dph, GOC:jid]' - }, - 'GO:0048235': { - 'name': 'pollen sperm cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a haploid sperm cell within the plant gametophyte. [CL:0000366, GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048236': { - 'name': 'plant-type sporogenesis', - 'def': 'The formation of plant spores derived from the products of meiosis. The spore gives rise to gametophytes. [GOC:tb]' - }, - 'GO:0048237': { - 'name': 'rough endoplasmic reticulum lumen', - 'def': 'The volume enclosed by the membranes of the rough endoplasmic reticulum. [GOC:jid]' - }, - 'GO:0048238': { - 'name': 'smooth endoplasmic reticulum lumen', - 'def': 'The volume enclosed by the membranes of the smooth endoplasmic reticulum. [GOC:jid]' - }, - 'GO:0048239': { - 'name': 'negative regulation of DNA recombination at telomere', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of genetic recombination within the telomere. [GOC:jid, PMID:9635193]' - }, - 'GO:0048240': { - 'name': 'sperm capacitation', - 'def': 'A process required for sperm to reach fertilization competence. Sperm undergo an incompletely understood series of morphological and molecular maturational processes, termed capacitation, involving, among other processes, protein tyrosine phosphorylation and increased intracellular calcium. [GOC:jid, ISBN:978-3-642-58301-8, PMID:11820818]' - }, - 'GO:0048241': { - 'name': 'epinephrine transport', - 'def': 'The directed movement of epinephrine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:jid]' - }, - 'GO:0048242': { - 'name': 'epinephrine secretion', - 'def': 'The regulated release of epinephrine by a cell. Epinephrine is a catecholamine hormone secreted by the adrenal medulla and a neurotransmitter, released by certain neurons and active in the central nervous system. [GOC:ef, GOC:jid]' - }, - 'GO:0048243': { - 'name': 'norepinephrine secretion', - 'def': 'The regulated release of norepinephrine by a cell. Norepinephrine is a catecholamine and it acts as a hormone and as a neurotransmitter of most of the sympathetic nervous system. [GOC:ef, GOC:jid]' - }, - 'GO:0048244': { - 'name': 'phytanoyl-CoA dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + O(2) + phytanoyl-CoA = 2-hydroxyphytanoyl-CoA + CO(2) + succinate. [EC:1.14.11.18, RHEA:16068]' - }, - 'GO:0048245': { - 'name': 'eosinophil chemotaxis', - 'def': 'The movement of an eosinophil in response to an external stimulus. [GOC:jid, PMID:11292027, PMID:12391252]' - }, - 'GO:0048246': { - 'name': 'macrophage chemotaxis', - 'def': 'The movement of a macrophage in response to an external stimulus. [GOC:jid]' - }, - 'GO:0048247': { - 'name': 'lymphocyte chemotaxis', - 'def': 'The directed movement of a lymphocyte in response to an external stimulus. [GOC:hjd, GOC:jid, PMID:12391252]' - }, - 'GO:0048248': { - 'name': 'CXCR3 chemokine receptor binding', - 'def': 'Interacting selectively and non-covalently with a the CXCR3 chemokine receptor. [GOC:jid, PMID:10556837]' - }, - 'GO:0048249': { - 'name': 'high-affinity phosphate transmembrane transporter activity', - 'def': 'Enables the transfer of phosphate from one side of the membrane to the other. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:jid, PMID:8709965]' - }, - 'GO:0048250': { - 'name': 'mitochondrial iron ion transport', - 'def': 'The directed movement of iron ions into, out of or within a mitochondrion. [GOC:jid, PMID:12006577]' - }, - 'GO:0048251': { - 'name': 'elastic fiber assembly', - 'def': 'Assembly of the extracellular matrix fibers that enables the matrix to recoil after transient stretching. [GOC:jid, PMID:10841810, PMID:12615674]' - }, - 'GO:0048252': { - 'name': 'lauric acid metabolic process', - 'def': 'The chemical reactions and pathways involving lauric acid, a fatty acid with the formula CH3(CH2)10COOH. Derived from vegetable sources. [CHEBI:30805, GOC:jid]' - }, - 'GO:0048254': { - 'name': 'snoRNA localization', - 'def': 'Any process in which small nucleolar RNA is transported to, or maintained in, a specific location. [ISBN:0716731363]' - }, - 'GO:0048255': { - 'name': 'mRNA stabilization', - 'def': 'Prevention of degradation of mRNA molecules. In the absence of compensating changes in other processes, the slowing of mRNA degradation can result in an overall increase in the population of active mRNA molecules. [GOC:jid]' - }, - 'GO:0048256': { - 'name': 'flap endonuclease activity', - 'def': 'Catalysis of the cleavage of a flap structure in DNA, but not other DNA structures; processes the ends of Okazaki fragments in lagging strand DNA synthesis. [GOC:jid]' - }, - 'GO:0048257': { - 'name': "3'-flap endonuclease activity", - 'def': "Catalysis of the cleavage of a 3' flap structure in DNA, but not other DNA structures; processes the 3' ends of Okazaki fragments in lagging strand DNA synthesis. [GOC:jid, PMID:10635319]" - }, - 'GO:0048258': { - 'name': '3-ketoglucose-reductase activity', - 'def': 'Catalysis of the reaction: NADP+ + 3-dehydro-alpha-D-glucose = NADPH + alpha-D-glucose. [MetaCyc:KETOGLUCOSE-REDUCTASE-RXN]' - }, - 'GO:0048259': { - 'name': 'regulation of receptor-mediated endocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of receptor mediated endocytosis, the uptake of external materials by cells, utilizing receptors to ensure specificity of transport. [GOC:go_curators, GOC:tb]' - }, - 'GO:0048260': { - 'name': 'positive regulation of receptor-mediated endocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of receptor mediated endocytosis, the uptake of external materials by cells, utilizing receptors to ensure specificity of transport. [GOC:go_curators, GOC:tb]' - }, - 'GO:0048261': { - 'name': 'negative regulation of receptor-mediated endocytosis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of receptor mediated endocytosis, the uptake of external materials by cells, utilizing receptors to ensure specificity of transport. [GOC:go_curators]' - }, - 'GO:0048262': { - 'name': 'determination of dorsal/ventral asymmetry', - 'def': 'Determination of asymmetry from the dorsal to the ventral side; as, the dorsoventral axis. [GOC:jid]' - }, - 'GO:0048263': { - 'name': 'determination of dorsal identity', - 'def': 'Determination of the identity of part of an organism or organ where those parts are of the type that occur in the dorsal region. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:jid]' - }, - 'GO:0048264': { - 'name': 'determination of ventral identity', - 'def': 'The regionalization process that results in the determination of the identity of part of an organism or organ where those parts are of the type that occur in the ventral region. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:dph, GOC:isa_complete, GOC:jid]' - }, - 'GO:0048265': { - 'name': 'response to pain', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pain stimulus. Pain stimuli cause activation of nociceptors, peripheral receptors for pain, include receptors which are sensitive to painful mechanical stimuli, extreme heat or cold, and chemical stimuli. [GOC:jid, PMID:10203867, PMID:12723742, PMID:12843304, Wikipedia:Pain]' - }, - 'GO:0048266': { - 'name': 'behavioral response to pain', - 'def': 'Any process that results in a change in the behavior of an organism as a result of a pain stimulus. Pain stimuli cause activation of nociceptors, peripheral receptors for pain, include receptors which are sensitive to painful mechanical stimuli, extreme heat or cold, and chemical stimuli. [GOC:jid]' - }, - 'GO:0048268': { - 'name': 'clathrin coat assembly', - 'def': 'The process that results in the assembly of clathrin triskelia into the ordered structure known as a clathrin cage. [GOC:jid, PMID:11460887, PMID:11977118, PMID:9531549]' - }, - 'GO:0048269': { - 'name': 'methionine adenosyltransferase complex', - 'def': 'A multimeric enzyme complex composed of variable numbers of catalytic alpha subunits, and noncatalytic beta subunits. The beta subunits are believed to have a regulatory function. The enzyme complex catalyzes the synthesis of S-adenosylmethionine (AdoMet), which is the major methyl group donor, participating in the methylation of proteins, DNA, RNA, phospholipids, and other small molecules. [EC:2.5.1.6, GOC:jid, PMID:10644686]' - }, - 'GO:0048270': { - 'name': 'methionine adenosyltransferase regulator activity', - 'def': 'Modulates the activity of methionine adenosyltransferase. [EC:2.5.1.6, GOC:jid, PMID:10644686]' - }, - 'GO:0048273': { - 'name': 'mitogen-activated protein kinase p38 binding', - 'def': 'Interacting selectively and non-covalently with mitogen-activated protein kinase p38, an enzyme that catalyzes the transfer of phosphate from ATP to hydroxyl side chains on proteins in response to mitogen activation. [GOC:curators, PMID:17827184]' - }, - 'GO:0048275': { - 'name': 'N-terminal peptidyl-arginine acetylation', - 'def': 'The acetylation of the N-terminal arginine of proteins; catalyzed by an uncharacterized arginyl-peptide alpha-N-acetyltransferase. [GOC:jsg, PMID:12883043, RESID:AA0354]' - }, - 'GO:0048277': { - 'name': 'obsolete nonexocytotic vesicle docking', - 'def': 'OBSOLETE. The initial attachment of a transport vesicle membrane to a target membrane, mediated by proteins protruding from the membrane of the vesicle and the target membrane, during a non-exocytotic process. [GOC:jid]' - }, - 'GO:0048278': { - 'name': 'vesicle docking', - 'def': 'The initial attachment of a transport vesicle membrane to the target membrane, mediated by proteins protruding from the membrane of the vesicle and the target membrane. Docking requires only that the two membranes come close enough for these proteins to interact and adhere. [GOC:ai, GOC:jid]' - }, - 'GO:0048279': { - 'name': 'vesicle fusion with endoplasmic reticulum', - 'def': 'The joining of the lipid bilayer membrane around a vesicle to the lipid bilayer membrane around the endoplasmic reticulum. [GOC:jid]' - }, - 'GO:0048280': { - 'name': 'vesicle fusion with Golgi apparatus', - 'def': 'The joining of the lipid bilayer membrane around a vesicle to the lipid bilayer membrane around the Golgi. [GOC:jid]' - }, - 'GO:0048281': { - 'name': 'inflorescence morphogenesis', - 'def': 'The process in which the anatomical structures of inflorescences are generated and organized. An inflorescence is the part of a seed plant body that is usually above ground and that can bear flowers. [GOC:jid]' - }, - 'GO:0048282': { - 'name': 'determinate inflorescence morphogenesis', - 'def': 'The process in which the anatomical structures of determinate inflorescences are generated and organized. A determinate inflorescence is one that can only produce a predetermined number of floral meristems. [GOC:jid, PMID:9553044]' - }, - 'GO:0048283': { - 'name': 'indeterminate inflorescence morphogenesis', - 'def': 'The process in which the anatomical structures of determinate inflorescences are generated and organized. A determinate inflorescence is one that can produce an undefined number of floral meristems. [GOC:jid]' - }, - 'GO:0048284': { - 'name': 'organelle fusion', - 'def': 'The creation of a single organelle from two or more organelles. [GOC:jid]' - }, - 'GO:0048285': { - 'name': 'organelle fission', - 'def': 'The creation of two or more organelles by division of one organelle. [GOC:jid]' - }, - 'GO:0048286': { - 'name': 'lung alveolus development', - 'def': 'The process whose specific outcome is the progression of the alveolus over time, from its formation to the mature structure. The alveolus is a sac for holding air in the lungs; formed by the terminal dilation of air passageways. [GOC:mtg_lung, PMID:9751757]' - }, - 'GO:0048288': { - 'name': 'nuclear membrane fusion involved in karyogamy', - 'def': 'The joining of 2 or more lipid bilayer membranes that surround the nucleus during the creation of a single nucleus from multiple nuclei. [GOC:jid]' - }, - 'GO:0048289': { - 'name': 'isotype switching to IgE isotypes', - 'def': "The switching of activated B cells from IgM biosynthesis to IgE biosynthesis, accomplished through a recombination process involving an intrachromosomal deletion between switch regions that reside 5' of the IgM and IgE constant region gene segments in the immunoglobulin heavy chain locus. [ISBN:0781735149, PMID:12370374, PMID:2113175, PMID:9186655]" - }, - 'GO:0048290': { - 'name': 'isotype switching to IgA isotypes', - 'def': "The switching of activated B cells from IgM biosynthesis to biosynthesis of an IgA isotype, accomplished through a recombination process involving an intrachromosomal deletion between switch regions that reside 5' of the IgM and one of the IgA constant region gene segments in the immunoglobulin heavy chain locus. [ISBN:0781735149, PMID:12370374, PMID:2113175, PMID:9186655]" - }, - 'GO:0048291': { - 'name': 'isotype switching to IgG isotypes', - 'def': "The switching of activated B cells from IgM biosynthesis to biosynthesis of an IgG isotype, accomplished through a recombination process involving an intrachromosomal deletion between switch regions that reside 5' of the IgM and one of the IgG constant region gene segments in the immunoglobulin heavy chain locus. [ISBN:0781735149, PMID:12370374, PMID:2113175, PMID:9186655]" - }, - 'GO:0048292': { - 'name': 'isotype switching to IgD isotypes', - 'def': "The switching of activated B cells from IgM biosynthesis to IgD biosynthesis, accomplished through a recombination process involving an intrachromosomal deletion between switch regions that reside 5' of the IgM and IgD constant region gene segments in the immunoglobulin heavy chain locus. [ISBN:0781735149, PMID:12370374, PMID:2113175, PMID:9186655]" - }, - 'GO:0048293': { - 'name': 'regulation of isotype switching to IgE isotypes', - 'def': 'Any process that modulates the frequency, rate or extent of isotype switching to IgE isotypes. [GOC:jid]' - }, - 'GO:0048294': { - 'name': 'negative regulation of isotype switching to IgE isotypes', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of isotype switching to IgE isotypes. [GOC:jid]' - }, - 'GO:0048295': { - 'name': 'positive regulation of isotype switching to IgE isotypes', - 'def': 'Any process that activates or increases the frequency, rate or extent of isotype switching to IgE isotypes. [GOC:jid]' - }, - 'GO:0048296': { - 'name': 'regulation of isotype switching to IgA isotypes', - 'def': 'Any process that modulates the frequency, rate or extent of isotype switching to IgA isotypes. [GOC:jid]' - }, - 'GO:0048297': { - 'name': 'negative regulation of isotype switching to IgA isotypes', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of isotype switching to IgA isotypes. [GOC:jid]' - }, - 'GO:0048298': { - 'name': 'positive regulation of isotype switching to IgA isotypes', - 'def': 'Any process that activates or increases the frequency, rate or extent of isotype switching to IgA isotypes. [GOC:jid]' - }, - 'GO:0048299': { - 'name': 'regulation of isotype switching to IgD isotypes', - 'def': 'Any process that modulates the frequency, rate or extent of isotype switching to IgD isotypes. [GOC:jid]' - }, - 'GO:0048300': { - 'name': 'negative regulation of isotype switching to IgD isotypes', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of isotype switching to IgD isotypes. [GOC:jid]' - }, - 'GO:0048301': { - 'name': 'positive regulation of isotype switching to IgD isotypes', - 'def': 'Any process that activates or increases the frequency, rate or extent of isotype switching to IgD isotypes. [GOC:jid]' - }, - 'GO:0048302': { - 'name': 'regulation of isotype switching to IgG isotypes', - 'def': 'Any process that modulates the frequency, rate or extent of isotype switching to IgG isotypes. [GOC:jid]' - }, - 'GO:0048303': { - 'name': 'negative regulation of isotype switching to IgG isotypes', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of isotype switching to IgG isotypes. [GOC:jid]' - }, - 'GO:0048304': { - 'name': 'positive regulation of isotype switching to IgG isotypes', - 'def': 'Any process that activates or increases the frequency, rate or extent of isotype switching to IgG isotypes. [GOC:jid]' - }, - 'GO:0048305': { - 'name': 'immunoglobulin secretion', - 'def': 'The regulated release of immunoglobulins from a B cell or plasma cell, whose mechanism includes the use of alternate polyadenylylation signals to favor the biosynthesis of secreted forms of immunoglobulin over membrane-bound immunoglobulin. [GOC:add, ISBN:0781735149, PMID:9185563]' - }, - 'GO:0048306': { - 'name': 'calcium-dependent protein binding', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex (a complex of two or more proteins that may include other nonprotein molecules), in the presence of calcium. [GOC:jid, PMID:10485905]' - }, - 'GO:0048307': { - 'name': 'ferredoxin-nitrite reductase activity', - 'def': 'Catalysis of the reaction: NH3 + 2 H2O + 6 oxidized ferredoxin = nitrite + 6 reduced ferredoxin + 7 H+. [EC:1.7.7.1, GOC:jid]' - }, - 'GO:0048308': { - 'name': 'organelle inheritance', - 'def': 'The partitioning of organelles between daughter cells at cell division. [GOC:jid]' - }, - 'GO:0048309': { - 'name': 'endoplasmic reticulum inheritance', - 'def': 'The partitioning of endoplasmic reticulum between daughter cells at cell division. [GOC:jid]' - }, - 'GO:0048310': { - 'name': 'nucleus inheritance', - 'def': 'The partitioning of nuclei between daughter cells at cell division. [GOC:jid]' - }, - 'GO:0048311': { - 'name': 'mitochondrion distribution', - 'def': 'Any process that establishes the spatial arrangement of mitochondria between and within cells. [GOC:jid]' - }, - 'GO:0048312': { - 'name': 'intracellular distribution of mitochondria', - 'def': 'Any process that establishes the spatial arrangement of mitochondria within the cell. [GOC:jid]' - }, - 'GO:0048313': { - 'name': 'Golgi inheritance', - 'def': 'The partitioning of Golgi apparatus between daughter cells at cell division. [GOC:jid, PMID:12851069]' - }, - 'GO:0048314': { - 'name': 'embryo sac morphogenesis', - 'def': 'The process in which the anatomical structures of the embryo sac are generated and organized. The embryo sac develops from the megaspore in heterosporous plants. [GOC:jid, GOC:mtg_plant, http://www.bio.uu.nl]' - }, - 'GO:0048315': { - 'name': 'conidium formation', - 'def': 'The process of producing non-motile spores, called conidia, via mitotic asexual reproduction in higher fungi. Conidia are haploid cells genetically identical to their haploid parent. They are produced by conversion of hyphal elements, or are borne on sporogenous cells on or within specialized structures termed conidiophores, and participate in dispersal of the fungus. [GOC:di, ISBN:0963117211, PMID:2524423, PMID:9529886]' - }, - 'GO:0048316': { - 'name': 'seed development', - 'def': 'The process whose specific outcome is the progression of the seed over time, from its formation to the mature structure. A seed is a propagating organ formed in the sexual reproductive cycle of gymnosperms and angiosperms, consisting of a protective coat enclosing an embryo and food reserves. [GOC:jid, PO:0009010]' - }, - 'GO:0048317': { - 'name': 'seed morphogenesis', - 'def': 'The process in which the anatomical structures of the seed are generated and organized. [GOC:go_curators]' - }, - 'GO:0048318': { - 'name': 'axial mesoderm development', - 'def': 'The process whose specific outcome is the progression of the axial mesoderm over time, from its formation to the mature structure. The axial mesoderm includes the prechordal mesoderm and the chordamesoderm. It gives rise to the prechordal plate and to the notochord. [GOC:dgh]' - }, - 'GO:0048319': { - 'name': 'axial mesoderm morphogenesis', - 'def': 'The process in which the anatomical structures of the axial mesoderm are generated and organized. [GOC:go_curators]' - }, - 'GO:0048320': { - 'name': 'axial mesoderm formation', - 'def': 'The process that gives rise to the axial mesoderm. This process pertains to the initial formation of the structure from unspecified parts. [GOC:dgh]' - }, - 'GO:0048321': { - 'name': 'axial mesodermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an axial mesoderm cell. [GOC:dgh]' - }, - 'GO:0048322': { - 'name': 'axial mesodermal cell fate commitment', - 'def': 'The process in which a cell becomes committed to become an axial mesoderm cell. [GOC:dgh]' - }, - 'GO:0048323': { - 'name': 'axial mesodermal cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an axial mesoderm cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:dgh]' - }, - 'GO:0048324': { - 'name': 'regulation of axial mesodermal cell fate determination', - 'def': 'Any process that modulates the frequency, rate or extent of axial mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048325': { - 'name': 'negative regulation of axial mesodermal cell fate determination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of axial mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048326': { - 'name': 'positive regulation of axial mesodermal cell fate determination', - 'def': 'Any process that activates or increases the frequency, rate or extent of axial mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048327': { - 'name': 'axial mesodermal cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an axial mesoderm cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:dgh]' - }, - 'GO:0048328': { - 'name': 'regulation of axial mesodermal cell fate specification', - 'def': 'Any process that modulates the frequency, rate or extent of axial mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048329': { - 'name': 'negative regulation of axial mesodermal cell fate specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of axial mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048330': { - 'name': 'positive regulation of axial mesodermal cell fate specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of axial mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048331': { - 'name': 'axial mesoderm structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the axial mesoderm. This process pertains to the physical shaping of a rudimentary structure. [GOC:dgh]' - }, - 'GO:0048332': { - 'name': 'mesoderm morphogenesis', - 'def': 'The process in which the anatomical structures of the mesoderm are generated and organized. [GOC:go_curators]' - }, - 'GO:0048333': { - 'name': 'mesodermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a mesoderm cell. [GOC:dgh]' - }, - 'GO:0048334': { - 'name': 'regulation of mesodermal cell fate determination', - 'def': 'Any process that modulates the frequency, rate or extent of mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048335': { - 'name': 'negative regulation of mesodermal cell fate determination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048336': { - 'name': 'positive regulation of mesodermal cell fate determination', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048337': { - 'name': 'positive regulation of mesodermal cell fate specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048338': { - 'name': 'mesoderm structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the mesoderm. This process pertains to the physical shaping of a rudimentary structure. [GOC:dgh]' - }, - 'GO:0048339': { - 'name': 'paraxial mesoderm development', - 'def': 'The process whose specific outcome is the progression of the paraxial mesoderm over time, from its formation to the mature structure. The paraxial mesoderm is the mesoderm located bilaterally adjacent to the notochord and neural tube. [GOC:dgh]' - }, - 'GO:0048340': { - 'name': 'paraxial mesoderm morphogenesis', - 'def': 'The process in which the anatomical structures of the paraxial mesoderm are generated and organized. [GOC:go_curators]' - }, - 'GO:0048341': { - 'name': 'paraxial mesoderm formation', - 'def': 'The process that gives rise to the paraxial mesoderm. This process pertains to the initial formation of the structure from unspecified parts. [GOC:dgh]' - }, - 'GO:0048342': { - 'name': 'paraxial mesodermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a paraxial mesoderm cell. [GOC:dgh]' - }, - 'GO:0048343': { - 'name': 'paraxial mesodermal cell fate commitment', - 'def': 'The process in which a cell becomes committed to become a paraxial mesoderm cell. [GOC:dgh]' - }, - 'GO:0048344': { - 'name': 'paraxial mesodermal cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a paraxial mesoderm cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:dgh]' - }, - 'GO:0048345': { - 'name': 'regulation of paraxial mesodermal cell fate determination', - 'def': 'Any process that modulates the frequency, rate or extent of paraxial mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048346': { - 'name': 'positive regulation of paraxial mesodermal cell fate determination', - 'def': 'Any process that activates or increases the frequency, rate or extent of paraxial mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048347': { - 'name': 'negative regulation of paraxial mesodermal cell fate determination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of paraxial mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048348': { - 'name': 'paraxial mesodermal cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a paraxial mesoderm cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:dgh]' - }, - 'GO:0048349': { - 'name': 'regulation of paraxial mesodermal cell fate specification', - 'def': 'Any process that modulates the frequency, rate or extent of paraxial mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048350': { - 'name': 'positive regulation of paraxial mesodermal cell fate specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of paraxial mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048351': { - 'name': 'negative regulation of paraxial mesodermal cell fate specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of paraxial mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048352': { - 'name': 'paraxial mesoderm structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the paraxial mesoderm. This process pertains to the physical shaping of a rudimentary structure. [GOC:dgh]' - }, - 'GO:0048353': { - 'name': 'primary endosperm nucleus', - 'def': 'Nucleus resulting from the fusion of the male gamete and two polar nuclei in the central cell of the embryo sac. [ISBN:0471245208]' - }, - 'GO:0048354': { - 'name': 'mucilage biosynthetic process involved in seed coat development', - 'def': 'The chemical reactions and pathways resulting in the formation of mucilage that occur as part of seed coat development; mucilage is normally synthesized during seed coat development. [GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048355': { - 'name': 'root cap mucilage biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mucilage that occur in the root cap; mucilage is normally synthesized during root growth. [GOC:jid]' - }, - 'GO:0048356': { - 'name': 'root epithelial mucilage biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mucilage that occur in the root epithelium; mucilage is normally synthesized during root growth. [GOC:jid]' - }, - 'GO:0048357': { - 'name': 'pedicel mucilage biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mucilage that occur in the flower stem. [GOC:jid]' - }, - 'GO:0048358': { - 'name': 'mucilage pectin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the pectin component of mucilage. [GOC:jid]' - }, - 'GO:0048359': { - 'name': 'mucilage metabolic process involved in seed coat development', - 'def': 'The chemical reactions and pathways involving mucilage that occur as part of seed coat development; mucilage is normally synthesized during seed coat development. [GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048360': { - 'name': 'root cap mucilage metabolic process', - 'def': 'The chemical reactions and pathways involving mucilage that occur in the root cap; mucilage is normally synthesized during root growth. [GOC:jid]' - }, - 'GO:0048361': { - 'name': 'root epithelial mucilage metabolic process', - 'def': 'The chemical reactions and pathways involving mucilage that occur in the root epithelium; mucilage is normally synthesized during root growth. [GOC:jid]' - }, - 'GO:0048362': { - 'name': 'pedicel mucilage metabolic process', - 'def': 'The chemical reactions and pathways involving mucilage that occur in the flower stem. [GOC:jid]' - }, - 'GO:0048363': { - 'name': 'mucilage pectin metabolic process', - 'def': 'The chemical reactions and pathways involving the pectin component of mucilage. [GOC:jid]' - }, - 'GO:0048364': { - 'name': 'root development', - 'def': 'The process whose specific outcome is the progression of the root over time, from its formation to the mature structure. The root is the water- and mineral-absorbing part of a plant which is usually underground, does not bear leaves, tends to grow downwards and is typically derived from the radicle of the embryo. [GOC:jid, PO:0009005]' - }, - 'GO:0048365': { - 'name': 'Rac GTPase binding', - 'def': 'Interacting selectively and non-covalently with Rac protein, any member of the Rac subfamily of the Ras superfamily of monomeric GTPases. [GOC:ebc, PMID:11702775]' - }, - 'GO:0048366': { - 'name': 'leaf development', - 'def': 'The process whose specific outcome is the progression of the leaf over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0048367': { - 'name': 'shoot system development', - 'def': 'The process whose specific outcome is the progression of the shoot system over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0048368': { - 'name': 'lateral mesoderm development', - 'def': 'The process whose specific outcome is the progression of the lateral mesoderm over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0048369': { - 'name': 'lateral mesoderm morphogenesis', - 'def': 'The process in which the anatomical structures of the lateral mesoderm are generated and organized. [GOC:go_curators]' - }, - 'GO:0048370': { - 'name': 'lateral mesoderm formation', - 'def': 'The process that gives rise to the lateral mesoderm. This process pertains to the initial formation of the structure from unspecified parts. [GOC:jid]' - }, - 'GO:0048371': { - 'name': 'lateral mesodermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a lateral mesoderm cell. [GOC:jid]' - }, - 'GO:0048372': { - 'name': 'lateral mesodermal cell fate commitment', - 'def': 'The process in which a cell becomes committed to become a lateral mesoderm cell. [GOC:jid]' - }, - 'GO:0048373': { - 'name': 'lateral mesodermal cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a lateral mesoderm cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:jid]' - }, - 'GO:0048374': { - 'name': 'regulation of lateral mesodermal cell fate determination', - 'def': 'Any process that modulates the frequency, rate or extent of lateral mesoderm cell fate determination. [GOC:jid]' - }, - 'GO:0048375': { - 'name': 'negative regulation of lateral mesodermal cell fate determination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of lateral mesoderm cell fate determination. [GOC:jid]' - }, - 'GO:0048376': { - 'name': 'positive regulation of lateral mesodermal cell fate determination', - 'def': 'Any process that activates or increases the frequency, rate or extent of lateral mesoderm cell fate determination. [GOC:jid]' - }, - 'GO:0048377': { - 'name': 'lateral mesodermal cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a lateral mesoderm cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:jid]' - }, - 'GO:0048378': { - 'name': 'regulation of lateral mesodermal cell fate specification', - 'def': 'Any process that modulates the frequency, rate or extent of lateral mesoderm cell fate specification. [GOC:jid]' - }, - 'GO:0048379': { - 'name': 'positive regulation of lateral mesodermal cell fate specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of lateral mesoderm cell fate specification. [GOC:jid]' - }, - 'GO:0048380': { - 'name': 'negative regulation of lateral mesodermal cell fate specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of lateral mesoderm cell fate specification. [GOC:jid]' - }, - 'GO:0048381': { - 'name': 'lateral mesoderm structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the lateral mesoderm. This process pertains to the physical shaping of a rudimentary structure. [GOC:jid]' - }, - 'GO:0048382': { - 'name': 'mesendoderm development', - 'def': 'The process whose specific outcome is the progression of the mesendoderm over time, from its formation to the mature structure. In animal embryos, mesendoderm development gives rise to both mesoderm and endoderm tissues. [GOC:jid]' - }, - 'GO:0048383': { - 'name': 'mesectoderm development', - 'def': 'The process whose specific outcome is the progression of the mesectoderm over time, from its formation to the mature structure. In animal embryos, mesectoderm development processes give rise to both mesoderm and ectoderm tissues. [GOC:jid]' - }, - 'GO:0048384': { - 'name': 'retinoic acid receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a retinoic acid receptor binding to one of its physiological ligands. [GOC:dgh]' - }, - 'GO:0048385': { - 'name': 'regulation of retinoic acid receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of retinoic acid receptor signaling pathway activity. [GOC:dgh]' - }, - 'GO:0048386': { - 'name': 'positive regulation of retinoic acid receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of retinoic acid receptor signaling pathway activity. [GOC:dgh]' - }, - 'GO:0048387': { - 'name': 'negative regulation of retinoic acid receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of retinoic acid receptor signaling pathway activity. [GOC:dgh]' - }, - 'GO:0048388': { - 'name': 'endosomal lumen acidification', - 'def': 'Any process that reduces the pH of the endosomal lumen, measured by the concentration of the hydrogen ion. [GOC:jid]' - }, - 'GO:0048389': { - 'name': 'intermediate mesoderm development', - 'def': 'The process whose specific outcome is the progression of the intermediate mesoderm over time, from its formation to the mature structure. The intermediate mesoderm is located between the lateral mesoderm and the paraxial mesoderm. It develops into the kidney and gonads. [GOC:dgh]' - }, - 'GO:0048390': { - 'name': 'intermediate mesoderm morphogenesis', - 'def': 'The process in which the anatomical structures of the intermediate mesoderm are generated and organized. [GOC:go_curators]' - }, - 'GO:0048391': { - 'name': 'intermediate mesoderm formation', - 'def': 'The process that gives rise to the intermediate mesoderm. This process pertains to the initial formation of the structure from unspecified parts. [GOC:dgh]' - }, - 'GO:0048392': { - 'name': 'intermediate mesodermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an intermediate mesoderm cell. [GOC:dgh]' - }, - 'GO:0048393': { - 'name': 'intermediate mesodermal cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into an intermediate mesoderm cell. [GOC:dgh]' - }, - 'GO:0048394': { - 'name': 'intermediate mesodermal cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a intermediate mesoderm cell regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:dgh]' - }, - 'GO:0048395': { - 'name': 'regulation of intermediate mesodermal cell fate determination', - 'def': 'Any process that modulates the frequency, rate or extent of intermediate mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048396': { - 'name': 'negative regulation of intermediate mesodermal cell fate determination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of intermediate mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048397': { - 'name': 'positive regulation of intermediate mesodermal cell fate determination', - 'def': 'Any process that activates or increases the frequency, rate or extent of intermediate mesoderm cell fate determination. [GOC:dgh]' - }, - 'GO:0048398': { - 'name': 'intermediate mesodermal cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an intermediate mesoderm cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:dgh]' - }, - 'GO:0048399': { - 'name': 'regulation of intermediate mesodermal cell fate specification', - 'def': 'Any process that modulates the frequency, rate or extent of intermediate mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048400': { - 'name': 'positive regulation of intermediate mesodermal cell fate specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of intermediate mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048401': { - 'name': 'negative regulation of intermediate mesodermal cell fate specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of intermediate mesoderm cell fate specification. [GOC:dgh]' - }, - 'GO:0048402': { - 'name': 'intermediate mesoderm structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the intermediate mesoderm. This process pertains to the physical shaping of a rudimentary structure. [GOC:dgh]' - }, - 'GO:0048403': { - 'name': 'brain-derived neurotrophic factor binding', - 'def': 'Interacting selectively and non-covalently with brain-derived neurotrophic factor. [GOC:dgh]' - }, - 'GO:0048406': { - 'name': 'nerve growth factor binding', - 'def': 'Interacting selectively and non-covalently with nerve growth factor (NGF). [GOC:dgh]' - }, - 'GO:0048407': { - 'name': 'platelet-derived growth factor binding', - 'def': 'Interacting selectively and non-covalently with platelet-derived growth factor. [GOC:dgh]' - }, - 'GO:0048408': { - 'name': 'epidermal growth factor binding', - 'def': 'Interacting selectively and non-covalently with epidermal growth factor. [GOC:dgh]' - }, - 'GO:0048437': { - 'name': 'floral organ development', - 'def': 'The process whose specific outcome is the progression of the floral organ over time, from its formation to the mature structure. [GOC:go_curators, GOC:PO_curators, PO:0025395]' - }, - 'GO:0048438': { - 'name': 'floral whorl development', - 'def': 'The process whose specific outcome is the progression of a floral whorl over time, from its formation to the mature structure. A floral whorl is a circular arrangement of parts of a flower arising from a stem of a plant. [GOC:dph, GOC:go_curators, GOC:PO_curators, GOC:tb, PO:0025023]' - }, - 'GO:0048439': { - 'name': 'flower morphogenesis', - 'def': 'The process in which the anatomical structures of the flower are generated and organized. [GOC:go_curators]' - }, - 'GO:0048440': { - 'name': 'carpel development', - 'def': 'The process whose specific outcome is the progression of the carpel over time, from its formation to the mature structure. A carpel is an organ (generally believed to be a modified foliar unit) at the centre of a flower, bearing one or more ovules and having its margins fused together or with other carpels to enclose the ovule in an ovary, and consisting also of a stigma and usually a style. [GOC:go_curators]' - }, - 'GO:0048441': { - 'name': 'petal development', - 'def': 'The process whose specific outcome is the progression of the petal over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0048442': { - 'name': 'sepal development', - 'def': 'The process whose specific outcome is the progression of the sepal over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0048443': { - 'name': 'stamen development', - 'def': 'The process whose specific outcome is the progression of the stamen over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0048444': { - 'name': 'floral organ morphogenesis', - 'def': 'The process in which the anatomical structures of the floral organ are generated and organized. [GOC:go_curators, GOC:PO_curators, PO:0025395]' - }, - 'GO:0048445': { - 'name': 'carpel morphogenesis', - 'def': 'The process in which the anatomical structures of the carpel are generated and organized. [GOC:go_curators]' - }, - 'GO:0048446': { - 'name': 'petal morphogenesis', - 'def': 'The process in which the anatomical structures of the petal are generated and organized. [GOC:go_curators]' - }, - 'GO:0048447': { - 'name': 'sepal morphogenesis', - 'def': 'The process in which the anatomical structures of the sepal are generated and organized. [GOC:go_curators]' - }, - 'GO:0048448': { - 'name': 'stamen morphogenesis', - 'def': 'The process in which the anatomical structures of the stamen are generated and organized. [GOC:go_curators]' - }, - 'GO:0048449': { - 'name': 'floral organ formation', - 'def': 'The process that gives rise to floral organs. This process pertains to the initial formation of a structure from unspecified parts. [GOC:jid, GOC:PO_curators, PO:0025395]' - }, - 'GO:0048450': { - 'name': 'floral organ structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of floral organs. This process pertains to the physical shaping of a rudimentary structure. [GOC:jid, GOC:PO_curators, PO:0025395]' - }, - 'GO:0048451': { - 'name': 'petal formation', - 'def': 'The process that gives rise to the petal. This process pertains to the initial formation of a structure from unspecified parts. [GOC:jid]' - }, - 'GO:0048452': { - 'name': 'petal structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the petal. This process pertains to the physical shaping of a rudimentary structure. [GOC:jid]' - }, - 'GO:0048453': { - 'name': 'sepal formation', - 'def': 'The process that gives rise to the sepal. This process pertains to the initial formation of a structure from unspecified parts. [GOC:jid]' - }, - 'GO:0048454': { - 'name': 'sepal structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the sepal. This process pertains to the physical shaping of a rudimentary structure. [GOC:jid]' - }, - 'GO:0048455': { - 'name': 'stamen formation', - 'def': 'The process that contributes to the act of giving rise to the stamen. This process pertains to the initial formation of a structure from unspecified parts. [GOC:jid]' - }, - 'GO:0048456': { - 'name': 'stamen structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the stamen. This process pertains to the physical shaping of a rudimentary structure. [GOC:jid]' - }, - 'GO:0048457': { - 'name': 'floral whorl morphogenesis', - 'def': 'The process in which the anatomical structures of the floral whorl are generated and organized. [GOC:go_curators, GOC:PO_curators, PO:0025023]' - }, - 'GO:0048458': { - 'name': 'floral whorl formation', - 'def': 'The process that gives rise to the floral whorl. This process pertains to the initial formation of a structure from unspecified parts. [GOC:jid, GOC:PO_curators, PO:0025023]' - }, - 'GO:0048459': { - 'name': 'floral whorl structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the floral whorl. This process pertains to the physical shaping of a rudimentary structure. [GOC:jid, GOC:PO_curators, PO:0025023]' - }, - 'GO:0048460': { - 'name': 'flower formation', - 'def': 'The process that gives rise to the flower. This process pertains to the initial formation of a structure from unspecified parts. [GOC:jid]' - }, - 'GO:0048461': { - 'name': 'flower structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the flower. This process pertains to the physical shaping of a rudimentary structure. [GOC:jid]' - }, - 'GO:0048462': { - 'name': 'carpel formation', - 'def': 'The process that gives rise to the carpel. This process pertains to the initial formation of a structure from unspecified parts. [GOC:jid]' - }, - 'GO:0048463': { - 'name': 'carpel structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the carpel. This process pertains to the physical shaping of a rudimentary structure. [GOC:jid]' - }, - 'GO:0048464': { - 'name': 'flower calyx development', - 'def': 'The process whose specific outcome is the progression of the flower calyx over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0048465': { - 'name': 'corolla development', - 'def': 'The process whose specific outcome is the progression of the corolla over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0048466': { - 'name': 'androecium development', - 'def': 'The process whose specific outcome is the progression of the androecium over time, from its formation to the mature structure. [GOC:go_curators]' - }, - 'GO:0048467': { - 'name': 'gynoecium development', - 'def': 'The process whose specific outcome is the progression of the gynoecium over time, from its formation to the mature structure. The gynoecium is the collective name for the carpels of a flower. [GOC:go_curators, PO:0008062]' - }, - 'GO:0048468': { - 'name': 'cell development', - 'def': 'The process whose specific outcome is the progression of the cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. [GOC:go_curators]' - }, - 'GO:0048469': { - 'name': 'cell maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a cell to attain its fully functional state. [GOC:go_curators]' - }, - 'GO:0048471': { - 'name': 'perinuclear region of cytoplasm', - 'def': 'Cytoplasm situated near, or occurring around, the nucleus. [GOC:jid]' - }, - 'GO:0048472': { - 'name': 'threonine-phosphate decarboxylase activity', - 'def': 'Catalysis of the reaction: O-phospho-L-threonine + H(+) = (R)-1-aminopropan-2-yl phosphate + CO(2). [EC:4.1.1.81, RHEA:11495]' - }, - 'GO:0048473': { - 'name': 'D-methionine transport', - 'def': 'The directed movement of D-methionine into, out of, within, or between cells. [GOC:mlg, PMID:12169620]' - }, - 'GO:0048474': { - 'name': 'D-methionine transmembrane transporter activity', - 'def': 'Enables the transfer of D-methionine from one side of a membrane to the other. [GOC:mlg, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0048475': { - 'name': 'coated membrane', - 'def': 'A single or double lipid bilayer with any of several different proteinaceous coats that can associate with membranes. Membrane coats include those formed by clathrin plus an adaptor complex, the COPI and COPII complexes. [GOC:jid]' - }, - 'GO:0048476': { - 'name': 'Holliday junction resolvase complex', - 'def': 'A protein complex that mediates the conversion of a Holliday junction into two separate duplex DNA molecules; the complex includes a single- or multisubunit helicase that catalyzes the extension of heteroduplex DNA by branch migration and a nuclease that resolves the junction by nucleolytic cleavage. [PMID:11207366, PMID:12374758]' - }, - 'GO:0048477': { - 'name': 'oogenesis', - 'def': 'The complete process of formation and maturation of an ovum or female gamete from a primordial female germ cell. Examples of this process are found in Mus musculus and Drosophila melanogaster. [GOC:kmv, GOC:mtg_sensu, GOC:pr]' - }, - 'GO:0048478': { - 'name': 'replication fork protection', - 'def': 'Any process that prevents the collapse of stalled replication forks. [GOC:vw, PMID:14560029]' - }, - 'GO:0048479': { - 'name': 'style development', - 'def': 'The process whose specific outcome is the progression of the style over time, from its formation to the mature structure. The style is an elongated part of a carpel, or group of fused carpels, and it lies between the ovary and the stigma. [GOC:jid, PO:0009074]' - }, - 'GO:0048480': { - 'name': 'stigma development', - 'def': 'The process whose specific outcome is the progression of the stigma over time, from its formation to the mature structure. The stigma is the pollen-receptive surface of a carpel or group of fused carpels, usually sticky. [GOC:jid, PO:0009073]' - }, - 'GO:0048481': { - 'name': 'plant ovule development', - 'def': 'The process whose specific outcome is the progression of the ovule over time, from its formation to the mature structure. The ovule is the structure in seed plants enclosing the female gametophyte, and is composed of the nucellus, one or two integuments, and the funiculus; it develops into the seed. [GOC:tb]' - }, - 'GO:0048482': { - 'name': 'plant ovule morphogenesis', - 'def': 'The process in which the anatomical structures of the ovule are generated and organized. The ovule is the structure in seed plants enclosing the female gametophyte, and is composed of the nucellus, one or two integuments, and the funiculus; it develops into the seed. [GOC:tb]' - }, - 'GO:0048483': { - 'name': 'autonomic nervous system development', - 'def': 'The process whose specific outcome is the progression of the autonomic nervous system over time, from its formation to the mature structure. The autonomic nervous system is composed of neurons that are not under conscious control, and is comprised of two antagonistic components, the sympathetic and parasympathetic nervous systems. The autonomic nervous system regulates key functions including the activity of the cardiac (heart) muscle, smooth muscles (e.g. of the gut), and glands. [FMA:9905, GOC:jid, GOC:sr]' - }, - 'GO:0048484': { - 'name': 'enteric nervous system development', - 'def': 'The process whose specific outcome is the progression of the enteric nervous system over time, from its formation to the mature structure. The enteric nervous system is composed of two ganglionated neural plexuses in the gut wall which form one of the three major divisions of the autonomic nervous system. The enteric nervous system innervates the gastrointestinal tract, the pancreas, and the gall bladder. It contains sensory neurons, interneurons, and motor neurons. Thus the circuitry can autonomously sense the tension and the chemical environment in the gut and regulate blood vessel tone, motility, secretions, and fluid transport. The system is itself governed by the central nervous system and receives both parasympathetic and sympathetic innervation. [FMA:66070, GOC:jid, GOC:sr]' - }, - 'GO:0048485': { - 'name': 'sympathetic nervous system development', - 'def': 'The process whose specific outcome is the progression of the sympathetic nervous system over time, from its formation to the mature structure. The sympathetic nervous system is one of the two divisions of the vertebrate autonomic nervous system (the other being the parasympathetic nervous system). The sympathetic preganglionic neurons have their cell bodies in the thoracic and lumbar regions of the spinal cord and connect to the paravertebral chain of sympathetic ganglia. Innervate heart and blood vessels, sweat glands, viscera and the adrenal medulla. Most sympathetic neurons, but not all, use noradrenaline as a post-ganglionic neurotransmitter. [FMA:9906, GOC:jid, GOC:sr]' - }, - 'GO:0048486': { - 'name': 'parasympathetic nervous system development', - 'def': 'The process whose specific outcome is the progression of the parasympathetic nervous system over time, from its formation to the mature structure. The parasympathetic nervous system is one of the two divisions of the vertebrate autonomic nervous system. Parasympathetic nerves emerge cranially as pre ganglionic fibers from oculomotor, facial, glossopharyngeal and vagus and from the sacral region of the spinal cord. Most neurons are cholinergic and responses are mediated by muscarinic receptors. The parasympathetic system innervates, for example: salivary glands, thoracic and abdominal viscera, bladder and genitalia. [FMA:9907, GOC:jid, GOC:sr]' - }, - 'GO:0048487': { - 'name': 'beta-tubulin binding', - 'def': 'Interacting selectively and non-covalently with the microtubule constituent protein beta-tubulin. [GOC:krc]' - }, - 'GO:0048488': { - 'name': 'synaptic vesicle endocytosis', - 'def': 'Clathrin-mediated endocytosis of presynaptic membrane that recycles synaptic vesicle membrane and its components following synaptic vesicle exocytosis. This process starts with coating of the membrane with adaptor proteins and clathrin prior to invagination and ends when uncoating has finished. [GOC:jid, GOC:lmg, GOC:mah, PMID:20448150]' - }, - 'GO:0048489': { - 'name': 'synaptic vesicle transport', - 'def': 'The directed movement of synaptic vesicles. [GOC:jid, GOC:lmg, GOC:pr]' - }, - 'GO:0048490': { - 'name': 'anterograde synaptic vesicle transport', - 'def': 'The directed movement of synaptic vesicle along axonal microtubules from the cell body to the presynapse. [GOC:jid, GOC:lmg]' - }, - 'GO:0048491': { - 'name': 'retrograde synaptic vesicle transport', - 'def': 'The directed movement of synaptic vesicle along axonal microtubules from the presynapse to the cell body. [GOC:jid, GOC:lmg, PMID:24762653]' - }, - 'GO:0048492': { - 'name': 'ribulose bisphosphate carboxylase complex', - 'def': 'A complex containing either both large and small subunits or just small subunits which carries out the activity of producing 3-phosphoglycerate from carbon dioxide and ribulose-1,5-bisphosphate. [GOC:mlg]' - }, - 'GO:0048493': { - 'name': 'plasma membrane-derived thylakoid ribulose bisphosphate carboxylase complex', - 'def': 'A complex, located in the plasma membrane-derived thylakoid, containing either both large and small subunits or just small subunits. It carries out the activity of producing 3-phosphoglycerate from carbon dioxide and ribulose-1,5-bisphosphate. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0048494': { - 'name': 'chromatophore ribulose bisphosphate carboxylase complex', - 'def': 'A complex, located in the chromatophore, containing either both large and small subunits or just small subunits which carries out the activity of producing 3-phosphoglycerate from carbon dioxide and ribulose-1,5-bisphosphate. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0048495': { - 'name': 'Roundabout binding', - 'def': 'Interacting selectively and non-covalently with the Roundabout (ROBO) receptor, a transmembrane receptor. [GOC:ecd, PMID:10102268, PMID:10197527]' - }, - 'GO:0048496': { - 'name': 'maintenance of animal organ identity', - 'def': 'The process in which the identity of an animal organ is maintained. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tb]' - }, - 'GO:0048497': { - 'name': 'maintenance of floral organ identity', - 'def': 'The process in which the identity of a floral organ is maintained. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:PO_curators, GOC:tair_curators, PMID:9090883, PO:0025395]' - }, - 'GO:0048498': { - 'name': 'establishment of petal orientation', - 'def': 'The process that determines the orientation of petals with reference to the central axis. [GOC:tb, PMID:10572040]' - }, - 'GO:0048499': { - 'name': 'synaptic vesicle membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the membrane surrounding a synaptic vesicle. [GOC:dph, GOC:jl, GOC:mah, PMID:10620806]' - }, - 'GO:0048500': { - 'name': 'signal recognition particle', - 'def': 'A complex of protein and RNA which facilitates translocation of proteins across membranes. [GOC:mlg]' - }, - 'GO:0048501': { - 'name': 'signal recognition particle, plasma membrane targeting', - 'def': 'A complex consisting of a protein and RNA component which binds the signal sequence of some proteins and facilitates their export to or across the plasma membrane. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0048502': { - 'name': 'thiamine-transporting ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O + thiamine(out) = ADP + phosphate + thiamine(in). [GOC:mlg, PMID:9535878]' - }, - 'GO:0048503': { - 'name': 'obsolete GPI anchor binding', - 'def': 'OBSOLETE. Interacting selectively with any glycosylphosphatidylinositol anchor. GPI anchors serve to attach membrane proteins to the lipid bilayer of cell membranes. [GOC:vw]' - }, - 'GO:0048504': { - 'name': 'regulation of timing of animal organ formation', - 'def': 'Any process that modulates the rate, frequency or extent of animal organ formation at a consistent predetermined time point during development. [GOC:bf, GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048505': { - 'name': 'regulation of timing of cell differentiation', - 'def': 'The process controlling the activation and/or rate at which relatively unspecialized cells acquire specialized features. Any process that modulates the rate, frequency or extent of the XXX at a consistent predetermined time point during its development. [GOC:bf, GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048506': { - 'name': 'regulation of timing of meristematic phase transition', - 'def': 'Any process that modulates the rate, frequency or extent of a change in identity of a meristem at a characteristic predetermined time point. [GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048507': { - 'name': 'meristem development', - 'def': 'The process whose specific outcome is the progression of the meristem over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0048508': { - 'name': 'embryonic meristem development', - 'def': 'The process whose specific outcome is the progression of the embryonic meristem over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0048509': { - 'name': 'regulation of meristem development', - 'def': 'Any process that modulates the frequency, rate or extent of meristem development, the biological process whose specific outcome is the progression of the meristem over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0048510': { - 'name': 'regulation of timing of transition from vegetative to reproductive phase', - 'def': 'The process controlling the point in time during development when a vegetative meristem will change its identity to become an inflorescence or floral meristem, and/or the rate at which the change occurs. [GOC:jid, PMID:8974397]' - }, - 'GO:0048511': { - 'name': 'rhythmic process', - 'def': 'Any process pertinent to the generation and maintenance of rhythms in the physiology of an organism. [GOC:jid]' - }, - 'GO:0048512': { - 'name': 'circadian behavior', - 'def': 'The specific behavior of an organism that recurs with a regularity of approximately 24 hours. [GOC:bf, GOC:go_curators, GOC:pr]' - }, - 'GO:0048513': { - 'name': 'animal organ development', - 'def': 'Development of a tissue or tissues that work together to perform a specific function or functions. Development pertains to the process whose specific outcome is the progression of a structure over time, from its formation to the mature structure. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that work together to perform a specific function or functions. [GOC:dph, GOC:jid]' - }, - 'GO:0048514': { - 'name': 'blood vessel morphogenesis', - 'def': 'The process in which the anatomical structures of blood vessels are generated and organized. The blood vessel is the vasculature carrying blood. [GOC:jid]' - }, - 'GO:0048515': { - 'name': 'spermatid differentiation', - 'def': 'The process whose specific outcome is the progression of a spermatid over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dph, GOC:jid]' - }, - 'GO:0048516': { - 'name': 'obsolete trichome initiation (sensu Magnoliophyta)', - 'def': 'OBSOLETE. Processes causing the differentiation of an epidermal cell into a trichome cell; as in, but not restricted to, the flowering plants (Magnoliophyta, ncbi_taxonomy_id:3398). [GOC:lr]' - }, - 'GO:0048517': { - 'name': 'obsolete positive regulation of trichome initiation (sensu Magnoliophyta)', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of trichome initiation; as in, but not restricted to, the flowering plants (Magnoliophyta, ncbi_taxonomy_id:3398). [GOC:lr]' - }, - 'GO:0048518': { - 'name': 'positive regulation of biological process', - 'def': 'Any process that activates or increases the frequency, rate or extent of a biological process. Biological processes are regulated by many means; examples include the control of gene expression, protein modification or interaction with a protein or substrate molecule. [GOC:jid]' - }, - 'GO:0048519': { - 'name': 'negative regulation of biological process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a biological process. Biological processes are regulated by many means; examples include the control of gene expression, protein modification or interaction with a protein or substrate molecule. [GOC:jid]' - }, - 'GO:0048520': { - 'name': 'positive regulation of behavior', - 'def': 'Any process that activates or increases the frequency, rate or extent of behavior, the internally coordinated responses (actions or inactions) of whole living organisms (individuals or groups) to internal or external stimuli. [GOC:jid, GOC:pr]' - }, - 'GO:0048521': { - 'name': 'negative regulation of behavior', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of behavior, the internally coordinated responses (actions or inactions) of whole living organisms (individuals or groups) to internal or external stimuli. [GOC:jid, GOC:pr]' - }, - 'GO:0048522': { - 'name': 'positive regulation of cellular process', - 'def': 'Any process that activates or increases the frequency, rate or extent of a cellular process, any of those that are carried out at the cellular level, but are not necessarily restricted to a single cell. For example, cell communication occurs among more than one cell, but occurs at the cellular level. [GOC:jid]' - }, - 'GO:0048523': { - 'name': 'negative regulation of cellular process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a cellular process, any of those that are carried out at the cellular level, but are not necessarily restricted to a single cell. For example, cell communication occurs among more than one cell, but occurs at the cellular level. [GOC:jid]' - }, - 'GO:0048524': { - 'name': 'positive regulation of viral process', - 'def': 'Any process that activates or increases the frequency, rate or extent of a multi-organism process in which a virus is a participant. [GOC:bf, GOC:jl]' - }, - 'GO:0048525': { - 'name': 'negative regulation of viral process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a multi-organism process in which a virus is a participant. [GOC:bf, GOC:jl]' - }, - 'GO:0048526': { - 'name': 'imaginal disc-derived wing expansion', - 'def': 'The process of expanding or inflating the folded imaginal disc-derived pupal wing, and the adhering of the dorsal and ventral surfaces, to form the mature adult wing. [GOC:mtg_sensu, GOC:rc]' - }, - 'GO:0048527': { - 'name': 'lateral root development', - 'def': 'The process whose specific outcome is the progression of the lateral root over time, from its formation to the mature structure. A lateral root is one formed from pericycle cells located on the xylem radius of the root, as opposed to the initiation of the main root from the embryo proper. [GOC:tb]' - }, - 'GO:0048528': { - 'name': 'post-embryonic root development', - 'def': 'The process whose specific outcome is the progression of the post-embryonic root over time, from its formation to the mature structure. [GOC:tb]' - }, - 'GO:0048529': { - 'name': 'magnesium-protoporphyrin IX monomethyl ester (oxidative) cyclase activity', - 'def': 'Catalysis of the reaction: magnesium protoporphyrin IX 13-monomethyl ester + 3 NADPH + 3 H+ + 3 O2 = divinylprotochlorophyllide + 3 NADP+ + 5 H2O. [EC:1.14.13.81]' - }, - 'GO:0048530': { - 'name': 'fruit morphogenesis', - 'def': 'The process in which the anatomical structures of a fruit are generated and organized. A fruit is a reproductive body of a seed plant. [GOC:sm]' - }, - 'GO:0048531': { - 'name': 'beta-1,3-galactosyltransferase activity', - 'def': 'Catalysis of the transfer of a galactose residue from a donor molecule to an oligosaccharide, forming a beta-1,3-linkage. [PMID:11551958]' - }, - 'GO:0048532': { - 'name': 'anatomical structure arrangement', - 'def': 'The process that gives rise to the configuration of the constituent parts of an anatomical structure. This process pertains to the physical shaping of a rudimentary structure. Anatomical structures can be macroscopic such as a carpel, or microscopic such as an acrosome. [GOC:go_curators]' - }, - 'GO:0048533': { - 'name': 'sporocyte differentiation', - 'def': 'The process in which a relatively unspecialized floral cell acquires the specialized features of a sporocyte. Sporocytes are the haploid spores of angiosperms. Once formed, they undergo meiotic divisions to form microspores and megaspores. [GOC:tair_curators]' - }, - 'GO:0048534': { - 'name': 'hematopoietic or lymphoid organ development', - 'def': 'The process whose specific outcome is the progression of any organ involved in hematopoiesis (also known as hemopoiesis) or lymphoid cell activation over time, from its formation to the mature structure. Such development includes differentiation of resident cell types (stromal cells) and of migratory cell types dependent on the unique microenvironment afforded by the organ for their proper differentiation. [GOC:add, GOC:rl, ISBN:0781735149]' - }, - 'GO:0048535': { - 'name': 'lymph node development', - 'def': 'The process whose specific outcome is the progression of lymph nodes over time, from their formation to the mature structure. A lymph node is a round, oval, or bean shaped structure localized in clusters along the lymphatic vessels, with a distinct internal structure including specialized vasculature and B- and T-zones for the activation of lymphocytes. [GOC:add, ISBN:068340007X, ISBN:0781735149]' - }, - 'GO:0048536': { - 'name': 'spleen development', - 'def': 'The process whose specific outcome is the progression of the spleen over time, from its formation to the mature structure. The spleen is a large vascular lymphatic organ composed of white and red pulp, involved both in hemopoietic and immune system functions. [GOC:add, ISBN:0781735149]' - }, - 'GO:0048537': { - 'name': 'mucosal-associated lymphoid tissue development', - 'def': 'The process whose specific outcome is the progression of mucosal-associated lymphoid tissue over time, from its formation to the mature structure. Mucosal-associated lymphoid tissue is typically found as nodules associated with mucosal epithelia with distinct internal structures including B- and T-zones for the activation of lymphocytes. [GOC:add, ISBN:0781735149]' - }, - 'GO:0048538': { - 'name': 'thymus development', - 'def': 'The process whose specific outcome is the progression of the thymus over time, from its formation to the mature structure. The thymus is a symmetric bi-lobed organ involved primarily in the differentiation of immature to mature T cells, with unique vascular, nervous, epithelial, and lymphoid cell components. [GOC:add, ISBN:0781735149]' - }, - 'GO:0048539': { - 'name': 'bone marrow development', - 'def': 'The process whose specific outcome is the progression of the bone marrow over time, from its formation to the mature structure. [GOC:add, ISBN:0781735149]' - }, - 'GO:0048540': { - 'name': 'bursa of Fabricius development', - 'def': 'The process whose specific outcome is the progression of the bursa of Fabricius over time, from its formation to the mature structure. The bursa of Fabricius is an organ found in birds involved in B cell differentiation. [GOC:add, ISBN:0781735149]' - }, - 'GO:0048541': { - 'name': "Peyer's patch development", - 'def': "The process whose specific outcome is the progression of Peyer's patches over time, from their formation to the mature structure. Peyer's patches are typically found as nodules associated with gut epithelium with distinct internal structures including B- and T-zones for the activation of lymphocytes. [GOC:add, ISBN:0781735149]" - }, - 'GO:0048542': { - 'name': 'lymph gland development', - 'def': 'The process whose specific outcome is the progression of the lymph gland over time, from its formation to the mature structure. The lymph gland is one of the sites of hemocyte differentiation. It consists of three to six bilaterally paired lobes that are attached to the cardioblasts during larval stages, and it degenerates during pupal stages. [GOC:mtg_sensu, GOC:rc]' - }, - 'GO:0048543': { - 'name': 'phytochrome chromophore biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the phytochrome chromophore. The phytochrome chromophore is a linear tetrapyrrolic prosthetic group covalently attached to the large soluble protein phytochrome. Light absorption by the phytochrome chromophore triggers photoconversion between two spectrally distinct forms of the photoreceptor: Pr, the red light absorbing form, and Pfr, the far red light absorbing form. [GOC:pj, PMID:2909515]' - }, - 'GO:0048544': { - 'name': 'recognition of pollen', - 'def': 'The process, involving the sharing and interaction of the single locus incompatibility haplotypes, involved in the recognition or rejection of the self pollen by cells in the stigma. This process ensures out-breeding in certain plant species. [GOC:dph, GOC:pj, GOC:tb]' - }, - 'GO:0048545': { - 'name': 'response to steroid hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a steroid hormone stimulus. [GOC:go_curators]' - }, - 'GO:0048546': { - 'name': 'digestive tract morphogenesis', - 'def': 'The process in which the anatomical structures of the digestive tract are generated and organized. The digestive tract is the anatomical structure through which food passes and is processed. [GOC:dph, GOC:go_curators, PMID:12618131]' - }, - 'GO:0048548': { - 'name': 'regulation of pinocytosis', - 'def': "Any process that modulates the frequency, rate or extent of pinocytosis. Pinocytosis is the process in which cells take in liquid material from their external environment; literally 'cell drinking'. Liquid is enclosed in vesicles, formed by invagination of the plasma membrane. These vesicles then move into the cell and pass their contents to endosomes. [GOC:go_curators]" - }, - 'GO:0048549': { - 'name': 'positive regulation of pinocytosis', - 'def': "Any process that activates, maintains or increases the rate of pinocytosis. Pinocytosis is the process in which cells take in liquid material from their external environment; literally 'cell drinking'. Liquid is enclosed in vesicles, formed by invagination of the plasma membrane. These vesicles then move into the cell and pass their contents to endosomes. [GOC:go_curators]" - }, - 'GO:0048550': { - 'name': 'negative regulation of pinocytosis', - 'def': "Any process that stops, prevents, or reduces the frequency, rate or extent of pinocytosis. Pinocytosis is the process in which cells take in liquid material from their external environment; literally 'cell drinking'. Liquid is enclosed in vesicles, formed by invagination of the plasma membrane. These vesicles then move into the cell and pass their contents to endosomes. [GOC:go_curators]" - }, - 'GO:0048555': { - 'name': 'generative cell nucleus', - 'def': 'The nucleus of the generative cell, a cell contained within the pollen grain that will divide to produce two haploid sperm cells. [GOC:tair_curators]' - }, - 'GO:0048556': { - 'name': 'microsporocyte nucleus', - 'def': 'The nucleus of the microsporocyte. The microsporocyte is a diploid cell in which meiosis will occur, resulting in four microspores. A microspore is a spore that, in vascular plants, gives rise to a male gametophyte. [GOC:tair_curators, ISBN:047186840X]' - }, - 'GO:0048557': { - 'name': 'embryonic digestive tract morphogenesis', - 'def': 'The process in which the anatomical structures of the digestive tract are generated and organized during embryonic development. The digestive tract is the anatomical structure through which food passes and is processed. [GOC:go_curators]' - }, - 'GO:0048559': { - 'name': 'establishment of floral organ orientation', - 'def': 'The process that determines the orientation of the floral organs with reference to the central axis of the flower. [GOC:jid]' - }, - 'GO:0048560': { - 'name': 'establishment of anatomical structure orientation', - 'def': 'The process that determines the orientation of an anatomical structure with reference to an axis. [GOC:jid]' - }, - 'GO:0048561': { - 'name': 'establishment of animal organ orientation', - 'def': 'The process that determines the orientation of an animal organ or tissue with reference to an axis. [GOC:jid]' - }, - 'GO:0048562': { - 'name': 'embryonic organ morphogenesis', - 'def': 'Morphogenesis, during the embryonic phase, of a tissue or tissues that work together to perform a specific function or functions. Morphogenesis is the process in which anatomical structures are generated and organized. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that work together to perform a specific function or functions. [GOC:jid]' - }, - 'GO:0048563': { - 'name': 'post-embryonic animal organ morphogenesis', - 'def': 'Morphogenesis, during the post-embryonic phase, of an animal tissue or tissues that work together to perform a specific function or functions. Morphogenesis pertains to process in which anatomical structures are generated and organized. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that work together to perform a specific function or functions. [GOC:jid]' - }, - 'GO:0048564': { - 'name': 'photosystem I assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a photosystem I complex on the thylakoid membrane. [GOC:go_curators]' - }, - 'GO:0048565': { - 'name': 'digestive tract development', - 'def': 'The process whose specific outcome is the progression of the digestive tract over time, from its formation to the mature structure. The digestive tract is the anatomical structure through which food passes and is processed. [GOC:go_curators]' - }, - 'GO:0048566': { - 'name': 'embryonic digestive tract development', - 'def': 'The process whose specific outcome is the progression of the gut over time, from its formation to the mature structure during embryonic development. The gut is the region of the digestive tract extending from the beginning of the intestines to the anus. [GOC:go_curators]' - }, - 'GO:0048567': { - 'name': 'ectodermal digestive tract morphogenesis', - 'def': 'The process in which the anatomical structures of the ectodermal digestive tract are generated and organized. The ectodermal digestive tract includes those portions of the digestive tract that are derived from ectoderm. [GOC:jid]' - }, - 'GO:0048568': { - 'name': 'embryonic organ development', - 'def': 'Development, taking place during the embryonic phase, of a tissue or tissues that work together to perform a specific function or functions. Development pertains to the process whose specific outcome is the progression of a structure over time, from its formation to the mature structure. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that work together to perform a specific function or functions. [GOC:jid]' - }, - 'GO:0048569': { - 'name': 'post-embryonic animal organ development', - 'def': 'Development, taking place during the post-embryonic phase of an animal tissue or tissues that work together to perform a specific function or functions. Development pertains to the process whose specific outcome is the progression of a structure over time, from its formation to the mature structure. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that work together to perform a specific function or functions. [GOC:jid]' - }, - 'GO:0048570': { - 'name': 'notochord morphogenesis', - 'def': 'The process in which the anatomical structures of the notochord are generated and organized. The notochord is a mesoderm-derived structure located ventral of the developing nerve cord. In vertebrates, the notochord serves as a core around which other mesodermal cells form the vertebrae. In the most primitive chordates, which lack vertebrae, the notochord persists as a substitute for a vertebral column. [GOC:jid]' - }, - 'GO:0048571': { - 'name': 'long-day photoperiodism', - 'def': "Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, a day length that exceeds a particular duration known as the 'critical day length'. The critical day length varies between species. Although the term long-day is used, most species actually respond to the duration of the night, so that the response will occur when a period of darkness falls short of the number of hours defined by 24 hours minus the critical day length. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]" - }, - 'GO:0048572': { - 'name': 'short-day photoperiodism', - 'def': "Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, a day length that falls short of a particular duration known as the 'critical day length'. The critical day length varies between species. Although the term short-day is used, most species actually respond to the duration of the night, so that the response will occur when a period of darkness exceeds the number of hours defined by 24 hours minus the critical day length. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]" - }, - 'GO:0048573': { - 'name': 'photoperiodism, flowering', - 'def': "A change from the vegetative to the reproductive phase as a result of detection of, or exposure to, a period of light or dark of a given length. The length of the period of light or dark required to initiate the change is set relative to a particular duration known as the 'critical day length'. The critical day length varies between species. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]" - }, - 'GO:0048574': { - 'name': 'long-day photoperiodism, flowering', - 'def': 'A change from the vegetative to the reproductive phase as a result of detection of, or exposure to, a period of light that exceeds the critical day length. The critical day length varies between species. Although the term is long-day is used, most species actually respond to the duration of the night, so that the response will occur when a period of darkness falls short of the number of hours defined by 24 minus the critical day length. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]' - }, - 'GO:0048575': { - 'name': 'short-day photoperiodism, flowering', - 'def': 'A change from vegetative to reproductive phase as a result of detection of, or exposure to, a period of light that falls short of the critical day length. The critical day length varies between species. Although the term is short-day is used, most species actually respond to the duration of the night, so that the response will occur when a period of darkness exceeds the number of hours defined by 24 minus the critical day length. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]' - }, - 'GO:0048576': { - 'name': 'positive regulation of short-day photoperiodism, flowering', - 'def': 'Any process that activates, maintains or increases short-day photoperiodism, where the response associated with the photoperiodism is flowering. Flowering is defined by the switch from the vegetative to the reproductive phase. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]' - }, - 'GO:0048577': { - 'name': 'negative regulation of short-day photoperiodism, flowering', - 'def': 'Any process that stops, prevents or reduces short-day photoperiodism, where the response associated with the photoperiodism is flowering. Flowering is defined by the switch from the vegetative to the reproductive phase. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]' - }, - 'GO:0048578': { - 'name': 'positive regulation of long-day photoperiodism, flowering', - 'def': 'Any process that activates, maintains or increases long-day photoperiodism, where the response associated with the photoperiodism is flowering. Flowering is defined by the switch from the vegetative to the reproductive phase. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]' - }, - 'GO:0048579': { - 'name': 'negative regulation of long-day photoperiodism, flowering', - 'def': 'Any process that stops, prevents or reduces long-day photoperiodism, where the response associated with the photoperiodism is flowering. Flowering is defined by the switch from the vegetative to the reproductive phase. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]' - }, - 'GO:0048580': { - 'name': 'regulation of post-embryonic development', - 'def': 'Any process that modulates the frequency, rate or extent of post-embryonic development. Post-embryonic development is defined as the process whose specific outcome is the progression of the organism over time, from the completion of embryonic development to the mature structure. [GOC:jid]' - }, - 'GO:0048581': { - 'name': 'negative regulation of post-embryonic development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of post-embryonic development. Post-embryonic development is defined as the process whose specific outcome is the progression of the organism over time, from the completion of embryonic development to the mature structure. [GOC:jid]' - }, - 'GO:0048582': { - 'name': 'positive regulation of post-embryonic development', - 'def': 'Any process that activates or increases the frequency, rate or extent of post-embryonic development. Post-embryonic development is defined as the process whose specific outcome is the progression of the organism over time, from the completion of embryonic development to the mature structure. [GOC:jid]' - }, - 'GO:0048583': { - 'name': 'regulation of response to stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of a response to a stimulus. Response to stimulus is a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus. [GOC:jid]' - }, - 'GO:0048584': { - 'name': 'positive regulation of response to stimulus', - 'def': 'Any process that activates, maintains or increases the rate of a response to a stimulus. Response to stimulus is a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus. [GOC:jid]' - }, - 'GO:0048585': { - 'name': 'negative regulation of response to stimulus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a response to a stimulus. Response to stimulus is a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus. [GOC:jid]' - }, - 'GO:0048586': { - 'name': 'regulation of long-day photoperiodism, flowering', - 'def': 'Any process that modulates the frequency, rate or extent of long-day photoperiodism, where the response associated with the photoperiodism is flowering. Flowering is defined by the switch from the vegetative to the reproductive phase. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]' - }, - 'GO:0048587': { - 'name': 'regulation of short-day photoperiodism, flowering', - 'def': 'Any process that modulates the frequency, rate or extent of short-day photoperiodism, where the response associated with the photoperiodism is flowering. Flowering is defined by the switch from the vegetative to the reproductive phase. [GOC:jid, GOC:pj, ISBN:0582015952, ISBN:0697037754, ISBN:0709408862]' - }, - 'GO:0048588': { - 'name': 'developmental cell growth', - 'def': 'The growth of a cell, where growth contributes to the progression of the cell over time from one condition to another. [GOC:go_curators, GOC:isa_complete]' - }, - 'GO:0048589': { - 'name': 'developmental growth', - 'def': 'The increase in size or mass of an entire organism, a part of an organism or a cell, where the increase in size or mass has the specific outcome of the progression of the organism over time from one condition to another. [GOC:go_curators]' - }, - 'GO:0048592': { - 'name': 'eye morphogenesis', - 'def': 'The process in which the anatomical structures of the eye are generated and organized. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048593': { - 'name': 'camera-type eye morphogenesis', - 'def': 'The process in which the anatomical structures of the eye are generated and organized. The camera-type eye is an organ of sight that receives light through an aperture and focuses it through a lens, projecting it on a photoreceptor field. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048596': { - 'name': 'embryonic camera-type eye morphogenesis', - 'def': 'The process in which the anatomical structures of the eye are generated and organized during embryonic development. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048597': { - 'name': 'post-embryonic camera-type eye morphogenesis', - 'def': 'The process in which the anatomical structures of the eye are generated and organized during post-embryonic development. [GOC:jid, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0048598': { - 'name': 'embryonic morphogenesis', - 'def': 'The process in which anatomical structures are generated and organized during the embryonic phase. The embryonic phase begins with zygote formation. The end of the embryonic phase is organism-specific. For example, it would be at birth for mammals, larval hatching for insects and seed dormancy in plants. [GOC:jid, GOC:mtg_sensu]' - }, - 'GO:0048599': { - 'name': 'oocyte development', - 'def': 'The process whose specific outcome is the progression of an oocyte over time, from initial commitment of the cell to its specific fate, to the fully functional differentiated cell. [GOC:go_curators]' - }, - 'GO:0048600': { - 'name': 'oocyte fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into an oocyte. [GOC:go_curators]' - }, - 'GO:0048601': { - 'name': 'oocyte morphogenesis', - 'def': 'The process in which the structures of an oocyte are generated and organized. This process occurs while the initially relatively unspecialized cell is acquiring the specialized features of an oocyte. [GOC:go_curators]' - }, - 'GO:0048608': { - 'name': 'reproductive structure development', - 'def': 'The reproductive developmental process whose specific outcome is the progression of structures that will be used in the process of creating new individuals from one or more parents, from their formation to the mature structures. [GOC:dph, GOC:isa_complete, GOC:jid]' - }, - 'GO:0048609': { - 'name': 'multicellular organismal reproductive process', - 'def': 'The process, occurring above the cellular level, that is pertinent to the reproductive function of a multicellular organism. This includes the integrated processes at the level of tissues and organs. [GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048610': { - 'name': 'obsolete cellular process involved in reproduction', - 'def': 'OBSOLETE. A process, occurring at the cellular level, that is involved in the reproductive function of a multicellular or single-celled organism. [GOC:dph, GOC:jid]' - }, - 'GO:0048611': { - 'name': 'embryonic ectodermal digestive tract development', - 'def': 'The process, occurring during the embryonic phase, whose specific outcome is the progression of the ectodermal gut over time, from its formation to the mature structure. [GOC:jid, GOC:rc]' - }, - 'GO:0048612': { - 'name': 'post-embryonic ectodermal digestive tract development', - 'def': 'The process, occurring during the post-embryonic phase, whose specific outcome is the progression of the ectodermal gut over time, from its formation to the mature structure. [GOC:jid, GOC:rc]' - }, - 'GO:0048613': { - 'name': 'embryonic ectodermal digestive tract morphogenesis', - 'def': 'The process, occurring during the embryonic phase, by which the anatomical structures of the ectodermal digestive tract are generated and organized. [GOC:jid, GOC:rc]' - }, - 'GO:0048614': { - 'name': 'post-embryonic ectodermal digestive tract morphogenesis', - 'def': 'The process, occurring during the post-embryonic phase, by which the anatomical structures of the ectodermal gut are generated and organized. [GOC:jid, GOC:rc]' - }, - 'GO:0048615': { - 'name': 'embryonic anterior midgut (ectodermal) morphogenesis', - 'def': 'The process in which the anatomical structures of the anterior midgut (ectodermal) are generated and organized, during the embryonic phase. [GOC:jid, GOC:rc]' - }, - 'GO:0048616': { - 'name': 'post-embryonic anterior midgut (ectodermal) morphogenesis', - 'def': 'The process in which the anatomical structures of the anterior midgut (ectodermal) are generated and organized, during the post-embryonic phase. [GOC:jid, GOC:rc]' - }, - 'GO:0048617': { - 'name': 'embryonic foregut morphogenesis', - 'def': 'The process in which the anatomical structures of the foregut are generated and organized, during the embryonic phase. [GOC:jid, GOC:rc]' - }, - 'GO:0048618': { - 'name': 'post-embryonic foregut morphogenesis', - 'def': 'The process in which the anatomical structures of the foregut are generated and organized, during the post-embryonic phase. [GOC:jid, GOC:rc]' - }, - 'GO:0048619': { - 'name': 'embryonic hindgut morphogenesis', - 'def': 'The process in which the anatomical structures of the hindgut are generated and organized, during the embryonic phase. [GOC:jid, GOC:rc]' - }, - 'GO:0048620': { - 'name': 'post-embryonic hindgut morphogenesis', - 'def': 'The process in which the anatomical structures of the hindgut are generated and organized, during the post-embryonic phase. [GOC:jid, GOC:rc]' - }, - 'GO:0048621': { - 'name': 'post-embryonic digestive tract morphogenesis', - 'def': 'The process, occurring during the post-embryonic phase, by which the anatomical structures of the digestive tract are generated and organized. The digestive tract is the anatomical structure through which food passes and is processed. [GOC:jid, GOC:rc]' - }, - 'GO:0048622': { - 'name': 'obsolete reproductive sporulation', - 'def': 'OBSOLETE. The formation of reproductive spores. [GOC:jid]' - }, - 'GO:0048623': { - 'name': 'seed germination on parent plant', - 'def': 'The process in which a seed germinates before being shed from the parent plant. [GOC:go_curators]' - }, - 'GO:0048624': { - 'name': 'plantlet formation on parent plant', - 'def': 'The process in which a new plantlet develops from a meristem on the plant body. As part of this process, when the plantlet is large enough to live independently, the physical connection between the new plantlet and the main plant is severed. [GOC:go_curators]' - }, - 'GO:0048625': { - 'name': 'myoblast fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a myoblast. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:dph, GOC:mtg_muscle]' - }, - 'GO:0048626': { - 'name': 'myoblast fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a myoblast in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:dph, GOC:mtg_muscle]' - }, - 'GO:0048627': { - 'name': 'myoblast development', - 'def': 'The process whose specific outcome is the progression of the myoblast over time, from its formation to the mature structure. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:dph, GOC:mtg_muscle]' - }, - 'GO:0048628': { - 'name': 'myoblast maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a myoblast to attain its fully functional state. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:dph, GOC:mtg_muscle]' - }, - 'GO:0048629': { - 'name': 'trichome patterning', - 'def': 'The regionalization process of establishing the non-random spatial arrangement of trichomes on the surface and margin of a leaf. Process involves signaling between adjacent epidermal cells that results in differentiation of some epidermal cells into trichomes. [GOC:jid, GOC:mtg_sensu, GOC:sm, GOC:tb, ISBN:0865427429, PMID:10368181]' - }, - 'GO:0048630': { - 'name': 'skeletal muscle tissue growth', - 'def': 'The increase in size or mass of a skeletal muscle. This may be due to a change in the fiber number or size. [GOC:lm, PMID:15726494, PMID:15907921]' - }, - 'GO:0048631': { - 'name': 'regulation of skeletal muscle tissue growth', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle growth. [GOC:lm, PMID:15726494, PMID:15907921]' - }, - 'GO:0048632': { - 'name': 'negative regulation of skeletal muscle tissue growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of skeletal muscle growth. [GOC:lm, PMID:15726494, PMID:15907921]' - }, - 'GO:0048633': { - 'name': 'positive regulation of skeletal muscle tissue growth', - 'def': 'Any process that activates, maintains or increases the rate of skeletal muscle growth. [GOC:lm, PMID:15726494, PMID:15907921]' - }, - 'GO:0048634': { - 'name': 'regulation of muscle organ development', - 'def': 'Any process that modulates the frequency, rate or extent of muscle development. [GOC:go_curators]' - }, - 'GO:0048635': { - 'name': 'negative regulation of muscle organ development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of muscle development. [GOC:go_curators]' - }, - 'GO:0048636': { - 'name': 'positive regulation of muscle organ development', - 'def': 'Any process that activates, maintains or increases the rate of muscle development. [GOC:go_curators]' - }, - 'GO:0048638': { - 'name': 'regulation of developmental growth', - 'def': 'Any process that modulates the frequency, rate or extent of developmental growth. [GOC:go_curators]' - }, - 'GO:0048639': { - 'name': 'positive regulation of developmental growth', - 'def': 'Any process that activates, maintains or increases the rate of developmental growth. [GOC:go_curators]' - }, - 'GO:0048640': { - 'name': 'negative regulation of developmental growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of developmental growth. [GOC:go_curators]' - }, - 'GO:0048641': { - 'name': 'regulation of skeletal muscle tissue development', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle tissue development. [GOC:go_curators]' - }, - 'GO:0048642': { - 'name': 'negative regulation of skeletal muscle tissue development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of skeletal muscle tissue development. [GOC:go_curators]' - }, - 'GO:0048643': { - 'name': 'positive regulation of skeletal muscle tissue development', - 'def': 'Any process that activates, maintains or increases the rate of skeletal muscle tissue development. [GOC:go_curators]' - }, - 'GO:0048644': { - 'name': 'muscle organ morphogenesis', - 'def': 'The process in which the anatomical structures of muscle are generated and organized. [GOC:jid]' - }, - 'GO:0048645': { - 'name': 'animal organ formation', - 'def': 'The process pertaining to the initial formation of an animal organ from unspecified parts. The process begins with the specific processes that contribute to the appearance of the discrete structure, such as inductive events, and ends when the structural rudiment of the organ is recognizable, such as a condensation of mesenchymal cells into the organ rudiment. Organs are a natural part or structure in an animal or a plant, capable of performing some special action (termed its function), which is essential to the life or well-being of the whole. The heart and lungs are organs of animals, and the petal and leaf are organs of plants. In animals the organs are generally made up of several tissues, one of which usually predominates, and determines the principal function of the organ. [GOC:dph, GOC:jid]' - }, - 'GO:0048646': { - 'name': 'anatomical structure formation involved in morphogenesis', - 'def': 'The developmental process pertaining to the initial formation of an anatomical structure from unspecified parts. This process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the structural rudiment is recognizable. An anatomical structure is any biological entity that occupies space and is distinguished from its surroundings. Anatomical structures can be macroscopic such as a carpel, or microscopic such as an acrosome. [GOC:dph, GOC:jid, GOC:tb]' - }, - 'GO:0048647': { - 'name': 'polyphenic determination', - 'def': 'The process in which individuals that have the potential to develop any of several possible distinct developmental paths have their individual developmental fates determined in response to environmental and/or genetic cues. [GOC:jid]' - }, - 'GO:0048648': { - 'name': 'caste determination', - 'def': 'The process in which individuals, having the potential to develop any of several distinct developmental paths, have their individual developmental fate determined in response to environmental and/or genetic cues. Individuals with distinct developmental fates perform different functions in a colony of social insects. [GOC:jid]' - }, - 'GO:0048649': { - 'name': 'caste determination, influence by genetic factors', - 'def': 'The process in which individuals, having the potential to develop any of several distinct developmental paths, have their individual developmental fate determined in response to genetic cues. Individuals with distinct developmental fates perform different functions in a colony of social insects. [GOC:jid]' - }, - 'GO:0048650': { - 'name': 'caste determination, influence by environmental factors', - 'def': 'The process in which individuals, having the potential to develop any of several distinct developmental paths, have their individual developmental fate determined in response to environmental cues. Individuals with distinct developmental fates perform different functions in a colony of social insects. [GOC:jid]' - }, - 'GO:0048651': { - 'name': 'polyphenic determination, influence by environmental factors', - 'def': 'The process in which individuals that have the potential to develop any of several possible distinct developmental paths have their individual developmental fates determined in response to environmental cues. [GOC:jid]' - }, - 'GO:0048652': { - 'name': 'polyphenic determination, influence by genetic factors', - 'def': 'The process in which individuals that have the potential to develop any of several possible distinct developmental paths have their individual developmental fates determined in response to genetic cues. [GOC:jid]' - }, - 'GO:0048653': { - 'name': 'anther development', - 'def': 'The process whose specific outcome is the progression of the anther over time, from its formation to the mature structure. [GOC:jid, GOC:sm]' - }, - 'GO:0048654': { - 'name': 'anther morphogenesis', - 'def': 'The process in which the anatomical structures of the anther are generated and organized. [GOC:jid, GOC:sm]' - }, - 'GO:0048655': { - 'name': 'anther wall tapetum morphogenesis', - 'def': 'The process in which the anatomical structures of the anther wall tapetum are generated and organized. The anther wall tapetum is a layer of cells that provides a source of nutrition for the pollen grains as they mature. [GOC:jid, GOC:sm, GOC:tb]' - }, - 'GO:0048656': { - 'name': 'anther wall tapetum formation', - 'def': 'The process that gives rise to the anther wall tapetum. This process pertains to the initial formation of a structure from unspecified parts. The anther wall tapetum is a layer of cells that provides a source of nutrition for the pollen grains as they mature. [GOC:jid, GOC:sm, GOC:tb]' - }, - 'GO:0048657': { - 'name': 'anther wall tapetum cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an anther cell wall tapetum cell. The tapetum is a layer of cells that provides a source of nutrition for the pollen grains as they mature. [GOC:jid, GOC:sm]' - }, - 'GO:0048658': { - 'name': 'anther wall tapetum development', - 'def': 'The process whose specific outcome is the progression of the anther wall tapetum over time, from its formation to the mature structure. [GOC:jid, GOC:sm, GOC:tb]' - }, - 'GO:0048659': { - 'name': 'smooth muscle cell proliferation', - 'def': 'The multiplication or reproduction of smooth muscle cells, resulting in the expansion of a cell population. [CL:0000192, GOC:ebc, PMID:1840698]' - }, - 'GO:0048660': { - 'name': 'regulation of smooth muscle cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of smooth muscle cell proliferation. [CL:0000192, GOC:ebc]' - }, - 'GO:0048661': { - 'name': 'positive regulation of smooth muscle cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of smooth muscle cell proliferation. [CL:0000192, GOC:ebc]' - }, - 'GO:0048662': { - 'name': 'negative regulation of smooth muscle cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of smooth muscle cell proliferation. [CL:0000192, GOC:ebc]' - }, - 'GO:0048663': { - 'name': 'neuron fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a neuron. [GOC:dph]' - }, - 'GO:0048664': { - 'name': 'neuron fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a neuron regardless of its environment; upon determination, the cell fate cannot be reversed. [GOC:dph]' - }, - 'GO:0048665': { - 'name': 'neuron fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a neuron in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. [GOC:dph]' - }, - 'GO:0048666': { - 'name': 'neuron development', - 'def': 'The process whose specific outcome is the progression of a neuron over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dph]' - }, - 'GO:0048667': { - 'name': 'cell morphogenesis involved in neuron differentiation', - 'def': 'The process in which the structures of a neuron are generated and organized. This process occurs while the initially relatively unspecialized cell is acquiring the specialized features of a neuron. [GOC:dph, GOC:tb]' - }, - 'GO:0048668': { - 'name': 'collateral sprouting', - 'def': 'The process in which outgrowths develop from the shafts of existing axons. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048669': { - 'name': 'collateral sprouting in absence of injury', - 'def': 'The process in which outgrowths develop from the axons of intact undamaged neurons. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048670': { - 'name': 'regulation of collateral sprouting', - 'def': 'Any process that modulates the frequency, rate or extent of collateral sprouting. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048671': { - 'name': 'negative regulation of collateral sprouting', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of collateral sprouting. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048672': { - 'name': 'positive regulation of collateral sprouting', - 'def': 'Any process that activates or increases the frequency, rate or extent of collateral sprouting. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048673': { - 'name': 'collateral sprouting of intact axon in response to injury', - 'def': 'The process in which outgrowths develop from the axons of intact undamaged neurons as a result of injury to an axon. The collateral sprouts typically appear from undamaged axons in a tissue which has had part of its nerve supply removed, and they can often innervate successfully any cells that have lost some or all of their original synaptic input. [GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048674': { - 'name': 'collateral sprouting of injured axon', - 'def': 'The process resulting in reformation of a growth cone by the tip of an injured axon, or in collateral sprouting of the axon. Collateral sprouting is the process in which outgrowths develop from the shafts of existing axons. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048675': { - 'name': 'axon extension', - 'def': 'Long distance growth of a single axon process involved in cellular development. [GOC:BHF, GOC:dgh, GOC:dph, GOC:jid, GOC:lm, GOC:rl]' - }, - 'GO:0048677': { - 'name': 'axon extension involved in regeneration', - 'def': 'Long distance growth of a single axon process involved in regeneration of the neuron. [GOC:jid]' - }, - 'GO:0048678': { - 'name': 'response to axon injury', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an axon injury stimulus. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048679': { - 'name': 'regulation of axon regeneration', - 'def': 'Any process that modulates the frequency, rate or extent of axon regeneration. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048680': { - 'name': 'positive regulation of axon regeneration', - 'def': 'Any process that activates, maintains or increases the rate of axon regeneration. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048681': { - 'name': 'negative regulation of axon regeneration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of axon regeneration. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048682': { - 'name': 'sprouting of injured axon', - 'def': 'The process involved in sprouting of an injured axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048683': { - 'name': 'regulation of collateral sprouting of intact axon in response to injury', - 'def': 'Any process that modulates the frequency, rate or extent of collateral sprouting of an intact axon as a result of injury to an axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048684': { - 'name': 'positive regulation of collateral sprouting of intact axon in response to injury', - 'def': 'Any process that activates, maintains or increases the rate of collateral sprouting of an intact axon as a result of injury to an axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048685': { - 'name': 'negative regulation of collateral sprouting of intact axon in response to injury', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of collateral sprouting of an intact axon as a result of injury to an axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048686': { - 'name': 'regulation of sprouting of injured axon', - 'def': 'Any process that modulates the frequency, rate or extent of sprouting of an injured axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048687': { - 'name': 'positive regulation of sprouting of injured axon', - 'def': 'Any process that activates, maintains or increases the rate of sprouting of an injured axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048688': { - 'name': 'negative regulation of sprouting of injured axon', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sprouting of an injured axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048689': { - 'name': 'formation of growth cone in injured axon', - 'def': 'The formation of a growth cone in an injured axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048690': { - 'name': 'regulation of axon extension involved in regeneration', - 'def': 'Any process that modulates the frequency, rate or extent of axon extension involved in regeneration. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048691': { - 'name': 'positive regulation of axon extension involved in regeneration', - 'def': 'Any process that activates, maintains or increases the rate of axon extension involved in regeneration. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048692': { - 'name': 'negative regulation of axon extension involved in regeneration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of axon extension involved in regeneration. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048693': { - 'name': 'regulation of collateral sprouting of injured axon', - 'def': 'Any process that modulates the frequency, rate or extent of collateral sprouting of an injured axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048694': { - 'name': 'positive regulation of collateral sprouting of injured axon', - 'def': 'Any process that activates, maintains or increases the rate of collateral sprouting of an injured axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048695': { - 'name': 'negative regulation of collateral sprouting of injured axon', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of collateral sprouting of an injured axon. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048696': { - 'name': 'regulation of collateral sprouting in absence of injury', - 'def': 'Any process that modulates the frequency, rate or extent of collateral sprouting in the absence of injury. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048697': { - 'name': 'positive regulation of collateral sprouting in absence of injury', - 'def': 'Any process that activates or increases the frequency, rate or extent of collateral sprouting in the absence of injury. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048698': { - 'name': 'negative regulation of collateral sprouting in absence of injury', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of collateral sprouting in the absence of injury. [GOC:dgh, GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048699': { - 'name': 'generation of neurons', - 'def': 'The process in which nerve cells are generated. This includes the production of neuroblasts and their differentiation into neurons. [GOC:nln]' - }, - 'GO:0048700': { - 'name': 'acquisition of desiccation tolerance in seed', - 'def': 'The process in which a seed acquires tolerance to severe drying, before entering into a dry, either dormant or quiescent state. [GOC:jid, GOC:ki, GOC:PO_curators, ISBN:9781405139830]' - }, - 'GO:0048701': { - 'name': 'embryonic cranial skeleton morphogenesis', - 'def': 'The process in which the anatomical structures of the cranial skeleton are generated and organized during the embryonic phase. [GOC:dsf, GOC:jid, PMID:16049113]' - }, - 'GO:0048702': { - 'name': 'embryonic neurocranium morphogenesis', - 'def': 'The process in which the anatomical structures of the neurocranium are generated and organized during the embryonic phase. The neurocranium is the portion of the vertebrate skull surrounding the brain. [GOC:dsf, GOC:jid, PMID:16049113]' - }, - 'GO:0048703': { - 'name': 'embryonic viscerocranium morphogenesis', - 'def': 'The process in which the anatomical structures of the viscerocranium are generated and organized during the embryonic phase. The viscerocranium is the part of the skull comprising the facial bones. [GOC:dsf, GOC:jid, PMID:16049113]' - }, - 'GO:0048704': { - 'name': 'embryonic skeletal system morphogenesis', - 'def': 'The process in which the anatomical structures of the skeleton are generated and organized during the embryonic phase. [GOC:dph, GOC:dsf, GOC:jid, GOC:tb, PMID:16049113]' - }, - 'GO:0048705': { - 'name': 'skeletal system morphogenesis', - 'def': 'The process in which the anatomical structures of the skeleton are generated and organized. [GOC:dph, GOC:dsf, GOC:jid, GOC:tb]' - }, - 'GO:0048706': { - 'name': 'embryonic skeletal system development', - 'def': 'The process, occurring during the embryonic phase, whose specific outcome is the progression of the skeleton over time, from its formation to the mature structure. [GOC:dph, GOC:dsf, GOC:jid, GOC:tb, PMID:16049113]' - }, - 'GO:0048707': { - 'name': 'instar larval or pupal morphogenesis', - 'def': 'The process, occurring during instar larval or pupal development, by which anatomical structures are generated and organized. [GOC:mtg_sensu, GOC:rc]' - }, - 'GO:0048708': { - 'name': 'astrocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an astrocyte. An astrocyte is the most abundant type of glial cell. Astrocytes provide support for neurons and regulate the environment in which they function. [GOC:vp, PMID:15139015]' - }, - 'GO:0048709': { - 'name': 'oligodendrocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an oligodendrocyte. An oligodendrocyte is a type of glial cell involved in myelinating the axons of neurons in the central nervous system. [GOC:vp, PMID:15139015]' - }, - 'GO:0048710': { - 'name': 'regulation of astrocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of astrocyte differentiation. [GOC:vp, PMID:15139015]' - }, - 'GO:0048711': { - 'name': 'positive regulation of astrocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of astrocyte differentiation. [GOC:vp, PMID:15139015]' - }, - 'GO:0048712': { - 'name': 'negative regulation of astrocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of astrocyte differentiation. [GOC:vp, PMID:15139015]' - }, - 'GO:0048713': { - 'name': 'regulation of oligodendrocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of oligodendrocyte differentiation. [GOC:vp, PMID:15139015]' - }, - 'GO:0048714': { - 'name': 'positive regulation of oligodendrocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of oligodendrocyte differentiation. [GOC:vp, PMID:15139015]' - }, - 'GO:0048715': { - 'name': 'negative regulation of oligodendrocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of oligodendrocyte differentiation. [GOC:vp, PMID:15139015]' - }, - 'GO:0048716': { - 'name': 'labrum morphogenesis', - 'def': 'The process in which the anatomical structures of labrum are generated and organized. [GOC:rc]' - }, - 'GO:0048717': { - 'name': 'anterior cibarial plate morphogenesis', - 'def': 'The process in which the anatomical structures of the anterior cibarial plate are generated and organized. [GOC:rc]' - }, - 'GO:0048718': { - 'name': 'cibarial fish-trap bristle morphogenesis', - 'def': 'The process in which the anatomical structures of a cibarial fish-trap bristle are generated and organized. A cibarial fish-trap bristle is a sensory bristle on the anterior plate of the cibarium. [FBbt:00004136, GOC:rc]' - }, - 'GO:0048719': { - 'name': 'epistomal sclerite morphogenesis', - 'def': 'The process in which the anatomical structures of the epistomal sclerite are generated and organized. [GOC:rc]' - }, - 'GO:0048720': { - 'name': 'posterior cibarial plate morphogenesis', - 'def': 'The process in which the anatomical structures of the posterior cibarial plate are generated and organized. [GOC:rc]' - }, - 'GO:0048721': { - 'name': 'clypeus morphogenesis', - 'def': 'The process in which the anatomical structures of the clypeus are generated and organized. [GOC:rc]' - }, - 'GO:0048722': { - 'name': 'anterior cibarial plate development', - 'def': 'The process whose specific outcome is the progression of the anterior cibarial plate over time, from their formation to the mature structure. [GOC:rc]' - }, - 'GO:0048723': { - 'name': 'clypeus development', - 'def': "The process whose specific outcome is the progression of the clypeus over time, from its formation to the mature structure. The clypeus is the shield-shaped plate on an insect's head. [GOC:rc]" - }, - 'GO:0048724': { - 'name': 'epistomal sclerite development', - 'def': 'The process whose specific outcome is the progression of the epistomal sclerite over time, from its formation to the mature structure. [GOC:rc]' - }, - 'GO:0048725': { - 'name': 'cibarial fish-trap bristle development', - 'def': 'The process whose specific outcome is the progression of the cibarial fish-trap bristle over time, from its formation to the mature structure. A cibarial fish-trap bristle is a sensory bristle on the anterior plate of the cibarium. [FBbt:00004136, GOC:rc]' - }, - 'GO:0048726': { - 'name': 'labrum development', - 'def': 'The process whose specific outcome is the progression of the labrum over time, from its formation to the mature structure. [GOC:rc]' - }, - 'GO:0048727': { - 'name': 'posterior cibarial plate development', - 'def': 'The process whose specific outcome is the progression of the posterior cibarial plate over time, from its formation to the mature structure. [GOC:rc]' - }, - 'GO:0048728': { - 'name': 'proboscis development', - 'def': 'The process whose specific outcome is the progression of the proboscis over time, from its formation to the mature structure. [GOC:rc]' - }, - 'GO:0048729': { - 'name': 'tissue morphogenesis', - 'def': 'The process in which the anatomical structures of a tissue are generated and organized. [GOC:dph, GOC:jid]' - }, - 'GO:0048730': { - 'name': 'epidermis morphogenesis', - 'def': 'The process in which the anatomical structures of the epidermis are generated and organized. The epidermis is the outer epithelial layer of an animal, it may be a single layer that produces an extracellular material (e.g. the cuticle of arthropods) or a complex stratified squamous epithelium, as in the case of many vertebrate species. [GOC:jid, UBERON:0001003]' - }, - 'GO:0048731': { - 'name': 'system development', - 'def': 'The process whose specific outcome is the progression of an organismal system over time, from its formation to the mature structure. A system is a regularly interacting or interdependent group of organs or tissues that work together to carry out a given biological process. [GOC:dph, GOC:jid]' - }, - 'GO:0048732': { - 'name': 'gland development', - 'def': 'The process whose specific outcome is the progression of a gland over time, from its formation to the mature structure. A gland is an organ specialised for secretion. [GOC:jid]' - }, - 'GO:0048733': { - 'name': 'sebaceous gland development', - 'def': 'The process whose specific outcome is the progression of the sebaceous gland over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0048734': { - 'name': 'proboscis morphogenesis', - 'def': 'The process in which the anatomical structures of the proboscis are generated and organized. The proboscis is the trunk-like extension of the mouthparts on the adult head. [GOC:jid, GOC:rc]' - }, - 'GO:0048735': { - 'name': 'haltere morphogenesis', - 'def': 'The process in which the anatomical structures of a haltere are generated and organized. [GOC:jid, GOC:rc]' - }, - 'GO:0048736': { - 'name': 'appendage development', - 'def': 'The process whose specific outcome is the progression of an appendage over time, from its formation to the mature structure. An appendage is an organ or part that is attached to the trunk of an organism, such as a limb or a branch. [GOC:jid, GOC:rc]' - }, - 'GO:0048737': { - 'name': 'imaginal disc-derived appendage development', - 'def': 'The process whose specific outcome is the progression of an appendage over time, from its formation in the imaginal disc to the mature structure. An appendage is an organ or part that is attached to the trunk of an organism. [GOC:jid, GOC:mtg_sensu, GOC:rc]' - }, - 'GO:0048738': { - 'name': 'cardiac muscle tissue development', - 'def': 'The process whose specific outcome is the progression of cardiac muscle over time, from its formation to the mature structure. [GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048739': { - 'name': 'cardiac muscle fiber development', - 'def': 'The process whose specific outcome is the progression of cardiac muscle fiber over time, from its formation to the mature structure. [GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048740': { - 'name': 'obsolete striated muscle fiber development', - 'def': 'OBSOLETE. The process whose specific outcome is the amplification and progression of myoblasts (muscle precursor cells) into terminally differentiated multinucleated muscle fibers. [GOC:dph, GOC:jid, GOC:lm, GOC:mtg_muscle]' - }, - 'GO:0048741': { - 'name': 'skeletal muscle fiber development', - 'def': 'The process whose specific outcome is the progression of the skeletal muscle fiber over time, from its formation to the mature structure. Muscle fibers are formed by the maturation of myotubes. They can be classed as slow, intermediate/fast or fast. [GOC:dph, GOC:ef, GOC:jid, GOC:lm, GOC:mtg_muscle]' - }, - 'GO:0048742': { - 'name': 'regulation of skeletal muscle fiber development', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle fiber development. Muscle fibers are formed by the maturation of myotubes. They can be classed as slow, intermediate/fast or fast. [GOC:dph, GOC:jid, GOC:mtg_muscle, GOC:sm]' - }, - 'GO:0048743': { - 'name': 'positive regulation of skeletal muscle fiber development', - 'def': 'Any process that activates, maintains or increases the rate of skeletal muscle fiber development. Muscle fibers are formed by the maturation of myotubes. They can be classed as slow, intermediate/fast or fast. [GOC:dph, GOC:jid, GOC:lm, GOC:mtg_muscle]' - }, - 'GO:0048744': { - 'name': 'negative regulation of skeletal muscle fiber development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of skeletal muscle fiber development. Muscle fibers are formed by the maturation of myotubes. They can be classed as slow, intermediate/fast or fast. [GOC:dph, GOC:jid, GOC:lm, GOC:mtg_muscle]' - }, - 'GO:0048745': { - 'name': 'smooth muscle tissue development', - 'def': 'The process whose specific outcome is the progression of smooth muscle over time, from its formation to the mature structure. [GOC:dph, GOC:jid, GOC:lm]' - }, - 'GO:0048746': { - 'name': 'obsolete smooth muscle fiber development', - 'def': 'OBSOLETE. The process whose specific outcome is the progression of smooth muscle fiber over time, from its formation to the mature structure. [GOC:dph, GOC:jid, GOC:lm, GOC:mtg_muscle]' - }, - 'GO:0048747': { - 'name': 'muscle fiber development', - 'def': 'The process whose specific outcome is the progression of the muscle fiber over time, from its formation to the mature structure. In skeletal muscle, fibers are formed by the maturation of myotubes. They can be classed as slow, intermediate/fast or fast. [GOC:dph, GOC:jid, GOC:lm, GOC:mtg_muscle]' - }, - 'GO:0048749': { - 'name': 'compound eye development', - 'def': 'The process whose specific outcome is the progression of the compound eye over time, from its formation to the mature structure. The compound eye is an organ of sight that contains multiple repeating units, often arranged hexagonally. Each unit has its own lens and photoreceptor cell(s) and can generate either a single pixelated image or multiple images, per eye. [GOC:jid, GOC:mtg_sensu, Wikipedia:Eye]' - }, - 'GO:0048750': { - 'name': 'compound eye corneal lens morphogenesis', - 'def': 'The process in which the anatomical structures of the compound eye corneal lens are generated and organized. [GOC:jid]' - }, - 'GO:0048752': { - 'name': 'semicircular canal morphogenesis', - 'def': 'The process in which the anatomical structures of the semicircular canals are generated and organized. [GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048753': { - 'name': 'pigment granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a pigment granule. [GOC:rc]' - }, - 'GO:0048754': { - 'name': 'branching morphogenesis of an epithelial tube', - 'def': 'The process in which the anatomical structures of branches in an epithelial tube are generated and organized. A tube is a long hollow cylinder. [GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048755': { - 'name': 'branching morphogenesis of a nerve', - 'def': 'The process in which the anatomical structures of branches in a nerve are generated and organized. This term refers to an anatomical structure (nerve) not a cell (neuron). [GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048756': { - 'name': 'sieve cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a sieve cell. A sieve cell is a type of sieve element that has relatively undifferentiated sieve areas (with narrow pores). The sieve areas are rather uniform in structure on all walls; that is, there are no sieve plates. Typical of gymnosperms and lower vascular plants. The sieve element is the cell in the phloem tissue concerned with mainly longitudinal conduction of food materials. [GOC:jid, PO:0025415, POC:curators]' - }, - 'GO:0048757': { - 'name': 'pigment granule maturation', - 'def': 'Steps required to form a membrane-bounded organelle into a pigment granule containing pigment. Maturation is a developmental process, independent of morphogenetic (shape) change, that is required for a cell or structure to attain its fully functional state. [GOC:dgh, GOC:jid, GOC:mh]' - }, - 'GO:0048758': { - 'name': 'companion cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a companion cell. The companion cell is the specialized parenchyma cell associated with a sieve-tube member in angiosperm phloem and arising from the same mother cell as the sieve-tube member. [CL:0000284, GOC:jid]' - }, - 'GO:0048759': { - 'name': 'xylem vessel member cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a vessel member cell. A vessel member cell is one of the components of a vessel in the xylem. It is a dead cell with the wall between adjacent members being variously perforated and the walls that persist variously thickened. [GOC:jid, PO:0002003]' - }, - 'GO:0048760': { - 'name': 'plant parenchymal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a parenchymal cell. Parenchymal cells are the most abundant and versatile cells in plants. They have very few distinguishing characteristics and botanists classify them as any cell type that cannot be assigned to any other structural or functional class. They can redifferentiate and dedifferentiate and are involved in storage, basic metabolism and other processes. The cells are polyhedral, typically with thin, non-lignified cellulose cell walls and nucleate living protoplasm. They vary in size, form, and wall structure. [CL:0000668, GOC:jid, ISBN:069716957X, PO:0005421]' - }, - 'GO:0048761': { - 'name': 'collenchyma cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a collenchyma cell. This is a plant cell in which the primary cell walls are unevenly thickened, with most thickening occurring at the cell corners. Cells are living and able to grow, they are elongated, and lignin and secondary walls absent. Collenchyma cells make up collenchyma tissue which acts as a supporting tissue in growing shoots, leaves and petioles. This tissue is often arranged in cortical ribs, as seen prominently in celery and rhubarb petioles. [CL:0000330, GOC:jid, PO:0000075]' - }, - 'GO:0048762': { - 'name': 'mesenchymal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesenchymal cell. A mesenchymal cell is a loosely associated cell that is part of the connective tissue in an organism. Mesenchymal cells give rise to more mature connective tissue cell types. [GOC:dph, GOC:jid]' - }, - 'GO:0048763': { - 'name': 'calcium-induced calcium release activity', - 'def': 'Enables transmembrane transfer of calcium ions from an intracellular store to the cytosol on induction by increased calcium concentration. [GOC:jid, GOC:nln, PMID:2990997, PMID:8381210, PMID:8653752]' - }, - 'GO:0048764': { - 'name': 'trichoblast maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a trichoblast cell to attain its fully functional state. [GOC:jid]' - }, - 'GO:0048765': { - 'name': 'root hair cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a root hair cell. [GOC:jid]' - }, - 'GO:0048766': { - 'name': 'root hair initiation', - 'def': 'The process in which a protrusion or bulge is formed at the site of plant root hair outgrowth. [GOC:jid, PMID:12468740]' - }, - 'GO:0048767': { - 'name': 'root hair elongation', - 'def': 'The process in which the root hair grows longer. [GOC:jid, PMID:12468740]' - }, - 'GO:0048768': { - 'name': 'root hair cell tip growth', - 'def': 'Localized growth of a plant root hair tip by extension of the cell wall. [GOC:jid, GOC:ki, PMID:12468740]' - }, - 'GO:0048769': { - 'name': 'sarcomerogenesis', - 'def': 'The process in which sarcomeres are added in series within a fiber. [GOC:jid, GOC:lm, PMID:15947030]' - }, - 'GO:0048770': { - 'name': 'pigment granule', - 'def': 'A small, subcellular membrane-bounded vesicle containing pigment and/or pigment precursor molecules. Pigment granule biogenesis is poorly understood, as pigment granules are derived from multiple sources including the endoplasmic reticulum, coated vesicles, lysosomes, and endosomes. [GOC:jid, GOC:mh]' - }, - 'GO:0048771': { - 'name': 'tissue remodeling', - 'def': 'The reorganization or renovation of existing tissues. This process can either change the characteristics of a tissue such as in blood vessel remodeling, or result in the dynamic equilibrium of a tissue such as in bone remodeling. [GOC:ebc]' - }, - 'GO:0048772': { - 'name': 'leucophore differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a leucophore cell. Leucophores are pigment cells derived from the neural crest. They contain uric acid or other purine crystals, deposited in stacks called leucosomes. This gives them a white appearance. [GOC:jid, GOC:mh]' - }, - 'GO:0048773': { - 'name': 'erythrophore differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an erythrophore cell. Erythrophores are pigment cells derived from the neural crest. They contain pteridine and/or carotenoid pigments in structures called pterinosomes or erythrosomes. This gives them an orange to red appearance. [GOC:jid, GOC:mh]' - }, - 'GO:0048774': { - 'name': 'cyanophore differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a cyanophore cell. Cyanophores are pigment cells derived from the neural crest. They contain a blue pigment of unknown chemical composition. The pigment is stored in fibrous organelles termed cyanosomes. [GOC:jid, GOC:mh]' - }, - 'GO:0048775': { - 'name': 'regulation of leucophore differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of leucophore differentiation. [GOC:mh]' - }, - 'GO:0048776': { - 'name': 'negative regulation of leucophore differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of leucophore differentiation. [GOC:mh]' - }, - 'GO:0048777': { - 'name': 'positive regulation of leucophore differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of leucophore differentiation. [GOC:mh]' - }, - 'GO:0048778': { - 'name': 'regulation of erythrophore differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of erythrophore differentiation. [GOC:mh]' - }, - 'GO:0048779': { - 'name': 'negative regulation of erythrophore differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of erythrophore differentiation. [GOC:mh]' - }, - 'GO:0048780': { - 'name': 'positive regulation of erythrophore differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of erythrophore differentiation. [GOC:mh]' - }, - 'GO:0048781': { - 'name': 'regulation of cyanophore differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of cyanophore differentiation. [GOC:mh]' - }, - 'GO:0048782': { - 'name': 'negative regulation of cyanophore differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cyanophore differentiation. [GOC:mh]' - }, - 'GO:0048783': { - 'name': 'positive regulation of cyanophore differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cyanophore differentiation. [GOC:mh]' - }, - 'GO:0048784': { - 'name': 'pigment biosynthetic process involved in pigment granule maturation', - 'def': 'The chemical reactions and pathways resulting in the formation of a pigment, contributing to the process in which a membrane-bounded organelle develops into a pigment granule. Maturation is a developmental process, independent of morphogenetic (shape) change, that is required for a cell or structure to attain its fully functional state. [GOC:jid]' - }, - 'GO:0048785': { - 'name': 'hatching gland development', - 'def': 'The process whose specific outcome is the progression of the hatching gland over time, from its formation to the mature structure. The cells of the hatching gland contain enzymes responsible for solubilization of the egg chorion, facilitating the hatching process. [GOC:bf, GOC:dh, GOC:jid]' - }, - 'GO:0048786': { - 'name': 'presynaptic active zone', - 'def': 'A specialized region of the plasma membrane and cell cortex of a presynaptic neuron; encompasses a region of the plasma membrane where synaptic vesicles dock and fuse, and a specialized cortical cytoskeletal matrix. [GOC:dh, GOC:dl, GOC:ef, GOC:jid, GOC:pr, PMID:3152289]' - }, - 'GO:0048787': { - 'name': 'presynaptic active zone membrane', - 'def': 'The membrane portion of the presynaptic active zone; it is the site where docking and fusion of synaptic vesicles occurs for the release of neurotransmitters. [PMID:12812759, PMID:12923177, PMID:3152289]' - }, - 'GO:0048788': { - 'name': 'cytoskeleton of presynaptic active zone', - 'def': 'The specialized cytoskeletal matrix of the presynaptic active zone. It has specialized functions in organizing synaptic events such as immobilisation or translocation of synaptic vesicles, and assembling active zone components. It is believed to form a molecular scaffold that organizes neurotransmitter release sites. [GOC:dh, GOC:dl, GOC:ef, GOC:jid, NIF_Subcellular:sao1470121605, PMID:10944438]' - }, - 'GO:0048789': { - 'name': 'cytoskeletal matrix organization at active zone', - 'def': 'The assembly and arrangement of cytomatrix proteins to form complexes in the cell cortex beneath the active zone, i.e. just beneath the presynaptic plasma membrane. [GOC:dh, GOC:ef, GOC:jid, PMID:12812759]' - }, - 'GO:0048790': { - 'name': 'maintenance of presynaptic active zone structure', - 'def': 'A process which maintains the organization and the arrangement of proteins at the active zone to ensure the fusion and docking of vesicles and the release of neurotransmitters. [GOC:curators, GOC:dph, GOC:pr]' - }, - 'GO:0048791': { - 'name': 'calcium ion-regulated exocytosis of neurotransmitter', - 'def': 'The release of a neurotransmitter into the synaptic cleft by exocytosis of synaptic vesicles, where the release step is dependent on a rise in cytosolic calcium ion levels. [GOC:curators]' - }, - 'GO:0048792': { - 'name': 'spontaneous exocytosis of neurotransmitter', - 'def': 'The release of a neurotransmitter into the synaptic cleft, where the release step is independent of the presence of calcium ions (Ca2+). The neurotransmitter is contained within a membrane-bounded vesicle, and is released by fusion of the vesicle with the presynaptic plasma membrane of a nerve cell. [GOC:curators]' - }, - 'GO:0048793': { - 'name': 'pronephros development', - 'def': 'The process whose specific outcome is the progression of the pronephros over time, from its formation to the mature structure. In mammals, the pronephros is the first of the three embryonic kidneys to be established and exists only transiently. In lower vertebrates such as fish and amphibia, the pronephros is the fully functional embryonic kidney and is indispensable for larval life. [GOC:bf, GOC:mtg_kidney_jan10, PMID:10535314, PMID:15968585, PMID:18322540, XAO:00002000, ZFA:0000151]' - }, - 'GO:0048794': { - 'name': 'swim bladder development', - 'def': 'The process whose specific outcome is the progression of the swim bladder over time, from its formation to the mature structure. The swim bladder is used by some fishes to maintain buoyancy and may function in addition as a sound producing organ, a sound receptor, and a respiratory organ. [GOC:mh]' - }, - 'GO:0048795': { - 'name': 'swim bladder morphogenesis', - 'def': 'The process in which the anatomical structure of the swim bladder is generated and organized. The swim bladder is used by some fishes to maintain buoyancy and may function in addition as a sound producing organ, a sound receptor, and a respiratory organ. [GOC:mh]' - }, - 'GO:0048796': { - 'name': 'swim bladder maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a swim bladder to attain its fully functional state. The swim bladder is used by some fishes to maintain buoyancy and may function in addition as a sound producing organ, a sound receptor, and a respiratory organ. [GOC:devbiol]' - }, - 'GO:0048797': { - 'name': 'swim bladder formation', - 'def': 'The process that gives rise to the swim bladder. This process pertains to the initial formation of a structure from unspecified parts. The swim bladder is used by some fishes to maintain buoyancy and may function in addition as a sound producing organ, a sound receptor, and a respiratory organ. [GOC:mh]' - }, - 'GO:0048798': { - 'name': 'swim bladder inflation', - 'def': 'The expansion of the swim bladder by trapped gases. The swim bladder is used by some fishes to maintain buoyancy and may function in addition as a sound producing organ, a sound receptor, and a respiratory organ. [GOC:mh]' - }, - 'GO:0048799': { - 'name': 'animal organ maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for an animal organ to attain its fully functional state. An organ is a tissue or set of tissues that work together to perform a specific function or functions. [GOC:curators]' - }, - 'GO:0048800': { - 'name': 'antennal morphogenesis', - 'def': 'The process in which the anatomical structures of the antenna are generated and organized. [GOC:jid]' - }, - 'GO:0048801': { - 'name': 'antennal joint morphogenesis', - 'def': 'The process in which the anatomical structures of the antennal joint are generated and organized. [GOC:jid]' - }, - 'GO:0048802': { - 'name': 'notum morphogenesis', - 'def': 'The process in which the anatomical structures of the dorsal part of the body are generated and organized. [GOC:jid]' - }, - 'GO:0048803': { - 'name': 'imaginal disc-derived male genitalia morphogenesis', - 'def': 'The process in which the anatomical structures of male genitalia are generated and organized from the genital imaginal disc. [GOC:ai, GOC:sensu]' - }, - 'GO:0048804': { - 'name': 'imaginal disc-derived female genitalia morphogenesis', - 'def': 'The process in which the anatomical structures of female genitalia are generated and organized from the genital disc. [GOC:ai, GOC:sensu]' - }, - 'GO:0048805': { - 'name': 'imaginal disc-derived genitalia morphogenesis', - 'def': 'The process in which the anatomical structures of genitalia are generated and organized from the genital imaginal disc. [GOC:ai, GOC:sensu]' - }, - 'GO:0048806': { - 'name': 'genitalia development', - 'def': 'The process whose specific outcome is the progression of the genitalia over time, from its formation to the mature structure. [GOC:jid]' - }, - 'GO:0048807': { - 'name': 'female genitalia morphogenesis', - 'def': 'The process in which the anatomical structures of female genitalia are generated and organized. [GOC:mah]' - }, - 'GO:0048808': { - 'name': 'male genitalia morphogenesis', - 'def': 'The process in which the anatomical structures of male genitalia are generated and organized. [GOC:ems, ISBN:0140512888]' - }, - 'GO:0048809': { - 'name': 'analia morphogenesis', - 'def': 'The process in which the anatomical structures of analia are generated and organized. The analia is the posterior-most vertral appendage that develops from the genital disc. An example of this process is analia morphogenesis in Drosophila melanogaster. [GOC:ai, GOC:mtg_sensu]' - }, - 'GO:0048810': { - 'name': 'female analia morphogenesis', - 'def': 'The process in which the anatomical structures of the analia of the female are generated and organized. The analia is the posterior-most vertral appendage that develops from the genital disc. An example of this process is found in Drosophila melanogaster. [GOC:mtg_sensu, PMID:11494318]' - }, - 'GO:0048811': { - 'name': 'male analia morphogenesis', - 'def': 'The process in which the anatomical structures of the analia of the male are generated and organized. The analia is the posterior-most vertral appendage that develops from the genital disc. [GOC:mtg_sensu, PMID:11494318]' - }, - 'GO:0048812': { - 'name': 'neuron projection morphogenesis', - 'def': 'The process in which the anatomical structures of a neuron projection are generated and organized. A neuron projection is any process extending from a neural cell, such as axons or dendrites. [GOC:mah]' - }, - 'GO:0048813': { - 'name': 'dendrite morphogenesis', - 'def': 'The process in which the anatomical structures of a dendrite are generated and organized. A dendrite is a freely branching protoplasmic process of a nerve cell. [GOC:jl, ISBN:0198506732]' - }, - 'GO:0048814': { - 'name': 'regulation of dendrite morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of dendrite morphogenesis. [GOC:ai]' - }, - 'GO:0048815': { - 'name': 'hermaphrodite genitalia morphogenesis', - 'def': 'The process in which the anatomical structures of hermaphrodite genitalia are generated and organized. [GOC:ems, ISBN:0140512888]' - }, - 'GO:0048816': { - 'name': 'ocellus morphogenesis', - 'def': 'The process in which the anatomical structures of the ocellus are generated and organized. The ocellus is a simple visual organ of insects. [http://fly.ebi.ac.uk/.bin/cvreport2?id=FBcv0004540]' - }, - 'GO:0048817': { - 'name': 'negative regulation of hair follicle maturation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of hair follicle maturation. [GOC:devbiol]' - }, - 'GO:0048818': { - 'name': 'positive regulation of hair follicle maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of hair follicle maturation. [GOC:devbiol]' - }, - 'GO:0048819': { - 'name': 'regulation of hair follicle maturation', - 'def': 'Any process that modulates the frequency, rate or extent of hair follicle maturation. [GOC:devbiol]' - }, - 'GO:0048820': { - 'name': 'hair follicle maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a hair follicle to attain its fully functional state. [GOC:devbiol]' - }, - 'GO:0048821': { - 'name': 'erythrocyte development', - 'def': 'The process whose specific outcome is the progression of an erythrocyte over time, from its formation to the mature structure. [GOC:devbiol]' - }, - 'GO:0048822': { - 'name': 'enucleate erythrocyte development', - 'def': 'The process aimed at the progression of an enucleate erythrocyte over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:devbiol]' - }, - 'GO:0048823': { - 'name': 'nucleate erythrocyte development', - 'def': 'The process aimed at the progression of a nucleate erythrocyte over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:devbiol]' - }, - 'GO:0048824': { - 'name': 'pigment cell precursor differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a pigment cell precursor. [GOC:dgh, PMID:16499899]' - }, - 'GO:0048825': { - 'name': 'cotyledon development', - 'def': 'The process whose specific outcome is the progression of the cotyledon over time, from its formation to the mature structure. The cotyledon is the modified leaf (seed leaf), found as part of the embryo in plant seeds. It is involved in either storage or absorption of food reserves. Dicotyledonous seeds contain two cotyledons, while monocotyledonous seeds contain only one. The cotyledons may appear above ground and show photosynthetic activity in the seedling. [GOC:devbiol, GOC:tb, PO:0020030]' - }, - 'GO:0048826': { - 'name': 'cotyledon morphogenesis', - 'def': 'The process in which the anatomical structures of the cotyledon are generated and organized. The cotyledon is the modified leaf (seed leaf), found as part of the embryo in plant seeds. It is involved in either storage or absorption of food reserves. Dicotyledonous seeds contain two cotyledons, while monocotyledonous seeds contain only one. The cotyledons may appear above ground and show photosynthetic activity in the seedling. [GOC:devbiol, GOC:tb, PO:0020030]' - }, - 'GO:0048827': { - 'name': 'phyllome development', - 'def': 'The process whose specific outcome is the progression of a phyllome over time, from its formation to the mature structure. A phyllome is a collective term for all the different types of leaves appearing on plants. [GOC:devbiol, GOC:tb, PO:0006001]' - }, - 'GO:0048829': { - 'name': 'root cap development', - 'def': 'The process whose specific outcome is the progression of the root cap over time, from its formation to the mature structure. The root cap protects the root meristem from friction as the root grows through the soil. The cap is made up of a group of parenchyma cells which secrete a glycoprotein mucilage as a lubricant. [GOC:tb]' - }, - 'GO:0048830': { - 'name': 'adventitious root development', - 'def': 'The process whose specific outcome is the progression of adventitious root over time, from its formation to the mature structure. Adventitious roots are post-embryonic roots that develop from the plant shoot. [GOC:tb]' - }, - 'GO:0048831': { - 'name': 'regulation of shoot system development', - 'def': 'Any process that modulates the frequency, rate or extent of shoot development. [GOC:tb, PMID:16361392]' - }, - 'GO:0048832': { - 'name': 'specification of plant organ number', - 'def': 'The regionalization process that modulates the quantity of a particular type of plant organ. [GOC:dph, GOC:isa_complete, GOC:tb]' - }, - 'GO:0048833': { - 'name': 'specification of floral organ number', - 'def': 'Any process that modulates the number of floral organs formed in a floral whorl. [GOC:tb]' - }, - 'GO:0048834': { - 'name': 'specification of petal number', - 'def': 'Any process that modulates the number of petals formed in a flower. [GOC:tb]' - }, - 'GO:0048835': { - 'name': 'specification of decreased petal number', - 'def': 'Any process that reduces the number of petals produced in a developing flower. [GOC:tb]' - }, - 'GO:0048836': { - 'name': 'specification of increased petal number', - 'def': 'Any process that increases the number of petals produced in a developing flower. [GOC:tb]' - }, - 'GO:0048837': { - 'name': 'sorocarp sorus development', - 'def': 'The process whose specific outcome is the progression of the sorocarp sorus over time, from its formation to the mature structure. A sorocarp sorus is the spore containing structure of a sorocarp. [dictyBase_REF:2530, GOC:devbiol, GOC:mtg_sensu]' - }, - 'GO:0048838': { - 'name': 'release of seed from dormancy', - 'def': 'The process in which the dormant state is broken in a seed. Dormancy is characterized by a suspension of physiological activity that can be reactivated upon release. [GOC:dph, GOC:jid, GOC:tb, ISBN:9781405139830]' - }, - 'GO:0048839': { - 'name': 'inner ear development', - 'def': 'The process whose specific outcome is the progression of the inner ear over time, from its formation to the mature structure. [GOC:sr]' - }, - 'GO:0048840': { - 'name': 'otolith development', - 'def': 'The process whose specific outcome is the progression of the otolith over time, from its formation to the mature structure. [GOC:sr]' - }, - 'GO:0048841': { - 'name': 'regulation of axon extension involved in axon guidance', - 'def': 'Any process that modulates the frequency, rate or extent of axon extension involved in axon guidance. [GOC:devbiol]' - }, - 'GO:0048842': { - 'name': 'positive regulation of axon extension involved in axon guidance', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of axon extension involved in axon guidance. [GOC:devbiol]' - }, - 'GO:0048843': { - 'name': 'negative regulation of axon extension involved in axon guidance', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of axon extension involved in axon guidance. [GOC:devbiol]' - }, - 'GO:0048844': { - 'name': 'artery morphogenesis', - 'def': 'The process in which the anatomical structures of arterial blood vessels are generated and organized. Arteries are blood vessels that transport blood from the heart to the body and its organs. [GOC:dsf, PMID:16740480]' - }, - 'GO:0048845': { - 'name': 'venous blood vessel morphogenesis', - 'def': 'The process in which the anatomical structures of venous blood vessels are generated and organized. Veins are blood vessels that transport blood from the body and its organs to the heart. [GOC:dsf, PMID:16740480]' - }, - 'GO:0048846': { - 'name': 'axon extension involved in axon guidance', - 'def': 'The long distance growth of a single cell process, that is involved in the migration of an axon growth cone, where the migration is directed to a specific target site by a combination of attractive and repulsive cues. [GOC:ef, GOC:jid]' - }, - 'GO:0048847': { - 'name': 'adenohypophysis formation', - 'def': 'The process that gives rise to adenohypophysis. This process pertains to the initial formation of a structure from unspecified parts. The adenohypophysis is the anterior part of the pituitary. It secretes a variety of hormones and its function is regulated by the hypothalamus. [GOC:cvs, GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048848': { - 'name': 'neurohypophysis morphogenesis', - 'def': 'The process in which the anatomical structures of the neurohypophysis are generated and organized. The neurohypophysis is the part of the pituitary gland that secretes hormones involved in blood pressure regulation. [GOC:cls, GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048849': { - 'name': 'neurohypophysis formation', - 'def': 'The process that gives rise to neurohypophysis. This process pertains to the initial formation of a structure from unspecified parts. The neurohypophysis is the part of the pituitary gland that secretes hormones involved in blood pressure regulation. [GOC:cls, GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048850': { - 'name': 'hypophysis morphogenesis', - 'def': 'The process in which the anatomical structures of the hypophysis are generated and organized. The pituitary gland is an endocrine gland that secretes hormones that regulate many other glands. [GOC:cls, GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048851': { - 'name': 'hypophysis formation', - 'def': 'The process in which the anatomical structures of the hypophysis are generated and organized. The hypophysis is an endocrine gland that secretes hormones that regulate many other glands. [GOC:cls, GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048852': { - 'name': 'diencephalon morphogenesis', - 'def': 'The process in which the anatomical structures of the diencephalon are generated and organized. The diencephalon is the paired caudal parts of the prosencephalon from which the thalamus, hypothalamus, epithalamus and subthalamus are derived; these regions regulate autonomic, visceral and endocrine function, and process information directed to the cerebral cortex. [GOC:cls, GOC:dgh, GOC:dph, GOC:jid, ISBN:0838580343]' - }, - 'GO:0048853': { - 'name': 'forebrain morphogenesis', - 'def': 'The process in which the anatomical structures of the forebrain are generated and organized. The forebrain is the anterior of the three primary divisions of the developing chordate brain or the corresponding part of the adult brain (in vertebrates, includes especially the cerebral hemispheres, the thalamus, and the hypothalamus and especially in higher vertebrates is the main control center for sensory and associative information processing, visceral functions, and voluntary motor functions). [GOC:cvs, GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048854': { - 'name': 'brain morphogenesis', - 'def': 'The process in which the anatomical structures of the brain are generated and organized. The brain is one of the two components of the central nervous system and is the center of thought and emotion. It is responsible for the coordination and control of bodily activities and the interpretation of information from the senses (sight, hearing, smell, etc.). [GOC:dgh, GOC:jid]' - }, - 'GO:0048855': { - 'name': 'adenohypophysis morphogenesis', - 'def': 'The process in which the anatomical structures of the adenohypophysis are generated and organized. The adenohypophysis is the anterior part of the pituitary. It secretes a variety of hormones and its function is regulated by the hypothalamus. [GOC:cvs, GOC:dgh, GOC:dph, GOC:jid]' - }, - 'GO:0048856': { - 'name': 'anatomical structure development', - 'def': 'The biological process whose specific outcome is the progression of an anatomical structure from an initial condition to its mature state. This process begins with the formation of the structure and ends with the mature structure, whatever form that may be including its natural destruction. An anatomical structure is any biological entity that occupies space and is distinguished from its surroundings. Anatomical structures can be macroscopic such as a carpel, or microscopic such as an acrosome. [GO_REF:0000021, GOC:mtg_15jun06]' - }, - 'GO:0048857': { - 'name': 'neural nucleus development', - 'def': 'The biological process whose specific outcome is the progression of a neural nucleus from its initial condition to its mature state. A neural nucleus is an anatomical structure consisting of a discrete aggregate of neuronal soma. [GO_REF:0000021, GOC:mtg_15jun06]' - }, - 'GO:0048858': { - 'name': 'cell projection morphogenesis', - 'def': 'The process in which the anatomical structures of a cell projection are generated and organized. [GO_REF:0000021, GOC:mtg_15jun06]' - }, - 'GO:0048859': { - 'name': 'formation of anatomical boundary', - 'def': 'The process in which the limits of an anatomical structure are generated. An anatomical structure is any biological entity that occupies space and is distinguished from its surroundings. Anatomical structures can be macroscopic such as a carpel, or microscopic such as an acrosome. [GO_REF:0000021, GOC:mtg_15jun06]' - }, - 'GO:0048860': { - 'name': 'glioblast division', - 'def': 'The process resulting in the physical partitioning and separation of a glioblast into daughter cells. [GOC:devbiol]' - }, - 'GO:0048861': { - 'name': 'leukemia inhibitory factor signaling pathway', - 'def': 'Any series of molecular signals initiated by the binding of leukemia inhibitory factor to a receptor on the surface of the target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:devbiol, GOC:signaling]' - }, - 'GO:0048863': { - 'name': 'stem cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a stem cell. A stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized cells. [CL:0000034, GOC:isa_complete]' - }, - 'GO:0048864': { - 'name': 'stem cell development', - 'def': 'The process whose specific outcome is the progression of the stem cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to its specific fate. [CL:0000034, GOC:isa_complete]' - }, - 'GO:0048865': { - 'name': 'stem cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a stem cell. [CL:0000034, GOC:isa_complete]' - }, - 'GO:0048866': { - 'name': 'stem cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a stem cell in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. [CL:0000034, GOC:isa_complete]' - }, - 'GO:0048867': { - 'name': 'stem cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a stem cell regardless of its environment; upon determination, the cell fate cannot be reversed. [CL:0000034, GOC:isa_complete]' - }, - 'GO:0048868': { - 'name': 'pollen tube development', - 'def': 'The process whose specific outcome is the progression of a pollen tube over time, from its initial formation to a mature structure. [GOC:isa_complete]' - }, - 'GO:0048869': { - 'name': 'cellular developmental process', - 'def': 'A biological process whose specific outcome is the progression of a cell over time from an initial condition to a later condition. [GOC:isa_complete]' - }, - 'GO:0048870': { - 'name': 'cell motility', - 'def': 'Any process involved in the controlled self-propelled movement of a cell that results in translocation of the cell from one place to another. [GOC:dgh, GOC:dph, GOC:isa_complete, GOC:mlg]' - }, - 'GO:0048871': { - 'name': 'multicellular organismal homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state at the level of the multicellular organism. [GOC:isa_complete]' - }, - 'GO:0048872': { - 'name': 'homeostasis of number of cells', - 'def': 'Any biological process involved in the maintenance of the steady-state number of cells within a population of cells. [GOC:isa_complete]' - }, - 'GO:0048873': { - 'name': 'homeostasis of number of cells within a tissue', - 'def': 'Any biological process involved in the maintenance of the steady-state number of cells within a population of cells in a tissue. [GOC:isa_complete]' - }, - 'GO:0048874': { - 'name': 'homeostasis of number of cells in a free-living population', - 'def': 'The biological process involved in maintaining the steady-state number of cells within a population of free-living cells such as the bacteria in the gut. [GOC:isa_complete]' - }, - 'GO:0048875': { - 'name': 'chemical homeostasis within a tissue', - 'def': 'Any process involved in the maintenance of the internal steady state of the amount of a chemical at the level of the tissue. [GOC:isa_complete]' - }, - 'GO:0048876': { - 'name': 'chemical homeostasis within retina', - 'def': 'Any process involved in the maintenance of the internal steady state of the amount of a chemical at the level of the retina. [GOC:isa_complete]' - }, - 'GO:0048877': { - 'name': 'homeostasis of number of retina cells', - 'def': 'Any biological process involved in the maintenance of the steady-state number of cells within a population of cells in the retina. [GOC:dph, GOC:isa_complete, GOC:tb]' - }, - 'GO:0048878': { - 'name': 'chemical homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of a chemical. [GOC:isa_complete]' - }, - 'GO:0048880': { - 'name': 'sensory system development', - 'def': 'The process whose specific outcome is the progression of a sensory system over time from its formation to the mature structure. [GOC:dgh]' - }, - 'GO:0048881': { - 'name': 'mechanosensory lateral line system development', - 'def': 'The process whose specific outcome is the progression of the mechanosensory lateral line system over time, from its formation to the mature structure. The mechanosensory lateral line system consists of small sensory patches (neuromasts) located superficially on the skin or just under the skin in fluid-filled canals on the head and body of all fishes and most amphibians. The neuromasts are innervated by several lateral line nerves, which project primarily to the hindbrain. The mechanosensory lateral line system is stimulated by local water displacements and vibrations, and detects propulsion of the fish through the water, as well as facilitating shoaling, prey capture, and predator and obstacle avoidance. [ISBN:0125296509]' - }, - 'GO:0048882': { - 'name': 'lateral line development', - 'def': 'The process whose specific outcome is the progression of the lateral line over time, from its formation to the mature structure. The lateral line consists of small sensory patches (neuromasts) located superficially on the skin or just under the skin in fluid-filled canals on the head and body of all fishes and most amphibians. The lateral line develops from cranial ectodermal placodes situated behind the ear and between the eye and ear. [ISBN:0125296509]' - }, - 'GO:0048883': { - 'name': 'neuromast primordium migration', - 'def': 'The migration of a cluster of a relatively undifferentiated cell originating at specific cephalic placodes and depositing proneuromasts along a developing lateral line, from which the neuromasts will develop. [PMID:15018940, PMID:15832385]' - }, - 'GO:0048884': { - 'name': 'neuromast development', - 'def': 'The process whose specific outcome is the progression of the neuromast over time, from its formation to the mature structure. The neuromast is the sensory organ of the lateral line and is composed of a population of sensory hair cells, and nonsensory supporting cells and mantle cells. Neuromasts are located superficially on the epithelium or in lateral line canals. [ISBN:0125296509]' - }, - 'GO:0048885': { - 'name': 'neuromast deposition', - 'def': 'The process in which a migrating neuromast primordium deposits clusters of undifferentiated cells (proneuromasts) along its migratory path in a developing lateral line. [PMID:15018940]' - }, - 'GO:0048886': { - 'name': 'neuromast hair cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuromast hair cell. Hair cells are the sensory receptors of the neuromast and are located in a portion of the neuromast called the sensory strip. Each hair cell of the neuromast is morphologically polarized as a result of the relative position of the single kinocilium and the clusters of stereocilia on its apical surface. There are approximately seven hair cells within each neuromast, with each hair cell innervated by afferent and efferent neurons. [CL:0000856, ISBN:0125296509]' - }, - 'GO:0048887': { - 'name': 'cupula development', - 'def': 'The process whose specific outcome is the progression of the cupula over time, from its formation to the mature structure. The cupula is secreted by mantle cells and the ciliary bundles of all of the hair cells of the neuromast are embedded in it. The cupula provides a mechanical linkage between the hair cells and the external hydrodynamic environment. The cupula of superficial neuromasts grows continuously, while the height of the cupula of canal neuromasts is limited by canal diameter. [ISBN:0125296509]' - }, - 'GO:0048888': { - 'name': 'neuromast mantle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuromast mantle cell. Mantle cells are non-sensory cells that surround the sensory strip, separating the neuromast from the epidermis. Mantle cells secrete the cupula in which the ciliary bundles of all of the hair cells are embedded. [ISBN:0125296509]' - }, - 'GO:0048889': { - 'name': 'neuromast support cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuromast support cell. Support cells are non-sensory cells of the neuromast that extend between the sensory hair cells from the basement membrane to the apical surface; they are surrounded by mantle cells. [ISBN:0125296509]' - }, - 'GO:0048890': { - 'name': 'lateral line ganglion development', - 'def': 'The process whose specific outcome is the progression of the lateral line ganglion over time, from its formation to the mature structure. The lateral line ganglion develops from cranial ectodermal placodes situated between the eye and ear and behind the ear. [ISBN:0125296509, ISBN:0387968377]' - }, - 'GO:0048891': { - 'name': 'lateral line ganglion neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a lateral line ganglion neuron. [PMID:15018940]' - }, - 'GO:0048892': { - 'name': 'lateral line nerve development', - 'def': 'The process whose specific outcome is the progression of the lateral line nerve over time, form its formation to the mature structure. Lateral line nerves project primarily to an octavolateralis column in the hindbrain that consists of the medial octavolateralis nucleus (MON), the caudal octavolateralis nucleus, and the magnocellular nucleus. [ISBN:0125296509]' - }, - 'GO:0048893': { - 'name': 'afferent axon development in lateral line nerve', - 'def': 'The process whose specific outcome is the progression of an afferent axon in a lateral line nerve over time from its formation to the mature structure. This process includes axonogenesis and pathfinding of the afferent axons in any lateral line nerve. [PMID:15832385]' - }, - 'GO:0048894': { - 'name': 'efferent axon development in a lateral line nerve', - 'def': 'The process whose specific outcome is the progression of an efferent axon in a lateral line nerve over time from its formation to the mature structure. This process includes axonogenesis and pathfinding of the efferent axons in any lateral line nerve. [PMID:15832385]' - }, - 'GO:0048895': { - 'name': 'lateral line nerve glial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a glial cell in a lateral line nerve. [PMID:12062041]' - }, - 'GO:0048896': { - 'name': 'lateral line nerve glial cell migration', - 'def': 'The movement of a glial cell along the axons in a lateral line nerve. [PMID:12062041]' - }, - 'GO:0048897': { - 'name': 'myelination of lateral line nerve axons', - 'def': 'The formation of compact myelin sheaths around the axons of a lateral line nerve. [PMID:12112375]' - }, - 'GO:0048898': { - 'name': 'anterior lateral line system development', - 'def': 'The process whose specific outcome is the progression of the anterior lateral line system over time, from its formation to the mature structure. The anterior lateral line system develops from cranial ectodermal placodes, situated between the eye and the ear, that give rise to both the neuromasts and the anterior lateral line sensory nerves that innervate the neuromasts. The anterior lateral line system consists of small sensory patches (neuromasts) located superficially on the skin or just under the skin in fluid-filled canals on the head of all fishes and most amphibians and are innervated by several lateral line nerves, which project to the hindbrain. The anterior lateral line system is stimulated by local water displacements and vibrations, and detects propulsion of the fish through the water, as well as facilitating shoaling, prey capture, and predator and obstacle avoidance. [ISBN:0125296509, PMID:15018940]' - }, - 'GO:0048899': { - 'name': 'anterior lateral line development', - 'def': 'The process whose specific outcome is the progression of the anterior lateral line over time, from its formation to the mature structure. The anterior lateral line consists of small sensory patches (neuromasts) located superficially on the skin or just under the skin in fluid-filled canals on the head of all fishes and most amphibians. The anterior lateral line develops from cranial ectodermal placodes situated between the eye and ear. [ISBN:0125296509]' - }, - 'GO:0048900': { - 'name': 'anterior lateral line neuromast primordium migration', - 'def': 'The migration of a cluster of a relatively undifferentiated cell along the developing anterior lateral line, originating from cranial ectodermal placodes situated between the eye and the ear. The neuromast primordium deposits proneuromasts along the lateral line, from which the neuromasts will develop. [GOC:dgh, PMID:15832385]' - }, - 'GO:0048901': { - 'name': 'anterior lateral line neuromast development', - 'def': 'The process whose specific outcome is the progression of the anterior lateral line neuromast over time, from its formation to the mature structure. The neuromast is the sensory receptor of the anterior lateral line system and is composed of a population of sensory hair cells, and nonsensory supporting cells and mantle cells. Neuromast are located superficially on the epithelium or in lateral line canals. [ISBN:0125296509]' - }, - 'GO:0048902': { - 'name': 'anterior lateral line neuromast deposition', - 'def': 'The process in which a migrating neuromast primordium deposits clusters of undifferentiated cells (proneuromasts) along its migratory path in the developing anterior lateral line. [PMID:15832385]' - }, - 'GO:0048903': { - 'name': 'anterior lateral line neuromast hair cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an anterior lateral line neuromast hair cell. Neuromast hair cells are the sensory receptors of the neuromast and are located in a portion of the neuromast called the sensory strip. Each hair cell of the neuromast is morphologically polarized as a result of the relative position of the single kinocilium and the clusters of stereocilia on its apical surface. There are approximately seven hair cells within each neuromast, with each hair cell innervated by afferent and efferent neurons. [ISBN:0125296509, ISBN:0387968377]' - }, - 'GO:0048904': { - 'name': 'anterior lateral line neuromast cupula development', - 'def': 'The process whose specific outcome is the progression of the anterior lateral line neuromast cupula over time, from its formation to the mature structure. The cupula is secreted by mantle cells and the ciliary bundles of all of the hair cells of the neuromast are embedded in it. The cupula provides a mechanical linkage between the hair cells and the external hydrodynamic environment. The cupula of superficial neuromasts grows continuously, while the height of the cupula of canal neuromasts is limited by canal diameter. [ISBN:0125296509]' - }, - 'GO:0048905': { - 'name': 'anterior lateral line neuromast mantle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an anterior lateral line neuromast mantle cell. Mantle cells are non-sensory cells that surround the sensory strip, separating the neuromast from the epidermis. Mantle cells secrete the cupula in which the ciliary bundles of all of the hair cells are embedded. [ISBN:0125296509]' - }, - 'GO:0048906': { - 'name': 'anterior lateral line neuromast support cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an anterior lateral line neuromast support cell. Support cells are non-sensory cells of the neuromast that extend between the sensory hair cells from the basement membrane to the apical surface; they are surrounded by mantle cells. [ISBN:0387968377]' - }, - 'GO:0048907': { - 'name': 'anterior lateral line ganglion development', - 'def': 'The process whose specific outcome is the progression of the anterior lateral line ganglion over time, from its formation to the mature structure. The anterior lateral line ganglion develops from cranial ectodermal placodes situated between the eye and ear. [ISBN:0125296509]' - }, - 'GO:0048908': { - 'name': 'anterior lateral line ganglion neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron of the anterior lateral line ganglion. [PMID:15018940]' - }, - 'GO:0048909': { - 'name': 'anterior lateral line nerve development', - 'def': 'The process whose specific outcome is the progression of the anterior lateral line nerve over time, form its formation to the mature structure. The anterior lateral line nerve contains efferent axons that innervate hair cells of the ALL and afferent axons that project to an octavolateralis column in the hindbrain. The octavolateralis column consists of the medial octavolateralis nucleus (MON), the caudal octavolateralis nucleus, and the magnocellular nucleus. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0125296509]' - }, - 'GO:0048910': { - 'name': 'afferent axon development in anterior lateral line nerve', - 'def': 'The process whose specific outcome is the progression of an afferent axon in the anterior lateral line nerve over time from its formation to the mature structure. This process includes axonogenesis and pathfinding of the afferent axons in the anterior lateral line nerve. [PMID:15018940]' - }, - 'GO:0048911': { - 'name': 'efferent axon development in anterior lateral line nerve', - 'def': 'The process whose specific outcome is the progression of an efferent axon in the anterior lateral line nerve over time from its formation to the mature structure. This process includes axonogenesis and pathfinding of the efferent axons in the anterior lateral line nerve. [PMID:15018940]' - }, - 'GO:0048912': { - 'name': 'glial cell migration in anterior lateral line nerve', - 'def': 'The movement of a glial cell along the axons in the anterior lateral line nerve. [PMID:12062041]' - }, - 'GO:0048913': { - 'name': 'anterior lateral line nerve glial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a glial cell in the anterior lateral line nerve. [PMID:15832385]' - }, - 'GO:0048914': { - 'name': 'myelination of anterior lateral line nerve axons', - 'def': 'The formation of compact myelin sheaths around the axons of the anterior lateral line nerve. [PMID:12112375]' - }, - 'GO:0048915': { - 'name': 'posterior lateral line system development', - 'def': 'The process whose specific outcome is the progression of the posterior lateral line system over time, from its formation to the mature structure. The posterior lateral line system develops from cranial ectodermal placodes, situated behind the ear, that give rise to both the neuromasts and the posterior lateral line sensory nerves that innervate the neuromasts. The posterior lateral line system consists of small sensory patches (neuromasts) located superficially on the skin or just under the skin in fluid-filled canals on the head of all fishes and most amphibians. The neuromasts are innervated by several lateral line nerves, which project primarily to the hindbrain. The posterior mechanosensory lateral line system is stimulated by local water displacements and vibrations, and detects propulsion of the fish through the water, as well as facilitating shoaling, prey capture, and predator and obstacle avoidance. [ISBN:0125296509, PMID:15018940]' - }, - 'GO:0048916': { - 'name': 'posterior lateral line development', - 'def': 'The process whose specific outcome is the progression of the posterior lateral line over time, from its formation to the mature structure. The posterior lateral line consists of small sensory patches (neuromasts) located superficially on the skin or just under the skin in fluid-filled canals on the body and trunk of all fishes and most amphibians. The posterior lateral line develops from cranial ectodermal placodes situated behind the ear. [ISBN:0125296509]' - }, - 'GO:0048917': { - 'name': 'posterior lateral line ganglion development', - 'def': 'The process whose specific outcome is the progression of the posterior lateral line ganglion over time, from its formation to the mature structure. The posterior lateral line ganglion develops from cranial ectodermal placodes situated behind the ear. [ISBN:0125296509, ISBN:0387968377]' - }, - 'GO:0048918': { - 'name': 'posterior lateral line nerve development', - 'def': 'The process whose specific outcome is the progression of the posterior lateral line nerve over time, from its formation to the mature structure. The posterior lateral line nerve innervates hair cells of the PLL and projects to an octavolateralis column in the hindbrain that consists of the medial octavolateralis nucleus (MON), the caudal octavolateralis nucleus, and the magnocellular nucleus. [GO_REF:0000021, GOC:cls, GOC:dgh, GOC:dph, GOC:jid, GOC:mtg_15jun06, ISBN:0125296509]' - }, - 'GO:0048919': { - 'name': 'posterior lateral line neuromast development', - 'def': 'The process whose specific outcome is the progression of the posterior lateral line neuromast over time, from its formation to the mature structure. The neuromast is the sensory receptor of the anterior lateral line system and is composed of a population of sensory hair cells, and nonsensory supporting cells and mantle cells. Neuromast are located superficially on the epithelium or in lateral line canals. [ISBN:0125296509]' - }, - 'GO:0048920': { - 'name': 'posterior lateral line neuromast primordium migration', - 'def': 'The migration of a relatively undifferentiated cell along the developing posterior lateral line, originating from cranial ectodermal placodes situated behind the ear. The neuromast primordium deposits proneuromasts along the lateral line, from which the neuromasts will develop. [GOC:dgh, PMID:15832385]' - }, - 'GO:0048921': { - 'name': 'posterior lateral line neuromast cupula development', - 'def': 'The process whose specific outcome is the progression of the posterior lateral line neuromast cupula over time, from its formation to the mature structure. The cupula is secreted by mantle cells and the ciliary bundles of all of the hair cells of the neuromast are embedded in it. The cupula provides a mechanical linkage between the hair cells and the external hydrodynamic environment. The cupula of superficial neuromasts grows continuously, while the height of the cupula of canal neuromasts is limited by canal diameter. [ISBN:0125296509]' - }, - 'GO:0048922': { - 'name': 'posterior lateral line neuromast deposition', - 'def': 'The process in which a migrating neuromast primordium deposits clusters of undifferentiated cells (proneuromasts) along its migratory path in the developing posterior lateral line. [PMID:15832385]' - }, - 'GO:0048923': { - 'name': 'posterior lateral line neuromast hair cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a posterior lateral line neuromast hair cell. (N.B. This may be development of neuromast hair cell type or a set of cell of neuromast hair cell type. This will involve the change of a cell or set of cells from one cell identity to another). Hair cells are the sensory receptors of the neuromast and are located in a portion of the neuromast called the sensory strip. Each hair cell of the neuromast is morphologically polarized as a result of the relative position of the single kinocilium and the clusters of stereocilia on its apical surface. There are approximately seven hair cells within each neuromast, with each hair cell innervated by afferent and efferent neurons. [ISBN:0125296509]' - }, - 'GO:0048924': { - 'name': 'posterior lateral line neuromast mantle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a posterior lateral line neuromast mantle cell. (N.B. This may be development of neuromast mantle cell type or a set of cells of neuromast mantle cell type. This will involve the change of a cell or set of cells from one cell identity to another). Mantle cells are non-sensory cells that surround the sensory strip, separating the neuromast from the epidermis. Mantle cells secrete the cupula in which the ciliary bundles of all of the hair cells are embedded. [ISBN:0125296509]' - }, - 'GO:0048925': { - 'name': 'lateral line system development', - 'def': 'The process whose specific outcome is the progression of the lateral line system over time, from its formation to the mature structure. The lateral line system is a network of sensory organs (neuromasts) and lateral line nerves located superficially on the skin or just under the skin in fluid-filled canals on the head and body of all fishes and most amphibians. The lateral line system develops from cranial ectodermal placodes situated between the eye and ear. [GOC:dgh, ISBN:0125296509]' - }, - 'GO:0048926': { - 'name': 'electrosensory lateral line system development', - 'def': 'The process whose specific outcome is the progression of the electrosensory lateral line system over time, from its formation to the mature structure. [GOC:dgh]' - }, - 'GO:0048927': { - 'name': 'posterior lateral line neuromast support cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a posterior lateral line neuromast support cell. Support cells are non-sensory cells of the neuromast that extend between the sensory hair cells from the basement membrane to the apical surface; they are surrounded by mantle cells. [ISBN:0387968377]' - }, - 'GO:0048928': { - 'name': 'posterior lateral line ganglion neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron of the posterior lateral line ganglion. [PMID:15018940]' - }, - 'GO:0048929': { - 'name': 'efferent axon development in posterior lateral line nerve', - 'def': 'The process whose specific outcome is the progression of an efferent axon in the posterior lateral line nerve over time from its formation to the mature structure. This process includes axonogenesis and pathfinding of the efferent axons in the posterior lateral line nerve. [PMID:15018940]' - }, - 'GO:0048930': { - 'name': 'glial cell migration in posterior lateral line nerve', - 'def': 'The movement of a glial cell along the axons in the posterior lateral line nerve. [PMID:12062041]' - }, - 'GO:0048931': { - 'name': 'posterior lateral line nerve glial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a glial cell in the posterior lateral line nerve. [PMID:15832385]' - }, - 'GO:0048932': { - 'name': 'myelination of posterior lateral line nerve axons', - 'def': 'The formation of compact myelin sheaths around the axons of the posterior lateral line nerve. [PMID:12112375]' - }, - 'GO:0048933': { - 'name': 'afferent axon development in posterior lateral line nerve', - 'def': 'The process whose specific outcome is the progression of an afferent axon in the posterior lateral line nerve over time from its formation to the mature structure. This process includes axonogenesis and pathfinding of the afferent axons in the posterior lateral line nerve. [PMID:15018940]' - }, - 'GO:0048934': { - 'name': 'peripheral nervous system neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron whose cell body resides in the peripheral nervous system. [GOC:dgh]' - }, - 'GO:0048935': { - 'name': 'peripheral nervous system neuron development', - 'def': 'The process whose specific outcome is the progression of a neuron whose cell body is located in the peripheral nervous system, from initial commitment of the cell to a neuronal fate, to the fully functional differentiated neuron. [GOC:dgh]' - }, - 'GO:0048936': { - 'name': 'peripheral nervous system neuron axonogenesis', - 'def': 'Generation of a long process from a neuron whose cell body resides in the peripheral nervous system. The axon carries action potential from the cell body towards target cells. [GOC:dgh]' - }, - 'GO:0048937': { - 'name': 'lateral line nerve glial cell development', - 'def': 'The process aimed at the progression of a lateral line glial cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dgh]' - }, - 'GO:0048938': { - 'name': 'lateral line nerve glial cell morphogenesis involved in differentiation', - 'def': 'The process in which the structure of a glial cell in a lateral line nerve is generated and organized. This process occurs while the initially relatively unspecialized cell is acquiring the specialized features of a glial cell in a lateral line nerve. [GOC:dgh]' - }, - 'GO:0048939': { - 'name': 'anterior lateral line nerve glial cell development', - 'def': 'The process aimed at the progression of a glial cell in the anterior lateral line nerve over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dgh]' - }, - 'GO:0048940': { - 'name': 'anterior lateral line nerve glial cell morphogenesis involved in differentiation', - 'def': 'The process in which the structures of a glial cell in the anterior lateral line nerve are generated and organized. This process occurs while the initially relatively unspecialized cell is acquiring the specialized features of a glial cell in the anterior lateral line nerve. [GOC:dgh]' - }, - 'GO:0048941': { - 'name': 'posterior lateral line nerve glial cell development', - 'def': 'The process aimed at the progression of a glial cell in the posterior lateral line nerve over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dgh]' - }, - 'GO:0048942': { - 'name': 'posterior lateral line nerve glial cell morphogenesis involved in differentiation', - 'def': 'The process in which the structures of a glial cell in the posterior lateral line nerve are generated and organized. This process occurs while the initially relatively unspecialized cell is acquiring the specialized features of a glial cell in the posterior lateral line nerve. [GOC:dgh]' - }, - 'GO:0050000': { - 'name': 'chromosome localization', - 'def': 'Any process in which a chromosome is transported to, or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0050001': { - 'name': 'D-glutaminase activity', - 'def': 'Catalysis of the reaction: H2O + L-glutamine = NH3 + D-glutamate. [EC:3.5.1.35, MetaCyc:D-GLUTAMINASE-RXN]' - }, - 'GO:0050002': { - 'name': 'D-proline reductase (dithiol) activity', - 'def': 'Catalysis of the reaction: lipoate + 5-aminopentanoate = dihydrolipoate + D-proline. [EC:1.21.4.1, MetaCyc:D-PROLINE-REDUCTASE-(DITHIOL)-RXN]' - }, - 'GO:0050003': { - 'name': 'deoxycytidylate C-methyltransferase activity', - 'def': "Catalysis of the reaction: 5,10-methylenetetrahydrofolate + dCMP = 2'-deoxy-5-methyl-5'-cytidylate + 7,8-dihydrofolate. [EC:2.1.1.54, RHEA:11571]" - }, - 'GO:0050004': { - 'name': 'isoflavone 7-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + isoflavone = UDP + isoflavone 7-O-beta-D-glucoside. [EC:2.4.1.170, MetaCyc:ISOFLAVONE-7-O-GLUCOSYLTRANSFERASE-RXN]' - }, - 'GO:0050005': { - 'name': 'isohexenylglutaconyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-3-(4-methylpent-3-en-1-yl)glutaryl-CoA = 3-(4-methylpent-3-en-1-yl)pent-2-enedioyl-CoA + H(2)O. [EC:4.2.1.57, RHEA:24147]' - }, - 'GO:0050006': { - 'name': 'isomaltulose synthase activity', - 'def': 'Catalysis of the reaction: sucrose = 6-O-alpha-D-glucopyranosyl-D-fructofuranose. [EC:5.4.99.11, MetaCyc:ISOMALTULOSE-SYNTHASE-RXN]' - }, - 'GO:0050007': { - 'name': 'isonocardicin synthase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine(1+) + nocardicin E = S-methyl-5'-thioadenosine + H(+) + isonocardicin A. [EC:2.5.1.38, RHEA:19848]" - }, - 'GO:0050008': { - 'name': 'isopiperitenone delta-isomerase activity', - 'def': 'Catalysis of the reaction: isopiperitenone = piperitenone. [EC:5.3.3.11, RHEA:21519]' - }, - 'GO:0050009': { - 'name': 'isopropanol dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP(+) + propan-2-ol = acetone + H(+) + NADPH. [EC:1.1.1.80, RHEA:21795]' - }, - 'GO:0050010': { - 'name': 'isovitexin beta-glucosyltransferase activity', - 'def': "Catalysis of the reaction: isovitexin + UDP-D-glucose = H(+) + isovitexin 2''-O-beta-D-glucoside + UDP. [EC:2.4.1.106, RHEA:19532]" - }, - 'GO:0050011': { - 'name': 'itaconyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: citramalyl-CoA = itaconyl-CoA + H2O. [EC:4.2.1.56, MetaCyc:ITACONYL-COA-HYDRATASE-RXN]' - }, - 'GO:0050012': { - 'name': 'juglone 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: 5-hydroxy-1,4-naphthoquinone + AH(2) + O(2) = 3,5-dihydroxy-1,4-naphthoquinone + A + H(2)O + H(+). [EC:1.14.99.27, RHEA:18748]' - }, - 'GO:0050013': { - 'name': '2-dehydropantoate aldolase activity', - 'def': 'Catalysis of the reaction: 2-dehydropantoate = 3-methyl-2-oxobutanoate + formaldehyde. [EC:4.1.2.12, MetaCyc:KETOPANTOALDOLASE-RXN]' - }, - 'GO:0050014': { - 'name': 'ketotetrose-phosphate aldolase activity', - 'def': 'Catalysis of the reaction: L-erythrulose 1-phosphate = formaldehyde + glycerone phosphate. [EC:4.1.2.2, RHEA:20935]' - }, - 'GO:0050015': { - 'name': 'kievitone hydratase activity', - 'def': 'Catalysis of the reaction: kievitone hydrate = H(2)O + H(+) + kievitone. [EC:4.2.1.95, RHEA:23607]' - }, - 'GO:0050016': { - 'name': 'kynurenine 7,8-hydroxylase activity', - 'def': 'Catalysis of the reaction: kynurenate + donor-H2 + O2 = 7,8-dihydro-7,8-dihydroxykynurenate + acceptor. [EC:1.14.99.2, MetaCyc:KYNURENINE-78-HYDROXYLASE-RXN]' - }, - 'GO:0050017': { - 'name': 'L-3-cyanoalanine synthase activity', - 'def': 'Catalysis of the reaction: L-cysteine + HCN = sulfide + L-3-cyanoalanine. [EC:4.4.1.9, MetaCyc:L-3-CYANOALANINE-SYNTHASE-RXN]' - }, - 'GO:0050018': { - 'name': 'L-amino-acid dehydrogenase activity', - 'def': 'Catalysis of the reaction: an L-amino acid + H2O + NAD+ = a 2-oxo acid + NH3 + NADH. [EC:1.4.1.5, MetaCyc:L-AMINO-ACID-DEHYDROGENASE-RXN]' - }, - 'GO:0050019': { - 'name': 'L-arabinitol 4-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-arabinitol + NAD(+) = L-xylulose + H(+) + NADH. [EC:1.1.1.12, RHEA:16384]' - }, - 'GO:0050020': { - 'name': 'L-arabinonate dehydratase activity', - 'def': 'Catalysis of the reaction: L-arabinonate = 2-dehydro-3-deoxy-L-arabinonate + H(2)O. [EC:4.2.1.25, RHEA:20971]' - }, - 'GO:0050021': { - 'name': 'L-arabinonolactonase activity', - 'def': 'Catalysis of the reaction: L-arabinono-1,4-lactone + H(2)O = L-arabinonate + H(+). [EC:3.1.1.15, RHEA:16220]' - }, - 'GO:0050022': { - 'name': 'L-arabinose 1-dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: L-arabinose + NAD+ = L-arabinono-1,4-lactone + NADH. [EC:1.1.1.46, MetaCyc:L-ARABINOSE-1-DEHYDROGENASE-RXN]' - }, - 'GO:0050023': { - 'name': 'L-fuconate dehydratase activity', - 'def': 'Catalysis of the reaction: L-fuconate = 2-dehydro-3-deoxy-L-fuconate + H(2)O. [EC:4.2.1.68, RHEA:22775]' - }, - 'GO:0050024': { - 'name': 'L-galactonolactone oxidase activity', - 'def': 'Catalysis of the reaction: L-galactono-1,4-lactone + O(2) = L-ascorbate + H(2)O(2) + H(+). [EC:1.3.3.12, RHEA:20620]' - }, - 'GO:0050025': { - 'name': 'L-glutamate oxidase activity', - 'def': 'Catalysis of the reaction: L-glutamate + O2 + H2O = 2-oxoglutarate + NH3 + H2O2. [EC:1.4.3.11, MetaCyc:L-GLUTAMATE-OXIDASE-RXN]' - }, - 'GO:0050026': { - 'name': 'L-glycol dehydrogenase activity', - 'def': 'Catalysis of the reaction: an L-glycol + NAD(P)+ = a 2-hydroxycarbonyl compound + NAD(P)H + H+. [EC:1.1.1.185, MetaCyc:L-GLYCOL-DEHYDROGENASE-RXN]' - }, - 'GO:0050027': { - 'name': 'obsolete L-idonate 2-dehydrogenase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: L-idonate + NADP+ = 5-dehydro-D-gluconate + NADPH. [EC:1.1.1.128, MetaCyc:L-IDONATE-2-DEHYDROGENASE-RXN]' - }, - 'GO:0050028': { - 'name': 'L-lysine-lactamase activity', - 'def': 'Catalysis of the reaction: L-2-aminohexano-6-lactam + H(2)O = L-lysine. [EC:3.5.2.11, RHEA:21391]' - }, - 'GO:0050029': { - 'name': 'L-lysine oxidase activity', - 'def': 'Catalysis of the reaction: L-lysine + H(2)O + O(2) = 6-amino-2-oxohexanoate + H(2)O(2) + NH(4)(+). [EC:1.4.3.14, RHEA:14440]' - }, - 'GO:0050030': { - 'name': 'L-pipecolate dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-pipecolate + acceptor = delta1-piperideine-6-carboxylate + reduced acceptor. Delta1-piperideine-6-carboxylate is also known as 2,3,4,5-tetrahydropyridine-2-carboxylate. [EC:1.5.99.3, MetaCyc:L-PIPECOLATE-DEHYDROGENASE-RXN]' - }, - 'GO:0050031': { - 'name': 'L-pipecolate oxidase activity', - 'def': 'Catalysis of the reaction: L-pipecolate + O(2) = 2,3,4,5-tetrahydropyridine-2-carboxylate + H(2)O(2) + H(+). Delta1-piperideine-6-carboxylate is also known as 2,3,4,5-tetrahydropyridine-2-carboxylate. [EC:1.5.3.7, RHEA:11995]' - }, - 'GO:0050032': { - 'name': 'L-rhamnonate dehydratase activity', - 'def': 'Catalysis of the reaction: L-rhamnonate = 2-dehydro-3-deoxy-L-rhamnonate + H(2)O. [EC:4.2.1.90, RHEA:23083]' - }, - 'GO:0050033': { - 'name': 'L-rhamnono-1,4-lactonase activity', - 'def': 'Catalysis of the reaction: L-rhamnono-1,4-lactone + H(2)O = L-rhamnonate + H(+). [EC:3.1.1.65, RHEA:10291]' - }, - 'GO:0050034': { - 'name': 'L-rhamnose 1-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-rhamnofuranose + NAD(+) = L-rhamnono-1,4-lactone + H(+) + NADH. [EC:1.1.1.173, RHEA:12652]' - }, - 'GO:0050035': { - 'name': 'L-sorbose oxidase activity', - 'def': 'Catalysis of the reaction: L-sorbose + O(2) = 5-dehydro-D-fructose + H(2)O(2). [EC:1.1.3.11, RHEA:17856]' - }, - 'GO:0050036': { - 'name': 'L-threonate 3-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-threonate + NAD(+) = 3-dehydro-L-threonate + H(+) + NADH. [EC:1.1.1.129, RHEA:23379]' - }, - 'GO:0050037': { - 'name': 'L-xylose 1-dehydrogenase activity', - 'def': 'Catalysis of the reaction: aldehydo-L-xylose + NADP(+) = L-xylono-1,4-lactone + H(+) + NADPH. [EC:1.1.1.113, RHEA:15792]' - }, - 'GO:0050038': { - 'name': 'L-xylulose reductase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP(+) + xylitol = L-xylulose + H(+) + NADPH. [EC:1.1.1.10, RHEA:17028]' - }, - 'GO:0050039': { - 'name': 'lactaldehyde reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: NADP(+) + propane-1,2-diol = (S)-lactaldehyde + H(+) + NADPH. [EC:1.1.1.55, RHEA:15888]' - }, - 'GO:0050040': { - 'name': 'lactate 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: (S)-lactate + O(2) = acetate + CO(2) + H(2)O. [EC:1.13.12.4, RHEA:16516]' - }, - 'GO:0050041': { - 'name': 'lactate aldolase activity', - 'def': 'Catalysis of the reaction: (S)-lactate = acetaldehyde + formate. [EC:4.1.2.36, RHEA:17912]' - }, - 'GO:0050042': { - 'name': 'lactate-malate transhydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-lactate + oxaloacetate = malate + pyruvate. [EC:1.1.99.7, RHEA:10987]' - }, - 'GO:0050043': { - 'name': 'lactate racemase activity', - 'def': 'Catalysis of the reaction: (S)-lactate = (R)-lactate. [EC:5.1.2.1, RHEA:10963]' - }, - 'GO:0050044': { - 'name': 'galactose-6-phosphate isomerase activity', - 'def': 'Catalysis of the reaction: D-galactose 6-phosphate = D-tagatose 6-phosphate. [EC:5.3.1.26, RHEA:13036]' - }, - 'GO:0050045': { - 'name': 'laminaribiose phosphorylase activity', - 'def': 'Catalysis of the reaction: 3-beta-D-glucosyl-D-glucose + phosphate = D-glucose + alpha-D-glucose 1-phosphate. [EC:2.4.1.31, MetaCyc:LAMINARIBIOSE-PHOSPHORYLASE-RXN]' - }, - 'GO:0050046': { - 'name': 'lathosterol oxidase activity', - 'def': 'Catalysis of the reaction: 5-alpha-cholest-7-en-3-beta-ol + O2 = cholesta-5,7-dien-3-beta-ol + H2O2. [EC:1.14.21.6, MetaCyc:LATHOSTEROL-OXIDASE-RXN]' - }, - 'GO:0050047': { - 'name': 'leucine 2,3-aminomutase activity', - 'def': 'Catalysis of the reaction: L-leucine = (3R)-beta-leucine. [EC:5.4.3.7, RHEA:10287]' - }, - 'GO:0050048': { - 'name': 'L-leucine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-leucine + 2-oxoglutarate = 4-methyl-2-oxopentanoate + L-glutamate. [EC:2.6.1.6, MetaCyc:LEUCINE-AMINOTRANSFERASE-RXN]' - }, - 'GO:0050049': { - 'name': 'leucine dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-leucine + H2O + NAD+ = 4-methyl-2-oxopentanoate + NH3 + NADH. [EC:1.4.1.9, MetaCyc:LEUCINE-DEHYDROGENASE-RXN]' - }, - 'GO:0050050': { - 'name': 'leucine N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-leucine + acetyl-CoA = N-acetyl-L-leucine + CoA + H(+). [EC:2.3.1.66, RHEA:20092]' - }, - 'GO:0050051': { - 'name': 'leukotriene-B4 20-monooxygenase activity', - 'def': 'Catalysis of the reaction: (6Z,8E,10E,14Z)-(5S,12R)-5,12-dihydroxyicosa-6,8,10,14-tetraenoate + NADPH + H+ + O2 = (6Z,8E,10E,14Z)-(5S,12R)-5,12,20-trihydroxyicosa-6,8,10,14-tetraenoate + NADP+ + H2O. [EC:1.14.13.30, MetaCyc:LEUKOTRIENE-B4-20-MONOOXYGENASE-RXN]' - }, - 'GO:0050052': { - 'name': 'leukotriene-E4 20-monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + leukotriene E(4) + NADPH + O(2) = 20-hydroxy-leukotriene E(4) + H(2)O + NADP(+). [EC:1.14.13.34, RHEA:24123]' - }, - 'GO:0050053': { - 'name': 'levansucrase activity', - 'def': 'Catalysis of the reaction: sucrose + 2,6-beta-D-fructosyl(n) = glucose + 2,6-beta-D-fructosyl(n+1). [EC:2.4.1.10, MetaCyc:LEVANSUCRASE-RXN]' - }, - 'GO:0050054': { - 'name': 'lignostilbene alpha beta-dioxygenase activity', - 'def': 'Catalysis of the reaction: 1,2-bis(4-hydroxy-3-methoxyphenyl)ethylene + O(2) = 2 vanillin. [EC:1.13.11.43, RHEA:21343]' - }, - 'GO:0050055': { - 'name': 'limonin-D-ring-lactonase activity', - 'def': 'Catalysis of the reaction: limonoate D-ring-lactone + H2O = limonoate. [EC:3.1.1.36, MetaCyc:LIMONIN-D-RING-LACTONASE-RXN]' - }, - 'GO:0050056': { - 'name': 'linalool 8-monooxygenase activity', - 'def': 'Catalysis of the reaction: AH(2) + linalool + O(2) = (2E)-2,6-dimethylocta-2,7-diene-1,6-diol + A + H(2)O. [EC:1.14.99.28, RHEA:20763]' - }, - 'GO:0050057': { - 'name': 'linamarin synthase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + 2-hydroxy-2-methylpropanenitrile = UDP + linamarin. [EC:2.4.1.63, MetaCyc:LINAMARIN-SYNTHASE-RXN]' - }, - 'GO:0050058': { - 'name': 'linoleate isomerase activity', - 'def': 'Catalysis of the reaction: linoleate = 9-cis,11-trans-octadecadienoate. [EC:5.2.1.5, RHEA:17384]' - }, - 'GO:0050059': { - 'name': 'lombricine kinase activity', - 'def': 'Catalysis of the reaction: ATP + lombricine = ADP + N-phospholombricine. [EC:2.7.3.5, MetaCyc:LOMBRICINE-KINASE-RXN]' - }, - 'GO:0050060': { - 'name': 'long-chain-alcohol dehydrogenase activity', - 'def': 'Catalysis of the reaction: a long-chain alcohol + 2 NAD+ + H2O = a long-chain carboxylate + 2 NADH. [EC:1.1.1.192, MetaCyc:LONG-CHAIN-ALCOHOL-DEHYDROGENASE-RXN]' - }, - 'GO:0050061': { - 'name': 'long-chain-aldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: a long-chain aldehyde + NAD+ = a long-chain carboxylate + NADH + H+. A long-chain aldehyde is one with more than 12 carbons. [EC:1.2.1.48, MetaCyc:LONG-CHAIN-ALDEHYDE-DEHYDROGENASE-RXN]' - }, - 'GO:0050062': { - 'name': 'long-chain-fatty-acyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: a long-chain aldehyde + CoA + NADP+ = a long-chain acyl-CoA + NADPH. [EC:1.2.1.50, MetaCyc:LONG-CHAIN-FATTY-ACYL-COA-REDUCTASE-RXN]' - }, - 'GO:0050063': { - 'name': 'low-density-lipoprotein particle receptor kinase activity', - 'def': 'Catalysis of the reaction: ATP + low-density lipoprotein L-serine = ADP + low-density lipoprotein O-phospho-L-serine. [EC:2.7.11.29, MetaCyc:LOW-DENSITY-LIPOPROTEIN-KINASE-RXN]' - }, - 'GO:0050064': { - 'name': 'luteolin 7-O-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: luteolin + UDP-alpha-D-glucuronate = luteolin 7-O-beta-D-glucosiduronate + UDP. [EC:2.4.1.189, RHEA:10571]' - }, - 'GO:0050065': { - 'name': 'lysine-pyruvate 6-transaminase activity', - 'def': 'Catalysis of the reaction: L-lysine + pyruvate = L-alanine + L-allysine. [EC:2.6.1.71, RHEA:19396]' - }, - 'GO:0050066': { - 'name': 'lysine 2,3-aminomutase activity', - 'def': 'Catalysis of the reaction: L-lysine = (3S)-3,6-diaminohexanoate. [EC:5.4.3.2, RHEA:19180]' - }, - 'GO:0050067': { - 'name': 'lysine 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-lysine + O(2) = 5-aminopentanamide + CO(2) + H(2)O. [EC:1.13.12.2, RHEA:14604]' - }, - 'GO:0050068': { - 'name': 'lysine carbamoyltransferase activity', - 'def': 'Catalysis of the reaction: L-lysine + carbamoyl phosphate = L-homocitrulline + H(+) + phosphate. [EC:2.1.3.8, RHEA:17124]' - }, - 'GO:0050069': { - 'name': 'lysine dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-lysine + NAD+ = 1,2-didehydropiperidine-2-carboxylate + NH3 + NADH. [EC:1.4.1.15, MetaCyc:LYSINE-DEHYDROGENASE-RXN]' - }, - 'GO:0050070': { - 'name': 'lysolecithin acylmutase activity', - 'def': 'Catalysis of the reaction: 1-acyl-sn-glycero-3-phosphocholine = 2-acyl-sn-glycero-3-phosphocholine. [EC:5.4.1.1, RHEA:24359]' - }, - 'GO:0050071': { - 'name': 'lysyltransferase activity', - 'def': "Catalysis of the reaction: L-lysyl-tRNA + phosphatidylglycerol = tRNA + 3-phosphatidyl-1'-(3'-O-L-lysyl)glycerol. [EC:2.3.2.3, MetaCyc:LYSYLTRANSFERASE-RXN]" - }, - 'GO:0050072': { - 'name': "m7G(5')pppN diphosphatase activity", - 'def': "Catalysis of the reaction: 7-methylguanosine 5'-triphospho-5'-polynucleotide + H2O = 7-methylguanosine 5'-phosphate + polynucleotide. [EC:3.6.1.30, MetaCyc:M7G5PPPN-PYROPHOSPHATASE-RXN]" - }, - 'GO:0050073': { - 'name': "macrolide 2'-kinase activity", - 'def': "Catalysis of the reaction: ATP + oleandomycin = ADP + 2 H(+) + oleandomycin 2'-O-phosphate. [EC:2.7.1.136, RHEA:18336]" - }, - 'GO:0050074': { - 'name': 'malate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + malate + CoA = ADP + phosphate + malyl-CoA. [EC:6.2.1.9, MetaCyc:MALATE--COA-LIGASE-RXN]' - }, - 'GO:0050075': { - 'name': 'maleate hydratase activity', - 'def': 'Catalysis of the reaction: (R)-malate = H(2)O + maleate. [EC:4.2.1.31, RHEA:23695]' - }, - 'GO:0050076': { - 'name': 'maleate isomerase activity', - 'def': 'Catalysis of the reaction: maleate = fumarate. [EC:5.2.1.1, RHEA:13172]' - }, - 'GO:0050077': { - 'name': 'maleylpyruvate isomerase activity', - 'def': 'Catalysis of the reaction: 3-maleylpyruvate = 3-fumarylpyruvate. [EC:5.2.1.4, MetaCyc:MALEYLPYRUVATE-ISOMERASE-RXN]' - }, - 'GO:0050078': { - 'name': 'malonate CoA-transferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + malonate = acetate + malonyl-CoA. [EC:2.8.3.3, RHEA:18820]' - }, - 'GO:0050079': { - 'name': 'acetylenecarboxylate hydratase activity, producing 3-oxopropanoate', - 'def': 'Catalysis of the reaction: 3-oxopropanoate = propynoate + H2O. [EC:4.2.1.27, MetaCyc:MALONATE-SEMIALDEHYDE-DEHYDRATASE-RXN]' - }, - 'GO:0050080': { - 'name': 'malonyl-CoA decarboxylase activity', - 'def': 'Catalysis of the reaction: malonyl-CoA = acetyl-CoA + CO2. [EC:4.1.1.9, MetaCyc:MALONYL-COA-DECARBOXYLASE-RXN]' - }, - 'GO:0050081': { - 'name': "maltose-6'-phosphate glucosidase activity", - 'def': "Catalysis of the reaction: H2O + maltose 6'-phosphate = D-glucose + D-glucose 6-phosphate. [EC:3.2.1.122, MetaCyc:MALTOSE-6-PHOSPHATE-GLUCOSIDASE-RXN]" - }, - 'GO:0050082': { - 'name': 'maltose phosphorylase activity', - 'def': 'Catalysis of the reaction: maltose + phosphate = D-glucose + beta-D-glucose 1-phosphate. [EC:2.4.1.8, MetaCyc:MALTOSE-PHOSPHORYLASE-RXN]' - }, - 'GO:0050083': { - 'name': 'malyl-CoA lyase activity', - 'def': 'Catalysis of the reaction: (3S)-3-carboxy-3-hydroxypropanoyl-CoA = acetyl-CoA + glyoxylate. [EC:4.1.3.24, MetaCyc:MALYL-COA-LYASE-RXN]' - }, - 'GO:0050084': { - 'name': 'mannitol-1-phosphatase activity', - 'def': 'Catalysis of the reaction: D-mannitol 1-phosphate + H(2)O = D-mannitol + 2 H(+) + phosphate. [EC:3.1.3.22, RHEA:19540]' - }, - 'GO:0050085': { - 'name': 'mannitol 2-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: D-mannitol + NADP(+) = D-fructose + H(+) + NADPH. [EC:1.1.1.138, RHEA:16768]' - }, - 'GO:0050086': { - 'name': 'mannitol 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-mannitol + NAD+ = D-fructose + NADH. [EC:1.1.1.67, MetaCyc:MANNITOL-2-DEHYDROGENASE-RXN]' - }, - 'GO:0050087': { - 'name': 'mannitol dehydrogenase (cytochrome) activity', - 'def': 'Catalysis of the reaction: D-mannitol + ferricytochrome c = D-fructose + ferrocytochrome c. [EC:1.1.2.2, MetaCyc:MANNITOL-DEHYDROGENASE-CYTOCHROME-RXN]' - }, - 'GO:0050088': { - 'name': 'mannose-6-phosphate 6-reductase activity', - 'def': 'Catalysis of the reaction: D-mannitol 1-phosphate + NADP(+) = D-mannose 6-phosphate + 3 H(+) + NADPH. [EC:1.1.1.224, RHEA:14928]' - }, - 'GO:0050089': { - 'name': 'mannose isomerase activity', - 'def': 'Catalysis of the reaction: D-mannose = D-fructose. [EC:5.3.1.7, RHEA:22607]' - }, - 'GO:0050090': { - 'name': 'mannuronate reductase activity', - 'def': 'Catalysis of the reaction: D-mannonate + NAD(P)+ = D-mannuronate + NAD(P)H + H+. [EC:1.1.1.131, MetaCyc:MANNURONATE-REDUCTASE-RXN]' - }, - 'GO:0050091': { - 'name': 'melilotate 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: 3-(2-hydroxyphenyl)propanoate + H(+) + NADH + O(2) = 3-(2,3-dihydroxyphenyl)propanoate + H(2)O + NAD(+). [EC:1.14.13.4, RHEA:17672]' - }, - 'GO:0050092': { - 'name': 'meso-tartrate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (2R,3S)-tartrate + NAD(+) = dihydroxyfumarate + H(+) + NADH. [EC:1.3.1.7, RHEA:18556]' - }, - 'GO:0050093': { - 'name': 'methanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: methanol + NAD(+) = formaldehyde + H(+) + NADH. [EC:1.1.1.244, RHEA:19404]' - }, - 'GO:0050094': { - 'name': 'methionine-glyoxylate transaminase activity', - 'def': 'Catalysis of the reaction: L-methionine + glyoxylate = 4-methylthio-2-oxobutanoate + glycine. [EC:2.6.1.73, RHEA:22887]' - }, - 'GO:0050095': { - 'name': 'methionine decarboxylase activity', - 'def': 'Catalysis of the reaction: L-methionine + H(+) = 3-methylthiopropanamine + CO(2). [EC:4.1.1.57, RHEA:17760]' - }, - 'GO:0050096': { - 'name': 'methylaspartate ammonia-lyase activity', - 'def': 'Catalysis of the reaction: threo-3-methyl-L-aspartate = mesaconate + NH(4)(+). [EC:4.3.1.2, RHEA:12832]' - }, - 'GO:0050097': { - 'name': 'methylaspartate mutase activity', - 'def': 'Catalysis of the reaction: threo-3-methyl-L-aspartate = L-glutamate. [EC:5.4.99.1, RHEA:12860]' - }, - 'GO:0050098': { - 'name': 'methylguanidinase activity', - 'def': 'Catalysis of the reaction: H(2)O + methylguanidine = methylammonium + urea. [EC:3.5.3.16, RHEA:11767]' - }, - 'GO:0050099': { - 'name': 'methylglutamate dehydrogenase activity', - 'def': 'Catalysis of the reaction: N-methyl-L-glutamate + A + H(2)O = L-glutamate + AH(2) + formaldehyde. [EC:1.5.99.5, RHEA:22575]' - }, - 'GO:0050100': { - 'name': 'methylitaconate delta-isomerase activity', - 'def': 'Catalysis of the reaction: 2-methylene-3-methylsuccinate = dimethylmaleate. [EC:5.3.3.6, RHEA:23483]' - }, - 'GO:0050101': { - 'name': 'mimosinase activity', - 'def': 'Catalysis of the reaction: L-mimosine + H(2)O = 3-hydroxy-4H-pyrid-4-one + L-serine. [EC:3.5.1.61, RHEA:13376]' - }, - 'GO:0050102': { - 'name': 'cellodextrin phosphorylase activity', - 'def': 'Catalysis of the reaction: 1,4-beta-D-glucosyl(n) + phosphate = 1,4-beta-D-glucosyl(n-1) + alpha-D-glucose 1-phosphate. [EC:2.4.1.49, MetaCyc:CELLODEXTRIN-PHOSPHORYLASE-RXN]' - }, - 'GO:0050103': { - 'name': 'dextrin dextranase activity', - 'def': 'Catalysis of the reaction: 1,4-alpha-D-glucosyl(n) + 1,6-alpha-D-glucosyl(m) = 1,4-alpha-D-glucosyl(n-1) + 1,6-alpha-D-glucosyl(m+1). [EC:2.4.1.2, MetaCyc:DEXTRIN-DEXTRANASE-RXN]' - }, - 'GO:0050104': { - 'name': 'L-gulonate 3-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-gulonate + NAD(+) = 3-dehydro-L-gulonate + H(+) + NADH. [EC:1.1.1.45, RHEA:12892]' - }, - 'GO:0050105': { - 'name': 'L-gulonolactone oxidase activity', - 'def': 'Catalysis of the reaction: L-gulono-1,4-lactone + O2 = L-xylo-hex-3-ulonolactone + H2O2. [EC:1.1.3.8, MetaCyc:L-GULONOLACTONE-OXIDASE-RXN]' - }, - 'GO:0050106': { - 'name': 'monomethyl-sulfatase activity', - 'def': 'Catalysis of the reaction: H(2)O + monomethyl sulfate = H(+) + methanol + sulfate. [EC:3.1.6.16, RHEA:14224]' - }, - 'GO:0050107': { - 'name': 'monoterpenol O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + a monoterpenol = CoA + a monoterpenol acetate ester. [EC:2.3.1.69, MetaCyc:MONOTERPENOL-O-ACETYLTRANSFERASE-RXN]' - }, - 'GO:0050108': { - 'name': 'monoterpenyl-diphosphatase activity', - 'def': 'Catalysis of the reaction: monoterpenyl diphosphate + H2O = monoterpenol + diphosphate. [EC:3.1.7.3, MetaCyc:MONOTERPENYL-PYROPHOSPHATASE-RXN]' - }, - 'GO:0050109': { - 'name': 'morphine 6-dehydrogenase activity', - 'def': 'Catalysis of the reaction: morphine + NAD(P)+ = morphinone + NAD(P)H + H+. [EC:1.1.1.218, MetaCyc:MORPHINE-6-DEHYDROGENASE-RXN]' - }, - 'GO:0050110': { - 'name': 'mucinaminylserine mucinaminidase activity', - 'def': 'Catalysis of the reaction: D-galactosyl-3-(N-acetyl-beta-D-galactosaminyl)-L-serine + H2O = D-galactosyl-3-N-acetyl-beta-D-galactosamine + L-serine. [MetaCyc:3.2.1.110-RXN]' - }, - 'GO:0050111': { - 'name': 'mycocerosate synthase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + 7n H(+) + n methylmalonyl-CoA + 2n NADPH = n CO(2) + n CoA + n H(2)O + multi-methyl-branched acyl-CoA + 2n NADP(+). [EC:2.3.1.111, RHEA:10591]' - }, - 'GO:0050112': { - 'name': 'inositol 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: myo-inositol + NAD(+) = 2,4,6/3,5-pentahydroxycyclohexanone + H(+) + NADH. [EC:1.1.1.18, RHEA:16952]' - }, - 'GO:0050113': { - 'name': 'inositol oxygenase activity', - 'def': 'Catalysis of the reaction: myo-inositol + O(2) = D-glucuronate + H(2)O + H(+). [EC:1.13.99.1, RHEA:23699]' - }, - 'GO:0050114': { - 'name': 'myo-inosose-2 dehydratase activity', - 'def': 'Catalysis of the reaction: 2,4,6/3,5-pentahydroxycyclohexanone = 3D-3,5/4-trihydroxycyclohexane-1,2-dione + H(2)O. [EC:4.2.1.44, RHEA:14068]' - }, - 'GO:0050115': { - 'name': 'myosin-light-chain-phosphatase activity', - 'def': 'Catalysis of the reaction: myosin light-chain phosphate + H2O = myosin light chain + phosphate. [EC:3.1.3.53, MetaCyc:MYOSIN-LIGHT-CHAIN-PHOSPHATASE-RXN]' - }, - 'GO:0050116': { - 'name': 'N,N-dimethylformamidase activity', - 'def': 'Catalysis of the reaction: N,N-dimethylformamide + H(2)O = dimethylamine + formate. [EC:3.5.1.56, RHEA:19520]' - }, - 'GO:0050117': { - 'name': 'N-acetyl-beta-alanine deacetylase activity', - 'def': 'Catalysis of the reaction: N-acetyl-beta-alanine + H(2)O = beta-alanine + acetate. [EC:3.5.1.21, RHEA:23215]' - }, - 'GO:0050118': { - 'name': 'N-acetyldiaminopimelate deacetylase activity', - 'def': 'Catalysis of the reaction: N-acetyl-LL-2,6-diaminopimelate + H(2)O = LL-2,6-diaminopimelate + acetate. [EC:3.5.1.47, RHEA:20408]' - }, - 'GO:0050119': { - 'name': 'N-acetylglucosamine deacetylase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-glucosamine + H(2)O = D-glucosamine + acetate. [EC:3.5.1.33, RHEA:20596]' - }, - 'GO:0050120': { - 'name': 'N-acetylhexosamine 1-dehydrogenase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-glucosamine + H(2)O + NAD(+) = N-acetyl-D-glucosaminate + 2 H(+) + NADH. [EC:1.1.1.240, RHEA:23147]' - }, - 'GO:0050121': { - 'name': 'N-acylglucosamine 2-epimerase activity', - 'def': 'Catalysis of the reaction: N-acyl-D-glucosamine = N-acyl-D-mannosamine. [EC:5.1.3.8, MetaCyc:N-ACYLGLUCOSAMINE-2-EPIMERASE-RXN]' - }, - 'GO:0050122': { - 'name': 'N-acylhexosamine oxidase activity', - 'def': 'Catalysis of the reaction: N-acetyl-D-glucosamine + H(2)O + O(2) = N-acetyl-D-glucosaminate + H(2)O(2) + H(+). [EC:1.1.3.29, RHEA:13032]' - }, - 'GO:0050123': { - 'name': 'N-acylmannosamine 1-dehydrogenase activity', - 'def': 'Catalysis of the reaction: N-acyl-D-mannosamine + NAD(+) = N-acyl-D-mannosaminolactone + H(+) + NADH. [EC:1.1.1.233, RHEA:11543]' - }, - 'GO:0050124': { - 'name': 'N-acylneuraminate-9-phosphatase activity', - 'def': 'Catalysis of the reaction: N-acylneuraminate 9-phosphate + H2O = N-acylneuraminate + phosphate. [EC:3.1.3.29, MetaCyc:N-ACYLNEURAMINATE-9-PHOSPHATASE-RXN]' - }, - 'GO:0050125': { - 'name': 'N-benzyloxycarbonylglycine hydrolase activity', - 'def': 'Catalysis of the reaction: N-benzyloxycarbonylglycine + H(2)O + H(+) = benzyl alcohol + CO(2) + glycine. [EC:3.5.1.58, RHEA:20903]' - }, - 'GO:0050126': { - 'name': 'N-carbamoylputrescine amidase activity', - 'def': 'Catalysis of the reaction: N-carbamoylputrescine + H(2)O + 2 H(+) = CO(2) + NH(4)(+) + putrescine. [EC:3.5.1.53, RHEA:22287]' - }, - 'GO:0050127': { - 'name': 'N-carbamoylsarcosine amidase activity', - 'def': 'Catalysis of the reaction: N-carbamoylsarcosine + H(2)O + 2 H(+) = CO(2) + NH(4)(+) + sarcosine. [EC:3.5.1.59, RHEA:20060]' - }, - 'GO:0050128': { - 'name': 'N-feruloylglycine deacylase activity', - 'def': 'Catalysis of the reaction: N-feruloylglycine + H(2)O = ferulate + glycine. [EC:3.5.1.71, RHEA:10487]' - }, - 'GO:0050129': { - 'name': 'N-formylglutamate deformylase activity', - 'def': 'Catalysis of the reaction: N-formyl-L-glutamate + H(2)O = L-glutamate + formate. [EC:3.5.1.68, RHEA:12479]' - }, - 'GO:0050130': { - 'name': 'N-methyl-2-oxoglutaramate hydrolase activity', - 'def': 'Catalysis of the reaction: N-methyl-2-oxoglutaramate + H(2)O = 2-oxoglutarate + methylammonium. [EC:3.5.1.36, RHEA:24111]' - }, - 'GO:0050131': { - 'name': 'N-methyl-L-amino-acid oxidase activity', - 'def': 'Catalysis of the reaction: an N-methyl-L-amino acid + H2O + O2 = an L-amino acid + formaldehyde + H2O2. [EC:1.5.3.2, MetaCyc:N-METHYL-L-AMINO-ACID-OXIDASE-RXN]' - }, - 'GO:0050132': { - 'name': 'N-methylalanine dehydrogenase activity', - 'def': 'Catalysis of the reaction: N-methyl-L-alanine + H(2)O + NADP(+) = H(+) + methylammonium + NADPH + pyruvate. [EC:1.4.1.17, RHEA:21771]' - }, - 'GO:0050133': { - 'name': 'N6-hydroxylysine O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: N(6)-hydroxy-L-lysine + acetyl-CoA = N(6)-acetyl-N(6)-hydroxy-L-lysine + CoA. [EC:2.3.1.102, RHEA:22391]' - }, - 'GO:0050134': { - 'name': 'N6-methyl-lysine oxidase activity', - 'def': 'Catalysis of the reaction: N(6)-methyl-L-lysine + H(2)O + O(2) = L-lysine + formaldehyde + H(2)O(2). [EC:1.5.3.4, RHEA:23203]' - }, - 'GO:0050135': { - 'name': 'NAD(P)+ nucleosidase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + H2O = ADP-ribose(P) + nicotinamide. [EC:3.2.2.6, MetaCyc:NADP+-NUCLEOSIDASE-RXN]' - }, - 'GO:0050136': { - 'name': 'NADH dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: NADH + H+ + a quinone = NAD+ + a quinol. [EC:1.6.99.5, GOC:mah, MetaCyc:NADH-DEHYDROGENASE-QUINONE-RXN]' - }, - 'GO:0050137': { - 'name': 'NADPH peroxidase activity', - 'def': 'Catalysis of the reaction: H(2)O(2) + H(+) + NADPH = 2 H(2)O + NADP(+). [EC:1.11.1.2, RHEA:15176]' - }, - 'GO:0050138': { - 'name': 'nicotinate dehydrogenase activity', - 'def': 'Catalysis of the reaction: H(2)O + NADP(+) + nicotinate = 6-hydroxynicotinate + H(+) + NADPH. [EC:1.17.1.5, RHEA:12239]' - }, - 'GO:0050139': { - 'name': 'nicotinate-N-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: nicotinate + UDP-D-glucose = N-(beta-D-glucosyl)nicotinate + UDP. [EC:2.4.1.196, RHEA:19440]' - }, - 'GO:0050140': { - 'name': 'nitrate reductase (cytochrome) activity', - 'def': 'Catalysis of the reaction: ferrocytochrome + nitrate = ferricytochrome + nitrite. [EC:1.9.6.1, MetaCyc:NITRATE-REDUCTASE-CYTOCHROME-RXN]' - }, - 'GO:0050141': { - 'name': 'nitroethane oxidase activity', - 'def': 'Catalysis of the reaction: nitroethane + H2O + O2 = acetaldehyde + nitrite + H2O2. [EC:1.7.3.1, MetaCyc:NITROETHANE-OXIDASE-RXN]' - }, - 'GO:0050142': { - 'name': 'nitrogenase (flavodoxin) activity', - 'def': 'Catalysis of the reaction: 6 reduced flavodoxin + 6 H+ + N2 + n ATP = 6 oxidized flavodoxin + 2 NH3 + n ADP + n phosphate. [EC:1.19.6.1, MetaCyc:NITROGENASE-FLAVODOXIN-RXN]' - }, - 'GO:0050143': { - 'name': 'nocardicin-A epimerase activity', - 'def': 'Catalysis of the reaction: isonocardicin A = nocardicin A. [EC:5.1.1.14, RHEA:22795]' - }, - 'GO:0050144': { - 'name': 'nucleoside deoxyribosyltransferase activity', - 'def': 'Catalysis of the reaction: 2-deoxy-D-ribosyl-base1 + base2 = 2-deoxy-D-ribosyl-base2 + base1. [EC:2.4.2.6, MetaCyc:NUCLEOSIDE-DEOXYRIBOSYLTRANSFERASE-RXN]' - }, - 'GO:0050145': { - 'name': 'nucleoside phosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + nucleoside phosphate = ADP + nucleoside diphosphate. [EC:2.7.4.4, MetaCyc:NUCLEOSIDE-PHOSPHATE-KINASE-RXN]' - }, - 'GO:0050146': { - 'name': 'nucleoside phosphotransferase activity', - 'def': "Catalysis of the reaction: a nucleotide + a 2'-deoxynucleoside = a nucleoside + a 2'-deoxynucleoside 5'-monophosphate. [EC:2.7.1.77, MetaCyc:NUCLEOSIDE-PHOSPHOTRANSFERASE-RXN]" - }, - 'GO:0050147': { - 'name': 'nucleoside ribosyltransferase activity', - 'def': 'Catalysis of the reaction: D-ribosyl-base1 + base2 = D-ribosyl-base2 + base1. [EC:2.4.2.5, MetaCyc:NUCLEOSIDE-RIBOSYLTRANSFERASE-RXN]' - }, - 'GO:0050148': { - 'name': 'nucleotide diphosphokinase activity', - 'def': "Catalysis of the reaction: ATP + nucleoside 5'-phosphate = AMP + 5'-phosphonucleoside 3'-diphosphate. [EC:2.7.6.4, MetaCyc:NUCLEOTIDE-PYROPHOSPHOKINASE-RXN]" - }, - 'GO:0050149': { - 'name': 'o-aminophenol oxidase activity', - 'def': 'Catalysis of the reaction: 2 2-aminophenol + 3 O2 = 2 isophenoxazine + 6 H2O. [EC:1.10.3.4, MetaCyc:O-AMINOPHENOL-OXIDASE-RXN]' - }, - 'GO:0050150': { - 'name': 'o-pyrocatechuate decarboxylase activity', - 'def': 'Catalysis of the reaction: 2,3-dihydroxybenzoate + H(+) = catechol + CO(2). [EC:4.1.1.46, RHEA:21495]' - }, - 'GO:0050151': { - 'name': 'oleate hydratase activity', - 'def': 'Catalysis of the reaction: (R)-10-hydroxystearate = H(2)O + oleate. [EC:4.2.1.53, RHEA:21855]' - }, - 'GO:0050152': { - 'name': 'omega-amidase activity', - 'def': 'Catalysis of the reaction: a monoamide of a dicarboxylic acid + H2O = a dicarboxylate + NH3. [EC:3.5.1.3, MetaCyc:OMEGA-AMIDASE-RXN]' - }, - 'GO:0050153': { - 'name': 'omega-hydroxydecanoate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 10-hydroxydecanoate + NAD(+) = 10-oxodecanoate + H(+) + NADH. [EC:1.1.1.66, RHEA:20883]' - }, - 'GO:0050154': { - 'name': 'opheline kinase activity', - 'def': "Catalysis of the reaction: ATP + guanidinoethyl methyl phosphate = N'-phosphoguanidinoethyl methylphosphate + ADP + 2 H(+). [EC:2.7.3.7, RHEA:17556]" - }, - 'GO:0050155': { - 'name': 'ornithine(lysine) transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-ornithine = H2O + L-glutamate + 3,4-dihydro-2H-pyrrole-2-carboxylate. [EC:2.6.1.68, MetaCyc:ORNITHINELYSINE-AMINOTRANSFERASE-RXN]' - }, - 'GO:0050156': { - 'name': 'ornithine N-benzoyltransferase activity', - 'def': 'Catalysis of the reaction: L-ornithine + 2 benzoyl-CoA = N(2),N(5)-dibenzoyl-L-ornithine + 2 CoA + 2 H(+). [EC:2.3.1.127, RHEA:16932]' - }, - 'GO:0050157': { - 'name': 'ornithine racemase activity', - 'def': 'Catalysis of the reaction: L-ornithine = D-ornithine. [EC:5.1.1.12, MetaCyc:ORNITHINE-RACEMASE-RXN]' - }, - 'GO:0050158': { - 'name': 'orotate reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: (S)-dihydroorotate + NADP(+) = H(+) + NADPH + orotate. [EC:1.3.1.15, RHEA:14864]' - }, - 'GO:0050159': { - 'name': 'orsellinate decarboxylase activity', - 'def': 'Catalysis of the reaction: o-orsellinate + H(+) = CO(2) + orcinol. [EC:4.1.1.58, RHEA:16736]' - }, - 'GO:0050160': { - 'name': 'orsellinate-depside hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + orsellinate depside = 2 o-orsellinate + H(+). [EC:3.1.1.40, RHEA:19552]' - }, - 'GO:0050161': { - 'name': 'succinyl-CoA:oxalate CoA-transferase', - 'def': 'Catalysis of the reaction: oxalate + succinyl-CoA = oxalyl-CoA + succinate. [EC:2.8.3.2, RHEA:23591]' - }, - 'GO:0050162': { - 'name': 'oxalate oxidase activity', - 'def': 'Catalysis of the reaction: 2 H(+) + O(2) + oxalate = 2 CO(2) + H(2)O(2). [EC:1.2.3.4, RHEA:21881]' - }, - 'GO:0050163': { - 'name': 'oxaloacetate tautomerase activity', - 'def': 'Catalysis of the reaction: oxaloacetate = enol-oxaloacetate. [EC:5.3.2.2, RHEA:16024]' - }, - 'GO:0050164': { - 'name': 'oxoglutarate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + CoA + NADP(+) = CO(2) + NADPH + succinyl-CoA. [EC:1.2.1.52, RHEA:21403]' - }, - 'GO:0050165': { - 'name': 'pantetheine kinase activity', - 'def': "Catalysis of the reaction: ATP + pantetheine = ADP + pantetheine 4'-phosphate. [EC:2.7.1.34, MetaCyc:PANTETHEINE-KINASE-RXN]" - }, - 'GO:0050166': { - 'name': 'pantoate 4-dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-pantoate + NAD(+) = (R)-4-dehydropantoate + H(+) + NADH. [EC:1.1.1.106, RHEA:23003]' - }, - 'GO:0050167': { - 'name': 'pantothenoylcysteine decarboxylase activity', - 'def': 'Catalysis of the reaction: N-[(R)-pantothenoyl]-L-cysteine + H(+) = (R)-pantetheine + CO(2). [EC:4.1.1.30, RHEA:15080]' - }, - 'GO:0050168': { - 'name': 'pentanamidase activity', - 'def': 'Catalysis of the reaction: H(2)O + pentanamide = NH(4)(+) + valerate. [EC:3.5.1.50, RHEA:10003]' - }, - 'GO:0050169': { - 'name': 'peptide-tryptophan 2,3-dioxygenase activity', - 'def': 'Catalysis of the reaction: peptide tryptophan + O2 = peptide formylkynurenine. [EC:1.13.11.26, MetaCyc:PEPTIDE-TRYPTOPHAN-23-DIOXYGENASE-RXN]' - }, - 'GO:0050170': { - 'name': 'peptidyl-glutaminase activity', - 'def': 'Catalysis of the reaction: alpha-N-peptidyl-L-glutamine + H2O = alpha-N-peptidyl-L-glutamate + NH3. [EC:3.5.1.43, MetaCyc:PEPTIDYL-GLUTAMINASE-RXN]' - }, - 'GO:0050171': { - 'name': 'phenol beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a phenol = UDP + an aryl beta-D-glucoside. [EC:2.4.1.35, MetaCyc:PHENOL-BETA-GLUCOSYLTRANSFERASE-RXN]' - }, - 'GO:0050172': { - 'name': 'phenylalanine 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-phenylalanine + O(2) = 2-phenylacetamide + CO(2) + H(2)O. [EC:1.13.12.9, RHEA:10715]' - }, - 'GO:0050173': { - 'name': 'phenylalanine adenylyltransferase activity', - 'def': 'Catalysis of the reaction: L-phenylalanine + ATP = N-adenylyl-L-phenylalanine + diphosphate + 2 H(+). [EC:2.7.7.54, RHEA:17192]' - }, - 'GO:0050174': { - 'name': 'phenylalanine decarboxylase activity', - 'def': 'Catalysis of the reaction: L-phenylalanine = phenylethylamine + CO2. [EC:4.1.1.53, MetaCyc:PHENYLALANINE-DECARBOXYLASE-RXN]' - }, - 'GO:0050175': { - 'name': 'phenylalanine dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-phenylalanine + H2O + NAD+ = phenylpyruvate + NH3 + NADH. [EC:1.4.1.20, MetaCyc:PHENYLALANINE-DEHYDROGENASE-RXN]' - }, - 'GO:0050176': { - 'name': 'phenylalanine N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: L-phenylalanine + acetyl-CoA = N-acetyl-L-phenylalanine + CoA + H(+). [EC:2.3.1.53, RHEA:17804]' - }, - 'GO:0050177': { - 'name': 'phenylpyruvate decarboxylase activity', - 'def': 'Catalysis of the reaction: phenylpyruvate = phenylacetaldehyde + CO2. [EC:4.1.1.43, MetaCyc:PHENYLPYRUVATE-DECARBOXYLASE-RXN]' - }, - 'GO:0050178': { - 'name': 'phenylpyruvate tautomerase activity', - 'def': 'Catalysis of the reaction: keto-phenylpyruvate = enol-phenylpyruvate. [EC:5.3.2.1, MetaCyc:PHENYLPYRUVATE-TAUTOMERASE-RXN]' - }, - 'GO:0050179': { - 'name': 'phenylserine aldolase activity', - 'def': 'Catalysis of the reaction: L-threo-3-phenylserine = benzaldehyde + glycine. [EC:4.1.2.26, RHEA:21715]' - }, - 'GO:0050180': { - 'name': 'phloretin hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + phloretin = H(+) + phloretate + phloroglucinol. [EC:3.7.1.4, RHEA:23399]' - }, - 'GO:0050181': { - 'name': 'phorbol-diester hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + phorbol 12,13-dibutanoate = butanoate + H(+) + phorbol 13-butanoate. [EC:3.1.1.51, RHEA:21319]' - }, - 'GO:0050182': { - 'name': 'phosphate butyryltransferase activity', - 'def': 'Catalysis of the reaction: butanoyl-CoA + phosphate = butanoyl phosphate + CoA. [EC:2.3.1.19, RHEA:20895]' - }, - 'GO:0050183': { - 'name': 'phosphatidylcholine 12-monooxygenase activity', - 'def': 'Catalysis of the reaction: 1-acyl-2-oleoyl-sn-glycero-3-phosphocholine + H(+) + NADH + O(2) = 1-acyl-2-[(S)-12-hydroxyoleoyl]-sn-glycero-3-phosphocholine + H(2)O + NAD(+). [EC:1.14.13.26, RHEA:11371]' - }, - 'GO:0050184': { - 'name': 'phosphatidylcholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-acyl-2-oleoyl-sn-glycero-3-phosphocholine + NAD(+) = 1-acyl-2-linoleoyl-sn-glycero-3-phosphocholine + H(+) + NADH. [EC:1.3.1.35, RHEA:12567]' - }, - 'GO:0050185': { - 'name': 'phosphatidylinositol deacylase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol + H(2)O = 1-acyl-sn-glycero-3-phospho-D-myo-inositol + a carboxylate + H(+). [EC:3.1.1.52, RHEA:18004]' - }, - 'GO:0050186': { - 'name': 'phosphoadenylylsulfatase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + H2O = adenosine 3',5'-bisphosphate + sulfate. [EC:3.6.2.2, MetaCyc:PHOSPHOADENYLYLSULFATASE-RXN]" - }, - 'GO:0050187': { - 'name': 'phosphoamidase activity', - 'def': 'Catalysis of the reaction: N-phosphocreatine + H(2)O = creatine + phosphate. [EC:3.9.1.1, RHEA:12980]' - }, - 'GO:0050188': { - 'name': 'phosphoenolpyruvate mutase activity', - 'def': 'Catalysis of the reaction: phosphoenolpyruvate = 3-phosphonopyruvate. [EC:5.4.2.9, RHEA:17016]' - }, - 'GO:0050189': { - 'name': 'phosphoenolpyruvate phosphatase activity', - 'def': 'Catalysis of the reaction: H(2)O + phosphoenolpyruvate = phosphate + pyruvate. [EC:3.1.3.60, RHEA:20000]' - }, - 'GO:0050190': { - 'name': 'phosphoglucokinase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 1-phosphate + ATP = alpha-D-glucose 1,6-bisphosphate + ADP + 2 H(+). [EC:2.7.1.10, RHEA:13380]' - }, - 'GO:0050191': { - 'name': 'phosphoglycerate kinase (GTP) activity', - 'def': 'Catalysis of the reaction: 3-phospho-D-glycerate + GTP = 3-phospho-D-glyceroyl phosphate + GDP + H(+). [EC:2.7.2.10, RHEA:23335]' - }, - 'GO:0050192': { - 'name': 'phosphoglycerate phosphatase activity', - 'def': 'Catalysis of the reaction: 2-phospho-D-glycerate + H(2)O = D-glycerate + phosphate. [EC:3.1.3.20, RHEA:21159]' - }, - 'GO:0050193': { - 'name': 'phosphoketolase activity', - 'def': 'Catalysis of the reaction: D-xylulose 5-phosphate + phosphate = acetyl phosphate + D-glyceraldehyde 3-phosphate + H2O. [EC:4.1.2.9, MetaCyc:PHOSPHOKETOLASE-RXN]' - }, - 'GO:0050194': { - 'name': 'phosphonoacetaldehyde hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + phosphonoacetaldehyde = acetaldehyde + H(+) + phosphate. [EC:3.11.1.1, RHEA:18908]' - }, - 'GO:0050195': { - 'name': 'phosphoribokinase activity', - 'def': 'Catalysis of the reaction: D-ribose 5-phosphate + ATP = D-ribose 1,5-diphosphate + ADP + 2 H(+). [EC:2.7.1.18, RHEA:21219]' - }, - 'GO:0050196': { - 'name': '[phosphorylase] phosphatase activity', - 'def': 'Catalysis of the reaction: [phosphorylase a] + 4 H2O = 2 [phosphorylase b] + 4 phosphate. [EC:3.1.3.17, MetaCyc:PHOSPHORYLASE-PHOSPHATASE-RXN]' - }, - 'GO:0050197': { - 'name': 'phytanate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + CoA + phytanate = AMP + diphosphate + H(+) + phytanoyl-CoA. [EC:6.2.1.24, RHEA:21383]' - }, - 'GO:0050198': { - 'name': 'pinosylvin synthase activity', - 'def': 'Catalysis of the reaction: trans-cinnamoyl-CoA + 3 H(+) + 3 malonyl-CoA = 4 CO(2) + 4 CoA + pinosylvin. [EC:2.3.1.146, RHEA:12555]' - }, - 'GO:0050199': { - 'name': 'piperidine N-piperoyltransferase activity', - 'def': 'Catalysis of the reaction: (E,E)-piperoyl-CoA + piperidine = N-[(E,E)-piperoyl]piperidine + CoA + H(+). [EC:2.3.1.145, RHEA:14564]' - }, - 'GO:0050200': { - 'name': 'plasmalogen synthase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + 1-O-alk-1-enyl-glycero-3-phosphocholine = CoA + plasmenylcholine. [EC:2.3.1.25, MetaCyc:PLASMALOGEN-SYNTHASE-RXN]' - }, - 'GO:0050201': { - 'name': 'fucokinase activity', - 'def': 'Catalysis of the reaction: L-fucose + ATP = beta-L-fucose 1-phosphate + ADP + 2 H(+). [EC:2.7.1.52, RHEA:13244]' - }, - 'GO:0050202': { - 'name': 'octopamine dehydratase activity', - 'def': 'Catalysis of the reaction: 1-(4-hydroxyphenyl)-2-aminoethanol = (4-hydroxyphenyl)acetaldehyde + NH(4)(+). [EC:4.2.1.87, RHEA:18176]' - }, - 'GO:0050203': { - 'name': 'oxalate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + CoA + oxalate = AMP + diphosphate + H(+) + oxalyl-CoA. [EC:6.2.1.8, RHEA:18296]' - }, - 'GO:0050204': { - 'name': 'oxalomalate lyase activity', - 'def': 'Catalysis of the reaction: 3-oxalomalate = glyoxylate + oxaloacetate. [EC:4.1.3.13, RHEA:22035]' - }, - 'GO:0050205': { - 'name': 'oxamate carbamoyltransferase activity', - 'def': 'Catalysis of the reaction: carbamoyl phosphate + oxamate = oxalurate + phosphate. [EC:2.1.3.5, RHEA:22987]' - }, - 'GO:0050206': { - 'name': 'oximinotransferase activity', - 'def': 'Catalysis of the reaction: 2-(hydroxyimino)propanoate + acetone = acetone oxime + pyruvate. [EC:2.6.3.1, RHEA:11627]' - }, - 'GO:0050207': { - 'name': 'plasmanylethanolamine desaturase activity', - 'def': 'Catalysis of the reaction: O-1-alkyl-2-acyl-sn-glycero-3-phosphoethanolamine + donor-H2 + O2 = O-1-alk-1-enyl-2-acyl-sn-glycero-3-phosphoethanolamine + acceptor + 2 H2O. [EC:1.14.99.19, MetaCyc:PLASMANYLETHANOLAMINE-DESATURASE-RXN]' - }, - 'GO:0050208': { - 'name': 'polysialic-acid O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + an alpha-2,8-linked polymer of sialic acid = CoA + polysialic acid acetylated at O-7 or O-9. [EC:2.3.1.136, MetaCyc:POLYSIALIC-ACID-O-ACETYLTRANSFERASE-RXN]' - }, - 'GO:0050209': { - 'name': 'polyvinyl-alcohol oxidase activity', - 'def': 'Catalysis of the reaction: polyvinyl alcohol + O2 = oxidized polyvinyl alcohol + H2O2. [EC:1.1.3.30, MetaCyc:POLYVINYL-ALCOHOL-OXIDASE-RXN]' - }, - 'GO:0050210': { - 'name': 'prenyl-diphosphatase activity', - 'def': 'Catalysis of the reaction: prenyl diphosphate + H2O = prenol + diphosphate. [EC:3.1.7.1, MetaCyc:PRENYL-PYROPHOSPHATASE-RXN]' - }, - 'GO:0050211': { - 'name': 'procollagen galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-galactose + procollagen 5-hydroxy-L-lysine = UDP + procollagen 5-(D-galactosyloxy)-L-lysine. [EC:2.4.1.50, MetaCyc:PROCOLLAGEN-GALACTOSYLTRANSFERASE-RXN]' - }, - 'GO:0050212': { - 'name': 'progesterone 11-alpha-monooxygenase activity', - 'def': 'Catalysis of the reaction: AH(2) + O(2) + progesterone = 11alpha-hydroxyprogesterone + A + H(2)O. [EC:1.14.99.14, RHEA:18208]' - }, - 'GO:0050213': { - 'name': 'progesterone 5-alpha-reductase activity', - 'def': 'Catalysis of the reaction: 5-alpha-pregnan-3,20-dione + NADP+ = progesterone + NADPH. [EC:1.3.1.30, MetaCyc:PROGESTERONE-5-ALPHA-REDUCTASE-RXN]' - }, - 'GO:0050214': { - 'name': 'progesterone monooxygenase activity', - 'def': 'Catalysis of the reaction: AH(2) + O(2) + progesterone = A + H(2)O + testosterone acetate. [EC:1.14.99.4, RHEA:11987]' - }, - 'GO:0050215': { - 'name': 'propanediol dehydratase activity', - 'def': 'Catalysis of the reaction: propane-1,2-diol = H(2)O + propanal. [EC:4.2.1.28, RHEA:14572]' - }, - 'GO:0050216': { - 'name': 'propanediol-phosphate dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(+) + propane-1,2-diol 1-phosphate = H(+) + hydroxyacetone phosphate + NADH. [EC:1.1.1.7, RHEA:21587]' - }, - 'GO:0050217': { - 'name': 'propioin synthase activity', - 'def': 'Catalysis of the reaction: 4-hydroxyhexan-3-one = 2 propanal. [EC:4.1.2.35, RHEA:11103]' - }, - 'GO:0050218': { - 'name': 'propionate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + propanoate + CoA = AMP + diphosphate + propanoyl-CoA. [EC:6.2.1.17, MetaCyc:PROPIONATE--COA-LIGASE-RXN]' - }, - 'GO:0050219': { - 'name': 'prostaglandin-A1 delta-isomerase activity', - 'def': 'Catalysis of the reaction: prostaglandin A1 = prostaglandin C1. [EC:5.3.3.9, RHEA:10463]' - }, - 'GO:0050220': { - 'name': 'prostaglandin-E synthase activity', - 'def': 'Catalysis of the reaction: prostaglandin H(2) = prostaglandin E(2). [EC:5.3.99.3, RHEA:12896]' - }, - 'GO:0050221': { - 'name': 'prostaglandin-E2 9-reductase activity', - 'def': 'Catalysis of the reaction: (5Z,13E)-(15S)-9-alpha,11-alpha,15-trihydroxyprosta-5,13-dienoate + NADP+ = (5Z,13E)-(15S)-11-alpha,15-dihydroxy-9-oxoprosta-5,13-dienoate + NADPH. [EC:1.1.1.189, MetaCyc:PROSTAGLANDIN-E2-9-REDUCTASE-RXN]' - }, - 'GO:0050223': { - 'name': 'protocatechuate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxybenzoate + H(+) = catechol + CO(2). [EC:4.1.1.63, RHEA:22419]' - }, - 'GO:0050224': { - 'name': 'prunasin beta-glucosidase activity', - 'def': 'Catalysis of the reaction: (R)-prunasin + H(2)O = D-glucose + mandelonitrile. [EC:3.2.1.118, RHEA:16492]' - }, - 'GO:0050225': { - 'name': 'pseudouridine kinase activity', - 'def': "Catalysis of the reaction: ATP + pseudouridine = ADP + 2 H(+) + pseudouridine 5'-phosphate. [EC:2.7.1.83, RHEA:22451]" - }, - 'GO:0050226': { - 'name': 'psychosine sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + galactosylsphingosine = adenosine 3',5'-bisphosphate + psychosine sulfate. [EC:2.8.2.13, MetaCyc:PSYCHOSINE-SULFOTRANSFERASE-RXN]" - }, - 'GO:0050227': { - 'name': 'pteridine oxidase activity', - 'def': 'Catalysis of the reaction: 2-amino-4-hydroxypteridine + O2 = 2-amino-4,7-dihydroxypteridine + unknown. [EC:1.17.3.1, MetaCyc:PTERIDINE-OXIDASE-RXN]' - }, - 'GO:0050228': { - 'name': 'pterin deaminase activity', - 'def': 'Catalysis of the reaction: 2-amino-4-hydroxypteridine + H2O = 2,4-dihydroxypteridine + NH3. [EC:3.5.4.11, MetaCyc:PTERIN-DEAMINASE-RXN]' - }, - 'GO:0050229': { - 'name': 'pterocarpin synthase activity', - 'def': 'Catalysis of the reaction: medicarpin + NADP+ = vestitone + NADPH. [EC:1.1.1.246, MetaCyc:PTEROCARPIN-SYNTHASE-RXN]' - }, - 'GO:0050230': { - 'name': 'purine imidazole-ring cyclase activity', - 'def': 'Catalysis of the reaction: DNA 4,6-diamino-5-formamidopyrimidine = DNA adenine + H2O. [EC:4.3.2.4, MetaCyc:PURINE-IMIDAZOLE-RING-CYCLASE-RXN]' - }, - 'GO:0050231': { - 'name': 'putrescine carbamoyltransferase activity', - 'def': 'Catalysis of the reaction: carbamoyl phosphate + putrescine = N-carbamoylputrescine + H(+) + phosphate. [EC:2.1.3.6, RHEA:21939]' - }, - 'GO:0050232': { - 'name': 'putrescine oxidase activity', - 'def': 'Catalysis of the reaction: putrescine + O2 + H2O = 4-aminobutanal + NH3 + H2O2. [EC:1.4.3.10, MetaCyc:PUTRESCINE-OXIDASE-RXN]' - }, - 'GO:0050233': { - 'name': 'pyranose oxidase activity', - 'def': 'Catalysis of the reaction: D-glucose + O(2) = 2-dehydro-D-glucose + H(2)O(2). [EC:1.1.3.10, RHEA:10555]' - }, - 'GO:0050234': { - 'name': 'pyrazolylalanine synthase activity', - 'def': 'Catalysis of the reaction: L-serine + pyrazole = 3-(pyrazol-1-yl)-L-alanine + H(2)O. [EC:4.2.1.50, RHEA:24515]' - }, - 'GO:0050235': { - 'name': 'pyridoxal 4-dehydrogenase activity', - 'def': 'Catalysis of the reaction: NAD(+) + pyridoxal = 4-pyridoxolactone + H(+) + NADH. [EC:1.1.1.107, RHEA:21339]' - }, - 'GO:0050236': { - 'name': 'pyridoxine:NADP 4-dehydrogenase activity', - 'def': 'Catalysis of the reaction: NADP(+) + pyridoxine = H(+) + NADPH + pyridoxal. [EC:1.1.1.65, RHEA:16132]' - }, - 'GO:0050237': { - 'name': 'pyridoxine 4-oxidase activity', - 'def': 'Catalysis of the reaction: pyridoxine + O2 = pyridoxal + H2O2. [EC:1.1.3.12, MetaCyc:PYRIDOXINE-4-OXIDASE-RXN]' - }, - 'GO:0050238': { - 'name': 'pyridoxine 5-dehydrogenase activity', - 'def': 'Catalysis of the reaction: pyridoxine + acceptor = isopyridoxal + reduced acceptor. [EC:1.1.99.9, MetaCyc:PYRIDOXINE-5-DEHYDROGENASE-RXN]' - }, - 'GO:0050239': { - 'name': 'pyrithiamine deaminase activity', - 'def': 'Catalysis of the reaction: 1-(4-amino-2-methylpyrimid-5-ylmethyl)-3-(beta-hydroxyethyl)-2-methylpyridinium bromide + H2O = 1-(4-hydroxy-2-methylpyrimid-5-ylmethyl)-3-(beta-hydroxyethyl)-2-methylpyridinium bromide + NH3. [EC:3.5.4.20, MetaCyc:PYRITHIAMIN-DEAMINASE-RXN]' - }, - 'GO:0050240': { - 'name': 'pyrogallol 1,2-oxygenase activity', - 'def': 'Catalysis of the reaction: O(2) + pyrogallol = (Z)-5-oxohex-2-enedioate + 2 H(+). [EC:1.13.11.35, RHEA:19676]' - }, - 'GO:0050241': { - 'name': 'pyrroline-2-carboxylate reductase activity', - 'def': 'Catalysis of the reaction: L-proline + NAD(P)+ = 1-pyrroline-2-carboxylate + NAD(P)H + H+. [EC:1.5.1.1, MetaCyc:PYRROLINE-2-CARBOXYLATE-REDUCTASE-RXN]' - }, - 'GO:0050242': { - 'name': 'pyruvate, phosphate dikinase activity', - 'def': 'Catalysis of the reaction: ATP + phosphate + pyruvate = AMP + diphosphate + 2 H(+) + phosphoenolpyruvate. [EC:2.7.9.1, RHEA:10759]' - }, - 'GO:0050243': { - 'name': 'pyruvate dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: CoA + NADP(+) + pyruvate = acetyl-CoA + CO(2) + NADPH. [EC:1.2.1.51, RHEA:17428]' - }, - 'GO:0050244': { - 'name': 'pyruvate oxidase (CoA-acetylating) activity', - 'def': 'Catalysis of the reaction: CoA + H(+) + O(2) + pyruvate = acetyl-CoA + CO(2) + H(2)O(2). [EC:1.2.3.6, RHEA:21915]' - }, - 'GO:0050245': { - 'name': 'quercitrinase activity', - 'def': 'Catalysis of the reaction: H(2)O + quercitrin = L-rhamnose + quercetin. [EC:3.2.1.66, RHEA:17468]' - }, - 'GO:0050246': { - 'name': 'questin monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + questin = demethylsulochrin + NADP(+). [EC:1.14.13.43, RHEA:10839]' - }, - 'GO:0050247': { - 'name': 'raucaffricine beta-glucosidase activity', - 'def': 'Catalysis of the reaction: H(2)O + raucaffricine = D-glucose + vomilenine. [EC:3.2.1.125, RHEA:14560]' - }, - 'GO:0050248': { - 'name': 'Renilla-luciferin 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: Renilla luciferin + O2 = oxidized Renilla luciferin + CO2 + light. [EC:1.13.12.5, MetaCyc:RENILLA-LUCIFERIN-2-MONOOXYGENASE-RXN]' - }, - 'GO:0050249': { - 'name': 'Renilla-luciferin sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phospho-5'-adenylyl sulfate + Renilla luciferin = adenosine 3',5'-diphosphate + H(+) + luciferyl sulfate. [EC:2.8.2.10, RHEA:20484]" - }, - 'GO:0050250': { - 'name': 'retinal oxidase activity', - 'def': 'Catalysis of the reaction: retinal + O2 + H2O = retinoate + H2O2. [EC:1.2.3.11, MetaCyc:RETINAL-OXIDASE-RXN]' - }, - 'GO:0050251': { - 'name': 'retinol isomerase activity', - 'def': 'Catalysis of the reaction: all-trans-retinol = 11-cis-retinol. [GOC:pde, RHEA:19144]' - }, - 'GO:0050252': { - 'name': 'retinol O-fatty-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + retinol = CoA + retinyl ester. [EC:2.3.1.76, MetaCyc:RETINOL-O-FATTY-ACYLTRANSFERASE-RXN]' - }, - 'GO:0050253': { - 'name': 'retinyl-palmitate esterase activity', - 'def': 'Catalysis of the reaction: retinyl palmitate + H2O = retinol + palmitate + H+. [MetaCyc:RETINYL-PALMITATE-ESTERASE-RXN, RHEA:21511]' - }, - 'GO:0050254': { - 'name': 'rhodopsin kinase activity', - 'def': 'Catalysis of the reaction: ATP + rhodopsin = ADP + phosphorhodopsin. [EC:2.7.11.14, MetaCyc:RHODOPSIN-KINASE-RXN]' - }, - 'GO:0050255': { - 'name': 'ribitol 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-ribitol + NAD(+) = D-ribulose + H(+) + NADH. [EC:1.1.1.56, RHEA:20056]' - }, - 'GO:0050256': { - 'name': 'ribitol-5-phosphate 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-ribitol 5-phosphate + NAD(P)+ = D-ribulose 5-phosphate + NAD(P)H + H+. [EC:1.1.1.137, MetaCyc:RIBITOL-5-PHOSPHATE-2-DEHYDROGENASE-RXN]' - }, - 'GO:0050257': { - 'name': 'riboflavin phosphotransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-glucose 1-phosphate + riboflavin = D-glucose + FMN. [EC:2.7.1.42, RHEA:20412]' - }, - 'GO:0050258': { - 'name': 'riboflavinase activity', - 'def': 'Catalysis of the reaction: H(2)O + H(+) + riboflavin = D-ribitol + lumichrome. [EC:3.5.99.1, RHEA:11411]' - }, - 'GO:0050259': { - 'name': 'ribose 1-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: H(2)O + NADP(+) + ribofuranose = D-ribonate + 2 H(+) + NADPH. [EC:1.1.1.115, RHEA:11679]' - }, - 'GO:0050260': { - 'name': 'ribose-5-phosphate-ammonia ligase activity', - 'def': 'Catalysis of the reaction: D-ribose 5-phosphate + ATP + NH(4)(+) = 5-phospho-D-ribosylamine + ADP + 2 H(+) + phosphate. [EC:6.3.4.7, RHEA:13780]' - }, - 'GO:0050261': { - 'name': 'ribose isomerase activity', - 'def': 'Catalysis of the reaction: ribofuranose = D-ribulose. [EC:5.3.1.20, RHEA:20799]' - }, - 'GO:0050262': { - 'name': 'ribosylnicotinamide kinase activity', - 'def': 'Catalysis of the reaction: N-ribosylnicotinamide + ATP = ADP + 2 H(+) + nicotinamide mononucleotide. [EC:2.7.1.22, PMID:17914902, RHEA:14020]' - }, - 'GO:0050263': { - 'name': 'ribosylpyrimidine nucleosidase activity', - 'def': 'Catalysis of the reaction: an N-D-ribosylpyrimidine + H2O = D-ribose + a pyrimidine. [EC:3.2.2.8, MetaCyc:RIBOSYLPYRIMIDINE-NUCLEOSIDASE-RXN]' - }, - 'GO:0050264': { - 'name': 'rifamycin-B oxidase activity', - 'def': 'Catalysis of the reaction: 2 H(+) + O(2) + rifamycin B = H(2)O(2) + rifamycin O. [EC:1.10.3.6, RHEA:11295]' - }, - 'GO:0050265': { - 'name': 'RNA uridylyltransferase activity', - 'def': 'Catalysis of the reaction: UTP + RNA(n) = diphosphate + RNA(n+1). [EC:2.7.7.52, MetaCyc:RNA-URIDYLYLTRANSFERASE-RXN]' - }, - 'GO:0050266': { - 'name': 'rosmarinate synthase activity', - 'def': 'Catalysis of the reaction: caffeoyl-CoA + 3-(3,4-dihydroxyphenyl)lactate = CoA + rosmarinate. [EC:2.3.1.140, MetaCyc:ROSMARINATE-SYNTHASE-RXN]' - }, - 'GO:0050267': { - 'name': 'rubber cis-polyprenylcistransferase activity', - 'def': 'Catalysis of the reaction: poly-cis-polyprenyl diphosphate + isopentenyl diphosphate = diphosphate + a poly-cis-polyprenyl diphosphate longer by one C5 unit. [EC:2.5.1.20, MetaCyc:RUBBER-CIS-POLYPRENYLCISTRANSFERASE-RXN]' - }, - 'GO:0050268': { - 'name': 'coniferyl-alcohol dehydrogenase activity', - 'def': 'Catalysis of the reaction: coniferyl alcohol + NADP+ = coniferyl aldehyde + NADPH. [EC:1.1.1.194, MetaCyc:RXN-1107]' - }, - 'GO:0050269': { - 'name': 'coniferyl-aldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: coniferyl aldehyde + H2O + NAD(P)+ = ferulate + NAD(P)H + H+. [EC:1.2.1.68, MetaCyc:RXN-1241]' - }, - 'GO:0050270': { - 'name': 'S-adenosylhomocysteine deaminase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-homocysteine + H(2)O + H(+) = S-inosyl-L-homocysteine + NH(4)(+). [EC:3.5.4.28, RHEA:20719]' - }, - 'GO:0050271': { - 'name': 'S-alkylcysteine lyase activity', - 'def': 'Catalysis of the reaction: an S-alkyl-L-cysteine + H2O = an alkyl thiol + NH3 + pyruvate. [EC:4.4.1.6, MetaCyc:S-ALKYLCYSTEINE-LYASE-RXN]' - }, - 'GO:0050272': { - 'name': 'S-carboxymethylcysteine synthase activity', - 'def': 'Catalysis of the reaction: 3-chloro-L-alanine + thioglycolate = S-carboxymethyl-L-cysteine + chloride + H(+). [EC:4.5.1.5, RHEA:22871]' - }, - 'GO:0050273': { - 'name': 'S-succinylglutathione hydrolase activity', - 'def': 'Catalysis of the reaction: S-succinylglutathione + H(2)O = glutathione + H(+) + succinate. [EC:3.1.2.13, RHEA:16716]' - }, - 'GO:0050274': { - 'name': 'salicyl-alcohol beta-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: salicyl alcohol + UDP-D-glucose = H(+) + salicin + UDP. [EC:2.4.1.172, RHEA:11515]' - }, - 'GO:0050275': { - 'name': 'scopoletin glucosyltransferase activity', - 'def': 'Catalysis of the reaction: scopoletin + UDP-D-glucose = H(+) + scopolin + UDP. [EC:2.4.1.128, RHEA:20456]' - }, - 'GO:0050276': { - 'name': 'scyllo-inosamine 4-kinase activity', - 'def': 'Catalysis of the reaction: 1-amino-1-deoxy-scyllo-inositol + ATP = 1-amino-1-deoxy-scyllo-inositol 4-phosphate + ADP + 2 H(+). [EC:2.7.1.65, RHEA:18608]' - }, - 'GO:0050277': { - 'name': 'sedoheptulokinase activity', - 'def': 'Catalysis of the reaction: ATP + sedoheptulose = ADP + 2 H(+) + sedoheptulose 7-phosphate. [EC:2.7.1.14, RHEA:23847]' - }, - 'GO:0050278': { - 'name': 'sedoheptulose-bisphosphatase activity', - 'def': 'Catalysis of the reaction: sedoheptulose 1,7-bisphosphate + H2O = sedoheptulose 7-phosphate + phosphate. [EC:3.1.3.37, MetaCyc:SEDOHEPTULOSE-BISPHOSPHATASE-RXN]' - }, - 'GO:0050279': { - 'name': 'sepiapterin deaminase activity', - 'def': 'Catalysis of the reaction: sepiapterin + H2O = xanthopterin-B2 + NH3. [EC:3.5.4.24, MetaCyc:SEPIAPTERIN-DEAMINASE-RXN]' - }, - 'GO:0050280': { - 'name': 'sequoyitol dehydrogenase activity', - 'def': 'Catalysis of the reaction: 1D-5-O-methyl-myo-inositol + NAD(+) = 2D-5-O-methyl-2,3,5/4,6-pentahydroxycyclohexanone + H(+) + NADH. [EC:1.1.1.143, RHEA:11303]' - }, - 'GO:0050281': { - 'name': 'serine-glyoxylate transaminase activity', - 'def': 'Catalysis of the reaction: L-serine + glyoxylate = 3-hydroxypyruvate + glycine. [EC:2.6.1.45, MetaCyc:SERINE--GLYOXYLATE-AMINOTRANSFERASE-RXN]' - }, - 'GO:0050282': { - 'name': 'serine 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-serine + H2O + NAD+ = 3-hydroxypyruvate + NH3 + NADH. [EC:1.4.1.7, MetaCyc:SERINE-DEHYDROGENASE-RXN]' - }, - 'GO:0050283': { - 'name': 'serine-sulfate ammonia-lyase activity', - 'def': 'Catalysis of the reaction: L-serine O-sulfate + H2O = pyruvate + NH3 + sulfate. [EC:4.3.1.10, MetaCyc:SERINE-SULFATE-AMMONIA-LYASE-RXN]' - }, - 'GO:0050284': { - 'name': 'sinapate 1-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + sinapate = UDP + 1-sinapoyl-D-glucose. [EC:2.4.1.120, MetaCyc:SINAPATE-1-GLUCOSYLTRANSFERASE-RXN]' - }, - 'GO:0050285': { - 'name': 'sinapine esterase activity', - 'def': 'Catalysis of the reaction: O-sinapoylcholine + H(2)O = choline + H(+) + sinapate. [EC:3.1.1.49, RHEA:10019]' - }, - 'GO:0050286': { - 'name': 'sorbitol-6-phosphatase activity', - 'def': 'Catalysis of the reaction: D-glucitol 6-phosphate + H(2)O = D-glucitol + phosphate. [EC:3.1.3.50, RHEA:24583]' - }, - 'GO:0050287': { - 'name': 'sorbose 5-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: L-sorbose + NADP(+) = 5-dehydro-D-fructose + H(+) + NADPH. [EC:1.1.1.123, RHEA:15004]' - }, - 'GO:0050288': { - 'name': 'sorbose dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-sorbose + A = 5-dehydro-D-fructose + AH(2). [EC:1.1.99.12, RHEA:14716]' - }, - 'GO:0050289': { - 'name': 'spermidine dehydrogenase activity', - 'def': 'Catalysis of the reaction: spermidine + acceptor + H2O = 1,3-diaminopropane + 4-aminobutanal + reduced acceptor. [EC:1.5.99.6, MetaCyc:SPERMIDINE-DEHYDROGENASE-RXN]' - }, - 'GO:0050290': { - 'name': 'sphingomyelin phosphodiesterase D activity', - 'def': 'Catalysis of the reaction: H(2)O + sphingomyelin = ceramide 1-phosphate + choline + H(+). [EC:3.1.4.41, RHEA:20987]' - }, - 'GO:0050291': { - 'name': 'sphingosine N-acyltransferase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + sphingosine = CoA + N-acylsphingosine. [EC:2.3.1.24, MetaCyc:SPHINGOSINE-N-ACYLTRANSFERASE-RXN, PMID:12069845]' - }, - 'GO:0050292': { - 'name': 'steroid 9-alpha-monooxygenase activity', - 'def': 'Catalysis of the reaction: AH(2) + O(2) + pregna-4,9(11)-diene-3,20-dione = 9,11alpha-epoxypregn-4-ene-3,20-dione + A + H(2)O. [EC:1.14.99.24, RHEA:19560]' - }, - 'GO:0050293': { - 'name': 'steroid-lactonase activity', - 'def': 'Catalysis of the reaction: H(2)O + testololactone = H(+) + testolate. [EC:3.1.1.37, RHEA:13724]' - }, - 'GO:0050294': { - 'name': 'steroid sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + a phenolic steroid = adenosine 3',5'-bisphosphate + steroid O-sulfate. [EC:2.8.2.15, MetaCyc:STEROID-SULFOTRANSFERASE-RXN]" - }, - 'GO:0050295': { - 'name': 'steryl-beta-glucosidase activity', - 'def': 'Catalysis of the reaction: cholesteryl-beta-D-glucoside + H(2)O = D-glucose + cholesterol. [EC:3.2.1.104, RHEA:11959]' - }, - 'GO:0050296': { - 'name': 'stipitatonate decarboxylase activity', - 'def': 'Catalysis of the reaction: H(2)O + stipitatonate = CO(2) + H(+) + stipitatate. [EC:4.1.1.60, RHEA:13888]' - }, - 'GO:0050297': { - 'name': 'stizolobate synthase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxy-L-phenylalanine + O2 = 4-(L-alanin-3-yl)-2-hydroxy-cis,cis-muconate 6-semialdehyde. [EC:1.13.11.29, MetaCyc:STIZOLOBATE-SYNTHASE-RXN]' - }, - 'GO:0050298': { - 'name': 'stizolobinate synthase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxy-L-phenylalanine + O2 = 5-(L-alanin-3-yl)-2-hydroxy-cis,cis-muconate 6-semialdehyde. [EC:1.13.11.30, MetaCyc:STIZOLOBINATE-SYNTHASE-RXN]' - }, - 'GO:0050299': { - 'name': "streptomycin 3''-kinase activity", - 'def': "Catalysis of the reaction: ATP + streptomycin = ADP + 2 H(+) + streptomycin 3''-phosphate. [EC:2.7.1.87, RHEA:18380]" - }, - 'GO:0050300': { - 'name': 'aminoglycoside 6-kinase activity', - 'def': 'Catalysis of the reaction: ATP + streptomycin = ADP + 2 H(+) + streptomycin 6-phosphate. [EC:2.7.1.72, RHEA:22271]' - }, - 'GO:0050301': { - 'name': 'streptomycin-6-phosphatase activity', - 'def': 'Catalysis of the reaction: H(2)O + streptomycin 6-phosphate = phosphate + streptomycin. [EC:3.1.3.39, RHEA:10691]' - }, - 'GO:0050302': { - 'name': 'indole-3-acetaldehyde oxidase activity', - 'def': 'Catalysis of the reaction: (indol-3-yl)acetaldehyde + H(2)O + O(2) = (indol-3-yl)acetate + H(2)O(2) + H(+). [EC:1.2.3.7, RHEA:16280]' - }, - 'GO:0050303': { - 'name': 'lysine 6-dehydrogenase activity', - 'def': 'Catalysis of the reaction: H2O + NAD+ + L-lysine = NH3 + NADH + allysine. [EC:1.4.1.18, MetaCyc:LYSINE-6-DEHYDROGENASE-RXN]' - }, - 'GO:0050304': { - 'name': 'nitrous-oxide reductase activity', - 'def': 'Catalysis of the reaction: H(2)O + 2 cytochrome c + nitrogen = 2 reduced cytochrome c + nitrous oxide. [EC:1.7.2.4, MetaCyc:RXN-12130]' - }, - 'GO:0050305': { - 'name': 'strombine dehydrogenase activity', - 'def': 'Catalysis of the reaction: N-(carboxymethyl)-D-alanine + H(2)O + NAD(+) = glycine + H(+) + NADH + pyruvate. [EC:1.5.1.22, RHEA:14064]' - }, - 'GO:0050306': { - 'name': 'sucrose 1F-fructosyltransferase activity', - 'def': 'Catalysis of the reaction: 2 sucrose = D-glucose + 1F-beta-D-fructosylsucrose. [EC:2.4.1.99, MetaCyc:SUCROSE-1F-FRUCTOSYLTRANSFERASE-RXN]' - }, - 'GO:0050307': { - 'name': 'sucrose-phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: sucrose 6F-phosphate + H2O = sucrose + phosphate. [EC:3.1.3.24, MetaCyc:SUCROSE-PHOSPHATASE-RXN]' - }, - 'GO:0050308': { - 'name': 'sugar-phosphatase activity', - 'def': 'Catalysis of the reaction: sugar phosphate + H2O = sugar + phosphate. [EC:3.1.3.23, MetaCyc:SUGAR-PHOSPHATASE-RXN]' - }, - 'GO:0050309': { - 'name': 'sugar-terminal-phosphatase activity', - 'def': 'Catalysis of the reaction: H2O + sugar phosphorylated on the terminal carbon = a sugar + phosphate. [EC:3.1.3.58, MetaCyc:SUGAR-TERMINAL-PHOSPHATASE-RXN]' - }, - 'GO:0050310': { - 'name': 'sulfite dehydrogenase activity', - 'def': 'Catalysis of the reaction: sulfite + 2 ferricytochrome c + H2O = sulfate + 2 ferrocytochrome c. [EC:1.8.2.1, MetaCyc:SULFITE-DEHYDROGENASE-RXN]' - }, - 'GO:0050311': { - 'name': 'sulfite reductase (ferredoxin) activity', - 'def': 'Catalysis of the reaction: hydrogen sulfide + 3 oxidized ferredoxin + 3 H2O = sulfite + 3 reduced ferredoxin. [EC:1.8.7.1, MetaCyc:SULFITE-REDUCTASE-FERREDOXIN-RXN]' - }, - 'GO:0050312': { - 'name': 'sulfoacetaldehyde lyase activity', - 'def': 'Catalysis of the reaction: 2-sulfoacetaldehyde + H2O = acetate + sulfite. [EC:4.4.1.12, MetaCyc:SULFOACETALDEHYDE-LYASE-RXN]' - }, - 'GO:0050313': { - 'name': 'sulfur dioxygenase activity', - 'def': 'Catalysis of the reaction: sulfur + O2 + H2O = sulfite. [EC:1.13.11.18, MetaCyc:SULFUR-DIOXYGENASE-RXN]' - }, - 'GO:0050314': { - 'name': 'sym-norspermidine synthase activity', - 'def': "Catalysis of the reaction: 1,3-diaminopropane + S-adenosylmethioninamine = S-methyl-5'-thioadenosine + bis(3-aminopropyl)amine + H(+). [EC:2.5.1.23, RHEA:23247]" - }, - 'GO:0050315': { - 'name': 'synephrine dehydratase activity', - 'def': 'Catalysis of the reaction: synephrine = (4-hydroxyphenyl)acetaldehyde + methylammonium. [EC:4.2.1.88, RHEA:17516]' - }, - 'GO:0050316': { - 'name': 'T2-induced deoxynucleotide kinase activity', - 'def': 'Catalysis of the reactions: ATP + dGMP = ADP + dGDP, and ATP + dTMP = ADP + dTDP. [EC:2.7.4.12, MetaCyc:T2-INDUCED-DEOXYNUCLEOTIDE-KINASE-RXN]' - }, - 'GO:0050317': { - 'name': 'tagatose kinase activity', - 'def': 'Catalysis of the reaction: D-tagatose + ATP = D-tagatose 6-phosphate + ADP + 2 H(+). [EC:2.7.1.101, RHEA:15516]' - }, - 'GO:0050318': { - 'name': 'tannase activity', - 'def': 'Catalysis of the reaction: digallate + H(2)O = 2 gallate + H(+). [EC:3.1.1.20, RHEA:16368]' - }, - 'GO:0050319': { - 'name': 'tartrate decarboxylase activity', - 'def': 'Catalysis of the reaction: L-tartrate + H(+) = D-glycerate + CO(2). [EC:4.1.1.73, RHEA:13320]' - }, - 'GO:0050320': { - 'name': 'tartrate epimerase activity', - 'def': 'Catalysis of the reaction: L-tartrate = (2R,3S)-tartrate. [EC:5.1.2.5, RHEA:22215]' - }, - 'GO:0050321': { - 'name': 'tau-protein kinase activity', - 'def': 'Catalysis of the reaction: ATP + tau-protein = ADP + O-phospho-tau-protein. [EC:2.7.11.26, MetaCyc:TAU-PROTEIN-KINASE-RXN]' - }, - 'GO:0050322': { - 'name': 'taurine-2-oxoglutarate transaminase activity', - 'def': 'Catalysis of the reaction: taurine + 2-oxoglutarate = sulfoacetaldehyde + L-glutamate. [EC:2.6.1.55, MetaCyc:RXN-2301]' - }, - 'GO:0050323': { - 'name': 'taurine dehydrogenase activity', - 'def': 'Catalysis of the reaction: A + H(2)O + taurine = AH(2) + NH(4)(+) + sulfoacetaldehyde. [EC:1.4.99.2, RHEA:18712]' - }, - 'GO:0050324': { - 'name': 'taurocyamine kinase activity', - 'def': 'Catalysis of the reaction: ATP + taurocyamine = N-phosphotaurocyamine + ADP + 2 H(+). [EC:2.7.3.4, RHEA:22519]' - }, - 'GO:0050325': { - 'name': 'tauropine dehydrogenase activity', - 'def': 'Catalysis of the reaction: H(2)O + NAD(+) + tauropine = H(+) + NADH + pyruvate + taurine. [EC:1.5.1.23, RHEA:12583]' - }, - 'GO:0050326': { - 'name': 'taxifolin 8-monooxygenase activity', - 'def': 'Catalysis of the reaction: taxifolin + NAD(P)H + H+ + O2 = 2,3-dihydrogossypetin + NAD(P)+ + H2O. [EC:1.14.13.19, MetaCyc:TAXIFOLIN-8-MONOOXYGENASE-RXN]' - }, - 'GO:0050328': { - 'name': 'tetrahydroberberine oxidase activity', - 'def': 'Catalysis of the reaction: (S)-tetrahydroberberine + 2 O2 = berberine + 2 H2O2. [EC:1.3.3.8, MetaCyc:TETRAHYDROBERBERINE-OXIDASE-RXN]' - }, - 'GO:0050329': { - 'name': 'tetrahydroxypteridine cycloisomerase activity', - 'def': 'Catalysis of the reaction: tetrahydroxypteridine = H(+) + xanthine-8-carboxylate. [EC:5.5.1.3, RHEA:18100]' - }, - 'GO:0050330': { - 'name': 'theanine hydrolase activity', - 'def': 'Catalysis of the reaction: N(5)-ethyl-L-glutamine + H(2)O = L-glutamate + ethylamine. [EC:3.5.1.65, RHEA:18016]' - }, - 'GO:0050331': { - 'name': 'thiamine-diphosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + thiamin diphosphate = ADP + thiamin triphosphate. [EC:2.7.4.15, MetaCyc:THIAMIN-DIPHOSPHATE-KINASE-RXN]' - }, - 'GO:0050332': { - 'name': 'thiamine pyridinylase activity', - 'def': 'Catalysis of the reaction: pyridine + thiamine = 5-(2-hydroxyethyl)-4-methylthiazole + heteropyrithiamine. [EC:2.5.1.2, RHEA:17700]' - }, - 'GO:0050333': { - 'name': 'thiamin-triphosphatase activity', - 'def': 'Catalysis of the reaction: H(2)O + thiamine triphosphate = H(+) + phosphate + thiamine diphosphate. [EC:3.6.1.28, RHEA:11747]' - }, - 'GO:0050334': { - 'name': 'thiaminase activity', - 'def': 'Catalysis of the reaction: H(2)O + thiamine = 4-amino-5-hydroxymethyl-2-methylpyrimidine + 5-(2-hydroxyethyl)-4-methylthiazole + H(+). [EC:3.5.99.2, RHEA:17512]' - }, - 'GO:0050335': { - 'name': 'thiocyanate isomerase activity', - 'def': 'Catalysis of the reaction: benzyl isothiocyanate = benzyl thiocyanate. [EC:5.99.1.1, RHEA:10007]' - }, - 'GO:0050336': { - 'name': 'thioethanolamine S-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + cysteamine = S-acetylcysteamine + CoA. [EC:2.3.1.11, RHEA:23283]' - }, - 'GO:0050337': { - 'name': 'thiosulfate-thiol sulfurtransferase activity', - 'def': 'Catalysis of the reaction: thiosulfate + 2 glutathione = sulfite + glutathione disulfide + sulfide. [EC:2.8.1.3, MetaCyc:THIOSULFATE--THIOL-SULFURTRANSFERASE-RXN]' - }, - 'GO:0050338': { - 'name': 'thiosulfate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2 thiosulfate + 2 ferricytochrome c = tetrathionate + 2 ferrocytochrome c. [EC:1.8.2.2, MetaCyc:THIOSULFATE-DEHYDROGENASE-RXN]' - }, - 'GO:0050339': { - 'name': 'thymidine-triphosphatase activity', - 'def': 'Catalysis of the reaction: dTTP + H2O = dTDP + phosphate. [EC:3.6.1.39, MetaCyc:THYMIDINE-TRIPHOSPHATASE-RXN]' - }, - 'GO:0050340': { - 'name': "thymidylate 5'-phosphatase activity", - 'def': 'Catalysis of the reaction: thymidylate + H2O = thymidine + phosphate. [EC:3.1.3.35, MetaCyc:THYMIDYLATE-5-PHOSPHATASE-RXN]' - }, - 'GO:0050341': { - 'name': 'thymine dioxygenase activity', - 'def': 'Catalysis of the reaction: thymine + 2-oxoglutarate + O2 = 5-hydroxymethyluracil + succinate + CO2. [EC:1.14.11.6, MetaCyc:THYMINE-DIOXYGENASE-RXN]' - }, - 'GO:0050342': { - 'name': 'tocopherol O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + gamma-tocopherol = S-adenosyl-L-homocysteine + alpha-tocopherol. [EC:2.1.1.95, MetaCyc:TOCOPHEROL-O-METHYLTRANSFERASE-RXN]' - }, - 'GO:0050343': { - 'name': 'trans-2-enoyl-CoA reductase (NAD+) activity', - 'def': 'Catalysis of the reaction: acyl-CoA + NAD+ = trans-didehydroacyl-CoA + NADH. [EC:1.3.1.44, MetaCyc:TRANS-2-ENOYL-COA-REDUCTASE-NAD+-RXN]' - }, - 'GO:0050344': { - 'name': 'trans-cinnamate 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: trans-cinnamate + H(+) + NADPH + O(2) = 2-coumarate + H(2)O + NADP(+). [EC:1.14.13.14, RHEA:10959]' - }, - 'GO:0050345': { - 'name': 'trans-epoxysuccinate hydrolase activity', - 'def': 'Catalysis of the reaction: trans-2,3-epoxysuccinate + H(2)O = (2R,3S)-tartrate. [EC:3.3.2.4, RHEA:20743]' - }, - 'GO:0050346': { - 'name': 'trans-L-3-hydroxyproline dehydratase activity', - 'def': 'Catalysis of the reaction: trans-L-3-hydroxyproline = 1-pyrroline-2-carboxylate + H(2)O + H(+). [EC:4.2.1.77, RHEA:10323]' - }, - 'GO:0050347': { - 'name': 'trans-octaprenyltranstransferase activity', - 'def': 'Catalysis of the reaction: all-trans-octaprenyl diphosphate + isopentenyl diphosphate = all-trans-nonaprenyl diphosphate + diphosphate. [RHEA:11327]' - }, - 'GO:0050348': { - 'name': 'trehalose O-mycolyltransferase activity', - 'def': "Catalysis of the reaction: 2 alpha,alpha'-trehalose 6-mycolate = alpha,alpha'-trehalose 6,6'-bismycolate + alpha,alpha-trehalose. [EC:2.3.1.122, RHEA:23475]" - }, - 'GO:0050349': { - 'name': 'triacetate-lactonase activity', - 'def': 'Catalysis of the reaction: H(2)O + triacetate lactone = triacetate. [EC:3.1.1.38, RHEA:22263]' - }, - 'GO:0050350': { - 'name': 'trihydroxystilbene synthase activity', - 'def': "Catalysis of the reaction: 3 malonyl-CoA + 4-coumaroyl-CoA = 4 CoA + 3,4',5-trihydroxy-stilbene + 4 CO2. [EC:2.3.1.95, MetaCyc:TRIHYDROXYSTILBENE-SYNTHASE-RXN]" - }, - 'GO:0050351': { - 'name': 'trimetaphosphatase activity', - 'def': 'Catalysis of the reaction: H(2)O + trimetaphosphate = 2 H(+) + triphosphate. [EC:3.6.1.2, RHEA:11091]' - }, - 'GO:0050352': { - 'name': 'trimethylamine-oxide aldolase activity', - 'def': 'Catalysis of the reaction: H(+) + trimethylamine N-oxide = dimethylamine + formaldehyde. [EC:4.1.2.32, RHEA:20220]' - }, - 'GO:0050353': { - 'name': 'trimethyllysine dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + N(6),N(6),N(6)-trimethyl-L-lysine + O(2) = 3-hydroxy-N(6),N(6),N(6)-trimethyl-L-lysine + CO(2) + succinate. [EC:1.14.11.8, RHEA:14184]' - }, - 'GO:0050354': { - 'name': 'triokinase activity', - 'def': 'Catalysis of the reaction: D-glyceraldehyde + ATP = D-glyceraldehyde 3-phosphate + ADP + 2 H(+). [EC:2.7.1.28, RHEA:13944]' - }, - 'GO:0050355': { - 'name': 'triphosphatase activity', - 'def': 'Catalysis of the reaction: H(2)O + triphosphate = diphosphate + phosphate. [EC:3.6.1.25, RHEA:14160]' - }, - 'GO:0050356': { - 'name': 'tropine dehydrogenase activity', - 'def': 'Catalysis of the reaction: NADP(+) + tropine = H(+) + NADPH + tropinone. [EC:1.1.1.206, RHEA:18360]' - }, - 'GO:0050357': { - 'name': 'tropinesterase activity', - 'def': 'Catalysis of the reaction: atropine + H(2)O = H(+) + tropate + tropine. [EC:3.1.1.10, RHEA:23307]' - }, - 'GO:0050358': { - 'name': 'tropinone reductase activity', - 'def': 'Catalysis of the reaction: NADP(+) + pseudotropine = H(+) + NADPH + tropinone. [EC:1.1.1.236, RHEA:24247]' - }, - 'GO:0050359': { - 'name': 'tropomyosin kinase activity', - 'def': 'Catalysis of the reaction: ATP + tropomyosin = ADP + O-phosphotropomyosin. [EC:2.7.11.28, MetaCyc:TROPOMYOSIN-KINASE-RXN]' - }, - 'GO:0050360': { - 'name': "tryptophan 2'-dioxygenase activity", - 'def': 'Catalysis of the reaction: L-tryptophan + O2 = 3-indoleglycolaldehyde + CO2 + NH3. [EC:1.13.99.3, MetaCyc:TRYPTOPHAN-2-DIOXYGENASE-RXN]' - }, - 'GO:0050361': { - 'name': 'tryptophan 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: L-tryptophan + O(2) = CO(2) + H(2)O + indole-3-acetamide. [EC:1.13.12.3, RHEA:16168]' - }, - 'GO:0050362': { - 'name': 'L-tryptophan:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-tryptophan + 2-oxoglutarate = indolepyruvate + L-glutamate. [EC:2.6.1.27, MetaCyc:TRYPTOPHAN-AMINOTRANSFERASE-RXN]' - }, - 'GO:0050363': { - 'name': 'tryptophan dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-tryptophan + NAD(P)+ = (indol-3-yl)pyruvate + NH3 + NAD(P)H + H+. [EC:1.4.1.19, MetaCyc:TRYPTOPHAN-DEHYDROGENASE-RXN]' - }, - 'GO:0050364': { - 'name': 'tryptophan dimethylallyltransferase activity', - 'def': 'Catalysis of the reaction: dimethylallyl diphosphate + L-tryptophan = diphosphate + 4-(3-methylbut-2-enyl)-L-tryptophan. [EC:2.5.1.34, MetaCyc:TRYPTOPHAN-DIMETHYLALLYLTRANSFERASE-RXN]' - }, - 'GO:0050365': { - 'name': 'tryptophanamidase activity', - 'def': 'Catalysis of the reaction: L-tryptophanamide + H(2)O = L-tryptophan + NH(4)(+). [EC:3.5.1.57, RHEA:11015]' - }, - 'GO:0050366': { - 'name': 'tyramine N-feruloyltransferase activity', - 'def': 'Catalysis of the reaction: feruloyl-CoA + tyramine = CoA + N-feruloyltyramine. [EC:2.3.1.110, MetaCyc:TYRAMINE-N-FERULOYLTRANSFERASE-RXN]' - }, - 'GO:0050367': { - 'name': 'tyrosine-arginine ligase activity', - 'def': 'Catalysis of the reaction: L-arginine + L-tyrosine + ATP = L-tyrosyl-L-arginine + AMP + diphosphate + 2 H(+). [EC:6.3.2.24, RHEA:15348]' - }, - 'GO:0050368': { - 'name': 'tyrosine 2,3-aminomutase activity', - 'def': 'Catalysis of the reaction: L-tyrosine = 3-amino-3-(4-hydroxyphenyl)propanoate. [EC:5.4.3.6, RHEA:15784]' - }, - 'GO:0050369': { - 'name': '[tyrosine 3-monooxygenase] kinase activity', - 'def': 'Catalysis of the reaction: ATP + [tyrosine-3-monooxygenase] = ADP + phospho-[tyrosine-3-monooxygenase]. [EC:2.7.11.6, MetaCyc:TYROSINE-3-MONOOXYGENASE-KINASE-RXN]' - }, - 'GO:0050370': { - 'name': 'tyrosine N-monooxygenase activity', - 'def': 'Catalysis of the reaction: tyrosine + O2 + NADPH + H+ = N-hydroxytyrosine + NADP+ + H2O. [EC:1.14.13.41, MetaCyc:TYROSINE-N-MONOOXYGENASE-RXN]' - }, - 'GO:0050371': { - 'name': 'tyrosine phenol-lyase activity', - 'def': 'Catalysis of the reaction: L-tyrosine + H(2)O = NH(4)(+) + phenol + pyruvate. [EC:4.1.99.2, RHEA:21707]' - }, - 'GO:0050372': { - 'name': 'ubiquitin-calmodulin ligase activity', - 'def': 'Catalysis of the reaction: n ATP + calmodulin + n ubiquitin = n AMP + n diphosphate + ubiquitin(n)-calmodulin. [MetaCyc:UBIQUITIN--CALMODULIN-LIGASE-RXN]' - }, - 'GO:0050373': { - 'name': 'UDP-arabinose 4-epimerase activity', - 'def': 'Catalysis of the reaction: UDP-L-arabinose = UDP-alpha-D-xylose. [EC:5.1.3.5, RHEA:11323]' - }, - 'GO:0050374': { - 'name': 'UDP-galacturonate decarboxylase activity', - 'def': 'Catalysis of the reaction: H(+) + UDP-alpha-D-galacturonate = CO(2) + UDP-L-arabinose. [EC:4.1.1.67, RHEA:19728]' - }, - 'GO:0050376': { - 'name': 'UDP-glucosamine 4-epimerase activity', - 'def': 'Catalysis of the reaction: UDP-glucosamine = UDP-galactosamine. [EC:5.1.3.16, MetaCyc:UDP-GLUCOSAMINE-EPIMERASE-RXN]' - }, - 'GO:0050377': { - 'name': 'UDP-glucose 4,6-dehydratase activity', - 'def': 'Catalysis of the reaction: UDP-D-glucose = H(2)O + UDP-4-dehydro-6-deoxy-D-glucose. [EC:4.2.1.76, RHEA:21503]' - }, - 'GO:0050378': { - 'name': 'UDP-glucuronate 4-epimerase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucuronate = UDP-alpha-D-galacturonate. [EC:5.1.3.6, RHEA:11407]' - }, - 'GO:0050379': { - 'name': "UDP-glucuronate 5'-epimerase activity", - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucuronate = UDP-L-iduronate. [EC:5.1.3.12, RHEA:14680]' - }, - 'GO:0050380': { - 'name': 'undecaprenyl-diphosphatase activity', - 'def': 'Catalysis of the reaction: all-trans-undecaprenyl diphosphate + H(2)O = all-trans-undecaprenyl phosphate + H(+) + phosphate. [EC:3.6.1.27, RHEA:17072]' - }, - 'GO:0050382': { - 'name': 'uracil-5-carboxylate decarboxylase activity', - 'def': 'Catalysis of the reaction: H(+) + uracil 5-carboxylate = CO(2) + uracil. [EC:4.1.1.66, RHEA:17688]' - }, - 'GO:0050383': { - 'name': 'uracil dehydrogenase activity', - 'def': 'Catalysis of the reaction: uracil + acceptor = barbiturate + reduced acceptor. [EC:1.17.99.4, MetaCyc:URACIL-DEHYDROGENASE-RXN]' - }, - 'GO:0050384': { - 'name': 'urate-ribonucleotide phosphorylase activity', - 'def': 'Catalysis of the reaction: 3-(beta-D-ribofuranosyl)uric acid + phosphate = alpha-D-ribose 1-phosphate + H(+) + urate. [EC:2.4.2.16, RHEA:13912]' - }, - 'GO:0050385': { - 'name': 'ureidoglycolate lyase activity', - 'def': 'Catalysis of the reaction: (S)-ureidoglycolate = glyoxylate + urea. [EC:4.3.2.3, RHEA:11307]' - }, - 'GO:0050386': { - 'name': 'ureidosuccinase activity', - 'def': 'Catalysis of the reaction: N-carbamoyl-L-aspartate + H(2)O + 2 H(+) = L-aspartate + CO(2) + NH(4)(+). [EC:3.5.1.7, RHEA:14368]' - }, - 'GO:0050387': { - 'name': 'urethanase activity', - 'def': 'Catalysis of the reaction: H(2)O + H(+) + urethane = CO(2) + ethanol + NH(4)(+). [EC:3.5.1.75, RHEA:21375]' - }, - 'GO:0050388': { - 'name': 'uronate dehydrogenase activity', - 'def': 'Catalysis of the reaction: D-galacturonate + H(2)O + NAD(+) = galactarate + 2 H(+) + NADH. [EC:1.1.1.203, RHEA:22407]' - }, - 'GO:0050389': { - 'name': 'uronolactonase activity', - 'def': 'Catalysis of the reaction: D-glucurono-6,2-lactone + H2O = D-glucuronate. [EC:3.1.1.19, MetaCyc:URONOLACTONASE-RXN]' - }, - 'GO:0050390': { - 'name': 'valine decarboxylase activity', - 'def': 'Catalysis of the reaction: L-valine + H(+) = 2-methylpropanamine + CO(2). [EC:4.1.1.14, RHEA:18992]' - }, - 'GO:0050391': { - 'name': 'valine dehydrogenase (NADP) activity', - 'def': 'Catalysis of the reaction: L-valine + H2O + NADP+ = 3-methyl-2-oxobutanoate + NH3 + NADPH. [EC:1.4.1.8, MetaCyc:VALINE-DEHYDROGENASE-NADP+-RXN]' - }, - 'GO:0050392': { - 'name': 'vicianin beta-glucosidase activity', - 'def': 'Catalysis of the reaction: (R)-vicianin + H(2)O = mandelonitrile + vicianose. [EC:3.2.1.119, RHEA:14044]' - }, - 'GO:0050393': { - 'name': 'vinylacetyl-CoA delta-isomerase activity', - 'def': 'Catalysis of the reaction: vinylacetyl-CoA = crotonoyl-CoA. [EC:5.3.3.3, RHEA:10575]' - }, - 'GO:0050394': { - 'name': 'viomycin kinase activity', - 'def': 'Catalysis of the reaction: ATP + viomycin = ADP + O-phosphoviomycin. [EC:2.7.1.103, MetaCyc:VIOMYCIN-KINASE-RXN]' - }, - 'GO:0050395': { - 'name': 'vitexin beta-glucosyltransferase activity', - 'def': "Catalysis of the reaction: UDP-D-glucose + vitexin = H(+) + UDP + vitexin 2''-O-beta-D-glucoside. [EC:2.4.1.105, RHEA:21959]" - }, - 'GO:0050396': { - 'name': "vomifoliol 4'-dehydrogenase activity", - 'def': 'Catalysis of the reaction: (6S,9R)-6-hydroxy-3-oxo-alpha-ionol + NAD(+) = (6S)-6-hydroxy-3-oxo-alpha-ionone + H(+) + NADH. [EC:1.1.1.221, RHEA:22807]' - }, - 'GO:0050397': { - 'name': 'Watasenia-luciferin 2-monooxygenase activity', - 'def': 'Catalysis of the reaction: Watasenia luciferin + O2 = oxidized Watasenia luciferin + CO2 + light. [EC:1.13.12.8, MetaCyc:WATASEMIA-LUCIFERIN-2-MONOOXYGENASE-RXN]' - }, - 'GO:0050398': { - 'name': 'wax-ester hydrolase activity', - 'def': 'Catalysis of the reaction: a wax ester + H2O = a long-chain alcohol + a long-chain carboxylate. [EC:3.1.1.50, MetaCyc:WAX-ESTER-HYDROLASE-RXN]' - }, - 'GO:0050399': { - 'name': 'xanthommatin reductase activity', - 'def': 'Catalysis of the reaction: 5,12-dihydroxanthommatin + NAD(+) = H(+) + NADH + xanthommatin. [EC:1.3.1.41, RHEA:13420]' - }, - 'GO:0050400': { - 'name': 'xylitol kinase activity', - 'def': 'Catalysis of the reaction: ATP + xylitol = ADP + 2 H(+) + xylitol 5-phosphate. [EC:2.7.1.122, RHEA:20212]' - }, - 'GO:0050401': { - 'name': 'xylonate dehydratase activity', - 'def': 'Catalysis of the reaction: D-xylonate = 2-dehydro-3-deoxy-D-arabinonate + H(2)O. [EC:4.2.1.82, RHEA:19160]' - }, - 'GO:0050402': { - 'name': 'xylono-1,4-lactonase activity', - 'def': 'Catalysis of the reaction: D-xylono-1,4-lactone + H2O = D-xylonate. [EC:3.1.1.68, MetaCyc:XYLONO-14-LACTONASE-RXN]' - }, - 'GO:0050403': { - 'name': 'trans-zeatin O-beta-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: trans-zeatin + UDP-D-glucose = O-beta-D-glucosyl-trans-zeatin + H(+) + UDP. [EC:2.4.1.203, RHEA:23227]' - }, - 'GO:0050404': { - 'name': 'zeatin O-beta-D-xylosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-xylose + zeatin = O-beta-D-xylosylzeatin + H(+) + UDP. [EC:2.4.2.40, RHEA:14724]' - }, - 'GO:0050405': { - 'name': '[acetyl-CoA carboxylase] kinase activity', - 'def': 'Catalysis of the reaction: ATP + [acetyl-CoA carboxylase] = ADP + [acetyl-CoA carboxylase] phosphate. [EC:2.7.11.27, MetaCyc:[ACETYL-COA-CARBOXYLASE\\]-KINASE-RXN]' - }, - 'GO:0050406': { - 'name': '[acetyl-CoA carboxylase]-phosphatase activity', - 'def': 'Catalysis of the reaction: [acetyl-CoA carboxylase]-phosphate + H2O = [acetyl-CoA carboxylase] + phosphate. [EC:3.1.3.44, MetaCyc:ACETYL-COA-CARBOXYLASE-PHOSPHATASE-RXN]' - }, - 'GO:0050407': { - 'name': '[glycogen-synthase-D] phosphatase activity', - 'def': 'Catalysis of the reaction: [glycogen-synthase D] + H2O = [glycogen-synthase I] + phosphate. [EC:3.1.3.42, MetaCyc:GLYCOGEN-SYNTHASE-D-PHOSPHATASE-RXN]' - }, - 'GO:0050408': { - 'name': '[pyruvate kinase]-phosphatase activity', - 'def': 'Catalysis of the reaction: [pyruvate kinase] phosphate + H2O = [pyruvate kinase] + phosphate. [EC:3.1.3.49, MetaCyc:PYRUVATE-KINASE-PHOSPHATASE-RXN]' - }, - 'GO:0050409': { - 'name': 'indolylacetylinositol arabinosyltransferase activity', - 'def': 'Catalysis of the reaction: 1L-1-O-(indol-3-yl)acetyl-myo-inositol + UDP-L-arabinose = (indol-3-yl)acetyl-myo-inositol 3-L-arabinoside + H(+) + UDP. [EC:2.4.2.34, RHEA:19508]' - }, - 'GO:0050410': { - 'name': '3-oxolaurate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-oxolaurate + H(+) = 2-undecanone + CO(2). [EC:4.1.1.56, RHEA:13388]' - }, - 'GO:0050411': { - 'name': 'agaritine gamma-glutamyltransferase activity', - 'def': 'Catalysis of the reaction: agaritine + acceptor-NH2 = 4-hydroxymethylphenylhydrazine + gamma-L-glutamyl-acceptor. [EC:2.3.2.9, MetaCyc:AGARITINE-GAMMA-GLUTAMYLTRANSFERASE-RXN]' - }, - 'GO:0050412': { - 'name': 'cinnamate beta-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: trans-cinnamate + UDP-D-glucose = 1-O-trans-cinnamoyl-beta-D-glucopyranose + UDP. [EC:2.4.1.177, RHEA:13440]' - }, - 'GO:0050413': { - 'name': 'D-alanine 2-hydroxymethyltransferase activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + D-alanine + H(2)O = (6S)-5,6,7,8-tetrahydrofolate + 2-methylserine. [EC:2.1.2.7, RHEA:10067]' - }, - 'GO:0050414': { - 'name': 'formimidoylaspartate deiminase activity', - 'def': 'Catalysis of the reaction: N-formimidoyl-L-aspartate + H2O = N-formyl-L-aspartate + NH3. [EC:3.5.3.5, MetaCyc:FORMIMINOASPARTATE-DEIMINASE-RXN]' - }, - 'GO:0050415': { - 'name': 'formimidoylglutamase activity', - 'def': 'Catalysis of the reaction: N-formimidoyl-L-glutamate + H(2)O = L-glutamate + formamide. [EC:3.5.3.8, RHEA:22495]' - }, - 'GO:0050416': { - 'name': 'formimidoylglutamate deiminase activity', - 'def': 'Catalysis of the reaction: N-formimidoyl-L-glutamate + H2O = N-formyl-L-glutamate + NH3. [EC:3.5.3.13, MetaCyc:FORMIMINOGLUTAMATE-DEIMINASE-RXN]' - }, - 'GO:0050417': { - 'name': 'glutamin-(asparagin-)ase activity', - 'def': 'Catalysis of the reaction: H2O + L-glutamine = NH3 + L-glutamate; and H2O + L-asparagine = NH3 + L-aspartate. [EC:3.5.1.38, MetaCyc:GLUTAMINASE-ASPARAGIN-ASE-RXN]' - }, - 'GO:0050418': { - 'name': 'hydroxylamine reductase activity', - 'def': 'Catalysis of the reaction: NH3 + H2O + acceptor = hydroxylamine + reduced acceptor. [EC:1.7.99.1, MetaCyc:HYDROXYLAMINE-REDUCTASE-RXN]' - }, - 'GO:0050419': { - 'name': 'hydroxymandelonitrile lyase activity', - 'def': 'Catalysis of the reaction: 4-hydroxymandelonitrile = 4-hydroxybenzaldehyde + hydrocyanate. [EC:4.1.2.11, MetaCyc:HYDROXYMANDELONITRILE-LYASE-RXN]' - }, - 'GO:0050420': { - 'name': 'maltose synthase activity', - 'def': 'Catalysis of the reaction: 2 alpha-D-glucose 1-phosphate = maltose + 2 phosphate. [EC:2.4.1.139, MetaCyc:MALTOSE-SYNTHASE-RXN]' - }, - 'GO:0050421': { - 'name': 'nitrite reductase (NO-forming) activity', - 'def': 'Catalysis of the reaction: nitric oxide + H2O + ferricytochrome c = nitrite + ferrocytochrome c + 2 H+. [EC:1.7.2.1, MetaCyc:NITRITE-REDUCTASE-CYTOCHROME-RXN]' - }, - 'GO:0050422': { - 'name': 'strictosidine beta-glucosidase activity', - 'def': 'Catalysis of the reaction: 3alpha(S)-strictosidine + H(2)O = D-glucose + strictosidine aglycone. [EC:3.2.1.105, RHEA:12920]' - }, - 'GO:0050423': { - 'name': 'thiamine oxidase activity', - 'def': 'Catalysis of the reaction: thiamine + 2 O2 = thiamine acetic acid + 2 H2O2. [EC:1.1.3.23, MetaCyc:THIAMIN-OXIDASE-RXN]' - }, - 'GO:0050424': { - 'name': 'obsolete alanine carboxypeptidase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: H2O + peptidyl-L-alanine = L-alanine + peptide. The release of a C-terminal alanine from a peptide or a variety of pteroyl or acyl groups. [EC:3.4.17.6, MetaCyc:ALANINE-CARBOXYPEPTIDASE-RXN]' - }, - 'GO:0050425': { - 'name': 'obsolete carboxypeptidase B activity', - 'def': 'OBSOLETE. Catalysis of the reaction: H2O + peptidyl-L-lysine (or L-arginine) = L-lysine (or L-arginine) + peptide. Preferential release of a C-terminal lysine or arginine amino acid. [EC:3.4.17.2, MetaCyc:CARBOXYPEPTIDASE-B-RXN]' - }, - 'GO:0050426': { - 'name': 'obsolete peptidyl-glycinamidase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: H2O + peptidyl-glycinamide = glycinamide + peptide. Cleavage of C-terminal glycinamide from a polypeptide. [EC:3.4.19.2, MetaCyc:PEPTIDYL-GLYCINAMIDASE-RXN]' - }, - 'GO:0050427': { - 'name': "3'-phosphoadenosine 5'-phosphosulfate metabolic process", - 'def': "The chemical reactions and pathways involving 3'-phosphoadenosine 5'-phosphosulfate, a naturally occurring mixed anhydride. It is an intermediate in the formation of a variety of sulfo compounds in biological systems. [ISBN:0198506732]" - }, - 'GO:0050428': { - 'name': "3'-phosphoadenosine 5'-phosphosulfate biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of 3'-phosphoadenosine 5'-phosphosulfate, a naturally occurring mixed anhydride. It is an intermediate in the formation of a variety of sulfo compounds in biological systems. [ISBN:0198506732]" - }, - 'GO:0050429': { - 'name': 'calcium-dependent phospholipase C activity', - 'def': 'Catalysis of the reaction: a phosphatidylcholine + H2O = 1,2-diacylglycerol + choline phosphate. This reaction requires Ca2+. [EC:3.1.4.3]' - }, - 'GO:0050431': { - 'name': 'transforming growth factor beta binding', - 'def': 'Interacting selectively and non-covalently with TGF-beta, transforming growth factor beta, a multifunctional peptide that controls proliferation, differentiation and other functions in many cell types. [ISBN:0198506732]' - }, - 'GO:0050432': { - 'name': 'catecholamine secretion', - 'def': 'The regulated release of catecholamines by a cell. The catecholamines are a group of physiologically important biogenic amines that possess a catechol (3,4-dihydroxyphenyl) nucleus and are derivatives of 3,4-dihydroxyphenylethylamine. [GOC:ai, GOC:ef]' - }, - 'GO:0050433': { - 'name': 'regulation of catecholamine secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of catecholamines. [GOC:ai]' - }, - 'GO:0050434': { - 'name': 'positive regulation of viral transcription', - 'def': 'Any process that activates or increases the frequency, rate or extent of viral transcription. [GOC:ai]' - }, - 'GO:0050435': { - 'name': 'beta-amyloid metabolic process', - 'def': "The chemical reactions and pathways involving beta-amyloid, a glycoprotein associated with Alzheimer's disease, and its precursor, amyloid precursor protein (APP). [GOC:ai]" - }, - 'GO:0050436': { - 'name': 'microfibril binding', - 'def': 'Interacting selectively and non-covalently with a microfibril, any small fibril occurring in biological material. [GOC:ai]' - }, - 'GO:0050437': { - 'name': '(-)-endo-fenchol synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate + H(2)O = (-)-endo-fenchol + diphosphate. [EC:4.2.3.10, RHEA:20568]' - }, - 'GO:0050438': { - 'name': '2-ethylmalate synthase activity', - 'def': 'Catalysis of the reaction: 2-oxobutanate + acetyl-CoA + H(2)O = (R)-2-ethylmalate + CoA + H(+). [EC:2.3.3.6, RHEA:23043]' - }, - 'GO:0050439': { - 'name': '2-hydroxy-3-oxoadipate synthase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + glyoxylate + H(+) = 2-hydroxy-3-oxoadipate + CO(2). [EC:2.2.1.5, RHEA:14344]' - }, - 'GO:0050440': { - 'name': '2-methylcitrate synthase activity', - 'def': 'Catalysis of the reaction: H(2)O + oxaloacetate + propanoyl-CoA = (2R,3S)-2-methylcitrate + CoA + H(+). [EC:2.3.3.5, RHEA:23783]' - }, - 'GO:0050441': { - 'name': '3-ethylmalate synthase activity', - 'def': 'Catalysis of the reaction: butanoyl-CoA + glyoxylate + H(2)O = 3-ethylmalate + CoA + H(+). [EC:2.3.3.7, RHEA:10503]' - }, - 'GO:0050442': { - 'name': '3-propylmalate synthase activity', - 'def': 'Catalysis of the reaction: glyoxylate + H(2)O + pentanoyl-CoA = 3-propylmalate + CoA + H(+). [EC:2.3.3.12, RHEA:14460]' - }, - 'GO:0050444': { - 'name': 'aquacobalamin reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: 2 cob(II)alamin + NADP+ = 2 aquacob(III)alamin + NADPH + H+. [EC:1.16.1.5, MetaCyc:AQUACOBALAMIN-REDUCTASE-NADPH-RXN]' - }, - 'GO:0050445': { - 'name': 'asparagusate reductase activity', - 'def': 'Catalysis of the reaction: 3-mercapto-2-mercaptomethylpropanoate + NAD(+) = asparagusate + H(+) + NADH. [EC:1.8.1.11, RHEA:14884]' - }, - 'GO:0050446': { - 'name': 'azobenzene reductase activity', - 'def': 'Catalysis of the reaction: N,N-dimethyl-1,4-phenylenediamine + aniline + NADP+ = 4-(dimethylamino)azobenzene + NADPH + H+. [EC:1.7.1.6, MetaCyc:AZOBENZENE-REDUCTASE-RXN]' - }, - 'GO:0050447': { - 'name': 'zeatin 9-aminocarboxyethyltransferase activity', - 'def': 'Catalysis of the reaction: O-acetyl-L-serine + zeatin = L-lupinate + acetate + H(+). [EC:2.5.1.50, RHEA:17336]' - }, - 'GO:0050448': { - 'name': 'beta-cyclopiazonate dehydrogenase activity', - 'def': 'Catalysis of the reaction: beta-cyclopiazonate + A = alpha-cyclopiazonate + AH(2). [EC:1.21.99.1, RHEA:14526]' - }, - 'GO:0050449': { - 'name': 'casbene synthase activity', - 'def': 'Catalysis of the reaction: all-trans-geranylgeranyl diphosphate = casbene + diphosphate. [EC:4.2.3.8, RHEA:14904]' - }, - 'GO:0050450': { - 'name': 'citrate (Re)-synthase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + H2O + oxaloacetate = citrate + CoA, where the acetyl group is added to the re-face of oxaloacetate; acetyl-CoA provides the two carbon atoms of the pro-R carboxymethyl group. [EC:2.3.3.3, ISBN:0121227073, MetaCyc:CITRATE-RE-SYNTHASE-RXN]' - }, - 'GO:0050451': { - 'name': 'CoA-disulfide reductase activity', - 'def': 'Catalysis of the reaction: 2 CoA + NAD+ = CoA-disulfide + NADH + H+. [EC:1.8.1.14, MetaCyc:COA-DISULFIDE-REDUCTASE-NADH-RXN]' - }, - 'GO:0050452': { - 'name': 'CoA-glutathione reductase activity', - 'def': 'Catalysis of the reaction: CoA + glutathione + NADP+ = CoA-glutathione + NADPH + H+. [EC:1.8.1.10, MetaCyc:COA-GLUTATHIONE-REDUCTASE-NADPH-RXN]' - }, - 'GO:0050453': { - 'name': 'cob(II)alamin reductase activity', - 'def': 'Catalysis of the reaction: 2 cob(I)alamin + H(+) + NAD(+) = 2 cob(II)alamin + NADH. [EC:1.16.1.4, RHEA:17484]' - }, - 'GO:0050454': { - 'name': 'coenzyme F420 hydrogenase activity', - 'def': 'Catalysis of the reaction: coenzyme F420 + H(2) + H(+) = reduced coenzyme F420. [EC:1.12.98.1, RHEA:23763]' - }, - 'GO:0050455': { - 'name': 'columbamine oxidase activity', - 'def': 'Catalysis of the reaction: 2 columbamine + O(2) = 2 berberine + 2 H(2)O. [EC:1.21.3.2, RHEA:23567]' - }, - 'GO:0050456': { - 'name': 'cystine reductase activity', - 'def': 'Catalysis of the reaction: 2 L-cysteine + NAD(+) = L-cystine + H(+) + NADH. [EC:1.8.1.6, RHEA:20600]' - }, - 'GO:0050457': { - 'name': 'decylcitrate synthase activity', - 'def': 'Catalysis of the reaction: H(2)O + lauroyl-CoA + oxaloacetate = (2S,3S)-2-hydroxytridecane-1,2,3-tricarboxylate + CoA + H(+). [EC:2.3.3.2, RHEA:16608]' - }, - 'GO:0050458': { - 'name': 'decylhomocitrate synthase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + H(2)O + lauroyl-CoA = (3S,4S)-3-hydroxytetradecane-1,3,4-tricarboxylate + CoA + H(+). [EC:2.3.3.4, RHEA:10367]' - }, - 'GO:0050459': { - 'name': 'ethanolamine-phosphate phospho-lyase activity', - 'def': 'Catalysis of the reaction: H(2)O + phosphoethanolamine = acetaldehyde + NH(4)(+) + phosphate. [EC:4.2.3.2, RHEA:17892]' - }, - 'GO:0050460': { - 'name': 'hydroxylamine reductase (NADH) activity', - 'def': 'Catalysis of the reaction: NH3 + NAD+ + H2O = hydroxylamine + NADH + H+. [EC:1.7.1.10, MetaCyc:HYDROXYLAMINE-REDUCTASE-NADH-RXN]' - }, - 'GO:0050461': { - 'name': 'L-mimosine synthase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxypyridine + O-acetyl-L-serine = 3-(3,4-dihydroxypyridinium-1-yl)-L-alanine + acetate. [EC:2.5.1.52, RHEA:12696]' - }, - 'GO:0050462': { - 'name': 'N-acetylneuraminate synthase activity', - 'def': 'Catalysis of the reaction: phosphoenolpyruvate + N-acetyl-D-mannosamine + H2O = phosphate + N-acetylneuraminate. [EC:2.5.1.56, MetaCyc:N-ACETYLNEURAMINATE-SYNTHASE-RXN]' - }, - 'GO:0050463': { - 'name': 'nitrate reductase [NAD(P)H] activity', - 'def': 'Catalysis of the reaction: nitrite + NAD(P)+ + H2O = nitrate + NAD(P)H + H+. [EC:1.7.1.2, MetaCyc:NITRATE-REDUCTASE-NADPH-RXN]' - }, - 'GO:0050464': { - 'name': 'nitrate reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: nitrite + NADP+ + H2O = nitrate + NADPH + H+. [EC:1.7.1.3, MetaCyc:NITRATE-REDUCTASE-NADPH-RXN]' - }, - 'GO:0050465': { - 'name': 'nitroquinoline-N-oxide reductase activity', - 'def': 'Catalysis of the reaction: 4-(hydroxyamino)quinoline N-oxide + 2 NAD(P)+ + H2O = 4-nitroquinoline N-oxide + 2 NAD(P)H + 2 H+. [EC:1.7.1.9, MetaCyc:1.7.1.9-RXN]' - }, - 'GO:0050466': { - 'name': 'obsolete oxidoreductase activity, acting on X-H and Y-H to form an X-Y bond, with other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which X-H and Y-H form X-Y and the acceptor is not disulfide or oxygen. [GOC:ai]' - }, - 'GO:0050467': { - 'name': 'pentalenene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = diphosphate + pentalenene. [EC:4.2.3.7, RHEA:18084]' - }, - 'GO:0050468': { - 'name': 'reticuline oxidase activity', - 'def': 'Catalysis of the reaction: (S)-reticuline + O(2) = (S)-scoulerine + H(2)O(2) + H(+). [EC:1.21.3.3, RHEA:19888]' - }, - 'GO:0050469': { - 'name': 'sabinene-hydrate synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate + H(2)O = diphosphate + sabinene hydrate. [EC:4.2.3.11, RHEA:19568]' - }, - 'GO:0050470': { - 'name': 'trimethylamine dehydrogenase activity', - 'def': 'Catalysis of the reaction: trimethylamine + H2O + electron-transferring flavoprotein = dimethylamine + formaldehyde + reduced electron-transferring flavoprotein. [EC:1.5.8.2, MetaCyc:1.5.8.2-RXN]' - }, - 'GO:0050471': { - 'name': 'uracilylalanine synthase activity', - 'def': 'Catalysis of the reaction: O3-acetyl-L-serine + uracil = 3-(uracil-1-yl)-L-alanine + acetate. [EC:2.5.1.53, MetaCyc:URACILYLALANINE-SYNTHASE-RXN]' - }, - 'GO:0050472': { - 'name': 'zeatin reductase activity', - 'def': 'Catalysis of the reaction: dihydrozeatin + NADP(+) = H(+) + NADPH + zeatin. [EC:1.3.1.69, RHEA:12760]' - }, - 'GO:0050473': { - 'name': 'arachidonate 15-lipoxygenase activity', - 'def': 'Catalysis of the reaction: arachidonate + O2 = (5Z,8Z,11Z,13E)-(15S)-15-hydroperoxyicosa-5,8,11,13-tetraenoate. [EC:1.13.11.33]' - }, - 'GO:0050474': { - 'name': '(S)-norcoclaurine synthase activity', - 'def': 'Catalysis of the reaction: 4-(2-aminoethyl)benzene-1,2-diol + 4-hydroxyphenylacetaldehyde = (S)-norcoclaurine + H2O. [EC:4.2.1.78]' - }, - 'GO:0050476': { - 'name': 'acetylenedicarboxylate decarboxylase activity', - 'def': 'Catalysis of the reaction: H2O + acetylenedicarboxylate = CO2 + pyruvate. [EC:4.1.1.78]' - }, - 'GO:0050477': { - 'name': 'acyl-lysine deacylase activity', - 'def': 'Catalysis of the reaction: H2O + N6-acyl-L-lysine = L-lysine + a carboxylate. [EC:3.5.1.17]' - }, - 'GO:0050478': { - 'name': 'anthranilate 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: 5,6,7,8-tetrahydrobiopterin + anthranilate + O(2) = 3-hydroxyanthranilate + 7,8-dihydrobiopterin + H(2)O. [EC:1.14.16.3, RHEA:21171]' - }, - 'GO:0050479': { - 'name': 'glyceryl-ether monooxygenase activity', - 'def': 'Catalysis of the reaction: 1-alkyl-sn-glycerol + O2 + (tetrahydrobiopterin/tetrahydropteridine) = 1-hydroxyalkyl-sn-glycerol + H2O + (dihydrobiopterin/dihydropteridine). [EC:1.14.16.5, MetaCyc:GLYCERYL-ETHER-MONOOXYGENASE-RXN]' - }, - 'GO:0050480': { - 'name': 'imidazolonepropionase activity', - 'def': 'Catalysis of the reaction: (S)-3-(4-oxo-4,5-dihydro-1H-imidazol-5-yl)propanoic acid + H(2)O = N-formimidoyl-L-glutamate + H(+). [EC:3.5.2.7, RHEA:23663]' - }, - 'GO:0050481': { - 'name': 'mandelate 4-monooxygenase activity', - 'def': 'Catalysis of the reaction: (S)-mandelate + 5,6,7,8-tetrahydrobiopterin + O(2) = (S)-4-hydroxymandelate + 7,8-dihydrobiopterin + H(2)O. (S)-2-hydroxy-2-phenylacetate is also known as S-mandelate. [EC:1.14.16.6, RHEA:21719]' - }, - 'GO:0050482': { - 'name': 'arachidonic acid secretion', - 'def': 'The controlled release of arachidonic acid from a cell or a tissue. [GOC:ai]' - }, - 'GO:0050483': { - 'name': "IMP 5'-nucleotidase activity", - 'def': "Catalysis of the reaction: 5'-IMP + H2O = inosine + phosphate. [GOC:ai]" - }, - 'GO:0050484': { - 'name': "GMP 5'-nucleotidase activity", - 'def': "Catalysis of the reaction: 5'-GMP + H2O = guanosine + phosphate. [GOC:ai]" - }, - 'GO:0050485': { - 'name': 'oxidoreductase activity, acting on X-H and Y-H to form an X-Y bond, with a disulfide as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which X-H and Y-H form X-Y and the acceptor is disulfide. [GOC:ai]' - }, - 'GO:0050486': { - 'name': 'intramolecular transferase activity, transferring hydroxy groups', - 'def': 'Catalysis of the transfer of a hydroxyl group from one position to another within a single molecule. [GOC:mah]' - }, - 'GO:0050487': { - 'name': 'sulfoacetaldehyde acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl phosphate + sulfite = phosphate + sulfoacetaldehyde. [EC:2.3.3.15, RHEA:24207]' - }, - 'GO:0050488': { - 'name': 'ecdysteroid UDP-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + ecdysteroid = UDP + glucosyl-ecdysteroid. [GOC:ai, PMID:10073711]' - }, - 'GO:0050490': { - 'name': '1,4-lactonase activity', - 'def': 'Catalysis of the reaction: H2O + a 1,4-lactone = a 4-hydroxyacid. [EC:3.1.1.25, MetaCyc:14-LACTONASE-RXN]' - }, - 'GO:0050491': { - 'name': 'sulcatone reductase activity', - 'def': 'Catalysis of the reaction: NAD(+) + sulcatol = H(+) + NADH + sulcatone. [EC:1.1.1.260, RHEA:24487]' - }, - 'GO:0050492': { - 'name': 'glycerol-1-phosphate dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + sn-glycerol-1-phosphate = NAD(P)H + H+ + dihydroxy-acetone-phosphate. [EC:1.1.1.261, MetaCyc:1.1.1.261-RXN]' - }, - 'GO:0050493': { - 'name': 'GPI anchor biosynthetic process via N-threonyl-glycosylphosphatidylinositolethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a C-terminal peptidyl-threonyl ethanolamide-linked glycosylphosphatidylinositol (GPI) anchor following hydrolysis of a threonyl-peptide bond in the carboxy-terminal region of a membrane-associated protein. [RESID:AA0164]' - }, - 'GO:0050494': { - 'name': 'GSI anchor biosynthetic process via N-glycyl-glycosylsphingolipidinositolethanolamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a C-terminal peptidyl-glycine ethanolamide-linked glycosylsphingolipidinositol (GSI) anchor following hydrolysis of a glycyl-peptide bond in the carboxy-terminal region of a membrane-associated protein. [RESID:AA0165]' - }, - 'GO:0050495': { - 'name': 'peptidyl-glycyl-phosphatidylethanolamine biosynthetic process from peptidyl-glycine', - 'def': 'The chemical reactions and pathways resulting in the formation of a C-terminal peptidyl-glycine ethanolamide-linked phosphatide following hydrolysis of a glycyl-peptide bond, as in the cleavage of arginine from the carboxy-terminal of Apg8 followed by its amidation with phosphatidylethanolamine. [RESID:AA0346]' - }, - 'GO:0050496': { - 'name': 'peptidyl-L-glutamyl 5-omega-hydroxyceramide ester biosynthetic process from peptidyl-glutamine', - 'def': 'The modification of peptidyl-glutamine residues by deamidation and esterification with omega-hydroxyceramide. [PMID:10411887, RESID:AA0347]' - }, - 'GO:0050497': { - 'name': 'transferase activity, transferring alkylthio groups', - 'def': 'Catalysis of the transfer of an alkylthio group from one compound (donor) to another (acceptor). [GOC:ai]' - }, - 'GO:0050498': { - 'name': 'oxidoreductase activity, acting on paired donors, with incorporation or reduction of molecular oxygen, with 2-oxoglutarate as one donor, and the other dehydrogenated', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which hydrogen or electrons are transferred from 2-oxoglutarate and one other donor, and the latter donor is dehydrogenated. [GOC:mah]' - }, - 'GO:0050499': { - 'name': 'oxidoreductase activity, acting on phosphorus or arsenic in donors, with NAD(P)+ as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a phosphorus- or arsenic-containing group acts as a hydrogen or electron donor and reduces a NAD(P)+ to NAD(P)H. [GOC:mah]' - }, - 'GO:0050500': { - 'name': '1,3-beta-galactosyl-N-acetylhexosamine phosphorylase activity', - 'def': 'Catalysis of the reaction: phosphate + beta-D-galactopyranosyl-(1->3)-N-acetyl-D-glucosamine = N-acetyl-D-glucosamine + alpha-D-galactopyranose 1-phosphate. [EC:2.4.1.211, MetaCyc:2.4.1.211-RXN]' - }, - 'GO:0050501': { - 'name': 'hyaluronan synthase activity', - 'def': 'Catalysis of the reaction: UDP-D-glucuronate + UDP-N-acetyl-D-glucosamine = [beta-N-acetyl-D-glucosaminyl-(1->4)-beta-D-glucuronosyl-(1->3)](n) + 2n UDP. [EC:2.4.1.212, MetaCyc:2.4.1.212-RXN]' - }, - 'GO:0050502': { - 'name': 'cis-zeatin O-beta-D-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: cis-zeatin + UDP-D-glucose = O-beta-D-glucosyl-cis-zeatin + H(+) + UDP. [EC:2.4.1.215, RHEA:20684]' - }, - 'GO:0050503': { - 'name': 'trehalose 6-phosphate phosphorylase activity', - 'def': 'Catalysis of the reaction: trehalose 6-phosphate + phosphate = glucose 6-phosphate + beta-D-glucose 1-phosphate. [EC:2.4.1.216, MetaCyc:2.4.1.216-RXN]' - }, - 'GO:0050504': { - 'name': 'mannosyl-3-phosphoglycerate synthase activity', - 'def': 'Catalysis of the reaction: 3-phospho-D-glycerate + GDP-alpha-D-mannose = 2-(alpha-D-mannosyl)-3-phosphoglycerate + GDP + H(+). [EC:2.4.1.217, RHEA:13540]' - }, - 'GO:0050505': { - 'name': 'hydroquinone glucosyltransferase activity', - 'def': 'Catalysis of the reaction: hydroquinone + UDP-D-glucose = H(+) + hydroquinone O-beta-D-glucopyranoside + UDP. [EC:2.4.1.218, RHEA:12563]' - }, - 'GO:0050506': { - 'name': 'vomilenine glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-D-glucose + vomilenine = H(+) + raucaffricine + UDP. [EC:2.4.1.219, RHEA:19388]' - }, - 'GO:0050507': { - 'name': 'indoxyl-UDPG glucosyltransferase activity', - 'def': 'Catalysis of the reaction: indoxyl + UDP-D-glucose = H(+) + indican + UDP. [EC:2.4.1.220, RHEA:12007]' - }, - 'GO:0050508': { - 'name': 'glucuronosyl-N-acetylglucosaminyl-proteoglycan 4-alpha-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: beta-D-glucuronosyl-(1,4)-N-acetyl-alpha-D-glucosaminyl-proteoglycan + UDP-N-acetyl-D-glucosamine = N-acetyl-alpha-D-glucosaminyl-(1,4)-beta-D-glucuronosyl-(1,4)-N-acetyl-alpha-D-glucosaminyl-proteoglycan + UDP. [EC:2.4.1.224, MetaCyc:2.4.1.224-RXN]' - }, - 'GO:0050509': { - 'name': 'N-acetylglucosaminyl-proteoglycan 4-beta-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-alpha-D-glucosaminyl-(1,4)-beta-D-glucuronosyl-proteoglycan + UDP-alpha-D-glucuronate = beta-D-glucuronosyl-(1,4)-N-acetyl-alpha-D-glucosaminyl-(1,4)-beta-D-glucuronosyl-proteoglycan + UDP. [EC:2.4.1.225, MetaCyc:2.4.1.225-RXN]' - }, - 'GO:0050510': { - 'name': 'N-acetylgalactosaminyl-proteoglycan 3-beta-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: N-acetyl-beta-D-galactosaminyl-(1,4)-beta-D-glucuronosyl-proteoglycan + UDP-alpha-D-glucuronate = beta-D-glucuronosyl-(1,3)-N-acetyl-beta-D-galactosaminyl-(1,4)-beta-D-glucuronosyl-proteoglycan + UDP. [EC:2.4.1.226, MetaCyc:2.4.1.226-RXN]' - }, - 'GO:0050511': { - 'name': 'undecaprenyldiphospho-muramoylpentapeptide beta-N-acetylglucosaminyltransferase activity', - 'def': 'Catalysis of the reaction: Mur2Ac(oyl-L-Ala-gamma-D-Glu-L-Lys-D-Ala-D-Ala)-diphosphoundecaprenol + UDP-N-acetyl-D-glucosamine = GlcNAc-(1,4)-Mur2Ac(oyl-L-Ala-gamma-D-Glu-L-Lys-D-Ala-D-Ala)-diphosphoundecaprenol + UDP. [EC:2.4.1.227, MetaCyc:2.4.1.227-RXN]' - }, - 'GO:0050512': { - 'name': 'lactosylceramide 4-alpha-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: beta-D-galactosyl-(1,4)-D-glucosylceramide + UDP-galactose = alpha-D-galactosyl-(1,4)-beta-D-galactosyl-(1,4)-D-glucosylceramide + UDP. [EC:2.4.1.228, MetaCyc:2.4.1.228-RXN]' - }, - 'GO:0050513': { - 'name': 'glycoprotein 2-beta-D-xylosyltransferase activity', - 'def': 'Catalysis of the reaction: N(4)-{N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->3)-[N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->6)]-beta-D-mannosyl-(1->4)-N-acetyl-beta-D-glucosaminyl-(1->4)-N-acetyl-beta-D-glucosaminyl}-L-asparagine + UDP-alpha-D-xylose = N(4)-{N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->3)-[N-acetyl-beta-D-glucosaminyl-(1->2)-alpha-D-mannosyl-(1->6)]-[beta-D-xylosyl-(1->2)]-beta-D-mannosyl-(1->4)-N-acetyl-beta-D-glucosaminyl-(1->4)-N-acetyl-beta-D-glucosaminyl}-L-asparagine + H(+) + UDP. [EC:2.4.2.38, RHEA:10615]' - }, - 'GO:0050514': { - 'name': 'homospermidine synthase (spermidine-specific) activity', - 'def': 'Catalysis of the reaction: spermidine + putrescine = sym-homospermidine + propane-1,3-diamine. [EC:2.5.1.45, MetaCyc:2.5.1.45-RXN]' - }, - 'GO:0050515': { - 'name': "4-(cytidine 5'-diphospho)-2-C-methyl-D-erythritol kinase activity", - 'def': 'Catalysis of the reaction: 4-CDP-2-C-methyl-D-erythritol + ATP = 4-CDP-2-C-methyl-D-erythritol 2-phosphate + ADP + 2 H(+). [EC:2.7.1.148, RHEA:18440]' - }, - 'GO:0050516': { - 'name': 'obsolete inositol polyphosphate multikinase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: ATP + 1D-myo-inositol 1,4,5-trisphosphate = ADP + 1D-myo-inositol 1,4,5,6-tetrakisphosphate, and ATP + 1D-myo-inositol 1,4,5,6-tetrakisphosphate = ADP + 1D-myo-inositol 1,3,4,5,6-pentakisphosphate. [EC:2.7.1.151, MetaCyc:2.7.1.151-RXN]' - }, - 'GO:0050517': { - 'name': 'obsolete inositol hexakisphosphate kinase activity', - 'def': 'OBSOLETE. Catalysis of the reactions: ATP + 1D-myo-inositol hexakisphosphate = ADP + 5-diphospho-1D-myo-inositol (1,2,3,4,6)pentakisphosphate, and ATP + 1D-myo-inositol 1,3,4,5,6-pentakisphosphate = ADP + diphospho-1D-myo-inositol tetrakisphosphate (isomeric configuration unknown). [EC:2.7.4.21, MetaCyc:2.7.4.21-RXN]' - }, - 'GO:0050518': { - 'name': '2-C-methyl-D-erythritol 4-phosphate cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: 2-C-methyl-D-erythritol 4-phosphate + CTP = 4-CDP-2-C-methyl-D-erythritol + diphosphate. [EC:2.7.7.60, RHEA:13432]' - }, - 'GO:0050519': { - 'name': 'holo-citrate lyase synthase activity', - 'def': "Catalysis of the reaction: apo-citrate lyase + 2'-(5''-triphosphoribosyl)-3'-dephospho-CoA = diphosphate + holo-citrate lyase. [EC:2.7.7.61, MetaCyc:2.7.7.61-RXN]" - }, - 'GO:0050520': { - 'name': 'phosphatidylcholine synthase activity', - 'def': 'Catalysis of the reaction: CDP-diacylglycerol + choline = 1,2-diacyl-sn-glycero-3-phosphocholine + CMP + H(+). [EC:2.7.8.24, RHEA:14600]' - }, - 'GO:0050521': { - 'name': 'alpha-glucan, water dikinase activity', - 'def': 'Catalysis of the reaction: ATP + alpha-glucan + H2O = AMP + phospho-alpha-glucan + phosphate. [EC:2.7.9.4, MetaCyc:2.7.9.4-RXN]' - }, - 'GO:0050522': { - 'name': 'oxidoreductase activity, acting on phosphorus or arsenic in donors, with other known acceptors', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which phosphorus or arsenic acts as a hydrogen or electron donor and reduces a known acceptor other than disulfide, NAD or NADP. [GOC:ai]' - }, - 'GO:0050523': { - 'name': 'obsolete oxidoreductase activity, acting on phosphorus or arsenic in donors, with other acceptors', - 'def': 'OBSOLETE. Catalysis of an oxidation-reduction (redox) reaction in which phosphorus or arsenic acts as a hydrogen or electron donor and reduces an acceptor other than disulfide, NAD or NADP. [GOC:ai]' - }, - 'GO:0050524': { - 'name': 'coenzyme-B sulfoethylthiotransferase activity', - 'def': 'Catalysis of the reaction: coenzyme B + methyl-coenzyme M = coenzyme M-coenzyme B heterodisulfide + methane. Methyl-CoM is also known as 2-(methylthio)ethanesulfonate, coenzyme B as N-(7-mercaptoheptanoyl)threonine 3-O-phosphate, and coenzyme M-coenzyme B heterodisulfide as CoM-S-S-CoB. [EC:2.8.4.1, RHEA:12535]' - }, - 'GO:0050525': { - 'name': 'cutinase activity', - 'def': 'Catalysis of the reaction: cutin + H2O = cutin monomers. [EC:3.1.1.74, MetaCyc:3.1.1.74-RXN]' - }, - 'GO:0050526': { - 'name': 'poly(3-hydroxybutyrate) depolymerase activity', - 'def': 'Catalysis of the reaction: H2O + poly[(R)-3-hydroxybutanoate](n) = poly[(R)-3-hydroxybutanoate](x) + poly[(R)-3-hydroxybutanoate](n-x); x is 1-5. [EC:3.1.1.75, MetaCyc:3.1.1.75-RXN]' - }, - 'GO:0050527': { - 'name': 'poly(3-hydroxyoctanoate) depolymerase activity', - 'def': 'Catalysis of the reaction: H2O + poly[(R)-3-hydroxyoctanoate](n) = poly[(R)-3-hydroxyoctanoate](x) + poly[(R)-3-hydroxyoctanoate](n-x); x is 1-5. [EC:3.1.1.76, MetaCyc:3.1.1.76-RXN]' - }, - 'GO:0050528': { - 'name': 'acyloxyacyl hydrolase activity', - 'def': 'Catalysis of the reaction: 3-(acyloxy)acyl group of bacterial toxin = 3-hydroxyacyl group of bacterial toxin + a fatty acid. [EC:3.1.1.77, MetaCyc:3.1.1.77-RXN]' - }, - 'GO:0050529': { - 'name': 'polyneuridine-aldehyde esterase activity', - 'def': 'Catalysis of the reaction: H(2)O + polyneuridine aldehyde = 16-epivellosimine + CO(2) + methanol. [EC:3.1.1.78, RHEA:17504]' - }, - 'GO:0050530': { - 'name': 'glucosylglycerol 3-phosphatase activity', - 'def': 'Catalysis of the reaction: 2-O-(beta-D-glucosyl)-sn-glycerol 3-phosphate + H(2)O = 2-O-(beta-D-glucosyl)-sn-glycerol + phosphate. [EC:3.1.3.69, RHEA:22655]' - }, - 'GO:0050531': { - 'name': 'mannosyl-3-phosphoglycerate phosphatase activity', - 'def': 'Catalysis of the reaction: 2-(alpha-D-mannosyl)-3-phosphoglycerate + H(2)O = 2-(alpha-D-mannosyl)-D-glycerate + phosphate. [EC:3.1.3.70, RHEA:19312]' - }, - 'GO:0050532': { - 'name': '2-phosphosulfolactate phosphatase activity', - 'def': 'Catalysis of the reaction: (2R)-O-phospho-3-sulfolactate + H(2)O = (R)-3-sulfolactate + phosphate. [EC:3.1.3.71, RHEA:23419]' - }, - 'GO:0050533': { - 'name': '5-phytase activity', - 'def': 'Catalysis of the reaction: H2O + myo-inositol hexakisphosphate = phosphate + 1L-myo-inositol 1,2,3,4,6-pentakisphosphate. [EC:3.1.3.72, MetaCyc:3.1.3.72-RXN]' - }, - 'GO:0050534': { - 'name': '3-deoxyoctulosonase activity', - 'def': 'Catalysis of the reaction: 3-deoxyoctulosonyl-lipopolysaccharide + H2O = 3-deoxyoctulosonic acid + lipopolysaccharide. [EC:3.2.1.144, MetaCyc:3.2.1.144-RXN]' - }, - 'GO:0050535': { - 'name': 'beta-primeverosidase activity', - 'def': 'Catalysis of the reaction: a 6-O-(beta-D-xylopyranosyl)-beta-D-glucopyranoside + H2O = 6-O-(beta-D-xylopyranosyl)-beta-D-glucopyranose + an alcohol. [EC:3.2.1.149, MetaCyc:3.2.1.149-RXN]' - }, - 'GO:0050536': { - 'name': '(S)-N-acetyl-1-phenylethylamine hydrolase activity', - 'def': 'Catalysis of the reaction: N-acetylphenylethylamine + H(2)O = acetate + phenylethylamine. [EC:3.5.1.85, RHEA:23955]' - }, - 'GO:0050537': { - 'name': 'mandelamide amidase activity', - 'def': 'Catalysis of the reaction: (R)-mandelamide + H(2)O = (R)-mandelate + NH(4)(+). [EC:3.5.1.86, RHEA:22879]' - }, - 'GO:0050538': { - 'name': 'N-carbamoyl-L-amino-acid hydrolase activity', - 'def': 'Catalysis of the reaction: N-carbamoyl-L-2-amino acid + H2O = L-2-amino acid + NH3 + CO2. The N-carbamoyl-L-2-amino acid is a 2-ureido carboxylate. [EC:3.5.1.87, MetaCyc:3.5.1.87-RXN]' - }, - 'GO:0050539': { - 'name': 'maleimide hydrolase activity', - 'def': 'Catalysis of the reaction: H(2)O + maleimide = H(+) + maleamate. [EC:3.5.2.16, RHEA:24479]' - }, - 'GO:0050540': { - 'name': '2-aminomuconate deaminase activity', - 'def': 'Catalysis of the reaction: 2-aminomuconate + H(2)O + H(+) = (Z)-5-oxohex-2-enedioate + NH(4)(+). [EC:3.5.99.5, RHEA:20999]' - }, - 'GO:0050541': { - 'name': "beta,beta-carotene-9',10'-dioxygenase activity", - 'def': "Catalysis of the reaction: beta-carotene + O2 = beta-apo-10'-carotenal + beta-ionone. [PMID:11278918]" - }, - 'GO:0050542': { - 'name': 'icosanoid binding', - 'def': 'Interacting selectively and non-covalently with icosanoids, any C20 polyunsaturated fatty acids or their derivatives, including the leukotrienes and the prostanoids. [ISBN:0198506732]' - }, - 'GO:0050543': { - 'name': 'icosatetraenoic acid binding', - 'def': 'Interacting selectively and non-covalently with icosatetraenoic acid, any straight-chain fatty acid with twenty carbon atoms and four double bonds per molecule. [ISBN:0198506732]' - }, - 'GO:0050544': { - 'name': 'arachidonic acid binding', - 'def': 'Interacting selectively and non-covalently with arachidonic acid, a straight chain fatty acid with 20 carbon atoms and four double bonds per molecule. Arachidonic acid is the all-Z-(5,8,11,14)-isomer. [GOC:ai]' - }, - 'GO:0050545': { - 'name': 'sulfopyruvate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-sulfopyruvate + H(+) = CO(2) + sulfoacetaldehyde. [EC:4.1.1.79, RHEA:20951]' - }, - 'GO:0050546': { - 'name': '4-hydroxyphenylpyruvate decarboxylase activity', - 'def': 'Catalysis of the reaction: (4-hydroxyphenyl)pyruvate + H(+) = (4-hydroxyphenyl)acetaldehyde + CO(2). [EC:4.1.1.80, RHEA:18700]' - }, - 'GO:0050547': { - 'name': 'vanillin synthase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-3-(4-hydroxy-3-methoxyphenyl)propanoyl-CoA = acetyl-CoA + vanillin. [EC:4.1.2.41, RHEA:18728]' - }, - 'GO:0050548': { - 'name': 'trans-feruloyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: trans-feruloyl-CoA + H2O = 4-hydroxy-3-methoxyphenyl-beta-hydroxypropionyl-CoA. [EC:4.2.1.101, MetaCyc:4.2.1.101-RXN]' - }, - 'GO:0050549': { - 'name': 'cyclohexyl-isocyanide hydratase activity', - 'def': 'Catalysis of the reaction: N-cyclohexylformamide + H(+) = cyclohexyl isocyanide + H(2)O. [EC:4.2.1.103, RHEA:18200]' - }, - 'GO:0050550': { - 'name': 'pinene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate = pinene + diphosphate. [EC:4.2.3.14, MetaCyc:4.2.3.14-RXN]' - }, - 'GO:0050551': { - 'name': 'myrcene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate = diphosphate + myrcene. [EC:4.2.3.15, RHEA:16968]' - }, - 'GO:0050552': { - 'name': '(4S)-limonene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate = (4S)-limonene + diphosphate. [EC:4.2.3.16, MetaCyc:4.2.3.16-RXN]' - }, - 'GO:0050553': { - 'name': 'taxadiene synthase activity', - 'def': 'Catalysis of the reaction: all-trans-geranylgeranyl diphosphate = diphosphate + taxa-4,11-diene. [EC:4.2.3.17, RHEA:20915]' - }, - 'GO:0050554': { - 'name': 'abietadiene synthase activity', - 'def': 'Catalysis of the reaction: (+)-copalyl diphosphate = (-)-abietadiene + diphosphate. [EC:4.2.3.18, RHEA:13876]' - }, - 'GO:0050555': { - 'name': '2-hydroxypropyl-CoM lyase activity', - 'def': 'Catalysis of the reactions: (R)-2-hydroxypropyl-CoM = H-S-CoM + (R)-1,2-epoxypropane, and (S)-2-hydroxypropyl-CoM = H-S-CoM + (S)-1,2-epoxypropane. [EC:4.2.99.19, MetaCyc:4.2.99.19-RXN]' - }, - 'GO:0050556': { - 'name': 'deacetylisoipecoside synthase activity', - 'def': 'Catalysis of the reaction: deacetylisoipecoside + H(2)O = dopamine + secologanin. [EC:4.3.3.3, RHEA:21759]' - }, - 'GO:0050557': { - 'name': 'deacetylipecoside synthase activity', - 'def': 'Catalysis of the reaction: deacetylipecoside + H(2)O = dopamine + secologanin. [EC:4.3.3.4, RHEA:12299]' - }, - 'GO:0050558': { - 'name': 'maltose epimerase activity', - 'def': 'Catalysis of the reaction: alpha-maltose = beta-maltose. [EC:5.1.3.21, RHEA:21231]' - }, - 'GO:0050559': { - 'name': 'copalyl diphosphate synthase activity', - 'def': 'Catalysis of the reaction: all-trans-geranylgeranyl diphosphate = (+)-copalyl diphosphate. [EC:5.5.1.12, RHEA:24319]' - }, - 'GO:0050560': { - 'name': 'aspartate-tRNA(Asn) ligase activity', - 'def': 'Catalysis of the reaction: tRNA(Asx) + L-aspartate + ATP = aspartyl-tRNA(Asx) + diphosphate + AMP. [EC:6.1.1.23, MetaCyc:6.1.1.23-RXN]' - }, - 'GO:0050561': { - 'name': 'glutamate-tRNA(Gln) ligase activity', - 'def': 'Catalysis of the reaction: tRNA(Glx) + L-glutamate + ATP = glutamyl-tRNA(Glx) + diphosphate + AMP. [EC:6.1.1.24, MetaCyc:6.1.1.24-RXN]' - }, - 'GO:0050562': { - 'name': 'lysine-tRNA(Pyl) ligase activity', - 'def': 'Catalysis of the reaction: tRNA(Pyl) + L-lysine + ATP = L-lysyl-tRNA(Pyl) + diphosphate + AMP. [EC:6.1.1.25, MetaCyc:6.1.1.25-RXN]' - }, - 'GO:0050563': { - 'name': 'trans-feruloyl-CoA synthase activity', - 'def': 'Catalysis of the reaction: ferulic acid + CoASH + ATP = trans-feruloyl-CoA + products of ATP breakdown. [EC:6.2.1.34, MetaCyc:6.2.1.34-RXN]' - }, - 'GO:0050564': { - 'name': 'N-(5-amino-5-carboxypentanoyl)-L-cysteinyl-D-valine synthase activity', - 'def': 'Catalysis of the reaction: L-2-aminoadipate + L-cysteine + L-valine + 3 ATP + H(2)O = N-[(5S)-5-amino-5-carboxypentanoyl]-L-cysteinyl-D-valine + 3 AMP + 3 diphosphate + 6 H(+). [EC:6.3.2.26, RHEA:23199]' - }, - 'GO:0050565': { - 'name': 'aerobactin synthase activity', - 'def': 'Catalysis of the reaction: 2 N(6)-acetyl-N(6)-hydroxy-L-lysine + 4 ATP + citrate + 2 H(2)O = 4 ADP + aerobactin + 8 H(+) + 4 phosphate. [EC:6.3.2.27, RHEA:11763]' - }, - 'GO:0050566': { - 'name': 'asparaginyl-tRNA synthase (glutamine-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: L-glutamine + aspartyl-tRNA(Asn) + ATP = L-glutamate + asparaginyl-tRNA(Asn) + phosphate + ADP. [EC:6.3.5.6, MetaCyc:6.3.5.6-RXN]' - }, - 'GO:0050567': { - 'name': 'glutaminyl-tRNA synthase (glutamine-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: L-glutamine + glutamyl-tRNA(Gln) + ATP = L-glutamate + glutaminyl-tRNA(Gln) + phosphate + ADP. [EC:6.3.5.7, MetaCyc:6.3.5.7-RXN]' - }, - 'GO:0050568': { - 'name': 'protein-glutamine glutaminase activity', - 'def': 'Catalysis of the reaction: protein L-glutamine + H2O = protein L-glutamate + NH3. [EC:3.5.1.44, MetaCyc:CHEBDEAMID-RXN]' - }, - 'GO:0050569': { - 'name': 'glycolaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: glycolaldehyde + H(2)O + NAD(+) = glycolate + 2 H(+) + NADH. [EC:1.2.1.21, RHEA:20004]' - }, - 'GO:0050570': { - 'name': '4-hydroxythreonine-4-phosphate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-(phosphonooxy)-threonine + NAD+ = 2-amino-3-oxo-4-phosphonooxybutyrate + NADH + H+. [EC:1.1.1.262, MetaCyc:1.1.1.262-RXN]' - }, - 'GO:0050571': { - 'name': '1,5-anhydro-D-fructose reductase activity', - 'def': 'Catalysis of the reaction: 1,5-anhydro-D-glucitol + NADP(+) = 1,5-anhydro-D-fructose + H(+) + NADPH. [EC:1.1.1.263, RHEA:20668]' - }, - 'GO:0050572': { - 'name': 'L-idonate 5-dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-idonate + NAD(P)+ = 5-dehydrogluconate + NAD(P)H + H+. [EC:1.1.1.264, MetaCyc:1.1.1.264-RXN]' - }, - 'GO:0050573': { - 'name': 'dTDP-4-dehydro-6-deoxyglucose reductase activity', - 'def': 'Catalysis of the reaction: dTDP-D-fucose + NADP(+) = dTDP-4-dehydro-6-deoxy-alpha-D-glucose + H(+) + NADPH. [EC:1.1.1.266, RHEA:21903]' - }, - 'GO:0050574': { - 'name': '2-(R)-hydroxypropyl-CoM dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-(R)-hydroxypropyl-coenzyme M + NAD(+) = 2-oxopropyl-coenzyme M + H(+) + NADH. [EC:1.1.1.268, RHEA:13252]' - }, - 'GO:0050575': { - 'name': '2-(S)-hydroxypropyl-CoM dehydrogenase activity', - 'def': 'Catalysis of the reaction: 2-(S)-hydroxypropyl-coenzyme M + NAD(+) = 2-oxopropyl-coenzyme M + H(+) + NADH. [EC:1.1.1.269, RHEA:21055]' - }, - 'GO:0050577': { - 'name': 'GDP-L-fucose synthase activity', - 'def': 'Catalysis of the reaction: GDP-L-fucose + NAD+ = GDP-4-dehydro-6-deoxy-D-mannose + NADH + H+. [EC:1.1.1.271, MetaCyc:1.1.1.271-RXN]' - }, - 'GO:0050578': { - 'name': '(R)-2-hydroxyacid dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-3-sulfolactate + NAD(P)+ = 3-sulfopyruvate + NAD(P)H + H+. [EC:1.1.1.272, MetaCyc:1.1.1.272-RXN]' - }, - 'GO:0050579': { - 'name': 'vellosimine dehydrogenase activity', - 'def': 'Catalysis of the reaction: 10-deoxysarpagine + NADP(+) = H(+) + NADPH + vellosimine. [EC:1.1.1.273, RHEA:20032]' - }, - 'GO:0050580': { - 'name': '2,5-didehydrogluconate reductase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-D-gluconate + NADP+ = 2,5-didehydro-D-gluconate + NADPH + H+. [EC:1.1.1.274, MetaCyc:1.1.1.274-RXN]' - }, - 'GO:0050581': { - 'name': 'D-mannitol oxidase activity', - 'def': 'Catalysis of the reaction: mannitol + O2 = mannose + H2O2. [EC:1.1.3.40, MetaCyc:1.1.3.40-RXN]' - }, - 'GO:0050582': { - 'name': 'xylitol oxidase activity', - 'def': 'Catalysis of the reaction: xylitol + O2 = xylose + H2O2. [EC:1.1.3.41, MetaCyc:1.1.3.41-RXN]' - }, - 'GO:0050583': { - 'name': 'hydrogen dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: NADP+ + H2 = NADPH + H+. [EC:1.12.1.3, MetaCyc:1.12.1.3-RXN]' - }, - 'GO:0050584': { - 'name': 'linoleate 11-lipoxygenase activity', - 'def': 'Catalysis of the reaction: linoleate + O(2) = (9Z,11S,12Z)-11-hydroperoxyoctadeca-9,12-dienoate. [EC:1.13.11.45, RHEA:18996]' - }, - 'GO:0050585': { - 'name': '4-hydroxymandelate synthase activity', - 'def': 'Catalysis of the reaction: 4-hydroxyphenylpyruvate + O2 = 4-hydroxymandelate + CO2. [EC:1.13.11.46, MetaCyc:1.13.11.46-RXN]' - }, - 'GO:0050586': { - 'name': '3-hydroxy-2-methylquinolin-4-one 2,4-dioxygenase activity', - 'def': 'Catalysis of the reaction: 3-hydroxy-2-methylquinolin-4(1H)-one + H(+) + O(2) = N-acetylanthranilate + CO. [EC:1.13.11.48, RHEA:21575]' - }, - 'GO:0050587': { - 'name': 'chlorite O2-lyase activity', - 'def': 'Catalysis of the reaction: chloride + O(2) = chlorite. [EC:1.13.11.49, RHEA:21407]' - }, - 'GO:0050588': { - 'name': "apo-beta-carotenoid-14',13'-dioxygenase activity", - 'def': "Catalysis of the reaction: 8'-apo-beta-carotenol + O(2) = (E,E)-7-hydroxy-6-methylhepta-3,5-dienal + 14'-apo-beta-carotenal. [EC:1.13.12.12, RHEA:26026]" - }, - 'GO:0050589': { - 'name': 'leucocyanidin oxygenase activity', - 'def': 'Catalysis of the reaction: leucocyanidin + 2-oxoglutarate + O2 = cis- or trans-dihydroquercetin + succinate + CO2 + 2 H2O. [EC:1.14.11.19, MetaCyc:1.14.11.19-RXN]' - }, - 'GO:0050590': { - 'name': 'desacetoxyvindoline 4-hydroxylase activity', - 'def': 'Catalysis of the reaction: desacetoxyvindoline + 2-oxoglutarate + O2 = desacetylvindoline + succinate + CO2. [EC:1.14.11.20, MetaCyc:1.14.11.20-RXN]' - }, - 'GO:0050591': { - 'name': 'quinine 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + quinine = 3-hydroxyquinine + H(2)O + NADP(+). [EC:1.14.13.67, RHEA:20152]' - }, - 'GO:0050592': { - 'name': '4-hydroxyphenylacetaldehyde oxime monooxygenase activity', - 'def': 'Catalysis of the reaction: (Z)-(4-hydroxyphenyl)acetaldehyde oxime + H(+) + NADPH + O(2) = (S)-4-hydroxymandelonitrile + 2 H(2)O + NADP(+). [EC:1.14.13.68, RHEA:18404]' - }, - 'GO:0050593': { - 'name': "N-methylcoclaurine 3'-monooxygenase activity", - 'def': "Catalysis of the reaction: (S)-N-methylcoclaurine + H(+) + NADPH + O(2) = (S)-3'-hydroxy-N-methylcoclaurine + H(2)O + NADP(+). [EC:1.14.13.71, RHEA:16652]" - }, - 'GO:0050594': { - 'name': 'tabersonine 16-hydroxylase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + tabersonine = 16-hydroxytabersonine + H(2)O + NADP(+). [EC:1.14.13.73, RHEA:14136]' - }, - 'GO:0050595': { - 'name': '7-deoxyloganin 7-hydroxylase activity', - 'def': 'Catalysis of the reaction: 7-deoxyloganin + NADPH + H+ + O2 = loganin + NADP+ + H2O. [EC:1.14.13.74, MetaCyc:1.14.13.74-RXN]' - }, - 'GO:0050596': { - 'name': 'vinorine hydroxylase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + vinorine = H(2)O + NADP(+) + vomilenine. [EC:1.14.13.75, RHEA:17260]' - }, - 'GO:0050597': { - 'name': 'taxane 10-beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + taxa-4(20),11-dien-5alpha-yl acetate = 10beta-hydroxytaxa-4(20),11-dien-5alpha-yl acetate + H(2)O + NADP(+). [EC:1.14.13.76, RHEA:15244]' - }, - 'GO:0050598': { - 'name': 'taxane 13-alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: H(+) + NADPH + O(2) + taxa-4(20),11-dien-5alpha-ol = H(2)O + NADP(+) + taxa-4(20),11-dien-5alpha,13alpha-diol. [EC:1.14.13.77, RHEA:18952]' - }, - 'GO:0050599': { - 'name': 'deacetoxycephalosporin-C synthase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + O(2) + penicillin N = CO(2) + deacetoxycephalosporin C + H(2)O + succinate. [EC:1.14.20.1, RHEA:20751]' - }, - 'GO:0050600': { - 'name': 'myristoyl-CoA 11-(E) desaturase activity', - 'def': 'Catalysis of the reaction: myristoyl-CoA + NAD(P)H + H+ + O2 = (E)-11-tetradecenoyl-CoA + NAD(P)+ + 2 H2O. [EC:1.14.99.31, MetaCyc:1.14.99.31-RXN]' - }, - 'GO:0050601': { - 'name': 'myristoyl-CoA 11-(Z) desaturase activity', - 'def': 'Catalysis of the reaction: myristoyl-CoA + NAD(P)H + H+ + O2 = (Z)-11-tetradecenoyl-CoA + NAD(P)+ + 2 H2O. [EC:1.14.99.32, MetaCyc:1.14.99.32-RXN]' - }, - 'GO:0050602': { - 'name': 'monoprenyl isoflavone epoxidase activity', - 'def': 'Catalysis of the reaction: O2 + NADPH + H+ + 7-O-methylluteone = H2O + NADP+ + dihydrofurano derivatives. [EC:1.14.99.34, MetaCyc:1.14.99.34-RXN]' - }, - 'GO:0050603': { - 'name': 'thiophene-2-carbonyl-CoA monooxygenase activity', - 'def': 'Catalysis of the reaction: AH(2) + O(2) + thiophene-2-carbonyl-CoA = 5-hydroxythiophene-2-carbonyl-CoA + A + H(2)O + H(+). [EC:1.14.99.35, RHEA:18932]' - }, - 'GO:0050604': { - 'name': 'taxadiene 5-alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: AH(2) + O(2) + taxa-4,11-diene = A + H(2)O + taxa-4(20),11-dien-5alpha-ol. [EC:1.14.99.37, RHEA:14052]' - }, - 'GO:0050605': { - 'name': 'superoxide reductase activity', - 'def': 'Catalysis of the reaction: superoxide + reduced rubredoxin + 2 H+ = H2O2 + rubredoxin. [EC:1.15.1.2, MetaCyc:1.15.1.2-RXN]' - }, - 'GO:0050606': { - 'name': '4-carboxy-2-hydroxymuconate semialdehyde hemiacetal dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-carboxy-2-hydroxymuconate semialdehyde hemiacetal + NADP(+) = 2-oxo-2H-pyran-4,6-dicarboxylate + H(+) + NADPH. [RHEA:29590]' - }, - 'GO:0050607': { - 'name': 'mycothiol-dependent formaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: formaldehyde + mycothiol + NAD+ = S-formylmycothiol + NADH + H+. [EC:1.2.1.66, MetaCyc:1.2.1.66-RXN]' - }, - 'GO:0050608': { - 'name': 'vanillin dehydrogenase activity', - 'def': 'Catalysis of the reaction: H(2)O + NAD(+) + vanillin = 2 H(+) + NADH + vanillate. [EC:1.2.1.67, RHEA:13312]' - }, - 'GO:0050609': { - 'name': 'phosphonate dehydrogenase activity', - 'def': 'Catalysis of the reaction: H(2)O + NAD(+) + phosphonate = 2 H(+) + NADH + phosphate. [EC:1.20.1.1, RHEA:13176]' - }, - 'GO:0050610': { - 'name': 'methylarsonate reductase activity', - 'def': 'Catalysis of the reaction: 2 glutathione + H(+) + methylarsonate = glutathione disulfide + H(2)O + methylarsonous acid. [EC:1.20.4.2, RHEA:15972]' - }, - 'GO:0050611': { - 'name': 'arsenate reductase (azurin) activity', - 'def': 'Catalysis of the reaction: H(2)O + arsenite + 2 oxidized azurin = 2 H(+) + 2 reduced azurin + arsenate. [EC:1.20.9.1, MetaCyc:1.20.98.1-RXN]' - }, - 'GO:0050612': { - 'name': 'arsenate reductase (donor) activity', - 'def': 'Catalysis of the reaction: A + arsenite + H(2)O = AH(2) + arsenate + 2 H(+). [EC:1.20.99.1, RHEA:18452]' - }, - 'GO:0050613': { - 'name': 'delta14-sterol reductase activity', - 'def': 'Catalysis of the reaction: NADP+ + 4,4-dimethyl-5-alpha-cholesta-8,24-dien-3-beta-ol = NADPH + H+ + 4,4-dimethyl-5-alpha-cholesta-8,14,24-trien-3-beta-ol. [EC:1.3.1.70, MetaCyc:1.3.1.70-RXN]' - }, - 'GO:0050614': { - 'name': 'delta24-sterol reductase activity', - 'def': 'Catalysis of the reaction: NADP+ + 5-alpha-cholest-7-en-3-beta-ol = NADPH + H+ + 5-alpha-cholesta-7,24-dien-3-beta-ol. [EC:1.3.1.72, MetaCyc:1.3.1.72-RXN]' - }, - 'GO:0050615': { - 'name': '1,2-dihydrovomilenine reductase activity', - 'def': 'Catalysis of the reaction: 17-O-acetylnorajmaline + NADP(+) = 1,2-dihydrovomilenine + H(+) + NADPH. [EC:1.3.1.73, RHEA:12323]' - }, - 'GO:0050616': { - 'name': 'secologanin synthase activity', - 'def': 'Catalysis of the reaction: loganin + NADPH + H+ + O2 = secologanin + NADP+ + 2 H2O. [EC:1.3.3.9, MetaCyc:1.3.3.9-RXN]' - }, - 'GO:0050617': { - 'name': '15,16-dihydrobiliverdin:ferredoxin oxidoreductase activity', - 'def': 'Catalysis of the reaction: 15,16-dihydrobiliverdin + oxidized ferredoxin = biliverdin IXa + reduced ferredoxin. [EC:1.3.7.2, MetaCyc:1.3.7.2-RXN]' - }, - 'GO:0050618': { - 'name': 'phycoerythrobilin:ferredoxin oxidoreductase activity', - 'def': 'Catalysis of the reaction: (3Z)-phycoerythrobilin + oxidized ferredoxin = 15,16-dihydrobiliverdin + reduced ferredoxin. [EC:1.3.7.3, MetaCyc:1.3.7.3-RXN]' - }, - 'GO:0050619': { - 'name': 'phytochromobilin:ferredoxin oxidoreductase activity', - 'def': 'Catalysis of the reaction: (3Z)-phytochromobilin + oxidized ferredoxin = biliverdin IXa + reduced ferredoxin. [EC:1.3.7.4, MetaCyc:1.3.7.4-RXN]' - }, - 'GO:0050620': { - 'name': 'phycocyanobilin:ferredoxin oxidoreductase activity', - 'def': 'Catalysis of the reaction: (3Z)-phycocyanobilin + oxidized ferredoxin = biliverdin IXa + reduced ferredoxin. [EC:1.3.7.5, MetaCyc:1.3.7.5-RXN]' - }, - 'GO:0050621': { - 'name': 'tryptophan alpha,beta-oxidase activity', - 'def': 'Catalysis of the reaction: L-tryptophan + O(2) = alpha,beta-didehydrotryptophan + H(2)O(2) + H(+). [EC:1.3.3.10, RHEA:19904]' - }, - 'GO:0050622': { - 'name': 'glycine dehydrogenase (cyanide-forming) activity', - 'def': 'Catalysis of the reaction: glycine + 2 A = HCN + CO2 + 2 AH2. [EC:1.4.99.5, MetaCyc:1.4.99.5-RXN]' - }, - 'GO:0050623': { - 'name': 'berberine reductase activity', - 'def': 'Catalysis of the reaction: (R)-canadine + 2 NADP(+) = berberine + H(+) + 2 NADPH. [EC:1.5.1.31, RHEA:21271]' - }, - 'GO:0050624': { - 'name': 'vomilenine reductase activity', - 'def': 'Catalysis of the reaction: 1,2-dihydrovomilenine + NADP(+) = H(+) + NADPH + vomilenine. [EC:1.5.1.32, RHEA:16412]' - }, - 'GO:0050625': { - 'name': '2-hydroxy-1,4-benzoquinone reductase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-1,4-benzoquinone + 2 H(+) + NADH = benzene-1,2,4-triol + NAD(+). [EC:1.6.5.7, RHEA:12431]' - }, - 'GO:0050626': { - 'name': 'trimethylamine-N-oxide reductase (cytochrome c) activity', - 'def': 'Catalysis of the reaction: trimethylamine + 2 (ferricytochrome c)-subunit + H2O = trimethylamine-N-oxide + 2 (ferrocytochrome c)-subunit + 2 H+. [EC:1.7.2.3, MetaCyc:1.7.2.3-RXN]' - }, - 'GO:0050627': { - 'name': 'mycothione reductase activity', - 'def': 'Catalysis of the reaction: NAD(P)+ + mycothiol = NAD(P)H + H+ + mycothione. [EC:1.8.1.15, MetaCyc:1.8.1.15-RXN]' - }, - 'GO:0050628': { - 'name': '2-oxopropyl-CoM reductase (carboxylating) activity', - 'def': 'Catalysis of the reaction: acetoacetate + coenzyme M + NADP(+) = 2-oxopropyl-coenzyme M + CO(2) + NADPH. [EC:1.8.1.5, RHEA:16980]' - }, - 'GO:0050629': { - 'name': 'tetrachloroethene reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: trichloroethene + chloride + acceptor = tetrachloroethene + reduced acceptor. [EC:1.97.1.8, MetaCyc:1.97.1.8-RXN]' - }, - 'GO:0050630': { - 'name': '(iso)eugenol O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + isoeugenol = S-adenosyl-L-homocysteine + isomethyleugenol. [EC:2.1.1.146, MetaCyc:2.1.1.146-RXN]' - }, - 'GO:0050631': { - 'name': 'corydaline synthase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 2 NADPH + palmatine = S-adenosyl-L-homocysteine + corydaline + 2 NADP(+). [EC:2.1.1.147, RHEA:14776]' - }, - 'GO:0050632': { - 'name': 'propionyl-CoA C2-trimethyltridecanoyltransferase activity', - 'def': 'Catalysis of the reaction: 4,8,12-trimethyltridecanoyl-CoA + propanoyl-CoA = 3-oxopristanoyl-CoA + CoA. [EC:2.3.1.154, RHEA:10411]' - }, - 'GO:0050633': { - 'name': 'acetyl-CoA C-myristoyltransferase activity', - 'def': 'Catalysis of the reaction: myristoyl-CoA + acetyl-CoA = 3-oxopalmitoyl-CoA + CoA. [EC:2.3.1.155, MetaCyc:2.3.1.155-RXN]' - }, - 'GO:0050634': { - 'name': 'phloroisovalerophenone synthase activity', - 'def': 'Catalysis of the reaction: isovaleryl-CoA + 3 malonyl-CoA = 4 CoASH + 3 CO2 + 3-methyl-1-(2,4,6-trihydroxyphenyl)butan-1-one. [EC:2.3.1.156, MetaCyc:2.3.1.156-RXN]' - }, - 'GO:0050635': { - 'name': 'acridone synthase activity', - 'def': 'Catalysis of the reaction: N-methylanthranilyl-CoA + 3 H(+) + 3 malonyl-CoA = 1,3-dihydroxy-N-methylacridone + 3 CO(2) + 4 CoA + H(2)O. [EC:2.3.1.159, RHEA:22227]' - }, - 'GO:0050636': { - 'name': 'vinorine synthase activity', - 'def': 'Catalysis of the reaction: 16-epivellosimine + acetyl-CoA = CoA + vinorine. [EC:2.3.1.160, RHEA:24019]' - }, - 'GO:0050637': { - 'name': 'lovastatin nonaketide synthase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine(1+) + acetyl-CoA + 18 H(+) + 8 malonyl-CoA + 11 NADPH = S-adenosyl-L-homocysteine + 8 CO(2) + 9 CoA + dihydromonacolin L + 6 H(2)O + 11 NADP(+). [EC:2.3.1.161, RHEA:18568]' - }, - 'GO:0050638': { - 'name': 'taxadien-5-alpha-ol O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + taxa-4(20),11-dien-5alpha-ol = CoA + taxa-4(20),11-dien-5alpha-yl acetate. [EC:2.3.1.162, RHEA:22031]' - }, - 'GO:0050639': { - 'name': '10-hydroxytaxane O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: 10-desacetyltaxuyunnanin C + acetyl-CoA = CoA + taxuyunnanin C. [EC:2.3.1.163, RHEA:18840]' - }, - 'GO:0050640': { - 'name': 'isopenicillin-N N-acyltransferase activity', - 'def': 'Catalysis of the reaction: phenylacetyl-CoA + isopenicillin N + H2O = CoA + penicillin G + L-2-aminohexanedioate. [EC:2.3.1.164, MetaCyc:2.3.1.164-RXN]' - }, - 'GO:0050641': { - 'name': '6-methylsalicylic acid synthase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + 3 H(+) + 3 malonyl-CoA + NADPH = 6-methylsalicylate + 3 CO(2) + 4 CoA + H(2)O + NADP(+). [EC:2.3.1.165, RHEA:12243]' - }, - 'GO:0050642': { - 'name': '2-alpha-hydroxytaxane 2-O-benzoyltransferase activity', - 'def': 'Catalysis of the reaction: 10-deacetyl-2-debenzoylbaccatin III + benzoyl-CoA = 10-deacetylbaccatin III + CoA. [EC:2.3.1.166, RHEA:18744]' - }, - 'GO:0050643': { - 'name': '10-deacetylbaccatin III 10-O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: 10-deacetylbaccatin III + acetyl-CoA = baccatin III + CoA. [EC:2.3.1.167, RHEA:20140]' - }, - 'GO:0050644': { - 'name': 'cis-p-coumarate glucosyltransferase activity', - 'def': "Catalysis of the reaction: cis-4-coumarate + UDP-D-glucose = 4'-O-beta-D-glucosyl-cis-4-coumarate + H(+) + UDP. [EC:2.4.1.209, RHEA:13132]" - }, - 'GO:0050645': { - 'name': 'limonoid glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + limonin = glucosyl-limonin + UDP. [EC:2.4.1.210]' - }, - 'GO:0050646': { - 'name': '5-oxo-6E,8Z,11Z,14Z-icosatetraenoic acid binding', - 'def': 'Interacting selectively and non-covalently with 5-oxo-6E,8Z,11Z,14Z-icosatetraenoic acid, a straight-chain fatty acid with twenty carbon atoms and four double bonds. [GOC:ai]' - }, - 'GO:0050647': { - 'name': '5-hydroxy-6E,8Z,11Z,14Z-icosatetraenoic acid binding', - 'def': 'Interacting selectively and non-covalently with 5-hydroxy-6E,8Z,11Z,14Z-icosatetraenoic acid, a straight-chain fatty acid with twenty carbon atoms and four double bonds. [GOC:ai]' - }, - 'GO:0050648': { - 'name': '5(S)-hydroxyperoxy-6E,8Z,11Z,14Z-icosatetraenoic acid binding', - 'def': 'Interacting selectively and non-covalently with 5(S)-hydroxyperoxy-6E,8Z,11Z,14Z-icosatetraenoic acid, a straight-chain fatty acid with twenty carbon atoms and four double bonds. [GOC:ai]' - }, - 'GO:0050649': { - 'name': 'testosterone 6-beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: testosterone + donor-H2 + O2 = 6-beta-hydroxytestosterone + H2O. [GOC:ai, PMID:11726664]' - }, - 'GO:0050650': { - 'name': 'chondroitin sulfate proteoglycan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chondroitin sulfate proteoglycan, any glycoprotein whose glycosaminoglycan units are chondroitin sulfate. Chondroitin sulfates are a group of 10-60 kDa glycosaminoglycans, widely distributed in cartilage and other mammalian connective tissues; the repeat units consist of beta-(1,4)-linked D-glucuronyl beta-(1,3)-N-acetyl-D-galactosamine sulfate. [GOC:ai]' - }, - 'GO:0050651': { - 'name': 'dermatan sulfate proteoglycan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dermatan sulfate proteoglycan, any glycoprotein whose glycosaminoglycan units are dermatan sulfate (chondroitin sulfate B). Dermatan sulfate is a glycosaminoglycan with repeats consisting of beta-(1,4)-linked L-iduronyl-beta-(1,3)-N-acetyl-D-galactosamine 4-sulfate units. [GOC:ai]' - }, - 'GO:0050652': { - 'name': 'dermatan sulfate proteoglycan biosynthetic process, polysaccharide chain biosynthetic process', - 'def': 'The elongation of dermatan sulfate proteoglycan chains by alternate addition of N-acetylhexosamine and GlcUA residues to the GAG-protein linkage region tetrasaccharide of dermatan sulfate. [GOC:ai, PMID:11788602]' - }, - 'GO:0050653': { - 'name': 'chondroitin sulfate proteoglycan biosynthetic process, polysaccharide chain biosynthetic process', - 'def': 'The elongation of chondroitin sulfate proteoglycan chains by alternate addition of N-acetylhexosamine and GlcUA residues to the GAG-protein linkage region tetrasaccharide of chondroitin sulfate. [GOC:ai, PMID:11788602]' - }, - 'GO:0050654': { - 'name': 'chondroitin sulfate proteoglycan metabolic process', - 'def': 'The chemical reactions and pathways involving chondroitin sulfate proteoglycan, any glycoprotein whose glycosaminoglycan units are chondroitin sulfate. Chondroitin sulfates are a group of 10-60 kDa glycosaminoglycans, widely distributed in cartilage and other mammalian connective tissues; the repeat units consist of beta-(1,4)-linked D-glucuronyl beta-(1,3)-N-acetyl-D-galactosamine sulfate. [GOC:ai]' - }, - 'GO:0050655': { - 'name': 'dermatan sulfate proteoglycan metabolic process', - 'def': 'The chemical reactions and pathways involving dermatan sulfate proteoglycan, any glycoprotein whose glycosaminoglycan units are dermatan sulfate (chondroitin sulfate B). Dermatan sulfate is a glycosaminoglycan with repeats consisting of beta-(1,4)-linked L-iduronyl-beta-(1,3)-N-acetyl-D-galactosamine 4-sulfate units. [GOC:ai]' - }, - 'GO:0050656': { - 'name': "3'-phosphoadenosine 5'-phosphosulfate binding", - 'def': "Interacting selectively and non-covalently with 3'-phosphoadenosine 5'-phosphosulfate (PAPS), a naturally occurring mixed anhydride. It is an intermediate in the formation of a variety of sulfo compounds in biological systems. [GOC:ai]" - }, - 'GO:0050657': { - 'name': 'nucleic acid transport', - 'def': 'The directed movement of nucleic acids, single or double-stranded polynucleotides involved in the storage, transmission and transfer of genetic information, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0050658': { - 'name': 'RNA transport', - 'def': 'The directed movement of RNA, ribonucleic acids, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0050659': { - 'name': 'N-acetylgalactosamine 4-sulfate 6-O-sulfotransferase activity', - 'def': "Catalysis of the reactions: 3'-phosphoadenylyl sulfate + dermatan = adenosine 3',5'-bisphosphate + dermatan 6'-sulfate and 3'-phosphoadenylyl sulfate + chondroitin = adenosine 3',5'-bisphosphate + chondroitin 6'-sulfate. [EC:2.8.2.33]" - }, - 'GO:0050660': { - 'name': 'flavin adenine dinucleotide binding', - 'def': 'Interacting selectively and non-covalently with FAD, flavin-adenine dinucleotide, the coenzyme or the prosthetic group of various flavoprotein oxidoreductase enzymes, in either the oxidized form, FAD, or the reduced form, FADH2. [CHEBI:24040, GOC:ai, GOC:imk, ISBN:0198506732]' - }, - 'GO:0050661': { - 'name': 'NADP binding', - 'def': 'Interacting selectively and non-covalently with nicotinamide-adenine dinucleotide phosphate, a coenzyme involved in many redox and biosynthetic reactions; binding may be to either the oxidized form, NADP+, or the reduced form, NADPH. [GOC:ai]' - }, - 'GO:0050662': { - 'name': 'coenzyme binding', - 'def': 'Interacting selectively and non-covalently with a coenzyme, any of various nonprotein organic cofactors that are required, in addition to an enzyme and a substrate, for an enzymatic reaction to proceed. [ISBN:0198506732]' - }, - 'GO:0050663': { - 'name': 'cytokine secretion', - 'def': 'The regulated release of cytokines from a cell. Cytokines are any of a group of proteins that function to control the survival, growth and differentiation of tissues and cells, and which have autocrine and paracrine activity. [GOC:ai, GOC:bf, ISBN:0198599471]' - }, - 'GO:0050664': { - 'name': 'oxidoreductase activity, acting on NAD(P)H, oxygen as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which NADH or NADPH acts as a hydrogen or electron donor and reduces an oxygen molecule. [EC:1.6.3.-]' - }, - 'GO:0050665': { - 'name': 'hydrogen peroxide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hydrogen peroxide (H2O2), a potentially harmful byproduct of aerobic cellular respiration which can cause damage to DNA. [GOC:ai]' - }, - 'GO:0050666': { - 'name': 'regulation of homocysteine metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving homocysteine, the amino acid alpha-amino-gamma-mercaptobutanoic acid. [GOC:ai]' - }, - 'GO:0050667': { - 'name': 'homocysteine metabolic process', - 'def': 'The chemical reactions and pathways involving homocysteine, the amino acid alpha-amino-gamma-mercaptobutanoic acid. Homocysteine is an important intermediate in the metabolic reactions of its S-methyl derivative, methionine. [ISBN:0198506732]' - }, - 'GO:0050668': { - 'name': 'positive regulation of homocysteine metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving homocysteine. [GOC:ai]' - }, - 'GO:0050669': { - 'name': 'negative regulation of homocysteine metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving homocysteine. [GOC:ai]' - }, - 'GO:0050670': { - 'name': 'regulation of lymphocyte proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of lymphocyte proliferation. [GOC:ai]' - }, - 'GO:0050671': { - 'name': 'positive regulation of lymphocyte proliferation', - 'def': 'Any process that activates or increases the rate or extent of lymphocyte proliferation. [GOC:ai]' - }, - 'GO:0050672': { - 'name': 'negative regulation of lymphocyte proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of lymphocyte proliferation. [GOC:ai]' - }, - 'GO:0050673': { - 'name': 'epithelial cell proliferation', - 'def': 'The multiplication or reproduction of epithelial cells, resulting in the expansion of a cell population. Epithelial cells make up the epithelium, the covering of internal and external surfaces of the body, including the lining of vessels and other small cavities. It consists of cells joined by small amounts of cementing substances. [ISBN:0721662544]' - }, - 'GO:0050674': { - 'name': 'urothelial cell proliferation', - 'def': 'The multiplication or reproduction of urothelial cells, resulting in the expansion of a cell population. Urothelial cells make up a layer of transitional epithelium in the wall of the bladder, ureter, and renal pelvis, external to the lamina propria. [ISBN:0721662544]' - }, - 'GO:0050675': { - 'name': 'regulation of urothelial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of urothelial cell proliferation. [GOC:ai]' - }, - 'GO:0050676': { - 'name': 'negative regulation of urothelial cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of urothelial cell proliferation. [GOC:ai]' - }, - 'GO:0050677': { - 'name': 'positive regulation of urothelial cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of urothelial cell proliferation. [GOC:ai]' - }, - 'GO:0050678': { - 'name': 'regulation of epithelial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial cell proliferation. [GOC:ai]' - }, - 'GO:0050679': { - 'name': 'positive regulation of epithelial cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of epithelial cell proliferation. [GOC:ai]' - }, - 'GO:0050680': { - 'name': 'negative regulation of epithelial cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of epithelial cell proliferation. [GOC:ai]' - }, - 'GO:0050681': { - 'name': 'androgen receptor binding', - 'def': 'Interacting selectively and non-covalently with an androgen receptor. [GOC:ai]' - }, - 'GO:0050682': { - 'name': 'AF-2 domain binding', - 'def': 'Interacting selectively and non-covalently with the AF-2 domain of a protein, a highly conserved ligand-dependent transactivation domain which is essential for receptor-mediated transcriptional activation. [PMID:9682036]' - }, - 'GO:0050683': { - 'name': 'AF-1 domain binding', - 'def': 'Interacting selectively and non-covalently with the AF-1 domain of a protein, a ligand-independent transactivation domain which is required for the full transcriptional activity of the receptor. [PMID:9682036]' - }, - 'GO:0050684': { - 'name': 'regulation of mRNA processing', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA processing, those processes involved in the conversion of a primary mRNA transcript into a mature mRNA prior to its translation into polypeptide. [GOC:ai]' - }, - 'GO:0050685': { - 'name': 'positive regulation of mRNA processing', - 'def': 'Any process that activates or increases the frequency, rate or extent of mRNA processing. [GOC:ai]' - }, - 'GO:0050686': { - 'name': 'negative regulation of mRNA processing', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mRNA processing. [GOC:ai]' - }, - 'GO:0050687': { - 'name': 'negative regulation of defense response to virus', - 'def': 'Any process that stops, prevents or reduces the rate or extent of antiviral mechanisms, thereby facilitating viral replication. [GOC:ai]' - }, - 'GO:0050688': { - 'name': 'regulation of defense response to virus', - 'def': 'Any process that modulates the frequency, rate or extent of the antiviral response of a cell or organism. [GOC:ai]' - }, - 'GO:0050689': { - 'name': 'negative regulation of defense response to virus by host', - 'def': 'Any host process that results in the inhibition of antiviral immune response mechanisms, thereby facilitating viral replication. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0050690': { - 'name': 'regulation of defense response to virus by virus', - 'def': 'Any viral process that modulates the frequency, rate, or extent of the antiviral response of the host cell or organism. [GOC:ai, GOC:dph]' - }, - 'GO:0050691': { - 'name': 'regulation of defense response to virus by host', - 'def': 'Any host process that modulates the frequency, rate, or extent of the antiviral response of a host cell or organism. [GOC:ai, GOC:dph]' - }, - 'GO:0050692': { - 'name': 'DBD domain binding', - 'def': 'Interacting selectively and non-covalently with the DBD, DNA binding domain, of a protein. The DNA binding domain of the vitamin D receptor, one of a family of receptors with the DBD, is split into three regions, the P, D and T boxes. Residues that are critical for target sequence selectivity form the P-box. The D-box contains residues that are important for homodimerization of class I nuclear receptors. The T-box is essential for both DNA-binding and transactivation of the VDR; this region may also be important for dimerization with RXR for class II nuclear receptors. [PMID:9682036]' - }, - 'GO:0050693': { - 'name': 'LBD domain binding', - 'def': 'Interacting selectively and non-covalently with the LBD, the ligand binding domain found in nuclear receptors. In general, the LBDs consist of three layers comprised of twelve alpha-helices and several beta-strands that are organized around a lipophilic ligand-binding pocket. [PMID:9682036]' - }, - 'GO:0050694': { - 'name': 'galactose 3-O-sulfotransferase activity', - 'def': "Catalysis of the reaction: N-acetyllactosamine + 3'-phosphoadenosine 5'-phosphosulfate = 3-sulfo-N-acetyllactosamine + adenosine 3',5'-bisphosphate. N-acetyllactosamine residues are found in a number of different carbohydrate types. N-acetyllactosamine can also be written as Gal-beta-(1,4)-GlcNAc. [GOC:ai, PMID:11323440, PMID:11356829]" - }, - 'GO:0050695': { - 'name': 'benzoylformate decarboxylase activity', - 'def': 'Catalysis of the reaction: benzoylformate = benzaldehyde + CO2. [EC:4.1.1.7, MetaCyc:BENZOYLFORMATE-DECARBOXYLASE-RXN]' - }, - 'GO:0050696': { - 'name': 'trichloroethylene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of trichloroethylene, a toxic, colorless, photoreactive, chlorinated hydrocarbon liquid, commonly used as a metal degreaser and solvent. [GOC:ai]' - }, - 'GO:0050697': { - 'name': '1,1,2-trichloroethene reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: trichloroethene + 2 H+ + 2 e- = HCl + 1,2-dichloroethene. [MetaCyc:TCEREDCHLOR-RXN, UM-BBD_enzymeID:e0271]' - }, - 'GO:0050698': { - 'name': 'proteoglycan sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + proteoglycan = adenosine 3',5'-bisphosphate + proteoglycan sulfate. A proteoglycan is a glycoprotein whose carbohydrate units are glycosaminoglycans. [EC:2.8.2.-, GOC:ai]" - }, - 'GO:0050699': { - 'name': 'WW domain binding', - 'def': 'Interacting selectively and non-covalently with a WW domain of a protein, a small module composed of 40 amino acids and plays a role in mediating protein-protein interactions via proline-rich regions. [PMID:14531730]' - }, - 'GO:0050700': { - 'name': 'CARD domain binding', - 'def': 'Interacting selectively and non-covalently with a CARD (N-terminal caspase recruitment) domain, a protein-protein interaction domain that belongs to the death domain-fold superfamily. These protein molecule families are similar in structure with each consisting of six or seven anti-parallel alpha-helices that form highly specific homophilic interactions between signaling partners. CARD exists in the N-terminal prodomains of several caspases and in apoptosis-regulatory proteins and mediates the assembly of CARD-containing proteins that participate in activation or suppression of CARD carrying members of the caspase family. [PMID:12054670]' - }, - 'GO:0050701': { - 'name': 'interleukin-1 secretion', - 'def': 'The regulated release of interleukin-1 from a cell. Interleukin 1 is produced mainly by activated macrophages; it stimulates thymocyte proliferation by inducing interleukin 2 release and it is involved in the inflammatory response. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0050702': { - 'name': 'interleukin-1 beta secretion', - 'def': 'The regulated release of interleukin 1 beta from a cell. [GOC:ai]' - }, - 'GO:0050703': { - 'name': 'interleukin-1 alpha secretion', - 'def': 'The regulated release of interleukin-1 alpha from a cell. [GOC:ai]' - }, - 'GO:0050704': { - 'name': 'regulation of interleukin-1 secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of interleukin-1 from a cell. [GOC:ai]' - }, - 'GO:0050705': { - 'name': 'regulation of interleukin-1 alpha secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of interleukin-1 alpha from a cell. [GOC:ai]' - }, - 'GO:0050706': { - 'name': 'regulation of interleukin-1 beta secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of interleukin-1 beta from a cell. [GOC:ai]' - }, - 'GO:0050707': { - 'name': 'regulation of cytokine secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of cytokines from a cell. [GOC:ai]' - }, - 'GO:0050708': { - 'name': 'regulation of protein secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the controlled release of a protein from a cell. [GOC:ai]' - }, - 'GO:0050709': { - 'name': 'negative regulation of protein secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the controlled release of a protein from a cell. [GOC:ai]' - }, - 'GO:0050710': { - 'name': 'negative regulation of cytokine secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of cytokines from a cell. [GOC:ai]' - }, - 'GO:0050711': { - 'name': 'negative regulation of interleukin-1 secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of interleukin-1 from a cell. [GOC:ai]' - }, - 'GO:0050712': { - 'name': 'negative regulation of interleukin-1 alpha secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of interleukin-1 alpha from a cell. [GOC:ai]' - }, - 'GO:0050713': { - 'name': 'negative regulation of interleukin-1 beta secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of interleukin-1 beta from a cell. [GOC:ai]' - }, - 'GO:0050714': { - 'name': 'positive regulation of protein secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the controlled release of a protein from a cell. [GOC:ai]' - }, - 'GO:0050715': { - 'name': 'positive regulation of cytokine secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of cytokines from a cell. [GOC:ai]' - }, - 'GO:0050716': { - 'name': 'positive regulation of interleukin-1 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of interleukin-1 from a cell. [GOC:ai]' - }, - 'GO:0050717': { - 'name': 'positive regulation of interleukin-1 alpha secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of interleukin-1 alpha from a cell. [GOC:ai]' - }, - 'GO:0050718': { - 'name': 'positive regulation of interleukin-1 beta secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of interleukin-1 beta from a cell. [GOC:ai]' - }, - 'GO:0050719': { - 'name': 'interleukin-1 alpha biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-1 alpha. [GOC:ai]' - }, - 'GO:0050720': { - 'name': 'interleukin-1 beta biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-1 beta. [GOC:ai]' - }, - 'GO:0050721': { - 'name': 'regulation of interleukin-1 alpha biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-1 alpha. [GOC:ai]' - }, - 'GO:0050722': { - 'name': 'regulation of interleukin-1 beta biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-1 beta. [GOC:ai]' - }, - 'GO:0050723': { - 'name': 'negative regulation of interleukin-1 alpha biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-1 alpha. [GOC:ai]' - }, - 'GO:0050724': { - 'name': 'negative regulation of interleukin-1 beta biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-1 beta. [GOC:ai]' - }, - 'GO:0050725': { - 'name': 'positive regulation of interleukin-1 beta biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-1 beta. [GOC:ai]' - }, - 'GO:0050726': { - 'name': 'positive regulation of interleukin-1 alpha biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-1 alpha. [GOC:ai]' - }, - 'GO:0050727': { - 'name': 'regulation of inflammatory response', - 'def': 'Any process that modulates the frequency, rate or extent of the inflammatory response, the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents. [GOC:ai]' - }, - 'GO:0050728': { - 'name': 'negative regulation of inflammatory response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the inflammatory response. [GOC:ai]' - }, - 'GO:0050729': { - 'name': 'positive regulation of inflammatory response', - 'def': 'Any process that activates or increases the frequency, rate or extent of the inflammatory response. [GOC:ai]' - }, - 'GO:0050730': { - 'name': 'regulation of peptidyl-tyrosine phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of the phosphorylation of peptidyl-tyrosine. [GOC:ai]' - }, - 'GO:0050731': { - 'name': 'positive regulation of peptidyl-tyrosine phosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the phosphorylation of peptidyl-tyrosine. [GOC:ai]' - }, - 'GO:0050732': { - 'name': 'negative regulation of peptidyl-tyrosine phosphorylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the phosphorylation of peptidyl-tyrosine. [GOC:ai]' - }, - 'GO:0050733': { - 'name': 'RS domain binding', - 'def': 'Interacting selectively and non-covalently with an RS domain of a protein; RS domains are usually highly phosphorylated and characterized by the presence of arginine (R)/serine (S) dipeptides. The RS domain promotes protein-protein interactions and directs subcellular localization and, in certain situations, nucleocytoplasmic shuttling of individual SR proteins. They also play a role in splicing. [PMID:11684676, PMID:12215544]' - }, - 'GO:0050734': { - 'name': 'hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the transfer of a hydroxycinnamoyl group to an acceptor molecule. [GOC:ai]' - }, - 'GO:0050735': { - 'name': 'N-malonyltransferase activity', - 'def': 'Catalysis of the transfer of a malonyl group to a nitrogen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0050736': { - 'name': 'O-malonyltransferase activity', - 'def': 'Catalysis of the transfer of a malonyl group to an oxygen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0050737': { - 'name': 'O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the transfer of a hydroxycinnamoyl group to an oxygen atom on the acceptor molecule. [GOC:ai]' - }, - 'GO:0050738': { - 'name': 'fructosyltransferase activity', - 'def': 'Catalysis of the transfer of a fructosyl group to an acceptor molecule, typically another carbohydrate or a lipid. [GOC:ai]' - }, - 'GO:0050739': { - 'name': "peptide cross-linking via S-[5'-(L-tryptoph-6'-yl)-L-tyrosin-3'-yl]-L-methionin-S-ium", - 'def': "The cross-linking of a tyrosine residue to a tryptophan residue and a methionine residue to form S-[5'-(L-tryptoph-6'-yl)-L-tyrosin-3'-yl]-L-methionin-S-ium. [RESID:AA0348]" - }, - 'GO:0050740': { - 'name': 'protein-FMN linkage via O3-riboflavin phosphoryl-L-threonine', - 'def': 'The formation of a protein-FMN linkage via O3-riboflavin phosphoryl-L-threonine. [RESID:AA0349]' - }, - 'GO:0050741': { - 'name': 'protein-FMN linkage via O3-riboflavin phosphoryl-L-serine', - 'def': 'The formation of a protein-FMN linkage via O3-riboflavin phosphoryl-L-serine. [RESID:AA0350]' - }, - 'GO:0050742': { - 'name': 'protein-FMN linkage via S-(4a-FMN)-L-cysteine', - 'def': 'The formation of a protein-FMN linkage via S-(4a-FMN)-L-cysteine. [RESID:AA0351]' - }, - 'GO:0050743': { - 'name': "protein-FMN linkage via 1'-(8alpha-FMN)-L-histidine", - 'def': "The formation of a protein-FMN linkage via 1'-(8alpha-FMN)-L-histidine. [PMID:8611516, RESID:AA0352]" - }, - 'GO:0050744': { - 'name': "protein-FMN linkage via 3'-(8alpha-FMN)-L-histidine", - 'def': "The formation of a protein-FMN linkage via 3'-(8alpha-FMN)-L-histidine. [RESID:AA0353]" - }, - 'GO:0050745': { - 'name': 'peptide cross-linking via L-cysteinyl-5-imidazolinone glycine', - 'def': 'The formation of a protein active site cross-link from the alpha-carboxyl carbon of residue N, a cysteine, to the alpha-amino nitrogen of residue N+2, a glycine, coupled with the formation of a double bond to the alpha-amino nitrogen of residue N+1 which loses one hydrogen, and the loss of a molecule of water. [RESID:AA0188]' - }, - 'GO:0050746': { - 'name': 'regulation of lipoprotein metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving lipoproteins, any conjugated, water-soluble protein in which the nonprotein group consists of a lipid or lipids. [GOC:ai]' - }, - 'GO:0050747': { - 'name': 'positive regulation of lipoprotein metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving lipoproteins, any conjugated, water-soluble protein in which the nonprotein group consists of a lipid or lipids. [GOC:ai]' - }, - 'GO:0050748': { - 'name': 'negative regulation of lipoprotein metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving lipoproteins, any conjugated, water-soluble protein in which the nonprotein group consists of a lipid or lipids. [GOC:ai]' - }, - 'GO:0050749': { - 'name': 'obsolete apolipoprotein E receptor binding', - 'def': 'OBSOLETE. Interacting selectively with an apolipoprotein E receptor. [GOC:ai]' - }, - 'GO:0050750': { - 'name': 'low-density lipoprotein particle receptor binding', - 'def': 'Interacting selectively and non-covalently with a low-density lipoprotein receptor. [GOC:ai]' - }, - 'GO:0050751': { - 'name': 'fractalkine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fractalkine, a chemokine involved in the control of the key regulatory mechanisms of cell trafficking at sites of inflammation. It exists as a secreted protein and in a membrane-bound form, and exhibits a novel C-X-X-X-C cysteine signature motif. The counterpart of human fractalkine is murine neurotactin; fractalkine is also referred to as CX3C membrane-anchored chemokine or ABCD-3 and has been renamed CX3CL1. [http://www.copewithcytokines.de]' - }, - 'GO:0050752': { - 'name': 'regulation of fractalkine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of fractalkine, a chemokine involved in the control of the key regulatory mechanisms of cell trafficking at sites of inflammation. [http://www.copewithcytokines.de]' - }, - 'GO:0050753': { - 'name': 'negative regulation of fractalkine biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of fractalkine, a chemokine involved in the control of the key regulatory mechanisms of cell trafficking at sites of inflammation. [http://www.copewithcytokines.de]' - }, - 'GO:0050754': { - 'name': 'positive regulation of fractalkine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of fractalkine, a chemokine involved in the control of the key regulatory mechanisms of cell trafficking at sites of inflammation. [http://www.copewithcytokines.de]' - }, - 'GO:0050755': { - 'name': 'chemokine metabolic process', - 'def': 'The chemical reactions and pathways involving chemokines, any member of a family of small chemotactic cytokines; their name is derived from their ability to induce directed chemotaxis in nearby responsive cells. All chemokines possess a number of conserved cysteine residues involved in intramolecular disulfide bond formation. Some chemokines are considered pro-inflammatory and can be induced during an immune response to recruit cells of the immune system to a site of infection, while others are considered homeostatic and are involved in controlling the migration of cells during normal processes of tissue maintenance or development. Chemokines are found in all vertebrates, some viruses and some bacteria. [GOC:BHF, GOC:rl, http://en.wikipedia.org/wiki/Chemokine, ISBN:0198506732, PMID:12183377]' - }, - 'GO:0050756': { - 'name': 'fractalkine metabolic process', - 'def': 'The chemical reactions and pathways involving fractalkine, a chemokine involved in the control of the key regulatory mechanisms of cell trafficking at sites of inflammation. It exists as a secreted protein and in a membrane-bound form, and exhibits a novel C-X-X-X-C cysteine signature motif. The counterpart of human fractalkine is murine neurotactin; fractalkine is also referred to as CX3C membrane-anchored chemokine or ABCD-3 and has been renamed CX3CL1. [http://www.copewithcytokines.de]' - }, - 'GO:0050757': { - 'name': 'thymidylate synthase biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the enzyme thymidylate synthase, which catalyzes the reaction: 5,10-methylenetetrahydrofolate + dUMP = dihydrofolate + dTMP. [EC:2.1.1.45]' - }, - 'GO:0050758': { - 'name': 'regulation of thymidylate synthase biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the enzyme thymidylate synthase. [GOC:ai]' - }, - 'GO:0050759': { - 'name': 'positive regulation of thymidylate synthase biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the enzyme thymidylate synthase. [GOC:ai]' - }, - 'GO:0050760': { - 'name': 'negative regulation of thymidylate synthase biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of the enzyme thymidylate synthase. [GOC:ai]' - }, - 'GO:0050761': { - 'name': 'depsipeptide metabolic process', - 'def': 'The chemical reactions and pathways involving depsipeptides, a linear or cyclic compound composed of both amino acids and hydroxy acids in peptide and ester bonds respectively. [GOC:go_curators]' - }, - 'GO:0050762': { - 'name': 'depsipeptide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of depsipeptides, a linear or cyclic compound composed of both amino acids and hydroxy acids in peptide and ester bonds respectively. [GOC:go_curators]' - }, - 'GO:0050763': { - 'name': 'depsipeptide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of depsipeptides, a linear or cyclic compound composed of both amino acids and hydroxy acids in peptide and ester bonds respectively. [GOC:go_curators]' - }, - 'GO:0050764': { - 'name': 'regulation of phagocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of phagocytosis, the process in which phagocytes engulf external particulate material. [GOC:ai]' - }, - 'GO:0050765': { - 'name': 'negative regulation of phagocytosis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of phagocytosis. [GOC:ai]' - }, - 'GO:0050766': { - 'name': 'positive regulation of phagocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of phagocytosis. [GOC:ai]' - }, - 'GO:0050767': { - 'name': 'regulation of neurogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of neurogenesis, the origin and formation of neurons. [GOC:ai]' - }, - 'GO:0050768': { - 'name': 'negative regulation of neurogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of neurogenesis, the origin and formation of neurons. [GOC:ai]' - }, - 'GO:0050769': { - 'name': 'positive regulation of neurogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of neurogenesis, the origin and formation of neurons. [GOC:ai]' - }, - 'GO:0050770': { - 'name': 'regulation of axonogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of axonogenesis, the generation of an axon, the long process of a neuron. [GOC:ai]' - }, - 'GO:0050771': { - 'name': 'negative regulation of axonogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of axonogenesis. [GOC:ai]' - }, - 'GO:0050772': { - 'name': 'positive regulation of axonogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of axonogenesis. [GOC:ai]' - }, - 'GO:0050773': { - 'name': 'regulation of dendrite development', - 'def': 'Any process that modulates the frequency, rate or extent of dendrite development. [GOC:ai]' - }, - 'GO:0050774': { - 'name': 'negative regulation of dendrite morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of dendrite morphogenesis. [GOC:ai]' - }, - 'GO:0050775': { - 'name': 'positive regulation of dendrite morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of dendrite morphogenesis. [GOC:ai]' - }, - 'GO:0050776': { - 'name': 'regulation of immune response', - 'def': 'Any process that modulates the frequency, rate or extent of the immune response, the immunological reaction of an organism to an immunogenic stimulus. [GOC:ai]' - }, - 'GO:0050777': { - 'name': 'negative regulation of immune response', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the immune response, the immunological reaction of an organism to an immunogenic stimulus. [GOC:ai]' - }, - 'GO:0050778': { - 'name': 'positive regulation of immune response', - 'def': 'Any process that activates or increases the frequency, rate or extent of the immune response, the immunological reaction of an organism to an immunogenic stimulus. [GOC:ai]' - }, - 'GO:0050779': { - 'name': 'RNA destabilization', - 'def': 'Any process that decreases the stability of an RNA molecule, making it more vulnerable to degradative processes. [GOC:ai]' - }, - 'GO:0050780': { - 'name': 'dopamine receptor binding', - 'def': 'Interacting selectively and non-covalently with a dopamine receptor. [GOC:ai]' - }, - 'GO:0050781': { - 'name': 'ortho-trichlorophenol reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: 2,4,6-trichlorophenol + 2 H+ + 2 e- = 2,4-dichlorophenol + HCl. [GOC:ai, PMID:12697029]' - }, - 'GO:0050782': { - 'name': 'galactose uniporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: galactose (out) = galactose(in). [GOC:ai, TC:2.A.1.1.6]' - }, - 'GO:0050783': { - 'name': 'cocaine metabolic process', - 'def': 'The chemical reactions and pathways involving cocaine, an alkaloid obtained from the dried leaves of the shrub Erythroxylon coca. It is a cerebral stimulant and narcotic. [ISBN:0198506732]' - }, - 'GO:0050784': { - 'name': 'cocaine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cocaine, an alkaloid obtained from the dried leaves of the shrub Erythroxylon coca. It is a cerebral stimulant and narcotic. [ISBN:0198506732]' - }, - 'GO:0050785': { - 'name': 'advanced glycation end-product receptor activity', - 'def': 'Combining with advanced glycation end-products and transmitting the signal to initiate a change in cell activity. Advanced glycation end-products (AGEs) form from a series of chemical reactions after an initial glycation event (a non-enzymatic reaction between reducing sugars and free amino groups of proteins). [GOC:signaling, PMID:12453678, PMID:12707408, PMID:7592757, PMID:9224812, Wikipedia:RAGE_(receptor)]' - }, - 'GO:0050786': { - 'name': 'RAGE receptor binding', - 'def': 'Interacting selectively and non-covalently with the RAGE receptor, the receptor for advanced glycation end-products. [GOC:ai]' - }, - 'GO:0050787': { - 'name': 'detoxification of mercury ion', - 'def': 'Any process that reduce or remove the toxicity of mercuric ion. These include transport of mercury away from sensitive areas and to compartments or complexes whose purpose is sequestration of mercury ion and/or reduction of mercury ion (Hg[II]) to metallic mercury (Hg[0]). [PMID:10774920]' - }, - 'GO:0050788': { - 'name': 'sequestering of mercury', - 'def': 'The process of binding or confining toxic mercury ions or atoms such that they are separated from sensitive components of a biological system. [PMID:10774920]' - }, - 'GO:0050789': { - 'name': 'regulation of biological process', - 'def': 'Any process that modulates the frequency, rate or extent of a biological process. Biological processes are regulated by many means; examples include the control of gene expression, protein modification or interaction with a protein or substrate molecule. [GOC:ai, GOC:go_curators]' - }, - 'GO:0050790': { - 'name': 'regulation of catalytic activity', - 'def': 'Any process that modulates the activity of an enzyme. [GOC:ai, GOC:ebc, GOC:vw]' - }, - 'GO:0050792': { - 'name': 'regulation of viral process', - 'def': 'Any process that modulates the rate or extent of the viral life cycle, the set of processes by which a virus reproduces and spreads among hosts. [GOC:go_curators, GOC:tb]' - }, - 'GO:0050793': { - 'name': 'regulation of developmental process', - 'def': 'Any process that modulates the frequency, rate or extent of development, the biological process whose specific outcome is the progression of a multicellular organism over time from an initial condition (e.g. a zygote, or a young adult) to a later condition (e.g. a multicellular animal or an aged adult). [GOC:go_curators]' - }, - 'GO:0050794': { - 'name': 'regulation of cellular process', - 'def': 'Any process that modulates the frequency, rate or extent of a cellular process, any of those that are carried out at the cellular level, but are not necessarily restricted to a single cell. For example, cell communication occurs among more than one cell, but occurs at the cellular level. [GOC:go_curators]' - }, - 'GO:0050795': { - 'name': 'regulation of behavior', - 'def': 'Any process that modulates the frequency, rate or extent of behavior, the internally coordinated responses (actions or inactions) of whole living organisms (individuals or groups) to internal or external stimuli. [GOC:go_curators, GOC:pr]' - }, - 'GO:0050796': { - 'name': 'regulation of insulin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of insulin. [GOC:ai]' - }, - 'GO:0050797': { - 'name': 'thymidylate synthase (FAD) activity', - 'def': 'Catalysis of the reaction: 5,10-methylenetetrahydrofolate + dUMP + NADPH + H+ = dTMP + tetrahydrofolate + NADP+. [EC:2.1.1.148]' - }, - 'GO:0050798': { - 'name': 'activated T cell proliferation', - 'def': 'The expansion of a T cell population following activation by an antigenic stimulus. [GOC:add, GOC:dph]' - }, - 'GO:0050799': { - 'name': 'cocaine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cocaine, an alkaloid obtained from the dried leaves of the shrub Erythroxylon coca. It is a cerebral stimulant and narcotic. [GOC:ai]' - }, - 'GO:0050800': { - 'name': 'obsolete hydrolase activity, acting on acid anhydrides, acting on GTP, involved in cellular and subcellular movement', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of GTP to directly drive the cellular or subcellular transport of a substance. [EC:3.6.5.-, GOC:ai]' - }, - 'GO:0050801': { - 'name': 'ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of ions within an organism or cell. [GOC:ai]' - }, - 'GO:0050802': { - 'name': 'circadian sleep/wake cycle, sleep', - 'def': 'The part of the circadian sleep/wake cycle where the organism is asleep. [GOC:ai]' - }, - 'GO:0050803': { - 'name': 'regulation of synapse structure or activity', - 'def': 'Any process that modulates the physical form or the activity of a synapse, the junction between a neuron and a target (neuron, muscle, or secretory cell). [GOC:ai]' - }, - 'GO:0050804': { - 'name': 'modulation of synaptic transmission', - 'def': 'Any process that modulates the frequency or amplitude of synaptic transmission, the process of communication from a neuron to a target (neuron, muscle, or secretory cell) across a synapse. Amplitude, in this case, refers to the change in postsynaptic membrane potential due to a single instance of synaptic transmission. [GOC:ai]' - }, - 'GO:0050805': { - 'name': 'negative regulation of synaptic transmission', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of synaptic transmission, the process of communication from a neuron to a target (neuron, muscle, or secretory cell) across a synapse. [GOC:ai]' - }, - 'GO:0050806': { - 'name': 'positive regulation of synaptic transmission', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic transmission, the process of communication from a neuron to a target (neuron, muscle, or secretory cell) across a synapse. [GOC:ai]' - }, - 'GO:0050807': { - 'name': 'regulation of synapse organization', - 'def': 'Any process that modulates the physical form of a synapse, the junction between a neuron and a target (neuron, muscle, or secretory cell). [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0050808': { - 'name': 'synapse organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a synapse, the junction between a neuron and a target (neuron, muscle, or secretory cell). [GOC:ai, GOC:pr]' - }, - 'GO:0050809': { - 'name': 'diazepam binding', - 'def': 'Interacting selectively and non-covalently with diazepam, one of the most widely used benzodiazepine drugs. It is used as an anti-anxiety-hypnotic agent and has the proprietary name Valium. [ISBN:0198506732]' - }, - 'GO:0050810': { - 'name': 'regulation of steroid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of steroids, compounds with a 1,2,cyclopentanoperhydrophenanthrene nucleus. [GOC:ai]' - }, - 'GO:0050811': { - 'name': 'GABA receptor binding', - 'def': 'Interacting selectively and non-covalently with the gamma-aminobutyric acid (GABA, 4-aminobutyrate) receptor. [GOC:ai]' - }, - 'GO:0050812': { - 'name': 'regulation of acyl-CoA biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of acyl-CoA. [GOC:ai]' - }, - 'GO:0050813': { - 'name': 'epothilone metabolic process', - 'def': 'The chemical reactions and pathways involving epothilone, a drug obtained from the myxobacteria Sporangium cellulosum that interferes with cell division. Some epothilones are being studied as treatments for cancer. [http://www.onelook.com/, ISBN:0198506732]' - }, - 'GO:0050814': { - 'name': 'epothilone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of epothilone, a drug obtained from the myxobacteria Sporangium cellulosum that interferes with cell division. Some epothilones are being studied as treatments for cancer. [GOC:ai]' - }, - 'GO:0050815': { - 'name': 'phosphoserine binding', - 'def': 'Interacting selectively and non-covalently with a phosphorylated serine residue within a protein. [GOC:ai]' - }, - 'GO:0050816': { - 'name': 'phosphothreonine binding', - 'def': 'Interacting selectively and non-covalently with a phosphorylated threonine residue within a protein. [GOC:ai]' - }, - 'GO:0050817': { - 'name': 'coagulation', - 'def': 'The process in which a fluid solution, or part of it, changes into a solid or semisolid mass. [ISBN:0198506732]' - }, - 'GO:0050818': { - 'name': 'regulation of coagulation', - 'def': 'Any process that modulates the frequency, rate or extent of coagulation, the process in which a fluid solution, or part of it, changes into a solid or semisolid mass. [GOC:ai]' - }, - 'GO:0050819': { - 'name': 'negative regulation of coagulation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of coagulation. [GOC:ai]' - }, - 'GO:0050820': { - 'name': 'positive regulation of coagulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of coagulation. [GOC:ai]' - }, - 'GO:0050821': { - 'name': 'protein stabilization', - 'def': 'Any process involved in maintaining the structure and integrity of a protein and preventing it from degradation or aggregation. [GOC:ai]' - }, - 'GO:0050822': { - 'name': 'peptide stabilization', - 'def': 'Any process involved in maintaining the structure and integrity of a peptide and preventing it from being degraded. [GOC:ai]' - }, - 'GO:0050823': { - 'name': 'peptide antigen stabilization', - 'def': 'Any process involved in maintaining the structure and integrity of a peptide antigen and preventing it from being degraded. [GOC:ai]' - }, - 'GO:0050824': { - 'name': 'water binding', - 'def': 'Interacting selectively and non-covalently with water (H2O). [GOC:ai]' - }, - 'GO:0050825': { - 'name': 'ice binding', - 'def': 'Interacting selectively and non-covalently with ice, water reduced to the solid state by cold temperature. It is a white or transparent colorless substance, crystalline, brittle, and viscoidal. [GOC:curators]' - }, - 'GO:0050826': { - 'name': 'response to freezing', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a freezing stimulus, temperatures below 0 degrees Celsius. [GOC:jl]' - }, - 'GO:0050828': { - 'name': 'regulation of liquid surface tension', - 'def': 'Any process that modulates the surface tension of a liquid. Surface tension is the property that makes a liquid behave as if it had an elastic skin on its surface at the interface with a gas or an immiscible liquid. [ISBN:0198506732]' - }, - 'GO:0050829': { - 'name': 'defense response to Gram-negative bacterium', - 'def': 'Reactions triggered in response to the presence of a Gram-negative bacterium that act to protect the cell or organism. [GOC:ai]' - }, - 'GO:0050830': { - 'name': 'defense response to Gram-positive bacterium', - 'def': 'Reactions triggered in response to the presence of a Gram-positive bacterium that act to protect the cell or organism. [GOC:ai]' - }, - 'GO:0050831': { - 'name': 'male-specific defense response to bacterium', - 'def': 'A set of reactions, specific to males, that are triggered in response to the presence of a bacterium that act to protect the cell or organism. [GOC:ai]' - }, - 'GO:0050832': { - 'name': 'defense response to fungus', - 'def': 'Reactions triggered in response to the presence of a fungus that act to protect the cell or organism. [GOC:ai]' - }, - 'GO:0050833': { - 'name': 'pyruvate transmembrane transporter activity', - 'def': 'Enables the transfer of pyruvate, 2-oxopropanoate, from one side of the membrane to the other. [GOC:ai]' - }, - 'GO:0050834': { - 'name': 'molybdenum incorporation via L-cysteinyl copper sulfido molybdopterin cytosine dinucleotide', - 'def': 'The incorporation of molybdenum into a protein by L-cysteinyl copper sulfido molybdopterin cytosine dinucleotide. [RESID:AA0355]' - }, - 'GO:0050835': { - 'name': 'iron incorporation into iron-sulfur cluster via tris-L-cysteinyl S-adenosylmethion-N,O-diyl tetrairon tetrasulfide', - 'def': 'The incorporation of iron into a 4Fe-4S iron-sulfur cluster via tris-L-cysteinyl S-adenosylmethion-N,O-diyl tetrairon tetrasulfide. [RESID:AA0356]' - }, - 'GO:0050836': { - 'name': 'iron incorporation into iron-sulfur cluster via tris-L-cysteinyl L-arginyl diiron disulfide', - 'def': 'The incorporation of iron into a 4Fe-4S iron-sulfur cluster via tris-L-cysteinyl L-arginyl diiron disulfide. [RESID:AA0357]' - }, - 'GO:0050837': { - 'name': 'peptide cross-linking via L-cysteinyl-L-selenocysteine', - 'def': 'The formation of a selenide-sulfide bond to form the cystine-like L-cysteinyl-L-selenocysteine, as in vertebrate selenopeptide P. [RESID:AA0358]' - }, - 'GO:0050838': { - 'name': 'peptidyl-5-hydroxy-L-lysine trimethylation', - 'def': 'The methylation of 5-hydroxy-L-lysine to form peptidyl-N6,N6,N6-trimethyl-5-hydroxy-L-lysine. [RESID:AA0359]' - }, - 'GO:0050839': { - 'name': 'cell adhesion molecule binding', - 'def': 'Interacting selectively and non-covalently with a cell adhesion molecule. [GOC:ai]' - }, - 'GO:0050840': { - 'name': 'extracellular matrix binding', - 'def': 'Interacting selectively and non-covalently with a component of the extracellular matrix. [GOC:ai]' - }, - 'GO:0050841': { - 'name': 'peptidyl-N6,N6,N6-trimethyl-lysine hydroxylation to peptidyl-N6,N6,N6-trimethyl-5-hydroxy-L-lysine', - 'def': 'The hydroxylation of peptidyl-N6,N6,N6-trimethyl-L-lysine to form peptidyl-N6,N6,N6-trimethyl-5-hydroxy-L-lysine. [RESID:AA0359]' - }, - 'GO:0050842': { - 'name': 'copper incorporation via L-cysteinyl copper sulfido molybdopterin cytosine dinucleotide', - 'def': 'The incorporation of copper into a protein by L-cysteinyl copper sulfido molybdopterin cytosine dinucleotide. [RESID:AA0355]' - }, - 'GO:0050843': { - 'name': 'S-adenosylmethionine catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of S-adenosylmethionine, S-(5'-adenosyl)-L-methionine, an important intermediate in one-carbon metabolism. [GOC:ai]" - }, - 'GO:0050844': { - 'name': 'peptidyl-selenocysteine modification', - 'def': 'The modification of peptidyl-selenocysteine. [GOC:ai]' - }, - 'GO:0050845': { - 'name': 'teichuronic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of teichuronic acid, a polymer containing chains of uronic acids and N-acetylglucosamine found in the cell wall, membrane or capsule of Gram-positive bacteria. [ISBN:0815108893]' - }, - 'GO:0050846': { - 'name': 'teichuronic acid metabolic process', - 'def': 'The chemical reactions and pathways involving teichuronic acid, a polymer containing chains of uronic acids and N-acetylglucosamine found in the cell wall, membrane or capsule of Gram-positive bacteria. [ISBN:0815108893]' - }, - 'GO:0050847': { - 'name': 'progesterone receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of a progesterone binding to its receptor. [GOC:ai, GOC:mah, PMID:14744870]' - }, - 'GO:0050848': { - 'name': 'regulation of calcium-mediated signaling', - 'def': 'Any process that modulates the frequency, rate or extent of calcium-mediated signaling, the process in which a cell uses calcium ions to convert an extracellular signal into a response. [GOC:ai]' - }, - 'GO:0050849': { - 'name': 'negative regulation of calcium-mediated signaling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of calcium-mediated signaling. [GOC:ai, PMID:11696592]' - }, - 'GO:0050850': { - 'name': 'positive regulation of calcium-mediated signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium-mediated signaling. [GOC:ai]' - }, - 'GO:0050851': { - 'name': 'antigen receptor-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the cross-linking of an antigen receptor on a B or T cell. [GOC:add]' - }, - 'GO:0050852': { - 'name': 'T cell receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the cross-linking of an antigen receptor on a T cell. [GOC:add]' - }, - 'GO:0050853': { - 'name': 'B cell receptor signaling pathway', - 'def': 'A series of molecular signals initiated by the cross-linking of an antigen receptor on a B cell. [GOC:add]' - }, - 'GO:0050854': { - 'name': 'regulation of antigen receptor-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of signaling pathways initiated by the cross-linking of an antigen receptor on a B- or T cell. [GOC:ai]' - }, - 'GO:0050855': { - 'name': 'regulation of B cell receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of signaling pathways initiated by the cross-linking of an antigen receptor on a B cell. [GOC:ai]' - }, - 'GO:0050856': { - 'name': 'regulation of T cell receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of signaling pathways initiated by the cross-linking of an antigen receptor on a T cell. [GOC:ai]' - }, - 'GO:0050857': { - 'name': 'positive regulation of antigen receptor-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of signaling pathways initiated by the cross-linking of an antigen receptor on a B- or T cell. [GOC:ai]' - }, - 'GO:0050858': { - 'name': 'negative regulation of antigen receptor-mediated signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signaling pathways initiated by the cross-linking of an antigen receptor on a B- or T cell. [GOC:ai]' - }, - 'GO:0050859': { - 'name': 'negative regulation of B cell receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signaling pathways initiated by the cross-linking of an antigen receptor on a B cell. [GOC:ai]' - }, - 'GO:0050860': { - 'name': 'negative regulation of T cell receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signaling pathways initiated by the cross-linking of an antigen receptor on a T cell. [GOC:ai]' - }, - 'GO:0050861': { - 'name': 'positive regulation of B cell receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of signaling pathways initiated by the cross-linking of an antigen receptor on a B cell. [GOC:ai]' - }, - 'GO:0050862': { - 'name': 'positive regulation of T cell receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of signaling pathways initiated by the cross-linking of an antigen receptor on a T cell. [GOC:ai]' - }, - 'GO:0050863': { - 'name': 'regulation of T cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of T cell activation. [GOC:ai]' - }, - 'GO:0050864': { - 'name': 'regulation of B cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of B cell activation. [GOC:ai]' - }, - 'GO:0050865': { - 'name': 'regulation of cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of cell activation, the change in the morphology or behavior of a cell resulting from exposure to an activating factor such as a cellular or soluble ligand. [GOC:ai]' - }, - 'GO:0050866': { - 'name': 'negative regulation of cell activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell activation. [GOC:ai]' - }, - 'GO:0050867': { - 'name': 'positive regulation of cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of activation. [GOC:ai]' - }, - 'GO:0050868': { - 'name': 'negative regulation of T cell activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of T cell activation. [GOC:ai]' - }, - 'GO:0050869': { - 'name': 'negative regulation of B cell activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of B cell activation. [GOC:ai]' - }, - 'GO:0050870': { - 'name': 'positive regulation of T cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T cell activation. [GOC:ai]' - }, - 'GO:0050871': { - 'name': 'positive regulation of B cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of B cell activation. [GOC:ai]' - }, - 'GO:0050872': { - 'name': 'white fat cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a white adipocyte, an animal connective tissue cell involved in energy storage. White adipocytes have cytoplasmic lipids arranged in a unique vacuole. [PMID:12508945]' - }, - 'GO:0050873': { - 'name': 'brown fat cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a brown adipocyte, an animal connective tissue cell involved in adaptive thermogenesis. Brown adipocytes contain multiple small droplets of triglycerides and a high number of mitochondria. [PMID:12588810]' - }, - 'GO:0050877': { - 'name': 'neurological system process', - 'def': 'A organ system process carried out by any of the organs or tissues of neurological system. [GOC:ai, GOC:mtg_cardio]' - }, - 'GO:0050878': { - 'name': 'regulation of body fluid levels', - 'def': 'Any process that modulates the levels of body fluids. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0050879': { - 'name': 'multicellular organismal movement', - 'def': 'Any physiological process involved in changing the position of a multicellular organism or an anatomical part of a multicellular organism. [GOC:dph, GOC:mtg_muscle, GOC:tb]' - }, - 'GO:0050880': { - 'name': 'regulation of blood vessel size', - 'def': 'Any process that modulates the size of blood vessels. [GOC:ai]' - }, - 'GO:0050881': { - 'name': 'musculoskeletal movement', - 'def': 'The movement of an organism or part of an organism using mechanoreceptors, the nervous system, striated muscle and/or the skeletal system. [GOC:dph]' - }, - 'GO:0050882': { - 'name': 'voluntary musculoskeletal movement', - 'def': 'The movement of an organism or part of an organism using mechanoreceptors, the nervous system, striated muscle and/or the skeletal system that can be controlled at will. [GOC:dph]' - }, - 'GO:0050883': { - 'name': 'musculoskeletal movement, spinal reflex action', - 'def': 'Involuntary movement caused by the application of a stimulus to an organism and a subsequent movement. The signal processing of this movement takes place in the spinal cord. [GOC:dph]' - }, - 'GO:0050884': { - 'name': 'neuromuscular process controlling posture', - 'def': 'Any process in which an organism voluntarily modulates its posture, the alignment of its anatomical parts. [GOC:dph, GOC:tb]' - }, - 'GO:0050885': { - 'name': 'neuromuscular process controlling balance', - 'def': 'Any process that an organism uses to control its balance, the orientation of the organism (or the head of the organism) in relation to the source of gravity. In humans and animals, balance is perceived through visual cues, the labyrinth system of the inner ears and information from skin pressure receptors and muscle and joint receptors. [GOC:ai, GOC:dph, http://www.onelook.com/]' - }, - 'GO:0050886': { - 'name': 'endocrine process', - 'def': 'The process that involves the secretion of or response to endocrine hormones. An endocrine hormone is a hormone released into the circulatory system. [ISBN:0721662544]' - }, - 'GO:0050887': { - 'name': 'determination of sensory modality', - 'def': 'The determination of the type or quality of a sensation. Sensory modalities include touch, thermal sensation, visual sensation, auditory sensation and pain. [ISBN:0721619908]' - }, - 'GO:0050888': { - 'name': 'determination of stimulus location', - 'def': 'The determination of where on the body surface, within the body or in the environment a stimulus originates. [ISBN:0721619908]' - }, - 'GO:0050889': { - 'name': 'determination of stimulus intensity', - 'def': 'The determination of the perceived strength of a sensory stimulus. [ISBN:0721619908]' - }, - 'GO:0050890': { - 'name': 'cognition', - 'def': 'The operation of the mind by which an organism becomes aware of objects of thought or perception; it includes the mental activities associated with thinking, learning, and memory. [http://www.onelook.com/, ISBN:0721619908]' - }, - 'GO:0050891': { - 'name': 'multicellular organismal water homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of water within a tissue, organ, or a multicellular organism. [GOC:dph, GOC:tb]' - }, - 'GO:0050892': { - 'name': 'intestinal absorption', - 'def': 'Any process in which nutrients are taken up from the contents of the intestine. [GOC:ai, GOC:dph]' - }, - 'GO:0050893': { - 'name': 'sensory processing', - 'def': 'Any neural process required for an organism to sense and interpret the dimensions of a sensory experience: modality, location, intensity and affect. [GOC:dph, ISBN:0721662544]' - }, - 'GO:0050894': { - 'name': 'determination of affect', - 'def': 'Any process in which an emotional response is associated with a particular sensory stimulation. [GOC:ai, GOC:dph, ISBN:0721662544]' - }, - 'GO:0050896': { - 'name': 'response to stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus. The process begins with detection of the stimulus and ends with a change in state or activity or the cell or organism. [GOC:ai, GOC:bf]' - }, - 'GO:0050897': { - 'name': 'cobalt ion binding', - 'def': 'Interacting selectively and non-covalently with a cobalt (Co) ion. [GOC:ai]' - }, - 'GO:0050898': { - 'name': 'nitrile metabolic process', - 'def': 'The chemical reactions and pathways involving nitriles, an organic compound containing trivalent nitrogen attached to one carbon atom. The nitriles are named with reference to the acids produced by their decomposition; for example, hydrocyanic acid is formic nitrile, and methyl cyanide is acetic nitrile. [CHEBI:18379, GOC:curators, ISBN:0721662544]' - }, - 'GO:0050899': { - 'name': 'nitrile catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a nitrile, an organic compound containing trivalent nitrogen attached to one carbon atom. [ISBN:0721662544]' - }, - 'GO:0050900': { - 'name': 'leukocyte migration', - 'def': 'The movement of a leukocyte within or between different tissues and organs of the body. [GOC:add, ISBN:0781735149, PMID:14680625, PMID:14708592, PMID:7507411, PMID:8600538]' - }, - 'GO:0050901': { - 'name': 'leukocyte tethering or rolling', - 'def': 'Transient adhesive interactions between leukocytes and endothelial cells lining blood vessels. Carbohydrates on circulating leukocytes bind selectins on the vessel wall causing the leukocytes to slow down and roll along the inner surface of the vessel wall. During this rolling motion, transitory bonds are formed and broken between selectins and their ligands. Typically the first step in cellular extravasation (the movement of leukocytes out of the circulatory system, towards the site of tissue damage or infection). [GOC:bf, ISBN:0781735149, PMID:14680625, PMID:14708592, PMID:7507411, PMID:8600538, Wikipedia:Leukocyte_extravasation]' - }, - 'GO:0050902': { - 'name': 'leukocyte adhesive activation', - 'def': 'The activation of loosely bound or rolling leukocytes by signals displayed on blood vessel endothelial cells, which is typically the second step in cellular extravasation. [ISBN:0781735149, PMID:14680625, PMID:14708592, PMID:7507411, PMID:8600538]' - }, - 'GO:0050903': { - 'name': 'leukocyte activation-dependent arrest', - 'def': 'The formation of an integrin-dependent strong adhesive bond between leukocytes and blood vessel endothelial cells which is dependent on prior activation of the leukocyte and leads to the firm attachment of the leukocyte to the endothelial surface, typically the third step in cellular extravasation. [ISBN:0781735149, PMID:14680625, PMID:14708592, PMID:7507411, PMID:8600538]' - }, - 'GO:0050904': { - 'name': 'diapedesis', - 'def': 'The passage of a leukocyte between the tight junctions of endothelial cells lining blood vessels, typically the fourth and final step of cellular extravasation. [ISBN:078173514, PMID:14680625, PMID:14708592, PMID:7507411, PMID:8600538]' - }, - 'GO:0050905': { - 'name': 'neuromuscular process', - 'def': 'Any process pertaining to the functions of the nervous and muscular systems of an organism. [GOC:ai]' - }, - 'GO:0050906': { - 'name': 'detection of stimulus involved in sensory perception', - 'def': 'The series of events involved in sensory perception in which a sensory stimulus is received and converted into a molecular signal. [GOC:ai, GOC:dos, GOC:dph]' - }, - 'GO:0050907': { - 'name': 'detection of chemical stimulus involved in sensory perception', - 'def': 'The series of events in which a chemical stimulus is received and converted into a molecular signal as part of sensory perception. [GOC:ai, GOC:dos]' - }, - 'GO:0050908': { - 'name': 'detection of light stimulus involved in visual perception', - 'def': 'The series of events involved in visual perception in which a light stimulus is received and converted into a molecular signal. [GOC:ai, GOC:dos]' - }, - 'GO:0050909': { - 'name': 'sensory perception of taste', - 'def': 'The series of events required for an organism to receive a gustatory stimulus, convert it to a molecular signal, and recognize and characterize the signal. Gustation involves the direct detection of chemical composition, usually through contact with chemoreceptor cells. This is a neurological process. [GOC:ai, http://www.onelook.com/]' - }, - 'GO:0050910': { - 'name': 'detection of mechanical stimulus involved in sensory perception of sound', - 'def': 'The series of events involved in the perception of sound vibration in which the vibration is received and converted into a molecular signal. [GOC:ai]' - }, - 'GO:0050911': { - 'name': 'detection of chemical stimulus involved in sensory perception of smell', - 'def': 'The series of events involved in the perception of smell in which an olfactory chemical stimulus is received and converted into a molecular signal. [GOC:ai]' - }, - 'GO:0050912': { - 'name': 'detection of chemical stimulus involved in sensory perception of taste', - 'def': 'The series of events involved in the perception of taste in which a gustatory chemical stimulus is received and converted into a molecular signal. [GOC:ai]' - }, - 'GO:0050913': { - 'name': 'sensory perception of bitter taste', - 'def': 'The series of events required to receive a bitter taste stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai]' - }, - 'GO:0050914': { - 'name': 'sensory perception of salty taste', - 'def': 'The series of events required to receive a salty taste stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai]' - }, - 'GO:0050915': { - 'name': 'sensory perception of sour taste', - 'def': 'The series of events required to receive a sour taste stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai]' - }, - 'GO:0050916': { - 'name': 'sensory perception of sweet taste', - 'def': 'The series of events required to receive a sweet taste stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai]' - }, - 'GO:0050917': { - 'name': 'sensory perception of umami taste', - 'def': 'The series of events required to receive an umami taste stimulus, convert it to a molecular signal, and recognize and characterize the signal. Umami taste is the savory taste of meats and other foods that are rich in glutamates. This is a neurological process. [GOC:ai]' - }, - 'GO:0050918': { - 'name': 'positive chemotaxis', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of a chemical. [GOC:ai, GOC:bf, GOC:isa_complete]' - }, - 'GO:0050919': { - 'name': 'negative chemotaxis', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of a chemical. [GOC:ai, GOC:bf, GOC:isa_complete]' - }, - 'GO:0050920': { - 'name': 'regulation of chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a motile cell or organism in response to a specific chemical concentration gradient. [GOC:ai]' - }, - 'GO:0050921': { - 'name': 'positive regulation of chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of a motile cell or organism in response to a specific chemical concentration gradient. [GOC:ai]' - }, - 'GO:0050922': { - 'name': 'negative regulation of chemotaxis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of a motile cell or organism in response to a specific chemical concentration gradient. [GOC:ai]' - }, - 'GO:0050923': { - 'name': 'regulation of negative chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a motile cell or organism towards a lower concentration in a concentration gradient of a specific chemical. [GOC:ai]' - }, - 'GO:0050924': { - 'name': 'positive regulation of negative chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of a motile cell or organism towards a lower concentration in a concentration gradient of a specific chemical. [GOC:ai]' - }, - 'GO:0050925': { - 'name': 'negative regulation of negative chemotaxis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of a motile cell or organism towards a lower concentration in a concentration gradient of a specific chemical. [GOC:ai]' - }, - 'GO:0050926': { - 'name': 'regulation of positive chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a motile cell or organism towards a higher concentration in a concentration gradient of a specific chemical. [GOC:ai]' - }, - 'GO:0050927': { - 'name': 'positive regulation of positive chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of a motile cell or organism towards a higher concentration in a concentration gradient of a specific chemical. [GOC:ai]' - }, - 'GO:0050928': { - 'name': 'negative regulation of positive chemotaxis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of a motile cell or organism towards a higher concentration in a concentration gradient of a specific chemical. [GOC:ai]' - }, - 'GO:0050929': { - 'name': 'induction of negative chemotaxis', - 'def': 'Any process that initiates the directed movement of a motile cell or organism towards a lower concentration in a concentration gradient of a specific chemical. [GOC:ai]' - }, - 'GO:0050930': { - 'name': 'induction of positive chemotaxis', - 'def': 'Any process that initiates the directed movement of a motile cell or organism towards a higher concentration in a concentration gradient of a specific chemical. [GOC:ai]' - }, - 'GO:0050931': { - 'name': 'pigment cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a pigmented cell, such as a melanocyte. [GOC:dgh]' - }, - 'GO:0050932': { - 'name': 'regulation of pigment cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of pigmented cell differentiation. [GOC:ai]' - }, - 'GO:0050933': { - 'name': 'early stripe melanocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an early stripe melanocyte (ESM). In zebrafish, ESMs develop during the first phase (2-3 weeks of development) of the larva to adult transition (2-4 weeks of development). [PMID:11858836]' - }, - 'GO:0050934': { - 'name': 'late stripe melanocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a late stripe melanocyte (LSM). In zebrafish, LSMs develop during the second phase (3-4 weeks of development) of the larva-to-adult transition (2-4 weeks of development). [PMID:11858836]' - }, - 'GO:0050935': { - 'name': 'iridophore differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an iridophore. Iridophores are pigment cells derived from the neural crest. They contain guanidine or other purine crystals deposited in stacks called reflecting platets or iridisomes. This gives them a silver, gold, or iridescent appearance. [GOC:jid, GOC:mh, PMID:11858836]' - }, - 'GO:0050936': { - 'name': 'xanthophore differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a xanthophore cell. Xanthophores are pigment cells derived from the neural crest. They contain pteridine and/or carotenoid pigments in structures called pterinosomes or xanthosomes. This makes them yellow to orange in appearance. [GOC:jid, GOC:mh, PMID:11858836]' - }, - 'GO:0050937': { - 'name': 'regulation of iridophore differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of iridophore differentiation. [GOC:ai]' - }, - 'GO:0050938': { - 'name': 'regulation of xanthophore differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of xanthophore differentiation. [GOC:ai]' - }, - 'GO:0050939': { - 'name': 'regulation of early stripe melanocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of early stripe melanocyte differentiation. [GOC:ai]' - }, - 'GO:0050940': { - 'name': 'regulation of late stripe melanocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of late stripe melanocyte differentiation. [GOC:ai]' - }, - 'GO:0050941': { - 'name': 'negative regulation of pigment cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of pigment cell differentiation. [GOC:ai]' - }, - 'GO:0050942': { - 'name': 'positive regulation of pigment cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of pigment cell differentiation. [GOC:ai]' - }, - 'GO:0050943': { - 'name': 'negative regulation of iridophore differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of iridophore differentiation. [GOC:ai]' - }, - 'GO:0050944': { - 'name': 'negative regulation of xanthophore differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of xanthophore differentiation. [GOC:ai]' - }, - 'GO:0050945': { - 'name': 'positive regulation of iridophore differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of iridophore differentiation. [GOC:ai]' - }, - 'GO:0050946': { - 'name': 'positive regulation of xanthophore differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of xanthophore differentiation. [GOC:ai]' - }, - 'GO:0050947': { - 'name': 'negative regulation of early stripe melanocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of early stripe melanocyte differentiation. [GOC:ai]' - }, - 'GO:0050948': { - 'name': 'positive regulation of early stripe melanocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of early stripe melanocyte differentiation. [GOC:ai]' - }, - 'GO:0050949': { - 'name': 'negative regulation of late stripe melanocyte differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of late stripe melanocyte differentiation. [GOC:ai]' - }, - 'GO:0050950': { - 'name': 'positive regulation of late stripe melanocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of late stripe melanocyte differentiation. [GOC:ai]' - }, - 'GO:0050951': { - 'name': 'sensory perception of temperature stimulus', - 'def': 'The series of events required for an organism to receive a sensory temperature stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai]' - }, - 'GO:0050952': { - 'name': 'sensory perception of electrical stimulus', - 'def': 'The series of events required for an organism to receive a sensory electrical stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai]' - }, - 'GO:0050953': { - 'name': 'sensory perception of light stimulus', - 'def': 'The series of events required for an organism to receive a sensory light stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai]' - }, - 'GO:0050954': { - 'name': 'sensory perception of mechanical stimulus', - 'def': 'The series of events required for an organism to receive a sensory mechanical stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:ai]' - }, - 'GO:0050955': { - 'name': 'thermoception', - 'def': 'The series of events required for an organism to receive a temperature stimulus, convert it to a molecular signal, and recognize and characterize the signal. Thermoception in larger animals is mainly done in the skin; mammals have at least two types of sensor, for detecting heat (temperatures above body temperature) and cold (temperatures below body temperature). [GOC:ai, Wikipedia:Thermoception]' - }, - 'GO:0050956': { - 'name': 'electroception', - 'def': 'The series of events required for an organism to receive an electrical stimulus, convert it to a molecular signal, and recognize and characterize the signal. Many fish possess an electroception sense; for example, the electric eel uses low voltage pulses of electricity for navigation and prey location. [GOC:ai, PMID:10210663, Wikipedia:Electroreception]' - }, - 'GO:0050957': { - 'name': 'equilibrioception', - 'def': 'The series of events required for an organism to receive an orientational stimulus, convert it to a molecular signal, and recognize and characterize the signal. Equilibrioception refers to a combination of processes by which an organism can perceive its orientation with respect to gravity. In animals, stimuli come from labyrinth system of the inner ears, monitoring the direction of motion; visual stimuli, with information on orientation and motion; pressure receptors, which tell the organism which body surfaces are in contact with the ground; and proprioceptive cues, which report which parts of the body are in motion. [http://www.medterms.com, http://www.onelook.com/]' - }, - 'GO:0050958': { - 'name': 'magnetoreception', - 'def': 'The series of events required for an organism to receive a stimulus relating to a magnetic field, convert it to a molecular signal, and recognize and characterize the signal. Stimuli may be chemical, mechanical or electrical and interpreting these stimuli allows an organism to determine the orientation of a magnetic field. Magnetoreception also involves the perception of light; birds cannot orient without the presence of short wavelength (blue/green) light. [GOC:ai, PMID:15886990, Wikipedia:Magnetoception]' - }, - 'GO:0050959': { - 'name': 'echolocation', - 'def': 'Echolocation is the method used by some animals (e.g. bats, dolphins and some whales) to determine the location of something by measuring the time it takes for an echo to return from it. These animals emit sound waves and listen for the echo, calculating the distance to the object from the time lapse between sound emission and the echo returning. [http://www.onelook.com/, PMID:16005275, Wikipedia:Animal_echolocation]' - }, - 'GO:0050960': { - 'name': 'detection of temperature stimulus involved in thermoception', - 'def': 'The series of events in which a temperature stimulus is received and converted into a molecular signal as part of thermoception. [GOC:ai, GOC:dos]' - }, - 'GO:0050961': { - 'name': 'detection of temperature stimulus involved in sensory perception', - 'def': 'The series of events in which a temperature stimulus is received and converted into a molecular signal as part of sensory perception. [GOC:ai, GOC:dos]' - }, - 'GO:0050962': { - 'name': 'detection of light stimulus involved in sensory perception', - 'def': 'The series of events in which a light stimulus is received by a cell and converted into a molecular signal as part of the sensory perception of light. [GOC:ai, GOC:dos]' - }, - 'GO:0050963': { - 'name': 'detection of electrical stimulus involved in sensory perception', - 'def': 'The series of events in which an electrical stimulus is received by a cell and converted into a molecular signal as part of sensory perception. [GOC:ai, GOC:dos]' - }, - 'GO:0050964': { - 'name': 'detection of electrical stimulus involved in electroception', - 'def': 'The series of events that contribute to electroception in which an electrical stimulus is received and converted into a molecular signal. [GOC:ai, GOC:dos]' - }, - 'GO:0050965': { - 'name': 'detection of temperature stimulus involved in sensory perception of pain', - 'def': 'The series of events involved in the perception of pain in which a temperature stimulus is received and converted into a molecular signal. [GOC:ai, GOC:dos]' - }, - 'GO:0050966': { - 'name': 'detection of mechanical stimulus involved in sensory perception of pain', - 'def': 'The series of events involved in the perception of pain in which a mechanical stimulus is received and converted into a molecular signal. [GOC:ai, GOC:dos]' - }, - 'GO:0050967': { - 'name': 'detection of electrical stimulus involved in sensory perception of pain', - 'def': 'The series of events that contribute to the perception of pain in which an electrical stimulus is received and converted into a molecular signal. [GOC:ai, GOC:dos, GOC:dph, GOC:tb]' - }, - 'GO:0050968': { - 'name': 'detection of chemical stimulus involved in sensory perception of pain', - 'def': 'The series of events involved in the perception of pain in which a chemical stimulus is received and converted into a molecular signal. [GOC:ai]' - }, - 'GO:0050969': { - 'name': 'detection of chemical stimulus involved in magnetoreception', - 'def': 'The series of events involved in magnetoception in which a chemical stimulus is received and converted into a molecular signal. It is believed that organisms such as birds and salamanders interpret product ratios in chemical reactions which involve transitions between different spin states. [GOC:ai, GOC:dos]' - }, - 'GO:0050970': { - 'name': 'detection of electrical stimulus involved in magnetoreception', - 'def': 'The series of events that contribute to magnetoception in which an electrical stimulus is received and converted into a molecular signal. The stimulus is in the form of an induced electric field resulting from movement in a magnetic field. [GOC:ai, GOC:dos, GOC:dph, GOC:tb, PMID:15886990, Wikipedia:Magnetoception]' - }, - 'GO:0050971': { - 'name': 'detection of mechanical stimulus involved in magnetoreception', - 'def': 'The series of events involved in magnetoception in which a mechanical stimulus is received and converted into a molecular signal. The stimulus is in the form of torque on particles such as magnetite which respond to a magnetic field. [GOC:ai, GOC:dos]' - }, - 'GO:0050972': { - 'name': 'detection of mechanical stimulus involved in echolocation', - 'def': 'The series of events involved in echolocation in which a mechanical stimulus is received and converted into a molecular signal. The stimulus is in the form of a reflected sound wave (an echo), which the organism uses to determine the distance to the object that reflected the sound wave. [GOC:ai, GOC:dos]' - }, - 'GO:0050973': { - 'name': 'detection of mechanical stimulus involved in equilibrioception', - 'def': 'The series of events involved in equilibrioception in which a mechanical stimulus is received and converted into a molecular signal. During equilibrioception, mechanical stimuli may be in the form of input from pressure receptors or from the labyrinth system of the inner ears. [GOC:ai, GOC:dos]' - }, - 'GO:0050974': { - 'name': 'detection of mechanical stimulus involved in sensory perception', - 'def': 'The series of events in which a mechanical stimulus is received and converted into a molecular signal as part of sensory perception. [GOC:ai, GOC:dos]' - }, - 'GO:0050975': { - 'name': 'sensory perception of touch', - 'def': 'The series of events required for an organism to receive a touch stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. The perception of touch in animals is mediated by mechanoreceptors in the skin and mucous membranes and is the sense by which contact with objects gives evidence as to certain of their qualities. Different types of touch can be perceived (for example, light, coarse, pressure and tickling) and the stimulus may be external or internal (e.g. the feeling of a full stomach). [GOC:ai]' - }, - 'GO:0050976': { - 'name': 'detection of mechanical stimulus involved in sensory perception of touch', - 'def': 'The series of events involved in the perception of touch in which a mechanical stimulus is received and converted into a molecular signal. [GOC:ai, GOC:dos]' - }, - 'GO:0050977': { - 'name': 'magnetoreception by sensory perception of chemical stimulus', - 'def': "The series of events required for an organism to receive a chemical stimulus relating to a magnetic field, convert it to a molecular signal, and recognize and characterize the signal. It is believed that organisms such as birds and salamanders use a 'chemical compass': chemical reactions that involve transitions between different spin states can be influenced by magnetic fields and by detecting the different product ratios, these organisms can perceive the direction of the magnetic field. The mechanism by which this is detected is not certain but it may also involve light stimuli. [GOC:ai, PMID:15886990, Wikipedia:Magnetoception]" - }, - 'GO:0050978': { - 'name': 'magnetoreception by sensory perception of electrical stimulus', - 'def': 'The series of events required for an organism to receive an electrical stimulus relating to a magnetic field, convert it to a molecular signal, and recognize and characterize the signal. Movement in a magnetic field results in an induced electric field, which can be perceived by organisms such as elasmobranch fish. [GOC:ai, PMID:15886990, Wikipedia:Magnetoception]' - }, - 'GO:0050979': { - 'name': 'magnetoreception by sensory perception of mechanical stimulus', - 'def': 'The series of events required for an organism to receive a mechanical stimulus relating to a magnetic field, convert it to a molecular signal, and recognize and characterize the signal. A magnetic field exerts a torque on a ferromagnetic material (e.g. magnetite) or on a material with diamagnetic anisotropy; organisms that can detect this torque can use it to determine the orientation of the magnetic field. [GOC:ai, PMID:15886990, Wikipedia:Magnetoception]' - }, - 'GO:0050980': { - 'name': 'detection of light stimulus involved in magnetoreception', - 'def': 'The series of events involved in magnetoception in which a light stimulus is received and converted into a molecular signal. Downstream processing of the light information in addition to other sensory data allows organisms to perceive the orientation of a magnetic field. [GOC:ai, GOC:dos, PMID:15886990, Wikipedia:Magnetoception]' - }, - 'GO:0050981': { - 'name': 'detection of electrical stimulus', - 'def': 'The series of events by which an electrical stimulus is received and converted into a molecular signal. [GOC:ai, GOC:dos]' - }, - 'GO:0050982': { - 'name': 'detection of mechanical stimulus', - 'def': 'The series of events by which a mechanical stimulus is received and converted into a molecular signal. [GOC:ai, GOC:dos]' - }, - 'GO:0050983': { - 'name': 'obsolete deoxyhypusine biosynthetic process from spermidine', - 'def': 'The chemical reactions resulting in the formation of deoxyhypusine from spermidine by the enzyme [eIF-5A]-deoxyhypusine synthase. The reaction occurs in four steps: 1. spermidine + NAD+ = dehydrospermidine + NADH + H+; 2. dehydrospermidine + [enzyme]-lysine = 1,3-diaminopropane + [enzyme]-lysine-N6=CH(CH2)3NH2; 3. [enzyme]-lysine-N6=CH(CH2)3NH2 = [eIF-5A]-lysine-N6=CH(CH2)3NH2; 4. [eIF-5A]-lysine-N6=CH(CH2)3NH2 + NADH + H+ = [eIF-5A]-deoxyhypusine + NAD+. [MetaCyc:1.1.1.249-RXN]' - }, - 'GO:0050984': { - 'name': 'peptidyl-serine sulfation', - 'def': 'The sulfation of peptidyl-serine to form peptidyl-O-sulfo-L-serine. [RESID:AA0361]' - }, - 'GO:0050985': { - 'name': 'peptidyl-threonine sulfation', - 'def': 'The sulfation of peptidyl-threonine to form peptidyl-O-sulfo-L-threonine. [RESID:AA0362]' - }, - 'GO:0050986': { - 'name': 'isopeptide cross-linking via N-(L-isoglutamyl)-glycine', - 'def': 'The formation of an isopeptide cross-link between peptidyl-glutamate and peptidyl-glycine to produce N-(L-isoglutamyl)-glycine, as found in the antibiotic microcin J25. [PMID:14531691, RESID:AA0360]' - }, - 'GO:0050987': { - 'name': 'enzyme active site formation via O-sulfo-L-serine', - 'def': 'The transient sulfation of peptidyl-serine to form O-sulfo-L-serine. [RESID:AA0361]' - }, - 'GO:0050988': { - 'name': 'N-terminal peptidyl-methionine carboxylation', - 'def': 'The carboxylation of the N-terminal methionine of proteins to form the derivative N-carboxy-L-methionine. [RESID:AA0363]' - }, - 'GO:0050989': { - 'name': 'N-terminal protein amino acid carboxylation', - 'def': 'The carboxylation of the N-terminal amino acid of proteins. [GOC:ai]' - }, - 'GO:0050990': { - 'name': 'N-terminal protein amino acid carbamoylation', - 'def': 'The carbamoylation of the N-terminal amino acid of proteins. [GOC:ai]' - }, - 'GO:0050991': { - 'name': 'enzyme active site formation via O-sulfo-L-threonine', - 'def': 'The transient sulfation of peptidyl-threonine to form O-sulfo-L-threonine. [RESID:AA0362]' - }, - 'GO:0050992': { - 'name': 'dimethylallyl diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dimethylallyl diphosphate. [GOC:ai]' - }, - 'GO:0050993': { - 'name': 'dimethylallyl diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving dimethylallyl diphosphate. [GOC:ai]' - }, - 'GO:0050994': { - 'name': 'regulation of lipid catabolic process', - 'def': 'Any process that modulates the frequency, rate, or extent of the chemical reactions and pathways resulting in the breakdown of lipids. [GOC:ai]' - }, - 'GO:0050995': { - 'name': 'negative regulation of lipid catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of lipids. [GOC:ai]' - }, - 'GO:0050996': { - 'name': 'positive regulation of lipid catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the breakdown of lipids. [GOC:ai]' - }, - 'GO:0050997': { - 'name': 'quaternary ammonium group binding', - 'def': 'Interacting selectively and non-covalently with a quaternary ammonium group, including glycine betaine, choline, carnitine and proline. A quaternary ammonium group is any compound that can be regarded as derived from ammonium hydroxide or an ammonium salt by replacement of all four hydrogen atoms of the NH4+ ion by organic groups. [GOC:ai]' - }, - 'GO:0050998': { - 'name': 'nitric-oxide synthase binding', - 'def': 'Interacting selectively and non-covalently with the enzyme nitric-oxide synthase. [GOC:ai]' - }, - 'GO:0050999': { - 'name': 'regulation of nitric-oxide synthase activity', - 'def': 'Any process that modulates the activity of the enzyme nitric-oxide synthase. [GOC:ai]' - }, - 'GO:0051000': { - 'name': 'positive regulation of nitric-oxide synthase activity', - 'def': 'Any process that activates or increases the activity of the enzyme nitric-oxide synthase. [GOC:ai]' - }, - 'GO:0051001': { - 'name': 'negative regulation of nitric-oxide synthase activity', - 'def': 'Any process that stops or reduces the activity of the enzyme nitric-oxide synthase. [GOC:ai]' - }, - 'GO:0051002': { - 'name': 'ligase activity, forming nitrogen-metal bonds', - 'def': 'Catalysis of the joining of a metal ion to a molecule via a nitrogen-metal bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate. [EC:6.6, GOC:mah]' - }, - 'GO:0051003': { - 'name': 'ligase activity, forming nitrogen-metal bonds, forming coordination complexes', - 'def': 'Catalysis of the ligation of two substances via a nitrogen-metal bond, forming a coordination complex. [EC:6.6.1.-]' - }, - 'GO:0051004': { - 'name': 'regulation of lipoprotein lipase activity', - 'def': 'Any process that modulates the activity of the enzyme lipoprotein lipase. [GOC:ai]' - }, - 'GO:0051005': { - 'name': 'negative regulation of lipoprotein lipase activity', - 'def': 'Any process that stops or reduces the activity of the enzyme lipoprotein lipase. [GOC:ai]' - }, - 'GO:0051006': { - 'name': 'positive regulation of lipoprotein lipase activity', - 'def': 'Any process that activates or increases the activity of the enzyme lipoprotein lipase. [GOC:ai]' - }, - 'GO:0051007': { - 'name': 'squalene-hopene cyclase activity', - 'def': 'Catalysis of the reaction: squalene = hop-22(29)-ene. [EC:5.4.99.17]' - }, - 'GO:0051008': { - 'name': 'Hsp27 protein binding', - 'def': 'Interacting selectively and non-covalently with Hsp27 proteins, a lightweight heat shock protein. [GOC:ai]' - }, - 'GO:0051009': { - 'name': 'O-acetylhomoserine sulfhydrylase activity', - 'def': 'Catalysis of the reaction: O-acetyl-L-homoserine + hydrogen sulfide = homocysteine + acetate. [MetaCyc:ACETYLHOMOSER-CYS-RXN, RHEA:27825]' - }, - 'GO:0051010': { - 'name': 'microtubule plus-end binding', - 'def': 'Interacting selectively and non-covalently with the plus end of a microtubule. [GOC:ai, PMID:14557818, PMID:14614826]' - }, - 'GO:0051011': { - 'name': 'microtubule minus-end binding', - 'def': 'Interacting selectively and non-covalently with the minus end of a microtubule. [GOC:ai, PMID:14557818, PMID:14614826]' - }, - 'GO:0051012': { - 'name': 'microtubule sliding', - 'def': 'The movement of one microtubule along another microtubule. [PMID:14557818, PMID:14614826]' - }, - 'GO:0051013': { - 'name': 'microtubule severing', - 'def': 'The process in which a microtubule is broken down into smaller segments. [GOC:ai, PMID:14657234]' - }, - 'GO:0051014': { - 'name': 'actin filament severing', - 'def': 'The process in which an actin filament is broken down into smaller filaments. [GOC:ai, PMID:14657234]' - }, - 'GO:0051015': { - 'name': 'actin filament binding', - 'def': 'Interacting selectively and non-covalently with an actin filament, also known as F-actin, a helical filamentous polymer of globular G-actin subunits. [ISBN:0198506732]' - }, - 'GO:0051016': { - 'name': 'barbed-end actin filament capping', - 'def': 'The binding of a protein or protein complex to the barbed (or plus) end of an actin filament, thus preventing the addition, exchange or removal of further actin subunits. [ISBN:071673706X]' - }, - 'GO:0051017': { - 'name': 'actin filament bundle assembly', - 'def': 'The assembly of actin filament bundles; actin filaments are on the same axis but may be oriented with the same or opposite polarities and may be packed with different levels of tightness. [GOC:ai]' - }, - 'GO:0051018': { - 'name': 'protein kinase A binding', - 'def': 'Interacting selectively and non-covalently with any subunit of protein kinase A. [GOC:ai]' - }, - 'GO:0051019': { - 'name': 'mitogen-activated protein kinase binding', - 'def': 'Interacting selectively and non-covalently with a mitogen-activated protein kinase. [GOC:ai]' - }, - 'GO:0051020': { - 'name': 'GTPase binding', - 'def': 'Interacting selectively and non-covalently with a GTPase, any enzyme that catalyzes the hydrolysis of GTP. [GOC:ai]' - }, - 'GO:0051021': { - 'name': 'GDP-dissociation inhibitor binding', - 'def': 'Interacting selectively and non-covalently with a GDP-dissociation inhibitor protein. [GOC:ai]' - }, - 'GO:0051022': { - 'name': 'Rho GDP-dissociation inhibitor binding', - 'def': 'Interacting selectively and non-covalently with a Rho GDP-dissociation inhibitor protein. [GOC:ai]' - }, - 'GO:0051023': { - 'name': 'regulation of immunoglobulin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of immunoglobulins from a cell. [GOC:ai]' - }, - 'GO:0051024': { - 'name': 'positive regulation of immunoglobulin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of immunoglobulins from a cell. [GOC:ai]' - }, - 'GO:0051025': { - 'name': 'negative regulation of immunoglobulin secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of immunoglobulins from a cell. [GOC:ai]' - }, - 'GO:0051026': { - 'name': 'chiasma assembly', - 'def': 'The cell cycle process in which a connection between chromatids assembles, indicating where an exchange of homologous segments has taken place by the crossing-over of non-sister chromatids. [http://www.onelook.com]' - }, - 'GO:0051027': { - 'name': 'DNA transport', - 'def': 'The directed movement of RNA, deoxyribonucleic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051028': { - 'name': 'mRNA transport', - 'def': 'The directed movement of mRNA, messenger ribonucleic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051029': { - 'name': 'rRNA transport', - 'def': 'The directed movement of rRNA, ribosomal ribonucleic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051030': { - 'name': 'snRNA transport', - 'def': 'The directed movement of snRNA, small nuclear ribonucleic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051031': { - 'name': 'tRNA transport', - 'def': 'The directed movement of tRNA, transfer ribonucleic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051032': { - 'name': 'nucleic acid transmembrane transporter activity', - 'def': 'Enables the transfer of nucleic acids from one side of a membrane to the other. Nucleic acids are single or double-stranded polynucleotides involved in the storage, transmission and transfer of genetic information. [GOC:ai]' - }, - 'GO:0051033': { - 'name': 'RNA transmembrane transporter activity', - 'def': 'Enables the transfer of RNA, ribonucleic acid, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0051034': { - 'name': 'tRNA transmembrane transporter activity', - 'def': 'Enables the transfer of tRNA, transfer ribonucleic acid, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0051035': { - 'name': 'DNA transmembrane transporter activity', - 'def': 'Enables the transfer of DNA, deoxyribonucleic acid, from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0051036': { - 'name': 'regulation of endosome size', - 'def': 'Any process that modulates the volume of an endosome, a membrane-bounded organelle that carries materials newly ingested by endocytosis. [GOC:ai]' - }, - 'GO:0051037': { - 'name': 'regulation of transcription involved in meiotic cell cycle', - 'def': 'Any process that modulates the frequency, rate or extent of transcription as part of a meiotic cell cycle. [GOC:go_curators]' - }, - 'GO:0051038': { - 'name': 'negative regulation of transcription involved in meiotic cell cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription involved in the meiotic cell cycle. [GOC:ai]' - }, - 'GO:0051039': { - 'name': 'positive regulation of transcription involved in meiotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription as part of a meiotic cell cycle. [GOC:ai]' - }, - 'GO:0051040': { - 'name': 'regulation of calcium-independent cell-cell adhesion', - 'def': 'Any process that modulates the frequency, rate or extent of the attachment of one cell to another cell via adhesion molecules that do not require the presence of calcium for the interaction. [GOC:ai]' - }, - 'GO:0051041': { - 'name': 'positive regulation of calcium-independent cell-cell adhesion', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium-independent cell-cell adhesion. [GOC:ai]' - }, - 'GO:0051042': { - 'name': 'negative regulation of calcium-independent cell-cell adhesion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of calcium-independent cell-cell adhesion. [GOC:ai]' - }, - 'GO:0051043': { - 'name': 'regulation of membrane protein ectodomain proteolysis', - 'def': 'Any process that modulates the frequency, rate or extent of the proteolytic cleavage of transmembrane proteins and release of their ectodomain (extracellular domain). [GOC:ai]' - }, - 'GO:0051044': { - 'name': 'positive regulation of membrane protein ectodomain proteolysis', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane protein ectodomain peptidolysis. [GOC:ai]' - }, - 'GO:0051045': { - 'name': 'negative regulation of membrane protein ectodomain proteolysis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of membrane protein ectodomain proteolysis. [GOC:ai]' - }, - 'GO:0051046': { - 'name': 'regulation of secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the controlled release of a substance from a cell or a tissue. [GOC:ai]' - }, - 'GO:0051047': { - 'name': 'positive regulation of secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the controlled release of a substance from a cell or a tissue. [GOC:ai]' - }, - 'GO:0051048': { - 'name': 'negative regulation of secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the controlled release of a substance from a cell or a tissue. [GOC:ai]' - }, - 'GO:0051049': { - 'name': 'regulation of transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of substances (such as macromolecules, small molecules, ions) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051050': { - 'name': 'positive regulation of transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of substances (such as macromolecules, small molecules, ions) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051051': { - 'name': 'negative regulation of transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of substances (such as macromolecules, small molecules, ions) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051052': { - 'name': 'regulation of DNA metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving DNA. [GOC:ai]' - }, - 'GO:0051053': { - 'name': 'negative regulation of DNA metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving DNA. [GOC:ai]' - }, - 'GO:0051054': { - 'name': 'positive regulation of DNA metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving DNA. [GOC:ai]' - }, - 'GO:0051055': { - 'name': 'negative regulation of lipid biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of lipids. [GOC:ai]' - }, - 'GO:0051056': { - 'name': 'regulation of small GTPase mediated signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of small GTPase mediated signal transduction. [GOC:go_curators]' - }, - 'GO:0051057': { - 'name': 'positive regulation of small GTPase mediated signal transduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of small GTPase mediated signal transduction. [GOC:ai]' - }, - 'GO:0051058': { - 'name': 'negative regulation of small GTPase mediated signal transduction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of small GTPase mediated signal transduction. [GOC:ai]' - }, - 'GO:0051059': { - 'name': 'NF-kappaB binding', - 'def': 'Interacting selectively and non-covalently with NF-kappaB, a transcription factor for eukaryotic RNA polymerase II promoters. [GOC:ai]' - }, - 'GO:0051060': { - 'name': 'pullulanase activity', - 'def': 'Catalysis of the hydrolysis of (1,6)-alpha-D-glucosidic linkages in pullulan (a linear polymer of alpha-(1,6)-linked maltotriose units) and in amylopectin and glycogen, and the a- and b-limit dextrins of amylopectin and glycogen. [EC:3.2.1.41]' - }, - 'GO:0051061': { - 'name': 'ADP reductase activity', - 'def': 'Catalysis of the reaction: dADP + thioredoxin disulfide + H2O = ADP + thioredoxin. [MetaCyc:ADPREDUCT-RXN]' - }, - 'GO:0051062': { - 'name': 'UDP reductase activity', - 'def': 'Catalysis of the reaction: dUDP + thioredoxin disulfide + H2O = UDP + thioredoxin. [MetaCyc:UDPREDUCT-RXN]' - }, - 'GO:0051063': { - 'name': 'CDP reductase activity', - 'def': 'Catalysis of the reaction: dCDP + thioredoxin disulfide + H2O = CDP + thioredoxin. [MetaCyc:CDPREDUCT-RXN]' - }, - 'GO:0051064': { - 'name': 'TTP reductase activity', - 'def': 'Catalysis of the reaction: dTTP + thioredoxin disulfide + H2O = TTP + thioredoxin. Thioredoxin disulfide is the oxidized form of thioredoxin. [MetaCyc:1.17.4.2-RXN]' - }, - 'GO:0051065': { - 'name': 'CTP reductase activity', - 'def': 'Catalysis of the reaction: dCTP + thioredoxin disulfide + H2O = CTP + thioredoxin. Thioredoxin disulfide is the oxidized form of thioredoxin. [MetaCyc:1.17.4.2-RXN]' - }, - 'GO:0051066': { - 'name': 'dihydrobiopterin metabolic process', - 'def': 'The chemical reactions and pathways involving a dihydrobiopterin, a reduced pteridine derivative related to folic acid; it acts as an electron carrier in tyrosine biosynthesis and its quinoid form is produced by oxidation of tetrahydrobiopterin in several biological hydroxylation reactions. [CHEBI:38797, http://www.onelook.com]' - }, - 'GO:0051067': { - 'name': 'dihydropteridine metabolic process', - 'def': 'The chemical reactions and pathways involving 6,7-dihydropteridine, a bicyclic compound with the formula C6H6N4. [CHEBI:30156, GOC:ai]' - }, - 'GO:0051068': { - 'name': 'dihydrolipoamide metabolic process', - 'def': 'The chemical reactions and pathways involving dihydrolipoamide, the reduced form of lipoamide, produced as an intermediate in the reactions in which lipoamide acts as a cofactor. [ISBN:0721601464]' - }, - 'GO:0051069': { - 'name': 'galactomannan metabolic process', - 'def': 'The chemical reactions and pathways involving galactomannan, a polysaccharide composed of D-galactose and D-mannose. The mannose units form the backbone structure (a linear main chain) with the D-galactose as single side units. [http://www.els.net/els/public/glossary/]' - }, - 'GO:0051070': { - 'name': 'galactomannan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of galactomannan, a polysaccharide composed of D-galactosyl and D-mannosyl. The mannosyl units form the backbone structure (a linear main chain) with the D-galactosyl as single side units. [GOC:ai]' - }, - 'GO:0051071': { - 'name': '4,6-pyruvylated galactose residue metabolic process', - 'def': 'The chemical reactions and pathways involving the pyruvylated galactose residue 4-6-O-[(R)(1-carboxyethylidine)]-Gal-beta-1,3-. The galactose residue is part of a larger polysaccharide chain. [GOC:ai, PMID:15173185]' - }, - 'GO:0051072': { - 'name': '4,6-pyruvylated galactose residue biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the pyruvylated galactose residue 4-6-O-[(R)(1-carboxyethylidine)]-Gal-beta-1,3-. The galactose residue is part of a larger polysaccharide chain. [GOC:ai, PMID:15173185]' - }, - 'GO:0051073': { - 'name': 'adenosylcobinamide-GDP ribazoletransferase activity', - 'def': 'Catalysis of the reaction: adenosylcobinamide-GDP + alpha-ribazole = GMP + adenosylcobalamin. [EC:2.7.8.26, MetaCyc:COBALAMINSYN-RXN]' - }, - 'GO:0051074': { - 'name': 'obsolete protein tetramerization activity', - 'def': 'OBSOLETE. The formation of a protein tetramer, a macromolecular structure consisting of four noncovalently associated identical or nonidentical subunits. [GOC:ecd]' - }, - 'GO:0051075': { - 'name': 'S-adenosylmethionine:tRNA ribosyltransferase-isomerase activity', - 'def': 'Catalysis of the reaction: S-adenosylmethionine + 7-(aminomethyl)-7-deazaguanosine-tRNA = adenine + methionine + epoxyqueuosine-tRNA. 7-(aminomethyl)-7-deazaguanosine-tRNA is also known as preQ1-tRNA, and epoxyqueuosine-tRNA as oQ-tRNA. [PMID:12731872]' - }, - 'GO:0051077': { - 'name': 'secondary cell septum', - 'def': 'Cell wall structures composed of linear polysaccharides which are deposited at both sides of the primary septum at 90 degrees to the primary septum. [GOC:mtg_sensu, PMID:15194814]' - }, - 'GO:0051078': { - 'name': 'meiotic nuclear envelope disassembly', - 'def': 'The cell cycle process in which the controlled breakdown of the nuclear envelope during meiotic cell division occurs. [GOC:bf]' - }, - 'GO:0051079': { - 'name': 'meiosis I nuclear envelope disassembly', - 'def': 'The controlled breakdown of the nuclear envelope during the first division of meiosis. [GOC:bf]' - }, - 'GO:0051080': { - 'name': 'meiosis II nuclear envelope disassembly', - 'def': 'The controlled breakdown of the nuclear envelope during the second division of meiosis. [GOC:bf]' - }, - 'GO:0051081': { - 'name': 'nuclear envelope disassembly', - 'def': 'The controlled breakdown of the nuclear envelope in the context of a normal process. [GOC:ai]' - }, - 'GO:0051082': { - 'name': 'unfolded protein binding', - 'def': 'Interacting selectively and non-covalently with an unfolded protein. [GOC:ai]' - }, - 'GO:0051083': { - 'name': "'de novo' cotranslational protein folding", - 'def': 'The process of assisting in the correct noncovalent assembly of the ribosome-bound nascent chains of a multidomain protein whilst other parts of the protein are still being translated. [GOC:rb]' - }, - 'GO:0051084': { - 'name': "'de novo' posttranslational protein folding", - 'def': 'The process of assisting in the correct noncovalent folding of newly formed polypeptides or folding intermediates of polypeptides that have exited the ribosome and/or have been stabilized and transferred by other chaperone proteins. This process could involve several cycles of ATP hydrolysis. [GOC:rb]' - }, - 'GO:0051085': { - 'name': 'chaperone mediated protein folding requiring cofactor', - 'def': 'The process of assisting in the correct posttranslational noncovalent assembly of proteins, which is dependent on additional protein cofactors. This process occurs over one or several cycles of nucleotide hydrolysis-dependent binding and release. [GOC:rb]' - }, - 'GO:0051086': { - 'name': 'chaperone mediated protein folding independent of cofactor', - 'def': 'The process of assisting in the correct noncovalent assembly of posttranslational proteins and does not depend on additional protein cofactors. This function occurs over one or more cycles of nucleotide-dependent binding and release. [GOC:rb]' - }, - 'GO:0051087': { - 'name': 'chaperone binding', - 'def': 'Interacting selectively and non-covalently with a chaperone protein, a class of proteins that bind to nascent or unfolded polypeptides and ensure correct folding or transport. [http://www.onelook.com]' - }, - 'GO:0051088': { - 'name': 'PMA-inducible membrane protein ectodomain proteolysis', - 'def': 'The proteolytic cleavage of transmembrane proteins and release of their ectodomain that occurs after induction by phorbol-12-myristate-13-acetate (PMA), a protein kinase C agonist. [PMID:12714508]' - }, - 'GO:0051089': { - 'name': 'constitutive protein ectodomain proteolysis', - 'def': 'The proteolytic cleavage of transmembrane proteins and release of their ectodomain that occurs constantly, regardless of environmental conditions or demands. [PMID:12714508]' - }, - 'GO:0051090': { - 'name': 'regulation of sequence-specific DNA binding transcription factor activity', - 'def': 'Any process that modulates the frequency, rate or extent of the activity of a transcription factor, any factor involved in the initiation or regulation of transcription. [GOC:ai]' - }, - 'GO:0051091': { - 'name': 'positive regulation of sequence-specific DNA binding transcription factor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of activity of a transcription factor, any factor involved in the initiation or regulation of transcription. [GOC:ai]' - }, - 'GO:0051092': { - 'name': 'positive regulation of NF-kappaB transcription factor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of activity of the transcription factor NF-kappaB. [GOC:dph, GOC:tb, PMID:15087454, PMID:15170030]' - }, - 'GO:0051093': { - 'name': 'negative regulation of developmental process', - 'def': 'Any process that stops, prevents or reduces the rate or extent of development, the biological process whose specific outcome is the progression of an organism over time from an initial condition (e.g. a zygote, or a young adult) to a later condition (e.g. a multicellular animal or an aged adult). [GOC:ai]' - }, - 'GO:0051094': { - 'name': 'positive regulation of developmental process', - 'def': 'Any process that activates or increases the rate or extent of development, the biological process whose specific outcome is the progression of an organism over time from an initial condition (e.g. a zygote, or a young adult) to a later condition (e.g. a multicellular animal or an aged adult). [GOC:ai]' - }, - 'GO:0051095': { - 'name': 'regulation of helicase activity', - 'def': 'Any process that modulates the frequency, rate or extent of helicase activity. [GOC:ai]' - }, - 'GO:0051096': { - 'name': 'positive regulation of helicase activity', - 'def': 'Any process that activates or increases the activity of a helicase. [GOC:ai]' - }, - 'GO:0051097': { - 'name': 'negative regulation of helicase activity', - 'def': 'Any process that stops or reduces the activity of a helicase. [GOC:ai]' - }, - 'GO:0051098': { - 'name': 'regulation of binding', - 'def': 'Any process that modulates the frequency, rate or extent of binding, the selective interaction of a molecule with one or more specific sites on another molecule. [GOC:ai]' - }, - 'GO:0051099': { - 'name': 'positive regulation of binding', - 'def': 'Any process that activates or increases the rate or extent of binding, the selective interaction of a molecule with one or more specific sites on another molecule. [GOC:ai]' - }, - 'GO:0051100': { - 'name': 'negative regulation of binding', - 'def': 'Any process that stops or reduces the rate or extent of binding, the selective interaction of a molecule with one or more specific sites on another molecule. [GOC:ai]' - }, - 'GO:0051101': { - 'name': 'regulation of DNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of DNA binding. DNA binding is any process in which a gene product interacts selectively with DNA (deoxyribonucleic acid). [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051102': { - 'name': 'DNA ligation involved in DNA recombination', - 'def': 'The re-formation of a broken phosphodiester bond in the DNA backbone, carried out by DNA ligase, that contributes to DNA recombination. [GOC:ai]' - }, - 'GO:0051103': { - 'name': 'DNA ligation involved in DNA repair', - 'def': 'The re-formation of a broken phosphodiester bond in the DNA backbone, carried out by DNA ligase, that contributes to DNA repair. [GOC:ai]' - }, - 'GO:0051104': { - 'name': 'DNA-dependent DNA replication DNA ligation', - 'def': 'The re-formation of a broken phosphodiester bond in the DNA backbone, carried out by DNA ligase, that contributes to DNA-dependent DNA replication. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051105': { - 'name': 'regulation of DNA ligation', - 'def': 'Any process that modulates the frequency, rate or extent of DNA ligation, the re-formation of a broken phosphodiester bond in the DNA backbone, carried out by DNA ligase. [GOC:ai]' - }, - 'GO:0051106': { - 'name': 'positive regulation of DNA ligation', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA ligation, the re-formation of a broken phosphodiester bond in the DNA backbone, carried out by DNA ligase. [GOC:ai]' - }, - 'GO:0051107': { - 'name': 'negative regulation of DNA ligation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA ligation, the re-formation of a broken phosphodiester bond in the DNA backbone, carried out by DNA ligase. [GOC:ai]' - }, - 'GO:0051108': { - 'name': 'carnitine-CoA ligase activity', - 'def': 'Catalysis of the reaction: D-carnitine + CoA + ATP = AMP + diphosphate + D-carnitinyl-CoA. [MetaCyc:DCARNCOALIG-RXN]' - }, - 'GO:0051109': { - 'name': 'crotonobetaine-CoA ligase activity', - 'def': 'Catalysis of the reaction: CoA + crotono-betaine + ATP = AMP + diphosphate + crotonobetainyl-CoA. [MetaCyc:CROTCOALIG-RXN]' - }, - 'GO:0051110': { - 'name': "peptidyl-histidine uridylylation, to form peptidyl-1'-(phospho-5'-uridine)-L-histidine", - 'def': "The uridylylation of peptidyl-histidine to form peptidyl-1'-(phospho-5'-uridine)-L-histidine (otherwise known as tau-UMP-histidine, tele-UMP-histidine). [RESID:AA0372]" - }, - 'GO:0051111': { - 'name': 'peptidyl-histidine adenylylation', - 'def': "The adenylylation of peptidyl-histidine to form peptidyl-1'-(phospho-5'-adenosine)-L-histidine (otherwise known as tau-AMP-histidine, tele-AMP-histidine) or peptidyl-3'-(phospho-5'-adenosine)-L-histidine (otherwise known as pi-AMP-histidine, pros-AMP-histidine). [RESID:AA0371]" - }, - 'GO:0051112': { - 'name': "peptidyl-histidine adenylylation, to form peptidyl-1'-(phospho-5'-adenosine)-L-histidine", - 'def': "The adenylylation of peptidyl-histidine to form peptidyl-1'-(phospho-5'-adenosine)-L-histidine (otherwise known as tau-AMP-histidine, tele-AMP-histidine). [RESID:AA0371]" - }, - 'GO:0051113': { - 'name': "enzyme active site formation via 1'-(phospho-5'-adenosine)-L-histidine", - 'def': "The transient adenylylation of peptidyl-histidine to form 1'-(phospho-5'-adenosine)-L-histidine (otherwise known as tau-AMP-histidine, tele-AMP-histidine). [RESID:AA0371]" - }, - 'GO:0051114': { - 'name': 'peptidyl-histidine uridylylation', - 'def': "The uridylylation of peptidyl-histidine to form peptidyl-1'-(phospho-5'-uridine)-L-histidine (otherwise known as tau-UMP-histidine, tele-UMP-histidine) or peptidyl-3'-(phospho-5'-uridine)-L-histidine (otherwise known as pi-UMP-histidine, pros-UMP-histidine). [RESID:AA0372]" - }, - 'GO:0051115': { - 'name': "enzyme active site formation via 1'-(phospho-5'-uridine)-L-histidine", - 'def': "The transient uridylylation of peptidyl-histidine to form 1'-(phospho-5'-uridine)-L-histidine (otherwise known as tau-UMP-histidine, tele-UMP-histidine). [RESID:AA0372]" - }, - 'GO:0051116': { - 'name': 'cobaltochelatase activity', - 'def': 'Catalysis of the reaction: ATP + Co(2+) + H(2)O + hydrogenobyrinate a,c-diamide = ADP + cob(II)yrinate a,c diamide + 4 H(+) + phosphate. [EC:6.6.1.2, RHEA:15344]' - }, - 'GO:0051117': { - 'name': 'ATPase binding', - 'def': 'Interacting selectively and non-covalently with an ATPase, any enzyme that catalyzes the hydrolysis of ATP. [GOC:ai]' - }, - 'GO:0051118': { - 'name': 'glucan endo-1,3-alpha-glucosidase activity', - 'def': 'Catalysis of the endohydrolysis of (1->3)-alpha-D-glucosidic linkages in isolichenin, pseudonigeran and nigeran. [EC:3.2.1.59]' - }, - 'GO:0051119': { - 'name': 'sugar transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a sugar from one side of the membrane to the other. A sugar is any member of a class of sweet, water-soluble, crystallizable carbohydrates, which are the monosaccharides and smaller oligosaccharides. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0051120': { - 'name': 'hepoxilin A3 synthase activity', - 'def': 'Catalysis of the reaction: 12S-5Z,8Z,10E,14Z-12-hydro(pero)xy-eicosa-5,8,10,14-tetraenoic acid = (5Z,9E,14Z)-(8,11R,12S)-11,12-epoxy-8-hydroxyicosa-5,9,14-trienoate. 12S-5Z,8Z,10E,14Z-12-hydro(pero)xy-eicosa-5,8,10,14-tetraenoic acid is also known as 12S-HpETE, and (5Z,9E,14Z)-(8,11R,12S)-11,12-epoxy-8-hydroxyicosa-5,9,14-trienoate as hepoxilin A3. [PMID:15123652]' - }, - 'GO:0051121': { - 'name': 'hepoxilin metabolic process', - 'def': 'The chemical reactions and pathways involving hepoxilins, a class of bioactive icosanoids with roles in the regulation of cell physiology. [PMID:15123652]' - }, - 'GO:0051122': { - 'name': 'hepoxilin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hepoxilins, a class of bioactive icosanoids with roles in the regulation of cell physiology. [GOC:ai]' - }, - 'GO:0051123': { - 'name': 'RNA polymerase II transcriptional preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on an RNA polymerase II promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription by RNA polymerase. [GOC:txnOH, PMID:10882737, PMID:15020047]' - }, - 'GO:0051124': { - 'name': 'synaptic growth at neuromuscular junction', - 'def': 'The growth of a synapse at a neuromuscular junction, the site of apposition of a motor end plate and the subneural cleft of the skeletal muscle fiber that it innervates. [ISBN:0721662544]' - }, - 'GO:0051125': { - 'name': 'regulation of actin nucleation', - 'def': 'Any process that modulates the frequency, rate or extent of actin nucleation, the initial step in the formation of an actin filament in which actin monomers combine to form a new filament. [GOC:ai]' - }, - 'GO:0051126': { - 'name': 'negative regulation of actin nucleation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of actin nucleation, the initial step in the formation of an actin filament in which actin monomers combine to form a new filament. [GOC:ai]' - }, - 'GO:0051127': { - 'name': 'positive regulation of actin nucleation', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin nucleation, the initial step in the formation of an actin filament in which actin monomers combine to form a new filament. [GOC:ai]' - }, - 'GO:0051128': { - 'name': 'regulation of cellular component organization', - 'def': 'Any process that modulates the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of cell structures, including the plasma membrane and any external encapsulating structures such as the cell wall and cell envelope. [GOC:ai]' - }, - 'GO:0051129': { - 'name': 'negative regulation of cellular component organization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of cell structures, including the plasma membrane and any external encapsulating structures such as the cell wall and cell envelope. [GOC:ai]' - }, - 'GO:0051130': { - 'name': 'positive regulation of cellular component organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of a process involved in the formation, arrangement of constituent parts, or disassembly of cell structures, including the plasma membrane and any external encapsulating structures such as the cell wall and cell envelope. [GOC:ai]' - }, - 'GO:0051131': { - 'name': 'chaperone-mediated protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a protein complex, mediated by chaperone molecules that do not form part of the finished complex. [GOC:ai]' - }, - 'GO:0051132': { - 'name': 'NK T cell activation', - 'def': 'The change in morphology and behavior of a mature or immature natural killer T cell resulting from exposure to a mitogen, cytokine, chemokine, cellular ligand, or an antigen for which it is specific. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051133': { - 'name': 'regulation of NK T cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of natural killer T cell activation. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051134': { - 'name': 'negative regulation of NK T cell activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of natural killer T cell activation. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051135': { - 'name': 'positive regulation of NK T cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer T cell activation. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051136': { - 'name': 'regulation of NK T cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of natural killer T cell differentiation. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051137': { - 'name': 'negative regulation of NK T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of natural killer T cell differentiation. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051138': { - 'name': 'positive regulation of NK T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer T cell differentiation. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051139': { - 'name': 'metal ion:proton antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: metal ion(in) + H+(out) = metal ion(out) + H+(in). [GOC:mlg]' - }, - 'GO:0051140': { - 'name': 'regulation of NK T cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of natural killer T cell proliferation. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051141': { - 'name': 'negative regulation of NK T cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of natural killer T cell proliferation. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051142': { - 'name': 'positive regulation of NK T cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer T cell proliferation. [ISBN:0781735149, PMID:12154375, PMID:9133426]' - }, - 'GO:0051143': { - 'name': 'propanediol metabolic process', - 'def': 'The chemical reactions and pathways involving propanediol, CH3-CHOH-CH2OH, a sweet, colorless, viscous, hygroscopic liquid used as an antifreeze, in brake fluid and as a humectant in cosmetics and personal care items. [http://www.onelook.com]' - }, - 'GO:0051144': { - 'name': 'propanediol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of propanediol, a sweet, colorless, viscous, hygroscopic liquid with the formula CH3-CHOH-CH2OH. [GOC:ai]' - }, - 'GO:0051145': { - 'name': 'smooth muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a smooth muscle cell; smooth muscle lacks transverse striations in its constituent fibers and are almost always involuntary. [CL:0000192, GOC:ai]' - }, - 'GO:0051146': { - 'name': 'striated muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a striated muscle cell; striated muscle fibers are divided by transverse bands into striations, and cardiac and voluntary muscle are types of striated muscle. [CL:0000737, GOC:ai]' - }, - 'GO:0051147': { - 'name': 'regulation of muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of muscle cell differentiation. [CL:0000187, GOC:ai]' - }, - 'GO:0051148': { - 'name': 'negative regulation of muscle cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of muscle cell differentiation. [CL:0000187, GOC:ai]' - }, - 'GO:0051149': { - 'name': 'positive regulation of muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of muscle cell differentiation. [CL:0000187, GOC:ai]' - }, - 'GO:0051150': { - 'name': 'regulation of smooth muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of smooth muscle cell differentiation. [CL:0000192, GOC:ai]' - }, - 'GO:0051151': { - 'name': 'negative regulation of smooth muscle cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of smooth muscle cell differentiation. [CL:0000192, GOC:ai]' - }, - 'GO:0051152': { - 'name': 'positive regulation of smooth muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of smooth muscle cell differentiation. [CL:0000192, GOC:ai]' - }, - 'GO:0051153': { - 'name': 'regulation of striated muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of striated muscle cell differentiation. [CL:0000737, GOC:ai]' - }, - 'GO:0051154': { - 'name': 'negative regulation of striated muscle cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of striated muscle cell differentiation. [CL:0000737, GOC:ai]' - }, - 'GO:0051155': { - 'name': 'positive regulation of striated muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of striated muscle cell differentiation. [CL:0000737, GOC:ai]' - }, - 'GO:0051156': { - 'name': 'glucose 6-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving glucose 6-phosphate, a monophosphorylated derivative of glucose with the phosphate group attached to C-6. [GOC:ai]' - }, - 'GO:0051157': { - 'name': 'arabitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arabitol, the pentitol derived from arabinose or lyxose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0051158': { - 'name': 'L-arabitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-arabitol, the pentitol derived from arabinose or lyxose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0051159': { - 'name': 'D-arabitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-arabitol, the pentitol derived from arabinose or lyxose by reduction of the aldehyde group. The D enantiomer is present in lichens and mushrooms. [ISBN:0198506732]' - }, - 'GO:0051160': { - 'name': 'L-xylitol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-xylitol, a five-carbon sugar alcohol derived from xylose by reduction of the carbonyl group. [GOC:ai]' - }, - 'GO:0051161': { - 'name': 'arabitol metabolic process', - 'def': 'The chemical reactions and pathways involving arabitol, the pentitol derived from arabinose or lyxose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0051162': { - 'name': 'L-arabitol metabolic process', - 'def': 'The chemical reactions and pathways involving L-arabitol, the pentitol derived from arabinose or lyxose by reduction of the aldehyde group. [ISBN:0198506732]' - }, - 'GO:0051163': { - 'name': 'D-arabitol metabolic process', - 'def': 'The chemical reactions and pathways involving D-arabitol, the pentitol derived from arabinose or lyxose by reduction of the aldehyde group. The D enantiomer is present in lichens and mushrooms. [ISBN:0198506732]' - }, - 'GO:0051164': { - 'name': 'L-xylitol metabolic process', - 'def': 'The chemical reactions and pathways involving L-xylitol, a five-carbon sugar alcohol derived from xylose by reduction of the carbonyl group. It is as sweet as sucrose and is used as a noncariogenic sweetner and as a sugar substitute in diabetic diets. [GOC:ai, http://www.onelook.com]' - }, - 'GO:0051165': { - 'name': '2,5-dihydroxypyridine metabolic process', - 'def': 'The chemical reactions and pathways involving 2,5-dihydroxypyridine. [CHEBI:16364, GOC:ai]' - }, - 'GO:0051166': { - 'name': '2,5-dihydroxypyridine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2,5-dihydroxypyridine. [CHEBI:16364, GOC:ai]' - }, - 'GO:0051167': { - 'name': 'xylulose 5-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving xylulose 5-phosphate, a derivative of the ketopentose xylulose phosphorylated at the 5 carbon; it is an intermediate in the pentose phosphate pathway. [ISBN:0721662544]' - }, - 'GO:0051168': { - 'name': 'nuclear export', - 'def': 'The directed movement of substances out of the nucleus. [GOC:ai]' - }, - 'GO:0051169': { - 'name': 'nuclear transport', - 'def': 'The directed movement of substances into, out of, or within the nucleus. [GOC:ai]' - }, - 'GO:0051170': { - 'name': 'nuclear import', - 'def': 'The directed movement of substances into the nucleus. [GOC:ai]' - }, - 'GO:0051171': { - 'name': 'regulation of nitrogen compound metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving nitrogen or nitrogenous compounds. [GOC:ai, GOC:tb]' - }, - 'GO:0051172': { - 'name': 'negative regulation of nitrogen compound metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving nitrogen or nitrogenous compounds. [GOC:ai, GOC:tb]' - }, - 'GO:0051173': { - 'name': 'positive regulation of nitrogen compound metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving nitrogen or nitrogenous compounds. [GOC:ai, GOC:tb]' - }, - 'GO:0051174': { - 'name': 'regulation of phosphorus metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving phosphorus or compounds containing phosphorus. [GOC:ai]' - }, - 'GO:0051175': { - 'name': 'negative regulation of sulfur metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving sulfur or compounds containing sulfur. [GOC:ai]' - }, - 'GO:0051176': { - 'name': 'positive regulation of sulfur metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving sulfur or compounds containing sulfur. [GOC:ai]' - }, - 'GO:0051177': { - 'name': 'meiotic sister chromatid cohesion', - 'def': 'The cell cycle process in which sister chromatids of a replicated chromosome are joined along the entire length of the chromosome during meiosis. [GOC:ai]' - }, - 'GO:0051178': { - 'name': 'meiotic chromosome decondensation', - 'def': 'The cell cycle process in which chromosome structure is altered from the condensed form held during meiosis to the relaxed dispersed form held in resting cells. [GOC:ai]' - }, - 'GO:0051179': { - 'name': 'localization', - 'def': 'Any process in which a cell, a substance, or a cellular entity, such as a protein complex or organelle, is transported, tethered to or otherwise maintained in a specific location. In the case of substances, localization may also be achieved via selective degradation. [GOC:ai, GOC:dos]' - }, - 'GO:0051180': { - 'name': 'vitamin transport', - 'def': 'The directed movement of vitamins into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A vitamin is one of a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. [GOC:ai]' - }, - 'GO:0051181': { - 'name': 'cofactor transport', - 'def': 'The directed movement of a cofactor into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A cofactor is a substance that is required for the activity of an enzyme or other protein. [GOC:ai]' - }, - 'GO:0051182': { - 'name': 'coenzyme transport', - 'def': 'The directed movement of a coenzyme into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A coenzyme is any of various nonprotein organic cofactors that are required, in addition to an enzyme and a substrate, for an enzymatic reaction to proceed. [GOC:ai]' - }, - 'GO:0051183': { - 'name': 'vitamin transporter activity', - 'def': 'Enables the directed movement of vitamins into, out of or within a cell, or between cells. A vitamin is one of a number of unrelated organic substances that occur in many foods in small amounts and that are necessary in trace amounts for the normal metabolic functioning of the body. [GOC:ai]' - }, - 'GO:0051184': { - 'name': 'cofactor transporter activity', - 'def': 'Enables the directed movement of a cofactor into, out of or within a cell, or between cells. A cofactor is a substance that is required for the activity of an enzyme or other protein. [GOC:ai]' - }, - 'GO:0051185': { - 'name': 'coenzyme transporter activity', - 'def': 'Enables the directed movement of a coenzyme into, out of or within a cell, or between cells. A coenzyme is any of various nonprotein organic cofactors that are required, in addition to an enzyme and a substrate, for an enzymatic reaction to proceed. [GOC:ai]' - }, - 'GO:0051186': { - 'name': 'cofactor metabolic process', - 'def': 'The chemical reactions and pathways involving a cofactor, a substance that is required for the activity of an enzyme or other protein. Cofactors may be inorganic, such as the metal atoms zinc, iron, and copper in certain forms, or organic, in which case they are referred to as coenzymes. Cofactors may either be bound tightly to active sites or bind loosely with the substrate. [GOC:ai]' - }, - 'GO:0051187': { - 'name': 'cofactor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a cofactor, a substance that is required for the activity of an enzyme or other protein. [GOC:ai]' - }, - 'GO:0051188': { - 'name': 'cofactor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a cofactor, a substance that is required for the activity of an enzyme or other protein. [GOC:ai]' - }, - 'GO:0051189': { - 'name': 'prosthetic group metabolic process', - 'def': 'The chemical reactions and pathways involving a prosthetic group, the non-amino acid portion of certain protein molecules. Prosthetic groups may be inorganic or organic and are usually required for the biological activity of the protein. [GOC:ai]' - }, - 'GO:0051190': { - 'name': 'prosthetic group catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a prosthetic group, the non-amino acid portion of certain protein molecules. Prosthetic groups may be inorganic or organic and are usually required for the biological activity of the protein. [GOC:ai]' - }, - 'GO:0051191': { - 'name': 'prosthetic group biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a prosthetic group, the non-amino acid portion of certain protein molecules. Prosthetic groups may be inorganic or organic and are usually required for the biological activity of the protein. [GOC:ai]' - }, - 'GO:0051192': { - 'name': 'prosthetic group binding', - 'def': 'Interacting selectively and non-covalently with a prosthetic group, the non-amino acid portion of certain protein molecules. Prosthetic groups may be inorganic or organic and are usually required for the biological activity of the protein. [GOC:ai, GOC:vw]' - }, - 'GO:0051193': { - 'name': 'regulation of cofactor metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving a cofactor. [GOC:ai]' - }, - 'GO:0051194': { - 'name': 'positive regulation of cofactor metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving a cofactor. [GOC:ai]' - }, - 'GO:0051195': { - 'name': 'negative regulation of cofactor metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving a cofactor. [GOC:ai]' - }, - 'GO:0051196': { - 'name': 'regulation of coenzyme metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving a coenzyme. [GOC:ai]' - }, - 'GO:0051197': { - 'name': 'positive regulation of coenzyme metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving a coenzyme. [GOC:ai]' - }, - 'GO:0051198': { - 'name': 'negative regulation of coenzyme metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving a coenzyme. [GOC:ai]' - }, - 'GO:0051199': { - 'name': 'regulation of prosthetic group metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving a prosthetic group. [GOC:ai]' - }, - 'GO:0051200': { - 'name': 'positive regulation of prosthetic group metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving a prosthetic group. [GOC:ai]' - }, - 'GO:0051201': { - 'name': 'negative regulation of prosthetic group metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving a prosthetic group. [GOC:ai]' - }, - 'GO:0051202': { - 'name': 'phytochromobilin metabolic process', - 'def': 'The chemical reactions and pathways involving phytochromobilin, the linear tetrapyrrole chromophore required for plant phytochrome photoactivity. [PMID:11500553]' - }, - 'GO:0051203': { - 'name': 'peptidyl-aspartic acid reduction to form L-aspartyl aldehyde', - 'def': 'The reduction of peptidyl-aspartic acid to form peptidyl-L-aspartyl aldehyde, as found photosystem II P680 chlorophyll A apoprotein. [PMID:15237995, RESID:AA0373]' - }, - 'GO:0051204': { - 'name': 'protein insertion into mitochondrial membrane', - 'def': 'The process that results in the incorporation of a protein into a mitochondrial membrane. [GOC:ai]' - }, - 'GO:0051205': { - 'name': 'protein insertion into membrane', - 'def': 'The process that results in the incorporation of a protein into a biological membrane. Incorporation in this context means having some part or covalently attached group that is inserted into the the hydrophobic region of one or both bilayers. [GOC:ai]' - }, - 'GO:0051206': { - 'name': 'silicate metabolic process', - 'def': 'The chemical reactions and pathways involving silicates, the salts of silicic acids. Silicates are usually composed of silicon and oxygen (Si[x]O[y]), one or more metals, and possibly hydrogen. Types of silicate include unisilicates, metasilicates and hydrous silicates. [GOC:ai]' - }, - 'GO:0051208': { - 'name': 'sequestering of calcium ion', - 'def': 'The process of binding or confining calcium ions such that they are separated from other components of a biological system. [GOC:ai]' - }, - 'GO:0051209': { - 'name': 'release of sequestered calcium ion into cytosol', - 'def': 'The process in which calcium ions sequestered in the endoplasmic reticulum, Golgi apparatus or mitochondria are released into the cytosolic compartment. [GOC:dph, GOC:hjd, GOC:mtg_lung, PMID:1814929]' - }, - 'GO:0051210': { - 'name': 'isotropic cell growth', - 'def': 'The process in which a cell irreversibly increases in size uniformly in all directions. In general, a rounded cell morphology reflects isotropic cell growth. [GOC:ai, GOC:jid]' - }, - 'GO:0051211': { - 'name': 'anisotropic cell growth', - 'def': 'The process in which a cell irreversibly increases in size in one or more axes, where the growth rate varies according to the direction of growth. Growth may be limited to a particular axis, axes, or to particular locations on the surface of the cell. [GOC:ai]' - }, - 'GO:0051212': { - 'name': 'vanadium ion binding', - 'def': 'Interacting selectively and non-covalently with vanadium (V) ions. [GOC:ai]' - }, - 'GO:0051213': { - 'name': 'dioxygenase activity', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which both atoms of oxygen from one molecule of O2 are incorporated into the (reduced) product(s) of the reaction. The two atoms of oxygen may be distributed between two different products. [DOI:10.1016/S0040-4020(03)00944-X, GOC:bf, http://www.onelook.com/]' - }, - 'GO:0051214': { - 'name': 'RNA virus induced gene silencing', - 'def': 'Gene silencing induced by RNA viruses leading to a sequence-specific degradation of target mRNAs or post-transcriptional gene silencing. [PMID:15165191]' - }, - 'GO:0051215': { - 'name': 'DNA virus induced gene silencing', - 'def': 'Gene silencing induced by DNA viruses leading to a sequence-specific degradation of target mRNAs or post-transcriptional gene silencing. [PMID:15165191]' - }, - 'GO:0051216': { - 'name': 'cartilage development', - 'def': 'The process whose specific outcome is the progression of a cartilage element over time, from its formation to the mature structure. Cartilage elements are skeletal elements that consist of connective tissue dominated by extracellular matrix containing collagen type II and large amounts of proteoglycan, particularly chondroitin sulfate. [DOI:10.1371/journal.pone.0051070, GOC:cjm, http://www.onelook.com]' - }, - 'GO:0051217': { - 'name': 'molybdenum incorporation via L-aspartyl molybdenum bis(molybdopterin guanine dinucleotide)', - 'def': 'The incorporation of molybdenum into a protein via L-aspartyl molybdenum bis(molybdopterin guanine dinucleotide). [PDB:1Q16, PMID:12910261, RESID:AA0375]' - }, - 'GO:0051218': { - 'name': 'tungsten incorporation via L-selenocysteinyl tungsten bis(molybdopterin guanine dinucleotide)', - 'def': 'The incorporation of tungsten into a protein via L-selenocysteinyl tungsten bis(molybdopterin guanine dinucleotide). [PDB:1HOH, PMID:12220497, RESID:AA0376]' - }, - 'GO:0051219': { - 'name': 'phosphoprotein binding', - 'def': 'Interacting selectively and non-covalently with a phosphorylated protein. [GOC:ai]' - }, - 'GO:0051220': { - 'name': 'cytoplasmic sequestering of protein', - 'def': 'The selective interaction of a protein with specific molecules in the cytoplasm, thereby inhibiting its transport into other areas of the cell. [GOC:ai]' - }, - 'GO:0051221': { - 'name': 'tungsten incorporation into metallo-sulfur cluster', - 'def': 'The incorporation of tungsten into a metallo-sulfur cluster. [GOC:ai]' - }, - 'GO:0051222': { - 'name': 'positive regulation of protein transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of a protein into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051223': { - 'name': 'regulation of protein transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a protein into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051224': { - 'name': 'negative regulation of protein transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of a protein into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051225': { - 'name': 'spindle assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the spindle, the array of microtubules and associated molecules that serves to move duplicated chromosomes apart. [GOC:ai, GOC:expert_rg, GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0051228': { - 'name': 'mitotic spindle disassembly', - 'def': 'The controlled breakdown of the spindle during a mitotic cell cycle. [GOC:ai]' - }, - 'GO:0051229': { - 'name': 'meiotic spindle disassembly', - 'def': 'The controlled breakdown of the spindle during a meiotic cell cycle. [GOC:ai]' - }, - 'GO:0051230': { - 'name': 'spindle disassembly', - 'def': 'The controlled breakdown of the spindle, the array of microtubules and associated molecules that serves to move duplicated chromosomes apart. [GOC:ai]' - }, - 'GO:0051231': { - 'name': 'spindle elongation', - 'def': 'The cell cycle process in which the distance is lengthened between poles of the spindle. [GOC:ai]' - }, - 'GO:0051232': { - 'name': 'meiotic spindle elongation', - 'def': 'The lengthening of the distance between poles of the spindle during a meiotic cell cycle. [GOC:ai]' - }, - 'GO:0051233': { - 'name': 'spindle midzone', - 'def': 'The area in the center of the spindle where the spindle microtubules from opposite poles overlap. [GOC:ai, PMID:15296749]' - }, - 'GO:0051234': { - 'name': 'establishment of localization', - 'def': 'Any process that localizes a substance or cellular component. This may occur via movement, tethering or selective degradation. [GOC:ai, GOC:dos]' - }, - 'GO:0051235': { - 'name': 'maintenance of location', - 'def': 'Any process in which a cell, substance or cellular entity, such as a protein complex or organelle, is maintained in a location and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051236': { - 'name': 'establishment of RNA localization', - 'def': 'The directed movement of RNA to a specific location. [GOC:ai]' - }, - 'GO:0051237': { - 'name': 'maintenance of RNA location', - 'def': 'Any process in which RNA is maintained in a location and prevented from moving elsewhere. [GOC:ai]' - }, - 'GO:0051238': { - 'name': 'sequestering of metal ion', - 'def': 'The process of binding or confining metal ions such that they are separated from other components of a biological system. [GOC:ai]' - }, - 'GO:0051239': { - 'name': 'regulation of multicellular organismal process', - 'def': 'Any process that modulates the frequency, rate or extent of a multicellular organismal process, the processes pertinent to the function of a multicellular organism above the cellular level; includes the integrated processes of tissues and organs. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051240': { - 'name': 'positive regulation of multicellular organismal process', - 'def': 'Any process that activates or increases the frequency, rate or extent of an organismal process, any of the processes pertinent to the function of an organism above the cellular level; includes the integrated processes of tissues and organs. [GOC:ai]' - }, - 'GO:0051241': { - 'name': 'negative regulation of multicellular organismal process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of an organismal process, the processes pertinent to the function of an organism above the cellular level; includes the integrated processes of tissues and organs. [GOC:ai]' - }, - 'GO:0051245': { - 'name': 'negative regulation of cellular defense response', - 'def': 'Any process that stops, prevents, or reduces the rate of the cellular defense response. [GOC:ai]' - }, - 'GO:0051246': { - 'name': 'regulation of protein metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving a protein. [GOC:ai]' - }, - 'GO:0051247': { - 'name': 'positive regulation of protein metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving a protein. [GOC:ai]' - }, - 'GO:0051248': { - 'name': 'negative regulation of protein metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of chemical reactions and pathways involving a protein. [GOC:ai]' - }, - 'GO:0051249': { - 'name': 'regulation of lymphocyte activation', - 'def': 'Any process that modulates the frequency, rate or extent of lymphocyte activation. [GOC:ai]' - }, - 'GO:0051250': { - 'name': 'negative regulation of lymphocyte activation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of lymphocyte activation. [GOC:ai]' - }, - 'GO:0051251': { - 'name': 'positive regulation of lymphocyte activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of lymphocyte activation. [GOC:ai]' - }, - 'GO:0051252': { - 'name': 'regulation of RNA metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving RNA. [GOC:ai]' - }, - 'GO:0051253': { - 'name': 'negative regulation of RNA metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving RNA. [GOC:ai]' - }, - 'GO:0051254': { - 'name': 'positive regulation of RNA metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving RNA. [GOC:ai]' - }, - 'GO:0051255': { - 'name': 'spindle midzone assembly', - 'def': 'The cell cycle process in which aggregation, arrangement and bonding together of a set of components to form the spindle midzone. The spindle midzone is the area in the center of the spindle where the spindle microtubules from opposite poles overlap. [GOC:ai, PMID:15296749]' - }, - 'GO:0051256': { - 'name': 'mitotic spindle midzone assembly', - 'def': 'The cell cycle process in which the aggregation, arrangement and bonding together of a set of components forms the spindle midzone. [GOC:mtg_cell_cycle, GOC:vw, PMID:24239120]' - }, - 'GO:0051257': { - 'name': 'meiotic spindle midzone assembly', - 'def': 'The formation of the spindle midzone, the area in the center of the spindle where the spindle microtubules from opposite poles overlap, as a part of the process of meiosis. [GOC:ai, GOC:expert_rg, GOC:tb]' - }, - 'GO:0051258': { - 'name': 'protein polymerization', - 'def': 'The process of creating protein polymers, compounds composed of a large number of component monomers; polymeric proteins may be made up of different or identical monomers. Polymerization occurs by the addition of extra monomers to an existing poly- or oligomeric protein. [GOC:ai]' - }, - 'GO:0051259': { - 'name': 'protein oligomerization', - 'def': 'The process of creating protein oligomers, compounds composed of a small number, usually between three and ten, of component monomers; protein oligomers may be composed of different or identical monomers. Oligomers may be formed by the polymerization of a number of monomers or the depolymerization of a large protein polymer. [GOC:ai]' - }, - 'GO:0051260': { - 'name': 'protein homooligomerization', - 'def': 'The process of creating protein oligomers, compounds composed of a small number, usually between three and ten, of identical component monomers. Oligomers may be formed by the polymerization of a number of monomers or the depolymerization of a large protein polymer. [GOC:ai]' - }, - 'GO:0051261': { - 'name': 'protein depolymerization', - 'def': 'The process in which protein polymers, compounds composed of a large number of component monomers, are broken down. Depolymerization occurs by the successive removal of monomers from an existing poly- or oligomeric protein. [GOC:ai]' - }, - 'GO:0051262': { - 'name': 'protein tetramerization', - 'def': 'The formation of a protein tetramer, a macromolecular structure consisting of four noncovalently associated identical or nonidentical subunits. [GOC:ecd]' - }, - 'GO:0051263': { - 'name': 'microcin E492 biosynthetic process by siderophore ester modification of peptidyl-serine', - 'def': 'The modification of serine to N-[5-(6-O-seryl-beta-glucosyl)-2,3-dihydroxybenzoyl]-O-[N-(2,3-dihydroxybenzoyl)-O-[N-(2,3-dihydroxybenzoyl)seryl]seryl]serine as found in microcin E492 produced from the mceA gene in plasmid pJAM229 of the E. coli VCS257 strain and the K. pneumoniae RYC492 strain. [RESID:AA0374]' - }, - 'GO:0051264': { - 'name': 'mono-olein transacylation activity', - 'def': 'Catalysis of the reaction: mono-olein + mono-olein = diolein + glycerol. Mono-olein, also known as mono-oleoylglycerol, is the monoglyceride formed from oleic acid, 9-octodecenoic acid; diolein is also known as dioleoylglycerol. [GOC:ai, PMID:15364929]' - }, - 'GO:0051265': { - 'name': 'diolein transacylation activity', - 'def': 'Catalysis of the reaction: diolein + mono-olein = triolein + glycerol. Mono-olein, also known as mono-oleoylglycerol, is the monoglyceride formed from oleic acid, 9-octodecenoic acid; diolein is also known as dioleoylglycerol, and triolein as trioleoylglycerol and olein. [GOC:ai, PMID:15364929]' - }, - 'GO:0051266': { - 'name': 'sirohydrochlorin ferrochelatase activity', - 'def': 'Catalysis of the reaction: siroheme + 2 H+ = Fe(2+) + sirohydrochlorin. [EC:4.99.1.4, RHEA:24363]' - }, - 'GO:0051267': { - 'name': 'CP2 mannose-ethanolamine phosphotransferase activity', - 'def': 'Catalysis of the reaction: ethanolamine phosphate + Man-alpha-(1,2)-Man-alpha-(1,2)-Man-alpha-(1,6)-R = Man-alpha-(1,2)-Man-alpha-6-P-EtN-(1,2)-Man-alpha-(1,6)-R; R is Man-alpha(1,4)-GlcNH2-inositol-PO4-lipid. This reaction is the transfer of ethanolamine phosphate to C6 of second mannose in the GPI lipid precursor CP2. [PMID:14985347, PMID:15452134]' - }, - 'GO:0051268': { - 'name': 'alpha-keto amide reductase activity', - 'def': 'Catalysis of the reaction: alpha-keto amide + 2 H+ (from donor) = (R)-hydroxy amide. Alpha-keto amides are of the form R-CO-CONH2, where R may be aromatic or aliphatic. [GOC:ai, PMID:15564669]' - }, - 'GO:0051269': { - 'name': 'alpha-keto ester reductase activity', - 'def': 'Catalysis of the reaction: alpha-keto ester + 2 H+ (from donor) = (R)-hydroxy ester. Alpha-keto esters are of the form R(1)-CO-CO-O-R(2), where the R groups may be aromatic or aliphatic. [GOC:ai, PMID:15564669]' - }, - 'GO:0051270': { - 'name': 'regulation of cellular component movement', - 'def': 'Any process that modulates the frequency, rate or extent of the movement of a cellular component. [GOC:ai, GOC:dph, GOC:jl]' - }, - 'GO:0051271': { - 'name': 'negative regulation of cellular component movement', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the movement of a cellular component. [GOC:ai, GOC:dph, GOC:jl]' - }, - 'GO:0051272': { - 'name': 'positive regulation of cellular component movement', - 'def': 'Any process that activates or increases the frequency, rate or extent of the movement of a cellular component. [GOC:ai, GOC:dph, GOC:jl]' - }, - 'GO:0051273': { - 'name': 'beta-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving beta-glucans, compounds composed of glucose residues linked by beta-D-glucosidic bonds. [GOC:ai]' - }, - 'GO:0051274': { - 'name': 'beta-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-glucans. [GOC:ai]' - }, - 'GO:0051275': { - 'name': 'beta-glucan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of beta-glucans. [GOC:ai]' - }, - 'GO:0051276': { - 'name': 'chromosome organization', - 'def': 'A process that is carried out at the cellular level that results in the assembly, arrangement of constituent parts, or disassembly of chromosomes, structures composed of a very long molecule of DNA and associated proteins that carries hereditary information. This term covers covalent modifications at the molecular level as well as spatial relationships among the major components of a chromosome. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0051278': { - 'name': 'fungal-type cell wall polysaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the polysaccharides which make up the fungal-type cell wall. [GOC:ai, GOC:mtg_sensu]' - }, - 'GO:0051279': { - 'name': 'regulation of release of sequestered calcium ion into cytosol', - 'def': 'Any process that modulates the frequency, rate or extent of the release into the cytosolic compartment of calcium ions sequestered in the endoplasmic reticulum or mitochondria. [GOC:ai, GOC:tb]' - }, - 'GO:0051280': { - 'name': 'negative regulation of release of sequestered calcium ion into cytosol', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the release into the cytosolic compartment of calcium ions sequestered in the endoplasmic reticulum or mitochondria. [GOC:ai]' - }, - 'GO:0051281': { - 'name': 'positive regulation of release of sequestered calcium ion into cytosol', - 'def': 'Any process that activates or increases the frequency, rate or extent of the release into the cytosolic compartment of calcium ions sequestered in the endoplasmic reticulum or mitochondria. [GOC:ai]' - }, - 'GO:0051282': { - 'name': 'regulation of sequestering of calcium ion', - 'def': 'Any process that modulates the frequency, rate or extent of the binding or confining calcium ions such that they are separated from other components of a biological system. [GOC:ai]' - }, - 'GO:0051283': { - 'name': 'negative regulation of sequestering of calcium ion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the binding or confining calcium ions such that they are separated from other components of a biological system. [GOC:ai]' - }, - 'GO:0051284': { - 'name': 'positive regulation of sequestering of calcium ion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the binding or confining calcium ions such that they are separated from other components of a biological system. [GOC:ai]' - }, - 'GO:0051285': { - 'name': 'cell cortex of cell tip', - 'def': 'The region directly beneath the plasma membrane at the cell tip. The cell tip is the region at either end of the longest axis of a cylindrical or elongated cell. [GOC:ai]' - }, - 'GO:0051286': { - 'name': 'cell tip', - 'def': 'The region at the end of the longest axis of a cylindrical or elongated cell. [GOC:ai, GOC:mah]' - }, - 'GO:0051287': { - 'name': 'NAD binding', - 'def': 'Interacting selectively and non-covalently with nicotinamide adenine dinucleotide, a coenzyme involved in many redox and biosynthetic reactions; binding may be to either the oxidized form, NAD+, or the reduced form, NADH. [GOC:ai]' - }, - 'GO:0051289': { - 'name': 'protein homotetramerization', - 'def': 'The formation of a protein homotetramer, a macromolecular structure consisting of four noncovalently associated identical subunits. [GOC:go_curators]' - }, - 'GO:0051290': { - 'name': 'protein heterotetramerization', - 'def': 'The formation of a protein heterotetramer, a macromolecular structure consisting of four noncovalently associated subunits, of which not all are identical. [GOC:go_curators]' - }, - 'GO:0051291': { - 'name': 'protein heterooligomerization', - 'def': 'The process of creating protein oligomers, compounds composed of a small number, usually between three and ten, of component monomers that are not all identical. Oligomers may be formed by the polymerization of a number of monomers or the depolymerization of a large protein polymer. [GOC:ai]' - }, - 'GO:0051292': { - 'name': 'nuclear pore complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a nuclear pore complex. [GOC:ai, GOC:mah]' - }, - 'GO:0051293': { - 'name': 'establishment of spindle localization', - 'def': 'The directed movement of the spindle to a specific location in the cell. [GOC:ai]' - }, - 'GO:0051294': { - 'name': 'establishment of spindle orientation', - 'def': 'Any process that set the alignment of spindle relative to other cellular structures. [GOC:ai]' - }, - 'GO:0051295': { - 'name': 'establishment of meiotic spindle localization', - 'def': 'The cell cycle process in which the directed movement of the meiotic spindle to a specific location in the cell occurs. [GOC:ai]' - }, - 'GO:0051296': { - 'name': 'establishment of meiotic spindle orientation', - 'def': 'Any process that set the alignment of meiotic spindle relative to other cellular structures. [GOC:ai]' - }, - 'GO:0051297': { - 'name': 'centrosome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a centrosome, a structure comprised of a pair of centrioles and peri-centriolar material from which a microtubule spindle apparatus is organized. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0051298': { - 'name': 'centrosome duplication', - 'def': 'The replication of a centrosome, a structure comprised of a pair of centrioles and peri-centriolar material from which a microtubule spindle apparatus is organized. [GOC:ai]' - }, - 'GO:0051299': { - 'name': 'centrosome separation', - 'def': 'The process in which duplicated centrosome components move away from each other. The centriole pair within each centrosome becomes part of a separate microtubule organizing center that nucleates a radial array of microtubules called an aster. The two asters move to opposite sides of the nucleus to form the two poles of the mitotic spindle. [GOC:ai]' - }, - 'GO:0051300': { - 'name': 'spindle pole body organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the spindle pole body (SPB). The SPB is the microtubule organizing center in fungi, and is functionally homologous to the animal cell centrosome. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0051301': { - 'name': 'cell division', - 'def': 'The process resulting in division and partitioning of components of a cell to form more cells; may or may not be accompanied by the physical separation of a cell into distinct, individually membrane-bounded daughter cells. [GOC:di, GOC:go_curators, GOC:pr]' - }, - 'GO:0051302': { - 'name': 'regulation of cell division', - 'def': 'Any process that modulates the frequency, rate or extent of the physical partitioning and separation of a cell into daughter cells. [GOC:go_curators]' - }, - 'GO:0051303': { - 'name': 'establishment of chromosome localization', - 'def': 'The directed movement of a chromosome to a specific location. [GOC:ai]' - }, - 'GO:0051304': { - 'name': 'chromosome separation', - 'def': 'The cell cycle process in which paired chromosomes are detached from each other. Chromosome separation begins with the release of cohesin complexes from chromosomes; in budding yeast, this includes the cleavage of cohesin complexes along the chromosome arms, followed by the separation of the centromeric regions. Chromosome separation also includes formation of chromatid axes mediated by condensins, and ends with the disentangling of inter-sister catenation catalyzed by topoisomerase II (topo II). [GOC:ai, GOC:lb, GOC:mah, GOC:mtg_cell_cycle, PMID:20352243]' - }, - 'GO:0051305': { - 'name': 'chromosome movement towards spindle pole', - 'def': 'The directed movement of chromosomes in the center of the spindle towards the spindle poles, mediated by the shortening of microtubules attached to the chromosomes. [GOC:ai]' - }, - 'GO:0051306': { - 'name': 'mitotic sister chromatid separation', - 'def': 'The process in which sister chromatids are physically detached from each other during mitosis. [GOC:ai]' - }, - 'GO:0051307': { - 'name': 'meiotic chromosome separation', - 'def': 'The process in which chromosomes are physically detached from each other during meiosis. [GOC:ai]' - }, - 'GO:0051308': { - 'name': 'male meiosis chromosome separation', - 'def': 'The process in which paired chromosomes are physically detached from each other during male meiosis. [GOC:ai]' - }, - 'GO:0051309': { - 'name': 'female meiosis chromosome separation', - 'def': 'The process in which paired chromosomes are physically detached from each other during female meiosis. [GOC:ai]' - }, - 'GO:0051310': { - 'name': 'metaphase plate congression', - 'def': 'The alignment of chromosomes at the metaphase plate (spindle equator), a plane halfway between the poles of the spindle. [GOC:ai]' - }, - 'GO:0051311': { - 'name': 'meiotic metaphase plate congression', - 'def': 'The cell cycle process in which chromosomes are aligned at the metaphase plate, a plane halfway between the poles of the meiotic spindle, during meiosis. [GOC:ai]' - }, - 'GO:0051312': { - 'name': 'chromosome decondensation', - 'def': 'The alteration of chromosome structure from the condensed form to a relaxed disperse form. [GOC:ai]' - }, - 'GO:0051315': { - 'name': 'attachment of mitotic spindle microtubules to kinetochore', - 'def': 'The cell cycle process in which spindle microtubules become physically associated with the proteins making up the kinetochore complex as part of mitotic metaphase plate congression. [GOC:ai, GOC:clt, GOC:dph, GOC:tb, PMID:26258632, PMID:26705896]' - }, - 'GO:0051316': { - 'name': 'attachment of spindle microtubules to kinetochore involved in meiotic chromosome segregation', - 'def': 'The cell cycle process in which spindle microtubules become physically associated with the proteins making up the kinetochore complex contributing to meiotic chromosome segregation. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051318': { - 'name': 'G1 phase', - 'def': "The cell cycle 'gap' phase which is the interval between the completion of DNA segregation (usually by mitosis or meiosis) and the beginning of DNA synthesis. [GOC:mtg_cell_cycle]" - }, - 'GO:0051319': { - 'name': 'G2 phase', - 'def': "The cell cycle 'gap' phase which is the interval between the completion of DNA synthesis and the beginning of DNA segregation (usually by mitosis or meiosis). [GOC:mtg_cell_cycle]" - }, - 'GO:0051320': { - 'name': 'S phase', - 'def': 'The cell cycle phase, following G1, during which DNA synthesis takes place. [GOC:mtg_cell_cycle]' - }, - 'GO:0051321': { - 'name': 'meiotic cell cycle', - 'def': 'Progression through the phases of the meiotic cell cycle, in which canonically a cell replicates to produce four offspring with half the chromosomal content of the progenitor cell via two nuclear divisions. [GOC:ai]' - }, - 'GO:0051322': { - 'name': 'anaphase', - 'def': 'The cell cycle phase, following metaphase, during which the chromosomes separate and migrate towards the poles of the spindle. [GOC:mtg_cell_cycle]' - }, - 'GO:0051323': { - 'name': 'metaphase', - 'def': 'The cell cycle phase, following prophase or prometaphase in higher eukaryotes, during which chromosomes become aligned on the equatorial plate of the cell. [GOC:mtg_cell_cycle]' - }, - 'GO:0051324': { - 'name': 'prophase', - 'def': 'The cell cycle phase which is the first stage of M phase of meiosis and mitosis and during which chromosomes condense and the two daughter centrioles and their asters migrate toward the poles of the cell. [GOC:mtg_cell_cycle]' - }, - 'GO:0051325': { - 'name': 'interphase', - 'def': 'The cell cycle phase following cytokinesis which begins with G1 phase, proceeds through S phase and G2 phase and ends when prophase of meiosis or mitosis begins. During interphase the cell readies itself for meiosis or mitosis and the replication of its DNA occurs. [GOC:mtg_cell_cycle]' - }, - 'GO:0051326': { - 'name': 'telophase', - 'def': 'The cell cycle phase which follows anaphase during M phase of mitosis and meiosis and during which the chromosomes arrive at the poles of the cell and the division of the cytoplasm starts. [GOC:mtg_cell_cycle]' - }, - 'GO:0051327': { - 'name': 'meiotic M phase', - 'def': 'A cell cycle phase during which nuclear division occurs, and which is comprises the phases: prophase, metaphase, anaphase and telophase and occurs as part of a meiotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0051328': { - 'name': 'meiotic interphase', - 'def': "The cell cycle phase which begins after cytokinesis and ends when meiotic prophase begins. Meiotic cells have an interphase after each meiotic division, but only interphase I involves replication of the cell's DNA. [GOC:mtg_cell_cycle]" - }, - 'GO:0051329': { - 'name': 'mitotic interphase', - 'def': 'The cell cycle phase following cytokinesis which begins with G1 phase, proceeds through S phase and G2 phase and ends when mitotic prophase begins. During interphase the cell readies itself for mitosis and the replication of its DNA occurs. [GOC:mtg_cell_cycle]' - }, - 'GO:0051330': { - 'name': 'meiotic G1 phase', - 'def': "The cell cycle 'gap' phase which is the interval between the completion of DNA segregation by meiosis and the beginning of DNA synthesis. [GOC:mtg_cell_cycle]" - }, - 'GO:0051331': { - 'name': 'meiotic G2 phase', - 'def': "The cell cycle 'gap' phase which is the interval between the completion of DNA synthesis and the beginning of DNA segregation by meiosis. [GOC:mtg_cell_cycle]" - }, - 'GO:0051332': { - 'name': 'meiotic S phase', - 'def': 'The cell cycle phase, following G1, during which DNA synthesis takes place as part of a meiotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:0051333': { - 'name': 'meiotic nuclear envelope reassembly', - 'def': 'The cell cycle process in which the reformation of the nuclear envelope during meiosis occurs. [GOC:ai]' - }, - 'GO:0051334': { - 'name': 'meiosis I nuclear envelope reassembly', - 'def': 'The reformation of the nuclear envelope during meiosis I. [GOC:ai]' - }, - 'GO:0051335': { - 'name': 'meiosis II nuclear envelope reassembly', - 'def': 'The reformation of the nuclear envelope during meiosis II. [GOC:ai]' - }, - 'GO:0051336': { - 'name': 'regulation of hydrolase activity', - 'def': 'Any process that modulates the frequency, rate or extent of hydrolase activity, the catalysis of the hydrolysis of various bonds, e.g. C-O, C-N, C-C, phosphoric anhydride bonds, etc. Hydrolase is the systematic name for any enzyme of EC class 3. [EC:3.-.-.-, GOC:ai]' - }, - 'GO:0051337': { - 'name': 'amitosis', - 'def': 'Nuclear division that occurs by simple constriction of the nucleus without chromosome condensation or spindle formation. [GOC:curators, ISBN:0721662544]' - }, - 'GO:0051338': { - 'name': 'regulation of transferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of transferase activity, the catalysis of the transfer of a group, e.g. a methyl group, glycosyl group, acyl group, phosphorus-containing, or other groups, from one compound (generally regarded as the donor) to another compound (generally regarded as the acceptor). Transferase is the systematic name for any enzyme of EC class 2. [EC:2.-.-.-, GOC:ai]' - }, - 'GO:0051339': { - 'name': 'regulation of lyase activity', - 'def': 'Any process that modulates the frequency, rate or extent of lyase activity, the catalysis of the cleavage of C-C, C-O, C-N and other bonds by other means than by hydrolysis or oxidation, or conversely adding a group to a double bond. They differ from other enzymes in that two substrates are involved in one reaction direction, but only one in the other direction. When acting on the single substrate, a molecule is eliminated and this generates either a new double bond or a new ring. [EC:4.-.-.-, GOC:ai]' - }, - 'GO:0051340': { - 'name': 'regulation of ligase activity', - 'def': 'Any process that modulates the frequency, rate or extent of ligase activity, the catalysis of the ligation of two substances with concomitant breaking of a diphosphate linkage, usually in a nucleoside triphosphate. Ligase is the systematic name for any enzyme of EC class 6. [EC:6.-.-.-, GOC:ai]' - }, - 'GO:0051341': { - 'name': 'regulation of oxidoreductase activity', - 'def': 'Any process that modulates the frequency, rate or extent of oxidoreductase activity, the catalysis of an oxidation-reduction (redox) reaction, a reversible chemical reaction in which the oxidation state of an atom or atoms within a molecule is altered. One substrate acts as a hydrogen or electron donor and becomes oxidized, while the other acts as hydrogen or electron acceptor and becomes reduced. [EC:1.-.-.-, GOC:ai]' - }, - 'GO:0051342': { - 'name': 'regulation of cyclic-nucleotide phosphodiesterase activity', - 'def': "Any process that modulates the frequency, rate or extent of cyclic nucleotide phosphodiesterase activity, the catalysis of the reaction: nucleotide 3',5'-cyclic phosphate + H2O = nucleotide 5'-phosphate. [EC:3.1.4.17, GOC:ai, GOC:tb]" - }, - 'GO:0051343': { - 'name': 'positive regulation of cyclic-nucleotide phosphodiesterase activity', - 'def': "Any process that activates or increases the frequency, rate or extent of cyclic nucleotide phosphodiesterase activity, the catalysis of the reaction: nucleotide 3',5'-cyclic phosphate + H2O = nucleotide 5'-phosphate. [GOC:ai, GOC:tb]" - }, - 'GO:0051344': { - 'name': 'negative regulation of cyclic-nucleotide phosphodiesterase activity', - 'def': "Any process that stops or reduces the rate of cyclic nucleotide phosphodiesterase activity, the catalysis of the reaction: nucleotide 3',5'-cyclic phosphate + H2O = nucleotide 5'-phosphate. [GOC:ai, GOC:tb]" - }, - 'GO:0051345': { - 'name': 'positive regulation of hydrolase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of hydrolase activity, the catalysis of the hydrolysis of various bonds. [GOC:ai]' - }, - 'GO:0051346': { - 'name': 'negative regulation of hydrolase activity', - 'def': 'Any process that stops or reduces the rate of hydrolase activity, the catalysis of the hydrolysis of various bonds. [GOC:ai]' - }, - 'GO:0051347': { - 'name': 'positive regulation of transferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of transferase activity, the catalysis of the transfer of a group, e.g. a methyl group, glycosyl group, acyl group, phosphorus-containing, or other groups, from a donor compound to an acceptor. [GOC:ai]' - }, - 'GO:0051348': { - 'name': 'negative regulation of transferase activity', - 'def': 'Any process that stops or reduces the rate of transferase activity, the catalysis of the transfer of a group, e.g. a methyl group, glycosyl group, acyl group, phosphorus-containing, or other groups, from a donor compound to an acceptor. [GOC:ai]' - }, - 'GO:0051349': { - 'name': 'positive regulation of lyase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of lyase activity, the catalysis of the cleavage of C-C, C-O, C-N and other bonds by other means than by hydrolysis or oxidation, or conversely adding a group to a double bond. [GOC:ai]' - }, - 'GO:0051350': { - 'name': 'negative regulation of lyase activity', - 'def': 'Any process that stops or reduces the rate of lyase activity, the catalysis of the cleavage of C-C, C-O, C-N and other bonds by other means than by hydrolysis or oxidation, or conversely adding a group to a double bond. [GOC:ai]' - }, - 'GO:0051351': { - 'name': 'positive regulation of ligase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of ligase activity, the catalysis of the ligation of two substances with concomitant breaking of a diphosphate linkage, usually in a nucleoside triphosphate. [GOC:ai]' - }, - 'GO:0051352': { - 'name': 'negative regulation of ligase activity', - 'def': 'Any process that stops or reduces the rate of ligase activity, the catalysis of the ligation of two substances with concomitant breaking of a diphosphate linkage, usually in a nucleoside triphosphate. [GOC:ai]' - }, - 'GO:0051353': { - 'name': 'positive regulation of oxidoreductase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of oxidoreductase activity, the catalysis of an oxidation-reduction (redox) reaction, a reversible chemical reaction in which the oxidation state of an atom or atoms within a molecule is altered. [GOC:ai]' - }, - 'GO:0051354': { - 'name': 'negative regulation of oxidoreductase activity', - 'def': 'Any process that stops or reduces the rate of oxidoreductase activity, the catalysis of an oxidation-reduction (redox) reaction, a reversible chemical reaction in which the oxidation state of an atom or atoms within a molecule is altered. [GOC:ai]' - }, - 'GO:0051355': { - 'name': 'proprioception involved in equilibrioception', - 'def': 'The series of events contributing to equilibrioception by which an organism senses the position, location, orientation, and movement of the body and its parts. Proprioception plays an important role in the ability of an organism to perceive its orientation with respect to gravity. [GOC:ai]' - }, - 'GO:0051356': { - 'name': 'visual perception involved in equilibrioception', - 'def': 'The series of events during equilibrioception required for an organism to receive a visual stimulus, convert it to a molecular signal, and recognize and characterize the signal. Visual input plays an important role in the ability of an organism to perceive its orientation with respect to gravity. [GOC:ai]' - }, - 'GO:0051357': { - 'name': 'peptide cross-linking via 3-(2-methylthio)ethyl-6-(4-hydroxybenzylidene)-5-iminopiperazin-2-one', - 'def': 'The formation of a 2-keto-5-iminopiperazine protein chromophore cross-link from the alpha-amino nitrogen of residue n, a methionine, to the alpha-carboxyl carbon of residue n+1, a tyrosine, and a dehydration to form a double bond to the alpha-amino nitrogen of residue n+2. This cross-linking is coupled with a dehydrogenation of residue n+1 to form a double bond between the alpha and beta carbons. [PMID:10852900, PMID:11259412, PMID:15491166, RESID:AA0377]' - }, - 'GO:0051358': { - 'name': 'peptide cross-linking via 2-imino-glutamic acid 5-imidazolinone glycine', - 'def': 'The formation of the non-fluorescent protein chromophore cross-link from the alpha-carboxyl carbon of residue n, a glutamic acid, to the alpha-amino nitrogen of residue n+2, a glycine, and a dehydration to form a double bond to the alpha-amino nitrogen of residue n+1. This cross-linking is coupled with a dehydrogenation of residue n+1 to form a double bond between the alpha and beta carbons. This modification is found in the GFP-like non-fluorescent red chromoprotein from the sea anemone Radianthus macrodactylus. [PMID:11682051, RESID:AA0378]' - }, - 'GO:0051359': { - 'name': 'peptide cross-linking via 2-imino-methionine 5-imidazolinone glycine', - 'def': 'The formation of the fluorescent protein FP611 chromophore cross-link from the alpha-carboxyl carbon of residue n, a methionine, to the alpha-amino nitrogen of residue n+2, a glycine, and a dehydration to form a double bond to the alpha-amino nitrogen of residue n+1. This cross-linking is coupled with a dehydrogenation of residue n+1 to form a double bond between the alpha and beta carbons. This modification is found in the GFP-like fluorescent chromoprotein from the sea anemone Entacmaea quadricolor. [PDB:1UIS, PDB:1XQM, PMID:10852900, PMID:12185250, PMID:12909624, PMID:15542608, RESID:AA0379]' - }, - 'GO:0051360': { - 'name': 'peptide cross-linking via L-asparagine 5-imidazolinone glycine', - 'def': 'The formation of the fluorescent protein FP506 chromophore cross-link from the alpha-carboxyl carbon of residue n, an asparagine, to the alpha-amino nitrogen of residue n+2, a glycine, and a dehydration to form a double bond to the alpha-amino nitrogen of residue n+1. This cross-linking is coupled with a dehydrogenation of residue n+1 to form a double bond between the alpha and beta carbons. [PMID:10504696, RESID:AA0380]' - }, - 'GO:0051361': { - 'name': 'peptide cross-linking via L-lysine 5-imidazolinone glycine', - 'def': 'The formation of a fluorescent protein chromophore cross-link from the alpha-carboxyl carbon of residue n, a lysine, to the alpha-amino nitrogen of residue n+2, a glycine, and a dehydration to form a double bond to the alpha-amino nitrogen of residue n+1. This cross-linking is coupled with a dehydrogenation of residue n+1 to form a double bond between the alpha and beta carbons. [PMID:10504696, RESID:AA0381]' - }, - 'GO:0051362': { - 'name': 'peptide cross-linking via 2-tetrahydropyridinyl-5-imidazolinone glycine', - 'def': 'The formation of a 2-tetrahydropyridinyl-5-imidazolinone protein chromophore cross-link from the alpha-carboxyl carbon of residue n, a lysine, to the alpha-amino nitrogen of residue n+2, a glycine, and a dehydration to form a double bond to the alpha-amino nitrogen of residue n+1. This cross-linking is coupled with a dehydrogenation of residue n+1 to form a double bond between the alpha and beta carbons. In addition, the residue N lysine undergoes cyclization. The alpha-amino nitrogen is replaced by the epsilon-amino nitrogen, the peptide chain is broken, residue N-1 is released as an amide, and a double bond is formed between the alpha-carbon and the nitrogen so that a tetrahydropyridine ring results. This modification is found in the GFP-like fluorescent chromoprotein FP538 from the sea anemone Zoanthus species. [PDB:1XAE, PMID:10504696, PMID:15628861, RESID:AA0382]' - }, - 'GO:0051363': { - 'name': 'peptidoglycan-protein cross-linking via L-alanyl-pentaglycyl-murein', - 'def': 'The process of linking a protein to peptidoglycan via a carboxy terminal alanine carboxyl group through a pentaglycyl peptide to the lysine or diaminopimelic acid of the peptidoglycan. [PMID:8163519, PMID:9086265, RESID:AA0383]' - }, - 'GO:0051364': { - 'name': 'N-terminal peptidyl-proline N-formylation', - 'def': 'The formylation of the N-terminal proline of proteins to form the derivative N-formylproline. [PMID:12051774, PMID:5464655, RESID:AA0384]' - }, - 'GO:0051365': { - 'name': 'cellular response to potassium ion starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of potassium ions. [GOC:sm]' - }, - 'GO:0051366': { - 'name': 'protein decanoylation', - 'def': 'The modification of a protein amino acid by formation of an ester or amide with decanoic acid. [GOC:jsg]' - }, - 'GO:0051367': { - 'name': 'peptidyl-serine decanoylation', - 'def': 'The decanoylation of peptidyl-serine to form peptidyl-O3-decanoyl-L-serine, typical of the protein ghrelin. [GOC:jsg, PMID:12630926, RESID:AA0385]' - }, - 'GO:0051368': { - 'name': 'peptidyl-threonine octanoylation', - 'def': 'The octanoylation of peptidyl-threonine to form peptidyl-O3-octanoyl-L-threonine, typical of the protein ghrelin. [GOC:jsg, PMID:11546772, RESID:AA0387]' - }, - 'GO:0051369': { - 'name': 'peptidyl-threonine decanoylation', - 'def': 'The decanoylation of peptidyl-threonine to form peptidyl-O3-decanoyl-L-threonine, typical of the protein ghrelin. [GOC:jsg, PMID:11546772, RESID:AA0387]' - }, - 'GO:0051370': { - 'name': 'obsolete ZASP binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with Z-band alternatively spliced PDZ motif protein (ZASP). ZASP is a Z-band protein specifically expressed in heart and skeletal muscle. This protein contains N-terminal PDZ domain and C-terminal LIM domain. [PMID:10427098, PMID:11699871]' - }, - 'GO:0051371': { - 'name': 'muscle alpha-actinin binding', - 'def': 'Interacting selectively and non-covalently with muscle isoforms of actinin. Muscle alpha-actinin isoforms are found in skeletal and cardiac muscle and are localized to the Z-disc. [PMID:10984498, PMID:11699871, PMID:15014165]' - }, - 'GO:0051373': { - 'name': 'FATZ binding', - 'def': 'Interacting selectively and non-covalently with a member of the FATZ family of proteins, filamin-, actinin-, and telethonin-binding proteins of the Z-disc of striated muscle. FATZ proteins are located in the Z-disc of the sarcomere and are involved in a complex network of interactions with other Z-band components. [PMID:10984498, PMID:11699871]' - }, - 'GO:0051377': { - 'name': 'mannose-ethanolamine phosphotransferase activity', - 'def': 'Catalysis of the transfer of ethanolamine phosphate to a mannose residue in the GPI lipid precursor. [PMID:15632136]' - }, - 'GO:0051378': { - 'name': 'serotonin binding', - 'def': 'Interacting selectively and non-covalently with serotonin (5-hydroxytryptamine), a monoamine neurotransmitter occurring in the peripheral and central nervous systems, also having hormonal properties. [GOC:ai]' - }, - 'GO:0051379': { - 'name': 'epinephrine binding', - 'def': 'Interacting selectively and non-covalently with epinephrine, a hormone produced by the medulla of the adrenal glands that increases heart activity, improves the power and prolongs the action of muscles, and increases the rate and depth of breathing. It is synthesized by the methylation of norepinephrine. [GOC:ai]' - }, - 'GO:0051380': { - 'name': 'norepinephrine binding', - 'def': 'Interacting selectively and non-covalently with norepinephrine, (3,4-dihydroxyphenyl-2-aminoethanol), a hormone secreted by the adrenal medulla and a neurotransmitter in the sympathetic peripheral nervous system and in some tracts of the CNS. It is also the biosynthetic precursor of epinephrine. [GOC:ai]' - }, - 'GO:0051381': { - 'name': 'histamine binding', - 'def': 'Interacting selectively and non-covalently with histamine, a physiologically active amine, found in plant and animal tissue and released from mast cells as part of an allergic reaction in humans. [GOC:ai]' - }, - 'GO:0051382': { - 'name': 'kinetochore assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the kinetochore, a multisubunit complex that is located at the centromeric region of DNA and provides an attachment point for the spindle microtubules. [GOC:ai]' - }, - 'GO:0051383': { - 'name': 'kinetochore organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the kinetochore, a multisubunit complex that is located at the centromeric region of DNA and provides an attachment point for the spindle microtubules. [GOC:ai, GOC:dph, GOC:jl, GOC:mah]' - }, - 'GO:0051384': { - 'name': 'response to glucocorticoid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glucocorticoid stimulus. Glucocorticoids are hormonal C21 corticosteroids synthesized from cholesterol with the ability to bind with the cortisol receptor and trigger similar effects. Glucocorticoids act primarily on carbohydrate and protein metabolism, and have anti-inflammatory effects. [CHEBI:24261, GOC:ai, PMID:9884123]' - }, - 'GO:0051385': { - 'name': 'response to mineralocorticoid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mineralocorticoid stimulus. Mineralocorticoids are hormonal C21 corticosteroids synthesized from cholesterol and characterized by their similarity to aldosterone. Mineralocorticoids act primarily on water and electrolyte balance. [GOC:ai, PMID:9884123]' - }, - 'GO:0051386': { - 'name': 'regulation of neurotrophin TRK receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the neurotrophin TRK receptor signaling pathway. [GOC:ai]' - }, - 'GO:0051387': { - 'name': 'negative regulation of neurotrophin TRK receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the neurotrophin TRK receptor signaling pathway. [GOC:ai]' - }, - 'GO:0051388': { - 'name': 'positive regulation of neurotrophin TRK receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the neurotrophin TRK receptor signaling pathway. [GOC:ai]' - }, - 'GO:0051389': { - 'name': 'inactivation of MAPKK activity', - 'def': 'Any process that terminates the activity of the active enzyme MAP kinase kinase (MAPKK). [GOC:ai]' - }, - 'GO:0051390': { - 'name': 'inactivation of MAPKKK activity', - 'def': 'Any process that terminates the activity of the active enzyme MAP kinase kinase kinase (MAPKKK). [GOC:ai]' - }, - 'GO:0051391': { - 'name': 'tRNA acetylation', - 'def': 'The modification of tRNA structure by addition of an acetyl group to tRNA. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:ai]' - }, - 'GO:0051392': { - 'name': 'tRNA N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + cytidine = CoA + N4-acetylcytidine. The cytidine is within the polynucleotide chain of a tRNA. [PMID:15037780]' - }, - 'GO:0051393': { - 'name': 'alpha-actinin binding', - 'def': 'Interacting selectively and non-covalently with alpha-actinin, one of a family of proteins that cross-link F-actin as antiparallel homodimers. Alpha-actinin has a molecular mass of 93-103 KDa; at the N-terminus there are two calponin homology domains, at the C-terminus there are two EF-hands. These two domains are connected by the rod domain. This domain is formed by triple-helical spectrin repeats. [PMID:10984498, PMID:11699871, PMID:15014165]' - }, - 'GO:0051394': { - 'name': 'regulation of nerve growth factor receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of the activity of the nerve growth factor (NGF) receptor. [GOC:ai]' - }, - 'GO:0051395': { - 'name': 'negative regulation of nerve growth factor receptor activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the activity of the nerve growth factor (NGF) receptor. [GOC:ai]' - }, - 'GO:0051396': { - 'name': 'positive regulation of nerve growth factor receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of the activity of the nerve growth factor (NGF) receptor. [GOC:ai]' - }, - 'GO:0051397': { - 'name': 'obsolete N-terminal basic amino acid aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of basic amino acid residues at the N-terminal of an oligopeptide or polypeptide chain. [GOC:ai]' - }, - 'GO:0051398': { - 'name': 'obsolete N-terminal lysine aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of a lysine residue from the N-terminal of an oligopeptide or polypeptide chain. [GOC:ai, PMID:12799365]' - }, - 'GO:0051399': { - 'name': 'obsolete N-terminal arginine aminopeptidase activity', - 'def': 'OBSOLETE. Catalysis of the hydrolysis of an arginine residue from the N-terminal of an oligopeptide or polypeptide chain. [GOC:ai, PMID:12799365]' - }, - 'GO:0051400': { - 'name': 'BH domain binding', - 'def': 'Interacting selectively and non-covalently with the Bcl-2 homology (BH) domain of a protein. Bcl-2-related proteins share homology in one to four conserved regions designated the Bcl-2 homology (BH) domains BH1, BH2, BH3 and BH4. These domains contribute at multiple levels to the function of these proteins in cell death and survival. Anti-apoptotic members of the Bcl-2 family have four BH domains (BH1-BH4). Pro-apoptotic members have fewer BH domains. [PMID:11048732, PMID:12133724, PMID:9020082, PMID:9704409]' - }, - 'GO:0051401': { - 'name': 'CH domain binding', - 'def': 'Interacting selectively and non-covalently with the calponin homology domain of a protein, a domain of 100 residues that occurs in signaling and cytoskeletal proteins. [PMID:11911887, Prosite:PDOC50021]' - }, - 'GO:0051402': { - 'name': 'neuron apoptotic process', - 'def': 'Any apoptotic process in a 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. [CL:0000540, GOC:mtg_apoptosis, MeSH:A.08.663]' - }, - 'GO:0051403': { - 'name': 'stress-activated MAPK cascade', - 'def': 'A series of molecular signals in which a stress-activated MAP kinase cascade relays one or more of the signals; MAP kinase cascades involve at least three protein kinase activities and culminate in the phosphorylation and activation of a MAP kinase. [GOC:ai, PMID:15936270]' - }, - 'GO:0051404': { - 'name': 'obsolete clostripain activity', - 'def': 'OBSOLETE. Catalysis of the cleavage of Arg-Xaa bonds. [EC:3.4.22.8]' - }, - 'GO:0051405': { - 'name': 'obsolete microbial collagenase activity', - 'def': 'OBSOLETE. Catalysis of the digestion of native collagen in the triple helical region at Xaa-Gly bonds. [EC:3.4.24.3]' - }, - 'GO:0051407': { - 'name': 'glycerone phosphate:inorganic phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glycerone phosphate(out) + phosphate(in) = glycerone phosphate(in) + phosphate(out). [GOC:ai]' - }, - 'GO:0051408': { - 'name': 'glyceraldehyde 3-phosphate:inorganic phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glyceraldehyde 3-phosphate(out) + phosphate(in) = glyceraldehyde 3-phosphate(in) + phosphate(out). [GOC:ai]' - }, - 'GO:0051409': { - 'name': 'response to nitrosative stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrosative stress stimulus. Nitrosative stress is a state often resulting from exposure to high levels of nitric oxide (NO) or the highly reactive oxidant peroxynitrite, which is produced following interaction of NO with superoxide anions. [PMID:15925705]' - }, - 'GO:0051410': { - 'name': 'detoxification of nitrogen compound', - 'def': 'Any process that reduces or removes the toxicity of nitrogenous compounds which are dangerous or toxic. This includes the aerobic conversion of toxic compounds to harmless substances. [GOC:ai]' - }, - 'GO:0051411': { - 'name': 'obsolete ALP binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently wih ALP, actinin-associated LIM protein of the Z band. ALP is a PDZ/LIM domain protein found in the Z band. [PMID:11699871]' - }, - 'GO:0051412': { - 'name': 'response to corticosterone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a corticosterone stimulus. Corticosterone is a 21 carbon steroid hormone of the corticosteroid type, produced in the cortex of the adrenal glands. In many species, corticosterone is the principal glucocorticoid, involved in regulation of fuel metabolism, immune reactions, and stress responses. [PMID:15240347]' - }, - 'GO:0051413': { - 'name': 'response to cortisone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cortisone stimulus. Cortisone is a natural glucocorticoid steroid hormone that is metabolically convertible to cortisol. Cortisone is synthesized from cholesterol in the cortex of the adrenal gland under the stimulation of adrenocorticotropin hormone (ACTH). The main physiological effect of cortisone is on carbohydrate metabolism; it can stimulate increased glucose release from the liver, increased liver glycogen synthesis, and decreased utilization of glucose by the tissues. [ISBN:0721662544, PMID:11276391]' - }, - 'GO:0051414': { - 'name': 'response to cortisol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cortisol stimulus. Cortisol is the major natural glucocorticoid synthesized in the zona fasciculata of the adrenal cortex; it affects the metabolism of glucose, protein, and fats and has appreciable mineralocorticoid activity. It also regulates the immune system and affects many other functions. [ISBN:0721662544, PMID:11276391]' - }, - 'GO:0051415': { - 'name': 'interphase microtubule nucleation by interphase microtubule organizing center', - 'def': "The 'de novo' formation of a microtubule by the interphase microtubule organizing center during interphase, the stage of cell cycle between successive rounds of chromosome segregation. [GOC:ai]" - }, - 'GO:0051416': { - 'name': 'obsolete myotilin binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with myotilin, a structural component of the Z-discs in human skeletal and cardiac muscle. Its C-terminus contains two immunoglobulin-like domains and the unique N-terminal half has a serine-rich region, with numerous potential phosphorylation sites, and a stretch of hydrophobic amino acids. Myotilin forms homodimers and binds to alpha-actinin, F-actin, and filamin C. [PMID:11699871, PMID:15752755]' - }, - 'GO:0051417': { - 'name': 'microtubule nucleation by spindle pole body', - 'def': "The 'de novo' formation of a microtubule, mediated by the spindle pole body. [GOC:ai]" - }, - 'GO:0051418': { - 'name': 'microtubule nucleation by microtubule organizing center', - 'def': "The 'de novo' formation of a microtubule, mediated by the microtubule organizing center. [GOC:ai]" - }, - 'GO:0051419': { - 'name': 'obsolete nebulin binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with nebulin, a large protein (approximately 800kD) that is anchored at the Z-disc by its C-terminal region and spans the length of the thin filament, ending at the edge of the H-zone. [PMID:11699871]' - }, - 'GO:0051420': { - 'name': 'obsolete nebulette binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with nebulette, a 107 kDa protein associated with the I-Z-I complex of cardiac myofibrils. It shows a high degree of homology with skeletal muscle nebulin. [PMID:11699871]' - }, - 'GO:0051421': { - 'name': 'regulation of endo-1,4-beta-xylanase activity', - 'def': 'Any process that modulates the frequency, rate or extent of endo-(1->4)-beta-xylanase activity, the catalysis of the endohydrolysis of (1->4)-beta-D-xylosidic linkages in xylans. [EC:3.2.1.8, GOC:ai]' - }, - 'GO:0051422': { - 'name': 'negative regulation of endo-1,4-beta-xylanase activity', - 'def': 'Any process that stops or reduces the rate of endo-(1->4)-beta-xylanase activity, the catalysis of the endohydrolysis of (1->4)-beta-D-xylosidic linkages in xylans. [EC:3.2.1.8, GOC:ai]' - }, - 'GO:0051423': { - 'name': 'positive regulation of endo-1,4-beta-xylanase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of endo-(1->4)-beta-xylanase activity, the catalysis of the endohydrolysis of (1->4)-beta-D-xylosidic linkages in xylans. [EC:3.2.1.8, GOC:ai]' - }, - 'GO:0051424': { - 'name': 'corticotropin-releasing hormone binding', - 'def': 'Interacting selectively and non-covalently with corticotropin-releasing hormone, a polypeptide hormone involved in the stress response. It is released by the hypothalamus and stimulates the release of corticotropin by the anterior pituitary gland. [http://www.onelook.com]' - }, - 'GO:0051425': { - 'name': 'PTB domain binding', - 'def': 'Interacting selectively and non-covalently with a phosphotyrosine-binding (PTB) domain of a protein. [Pfam:PF02174.5, PMID:15924411]' - }, - 'GO:0051427': { - 'name': 'hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a receptor for hormones. [GOC:ai]' - }, - 'GO:0051428': { - 'name': 'peptide hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a receptor for peptide hormones. [GOC:ai]' - }, - 'GO:0051429': { - 'name': 'corticotropin-releasing hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with a receptor for corticotropin-releasing hormone (CRH), a polypeptide hormone involved in the stress response. It is released by the hypothalamus and stimulates the release of corticotropin by the anterior pituitary gland. [GOC:ai]' - }, - 'GO:0051430': { - 'name': 'corticotropin-releasing hormone receptor 1 binding', - 'def': 'Interacting selectively and non-covalently with the corticotropin-releasing hormone receptor 1 (CRHR1). CRHR1 is the major subtype in the pituitary corticotroph, and mediates the stimulatory actions of corticotropin-releasing hormone on corticotropin hormone secretion. CRHR1 are also located in cortical areas of the brain, cerebellum and limbic system. [PMID:15134857]' - }, - 'GO:0051431': { - 'name': 'corticotropin-releasing hormone receptor 2 binding', - 'def': 'Interacting selectively and non-covalently with the corticotropin-releasing hormone receptor type 2 (CRHR2). The CRHR2 has several splice variants that are located in sub-cortical areas of the brain and in the periphery. [PMID:15134857]' - }, - 'GO:0051432': { - 'name': 'BH1 domain binding', - 'def': 'Interacting selectively and non-covalently with the BH1 domain of a protein of the Bcl-2 family. Proteins that act as inhibitors of apoptosis harbour at least three BH domains: BH1, BH2 and BH3; the BH1 and BH2 domains are found in all death antagonists of the Bcl-2 family but only in one class of death agonists. [PMID:11048732, PMID:12133724, PMID:9020082, PMID:9704409, Prosite:PS01080]' - }, - 'GO:0051433': { - 'name': 'BH2 domain binding', - 'def': 'Interacting selectively and non-covalently with the BH2 domain of a protein of the Bcl-2 family. Proteins that act as inhibitors of apoptosis harbour at least three BH domains: BH1, BH2 and BH3; the BH1 and BH2 domains are found in all death antagonists of the Bcl-2 family but only in one class of death agonists. [PMID:11048732, PMID:12133724, PMID:9020082, PMID:9704409, Prosite:PS01258]' - }, - 'GO:0051434': { - 'name': 'BH3 domain binding', - 'def': 'Interacting selectively and non-covalently with the BH3 domain of a protein of the Bcl-2 family. The BH3 domain is a potent death domain and has an important role in protein-protein interactions and in cell death. [PMID:11048732, PMID:12133724, PMID:9020082, PMID:9704409, Prosite:PS01259]' - }, - 'GO:0051435': { - 'name': 'BH4 domain binding', - 'def': 'Interacting selectively and non-covalently with the BH4 domain of a protein of the Bcl-2 family. All anti-apoptotic proteins contain BH1 and BH2 domains; some also contain an additional N-terminal BH4 domain, which is almost never seen in pro-apoptotic proteins. Loss of the BH4 domain can diminish or abrogate anti-apoptotic function or even impart outright death-promoting properties to the protein. [InterPro:IPR003093, PMID:11048732, PMID:12133724, PMID:9020082, PMID:9704409, Prosite:PS01260, Prosite:PS50063]' - }, - 'GO:0051436': { - 'name': 'negative regulation of ubiquitin-protein ligase activity involved in mitotic cell cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ubiquitin ligase activity that contributes to the mitotic cell cycle. [GOC:ai, GOC:tb]' - }, - 'GO:0051437': { - 'name': 'positive regulation of ubiquitin-protein ligase activity involved in regulation of mitotic cell cycle transition', - 'def': 'Any process that activates, maintains or increases the rate of ubiquitin ligase activity that contributes to the regulation of the mitotic cell cycle phase transition. [GOC:ai, GOC:tb]' - }, - 'GO:0051438': { - 'name': 'regulation of ubiquitin-protein transferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of ubiquitin transferase activity. [GOC:ai, GOC:tb]' - }, - 'GO:0051439': { - 'name': 'regulation of ubiquitin-protein ligase activity involved in mitotic cell cycle', - 'def': 'A cell cycle process that modulates the frequency, rate or extent of ubiquitin ligase activity that contributes to the mitotic cell cycle. [GOC:ai]' - }, - 'GO:0051440': { - 'name': 'regulation of ubiquitin-protein ligase activity involved in meiotic cell cycle', - 'def': 'A cell cycle process that modulates the frequency, rate or extent of ubiquitin ligase activity during the meiotic cell cycle. [GOC:ai, GOC:tb]' - }, - 'GO:0051441': { - 'name': 'positive regulation of ubiquitin-protein ligase activity involved in meiotic cell cycle', - 'def': 'Any process that activates, maintains or increases the rate of ubiquitin ligase activity during the meiotic cell cycle. [GOC:ai, GOC:dph, GOC:mah, GOC:tb, PMID:10871297]' - }, - 'GO:0051442': { - 'name': 'negative regulation of ubiquitin-protein ligase activity involved in meiotic cell cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ubiquitin ligase activity during the meiotic cell cycle. [GOC:ai, GOC:tb]' - }, - 'GO:0051443': { - 'name': 'positive regulation of ubiquitin-protein transferase activity', - 'def': 'Any process that activates, maintains or increases the rate of ubiquitin transferase activity. [GOC:ai, GOC:tb]' - }, - 'GO:0051444': { - 'name': 'negative regulation of ubiquitin-protein transferase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ubiquitin transferase activity. [GOC:ai, GOC:tb]' - }, - 'GO:0051445': { - 'name': 'regulation of meiotic cell cycle', - 'def': 'Any process that modulates the rate or extent of progression through the meiotic cell cycle. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051446': { - 'name': 'positive regulation of meiotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of progression through the meiotic cell cycle. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051447': { - 'name': 'negative regulation of meiotic cell cycle', - 'def': 'Any process that stops, prevents or reduces the rate or extent of progression through the meiotic cell cycle. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051448': { - 'name': 'gonadotropin-releasing hormone binding', - 'def': 'Interacting selectively and non-covalently with gonadotropin-releasing hormone (GnRH), a peptide hormone responsible for the release of follicle-stimulating hormone (FSH) and luteinizing hormone (LH) from the anterior pituitary. GnRH is synthesized and released by the hypothalamus. [GOC:pr, PMID:1984190]' - }, - 'GO:0051449': { - 'name': 'thyrotropin-releasing hormone binding', - 'def': 'Interacting selectively and non-covalently with thyrotropin-releasing hormone, a tripeptide hormone that stimulates the release of thyroid-stimulating hormone (TSH) and prolactin by the anterior pituitary and it is produced by the hypothalamus and travels across the median eminence to the pituitary via the pituitary portal system. [GOC:ai]' - }, - 'GO:0051450': { - 'name': 'myoblast proliferation', - 'def': 'The multiplication or reproduction of myoblasts, resulting in the expansion of a myoblast cell population. A myoblast is a mononucleate cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:ai, GOC:mtg_muscle]' - }, - 'GO:0051451': { - 'name': 'myoblast migration', - 'def': 'The orderly movement of a myoblast from one site to another, often during the development of a multicellular organism. A myoblast is a cell type that, by fusion with other myoblasts, gives rise to the myotubes that eventually develop into skeletal muscle fibers. [CL:0000056, GOC:ai, GOC:mtg_muscle]' - }, - 'GO:0051452': { - 'name': 'intracellular pH reduction', - 'def': 'Any process that reduces the internal pH of a cell, measured by the concentration of the hydrogen ion. [GOC:ai]' - }, - 'GO:0051453': { - 'name': 'regulation of intracellular pH', - 'def': 'Any process that modulates the internal pH of a cell, measured by the concentration of the hydrogen ion. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051454': { - 'name': 'intracellular pH elevation', - 'def': 'Any process that increases the internal pH of a cell, measured by the concentration of the hydrogen ion. [GOC:ai]' - }, - 'GO:0051455': { - 'name': 'attachment of spindle microtubules to kinetochore involved in homologous chromosome segregation', - 'def': 'The process in which spindle microtubules become physically associated with the proteins making up the kinetochore complex during meiosis I. During meiosis I sister kinetochores are lying next to each other facing the same spindle pole and monopolar attachment of the chromatid to the spindle occurs. [GOC:ai, GOC:clt, GOC:dph, GOC:tb]' - }, - 'GO:0051456': { - 'name': 'attachment of spindle microtubules to kinetochore involved in meiotic sister chromatid segregation', - 'def': 'The process in which spindle microtubules become physically associated with the proteins making up the kinetochore complex during meiosis II. During meiosis II sister kinetochores are situated facing opposite spindle poles and bipolar attachment of the sister chromosomes to the spindle occurs. [GOC:ai, GOC:clt, GOC:dph, GOC:tb]' - }, - 'GO:0051457': { - 'name': 'maintenance of protein location in nucleus', - 'def': 'Any process in which a protein is maintained in the nucleus and prevented from moving elsewhere. These include sequestration within the nucleus, protein stabilization to prevent transport elsewhere and the active retrieval of proteins that escape the nucleus. [GOC:ai]' - }, - 'GO:0051458': { - 'name': 'corticotropin secretion', - 'def': 'The regulated release of corticotropin by a cell. Corticotropin hormone is a polypeptide hormone synthesized and secreted from corticotropes in the anterior lobe of the pituitary gland in response to corticotropin-releasing hormone (CRH) released by the hypothalamus. [CHEBI:3892, GOC:cjm, PMID:11027914]' - }, - 'GO:0051459': { - 'name': 'regulation of corticotropin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of corticotropic hormone from a cell. [GOC:ai, GOC:dph]' - }, - 'GO:0051460': { - 'name': 'negative regulation of corticotropin secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of corticotropic hormone from a cell. [GOC:ai]' - }, - 'GO:0051461': { - 'name': 'positive regulation of corticotropin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of corticotropin hormone from a cell. [GOC:ai]' - }, - 'GO:0051462': { - 'name': 'regulation of cortisol secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of cortisol from a cell. [GOC:ai]' - }, - 'GO:0051463': { - 'name': 'negative regulation of cortisol secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of cortisol from a cell. [GOC:ai]' - }, - 'GO:0051464': { - 'name': 'positive regulation of cortisol secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of cortisol from a cell. [GOC:ai]' - }, - 'GO:0051465': { - 'name': 'negative regulation of corticotropin-releasing hormone secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of corticotropin-releasing hormone from a cell. [GOC:ai]' - }, - 'GO:0051466': { - 'name': 'positive regulation of corticotropin-releasing hormone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of corticotropin-releasing hormone from a cell. [GOC:ai]' - }, - 'GO:0051467': { - 'name': 'detection of steroid hormone stimulus', - 'def': 'The series of events by which a steroid hormone stimulus is received by a cell and converted into a molecular signal. [GOC:ai]' - }, - 'GO:0051468': { - 'name': 'detection of glucocorticoid hormone stimulus', - 'def': 'The series of events by which a glucocorticoid hormone stimulus is received by a cell and converted into a molecular signal. Glucocorticoids are hormonal C21 corticosteroids synthesized from cholesterol with the ability to bind with the cortisol receptor and trigger similar effects. Glucocorticoids act primarily on carbohydrate and protein metabolism, and have anti-inflammatory effects. [GOC:ai]' - }, - 'GO:0051469': { - 'name': 'vesicle fusion with vacuole', - 'def': 'The joining of the lipid bilayer membrane around a vesicle with the lipid bilayer membrane around the vacuole. [GOC:ai]' - }, - 'GO:0051470': { - 'name': 'ectoine transport', - 'def': 'The directed movement of ectoine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Ectoine (1,4,5,6-tetrahydro-2-methyl-4-pyrimidinecarboxylic acid) is a tetrahydropyrimidine commonly synthesized by halophilic bacteria. [GOC:ai]' - }, - 'GO:0051471': { - 'name': 'ectoine transmembrane transporter activity', - 'def': 'Enables the transfer of ectoine from one side of the membrane to the other. Ectoine (1,4,5,6-tetrahydro-2-methyl-4-pyrimidinecarboxylic acid) is a tetrahydropyrimidine commonly synthesized by halophilic bacteria. [GOC:ai]' - }, - 'GO:0051472': { - 'name': 'glucosylglycerol metabolic process', - 'def': 'The chemical reactions and pathways involving glucosylglycerol, alpha-D-glucopyranosyl-alpha-(1,2)-glycerol. [GOC:ai]' - }, - 'GO:0051473': { - 'name': 'glucosylglycerol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucosylglycerol, alpha-D-glucopyranosyl-alpha-(1,2)-glycerol. [GOC:ai]' - }, - 'GO:0051474': { - 'name': 'glucosylglycerol transmembrane transporter activity', - 'def': 'Enables the transfer of a glucosylglycerol from one side of the membrane to the other. A glucosylglycerol is an alpha-D-glucopyranosyl-alpha-(1,2)-glycerol. [GOC:ai, GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0051475': { - 'name': 'glucosylglycerol transport', - 'def': 'The directed movement of glucosylglycerol, alpha-D-glucopyranosyl-alpha-(1,2)-glycerol, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051476': { - 'name': 'mannosylglycerate transport', - 'def': 'The directed movement of mannosylglycerate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051477': { - 'name': 'mannosylglycerate transmembrane transporter activity', - 'def': 'Enables the transfer of a mannosylglycerate from one side of the membrane to the other. [GOC:ai, PMID:15034926]' - }, - 'GO:0051478': { - 'name': 'mannosylglycerate metabolic process', - 'def': 'The chemical reactions and pathways involving mannosylglycerate, a very common compatible solute in thermophilic and hyperthermophilic organisms. [GOC:ai, PMID:11562374]' - }, - 'GO:0051479': { - 'name': 'mannosylglycerate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mannosylglycerate, a very common compatible solute in thermophilic and hyperthermophilic organisms. [GOC:ai]' - }, - 'GO:0051480': { - 'name': 'regulation of cytosolic calcium ion concentration', - 'def': 'Any process involved in the maintenance of an internal steady state of calcium ions within the cytosol of a cell or between the cytosol and its surroundings. [GOC:ai, GOC:mah, GOC:rph]' - }, - 'GO:0051481': { - 'name': 'negative regulation of cytosolic calcium ion concentration', - 'def': 'Any process that decreases the concentration of calcium ions in the cytosol. [GOC:ai]' - }, - 'GO:0051482': { - 'name': 'positive regulation of cytosolic calcium ion concentration involved in phospholipase C-activating G-protein coupled signaling pathway', - 'def': 'Any process that increases the concentration of calcium ions in the cytosol that occurs as part of a PLC-activating G-protein coupled receptor signaling pathway. G-protein-activated PLC hydrolyses phosphatidylinositol-bisphosphate (PIP2) to release diacylglycerol (DAG) and inositol trisphosphate (IP3). IP3 then binds to calcium release channels in the endoplasmic reticulum (ER) to trigger calcium ion release into the cytosol. [GOC:ai, GOC:signaling]' - }, - 'GO:0051483': { - 'name': 'terpenoid biosynthetic process, mevalonate-independent', - 'def': 'The chemical reactions and pathways resulting in the formation of terpenoids, independent of mevalonate. Isopentenyl diphosphate (IPP) is the fundamental unit in terpenoid biosynthesis, and in mevalonate-independent biosynthesis, it is produced from pyruvate and glyceraldehyde 3-phosphate via intermediates including 1-deoxy-D-xylulose 5-phosphate. [GOC:ai]' - }, - 'GO:0051484': { - 'name': 'isopentenyl diphosphate biosynthetic process, methylerythritol 4-phosphate pathway involved in terpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isopentenyl diphosphate by the mevalonate-independent pathway that contributes to terpenoid biosynthesis. Isopentenyl diphosphate (IPP) is the fundamental unit in isoprenoid biosynthesis and is biosynthesized from pyruvate and glyceraldehyde 3-phosphate via intermediates, including 1-deoxy-D-xylulose 5-phosphate. [GOC:ai]' - }, - 'GO:0051485': { - 'name': 'terpenoid biosynthetic process, mevalonate-dependent', - 'def': 'The chemical reactions and pathways resulting in the formation of terpenoids via isopentenyl diphosphate, synthesized by the mevalonate pathway. Isopentenyl diphosphate (IPP) is the fundamental unit in terpenoid biosynthesis, and in mevalonate-dependent terpenoid biosynthesis, acetate, in the form of acetyl-CoA, is converted to isopentenyl diphosphate (IPP) through a series of mevalonate intermediates. [GOC:ai]' - }, - 'GO:0051486': { - 'name': 'isopentenyl diphosphate biosynthetic process, mevalonate pathway involved in terpenoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isopentenyl diphosphate by the mevalonate pathway that contributes to terpenoid biosynthesis. This pathway converts acetate, in the form of acetyl-CoA, to isopentenyl diphosphate (IPP) through a series of mevalonate intermediates. [GOC:ai]' - }, - 'GO:0051489': { - 'name': 'regulation of filopodium assembly', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly of a filopodium, a thin, stiff protrusion extended by the leading edge of a motile cell such as a crawling fibroblast or amoeba, or an axonal growth cone. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051490': { - 'name': 'negative regulation of filopodium assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the assembly of a filopodium, a thin, stiff protrusion extended by the leading edge of a motile cell such as a crawling fibroblast or amoeba, or an axonal growth cone. [GOC:ai]' - }, - 'GO:0051491': { - 'name': 'positive regulation of filopodium assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of the assembly of a filopodium, a thin, stiff protrusion extended by the leading edge of a motile cell such as a crawling fibroblast or amoeba, or an axonal growth cone. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051492': { - 'name': 'regulation of stress fiber assembly', - 'def': 'Any process that modulates the frequency, rate or extent of the assembly of a stress fiber, a bundle of microfilaments and other proteins found in fibroblasts. [GOC:ai]' - }, - 'GO:0051493': { - 'name': 'regulation of cytoskeleton organization', - 'def': 'Any process that modulates the frequency, rate or extent of the formation, arrangement of constituent parts, or disassembly of cytoskeletal structures. [GOC:ai]' - }, - 'GO:0051494': { - 'name': 'negative regulation of cytoskeleton organization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the formation, arrangement of constituent parts, or disassembly of cytoskeletal structures. [GOC:ai]' - }, - 'GO:0051495': { - 'name': 'positive regulation of cytoskeleton organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of the formation, arrangement of constituent parts, or disassembly of cytoskeletal structures. [GOC:ai]' - }, - 'GO:0051496': { - 'name': 'positive regulation of stress fiber assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of the assembly of a stress fiber, a bundle of microfilaments and other proteins found in fibroblasts. [GOC:ai]' - }, - 'GO:0051497': { - 'name': 'negative regulation of stress fiber assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the assembly a stress fiber, a bundle of microfilaments and other proteins found in fibroblasts. [GOC:ai]' - }, - 'GO:0051498': { - 'name': 'syn-copalyl diphosphate synthase activity', - 'def': 'Catalysis of the reaction: geranylgeranyl diphosphate = 9alpha-copalyl diphosphate. [MetaCyc:RXN-8528]' - }, - 'GO:0051499': { - 'name': 'D-aminoacyl-tRNA deacylase activity', - 'def': 'Catalysis of the reaction: D-aminoacyl-tRNA = D-amino acid + tRNA. Hydrolysis of the removal of D-amino acids from residues in charged tRNA. [PMID:14527667]' - }, - 'GO:0051500': { - 'name': 'D-tyrosyl-tRNA(Tyr) deacylase activity', - 'def': 'Catalysis of the reaction: D-tyrosyl-tRNA(Tyr) = D-tyrosine + tRNA(Tyr). Hydrolysis of the removal of D-tyrosine from tyrosine residues in charged tRNA. [PMID:14527667]' - }, - 'GO:0051501': { - 'name': 'diterpene phytoalexin metabolic process', - 'def': 'The chemical reactions and pathways involving diterpene phytoalexins, a class of diterpene formed in plants in response to fungal infection, physical damage, chemical injury, or a pathogenic process; they are sometimes referred to as plant antibiotics. Diterpenes are unsaturated hydrocarbons containing 20 carbon atoms and 4 branched methyl groups and are made up of isoprenoid units. [GOC:ai, http://www.onelook.com, ISBN:0721662544]' - }, - 'GO:0051502': { - 'name': 'diterpene phytoalexin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of diterpene phytoalexins, terpenoids with 20 carbons produced by plants in response to environmental stresses. [GOC:ai]' - }, - 'GO:0051503': { - 'name': 'adenine nucleotide transport', - 'def': 'The directed movement of adenine nucleotides, ATP, ADP, and/or AMP, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051504': { - 'name': 'diterpene phytoalexin precursor biosynthetic process pathway', - 'def': 'A branched pathway that produces the precursors to four structurally distinct types of polycyclic diterpenes. The pathway starts with the cyclization of geranylgeranyl diphosphate into ent-copalyl diphosphate and syn-copalyl diphosphate. The catalytic conversion by diterpene cyclases of these two compounds produces the four diterpene hydrocarbons which are precursors to the four structurally distinct classes of diterpene phytoalexins. [MetaCyc:PWY-2981]' - }, - 'GO:0051505': { - 'name': 'cholesterol UDP-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a sterol = UDP + O-glucosyl-cholesterol. [GOC:ai]' - }, - 'GO:0051506': { - 'name': 'ergosterol UDP-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a sterol = UDP + O-glucosyl-ergosterol. [GOC:ai]' - }, - 'GO:0051507': { - 'name': 'beta-sitosterol UDP-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a sterol = UDP + O-glucosyl-beta-sitosterol. [GOC:ai]' - }, - 'GO:0051508': { - 'name': 'stigmasterol UDP-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a sterol = UDP + O-glucosyl-stigmasterol. [GOC:ai]' - }, - 'GO:0051509': { - 'name': 'tomatidine UDP-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + a sterol = UDP + O-glucosyl-tomatidine. [GOC:ai]' - }, - 'GO:0051510': { - 'name': 'regulation of unidimensional cell growth', - 'def': 'Any process that modulates the frequency, rate or extent of unidimensional cell growth, the process in which a cell irreversibly increases in size in one [spatial] dimension or along one axis. [GOC:ai]' - }, - 'GO:0051511': { - 'name': 'negative regulation of unidimensional cell growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of unidimensional cell growth, the process in which a cell irreversibly increases in size in one [spatial] dimension or along one axis. [GOC:ai]' - }, - 'GO:0051512': { - 'name': 'positive regulation of unidimensional cell growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of unidimensional cell growth, the process in which a cell irreversibly increases in size in one [spatial] dimension or along one axis. [GOC:ai]' - }, - 'GO:0051513': { - 'name': 'regulation of monopolar cell growth', - 'def': 'Any process that modulates the frequency, rate or extent of monopolar cell growth, polarized growth from one end of a cell. [GOC:ai]' - }, - 'GO:0051514': { - 'name': 'negative regulation of monopolar cell growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of monopolar cell growth, polarized growth from one end of a cell. [GOC:ai]' - }, - 'GO:0051515': { - 'name': 'positive regulation of monopolar cell growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of monopolar cell growth, polarized growth from one end of a cell. [GOC:ai]' - }, - 'GO:0051516': { - 'name': 'regulation of bipolar cell growth', - 'def': 'Any process that modulates the frequency, rate or extent of bipolar cell growth, polarized growth from both ends of a cell. [GOC:ai]' - }, - 'GO:0051517': { - 'name': 'negative regulation of bipolar cell growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of bipolar cell growth, polarized growth from both ends of a cell. [GOC:ai]' - }, - 'GO:0051518': { - 'name': 'positive regulation of bipolar cell growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of bipolar cell growth, polarized growth from both ends of a cell. [GOC:ai]' - }, - 'GO:0051519': { - 'name': 'activation of bipolar cell growth', - 'def': 'Any process that initiates the inactive process of bipolar cell growth, polarized growth from both ends of a cell. [GOC:ai]' - }, - 'GO:0051520': { - 'name': 'termination of bipolar cell growth', - 'def': 'Any process that stops the active process of bipolar cell growth, polarized growth from both ends of a cell. [GOC:ai]' - }, - 'GO:0051521': { - 'name': 'termination of monopolar cell growth', - 'def': 'Any process that stops the active process of bipolar cell growth, polarized growth from one end of a cell. [GOC:ai]' - }, - 'GO:0051522': { - 'name': 'activation of monopolar cell growth', - 'def': 'Any process that initiates the inactive process of monopolar cell growth, polarized growth from one end of a cell. [GOC:ai]' - }, - 'GO:0051523': { - 'name': 'cell growth mode switching, monopolar to bipolar', - 'def': 'The process in which a cell switches from monopolar cell growth to bipolar cell growth. [GOC:ai]' - }, - 'GO:0051524': { - 'name': 'cell growth mode switching, bipolar to monopolar', - 'def': 'The process in which a cell switches from bipolar cell growth to monopolar cell growth. [GOC:ai]' - }, - 'GO:0051525': { - 'name': 'NFAT protein binding', - 'def': 'Interacting selectively and non-covalently with NFAT (nuclear factor of activated T cells) proteins, a family of transcription factors. NFAT proteins have crucial roles in the development and function of the immune system. [PMID:15928679]' - }, - 'GO:0051531': { - 'name': 'NFAT protein import into nucleus', - 'def': 'The directed movement of NFAT (nuclear factor of activated T cells) proteins, a family of transcription factors, from the cytoplasm into the nucleus. NFAT proteins are dephosphorylated in the cytoplasm by activated calcineurin, which leads to their translocation across the nuclear membrane. [PMID:11983154, PMID:15870113, PMID:15928679]' - }, - 'GO:0051532': { - 'name': 'regulation of NFAT protein import into nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of the movement of an NFAT protein from the cytoplasm to the nucleus. [GOC:ai]' - }, - 'GO:0051533': { - 'name': 'positive regulation of NFAT protein import into nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of the movement of an NFAT protein from the cytoplasm to the nucleus. [GOC:ai]' - }, - 'GO:0051534': { - 'name': 'negative regulation of NFAT protein import into nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the movement of an NFAT protein from the cytoplasm to the nucleus. [GOC:ai]' - }, - 'GO:0051536': { - 'name': 'iron-sulfur cluster binding', - 'def': 'Interacting selectively and non-covalently with an iron-sulfur cluster, a combination of iron and sulfur atoms. [GOC:ai]' - }, - 'GO:0051537': { - 'name': '2 iron, 2 sulfur cluster binding', - 'def': 'Interacting selectively and non-covalently with a 2 iron, 2 sulfur (2Fe-2S) cluster; this cluster consists of two iron atoms, with two inorganic sulfur atoms found between the irons and acting as bridging ligands. [GOC:ai, PMID:15952888, Wikipedia:Iron-sulfur_cluster]' - }, - 'GO:0051538': { - 'name': '3 iron, 4 sulfur cluster binding', - 'def': 'Interacting selectively and non-covalently with a 3 iron, 4 sulfur (3Fe-4S) cluster; this cluster consists of three iron atoms, with the inorganic sulfur atoms found between the irons and acting as bridging ligands. It is essentially a 4Fe-4S cluster with one iron missing. [GOC:ai, PMID:15952888, Wikipedia:Iron-sulfur_cluster]' - }, - 'GO:0051539': { - 'name': '4 iron, 4 sulfur cluster binding', - 'def': 'Interacting selectively and non-covalently with a 4 iron, 4 sulfur (4Fe-4S) cluster; this cluster consists of four iron atoms, with the inorganic sulfur atoms found between the irons and acting as bridging ligands. [GOC:ai, PMID:15952888, Wikipedia:Iron-sulfur_cluster]' - }, - 'GO:0051540': { - 'name': 'metal cluster binding', - 'def': 'Interacting selectively and non-covalently with a cluster of atoms including both metal ions and nonmetal atoms, usually sulfur and oxygen. Examples include iron-sulfur clusters and nickel-iron-sulfur clusters. [GOC:jsg]' - }, - 'GO:0051541': { - 'name': 'elastin metabolic process', - 'def': 'The chemical reactions and pathways involving elastin, a glycoprotein which is randomly coiled and crosslinked to form elastic fibers that are found in connective tissue. [http://www.onelook.com]' - }, - 'GO:0051542': { - 'name': 'elastin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of elastin, a fibrous glycoprotein found in elastic tissues such as the walls of arteries. [GOC:ai]' - }, - 'GO:0051543': { - 'name': 'regulation of elastin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of elastin. [GOC:ai]' - }, - 'GO:0051544': { - 'name': 'positive regulation of elastin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of elastin. [GOC:ai]' - }, - 'GO:0051545': { - 'name': 'negative regulation of elastin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of elastin. [GOC:ai]' - }, - 'GO:0051546': { - 'name': 'keratinocyte migration', - 'def': 'The directed movement of a keratinocyte, epidermal cells which synthesize keratin, from one site to another. [ISBN:0721662544]' - }, - 'GO:0051547': { - 'name': 'regulation of keratinocyte migration', - 'def': 'Any process that modulates the frequency, rate or extent of keratinocyte migration. [GOC:ai]' - }, - 'GO:0051548': { - 'name': 'negative regulation of keratinocyte migration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of keratinocyte migration. [GOC:ai]' - }, - 'GO:0051549': { - 'name': 'positive regulation of keratinocyte migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of keratinocyte migration. [GOC:ai]' - }, - 'GO:0051550': { - 'name': 'aurone metabolic process', - 'def': 'The chemical reactions and pathways involving aurones, a series of plant flavonoids that provide a yellow colour to flowers. They have the basic skeletal structure of two benzene rings joined by a linear C3 chain (C6-C3-C6). Aurones exist mostly as 6-O-glucosides. [CHEBI:47964, GOC:curators]' - }, - 'GO:0051551': { - 'name': 'aurone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aurones, a series of yellow plant pigments. [GOC:ai]' - }, - 'GO:0051552': { - 'name': 'flavone metabolic process', - 'def': 'The chemical reactions and pathways involving flavones, a class of pigmented plant compounds based on 2-phenyl-4H-1-benzopyran-4-one (2-phenylchromone). [http://www.onelook.com]' - }, - 'GO:0051553': { - 'name': 'flavone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of flavones, a class of pigmented plant compounds based on 2-phenyl-4H-1-benzopyran-4-one (2-phenylchromone). [GOC:ai]' - }, - 'GO:0051554': { - 'name': 'flavonol metabolic process', - 'def': 'The chemical reactions and pathways involving flavonols, a member of a class of vascular pigments formed by consecutive oxidative processes from the flavonoid intermediates flavanones and dihydroflavonols. Flavonols are the most widespread of the flavonoids and have a wide array of physiological activities. [PMID:11402179]' - }, - 'GO:0051555': { - 'name': 'flavonol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of flavonols, a member of a class of vascular pigments formed by consecutive oxidative processes from the flavonoid intermediates flavanones and dihydroflavonols. Flavonols are the most widespread of the flavonoids and have a wide array of physiological activities. [GOC:ai]' - }, - 'GO:0051556': { - 'name': 'leucoanthocyanidin metabolic process', - 'def': 'The chemical reactions and pathways involving leucoanthocyanidins, a class of colorless intermediates in the biosynthetic pathway of the pigmented flavonoids. [GOC:ai]' - }, - 'GO:0051557': { - 'name': 'leucoanthocyanidin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of leucoanthocyanidins, a class of colorless intermediates in the biosynthetic pathway of the pigmented flavonoids. [GOC:ai]' - }, - 'GO:0051558': { - 'name': 'phlobaphene metabolic process', - 'def': 'The chemical reactions and pathways involving phlobaphenes, red pigments with oligomeric or polymeric structure derived from the flavonoid intermediate flavan-4-ols. [PMID:11402179]' - }, - 'GO:0051559': { - 'name': 'phlobaphene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phlobaphenes, red pigments with oligomeric or polymeric structure derived from the flavonoid intermediate flavan-4-ols. [PMID:11402179]' - }, - 'GO:0051560': { - 'name': 'mitochondrial calcium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of calcium ions within the cytoplasm of a cell or between mitochondria and their surroundings. [GOC:ai, GOC:mah]' - }, - 'GO:0051561': { - 'name': 'positive regulation of mitochondrial calcium ion concentration', - 'def': 'Any process that increases the concentration of calcium ions in mitochondria. [GOC:ai]' - }, - 'GO:0051562': { - 'name': 'negative regulation of mitochondrial calcium ion concentration', - 'def': 'Any process that decreases the concentration of calcium ions in mitochondria. [GOC:ai]' - }, - 'GO:0051563': { - 'name': 'smooth endoplasmic reticulum calcium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of calcium ions within the smooth endoplasmic reticulum of a cell or between the smooth endoplasmic reticulum and its surroundings. [GOC:ai, GOC:mah]' - }, - 'GO:0051564': { - 'name': 'positive regulation of smooth endoplasmic reticulum calcium ion concentration', - 'def': 'Any process that increases the concentration of calcium ions in the smooth endoplasmic reticulum. [GOC:ai]' - }, - 'GO:0051565': { - 'name': 'negative regulation of smooth endoplasmic reticulum calcium ion concentration', - 'def': 'Any process that decreases the concentration of calcium ions in the smooth endoplasmic reticulum. [GOC:ai]' - }, - 'GO:0051566': { - 'name': 'anthocyanidin-3-glucoside rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: anthocyanidin 3-glucoside + UDP-rhamnose = anthocyanidin 3-rutinoside + UDP. [PMID:8130800]' - }, - 'GO:0051567': { - 'name': 'histone H3-K9 methylation', - 'def': 'The modification of histone H3 by addition of one or more methyl groups to lysine at position 9 of the histone. [GOC:ai, GOC:pr]' - }, - 'GO:0051568': { - 'name': 'histone H3-K4 methylation', - 'def': 'The modification of histone H3 by addition of one or more methyl groups to lysine at position 4 of the histone. [GOC:ai, GOC:pr]' - }, - 'GO:0051569': { - 'name': 'regulation of histone H3-K4 methylation', - 'def': 'Any process that modulates the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 4 of histone H3. [GOC:ai]' - }, - 'GO:0051570': { - 'name': 'regulation of histone H3-K9 methylation', - 'def': 'Any process that modulates the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 9 of histone H3. [GOC:ai]' - }, - 'GO:0051571': { - 'name': 'positive regulation of histone H3-K4 methylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 4 of histone H3. [GOC:mah]' - }, - 'GO:0051572': { - 'name': 'negative regulation of histone H3-K4 methylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 4 of histone H3. [GOC:mah]' - }, - 'GO:0051573': { - 'name': 'negative regulation of histone H3-K9 methylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 9 of histone H3. [GOC:ai]' - }, - 'GO:0051574': { - 'name': 'positive regulation of histone H3-K9 methylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 9 of histone H3. [GOC:ai]' - }, - 'GO:0051575': { - 'name': "5'-deoxyribose-5-phosphate lyase activity", - 'def': "Catalysis of the beta-elimination of the 5' deoxyribose-5-phosphate at an abasic site in DNA where a DNA-(apurinic or apyrimidinic site) lyase has already cleaved the C-O-P bond 3' to the apurinic or apyrimidinic site. [PMID:11251121, PMID:16120966]" - }, - 'GO:0051580': { - 'name': 'regulation of neurotransmitter uptake', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a neurotransmitter into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051581': { - 'name': 'negative regulation of neurotransmitter uptake', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of a neurotransmitter into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051582': { - 'name': 'positive regulation of neurotransmitter uptake', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of a neurotransmitter into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051583': { - 'name': 'dopamine uptake involved in synaptic transmission', - 'def': 'The directed movement of dopamine into a presynaptic neuron or glial cell. In this context, dopamine is a catecholamine neurotransmitter and a metabolic precursor of noradrenaline and adrenaline. [GOC:ai]' - }, - 'GO:0051584': { - 'name': 'regulation of dopamine uptake involved in synaptic transmission', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of the catecholamine neurotransmitter dopamine into a cell. [GOC:ai]' - }, - 'GO:0051585': { - 'name': 'negative regulation of dopamine uptake involved in synaptic transmission', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of dopamine into a presynaptic neuron or glial cell. [GOC:ai]' - }, - 'GO:0051586': { - 'name': 'positive regulation of dopamine uptake involved in synaptic transmission', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of dopamine into a cell. [GOC:ai]' - }, - 'GO:0051587': { - 'name': 'inhibition of dopamine uptake involved in synaptic transmission', - 'def': 'Any process that prevents the activation of the directed movement of dopamine into a cell. [GOC:ai]' - }, - 'GO:0051588': { - 'name': 'regulation of neurotransmitter transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a neurotransmitter into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051589': { - 'name': 'negative regulation of neurotransmitter transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of a neurotransmitter into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051590': { - 'name': 'positive regulation of neurotransmitter transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of a neurotransmitter into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051591': { - 'name': 'response to cAMP', - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate) stimulus. [GOC:ai]" - }, - 'GO:0051592': { - 'name': 'response to calcium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a calcium ion stimulus. [GOC:ai]' - }, - 'GO:0051593': { - 'name': 'response to folic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a folic acid stimulus. [GOC:ai]' - }, - 'GO:0051594': { - 'name': 'detection of glucose', - 'def': 'The series of events in which a glucose stimulus is received by a cell and converted into a molecular signal. [GOC:ai]' - }, - 'GO:0051595': { - 'name': 'response to methylglyoxal', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methylglyoxal stimulus. Methylglyoxal is a 2-oxoaldehyde derived from propanal. [GOC:ai]' - }, - 'GO:0051596': { - 'name': 'methylglyoxal catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methylglyoxal, CH3-CO-CHO, the aldehyde of pyruvic acid. [GOC:ai]' - }, - 'GO:0051597': { - 'name': 'response to methylmercury', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methylmercury stimulus. [GOC:ai]' - }, - 'GO:0051598': { - 'name': 'meiotic recombination checkpoint', - 'def': 'A checkpoint that acts during late prophase I (pachytene) and prevents segregation of homologous chromosomes until recombination is completed, ensuring proper distribution of the genetic material to the gametes. [PMID:14718568]' - }, - 'GO:0051599': { - 'name': 'response to hydrostatic pressure', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydrostatic pressure stimulus. Hydrostatic pressure is the force acting on an object in a system where the fluid is at rest (as opposed to moving). The weight of the fluid above the object creates pressure on it. [Wikipedia:Hydrostatic_pressure]' - }, - 'GO:0051600': { - 'name': 'regulation of endocytosis by exocyst localization', - 'def': 'Any process in which an exocyst is transported to, or maintained in, a specific location that results in the modulation of endocytosis. An exocyst is a protein complex peripherally associated with the plasma membrane that determines where vesicles dock and fuse. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051601': { - 'name': 'exocyst localization', - 'def': 'Any process in which an exocyst is transported to, or maintained in, a specific location. An exocyst is a protein complex peripherally associated with the plasma membrane that determines where vesicles dock and fuse. [GOC:ai]' - }, - 'GO:0051602': { - 'name': 'response to electrical stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an electrical stimulus. [GOC:ai]' - }, - 'GO:0051603': { - 'name': 'proteolysis involved in cellular protein catabolic process', - 'def': 'The hydrolysis of a peptide bond or bonds within a protein as part of the chemical reactions and pathways resulting in the breakdown of a protein by individual cells. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051604': { - 'name': 'protein maturation', - 'def': 'Any process leading to the attainment of the full functional capacity of a protein. [GOC:ai]' - }, - 'GO:0051606': { - 'name': 'detection of stimulus', - 'def': 'The series of events in which a stimulus is received by a cell or organism and converted into a molecular signal. [GOC:add, GOC:ai, GOC:dph, GOC:mah]' - }, - 'GO:0051607': { - 'name': 'defense response to virus', - 'def': 'Reactions triggered in response to the presence of a virus that act to protect the cell or organism. [GOC:ai]' - }, - 'GO:0051608': { - 'name': 'histamine transport', - 'def': 'The directed movement of histamine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Histamine is a physiologically active amine, found in plant and animal tissue and released from mast cells as part of an allergic reaction in humans. [GOC:ai]' - }, - 'GO:0051609': { - 'name': 'inhibition of neurotransmitter uptake', - 'def': 'Any process that prevents the activation of the directed movement of a neurotransmitter into a cell. [GOC:ai]' - }, - 'GO:0051610': { - 'name': 'serotonin uptake', - 'def': 'The directed movement of serotonin into a cell, typically presynaptic neurons or glial cells. Serotonin (5-hydroxytryptamine) is a monoamine neurotransmitter occurring in the peripheral and central nervous systems. [GOC:ai]' - }, - 'GO:0051611': { - 'name': 'regulation of serotonin uptake', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of the monoamine neurotransmitter serotonin into a cell. [GOC:ai]' - }, - 'GO:0051612': { - 'name': 'negative regulation of serotonin uptake', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of serotonin into a cell. [GOC:ai]' - }, - 'GO:0051613': { - 'name': 'positive regulation of serotonin uptake', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of serotonin into a cell. [GOC:ai]' - }, - 'GO:0051614': { - 'name': 'inhibition of serotonin uptake', - 'def': 'Any process that prevents the activation of the directed movement of serotonin into a cell. [GOC:ai]' - }, - 'GO:0051615': { - 'name': 'histamine uptake', - 'def': 'The directed movement of histamine into a cell, typically presynaptic neurons or glial cells. Histamine is a physiologically active amine, found in plant and animal tissue and released from mast cells as part of an allergic reaction in humans. [GOC:ai]' - }, - 'GO:0051616': { - 'name': 'regulation of histamine uptake', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of the neurotransmitter histamine into a cell. [GOC:ai]' - }, - 'GO:0051617': { - 'name': 'negative regulation of histamine uptake', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of histamine into a cell. [GOC:ai]' - }, - 'GO:0051618': { - 'name': 'positive regulation of histamine uptake', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of histamine into a cell. [GOC:ai]' - }, - 'GO:0051619': { - 'name': 'inhibition of histamine uptake', - 'def': 'Any process that prevents the activation of the directed movement of histamine into a cell. [GOC:ai]' - }, - 'GO:0051620': { - 'name': 'norepinephrine uptake', - 'def': 'The directed movement of norepinephrine into a cell, typically presynaptic neurons or glial cells. Norepinephrine (3,4-dihydroxyphenyl-2-aminoethanol) is a hormone secreted by the adrenal medulla and a neurotransmitter in the sympathetic peripheral nervous system and in some tracts of the CNS. It is also the biosynthetic precursor of epinephrine. [GOC:ai]' - }, - 'GO:0051621': { - 'name': 'regulation of norepinephrine uptake', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of the neurotransmitter norepinephrine into a cell. [GOC:ai]' - }, - 'GO:0051622': { - 'name': 'negative regulation of norepinephrine uptake', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of norepinephrine into a cell. [GOC:ai]' - }, - 'GO:0051623': { - 'name': 'positive regulation of norepinephrine uptake', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of norepinephrine into a cell. [GOC:ai]' - }, - 'GO:0051624': { - 'name': 'inhibition of norepinephrine uptake', - 'def': 'Any process that prevents the activation of the directed movement of norepinephrine into a cell. [GOC:ai]' - }, - 'GO:0051625': { - 'name': 'epinephrine uptake', - 'def': 'The directed movement of epinephrine into a cell, typically presynaptic neurons or glial cells. Epinephrine is a hormone produced by the medulla of the adrenal glands that increases heart activity, improves the power and prolongs the action of muscles, and increases the rate and depth of breathing. It is synthesized by the methylation of norepinephrine. [GOC:ai]' - }, - 'GO:0051626': { - 'name': 'regulation of epinephrine uptake', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of the neurotransmitter epinephrine into a cell. [GOC:ai]' - }, - 'GO:0051627': { - 'name': 'negative regulation of epinephrine uptake', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of epinephrine into a cell. [GOC:ai]' - }, - 'GO:0051628': { - 'name': 'positive regulation of epinephrine uptake', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of epinephrine into a cell. [GOC:ai]' - }, - 'GO:0051629': { - 'name': 'inhibition of epinephrine uptake', - 'def': 'Any process that prevents the activation of the directed movement of epinephrine into a cell. [GOC:ai]' - }, - 'GO:0051630': { - 'name': 'acetylcholine uptake', - 'def': 'The directed movement of acetylcholine into a cell, typically presynaptic neurons or glial cells. Acetylcholine is a major neurotransmitter and neuromodulator both in the central and peripheral nervous systems. It also acts as a paracrine signal in various non-neural tissues. [GOC:ai]' - }, - 'GO:0051631': { - 'name': 'regulation of acetylcholine uptake', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of the neurotransmitter acetylcholine into a cell. [GOC:ai]' - }, - 'GO:0051632': { - 'name': 'negative regulation of acetylcholine uptake', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of acetylcholine into a cell. [GOC:ai]' - }, - 'GO:0051633': { - 'name': 'positive regulation of acetylcholine uptake', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of acetylcholine into a cell. [GOC:ai]' - }, - 'GO:0051634': { - 'name': 'inhibition of acetylcholine uptake', - 'def': 'Any process that prevents the activation of the directed movement of acetylcholine into a cell. [GOC:ai]' - }, - 'GO:0051635': { - 'name': 'obsolete bacterial cell surface binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with any component on the surface of a bacterial cell. [GOC:ai]' - }, - 'GO:0051636': { - 'name': 'obsolete Gram-negative bacterial cell surface binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with any component on the surface of a Gram-negative bacterial cell. [GOC:ai]' - }, - 'GO:0051637': { - 'name': 'obsolete Gram-positive bacterial cell surface binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with any component on the surface of a Gram-positive bacterium. [GOC:ai]' - }, - 'GO:0051638': { - 'name': 'barbed-end actin filament uncapping', - 'def': 'The removal of capping protein from the barbed (or plus) end of actin filaments to free the ends for addition, exchange or removal of further actin subunits. [GOC:pf]' - }, - 'GO:0051639': { - 'name': 'actin filament network formation', - 'def': 'The assembly of a network of actin filaments; actin filaments on different axes and with differing orientations are crosslinked together to form a mesh of filaments. [GOC:ai]' - }, - 'GO:0051640': { - 'name': 'organelle localization', - 'def': 'Any process in which an organelle is transported to, and/or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0051641': { - 'name': 'cellular localization', - 'def': 'A cellular localization process whereby a substance or cellular entity, such as a protein complex or organelle, is transported to, and/or maintained in, a specific location within a cell including the localization of substances or cellular entities to the cell membrane. [GOC:tb, GOC:vw]' - }, - 'GO:0051642': { - 'name': 'centrosome localization', - 'def': 'Any process in which a centrosome is transported to, and/or maintained in, a specific location within the cell. [GOC:ai]' - }, - 'GO:0051643': { - 'name': 'endoplasmic reticulum localization', - 'def': 'Any process in which endoplasmic reticulum is transported to, and/or maintained in, a specific location within the cell. [GOC:ai]' - }, - 'GO:0051644': { - 'name': 'plastid localization', - 'def': 'Any process in which a plastid is transported to, and/or maintained in, a specific location within the cell. [GOC:ai]' - }, - 'GO:0051645': { - 'name': 'Golgi localization', - 'def': 'Any process in which the Golgi is transported to, and/or maintained in, a specific location within the cell. [GOC:ai]' - }, - 'GO:0051646': { - 'name': 'mitochondrion localization', - 'def': 'Any process in which a mitochondrion or mitochondria are transported to, and/or maintained in, a specific location within the cell. [GOC:ai]' - }, - 'GO:0051647': { - 'name': 'nucleus localization', - 'def': 'Any process in which the nucleus is transported to, and/or maintained in, a specific location within the cell. [GOC:ai]' - }, - 'GO:0051648': { - 'name': 'vesicle localization', - 'def': 'Any process in which a vesicle or vesicles are transported to, and/or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0051649': { - 'name': 'establishment of localization in cell', - 'def': 'Any process, occuring in a cell, that localizes a substance or cellular component. This may occur via movement, tethering or selective degradation. [GOC:ai, GOC:dos, GOC:dph, GOC:tb]' - }, - 'GO:0051650': { - 'name': 'establishment of vesicle localization', - 'def': 'The directed movement of a vesicle to a specific location. [GOC:ai]' - }, - 'GO:0051651': { - 'name': 'maintenance of location in cell', - 'def': 'Any process in which a substance or cellular entity, such as a protein complex or organelle, is maintained in a specific location within, or in the membrane of, a cell, and is prevented from moving elsewhere. [GOC:ai]' - }, - 'GO:0051652': { - 'name': 'maintenance of chromosome location', - 'def': 'Any process in which a chromosome is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051653': { - 'name': 'spindle localization', - 'def': 'Any process in which is the spindle is transported to, and/or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0051654': { - 'name': 'establishment of mitochondrion localization', - 'def': 'The directed movement of the mitochondrion to a specific location. [GOC:ai]' - }, - 'GO:0051655': { - 'name': 'maintenance of vesicle location', - 'def': 'Any process in which a vesicle is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051656': { - 'name': 'establishment of organelle localization', - 'def': 'The directed movement of an organelle to a specific location. [GOC:ai]' - }, - 'GO:0051657': { - 'name': 'maintenance of organelle location', - 'def': 'Any process in which an organelle is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051658': { - 'name': 'maintenance of nucleus location', - 'def': 'Any process in which the nucleus is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051659': { - 'name': 'maintenance of mitochondrion location', - 'def': 'Any process in which a mitochondrion is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051660': { - 'name': 'establishment of centrosome localization', - 'def': 'The directed movement of the centrosome to a specific location. [GOC:ai]' - }, - 'GO:0051661': { - 'name': 'maintenance of centrosome location', - 'def': 'Any process in which a centrosome is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051663': { - 'name': 'oocyte nucleus localization involved in oocyte dorsal/ventral axis specification', - 'def': 'The directed movement of the nucleus to a specific location within a cell during the establishment and maintenance of the dorsal/ventral axis of the oocyte. [GOC:ai, GOC:dph, GOC:mtg_sensu, GOC:tb]' - }, - 'GO:0051664': { - 'name': 'nuclear pore localization', - 'def': 'Any process in which nuclear pores are transported to, or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0051665': { - 'name': 'membrane raft localization', - 'def': 'Any process in which membrane rafts are transported to, or maintained in, a specific location. Membrane rafts are small (10-200 nm), heterogeneous, highly dynamic, sterol- and sphingolipid-enriched membrane domains that compartmentalize cellular processes. [GOC:ai, PMID:16645198]' - }, - 'GO:0051666': { - 'name': 'actin cortical patch localization', - 'def': 'Any process in which actin cortical patches are transported to, or maintained in, a specific location. An actin cortical patch is a discrete actin-containing structure found just beneath the plasma membrane in fungal cells. [GOC:mah]' - }, - 'GO:0051667': { - 'name': 'establishment of plastid localization', - 'def': 'The directed movement of a plastid to a specific location in the cell. [GOC:ai]' - }, - 'GO:0051668': { - 'name': 'localization within membrane', - 'def': 'Any process in which a substance or cellular entity, such as a protein complex or organelle, is transported to, and/or maintained in, a specific location within a membrane. [GOC:ai]' - }, - 'GO:0051669': { - 'name': 'fructan beta-fructosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing 2,1- and 2,6-linked beta-D-fructofuranose residues in fructans. [EC:3.2.1.80]' - }, - 'GO:0051670': { - 'name': 'inulinase activity', - 'def': 'Catalysis of the endohydrolysis of 2,1-beta-D-fructosidic linkages in inulin. [EC:3.2.1.7]' - }, - 'GO:0051671': { - 'name': 'induction of autolysin activity in other organism', - 'def': 'Any process in which an organism initiates the activity of the inactive enzyme autolysin in another organism. The autolysin enzyme belongs to, and is active in, the other organism. [GOC:ai]' - }, - 'GO:0051672': { - 'name': 'catabolism by organism of cell wall peptidoglycan in other organism', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the cell wall peptidoglycans of another organism. [GOC:ai]' - }, - 'GO:0051673': { - 'name': 'membrane disruption in other organism', - 'def': 'The disruption of the membranes of another organism, leading to damage to its cells and possibly death of that organism. [GOC:ai]' - }, - 'GO:0051674': { - 'name': 'localization of cell', - 'def': 'Any process in which a cell is transported to, and/or maintained in, a specific location. [GOC:ai]' - }, - 'GO:0051675': { - 'name': 'isopullulanase activity', - 'def': 'Catalysis of the hydrolysis of pullulan to isopanose (6-alpha-maltosylglucose). [EC:3.2.1.57]' - }, - 'GO:0051676': { - 'name': 'pullulan metabolic process', - 'def': 'The chemical reactions and pathways involving pullulan, a neutral linear polysaccharide composed of repeating units of maltotriose joined by alpha-(1,6)-linkages. [PMID:15013381]' - }, - 'GO:0051677': { - 'name': 'pullulan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pullulan, a neutral linear polysaccharide composed of repeating units of maltotriose joined by alpha-(1,6)-linkages. [GOC:ai]' - }, - 'GO:0051678': { - 'name': 'pullulan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pullulan, a neutral linear polysaccharide composed of repeating units of maltotriose joined by alpha-(1,6)-linkages. [GOC:ai]' - }, - 'GO:0051679': { - 'name': '6-alpha-maltosylglucose metabolic process', - 'def': 'The chemical reactions and pathways involving 6-alpha-maltosylglucose, also known as isopanose. [GOC:ai, LIGAND:C03367, PubChem_Compound:439991]' - }, - 'GO:0051680': { - 'name': '6-alpha-maltosylglucose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 6-alpha-maltosylglucose, also known as isopanose. [GOC:ai]' - }, - 'GO:0051681': { - 'name': '6-alpha-maltosylglucose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 6-alpha-maltosylglucose, also known as isopanose. [GOC:ai]' - }, - 'GO:0051682': { - 'name': 'galactomannan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactomannan, a polysaccharide composed of D-galactosyl and D-mannosyl. The mannosyl units form the backbone structure (a linear main chain) with the D-galactosyl as single side units. [GOC:ai]' - }, - 'GO:0051683': { - 'name': 'establishment of Golgi localization', - 'def': 'The directed movement of the Golgi to a specific location. [GOC:ai]' - }, - 'GO:0051684': { - 'name': 'maintenance of Golgi location', - 'def': 'Any process in which the Golgi is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051685': { - 'name': 'maintenance of ER location', - 'def': 'Any process in which the endoplasmic reticulum is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051686': { - 'name': 'establishment of ER localization', - 'def': 'The directed movement of the endoplasmic reticulum to a specific location. [GOC:ai]' - }, - 'GO:0051687': { - 'name': 'maintenance of spindle location', - 'def': 'Any process in which the spindle is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051688': { - 'name': 'maintenance of plastid location', - 'def': 'Any process in which a plastid is maintained in a specific location within a cell and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051689': { - 'name': 'multicellular organismal oligosaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of oligosaccharides, molecules with between two and (about) 20 monosaccharide residues connected by glycosidic linkages, in multicellular organisms, occurring at the tissue, organ, or organismal level. [GOC:ai]' - }, - 'GO:0051690': { - 'name': 'multicellular organismal oligosaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving oligosaccharides, molecules with between two and (about) 20 monosaccharide residues connected by glycosidic linkages, in multicellular organisms, occurring at the tissue, organ, or organismal level. [GOC:ai]' - }, - 'GO:0051691': { - 'name': 'cellular oligosaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving oligosaccharides, molecules with between two and (about) 20 monosaccharide residues connected by glycosidic linkages, as carried out by individual cells. [GOC:ai]' - }, - 'GO:0051692': { - 'name': 'cellular oligosaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of oligosaccharides, molecules with between two and (about) 20 monosaccharide residues connected by glycosidic linkages, as carried out by individual cells. [GOC:ai]' - }, - 'GO:0051693': { - 'name': 'actin filament capping', - 'def': 'The binding of a protein or protein complex to the end of an actin filament, thus preventing the addition, exchange or removal of further actin subunits. [ISBN:071673706X]' - }, - 'GO:0051694': { - 'name': 'pointed-end actin filament capping', - 'def': 'The binding of a protein or protein complex to the pointed (or minus) end of an actin filament, thus preventing the addition, exchange or removal of further actin subunits. [ISBN:071673706X]' - }, - 'GO:0051695': { - 'name': 'actin filament uncapping', - 'def': 'The removal of capping protein from the end of actin filaments to free the ends for addition, exchange or removal of further actin subunits. [GOC:pf]' - }, - 'GO:0051696': { - 'name': 'pointed-end actin filament uncapping', - 'def': 'The removal of capping protein from the pointed (or minus) end of actin filaments to free the ends for addition, exchange or removal of further actin subunits. [GOC:pf]' - }, - 'GO:0051697': { - 'name': 'protein delipidation', - 'def': 'The breakage of covalent bonds to detach lipid groups from a protein. [GOC:ai]' - }, - 'GO:0051698': { - 'name': 'saccharopine oxidase activity', - 'def': 'Catalysis of the reaction: L-saccharopine + O2 = L-2-aminoadipic 6-semialdehyde + L-glutamate + H2O2. [PMID:16233628]' - }, - 'GO:0051699': { - 'name': 'proline oxidase activity', - 'def': 'Catalysis of the reaction: L-proline + O2 + H2O = L-delta1-pyrroline-5-carboxylate + H2O2. [MetaCyc:RXN-821]' - }, - 'GO:0051700': { - 'name': 'fructosyl-amino acid oxidase activity', - 'def': 'Catalysis of the reaction: fructosyl-amino acid + O2 = corresponding amino acid + glucosone + H2O2. [PMID:16233628]' - }, - 'GO:0051701': { - 'name': 'interaction with host', - 'def': 'An interaction between two organisms living together in more or less intimate association. The term host is used for the larger (macro) of the two members of a symbiosis; the various forms of symbiosis include parasitism, commensalism and mutualism. [GOC:cc]' - }, - 'GO:0051702': { - 'name': 'interaction with symbiont', - 'def': 'An interaction between two organisms living together in more or less intimate association. The term symbiont is used for the smaller (macro) of the two members of a symbiosis; the various forms of symbiosis include parasitism, commensalism and mutualism. [GOC:cc]' - }, - 'GO:0051703': { - 'name': 'intraspecies interaction between organisms', - 'def': 'Any process in which an organism has an effect on an organism of the same species. [GOC:ai]' - }, - 'GO:0051704': { - 'name': 'multi-organism process', - 'def': 'A biological process which involves another organism of the same or different species. [GOC:jl]' - }, - 'GO:0051705': { - 'name': 'multi-organism behavior', - 'def': 'Any process in which an organism has a behavioral effect on another organism of the same or different species. [GOC:ai]' - }, - 'GO:0051707': { - 'name': 'response to other organism', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from another living organism. [GOC:ai]' - }, - 'GO:0051708': { - 'name': 'intracellular protein transport in other organism involved in symbiotic interaction', - 'def': "The directed movement of an organism's proteins within a cell of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0051709': { - 'name': 'regulation of killing of cells of other organism', - 'def': 'Any process that modulates the frequency, rate or extent of the killing by an organism of cells in another organism. [GOC:ai]' - }, - 'GO:0051710': { - 'name': 'regulation of cytolysis in other organism', - 'def': 'Any process that modulates the frequency, rate or extent of the cytolysis by an organism of cells in another organism. [GOC:ai]' - }, - 'GO:0051711': { - 'name': 'negative regulation of killing of cells of other organism', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the killing by an organism of cells in another organism. [GOC:ai]' - }, - 'GO:0051712': { - 'name': 'positive regulation of killing of cells of other organism', - 'def': 'Any process that activates or increases the frequency, rate or extent of the killing by an organism of cells in another organism. [GOC:ai]' - }, - 'GO:0051713': { - 'name': 'negative regulation of cytolysis in other organism', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the cytolysis of cells in another organism. [GOC:ai]' - }, - 'GO:0051714': { - 'name': 'positive regulation of cytolysis in other organism', - 'def': 'Any process that activates or increases the frequency, rate or extent of the cytolysis by an organism of cells in another organism. [GOC:ai]' - }, - 'GO:0051715': { - 'name': 'cytolysis in other organism', - 'def': 'The killing by an organism of a cell in another organism by means of the rupture of cell membranes and the loss of cytoplasm. [GOC:ai]' - }, - 'GO:0051716': { - 'name': 'cellular response to stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus. The process begins with detection of the stimulus by a cell and ends with a change in state or activity or the cell. [GOC:bf, GOC:jl]' - }, - 'GO:0051717': { - 'name': 'inositol-1,3,4,5-tetrakisphosphate 3-phosphatase activity', - 'def': 'Catalysis of the reaction: inositol-1,3,4,5-tetrakisphosphate + H2O = inositol-1,4,5-trisphosphate + phosphate. [GOC:bf, MetaCyc:3.1.3.62-RXN]' - }, - 'GO:0051718': { - 'name': 'DNA (cytosine-5-)-methyltransferase activity, acting on CpG substrates', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + CpG (in DNA) = S-adenosyl-L-homocysteine + 5-MeCpG (in DNA). [EC:2.1.1.37, PMID:15689527]' - }, - 'GO:0051719': { - 'name': 'DNA (cytosine-5-)-methyltransferase activity, acting on CpN substrates', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + DNA containing CpN = S-adenosyl-L-homocysteine + DNA containing 5-MeCpN. [EC:2.1.1.37, PMID:15689527]' - }, - 'GO:0051720': { - 'name': 'DNA (cytosine-5-)-methyltransferase activity, acting on CpNpG substrates', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + DNA containing CpNpG = S-adenosyl-L-homocysteine + DNA containing 5-MeCpNpG. [EC:2.1.1.37, PMID:15689527]' - }, - 'GO:0051721': { - 'name': 'protein phosphatase 2A binding', - 'def': 'Interacting selectively and non-covalently with the enzyme protein phosphatase 2A. [GOC:ai]' - }, - 'GO:0051722': { - 'name': 'protein C-terminal methylesterase activity', - 'def': 'Catalysis of the reaction: C-terminal protein amino acid methyl ester + H2O = protein amino acid + methanol. [PMID:10318862, PMID:8650216]' - }, - 'GO:0051723': { - 'name': 'protein methylesterase activity', - 'def': 'Catalysis of the reaction: protein amino acid methyl ester + H2O = protein amino acid + methanol. [GOC:ai]' - }, - 'GO:0051724': { - 'name': 'NAD transporter activity', - 'def': 'Enables the directed movement of nicotinamide adenine dinucleotide into, out of or within a cell, or between cells; transport may be of either the oxidized form, NAD, or the reduced form, NADH. [GOC:ai]' - }, - 'GO:0051725': { - 'name': 'protein de-ADP-ribosylation', - 'def': 'The process of removing one or more ADP-ribose residues from a protein. [GOC:ai]' - }, - 'GO:0051726': { - 'name': 'regulation of cell cycle', - 'def': 'Any process that modulates the rate or extent of progression through the cell cycle. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051727': { - 'name': 'obsolete cell cycle switching, meiotic to mitotic cell cycle', - 'def': 'OBSOLETE. The process in which a cell switches cell cycle mode from meiotic to mitotic division. [GOC:ai, GOC:mtg_cell_cycle]' - }, - 'GO:0051728': { - 'name': 'cell cycle switching, mitotic to meiotic cell cycle', - 'def': 'The process in which a cell switches cell cycle mode from mitotic to meiotic division. [GOC:ai, GOC:mtg_cell_cycle]' - }, - 'GO:0051729': { - 'name': 'germline cell cycle switching, mitotic to meiotic cell cycle', - 'def': 'The process in which a germline cell switches cell cycle mode from mitotic to meiotic division. [GOC:ai]' - }, - 'GO:0051730': { - 'name': "GTP-dependent polyribonucleotide 5'-hydroxyl-kinase activity", - 'def': "Catalysis of the reaction: GTP + 5'-dephospho-RNA = GDP + 5'-phospho-RNA. [EC:2.7.1.78, PMID:8428918]" - }, - 'GO:0051731': { - 'name': "polynucleotide 5'-hydroxyl-kinase activity", - 'def': "Catalysis of the reaction: NTP + 5'-dephosphopolynucleotide = NDP + 5'-phosphopolynucleotide. The polynucleotide may be DNA or RNA. [EC:2.7.1.78]" - }, - 'GO:0051732': { - 'name': 'polyribonucleotide kinase activity', - 'def': "Catalysis of the reaction: NTP + 5'-dephospho-RNA = NDP + 5'-phospho-RNA. [EC:2.7.1.78]" - }, - 'GO:0051733': { - 'name': 'polydeoxyribonucleotide kinase activity', - 'def': "Catalysis of the reaction: NTP + 5'-dephospho-DNA = NDP + 5'-phospho-DNA. [EC:2.7.1.78]" - }, - 'GO:0051734': { - 'name': 'ATP-dependent polynucleotide kinase activity', - 'def': "Catalysis of the reaction: ATP + 5'-dephosphopolynucleotide = ADP + 5'-phosphopolynucleotide. The polynucleotide may be DNA or RNA. [EC:2.7.1.78]" - }, - 'GO:0051735': { - 'name': 'GTP-dependent polynucleotide kinase activity', - 'def': "Catalysis of the reaction: GTP + 5'-dephosphopolynucleotide = GDP + 5'-phosphopolynucleotide. The polynucleotide may be DNA or RNA. [EC:2.7.1.78]" - }, - 'GO:0051736': { - 'name': "ATP-dependent polyribonucleotide 5'-hydroxyl-kinase activity", - 'def': "Catalysis of the reaction: ATP + 5'-dephospho-RNA = ADP + 5'-phospho-RNA. [EC:2.7.1.78]" - }, - 'GO:0051737': { - 'name': "GTP-dependent polydeoxyribonucleotide 5'-hydroxyl-kinase activity", - 'def': "Catalysis of the reaction: GTP + 5'-dephospho-DNA = GDP + 5'-phospho-DNA. [EC:2.7.1.78, PMID:8428918]" - }, - 'GO:0051738': { - 'name': 'xanthophyll binding', - 'def': 'Interacting selectively and non-covalently with xanthophylls, any of several neutral yellow to orange carotenoid pigments containing oxygen. [ISBN:0122146743]' - }, - 'GO:0051740': { - 'name': 'ethylene binding', - 'def': 'Interacting selectively and non-covalently with ethylene (C2-H4, ethene), a simple hydrocarbon gas that can function in plants as a growth regulator. [GOC:ai]' - }, - 'GO:0051741': { - 'name': '2-methyl-6-phytyl-1,4-benzoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-methyl-6-phytyl-1,4-benzoquinone + S-adenosyl-methionine = 2,3-dimethyl-6-phytyl-1,4-benzoquinone + S-adenosyl-homocysteine. [MetaCyc:RXN-2542]' - }, - 'GO:0051742': { - 'name': '2-methyl-6-solanyl-1,4-benzoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-methyl-6-solanyl-1,4-benzoquinone + S-adenosyl-methionine = 2,3-dimethyl-6-solanyl-1,4-benzoquinone + S-adenosyl-homocysteine. [MetaCyc:RXN-2762]' - }, - 'GO:0051743': { - 'name': 'red chlorophyll catabolite reductase activity', - 'def': 'Catalysis of the reaction: red chlorophyll catabolite + reduced ferredoxin + 2 H+ = primary fluorescent catabolite + oxidized ferredoxin. This reaction is the reduction of the C20/C1 double bond in the pyrrole system of red chlorophyll catabolite (RCC) to a colorless tetrapyrrole (pFCC) with a strong blue fluorescence. [PMID:10743659]' - }, - 'GO:0051744': { - 'name': '3,8-divinyl protochlorophyllide a 8-vinyl reductase activity', - 'def': 'Catalysis of the reaction: divinyl protochlorophyllide a + NADPH + H+ = monovinyl protochlorophyllide a + NADP+. [MetaCyc:RXN1F-72]' - }, - 'GO:0051745': { - 'name': '4-hydroxy-3-methylbut-2-en-1-yl diphosphate reductase activity', - 'def': 'Catalysis of the reaction: (E)-4-hydroxy-3-methylbut-2-en-1-yl diphosphate + NAD(P)H + H+ = isopentenyl diphosphate + NAD(P)+ + H2O. Note that (E)-4-hydroxy-3-methylbut-2-en-1-yl diphosphate is an alternative name for 1-hydroxy-2-methyl-2-(E)-butenyl 4-diphosphate. [EC:1.17.1.2]' - }, - 'GO:0051746': { - 'name': 'thalianol synthase activity', - 'def': 'Catalysis of the cyclization of 3(S)-oxidosqualene to (3S,13S,14R)-malabarica-8,17,21-trien-3-ol (thalianol). [PMID:15125655]' - }, - 'GO:0051747': { - 'name': 'cytosine C-5 DNA demethylase activity', - 'def': 'Catalysis of the reaction: methyl-dCpdG DNA + H2O = dCpdG DNA + methanol. This reaction is the hydrolytic removal of the methyl group on the 5 position of cytosine in DNA. [PMID:10050851]' - }, - 'GO:0051748': { - 'name': 'UTP-monosaccharide-1-phosphate uridylyltransferase activity', - 'def': 'Catalysis of the reaction: UTP + a monosaccharide 1-phosphate = diphosphate + UDP-monosaccharide. [EC:2.7.7.64, PMID:15326166]' - }, - 'GO:0051749': { - 'name': 'indole acetic acid carboxyl methyltransferase activity', - 'def': 'Catalysis of the reaction: indole acetic acid + S-adenosyl-methionine = methyl indole acetic acid ester + S-adenosyl-homocysteine. [PMID:16169896]' - }, - 'GO:0051750': { - 'name': 'delta3,5-delta2,4-dienoyl-CoA isomerase activity', - 'def': 'Catalysis of the isomerization of 3,5-dienoyl-CoA to 2,4-dienoyl-CoA. [PMID:11278886, PMID:16040662]' - }, - 'GO:0051751': { - 'name': 'alpha-1,4-mannosyltransferase activity', - 'def': 'Catalysis of the transfer of a mannose residue to an oligosaccharide, forming an alpha-(1->4) linkage. [PMID:15772281]' - }, - 'GO:0051752': { - 'name': 'phosphoglucan, water dikinase activity', - 'def': 'Catalysis of the reaction: ATP + [phospho-alpha-glucan] + H2O = AMP + O-phospho-[phospho-alpha-glucan] + phosphate. [EC:2.7.9.5, PMID:15618411]' - }, - 'GO:0051753': { - 'name': 'mannan synthase activity', - 'def': 'Catalysis of the reaction: mannan(n) + GDP-mannose = mannan(n+1) + GDP. This reaction is the formation of the beta-(1->4)-linked mannan backbone in substrates such as galactomannan. [PMID:14726589]' - }, - 'GO:0051754': { - 'name': 'meiotic sister chromatid cohesion, centromeric', - 'def': 'The cell cycle process in which centromeres of sister chromatids are joined during meiosis. [PMID:14730319, PMID:16325576]' - }, - 'GO:0051755': { - 'name': 'meiotic sister chromatid arm separation', - 'def': 'The cell cycle process in which sister chromatid arms are physically detached from each other during meiosis. [GOC:ai]' - }, - 'GO:0051756': { - 'name': 'meiotic sister chromatid centromere separation', - 'def': 'The cell cycle process in which the centromeres of sister chromatids are physically detached from each other during meiosis. [GOC:ai, PMID:14730319, PMID:16325576]' - }, - 'GO:0051757': { - 'name': 'meiotic sister chromatid separation', - 'def': 'The process in which sister chromatids are physically detached from each other during meiosis. [GOC:ai, PMID:14730319, PMID:16325576]' - }, - 'GO:0051758': { - 'name': 'homologous chromosome movement towards spindle pole involved in homologous chromosome segregation', - 'def': 'The directed movement of homologous chromosomes from the center of the spindle towards the spindle poles, mediated by the shortening of microtubules attached to the chromosomes, that contributes to meiosis I. [GOC:ai]' - }, - 'GO:0051759': { - 'name': 'sister chromosome movement towards spindle pole involved in meiotic sister chromatid segregation', - 'def': 'The directed movement of sister chromosomes from the center of the spindle towards the spindle poles, mediated by the shortening of microtubules attached to the chromosomes, during meiosis II. [GOC:ai]' - }, - 'GO:0051760': { - 'name': 'meiotic sister chromatid cohesion, arms', - 'def': 'The cell cycle process in which the sister chromatids of a replicated chromosome are joined along the length of the chromosome arms during meiosis. [PMID:14730319, PMID:16325576]' - }, - 'GO:0051761': { - 'name': 'sesquiterpene metabolic process', - 'def': 'The chemical reactions and pathways involving sesquiterpenes, any of a class of terpenes of the formula C15H24 or a derivative of such a terpene. [GOC:ai]' - }, - 'GO:0051762': { - 'name': 'sesquiterpene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sesquiterpenes, any of a class of terpenes of the formula C15H24 or a derivative of such a terpene. [GOC:ai]' - }, - 'GO:0051763': { - 'name': 'sesquiterpene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sesquiterpenes, any of a class of terpenes of the formula C15H24 or a derivative of such a terpene. [GOC:ai]' - }, - 'GO:0051764': { - 'name': 'actin crosslink formation', - 'def': 'The process in which two or more actin filaments are connected together by proteins that act as crosslinks between the filaments. The crosslinked filaments may be on the same or differing axes. [GOC:ai]' - }, - 'GO:0051765': { - 'name': 'inositol tetrakisphosphate kinase activity', - 'def': 'Catalysis of the reaction: inositol tetrakisphosphate + ATP = inositol pentakisphosphate + ADP. [GOC:ai]' - }, - 'GO:0051766': { - 'name': 'inositol trisphosphate kinase activity', - 'def': 'Catalysis of the reaction: inositol trisphosphate + ATP = inositol tetrakisphosphate + ADP. [GOC:ai]' - }, - 'GO:0051767': { - 'name': 'nitric-oxide synthase biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a nitric-oxide synthase, an enzyme which catalyzes the reaction L-arginine + n NADPH + n H+ + m O2 = citrulline + nitric oxide + n NADP+. [EC:1.14.13.39, GOC:ai]' - }, - 'GO:0051769': { - 'name': 'regulation of nitric-oxide synthase biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of a nitric-oxide synthase enzyme. [GOC:ai]' - }, - 'GO:0051770': { - 'name': 'positive regulation of nitric-oxide synthase biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of a nitric oxide synthase enzyme. [GOC:ai]' - }, - 'GO:0051771': { - 'name': 'negative regulation of nitric-oxide synthase biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of a nitric-oxide synthase enzyme. [GOC:ai]' - }, - 'GO:0051775': { - 'name': 'response to redox state', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating redox state. Redox state refers to the balance of oxidized versus reduced forms of electron donors and acceptors in an organelle, cell or organ; plastoquinone, glutathione (GSH/GSSG), and nicotinamide nucleotides (NAD+/NADH and NADP+/NADPH) are among the most important. [GOC:mah, PMID:15131240, PMID:16987039]' - }, - 'GO:0051776': { - 'name': 'detection of redox state', - 'def': 'The series of events in which a chemical stimulus indicating redox state is received and converted into a molecular signal. Redox state refers to the balance of oxidized versus reduced forms of electron donors and acceptors in an organelle, cell or organ; plastoquinone, glutathione (GSH/GSSG), and nicotinamide nucleotides (NAD+/NADH and NADP+/NADPH) are among the most important. [GOC:mah, PMID:15131240, PMID:16987039]' - }, - 'GO:0051777': { - 'name': 'ent-kaurenoate oxidase activity', - 'def': 'Catalysis of the reaction: ent-kaurenoate + NADPH + O2 = ent-7-alpha-hydroxykaurenoate + NADP+ + H2O. This is the first of three successive reactions resulting in the oxidation of ent-kaurenoate (ent-kaurenoic acid) to gibberellin 12 (GA12). [EC:1.14.13.79, MetaCyc:RXN1F-159]' - }, - 'GO:0051778': { - 'name': 'ent-7-alpha-hydroxykaurenoate oxidase activity', - 'def': 'Catalysis of the reaction: ent-7-alpha-hydroxykaurenoate + NADPH + H+ + O2 = gibberellin 12-aldehyde + NADP+ + 2 H2O. This is the second of three successive reactions resulting in the oxidation of ent-kaurenoate (ent-kaurenoic acid) to gibberellin 12 (GA12). [EC:1.14.13.79, MetaCyc:RXN1F-160]' - }, - 'GO:0051779': { - 'name': 'gibberellin 12-aldehyde oxidase activity', - 'def': 'Catalysis of the reaction: gibberellin 12-aldehyde + NADPH + H+ + O2 = gibberellin 12 + NADP+ + H2O. This is the third of three successive reactions resulting in the oxidation of ent-kaurenoate (ent-kaurenoic acid) to gibberellin 12 (GA12). [EC:1.14.13.79, MetaCyc:RXN1F-161]' - }, - 'GO:0051780': { - 'name': 'behavioral response to nutrient', - 'def': 'Any process that results in a change in the behavior of an organism as a result of a nutrient stimulus. [GOC:ai]' - }, - 'GO:0051781': { - 'name': 'positive regulation of cell division', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell division. [GOC:ai]' - }, - 'GO:0051782': { - 'name': 'negative regulation of cell division', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell division. [GOC:ai]' - }, - 'GO:0051783': { - 'name': 'regulation of nuclear division', - 'def': 'Any process that modulates the frequency, rate or extent of nuclear division, the partitioning of the nucleus and its genetic information. [GOC:ai]' - }, - 'GO:0051784': { - 'name': 'negative regulation of nuclear division', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of nuclear division, the partitioning of the nucleus and its genetic information. [GOC:ai]' - }, - 'GO:0051785': { - 'name': 'positive regulation of nuclear division', - 'def': 'Any process that activates or increases the frequency, rate or extent of nuclear division, the partitioning of the nucleus and its genetic information. [GOC:ai]' - }, - 'GO:0051786': { - 'name': 'all-trans-retinol 13,14-reductase activity', - 'def': 'Catalysis of the reaction: all-trans-13,14-dihydroretinol + A = all-trans-retinol + AH(2). Note that this reaction has only been observed to occur in the opposite direction. [EC:1.3.99.23, RHEA:19196]' - }, - 'GO:0051787': { - 'name': 'misfolded protein binding', - 'def': 'Interacting selectively and non-covalently with a misfolded protein. [GOC:ai]' - }, - 'GO:0051788': { - 'name': 'response to misfolded protein', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a misfolded protein stimulus. [GOC:go_curators]' - }, - 'GO:0051789': { - 'name': 'obsolete response to protein', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a protein stimulus. [GOC:ai]' - }, - 'GO:0051790': { - 'name': 'short-chain fatty acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fatty acids with a chain length of less than C6. [CHEBI:26666, GOC:go_curators]' - }, - 'GO:0051791': { - 'name': 'medium-chain fatty acid metabolic process', - 'def': 'The chemical reactions and pathways involving medium-chain fatty acids, any fatty acid with a chain length of between C6 and C12. [CHEBI:59554, GOC:go_curators]' - }, - 'GO:0051792': { - 'name': 'medium-chain fatty acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any fatty acid with a chain length of between C6 and C12. [CHEBI:59554, GOC:ai]' - }, - 'GO:0051793': { - 'name': 'medium-chain fatty acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any fatty acid with a chain length of between C6 and C12. [CHEBI:59554, GOC:ai]' - }, - 'GO:0051794': { - 'name': 'regulation of timing of catagen', - 'def': 'Any process that modulates the frequency, rate or extent of timing of catagen, the regression phase of the hair cycle. [GOC:ai, GOC:pr]' - }, - 'GO:0051795': { - 'name': 'positive regulation of timing of catagen', - 'def': 'Any process that activates or increases the frequency, rate or extent of timing of catagen, the regression phase of the hair cycle. [GOC:ai, GOC:pr]' - }, - 'GO:0051796': { - 'name': 'negative regulation of timing of catagen', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of timing of catagen, the regression phase of the hair cycle. [GOC:ai, GOC:pr]' - }, - 'GO:0051797': { - 'name': 'regulation of hair follicle development', - 'def': 'Any process that modulates the frequency, rate or extent of hair follicle development. [GOC:ai]' - }, - 'GO:0051798': { - 'name': 'positive regulation of hair follicle development', - 'def': 'Any process that activates or increases the frequency, rate or extent of hair follicle development. [GOC:ai]' - }, - 'GO:0051799': { - 'name': 'negative regulation of hair follicle development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of hair follicle development. [GOC:ai]' - }, - 'GO:0051800': { - 'name': 'phosphatidylinositol-3,4-bisphosphate 3-phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylinositol-3,4-bisphosphate + H2O = phosphatidylinositol-4-phosphate + phosphate. [GOC:bf, PMID:9811831]' - }, - 'GO:0051801': { - 'name': 'cytolysis in other organism involved in symbiotic interaction', - 'def': 'The killing by an organism of a cell in a second organism by means of the rupture of cell membranes and the loss of cytoplasm, where the two organisms are in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051802': { - 'name': 'regulation of cytolysis in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the cytolysis by that organism of cells in a second organism, where the two organisms are in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051803': { - 'name': 'negative regulation of cytolysis in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of cytolysis by that organism of cells in a second organism, where the two organisms are in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051804': { - 'name': 'positive regulation of cytolysis in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates or increases the frequency, rate or extent of cytolysis by that organism of cells in a second organism, where the two organisms are in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051805': { - 'name': 'evasion or tolerance of immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism avoids the immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mb]' - }, - 'GO:0051806': { - 'name': 'entry into cell of other organism involved in symbiotic interaction', - 'def': 'The invasion by an organism of a cell of a second organism, where the two organisms are in a symbiotic interaction. [GOC:njm]' - }, - 'GO:0051807': { - 'name': 'evasion or tolerance of defense response of other organism involved in symbiotic interaction', - 'def': "Any process, either active or passive, by which an organism avoids or tolerates the effects of a second organism's defense response; the defense response is mounted by the second organism in response to the presence of the first organism, where the two organisms are in a symbiotic interaction. [GOC:mah]" - }, - 'GO:0051808': { - 'name': 'translocation of peptides or proteins into other organism involved in symbiotic interaction', - 'def': 'The directed movement of peptides or proteins produced by an organism to a location inside a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051809': { - 'name': 'passive evasion of immune response of other organism involved in symbiotic interaction', - 'def': "Any process in which an organism avoids the immune response of a second organism without directly interfering with the second organism's immune system, where the two organisms are in a symbiotic interaction. [PMID:12439615]" - }, - 'GO:0051810': { - 'name': 'active evasion of immune response of other organism involved in symbiotic interaction', - 'def': "Any process in which an organism avoids the immune response of a second organism which directly affects the second organism's immune system, where the two organisms are in a symbiotic interaction. [PMID:12439615]" - }, - 'GO:0051811': { - 'name': 'active evasion of immune response of other organism via regulation of complement system of other organism involved in symbiotic interaction', - 'def': "Any process in which an organism avoids the immune response of a second organism by regulating the second organism's complement system, where the two organisms are in a symbiotic interaction. [http://www.brown.edu/Courses/Bio_160/Projects1999/ies/ces.html]" - }, - 'GO:0051812': { - 'name': 'active evasion of immune response of other organism via regulation of cytokine network of other organism involved in symbiotic interaction', - 'def': "Any process in which an organism avoids the immune response of a second organism by regulating the second organism's cytokine networks, where the two organisms are in a symbiotic interaction. [http://www.brown.edu/Courses/Bio_160/Projects1999/ies/cytok.html#Manipulation]" - }, - 'GO:0051813': { - 'name': 'active evasion of immune response of other organism via regulation of antigen processing and presentation in other organism involved in symbiotic interaction', - 'def': "Any process in which an organism avoids the immune response of a second organism by regulating the second organism's antigen processing or presentation pathways, where the two organisms are in a symbiotic interaction. [PMID:12439615]" - }, - 'GO:0051814': { - 'name': 'movement in other organism involved in symbiotic interaction', - 'def': 'The process in which an organism or its progeny spreads from one location to another within a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051815': { - 'name': 'migration in other organism involved in symbiotic interaction', - 'def': 'The directional movement of an organism from one place to another within a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051816': { - 'name': 'acquisition of nutrients from other organism during symbiotic interaction', - 'def': 'The production of structures and/or molecules in an organism that are required for the acquisition and/or utilization of nutrients obtained from a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051817': { - 'name': 'modification of morphology or physiology of other organism involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the structure or processes of a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051818': { - 'name': 'disruption of cells of other organism involved in symbiotic interaction', - 'def': "A process in which an organism has a negative effect on the functioning of the second organism's cells, where the two organisms are in a symbiotic interaction. [GOC:cc]" - }, - 'GO:0051819': { - 'name': 'induction of tumor, nodule, or growth in other organism involved in symbiotic interaction', - 'def': 'The process in which an organism causes the formation of a mass of cells in a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051820': { - 'name': 'induction of tumor, nodule, or growth containing transformed cells in other organism involved in symbiotic interaction', - 'def': 'The process in which an organism causes the formation in a second organism of a growth whose cells have been transformed and continue to exist in the absence of the first organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051821': { - 'name': 'dissemination or transmission of organism from other organism involved in symbiotic interaction', - 'def': 'The movement of an organism from a second organism to another place in the environment, where the two organisms are in a symbiotic interaction. The first organism may also move to a different organism. [GOC:cc]' - }, - 'GO:0051822': { - 'name': 'dissemination or transmission of organism from other organism by vector involved in symbiotic interaction', - 'def': 'The movement of an organism from a second organism to another place in the environment by means of a vector, where the two organisms are in a symbiotic interaction. The first organism may also move to a different organism, and the vector organism is often an insect or an animal. [GOC:cc]' - }, - 'GO:0051823': { - 'name': 'regulation of synapse structural plasticity', - 'def': 'Any process that modulates the frequency, rate or extent of synapse structural plasticity. Synapse structural plasticity is a type of cytoskeletal remodeling; this remodeling is induced by stimuli that can lead to long term potentiation and it can be activity-dependent or -independent. Examples of cytoskeletal changes include the formation of new spines and increase in spine size; this can be accompanied by the insertion of greater numbers of glutamate (or other neurotransmitter) receptors into the post-synaptic membrane. [PMID:11063967, PMID:14976517, PMID:9884123]' - }, - 'GO:0051824': { - 'name': 'recognition of other organism involved in symbiotic interaction', - 'def': 'The set of specific processes that allow an organism to detect the presence of a second organism via physical or chemical signals, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051826': { - 'name': 'negative regulation of synapse structural plasticity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of synapse structural plasticity. [GOC:ai]' - }, - 'GO:0051827': { - 'name': 'obsolete growth or development on or near surface of other organism during symbiotic interaction', - 'def': 'OBSOLETE. The increase in size or mass of an organism, or the progression of an organism from an initial condition to a later condition, occurring on or near the exterior of a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051828': { - 'name': 'entry into other organism involved in symbiotic interaction', - 'def': 'Penetration by an organism into the body, tissues, or cells of a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051829': { - 'name': 'entry into other organism through natural portals involved in symbiotic interaction', - 'def': 'Penetration by an organism into a second organism via naturally occurring openings in the second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051830': { - 'name': 'entry into other organism through barriers of other organism involved in symbiotic interaction', - 'def': 'Penetration by an organism into a second organism via active breaching of physical barriers, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051831': { - 'name': 'obsolete growth or development in other organism during symbiotic interaction', - 'def': 'OBSOLETE. The increase in size or mass of an organism, or the progression of an organism from an initial condition to a later condition, occurring within the cells or tissues of a second organism, where the two organisms are in a symbiotic interaction. This may (but not necessarily) include a filamentous growth form, and also can include secretion of proteases and lipases to break down the tissue of the second organism. [GOC:cc]' - }, - 'GO:0051832': { - 'name': 'avoidance of defenses of other organism involved in symbiotic interaction', - 'def': "Any process, either constitutive or induced, by which an organism evades, minimizes, or suppresses the effects of a second organism's defense(s), where the two organisms are in a symbiotic interaction. [GOC:cc]" - }, - 'GO:0051833': { - 'name': 'suppression of defenses of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the defense(s) of a second organism, where the two organisms are in a symbiotic interaction. Suppression occurs by active mechanisms that normally result in the shutting down of pathways in the second organism. [GOC:cc]' - }, - 'GO:0051834': { - 'name': 'evasion or tolerance of defenses of other organism involved in symbiotic interaction', - 'def': "Any process, either active or passive, by which an organism avoids or tolerates the effects of a second organism's defense(s), where the two organisms are in a symbiotic interaction. Defenses may be induced by the presence of the organism or may be preformed (e.g. physical barriers). [GOC:cc]" - }, - 'GO:0051835': { - 'name': 'positive regulation of synapse structural plasticity', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of synaptic structural plasticity. [GOC:ai]' - }, - 'GO:0051836': { - 'name': 'translocation of molecules into other organism involved in symbiotic interaction', - 'def': 'The directed movement of a molecule(s) produced by an organism to a location inside a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051837': { - 'name': 'translocation of DNA into other organism involved in symbiotic interaction', - 'def': 'The directed movement of DNA from an organism to a location inside a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051838': { - 'name': 'cytolysis by host of symbiont cells', - 'def': 'The killing by an organism of a cell in its symbiont organism by means of the rupture of cell membranes and the loss of cytoplasm. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051839': { - 'name': 'regulation by host of cytolysis of symbiont cells', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the cytolysis by that organism of cells in its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051840': { - 'name': 'negative regulation by host of cytolysis of symbiont cells', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of cytolysis by that organism of cells in its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051841': { - 'name': 'positive regulation by host of cytolysis of symbiont cells', - 'def': 'Any process in which an organism activates or increases the frequency, rate or extent of cytolysis by that organism of cells in its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051842': { - 'name': 'obsolete evasion or tolerance of symbiont immune response', - 'def': "OBSOLETE. Any process, either active or passive, by which an organism avoids the effects of the symbiont organism's immune response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mb]" - }, - 'GO:0051843': { - 'name': 'obsolete evasion or tolerance of symbiont defense response', - 'def': "OBSOLETE. Any process, either active or passive, by which an organism avoids or tolerates the effects of a symbiont organism's defense response. The symbiont defense response is mounted by the symbiont in response to the presence of the organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mah]" - }, - 'GO:0051844': { - 'name': 'translocation of peptides or proteins into symbiont', - 'def': 'The directed movement of peptides or proteins produced by an organism to a location inside the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051845': { - 'name': 'obsolete passive evasion of symbiont immune response', - 'def': 'OBSOLETE. Any mechanism of immune avoidance that does not directly interfere with the symbiont immune system. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [PMID:12439615]' - }, - 'GO:0051846': { - 'name': 'obsolete active evasion of symbiont immune response', - 'def': 'OBSOLETE. Any mechanism of immune avoidance that directly affects the symbiont immune system, e.g. blocking any stage in symbiont MHC class I and II presentation. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [PMID:12439615]' - }, - 'GO:0051847': { - 'name': 'obsolete active evasion of symbiont immune response via regulation of symbiont complement system', - 'def': 'OBSOLETE. Any mechanism of active immune avoidance which works by regulating the symbiont complement system, e.g. by possessing complement receptors which mediate attachment to, then infection of, symbiont macrophages, which are eventually destroyed. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [http://www.brown.edu/Courses/Bio_160/Projects1999/ies/ces.html]' - }, - 'GO:0051848': { - 'name': 'obsolete active evasion of symbiont immune response via regulation of symbiont cytokine network', - 'def': 'OBSOLETE. Any mechanism of active immune avoidance which works by regulating symbiont cytokine networks, e.g. by secreting proteins that mimic cytokine receptors that act to sequester symbiont cytokines and inhibit action. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [http://www.brown.edu/Courses/Bio_160/Projects1999/ies/cytok.html#Manipulation]' - }, - 'GO:0051849': { - 'name': 'obsolete active evasion of symbiont immune response via regulation of symbiont antigen processing and presentation', - 'def': "OBSOLETE. Any mechanism of active immune avoidance which works by regulating the symbiont's antigen processing or presentation pathways, e.g. by blocking any stage in MHC class II presentation. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [PMID:12439615]" - }, - 'GO:0051850': { - 'name': 'acquisition of nutrients from symbiont', - 'def': 'The production of structures and/or molecules in an organism that are required for the acquisition and/or utilization of nutrients obtained from its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051851': { - 'name': 'modification by host of symbiont morphology or physiology', - 'def': 'The process in which an organism effects a change in the structure or processes of a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051852': { - 'name': 'disruption by host of symbiont cells', - 'def': "Any process in which an organism has a negative effect on the functioning of the symbiont's cells. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]" - }, - 'GO:0051853': { - 'name': 'obsolete induction in symbiont of tumor, nodule, or growth', - 'def': 'OBSOLETE. The process by which an associated organism causes the formation of an abnormal mass of cells in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051854': { - 'name': 'obsolete induction in symbiont of tumor, nodule, or growth containing transformed cells', - 'def': 'OBSOLETE. The process by which an organism causes the formation in its symbiont organism of an abnormal growth whose cells have been transformed and continue to exist in the absence of the first organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051855': { - 'name': 'recognition of symbiont', - 'def': 'The set of specific processes that allow an organism to detect the presence of its symbiont via physical or chemical signals. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051857': { - 'name': 'obsolete growth or development of organism on or near symbiont surface', - 'def': 'OBSOLETE. The increase in size or mass of an organism, or the progression of an organism from an initial condition to a later condition, occurring on or near the exterior of its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051858': { - 'name': 'avoidance of symbiont defenses', - 'def': "Any process, either constitutive or induced, by which an organism evades, minimizes, or suppresses the effects of its symbiont organism's defense(s). The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]" - }, - 'GO:0051859': { - 'name': 'suppression of symbiont defenses', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of symbiont defense(s) by active mechanisms that normally result in the shutting down of a symbiont pathway. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051860': { - 'name': 'evasion or tolerance of symbiont defenses', - 'def': 'The process, either active or passive, by which an organism evades or tolerates the effects of the defense(s) or defense molecules of a symbiont organism. Symbiont defenses may be induced by the presence of the organism or may be preformed (e.g. physical barriers). The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051861': { - 'name': 'glycolipid binding', - 'def': 'Interacting selectively and non-covalently with a glycolipid, any compound containing one or more monosaccharide residues bound by a glycosidic linkage to a hydrophobic group such as an acylglycerol, a sphingoid, a ceramide (N-acylsphingoid) or a prenyl phosphate. [http://www.chem.qmul.ac.uk/iupac/misc/glylp.html#2.1]' - }, - 'GO:0051862': { - 'name': 'translocation of molecules into symbiont', - 'def': 'The directed movement of molecule(s) produced by an organism to a location inside the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051863': { - 'name': 'obsolete translocation of DNA into symbiont', - 'def': 'OBSOLETE. The directed movement of DNA from an organism to a location inside the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0051864': { - 'name': 'histone demethylase activity (H3-K36 specific)', - 'def': 'Catalysis of the reaction: histone H3 N6-methyl-L-lysine (position 36) + alpha-ketoglutarate + O2 = succinate + CO2 + formaldehyde + lysine. This reaction is the removal of a methyl group from lysine at position 36 of the histone H3 protein. [PMID:16362057]' - }, - 'GO:0051865': { - 'name': 'protein autoubiquitination', - 'def': 'The ubiquitination by a protein of one or more of its own amino acid residues, or residues on an identical protein. Ubiquitination occurs on the lysine residue by formation of an isopeptide crosslink. [GOC:ai]' - }, - 'GO:0051866': { - 'name': 'general adaptation syndrome', - 'def': 'General adaptation syndrome is the set of changes in various organ systems of the body, especially the pituitary-endocrine system, in response to a wide range of strong external stimuli, both physiological and psychological. It is described as having three stages: alarm reaction, where the body detects the external stimulus; adaptation, where the body engages defensive countermeasures against the stressor; and exhaustion, where the body begins to run out of defenses. [http://www.onelook.com, PMID:14847556, Wikipedia:General_adaptation_syndrome]' - }, - 'GO:0051867': { - 'name': 'general adaptation syndrome, behavioral process', - 'def': 'The set of behavioral processes that occur as part of the general adaptation syndrome, the response of the body to a strong, stressful stimulus. [GOC:ai]' - }, - 'GO:0051870': { - 'name': 'methotrexate binding', - 'def': 'Interacting selectively and non-covalently with methotrexate, an antineoplastic antimetabolite with immunosuppressant properties. It is an inhibitor of tetrahydrofolate reductase and prevents the formation of tetrahydrofolate, necessary for synthesis of thymidylate, an essential component of DNA. [GOC:nln]' - }, - 'GO:0051871': { - 'name': 'dihydrofolic acid binding', - 'def': 'Interacting selectively and non-covalently with dihydrofolic acid, a folic acid in which the bicyclic pteridine structure is in the dihydro, partially reduced form; they are intermediates in folate metabolism and are reduced to their tetrahydro, reduced forms. [ISBN:0721662544]' - }, - 'GO:0051872': { - 'name': 'sphingosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sphingosine (sphing-4-enine), trans-D-erytho-2-amino-octadec-4-ene-1,3-diol, a long chain amino diol sphingoid base that occurs in most sphingolipids in animal tissues. [GOC:ai]' - }, - 'GO:0051873': { - 'name': 'killing by host of symbiont cells', - 'def': 'Any process mediated by an organism that results in the death of cells in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051874': { - 'name': 'sphinganine-1-phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sphinganine-1-phosphate, the phosphorylated derivative of D-erythro-2-amino-1,3-octadecanediol. [GOC:ai]' - }, - 'GO:0051875': { - 'name': 'pigment granule localization', - 'def': 'Any process in which a pigment granule is transported to, and/or maintained in, a specific location within the cell. [GOC:ai]' - }, - 'GO:0051876': { - 'name': 'pigment granule dispersal', - 'def': 'The directed movement of pigment granules within a cell towards the cell periphery. [GOC:mh]' - }, - 'GO:0051877': { - 'name': 'pigment granule aggregation in cell center', - 'def': 'The directed movement of dispersed pigment granules towards the center of the cell. [GOC:mh]' - }, - 'GO:0051878': { - 'name': 'lateral element assembly', - 'def': 'The cell cycle process in which lateral elements are formed. Axial elements form a proteinaceous core between the two sister chromatids of each chromosome; the two axial elements then connect along their entire lengths by fine fibers known as transverse filaments, forming the lateral elements. [PMID:11463847]' - }, - 'GO:0051879': { - 'name': 'Hsp90 protein binding', - 'def': 'Interacting selectively and non-covalently with Hsp90 proteins, any of a group of heat shock proteins around 90kDa in size. [GOC:ai]' - }, - 'GO:0051880': { - 'name': 'G-quadruplex DNA binding', - 'def': 'Interacting selectively and non-covalently with G-quadruplex DNA structures, in which groups of four guanines adopt a flat, cyclic Hoogsteen hydrogen-bonding arrangement known as a guanine tetrad. The stacking of guanine tetrads results in G-quadruplex DNA structures. G-quadruplex DNA can form under physiological conditions from some G-rich sequences, such as those found in telomeres, immunoglobulin switch regions, gene promoters, fragile X repeats, and the dimerization domain in the human immunodeficiency virus (HIV) genome. [PMID:16142245, PMID:9512530]' - }, - 'GO:0051881': { - 'name': 'regulation of mitochondrial membrane potential', - 'def': 'Any process that modulates the establishment or extent of the mitochondrial membrane potential, the electric potential existing across the mitochondrial membrane arising from charges in the membrane itself and from the charges present in the media on either side of the membrane. [GOC:ai]' - }, - 'GO:0051882': { - 'name': 'mitochondrial depolarization', - 'def': 'The process in which the potential difference across the mitochondrial membrane is reduced from its steady state level. [Wikipedia:Depolarization, Wikipedia:Mitochondrion]' - }, - 'GO:0051883': { - 'name': 'killing of cells in other organism involved in symbiotic interaction', - 'def': 'Any process mediated by an organism that results in the death of cells in a second organism, where the two organisms are in a symbiotic interaction. [GOC:add]' - }, - 'GO:0051884': { - 'name': 'regulation of timing of anagen', - 'def': 'Any process that modulates the frequency, rate or extent of timing of anagen, the growth phase of the hair cycle. [GOC:ai, GOC:pr]' - }, - 'GO:0051885': { - 'name': 'positive regulation of timing of anagen', - 'def': 'Any process that activates or increases the frequency, rate or extent of timing of anagen, the growth phase of the hair cycle. [GOC:ai, GOC:pr]' - }, - 'GO:0051886': { - 'name': 'negative regulation of timing of anagen', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of timing of anagen, the growth phase of the hair cycle. [GOC:ai, GOC:pr]' - }, - 'GO:0051887': { - 'name': 'regulation of timing of exogen', - 'def': 'Any process that modulates the frequency, rate or extent of timing of exogen, the shedding phase of the hair cycle. [GOC:ai, GOC:pr]' - }, - 'GO:0051888': { - 'name': 'positive regulation of timing of exogen', - 'def': 'Any process that activates or increases the frequency, rate or extent of timing of exogen, the shedding phase of the hair cycle. [GOC:ai, GOC:pr]' - }, - 'GO:0051889': { - 'name': 'negative regulation of timing of exogen', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of timing of exogen, the shedding phase of the hair cycle. [GOC:ai, GOC:pr]' - }, - 'GO:0051890': { - 'name': 'regulation of cardioblast differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of cardioblast differentiation, the process in which a relatively unspecialized mesodermal cell acquires the specialized structural and/or functional features of a cardioblast. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:ai]' - }, - 'GO:0051891': { - 'name': 'positive regulation of cardioblast differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardioblast differentiation, the process in which a relatively unspecialized mesodermal cell acquires the specialized structural and/or functional features of a cardioblast. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:ai]' - }, - 'GO:0051892': { - 'name': 'negative regulation of cardioblast differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cardioblast differentiation, the process in which a relatively unspecialized mesodermal cell acquires the specialized structural and/or functional features of a cardioblast. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:ai]' - }, - 'GO:0051893': { - 'name': 'regulation of focal adhesion assembly', - 'def': 'Any process that modulates the frequency, rate or extent of focal adhesion formation, the establishment and maturation of focal adhesions. [GOC:ai]' - }, - 'GO:0051894': { - 'name': 'positive regulation of focal adhesion assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of focal adhesion assembly, the establishment and maturation of focal adhesions. [GOC:ai]' - }, - 'GO:0051895': { - 'name': 'negative regulation of focal adhesion assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of focal adhesion assembly, the establishment and maturation of focal adhesions. [GOC:ai]' - }, - 'GO:0051896': { - 'name': 'regulation of protein kinase B signaling', - 'def': 'Any process that modulates the frequency, rate or extent of protein kinase B signaling, a series of reactions mediated by the intracellular serine/threonine kinase protein kinase B. [GOC:ai]' - }, - 'GO:0051897': { - 'name': 'positive regulation of protein kinase B signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein kinase B signaling, a series of reactions mediated by the intracellular serine/threonine kinase protein kinase B. [GOC:ai]' - }, - 'GO:0051898': { - 'name': 'negative regulation of protein kinase B signaling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein kinase B signaling, a series of reactions mediated by the intracellular serine/threonine kinase protein kinase B. [GOC:ai]' - }, - 'GO:0051899': { - 'name': 'membrane depolarization', - 'def': 'The process in which membrane potential decreases with respect to its steady-state potential, usually from negative potential to a more positive potential. For example, the initial depolarization during the rising phase of an action potential is in the direction from the negative steady-state resting potential towards the positive membrane potential that will be the peak of the action potential. [GOC:dh, Wikipedia:Depolarization]' - }, - 'GO:0051900': { - 'name': 'regulation of mitochondrial depolarization', - 'def': 'Any process that modulates the frequency, rate or extent of the change in the membrane potential of the mitochondria from negative to positive. [GOC:ai]' - }, - 'GO:0051901': { - 'name': 'positive regulation of mitochondrial depolarization', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the change in the membrane potential of the mitochondria from negative to positive. [GOC:ai]' - }, - 'GO:0051902': { - 'name': 'negative regulation of mitochondrial depolarization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the change in the membrane potential of the mitochondria from negative to positive. [GOC:ai]' - }, - 'GO:0051903': { - 'name': 'S-(hydroxymethyl)glutathione dehydrogenase activity', - 'def': 'Catalysis of the reaction: S-(hydroxymethyl)glutathione + NAD(P)+ = S-formylglutathione + NAD(P)H + H+. [EC:1.1.1.284]' - }, - 'GO:0051904': { - 'name': 'pigment granule transport', - 'def': 'The directed movement of pigment granules into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051905': { - 'name': 'establishment of pigment granule localization', - 'def': 'The directed movement of a pigment granule to a specific location. [GOC:ai]' - }, - 'GO:0051906': { - 'name': 'maintenance of pigment granule location', - 'def': 'Any process in which a pigment granule is maintained in a location and prevented from moving elsewhere. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051907': { - 'name': 'S-(hydroxymethyl)glutathione synthase activity', - 'def': 'Catalysis of the reaction: S-(hydroxymethyl)glutathione = formaldehyde + glutathione. [EC:4.4.1.22, RHEA:22491]' - }, - 'GO:0051908': { - 'name': "double-stranded DNA 5'-3' exodeoxyribonuclease activity", - 'def': "Catalysis of the sequential cleavage of mononucleotides from a free 5' terminus of a double-stranded DNA molecule. [GOC:ai]" - }, - 'GO:0051909': { - 'name': 'acetylenecarboxylate hydratase activity, producing 3-hydroxypropenoate', - 'def': 'Catalysis of the reaction: 3-hydroxypropenoate = propynoate + H2O. [MetaCyc:ACETYLENECARBOXYLATE-HYDRATASE-RXN]' - }, - 'GO:0051911': { - 'name': 'Methanosarcina-phenazine hydrogenase activity', - 'def': 'Catalysis of the reaction: H2 + 2-(2,3-dihydropentaprenyloxy)phenazine = 2-dihydropentaprenyloxyphenazine. [EC:1.12.98.3]' - }, - 'GO:0051912': { - 'name': 'CoB--CoM heterodisulfide reductase activity', - 'def': 'Catalysis of the reaction: coenzyme B + coenzyme M + methanophenazine = N-{7-[(2-sulfoethyl)dithio]heptanoyl}-3-O-phospho-L-threonine + dihydromethanophenazine. [EC:1.8.98.1]' - }, - 'GO:0051913': { - 'name': 'regulation of synaptic plasticity by chemical substance', - 'def': 'The process in which a chemical substance modulates synaptic plasticity, the ability of synapses to change as circumstances require. [GOC:ai]' - }, - 'GO:0051914': { - 'name': 'positive regulation of synaptic plasticity by chemical substance', - 'def': 'The process in which a chemical substance increases synaptic plasticity, the ability of synapses to change as circumstances require. [GOC:ai]' - }, - 'GO:0051915': { - 'name': 'induction of synaptic plasticity by chemical substance', - 'def': 'The process in which a chemical substance activates synaptic plasticity, the ability of synapses to change as circumstances require. [GOC:ai]' - }, - 'GO:0051916': { - 'name': 'granulocyte colony-stimulating factor binding', - 'def': 'Interacting selectively and non-covalently with granulocyte colony-stimulating factor, G-CSF. [GOC:ai]' - }, - 'GO:0051917': { - 'name': 'regulation of fibrinolysis', - 'def': 'Any process that modulates the frequency, rate or extent of fibrinolysis, an ongoing process that solubilizes fibrin, resulting in the removal of small blood clots. [GOC:ai]' - }, - 'GO:0051918': { - 'name': 'negative regulation of fibrinolysis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of fibrinolysis, an ongoing process that solubilizes fibrin, resulting in the removal of small blood clots. [GOC:ai]' - }, - 'GO:0051919': { - 'name': 'positive regulation of fibrinolysis', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of fibrinolysis, an ongoing process that solubilizes fibrin, resulting in the removal of small blood clots. [GOC:ai]' - }, - 'GO:0051920': { - 'name': 'peroxiredoxin activity', - 'def': "Catalysis of the reaction: 2 R'-SH + ROOH = R'-S-S-R' + H2O + ROH. [EC:1.11.1.15]" - }, - 'GO:0051921': { - 'name': 'adenosylcobyric acid synthase (glutamine-hydrolyzing) activity', - 'def': 'Catalysis of the reaction: 4 L-glutamine + adenosylcob(III)yrinate a,c-diamide + 4 ATP + 4 H(2)O = 4 L-glutamate + adenosylcobyrate + 4 ADP + 8 H(+) + 4 phosphate. [EC:6.3.5.10, RHEA:23259]' - }, - 'GO:0051922': { - 'name': 'cholesterol sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphoadenosine 5'-phosphosulfate + cholesterol = adenosine 3',5'-bisphosphate + cholesterol sulfate. [PMID:12730293]" - }, - 'GO:0051923': { - 'name': 'sulfation', - 'def': 'The addition of a sulfate group to a molecule. [http://www.onelook.com]' - }, - 'GO:0051924': { - 'name': 'regulation of calcium ion transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of calcium ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051925': { - 'name': 'obsolete regulation of calcium ion transport via voltage-gated calcium channel activity', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of the directed movement of calcium ions via a voltage-gated calcium channel. [GOC:ai]' - }, - 'GO:0051926': { - 'name': 'negative regulation of calcium ion transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of calcium ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051927': { - 'name': 'obsolete negative regulation of calcium ion transport via voltage-gated calcium channel activity', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of calcium ions via a voltage-gated calcium channel. [GOC:ai]' - }, - 'GO:0051928': { - 'name': 'positive regulation of calcium ion transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of calcium ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051929': { - 'name': 'obsolete positive regulation of calcium ion transport via voltage-gated calcium channel activity', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of the directed movement of calcium ions via the activity of voltage-gated calcium channels. [GOC:ai]' - }, - 'GO:0051930': { - 'name': 'regulation of sensory perception of pain', - 'def': 'Any process that modulates the frequency, rate or extent of the sensory perception of pain, the series of events required for an organism to receive a painful stimulus, convert it to a molecular signal, and recognize and characterize the signal. [GOC:ai]' - }, - 'GO:0051931': { - 'name': 'regulation of sensory perception', - 'def': 'Any process that modulates the frequency, rate or extent of sensory perception, the series of events required for an organism to receive a sensory stimulus, convert it to a molecular signal, and recognize and characterize the signal. [GOC:ai]' - }, - 'GO:0051932': { - 'name': 'synaptic transmission, GABAergic', - 'def': 'The process of communication from a neuron to another neuron across a synapse using the neurotransmitter gamma-aminobutyric acid (GABA). [ISBN:0126603030]' - }, - 'GO:0051933': { - 'name': 'amino acid neurotransmitter reuptake', - 'def': 'The uptake of amino acid neurotransmitters by neurons or glial cells. This process leads to inactivation and recycling of neurotransmitters. [ISBN:0123668387]' - }, - 'GO:0051934': { - 'name': 'catecholamine uptake involved in synaptic transmission', - 'def': 'The uptake of catecholamine neurotransmitters by neurons or glial cells. This process leads to inactivation and recycling of neurotransmitters. [ISBN:0123668387]' - }, - 'GO:0051935': { - 'name': 'glutamate reuptake', - 'def': 'The uptake of L-glutamate by neurons or glial cells. This process leads to inactivation and recycling of neurotransmitters. [ISBN:0123668387]' - }, - 'GO:0051936': { - 'name': 'gamma-aminobutyric acid reuptake', - 'def': 'The uptake of gamma-aminobutyric acid (GABA, 4-aminobutyrate) by neurons or glial cells. This process leads to inactivation and recycling of neurotransmitters. [ISBN:0123668387]' - }, - 'GO:0051937': { - 'name': 'catecholamine transport', - 'def': 'The directed movement of catecholamines, a group of physiologically important biogenic amines that possess a catechol (3,4-dihydroxyphenyl) nucleus and are derivatives of 3,4-dihydroxyphenylethylamine. [GOC:ai, ISBN:0198506732]' - }, - 'GO:0051938': { - 'name': 'L-glutamate import', - 'def': 'The directed movement of L-glutamate, the L-enantiomer of the anion of 2-aminopentanedioic acid, into a cell or organelle. [GOC:ai, GOC:jsg, GOC:mah]' - }, - 'GO:0051939': { - 'name': 'gamma-aminobutyric acid import', - 'def': 'The directed movement of gamma-aminobutyric acid (GABA, 4-aminobutyrate) into a cell or organelle. [GOC:ai]' - }, - 'GO:0051940': { - 'name': 'regulation of catecholamine uptake involved in synaptic transmission', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of catecholamine neurotransmitters into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051941': { - 'name': 'regulation of amino acid uptake involved in synaptic transmission', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of amino acid neurotransmitters into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051942': { - 'name': 'negative regulation of amino acid uptake involved in synaptic transmission', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of amino acid neurotransmitters into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051943': { - 'name': 'positive regulation of amino acid uptake involved in synaptic transmission', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the directed movement of amino acid neurotransmitters into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051944': { - 'name': 'positive regulation of catecholamine uptake involved in synaptic transmission', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the directed movement of catecholamine neurotransmitters into a neuron or glial cell. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051945': { - 'name': 'negative regulation of catecholamine uptake involved in synaptic transmission', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of catecholamine neurotransmitters into a neuron or glial cell. [GOC:ai, GOC:dph, GOC:tb]' - }, - 'GO:0051946': { - 'name': 'regulation of glutamate uptake involved in transmission of nerve impulse', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of L-glutamate into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051947': { - 'name': 'regulation of gamma-aminobutyric acid uptake involved in transmission of nerve impulse', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of gamma-aminobutyric acid (GABA, 4-aminobutyrate) into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051948': { - 'name': 'negative regulation of glutamate uptake involved in transmission of nerve impulse', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of L-glutamate into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051949': { - 'name': 'negative regulation of gamma-aminobutyric acid uptake involved in transmission of nerve impulse', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of gamma-aminobutyric acid (GABA, 4-aminobutyrate) into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051950': { - 'name': 'positive regulation of gamma-aminobutyric acid uptake involved in transmission of nerve impulse', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the directed movement of gamma-aminobutyric acid (GABA, 4-aminobutyrate) into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051951': { - 'name': 'positive regulation of glutamate uptake involved in transmission of nerve impulse', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the directed movement of L-glutamate into a neuron or glial cell. [GOC:ai]' - }, - 'GO:0051952': { - 'name': 'regulation of amine transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of amines into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051953': { - 'name': 'negative regulation of amine transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of amines into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051954': { - 'name': 'positive regulation of amine transport', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the directed movement of amines into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051955': { - 'name': 'regulation of amino acid transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of amino acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051956': { - 'name': 'negative regulation of amino acid transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of amino acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051957': { - 'name': 'positive regulation of amino acid transport', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of the directed movement of amino acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:ai]' - }, - 'GO:0051958': { - 'name': 'methotrexate transport', - 'def': 'The directed movement of methotrexate, 4-amino-10-methylformic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Methotrexate is a folic acid analogue and a potent competitive inhibitor of dihydrofolate reductase. [GOC:ai]' - }, - 'GO:0051959': { - 'name': 'dynein light intermediate chain binding', - 'def': 'Interacting selectively and non-covalently with a light intermediate chain of the dynein complex. [GOC:bf]' - }, - 'GO:0051960': { - 'name': 'regulation of nervous system development', - 'def': 'Any process that modulates the frequency, rate or extent of nervous system development, the origin and formation of nervous tissue. [GOC:ai]' - }, - 'GO:0051961': { - 'name': 'negative regulation of nervous system development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of nervous system development, the origin and formation of nervous tissue. [GOC:ai]' - }, - 'GO:0051962': { - 'name': 'positive regulation of nervous system development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of nervous system development, the origin and formation of nervous tissue. [GOC:ai]' - }, - 'GO:0051963': { - 'name': 'regulation of synapse assembly', - 'def': 'Any process that modulates the frequency, rate or extent of synapse assembly, the aggregation, arrangement and bonding together of a set of components to form a synapse. [GOC:ai, GOC:pr]' - }, - 'GO:0051964': { - 'name': 'negative regulation of synapse assembly', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of synapse assembly, the aggregation, arrangement and bonding together of a set of components to form a synapse. [GOC:ai, GOC:pr]' - }, - 'GO:0051965': { - 'name': 'positive regulation of synapse assembly', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of synapse assembly, the aggregation, arrangement and bonding together of a set of components to form a synapse. [GOC:ai, GOC:pr]' - }, - 'GO:0051966': { - 'name': 'regulation of synaptic transmission, glutamatergic', - 'def': 'Any process that modulates the frequency, rate or extent of glutamatergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter glutamate. [GOC:ai]' - }, - 'GO:0051967': { - 'name': 'negative regulation of synaptic transmission, glutamatergic', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of glutamatergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter glutamate. [GOC:ai]' - }, - 'GO:0051968': { - 'name': 'positive regulation of synaptic transmission, glutamatergic', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of glutamatergic synaptic transmission, the process of communication from a neuron to another neuron across a synapse using the neurotransmitter glutamate. [GOC:ai]' - }, - 'GO:0051969': { - 'name': 'regulation of transmission of nerve impulse', - 'def': 'Any process that modulates the frequency, rate or extent of transmission of a nerve impulse, the sequential electrochemical polarization and depolarization that travels across the membrane of a neuron in response to stimulation. [GOC:ai]' - }, - 'GO:0051970': { - 'name': 'negative regulation of transmission of nerve impulse', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transmission of a nerve impulse, the sequential electrochemical polarization and depolarization that travels across the membrane of a neuron in response to stimulation. [GOC:ai]' - }, - 'GO:0051971': { - 'name': 'positive regulation of transmission of nerve impulse', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of transmission of a nerve impulse, the sequential electrochemical polarization and depolarization that travels across the membrane of a neuron in response to stimulation. [GOC:ai]' - }, - 'GO:0051972': { - 'name': 'regulation of telomerase activity', - 'def': "Any process that modulates the frequency, rate or extent of telomerase activity, the catalysis of the reaction: deoxynucleoside triphosphate + DNA(n) = diphosphate + DNA(n+1). Telomerases catalyze extension of the 3'- end of a DNA strand by one deoxynucleotide at a time using an internal RNA template that encodes the telomeric repeat sequence. [EC:2.-.-.-, GOC:ai]" - }, - 'GO:0051973': { - 'name': 'positive regulation of telomerase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomerase activity, the catalysis of the reaction: deoxynucleoside triphosphate + DNA(n) = diphosphate + DNA(n+1). [GOC:ai]' - }, - 'GO:0051974': { - 'name': 'negative regulation of telomerase activity', - 'def': 'Any process that stops or reduces the activity of the enzyme telomerase, which catalyzes of the reaction: deoxynucleoside triphosphate + DNA(n) = diphosphate + DNA(n+1). [GOC:ai]' - }, - 'GO:0051975': { - 'name': 'lysine biosynthetic process via alpha-aminoadipate and saccharopine', - 'def': 'The chemical reactions and pathways resulting in the formation of lysine via the intermediates alpha-aminoadipic acid and saccharopine. This pathway is used by yeast and fungi to synthesize the essential amino acid L-lysine, and pathway intermediates are often incorporated into secondary metabolic processes. The pathway proceeds as follows: alpha-ketoglutarate is converted to homocitrate, which is metabolized to 3-carboxyhex-2-enedioate and then homoisocitrate. This is then decarboxylated to form alpha-ketoadipate, which is then converted to alpha-aminoadipate. This is then reduced to form alpha-aminoadipate 6-semialdehyde, which is metabolized to saccharopine and finally L-lysine. [MetaCyc:LYSINE-AMINOAD-PWY]' - }, - 'GO:0051976': { - 'name': 'lysine biosynthetic process via alpha-aminoadipate and N2-acetyl-alpha-aminoadipate', - 'def': 'The chemical reactions and pathways resulting in the formation of lysine via the intermediates alpha-aminoadipic acid and N2-acetyl-alpha-aminoadipate. This pathway of prokaryotic lysine biosynthesis via alpha-aminoadipate was discovered in the hyper-thermophilic Gram-negative eubacterium Thermus thermophilus. The pathway proceeds as follows: alpha-ketoglutarate is converted to homocitrate, which is metabolized to 3-carboxyhex-2-enedioate and then homoisocitrate. This is then decarboxylated to form alpha-ketoadipate, which is then converted to alpha-aminoadipate. This undergoes acetylation, to form N2-acetyl-alpha-aminoadipate, and is then phosphorylated to give N2-acetyl-alpha-aminoadipyl-delta-phosphate. This is converted to N2-acetyl-alpha-aminoadipate semialdehyde, which is then converted to N2-acetyl-L-lysine. A final deacetylation reaction produces L-lysine. [MetaCyc:PWY-3081]' - }, - 'GO:0051977': { - 'name': 'lysophospholipid transport', - 'def': 'The directed movement of phospholipids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A lysophospholipid is a phospholipid that lacks one of its fatty acyl chains; it is an intermediate formed during digestion of dietary and biliary phospholipids. [GOC:ai]' - }, - 'GO:0051978': { - 'name': 'lysophospholipid transporter activity', - 'def': 'Enables the directed movement of lysophospholipids into, out of or within a cell, or between cells. A lysophospholipid is a phospholipid that lacks one of its fatty acyl chains; it is an intermediate formed during digestion of dietary and biliary phospholipids. [GOC:ai]' - }, - 'GO:0051979': { - 'name': 'alginic acid acetylation', - 'def': 'The addition of O-acetyl ester groups to alginic acid, a linear polymer of D-mannuronate and L-guluronate. [GOC:mlg]' - }, - 'GO:0051980': { - 'name': 'iron-nicotianamine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of the iron chelate iron-nicotianamine (Fe-NA) from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0051981': { - 'name': 'copper chelate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a copper chelate from one side of a membrane to the other. A copper chelate is a heterocyclic compound having a metal ion attached by coordinate bonds to at least two nonmetal ions. [http://www.onelook.com]' - }, - 'GO:0051982': { - 'name': 'copper-nicotianamine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of the copper chelate copper-nicotianamine (Cu-NA) from one side of a membrane to the other. [GOC:ai]' - }, - 'GO:0051983': { - 'name': 'regulation of chromosome segregation', - 'def': 'Any process that modulates the frequency, rate or extent of chromosome segregation, the process in which genetic material, in the form of chromosomes, is organized and then physically separated and apportioned to two or more sets. [GOC:ai]' - }, - 'GO:0051984': { - 'name': 'positive regulation of chromosome segregation', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromosome segregation, the process in which genetic material, in the form of chromosomes, is organized and then physically separated and apportioned to two or more sets. [GOC:ai]' - }, - 'GO:0051985': { - 'name': 'negative regulation of chromosome segregation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of chromosome segregation, the process in which genetic material, in the form of chromosomes, is organized and then physically separated and apportioned to two or more sets. [GOC:ai]' - }, - 'GO:0051986': { - 'name': 'negative regulation of attachment of spindle microtubules to kinetochore', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the attachment of spindle microtubules to the kinetochore. [GOC:ai]' - }, - 'GO:0051987': { - 'name': 'positive regulation of attachment of spindle microtubules to kinetochore', - 'def': 'Any process that activates or increases the frequency, rate or extent of the attachment of spindle microtubules to the kinetochore. [GOC:ai]' - }, - 'GO:0051988': { - 'name': 'regulation of attachment of spindle microtubules to kinetochore', - 'def': 'Any process that modulates the frequency, rate or extent of the attachment of spindle microtubules to the kinetochore. [GOC:ai]' - }, - 'GO:0051989': { - 'name': 'coproporphyrinogen dehydrogenase activity', - 'def': "Catalysis of the reaction: coproporphyrinogen III + 2 S-adenosyl-L-methionine = protoporphyrinogen IX + 2 CO2 + 2 L-methionine + 2 5'-deoxyadenosine. [EC:1.3.99.22]" - }, - 'GO:0051990': { - 'name': '(R)-2-hydroxyglutarate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-2-hydroxyglutarate + acceptor = 2-oxoglutarate + reduced acceptor. [EC:1.1.99.2, MetaCyc:2-HYDROXYGLUTARATE-DEHYDROGENASE-RXN]' - }, - 'GO:0051991': { - 'name': 'UDP-N-acetyl-D-glucosamine:N-acetylmuramoyl-L-alanyl-D-glutamyl-meso-2,6-diaminopimelyl-D-alanyl-D-alanine-diphosphoundecaprenol 4-beta-N-acetylglucosaminlytransferase activity', - 'def': 'Catalysis of the reaction: N-acetylmuramoyl-L-alanyl-D-glutamyl-meso-2,6-diaminopimelyl-D-alanyl-D-alanine-diphosphoundecaprenol + UDP-N-acetyl-D-glucosamine = N-acetylmuramoyl-L-alanyl-D-glutamyl-meso-2,6-diaminopimelyl-D-alanyl-D-alanine-diphosphoundecaprenyl-N-acetylglucosamine + UDP. [MetaCyc:NACGLCTRANS-RXN]' - }, - 'GO:0051992': { - 'name': 'UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-meso-2,6-diaminopimelyl-D-alanyl-D-alanine:undecaprenyl-phosphate transferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetylmuramoyl-L-alanyl-D-glutamyl-meso-2,6-diaminopimelyl-D-alanyl-D-alanine + di-trans,poly-cis-undecaprenyl phosphate = UMP + N-acetylmuramoyl-L-alanyl-D-glutamyl-meso-2,6-diaminopimelyl-D-alanyl-D-alanine-diphosphoundecaprenol. [EC:2.7.8.13, MetaCyc:PHOSNACMURPENTATRANS-RXN]' - }, - 'GO:0051993': { - 'name': 'abscisic acid glucose ester beta-glucosidase activity', - 'def': 'Catalysis of the reaction: abscisic acid glucose ester + H2O = abscisic acid + beta-D-glucose. [PMID:16990135]' - }, - 'GO:0051994': { - 'name': 'P-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to the phosphorus atom of an acceptor molecule. [GOC:ai]' - }, - 'GO:0051995': { - 'name': 'Se-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to the selenium atom of an acceptor molecule. [GOC:ai]' - }, - 'GO:0051996': { - 'name': 'squalene synthase activity', - 'def': 'Catalysis of the reaction: presqualene diphosphate + NADPH = squalene + NADP+ + diphosphate. [EC:2.5.1.21]' - }, - 'GO:0051997': { - 'name': '2-oxo-4-hydroxy-4-carboxy-5-ureidoimidazoline decarboxylase activity', - 'def': 'Catalysis of the reaction: 5-hydroxy-2-oxo-4-ureido-2,5-dihydro-1H imidazole-5-carboxylate + H+ = S-allantoin + CO2. [MetaCyc:RXN-6201]' - }, - 'GO:0051998': { - 'name': 'protein carboxyl O-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group to a carboxyl group on a protein. [GOC:ai]' - }, - 'GO:0051999': { - 'name': 'mannosyl-inositol phosphorylceramide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mannosyl-inositol phosphorylceramide, any lipid with a phosphodiester bridge between an inositol residue and the ceramide group which contains a phosphoryl (-P(O)=) groups and a mannose derivative. [GOC:ai]' - }, - 'GO:0052000': { - 'name': 'Type IV pili-dependent aggregation', - 'def': 'The formation of bacterial aggregates in liquid culture dependent on the presence of Type IV pili. [GOC:ml]' - }, - 'GO:0052001': { - 'name': 'Type IV pili-dependent localized adherence to host', - 'def': 'Attachment of bacterial clusters to the surface of the host in a type IV pili dependent manner. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:ml]' - }, - 'GO:0052002': { - 'name': 'metabolism by symbiont of substance in host', - 'def': 'The chemical reactions and pathways performed by an organism in its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052003': { - 'name': 'negative regulation by symbiont of defense-related host salicylic acid-mediated signal transduction pathway', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of host salicylic acid-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052004': { - 'name': 'negative regulation by symbiont of host salicylic acid-mediated defense response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the salicylic acid-mediated defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052005': { - 'name': 'negative regulation by symbiont of host ethylene-mediated defense response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the ethylene-mediated defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052006': { - 'name': 'catabolism by symbiont of substance in host', - 'def': 'The chemical reactions and pathways performed by an organism in its host resulting in the breakdown of substances. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052007': { - 'name': 'biosynthesis by symbiont of substance in host', - 'def': 'The chemical reactions and pathways performed by an organism in its host resulting in the formation of substances. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052008': { - 'name': 'disruption by symbiont of host cellular component', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of cellular components of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052009': { - 'name': 'disruption by symbiont of host cell wall', - 'def': 'A process carried out by a symbiont that breaks down the cell wall of its host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052010': { - 'name': 'catabolism by symbiont of host cell wall cellulose', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of cellulose in the host cell wall. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052011': { - 'name': 'catabolism by symbiont of host cell wall pectin', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of pectin in the host cell wall. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052012': { - 'name': 'catabolism by symbiont of host cell wall chitin', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of chitin in the host cell wall. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052013': { - 'name': 'catabolism by symbiont of host macromolecule', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of macromolecules within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052014': { - 'name': 'catabolism by symbiont of host protein', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of protein macromolecules within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052015': { - 'name': 'catabolism by symbiont of host carbohydrate', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of carbohydrate molecules within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052016': { - 'name': 'catabolism by symbiont of host glucan', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of glucan molecules within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052017': { - 'name': 'catabolism by symbiont of host xylan', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of xylan within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052018': { - 'name': 'modulation by symbiont of RNA levels in host', - 'def': 'The alteration by an organism of the levels of RNA in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052019': { - 'name': 'modulation by symbiont of host hormone or growth regulator levels', - 'def': 'The alteration by an organism of the levels of hormones or growth regulators in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052020': { - 'name': 'modification by symbiont of host cell wall', - 'def': 'The process in which an organism effects a change in the structure or function of the host cell wall. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052021': { - 'name': 'modulation by symbiont of ethylene levels in host', - 'def': 'The alteration by an organism of the levels of ethylene in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052022': { - 'name': 'modulation by symbiont of jasmonic acid levels in host', - 'def': 'The alteration by an organism of the levels of jasmonic acid in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052023': { - 'name': 'modulation by symbiont of salicylic acid levels in host', - 'def': 'The alteration by an organism of the levels of salicylic acid in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052024': { - 'name': 'positive regulation by symbiont of hormone or growth regulator levels in host', - 'def': 'The increase by an organism of the levels of hormones or growth regulators in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052025': { - 'name': 'modification by symbiont of host cell membrane', - 'def': 'The process in which an organism effects a change in the structure or function of a host cellular membrane. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052026': { - 'name': 'modulation by symbiont of host transcription', - 'def': "Any process in which an organism modulates the frequency, rate or extent of its host's transcription. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0052027': { - 'name': 'modulation by symbiont of host signal transduction pathway', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the host signal transduction pathways, the cascade of processes by which a signal interacts with a receptor. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052028': { - 'name': 'positive regulation by symbiont of host signal transduction pathway', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the host signal transduction pathways, the cascade of processes by which a signal interacts with a receptor. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052029': { - 'name': 'negative regulation by symbiont of host signal transduction pathway', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the host signal transduction pathways, the cascade of processes by which a signal interacts with a receptor. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052031': { - 'name': 'modulation by symbiont of host defense response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the defense response of its host, the response mounted by the host in response to the presence of the organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052032': { - 'name': 'modulation by symbiont of host inflammatory response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the inflammatory response of the host organism; the inflammatory response is the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052033': { - 'name': 'pathogen-associated molecular pattern dependent induction by symbiont of host innate immune response', - 'def': "Any process that involves recognition of a pathogen-associated molecular pattern, and by which an organism activates, maintains or increases the frequency, rate or extent of the innate immune response of the host organism; the innate immune response is the host's first line of defense against infection. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mah]" - }, - 'GO:0052034': { - 'name': 'negative regulation by symbiont of microbe-associated molecular pattern-induced host innate immune response', - 'def': "Any process that involves recognition of a microbe-associated molecular pattern, and by which an organism tops, prevents, or reduces the frequency, rate or extent of the innate immune response of the host organism; the innate immune response is the host's first line of defense against infection. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mah]" - }, - 'GO:0052035': { - 'name': 'positive regulation by symbiont of host inflammatory response', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the inflammatory response of the host organism; the inflammatory response is the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052036': { - 'name': 'negative regulation by symbiont of host inflammatory response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the inflammatory response of the host organism; the inflammatory response is the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052037': { - 'name': 'negative regulation by symbiont of host defense response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052038': { - 'name': 'modulation by symbiont of host intracellular transport', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the directed movement of substances within the cell or cells of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052039': { - 'name': 'modification by symbiont of host cytoskeleton', - 'def': 'The process in which an organism effects a change in the structure or function of the host cytoskeleton. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052040': { - 'name': 'modulation by symbiont of host programmed cell death', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of programmed cell death in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052041': { - 'name': 'negative regulation by symbiont of host programmed cell death', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of programmed cell death in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052042': { - 'name': 'positive regulation by symbiont of host programmed cell death', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of programmed cell death in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052043': { - 'name': 'modification by symbiont of host cellular component', - 'def': 'The process in which an organism effects a change in the structure or function of a host cellular component. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052046': { - 'name': 'modification by symbiont of host morphology or physiology via secreted substance', - 'def': 'The process in which an organism effects a change in the structure or function of its host organism, mediated by a substance secreted by one of the organisms. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052047': { - 'name': 'interaction with other organism via secreted substance involved in symbiotic interaction', - 'def': 'An interaction with a second organism mediated by a substance secreted by the first organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052048': { - 'name': 'interaction with host via secreted substance involved in symbiotic interaction', - 'def': 'An interaction with the host organism mediated by a substance secreted by the other (symbiont) organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052049': { - 'name': 'interaction with host via protein secreted by type III secretion system', - 'def': 'An interaction with the host organism mediated by a substance secreted by the symbiont organism by a type III secretion system. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052050': { - 'name': 'interaction with host via substance secreted by type IV secretion system', - 'def': 'An interaction with the host organism mediated by a substance secreted by the other organism by a type IV secretion system. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052051': { - 'name': 'interaction with host via protein secreted by type II secretion system', - 'def': 'An interaction with the host organism mediated by a substance secreted by the other organism by a type II secretion system. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052052': { - 'name': 'modification by symbiont of host morphology or physiology via protein secreted by type II secretion system', - 'def': 'The process in which an organism effects a change in the structure or function of its host organism, mediated by a substance secreted by a type II secretion system in the organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052053': { - 'name': 'negative regulation by symbiont of host catalytic activity', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of host enzyme activity. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052054': { - 'name': 'negative regulation by symbiont of host peptidase activity', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of host protease activity, the catalysis of the hydrolysis of peptide bonds in a protein. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:dph, GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052055': { - 'name': 'modulation by symbiont of host molecular function', - 'def': 'The process in which an organism effects a change in the function of a host protein via a direct interaction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:dph, GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052056': { - 'name': 'negative regulation by symbiont of host molecular function', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the functional activity of host proteins. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:dph, GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052057': { - 'name': 'modification by symbiont of host morphology or physiology via protein secreted by type III secretion system', - 'def': 'The process in which an organism effects a change in the structure or function of its host organism, mediated by a substance secreted by a type III secretion system in the organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052058': { - 'name': 'modification by symbiont of host morphology or physiology via substance secreted by type IV secretion system', - 'def': 'The process in which an organism effects a change in the structure or function of its host organism, mediated by a substance secreted by a type IV secretion system in the organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052059': { - 'name': 'evasion or tolerance by symbiont of host-produced reactive oxygen species', - 'def': 'The process in which an organism avoids the effects of reactive oxygen species produced as a defense response by the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052060': { - 'name': 'evasion or tolerance by symbiont of host-produced nitric oxide', - 'def': 'The process in which an organism avoids the effects of nitric oxide produced as a defense response by the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052061': { - 'name': 'evasion or tolerance by symbiont of host-produced phytoalexins', - 'def': 'The process in which an organism avoids the effects of phytoalexins produced as a defense response by the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052062': { - 'name': 'induction by symbiont of host phytoalexin production', - 'def': 'The activation by an organism of the production of phytoalexins as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052063': { - 'name': 'induction by symbiont of defense-related host nitric oxide production', - 'def': 'The activation by an organism of the production of nitric oxide as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052064': { - 'name': 'induction by symbiont of defense-related host reactive oxygen species production', - 'def': 'The activation by an organism of the production of reactive oxygen species as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052065': { - 'name': 'positive regulation by organism of defense-related calcium ion flux in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of fluxes of calcium ions that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052066': { - 'name': 'entry of symbiont into host cell by promotion of host phagocytosis', - 'def': 'The invasion by an organism of a cell of its host organism by utilizing the host phagocytosis mechanism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052067': { - 'name': 'negative regulation by symbiont of entry into host cell via phagocytosis', - 'def': 'Any process in which an organism stops or prevents itself undergoing phagocytosis into a cell in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052068': { - 'name': 'negative regulation by symbiont of host jasmonic acid-mediated defense response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the jasmonic acid-mediated defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052069': { - 'name': 'negative regulation by symbiont of defense-related host jasmonic acid-mediated signal transduction pathway', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of host jasmonic acid-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052070': { - 'name': 'negative regulation by symbiont of defense-related host ethylene-mediated signal transduction pathway', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of host ethylene-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052071': { - 'name': 'positive regulation by symbiont of defense-related host ethylene-mediated signal transduction pathway', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of host ethylene-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052072': { - 'name': 'positive regulation by symbiont of defense-related host salicylic acid-mediated signal transduction pathway', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of host salicylic acid-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052073': { - 'name': 'positive regulation by symbiont of defense-related host jasmonic acid-mediated signal transduction pathway', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of host jasmonic acid-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052074': { - 'name': 'positive regulation by symbiont of host salicylic acid-mediated defense response', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the salicylic acid-mediated defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052075': { - 'name': 'positive regulation by symbiont of host jasmonic acid-mediated defense response', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the jasmonic acid-mediated defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052076': { - 'name': 'positive regulation by symbiont of host ethylene-mediated defense response', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the ethylene-mediated defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052077': { - 'name': 'modulation by symbiont of defense-related host ethylene-mediated signal transduction pathway', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of host ethylene-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052078': { - 'name': 'negative regulation by symbiont of defense-related host MAP kinase-mediated signal transduction pathway', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of host MAP kinase-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052079': { - 'name': 'positive regulation by symbiont of defense-related host MAP kinase-mediated signal transduction pathway', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of host MAP kinase-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052080': { - 'name': 'modulation by symbiont of defense-related host MAP kinase-mediated signal transduction pathway', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of host MAP kinase-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052081': { - 'name': 'modulation by symbiont of defense-related host salicylic acid-mediated signal transduction pathway', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of host salicylic acid-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052082': { - 'name': 'modulation by symbiont of defense-related host jasmonic acid-mediated signal transduction pathway', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of host jasmonic acid-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052083': { - 'name': 'negative regulation by symbiont of host cell-mediated immune response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the cell mediated immune response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052084': { - 'name': 'modulation by symbiont of host ethylene-mediated defense response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the ethylene-mediated defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052085': { - 'name': 'negative regulation by symbiont of host T-cell mediated immune response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the T-cell mediated immune response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052086': { - 'name': 'negative regulation by symbiont of host B-cell mediated immune response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the B-cell mediated immune response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052087': { - 'name': 'negative regulation by symbiont of defense-related host callose deposition', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of callose deposition performed by the host as part of its defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052088': { - 'name': 'modulation by symbiont of host jasmonic acid-mediated defense response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the jasmonic acid-mediated defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052089': { - 'name': 'modulation by symbiont of host salicylic acid-mediated defense response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the salicylic acid-mediated defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052090': { - 'name': 'modulation by symbiont of defense-related host callose deposition', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of callose deposition by the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052091': { - 'name': 'modulation by symbiont of nutrient release from host', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the release of nutrients from its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052092': { - 'name': 'positive regulation by symbiont of nutrient release from host', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the release of nutrients from its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052093': { - 'name': 'formation of specialized structure for nutrient acquisition from host', - 'def': 'The assembly by an organism of a cellular component or anatomical structure for the purpose of obtaining nutrients from its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052094': { - 'name': 'formation by symbiont of haustorium for nutrient acquisition from host', - 'def': "The assembly by an organism of a haustorium, a projection from a cell or tissue that penetrates the host's tissues for the purpose of obtaining nutrients from its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06, http://www.onelook.com]" - }, - 'GO:0052095': { - 'name': 'formation of specialized structure for nutrient acquisition from other organism involved in symbiotic interaction', - 'def': 'The assembly by an organism of a cellular component or anatomical structure for the purpose of obtaining nutrients from a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052096': { - 'name': 'formation by symbiont of syncytium involving giant cell for nutrient acquisition from host', - 'def': 'The assembly by an organism of a syncytium, a nematode-induced multi-nucleate and physiologically active aggregation of fused root cells which exclusively provides the nematode with nourishment during its sedentary life, for the purpose of obtaining nutrients from its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0052097': { - 'name': 'interspecies quorum sensing', - 'def': 'The process in which a community of single-celled organisms of different species monitors population density by detecting the concentration of small diffusible signal molecules. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052098': { - 'name': 'formation by host of specialized structure for nutrient acquisition from symbiont', - 'def': 'The assembly by an organism of a cellular component or anatomical structure for the purpose of obtaining nutrients from a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052099': { - 'name': 'acquisition by symbiont of nutrients from host via siderophores', - 'def': 'The process that begins with the production and formation of siderophores in an organism that are required for the acquisition and utilization of nutrients from its host organism, and the ends with the acquirement of the nutrients. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mah]' - }, - 'GO:0052100': { - 'name': 'intraspecies quorum sensing', - 'def': 'The process in which single-celled organisms of the same species monitor population density by detecting the concentration of small, diffusible signal molecules. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052101': { - 'name': 'induction by symbiont of host resistance gene-dependent defense response', - 'def': 'The activation by an organism of the resistance gene-dependent defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052102': { - 'name': 'positive regulation by symbiont of defense-related host calcium-dependent protein kinase pathway', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the host calcium-dependent protein kinase pathway during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052103': { - 'name': 'induction by symbiont of host induced systemic resistance', - 'def': 'Any process in which an organism activates induced systemic resistance in the host; induced systemic resistance is a response that confers broad spectrum systemic resistance to disease and that does not depend upon salicylic acid signaling. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052104': { - 'name': 'induction by symbiont of host systemic acquired resistance', - 'def': 'Any process in which an organism activates systemic acquired resistance in the host organism; systemic acquired resistance is a salicylic acid-mediated response that confers broad spectrum systemic resistance. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052105': { - 'name': 'induction by symbiont of defense-related host cell wall thickening', - 'def': 'The activation by an organism of host processes resulting in the thickening of its cell walls, occurring as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052106': { - 'name': 'quorum sensing involved in interaction with host', - 'def': 'The process in which a community of single-celled organisms living in intimate contact with a host organism monitors population density by detecting the concentration of small diffusible signal molecules. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052107': { - 'name': 'positive regulation by symbiont of defense-related host callose deposition', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of callose deposition by the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052108': { - 'name': 'obsolete growth or development of symbiont during interaction with host', - 'def': 'OBSOLETE. The increase in size or mass of an organism, or the progression of an organism from an initial condition to a later condition, occurring in, on or near the exterior of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052109': { - 'name': 'positive regulation by symbiont of defense-related host cell wall callose deposition', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the deposition of callose by the host in its cell walls, occurring as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052110': { - 'name': 'occlusion by symbiont of host vascular system', - 'def': "The process in which an organism reduces the flow of fluid within its host's vascular system, the vessels and tissue that carry or circulate fluids, such as blood, lymph or sap, through the body of an animal or plant. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06, http://www.thefreedictionary.com]" - }, - 'GO:0052111': { - 'name': 'modification by symbiont of host structure', - 'def': 'The process in which an organism effects a change in an anatomical part or cellular component of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052112': { - 'name': 'occlusion by symbiont of host xylem', - 'def': 'The process in which an organism reduces the flow of fluid within the host xylem, the tissue in plants that carries water and nutrients up from the roots to the shoot and leaves. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052113': { - 'name': 'obsolete adaptation to host osmotic environment', - 'def': 'OBSOLETE. The responsive adjustment of an organism to the osmotic conditions in or around its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052114': { - 'name': 'obsolete adaptation to host pH environment', - 'def': 'OBSOLETE. The responsive adjustment of an organism to the pH conditions in or around its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052115': { - 'name': 'energy taxis in host environment', - 'def': 'The directed movement of a motile cell or organism in the environment of its host organism in response to physical parameters involved in energy generation, such as light, oxygen, and oxidizable substrates. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052116': { - 'name': 'chemotaxis in host environment', - 'def': 'The directed movement of a motile cell or organism in response to a specific chemical concentration gradient on, within or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052117': { - 'name': 'aerotaxis in host environment', - 'def': 'The movement of a motile cell or organism in response to environmental oxygen on, within or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052118': { - 'name': 'positive energy taxis in host environment', - 'def': 'The directed movement of a motile cell or organism on, within or near its host organism towards a higher level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052119': { - 'name': 'negative energy taxis in host environment', - 'def': 'The directed movement of a motile cell or organism on, within or near its host organism towards a lower level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052120': { - 'name': 'positive aerotaxis in host environment', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of environmental oxygen on, within or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052121': { - 'name': 'positive chemotaxis in host environment', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of a chemical on, within or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052122': { - 'name': 'negative aerotaxis in host environment', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of environmental oxygen on, within or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052123': { - 'name': 'negative chemotaxis in host environment', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of a specific chemical on, within or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052124': { - 'name': 'energy taxis within host', - 'def': 'The directed movement of a motile cell or organism within its host organism in response to physical parameters involved in energy generation, such as light, oxygen, and oxidizable substrates. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052125': { - 'name': 'energy taxis on or near host', - 'def': 'The directed movement of a motile cell or organism on or near its host organism in response to physical parameters involved in energy generation, such as light, oxygen, and oxidizable substrates. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052126': { - 'name': 'movement in host environment', - 'def': 'The directed movement of an organism or motile cell on, within or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052127': { - 'name': 'movement on or near host', - 'def': 'The directed movement of an organism or motile cell on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052128': { - 'name': 'positive energy taxis', - 'def': 'The directed movement of a motile cell or organism towards a higher level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052129': { - 'name': 'negative energy taxis', - 'def': 'The directed movement of a motile cell or organism towards a lower level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052130': { - 'name': 'negative aerotaxis', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of environmental oxygen. [GOC:dph, GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052131': { - 'name': 'positive aerotaxis', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of environmental oxygen. [GOC:dph, GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052132': { - 'name': 'positive aerotaxis on or near host', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of environmental oxygen on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052133': { - 'name': 'positive aerotaxis in host', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of environmental oxygen within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052134': { - 'name': 'negative aerotaxis on or near host', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of environmental oxygen on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052135': { - 'name': 'negative aerotaxis in host', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of environmental oxygen within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052136': { - 'name': 'negative chemotaxis on or near host', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of a specific chemical on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052137': { - 'name': 'aerotaxis in host', - 'def': 'The movement of a motile cell or organism in response to environmental oxygen within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052138': { - 'name': 'aerotaxis on or near host', - 'def': 'The movement of a motile cell or organism in response to environmental oxygen on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052139': { - 'name': 'negative chemotaxis in host', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of a specific chemical within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052140': { - 'name': 'positive chemotaxis in host', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of a specific chemical within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052141': { - 'name': 'positive chemotaxis on or near host', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of a specific chemical on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052142': { - 'name': 'chemotaxis within host', - 'def': 'The directed movement of a motile cell or organism in response to a specific chemical concentration gradient within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052143': { - 'name': 'chemotaxis on or near host involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism in response to a specific chemical concentration gradient on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052144': { - 'name': 'negative energy taxis in host', - 'def': 'The directed movement of a motile cell or organism within its host organism towards a lower level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052145': { - 'name': 'negative energy taxis on or near host', - 'def': 'The directed movement of a motile cell or organism on or near its host organism towards a lower level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052146': { - 'name': 'positive energy taxis on or near host', - 'def': 'The directed movement of a motile cell or organism on or near its host organism towards a higher level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052147': { - 'name': 'positive energy taxis in host', - 'def': 'The directed movement of a motile cell or organism within its host organism towards a higher level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052148': { - 'name': 'modulation by symbiont of host catalytic activity', - 'def': 'The process in which an organism effects a change in host enzyme activity. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052149': { - 'name': 'modulation by symbiont of host peptidase activity', - 'def': 'The process in which an organism effects a change in host peptidase activity, the catalysis of the hydrolysis of peptide bonds in a protein. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052150': { - 'name': 'modulation by symbiont of host apoptotic process', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of programmed cell death in the host, where programmed cell death proceeds by apoptosis. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052151': { - 'name': 'positive regulation by symbiont of host apoptotic process', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of programmed cell death in the host, where programmed cell death proceeds by apoptosis. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052154': { - 'name': 'modulation by symbiont of host B-cell mediated immune response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the B-cell mediated immune response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052155': { - 'name': 'modulation by symbiont of host cell-mediated immune response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of any form of cell-based immune response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052156': { - 'name': 'modulation by symbiont of host T-cell mediated immune response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the T-cell mediated immune response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052157': { - 'name': 'modulation by symbiont of microbe-associated molecular pattern-induced host innate immune response', - 'def': "Any process that involves recognition of a microbe-associated molecular pattern, and by which an organism modulates the frequency, rate or extent of the innate immune response of the host organism; the innate immune response is the host's first line of defense against infection. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mah]" - }, - 'GO:0052158': { - 'name': 'modulation by symbiont of host resistance gene-dependent defense response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the resistance gene-dependent defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052159': { - 'name': 'modulation by symbiont of host induced systemic resistance', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of induced systemic resistance in the host organism; induced systemic resistance is a response that confers broad spectrum systemic resistance to disease and that does not depend upon salicylic acid signaling. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052160': { - 'name': 'modulation by symbiont of host systemic acquired resistance', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of systemic acquired resistance in the host organism; systemic acquired resistance is a salicylic acid-mediated response that confers broad spectrum systemic resistance. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052161': { - 'name': 'modulation by symbiont of defense-related host cell wall thickening', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of host processes resulting in the thickening of its cell walls, occurring as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052162': { - 'name': 'modulation by symbiont of defense-related host calcium ion flux', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of calcium ion fluxes as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052163': { - 'name': 'modulation by symbiont of defense-related host nitric oxide production', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the production of nitric oxide as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052164': { - 'name': 'modulation by symbiont of defense-related host reactive oxygen species production', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the production of reactive oxygen species as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052165': { - 'name': 'modulation by symbiont of host phytoalexin production', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of production of phytoalexins as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052166': { - 'name': 'positive regulation by symbiont of host innate immune response', - 'def': "Any process in which an organism activates, maintains or increases the frequency, rate or extent of the innate immune response of the host organism; the innate immune response is the host's first line of defense against infection. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0052167': { - 'name': 'modulation by symbiont of host innate immune response', - 'def': "Any process in which an organism modulates the frequency, rate or extent of the innate immune response of the host organism; the innate immune response is the host's first line of defense against infection. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0052168': { - 'name': 'modulation by symbiont of defense-related host calcium-dependent protein kinase pathway', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the host calcium-dependent protein kinase signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052169': { - 'name': 'pathogen-associated molecular pattern dependent modulation by symbiont of host innate immune response', - 'def': "Any process that involves recognition of a pathogen-associated molecular pattern, and by which an organism modulates the frequency, rate or extent of the innate immune response of the host organism; the innate immune response is the host's first line of defense against infection. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mah]" - }, - 'GO:0052170': { - 'name': 'negative regulation by symbiont of host innate immune response', - 'def': "Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the innate immune response of the host organism, the host's first line of defense against infection. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0052171': { - 'name': 'obsolete growth or development during symbiotic interaction', - 'def': 'OBSOLETE. The increase in size or mass of an organism, or the progression of an organism from an initial condition to a later condition, occurring when the organism is in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052172': { - 'name': 'metabolism by symbiont of host cell wall cellulose', - 'def': 'The chemical reactions and pathways performed by an organism involving cellulose in the cell wall of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052173': { - 'name': 'response to defenses of other organism involved in symbiotic interaction', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting the defenses of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052174': { - 'name': 'metabolism by symbiont of host macromolecule', - 'def': 'The chemical reactions and pathways performed by an organism involving macromolecules within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052175': { - 'name': 'metabolism by symbiont of host carbohydrate', - 'def': 'The chemical reactions and pathways performed by an organism involving carbohydrates within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052176': { - 'name': 'metabolism by symbiont of host glucan', - 'def': 'The chemical reactions and pathways performed by an organism involving glucans within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052177': { - 'name': 'metabolism by symbiont of host xylan', - 'def': 'The chemical reactions and pathways performed by an organism involving xylan within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052178': { - 'name': 'metabolism by symbiont of host cell wall chitin', - 'def': 'The chemical reactions and pathways performed by an organism involving chitin in the cell wall of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052179': { - 'name': 'metabolism by symbiont of host cell wall pectin', - 'def': 'The chemical reactions and pathways performed by an organism involving pectin in the cell wall of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052180': { - 'name': 'negative regulation of peptidase activity in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of protease activity, the catalysis of the hydrolysis of peptide bonds in a protein, in a second organism, where the two organisms are in a symbiotic interaction. [GOC:dph, GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052181': { - 'name': 'modulation by host of symbiont defense response', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the resistance gene-dependent defense response of the symbiont. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052182': { - 'name': 'modification by host of symbiont morphology or physiology via secreted substance', - 'def': 'The process in which an organism effects a change in the structure or function of a symbiont organism, mediated by a substance secreted by one of the organisms. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052183': { - 'name': 'modification by host of symbiont structure', - 'def': 'The process in which an organism effects a change in an anatomical part or cellular component of the host organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052184': { - 'name': 'obsolete modulation by organism of symbiont hormone or growth regulator levels', - 'def': 'OBSOLETE. The alteration by an organism of the levels of hormones or growth regulators in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052185': { - 'name': 'modification of structure of other organism involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in an anatomical part or cellular component of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052186': { - 'name': 'modulation by organism of hormone or growth regulator levels in other organism involved in symbiotic interaction', - 'def': 'The alteration by an organism of the levels of hormones or growth regulators in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052187': { - 'name': 'modification by host of symbiont cellular component', - 'def': 'The process in which an organism effects a change in the structure or function of a symbiont cellular component. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052188': { - 'name': 'modification of cellular component in other organism involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the structure or function of a cellular component in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052189': { - 'name': 'modulation by symbiont of defense-related host cell wall callose deposition', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the deposition of callose by the host in its cell walls, occurring as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052190': { - 'name': 'modulation by symbiont of host phagocytosis', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of phagocytosis, the engulfing by phagocytes of external particulate material, in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052191': { - 'name': 'positive regulation by symbiont of host phagocytosis', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of phagocytosis, the engulfing by phagocytes of external particulate material, in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052192': { - 'name': 'movement in environment of other organism involved in symbiotic interaction', - 'def': 'The directed movement of an organism or motile cell on, within or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052193': { - 'name': 'obsolete movement in symbiont environment', - 'def': 'The directed movement of an organism or motile cell on, within or near its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052194': { - 'name': 'obsolete movement on or near symbiont', - 'def': 'The directed movement of an organism or motile cell on or near its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052195': { - 'name': 'movement on or near other organism involved in symbiotic interaction', - 'def': 'The directed movement of an organism or motile cell on or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052196': { - 'name': 'negative regulation by host of symbiont defense response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052197': { - 'name': 'positive regulation by host of symbiont defense response', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052198': { - 'name': 'modulation of peptidase activity in other organism involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in peptidase activity, the catalysis of the hydrolysis of peptide bonds in a protein, in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052199': { - 'name': 'negative regulation of catalytic activity in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of enzyme activity in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052200': { - 'name': 'response to host defenses', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting the defenses of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052201': { - 'name': 'response to symbiont defenses', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting the defenses of a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052202': { - 'name': 'negative regulation by symbiont of defense-related host cell wall callose deposition', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the deposition of callose by the host in its cell walls, occurring as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052203': { - 'name': 'modulation of catalytic activity in other organism involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in enzyme activity in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052204': { - 'name': 'negative regulation of molecular function in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the functional activity of proteins in a second organism, where the two organisms are in a symbiotic interaction. [GOC:dph, GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052205': { - 'name': 'modulation of molecular function in other organism involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the function of proteins in a second organism, where the two organisms are in a symbiotic interaction. [GOC:dph, GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052206': { - 'name': 'modification of morphology or physiology of other organism via protein secreted by type II secretion system involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the structure or function of a second organism, mediated by a substance secreted by a type II secretion system in the first organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052207': { - 'name': 'modification of morphology or physiology of other organism via protein secreted by type III secretion system involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the structure or function of a second organism, mediated by a substance secreted by a type III secretion system in the first organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052208': { - 'name': 'modification of morphology or physiology of other organism via substance secreted by type IV secretion system involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the structure or function of a second organism, mediated by a substance secreted by a type IV secretion system in the first organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052209': { - 'name': 'interaction with other organism via substance secreted by type IV secretion system involved in symbiotic interaction', - 'def': 'An interaction with a second organism mediated by a substance secreted by the first organism by a type IV secretion system, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052210': { - 'name': 'interaction with other organism via protein secreted by type III secretion system involved in symbiotic interaction', - 'def': 'An interaction with a second organism mediated by a substance secreted by the first organism by a type III secretion system, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052211': { - 'name': 'interaction with other organism via protein secreted by type II secretion system involved in symbiotic interaction', - 'def': 'An interaction with a second organism mediated by a substance secreted by the first organism by a type II secretion system, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052212': { - 'name': 'modification of morphology or physiology of other organism via secreted substance involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the structure or function of a second organism, mediated by a substance secreted by one of the organisms, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052213': { - 'name': 'interaction with symbiont via secreted substance involved in symbiotic interaction', - 'def': 'An interaction with the symbiont organism mediated by a substance secreted by the other (host) organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052214': { - 'name': 'metabolism of substance in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052215': { - 'name': 'energy taxis in environment of other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism in the environment of a second organism in response to physical parameters involved in energy generation, such as light, oxygen, and oxidizable substrates, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052216': { - 'name': 'chemotaxis in environment of other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism in response to a specific chemical concentration gradient on, within or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052217': { - 'name': 'aerotaxis in environment of other organism involved in symbiotic interaction', - 'def': 'The movement of a motile cell or organism in response to environmental oxygen on, within or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052218': { - 'name': 'positive energy taxis in environment of other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism on, within or near a second organism towards a higher level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052219': { - 'name': 'negative energy taxis in environment of other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism on, within or near a second organism towards a lower level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052220': { - 'name': 'positive aerotaxis in environment of other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of environmental oxygen on, within or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052221': { - 'name': 'positive chemotaxis in environment of other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of a chemical on, within or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052222': { - 'name': 'negative aerotaxis in environment of other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of environmental oxygen on, within or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052223': { - 'name': 'negative chemotaxis in environment of other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of a specific chemical on, within or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052224': { - 'name': 'energy taxis in other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism within a second organism in response to physical parameters involved in energy generation, such as light, oxygen, and oxidizable substrates, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052225': { - 'name': 'energy taxis on or near other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism on or near a second organism in response to physical parameters involved in energy generation, such as light, oxygen, and oxidizable substrates, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052226': { - 'name': 'biosynthesis of substance in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism in a second organism resulting in the formation of substances, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052227': { - 'name': 'catabolism of substance in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism in a second organism resulting in the breakdown of substances, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052228': { - 'name': 'metabolism by symbiont of host protein', - 'def': 'The chemical reactions and pathways performed by an organism involving protein macromolecules within the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052229': { - 'name': 'metabolism of macromolecule in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism involving macromolecules within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052230': { - 'name': 'modulation of intracellular transport in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the directed movement of substances within the cell or cells of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052231': { - 'name': 'modulation of phagocytosis in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of phagocytosis, the engulfing by phagocytes of external particulate material, in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052232': { - 'name': 'positive aerotaxis on or near other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of environmental oxygen on or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052233': { - 'name': 'positive aerotaxis in other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of environmental oxygen within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052234': { - 'name': 'negative aerotaxis on or near other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of environmental oxygen on or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052235': { - 'name': 'negative aerotaxis in other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of environmental oxygen within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052236': { - 'name': 'negative chemotaxis on or near other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of a specific chemical on or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052237': { - 'name': 'aerotaxis in other organism involved in symbiotic interaction', - 'def': 'The movement of a motile cell or organism in response to environmental oxygen within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052238': { - 'name': 'aerotaxis on or near other organism involved in symbiotic interaction', - 'def': 'The movement of a motile cell or organism in response to environmental oxygen on or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052239': { - 'name': 'negative chemotaxis in other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a lower concentration of a specific chemical within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052240': { - 'name': 'positive chemotaxis in other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of a specific chemical within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052241': { - 'name': 'positive chemotaxis on or near other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism towards a higher concentration of a specific chemical on or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052242': { - 'name': 'chemotaxis in other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism in response to a specific chemical concentration gradient within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052243': { - 'name': 'chemotaxis on or near other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism in response to a specific chemical concentration gradient on or near a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052244': { - 'name': 'negative energy taxis in other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism within a second organism towards a lower level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052245': { - 'name': 'negative energy taxis on or near other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism on or near a second organism towards a lower level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052246': { - 'name': 'positive energy taxis on or near other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism on or near a second organism towards a higher level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052247': { - 'name': 'positive energy taxis in other organism involved in symbiotic interaction', - 'def': 'The directed movement of a motile cell or organism within a second organism towards a higher level of a physical stimulus involved in energy generation, such as light, oxygen, and oxidizable substrates, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052248': { - 'name': 'modulation of programmed cell death in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of programmed cell death in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052249': { - 'name': 'modulation of RNA levels in other organism involved in symbiotic interaction', - 'def': 'The alteration by an organism of the levels of RNA in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052250': { - 'name': 'modulation of signal transduction in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the signal transduction pathways, the cascade of processes by which a signal interacts with a receptor, occurring in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052251': { - 'name': 'induction by organism of defense response of other organism involved in symbiotic interaction', - 'def': 'The activation by an organism of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0052252': { - 'name': 'negative regulation by organism of defense-related salicylic acid-mediated signal transduction pathway of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of salicylic acid-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052253': { - 'name': 'negative regulation by organism of salicylic acid-mediated defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the salicylic acid-mediated defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052254': { - 'name': 'negative regulation by organism of ethylene-mediated defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the ethylene-mediated defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052255': { - 'name': 'modulation by organism of defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the defense response of a second organism, the response mounted by that organism in response to the presence of the first organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052256': { - 'name': 'modulation by organism of inflammatory response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the inflammatory response, the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents, of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052257': { - 'name': 'pathogen-associated molecular pattern dependent induction by organism of innate immune response of other organism involved in symbiotic interaction', - 'def': 'Any process that involves recognition of a pathogen-associated molecular pattern, and by which an organism activates, maintains or increases the frequency, rate or extent of the innate immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mah]' - }, - 'GO:0052258': { - 'name': 'negative regulation by organism of pathogen-associated molecular pattern-induced innate immune response of other organism involved in symbiotic interaction', - 'def': 'Any process that involves recognition of a microbe-associated molecular pattern, and by which an organism stops, prevents, or reduces the frequency, rate or extent of the innate immune response, the first line of defense against infection, of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mah]' - }, - 'GO:0052259': { - 'name': 'positive regulation by organism of inflammatory response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the inflammatory response, the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents, of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052260': { - 'name': 'negative regulation by organism of inflammatory response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the inflammatory response; the inflammatory response is the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents, of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052261': { - 'name': 'suppression of defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052262': { - 'name': 'induction by organism of phytoalexin production in other organism involved in symbiotic interaction', - 'def': 'The activation by an organism of the production of phytoalexins that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052263': { - 'name': 'induction by organism of defense-related nitric oxide production in other organism involved in symbiotic interaction', - 'def': 'The activation by an organism of the production of nitric oxide that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052264': { - 'name': 'induction by organism of defense-related reactive oxygen species production in other organism involved in symbiotic interaction', - 'def': 'The activation by an organism of the production of reactive oxygen species that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052265': { - 'name': 'induction by organism of defense-related calcium ion flux in other organism involved in symbiotic interaction', - 'def': 'The activation by an organism of a flux of calcium ions that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052266': { - 'name': 'negative regulation by organism of jasmonic acid-mediated defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the jasmonic acid-mediated defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052267': { - 'name': 'negative regulation by organism of defense-related jasmonic acid-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of jasmonic acid-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052268': { - 'name': 'negative regulation by organism of defense-related ethylene-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of ethylene-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052269': { - 'name': 'positive regulation by organism of defense-related ethylene-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of ethylene-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052270': { - 'name': 'positive regulation by organism of defense-related salicylic acid-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of salicylic acid-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052271': { - 'name': 'positive regulation by organism of defense-related jasmonic acid-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of jasmonic acid-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052272': { - 'name': 'positive regulation by organism of salicylic acid-mediated defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the salicylic acid-mediated defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052273': { - 'name': 'positive regulation by organism of jasmonic acid-mediated defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the jasmonic acid-mediated defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052274': { - 'name': 'positive regulation by organism of ethylene-mediated defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the ethylene-mediated defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052275': { - 'name': 'negative regulation by organism of defense-related MAP kinase-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of MAP kinase-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052276': { - 'name': 'positive regulation by organism of defense-related MAP kinase-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of MAP kinase-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052277': { - 'name': 'modulation by organism of defense-related MAP kinase-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of MAP kinase-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052278': { - 'name': 'negative regulation by organism of cell-mediated immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the cell-based immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052279': { - 'name': 'modulation by organism of ethylene-mediated defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the ethylene-mediated defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052280': { - 'name': 'negative regulation by organism of T-cell mediated immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the T-cell mediated immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052281': { - 'name': 'negative regulation by organism of B-cell mediated immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the B-cell mediated immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052282': { - 'name': 'negative regulation by organism of defense-related callose deposition in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the accumulation of callose that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052283': { - 'name': 'modulation by organism of jasmonic acid-mediated defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the jasmonic acid-mediated defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052284': { - 'name': 'modulation by organism of salicylic acid-mediated defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the salicylic acid-mediated defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052285': { - 'name': 'modulation by organism of defense-related callose deposition of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the accumulation of callose that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052286': { - 'name': 'induction by organism of resistance gene-dependent defense response of other organism involved in symbiotic interaction', - 'def': 'The activation by an organism of the resistance gene-dependent defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052287': { - 'name': 'positive regulation by organism of defense-related calcium-dependent protein kinase pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of calcium-dependent protein kinase pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052288': { - 'name': 'induction by organism of induced systemic resistance in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates induced systemic resistance, a response that confers broad spectrum systemic resistance to disease and that does not depend upon salicylic acid signaling, in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052289': { - 'name': 'induction by organism of systemic acquired resistance in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates systemic acquired resistance, a salicylic acid-mediated response that confers broad spectrum systemic resistance, in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052290': { - 'name': 'induction by organism of defense-related cell wall thickening in other organism involved in symbiotic interaction', - 'def': 'The activation by an organism of the thickening of cell walls that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052291': { - 'name': 'positive regulation by organism of defense-related callose deposition in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the accumulation of callose that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052292': { - 'name': 'positive regulation by organism of defense-related cell wall callose deposition in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the deposition by a second organism of callose in its cell walls, occurring as part of the defense response, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052293': { - 'name': 'modulation by organism of B-cell mediated immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the B-cell mediated immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052294': { - 'name': 'modulation by organism of cell-mediated immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of any form of cell-based immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052295': { - 'name': 'modulation by organism of T-cell mediated immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the T-cell mediated immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052296': { - 'name': 'modulation by organism of microbe-associated molecular pattern-induced innate immune response in other organism involved in symbiotic interaction', - 'def': 'Any process that involves recognition of a microbe-associated molecular pattern, and by which an organism modulates the frequency, rate or extent of the innate immune response, the first line of defense against infection, of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mah]' - }, - 'GO:0052297': { - 'name': 'modulation by organism of resistance gene-dependent defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the resistance gene-dependent defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052298': { - 'name': 'modulation by organism of induced systemic resistance in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of induced systemic resistance, a response that confers broad spectrum systemic resistance to disease and that does not depend upon salicylic acid signaling, in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052299': { - 'name': 'modulation by organism of systemic acquired resistance in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of systemic acquired resistance, a salicylic acid-mediated response that confers broad spectrum systemic resistance, in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052300': { - 'name': 'modulation by organism of defense-related cell wall thickening in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the thickening of cell walls that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052301': { - 'name': 'modulation by organism of defense-related calcium ion flux in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of fluxes of calcium ions that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052302': { - 'name': 'modulation by organism of defense-related nitric oxide production in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the production of nitric oxide that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052303': { - 'name': 'modulation by organism of defense-related reactive oxygen species production in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the production of reactive oxygen species that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052304': { - 'name': 'modulation by organism of phytoalexin production in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of production of phytoalexins that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052305': { - 'name': 'positive regulation by organism of innate immune response in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the innate immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052306': { - 'name': 'modulation by organism of innate immune response in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the innate immune response, the first line of defense against infection, of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052307': { - 'name': 'modulation by organism of defense-related calcium-dependent protein kinase pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of calcium-dependent protein kinase signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052308': { - 'name': 'pathogen-associated molecular pattern dependent modulation by organism of innate immune response in other organism involved in symbiotic interaction', - 'def': 'Any process that involves recognition of a pathogen-associated molecular pattern, and by which an organism modulates the frequency, rate or extent of the innate immune response, the first line of defense against infection, of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mah]' - }, - 'GO:0052309': { - 'name': 'negative regulation by organism of innate immune response in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the innate immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052310': { - 'name': 'modulation by organism of defense-related cell wall callose deposition in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the accumulation of callose in cell walls that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052311': { - 'name': 'negative regulation by organism of defense-related cell wall callose deposition in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the accumulation of callose in cell walls that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052312': { - 'name': 'modulation of transcription in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of transcription in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052313': { - 'name': 'modulation of nutrient release from other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the release of nutrients from a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052314': { - 'name': 'phytoalexin metabolic process', - 'def': 'The chemical reactions and pathways involving phytoalexins, any of a range of substances produced by plants as part of their defense response. [Wikipedia:Phytoalexin]' - }, - 'GO:0052315': { - 'name': 'phytoalexin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phytoalexins, any of a range of substances produced by plants as part of their defense response. [Wikipedia:Phytoalexin]' - }, - 'GO:0052316': { - 'name': 'phytoalexin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phytoalexins, any of a range of substances produced by plants as part of their defense response. [GOC:ai]' - }, - 'GO:0052317': { - 'name': 'camalexin metabolic process', - 'def': 'The chemical reactions and pathways involving camalexin, an indole phytoalexin. [GOC:ai]' - }, - 'GO:0052318': { - 'name': 'regulation of phytoalexin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of phytoalexin metabolism, the chemical reactions and pathways involving phytoalexins, any of a range of substances produced by plants as part of their defense response. [GOC:ai]' - }, - 'GO:0052319': { - 'name': 'regulation of phytoalexin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of phytoalexin biosynthesis, the chemical reactions and pathways resulting in the formation of phytoalexins. [GOC:ai]' - }, - 'GO:0052320': { - 'name': 'positive regulation of phytoalexin metabolic process', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of phytoalexin metabolism, the chemical reactions and pathways involving phytoalexins. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052321': { - 'name': 'negative regulation of phytoalexin metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of phytoalexin metabolism, the chemical reactions and pathways involving phytoalexins. [GOC:ai]' - }, - 'GO:0052322': { - 'name': 'positive regulation of phytoalexin biosynthetic process', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of phytoalexin biosynthesis, the chemical reactions and pathways resulting in the formation of phytoalexins. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052323': { - 'name': 'negative regulation of phytoalexin biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of phytoalexin biosynthesis, the chemical reactions and pathways resulting in the formation of phytoalexins. [GOC:ai]' - }, - 'GO:0052324': { - 'name': 'plant-type cell wall cellulose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cellulose, a linear beta1-4 glucan of molecular mass 50-400 kDa with the pyranose units in the -4C1 conformation, as part of the organization and biogenesis of the cell wall. [GOC:ai]' - }, - 'GO:0052325': { - 'name': 'cell wall pectin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pectin, a polymer containing a backbone of alpha-1,4-linked D-galacturonic acid residues, as part of the organization and biogenesis of the cell wall. [GOC:ai]' - }, - 'GO:0052326': { - 'name': 'obsolete interaction with symbiont via protein secreted by type IV secretion system', - 'def': 'OBSOLETE. An interaction with the symbiont organism mediated by a substance secreted by the other organism by a type IV secretion system. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052327': { - 'name': 'obsolete interaction with symbiont via protein secreted by type II secretion system', - 'def': 'OBSOLETE. An interaction with the symbiont organism mediated by a substance secreted by the other organism by a type II secretion system. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052328': { - 'name': 'obsolete interaction with symbiont via protein secreted by type III secretion system', - 'def': 'OBSOLETE. An interaction with the symbiont organism mediated by a substance secreted by the other organism by a type III secretion system. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052329': { - 'name': 'positive regulation by organism of phytoalexin production in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the production of phytoalexins that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052330': { - 'name': 'positive regulation by organism of programmed cell death in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of programmed cell death in a second organism, where the two organisms are in a symbiotic interaction. [GOC:jl, GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052331': { - 'name': 'hemolysis in other organism involved in symbiotic interaction', - 'def': 'The cytolytic destruction of red blood cells, with the release of intracellular hemoglobin, in one organism by another, where two organisms are in a symbiotic interaction. [GOC:add, UniProtKB-KW:KW-0354]' - }, - 'GO:0052332': { - 'name': 'modification by organism of membrane in other organism involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the structure or function of a cellular membrane of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052333': { - 'name': 'modification by organism of cell wall of other organism involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the structure or function of the cell wall of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052334': { - 'name': 'modification by organism of cytoskeleton of other organism involved in symbiotic interaction', - 'def': 'The process in which an organism effects a change in the structure or function of the cytoskeleton of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052335': { - 'name': 'modification by host of symbiont cytoskeleton', - 'def': 'The process in which an organism effects a change in the structure or function of the symbiont cytoskeleton. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052336': { - 'name': 'modification by host of symbiont cell wall', - 'def': 'The process in which an organism effects a change in the structure or function of the symbiont cell wall. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052337': { - 'name': 'modification by host of symbiont membrane', - 'def': 'The process in which an organism effects a change in the structure or function of a symbiont cellular membrane. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052338': { - 'name': 'disruption by host of symbiont cell wall', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of the symbiont cell wall. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052339': { - 'name': 'disruption by organism of cell wall of other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of the cell wall of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052340': { - 'name': 'catabolism by organism of cell wall cellulose in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of cellulose in the cell wall of a second organism, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052341': { - 'name': 'catabolism by organism of cell wall pectin in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of pectin in the cell wall of a second organism, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052342': { - 'name': 'catabolism by organism of cell wall chitin in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of chitin in the cell wall of a second organism, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052343': { - 'name': 'obsolete positive regulation by organism of symbiont phytoalexin production', - 'def': 'OBSOLETE. Any process in which an organism activates, maintains or increases the frequency, rate or extent of the production of phytoalexins as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052344': { - 'name': 'positive regulation by symbiont of host phytoalexin production', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the production of phytoalexins as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052345': { - 'name': 'positive regulation by organism of defense-related nitric oxide production in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the production of nitric oxide that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052346': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont nitric oxide production', - 'def': 'OBSOLETE. Any process in which an organism activates, maintains or increases the frequency, rate or extent of the production of nitric oxide as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052347': { - 'name': 'positive regulation by symbiont of defense-related host nitric oxide production', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the production of nitric oxide as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052348': { - 'name': 'positive regulation by organism of defense-related reactive oxygen species production in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the production of reactive oxygen species that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052349': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont reactive oxygen species production', - 'def': 'OBSOLETE. Any process in which an organism activates, maintains or increases the frequency, rate or extent of the production of reactive oxygen species as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052350': { - 'name': 'obsolete induction by organism of induced systemic resistance in symbiont', - 'def': 'OBSOLETE. Any process in which an organism activates induced systemic resistance in the symbiont; induced systemic resistance is a response that confers broad spectrum systemic resistance to disease and that does not depend upon salicylic acid signaling. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052351': { - 'name': 'obsolete induction by organism of systemic acquired resistance in symbiont', - 'def': 'OBSOLETE. Any process in which an organism activates systemic acquired resistance in the symbiont organism; systemic acquired resistance is a salicylic acid-mediated response that confers broad spectrum systemic resistance. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052352': { - 'name': 'biosynthesis by host of substance in symbiont', - 'def': 'The chemical reactions and pathways performed by an organism in its symbiont resulting in the formation of substances. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052353': { - 'name': 'catabolism by host of symbiont carbohydrate', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of carbohydrate molecules within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052354': { - 'name': 'catabolism by organism of carbohydrate in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of carbohydrate molecules within a second organism, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052355': { - 'name': 'catabolism by host of symbiont cell wall cellulose', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of cellulose in the symbiont cell wall. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052356': { - 'name': 'catabolism by host of symbiont cell wall chitin', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of chitin in the symbiont cell wall. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052357': { - 'name': 'catabolism by host of symbiont cell wall pectin', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of pectin in the symbiont cell wall. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052358': { - 'name': 'catabolism by host of symbiont glucan', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of glucan molecules within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052359': { - 'name': 'catabolism by organism of glucan in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of glucan molecules within a second organism, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052360': { - 'name': 'catabolism by host of symbiont macromolecule', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of macromolecules within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052361': { - 'name': 'catabolism by organism of macromolecule in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of macromolecules within a second organism, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052362': { - 'name': 'catabolism by host of symbiont protein', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of protein macromolecules within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052363': { - 'name': 'catabolism by organism of protein in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of protein macromolecules within the second organism, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052364': { - 'name': 'catabolism by host of substance in symbiont', - 'def': 'The chemical reactions and pathways performed by an organism in its symbiont resulting in the breakdown of substances. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052365': { - 'name': 'catabolism by host of symbiont xylan', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of xylan within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052366': { - 'name': 'catabolism by organism of xylan in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of xylan within a second organism, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052367': { - 'name': 'disruption by host of symbiont cellular component', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of cellular components of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052368': { - 'name': 'disruption by organism of cellular component in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism resulting in the breakdown of cellular components of a second organism, where the two organisms are in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0052369': { - 'name': 'positive regulation by symbiont of defense-related host reactive oxygen species production', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the production of reactive oxygen species as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052370': { - 'name': 'entry of organism into cell of other organism by promotion of phagocytosis in other organism involved in symbiotic interaction', - 'def': "The invasion by an organism of a cell of a second organism by utilizing the second organism's phagocytosis mechanism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0052371': { - 'name': 'regulation by organism of entry into other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent to which it enters into a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052372': { - 'name': 'modulation by symbiont of entry into host', - 'def': 'Any process in which an organism modulates the frequency, rate or extent to which it enters into the host organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052373': { - 'name': 'negative regulation by organism of entry into other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent to which it enters into a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052374': { - 'name': 'negative regulation by symbiont of entry into host', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent to which it enters into the host organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052375': { - 'name': 'obsolete evasion or tolerance by organism of symbiont-produced nitric oxide', - 'def': 'OBSOLETE. The process by which an organism avoids the effects of nitric oxide produced as a defense response by the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052376': { - 'name': 'evasion or tolerance by organism of nitric oxide produced by other organism involved in symbiotic interaction', - 'def': 'The process in which an organism avoids the effects of nitric oxide produced as a defense response by a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052377': { - 'name': 'obsolete evasion or tolerance by organism of symbiont-produced phytoalexins', - 'def': 'OBSOLETE. The process by which an organism avoids the effects of phytoalexins produced as a defense response by the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052378': { - 'name': 'evasion or tolerance by organism of phytoalexins produced by other organism involved in symbiotic interaction', - 'def': 'The process in which an organism avoids the effects of phytoalexins produced as a defense response by the second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052379': { - 'name': 'modulation by organism of entry into other organism via phagocytosis involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent to which it enters into a second organism via the phagocytotic processes of the other organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052380': { - 'name': 'modulation by symbiont of entry into host via phagocytosis', - 'def': 'Any process in which an organism modulates the frequency, rate or extent to which it enters into the host, via the phagocytotic processes of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052381': { - 'name': 'tRNA dimethylallyltransferase activity', - 'def': 'Catalysis of the reaction: dimethylallyl diphosphate + tRNA = diphosphate + tRNA containing 6-dimethylallyladenosine. [EC:2.5.1.75]' - }, - 'GO:0052382': { - 'name': 'induction by organism of innate immune response in other organism involved in symbiotic interaction', - 'def': 'The activation by an organism of the innate immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052383': { - 'name': 'obsolete induction by organism of symbiont innate immunity', - 'def': "OBSOLETE. The activation by an organism of the innate immune response of the symbiont organism; the innate immune response is the symbiont's first line of defense against infection. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]" - }, - 'GO:0052384': { - 'name': 'obsolete evasion or tolerance by organism of symbiont-produced reactive oxygen species', - 'def': 'OBSOLETE. The process by which an organism avoids the effects of reactive oxygen species produced as a defense response by the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052385': { - 'name': 'evasion or tolerance by organism of reactive oxygen species produced by other organism involved in symbiotic interaction', - 'def': 'The process in which an organism avoids the effects of reactive oxygen species produced as a defense response by a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052386': { - 'name': 'cell wall thickening', - 'def': 'A type of cell wall modification in which the cell wall is reinforced and made thicker. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052387': { - 'name': 'obsolete induction by organism of symbiont apoptosis', - 'def': 'OBSOLETE. Any process by which an organism activates programmed cell death in the symbiont, where programmed cell death proceeds by apoptosis. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052389': { - 'name': 'positive regulation by symbiont of defense-related host calcium ion flux', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of fluxes of calcium ions that occur as part of the defense response of a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052390': { - 'name': 'induction by symbiont of host innate immune response', - 'def': "The activation by an organism of the innate immune response of the host organism; the innate immune response is the host's first line of defense against infection. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0052391': { - 'name': 'induction by symbiont of defense-related host calcium ion flux', - 'def': 'The activation by an organism of a flux of calcium ions that occurs as part of the defense response of a host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052392': { - 'name': 'obsolete induction by organism of defense-related symbiont calcium ion flux', - 'def': 'OBSOLETE. The activation by an organism of a flux of calcium ions that occurs as part of the defense response of a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052393': { - 'name': 'induction by host of symbiont defense response', - 'def': 'The activation by an organism of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:cc]' - }, - 'GO:0052394': { - 'name': 'obsolete induction by organism of defense-related symbiont cell wall thickening', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of symbiont processes resulting in the thickening of its cell walls, occurring as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052395': { - 'name': 'obsolete induction by organism of defense-related symbiont nitric oxide production', - 'def': 'OBSOLETE. The activation by an organism of the production of nitric oxide as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052396': { - 'name': 'obsolete induction by organism of symbiont non-apoptotic programmed cell death', - 'def': 'OBSOLETE. Any process by which an organism activates programmed cell death in the symbiont, where programmed cell death proceeds by a non-apoptotic pathway. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052398': { - 'name': 'obsolete induction by organism of symbiont phytoalexin production', - 'def': 'OBSOLETE. The activation by an organism of the production of phytoalexins as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052399': { - 'name': 'obsolete induction by organism of symbiont programmed cell death', - 'def': 'OBSOLETE. The activation by an organism of programmed cell death in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052401': { - 'name': 'obsolete induction by organism of defense-related symbiont reactive oxygen species production', - 'def': 'OBSOLETE. The activation by an organism of the production of reactive oxygen species as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052402': { - 'name': 'obsolete induction by organism of symbiont resistance gene-dependent defense response', - 'def': 'OBSOLETE. The activation by an organism of the resistance gene-dependent defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052403': { - 'name': 'negative regulation by host of symbiont catalytic activity', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of symbiont enzyme activity. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052404': { - 'name': 'negative regulation by host of symbiont peptidase activity', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of symbiont protease activity, the catalysis of the hydrolysis of peptide bonds in a protein. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:dph, GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052405': { - 'name': 'negative regulation by host of symbiont molecular function', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the functional activity of symbiont proteins. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:dph, GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052406': { - 'name': 'metabolism by host of symbiont carbohydrate', - 'def': 'The chemical reactions and pathways performed by an organism involving carbohydrates within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052407': { - 'name': 'metabolism by organism of carbohydrate in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism involving carbohydrates within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052408': { - 'name': 'metabolism by host of symbiont cell wall cellulose', - 'def': 'The chemical reactions and pathways performed by an organism involving cellulose in the cell wall of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052409': { - 'name': 'metabolism by organism of cell wall cellulose in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism involving cellulose in the cell wall of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052410': { - 'name': 'metabolism by host of symbiont cell wall chitin', - 'def': 'The chemical reactions and pathways performed by an organism involving chitin in the cell wall of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052411': { - 'name': 'metabolism by organism of cell wall chitin in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism involving chitin in the cell wall of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052412': { - 'name': 'metabolism by host of symbiont cell wall pectin', - 'def': 'The chemical reactions and pathways performed by an organism involving pectin in the cell wall of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052413': { - 'name': 'metabolism by organism of cell wall pectin in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism involving pectin in the cell wall of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052414': { - 'name': 'metabolism by host of symbiont glucan', - 'def': 'The chemical reactions and pathways performed by an organism involving glucans within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052415': { - 'name': 'metabolism by organism of glucan in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism involving glucans within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052416': { - 'name': 'metabolism by host of symbiont macromolecule', - 'def': 'The chemical reactions and pathways performed by an organism involving macromolecules within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052417': { - 'name': 'metabolism by host of symbiont protein', - 'def': 'The chemical reactions and pathways performed by an organism involving protein macromolecules within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052418': { - 'name': 'metabolism by organism of protein in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism involving protein macromolecules within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052419': { - 'name': 'metabolism by host of substance in symbiont', - 'def': 'The chemical reactions and pathways performed by an organism in its symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052420': { - 'name': 'metabolism by host of symbiont xylan', - 'def': 'The chemical reactions and pathways performed by an organism involving xylan within the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052421': { - 'name': 'metabolism by organism of xylan in other organism involved in symbiotic interaction', - 'def': 'The chemical reactions and pathways performed by an organism involving xylan within a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052422': { - 'name': 'modulation by host of symbiont catalytic activity', - 'def': 'The process in which a host organism effects a change in the enzyme activity of its symbiont organism. [GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052423': { - 'name': 'positive regulation by organism of resistance gene-dependent defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the resistance gene-dependent defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052424': { - 'name': 'obsolete modification by organism of symbiont morphology or physiology via protein secreted by type III secretion system', - 'def': 'OBSOLETE. The process by which an organism effects a change in the structure or function of its symbiont organism, mediated by a substance secreted by a type III secretion system in the organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052425': { - 'name': 'obsolete modification by organism of symbiont morphology or physiology via protein secreted by type II secretion system', - 'def': 'OBSOLETE. The process by which an organism effects a change in the structure or function of its symbiont organism, mediated by a substance secreted by a type II secretion system in the organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052426': { - 'name': 'obsolete modification by organism of symbiont morphology or physiology via substance secreted by type IV secretion system', - 'def': 'OBSOLETE. The process by which an organism effects a change in the structure or function of its symbiont organism, mediated by a substance secreted by a type IV secretion system in the organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052427': { - 'name': 'modulation by host of symbiont peptidase activity', - 'def': 'The process in which an organism effects a change in symbiont peptidase activity, the catalysis of the hydrolysis of peptide bonds in a protein. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052428': { - 'name': 'modification by host of symbiont molecular function', - 'def': 'The process in which an organism effects a change in the function of proteins in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:dph, GOC:mtg_pamgo_17jul06, GOC:tb]' - }, - 'GO:0052429': { - 'name': 'obsolete modulation by organism of symbiont B-cell mediated immune response', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the B-cell mediated immune response of a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052430': { - 'name': 'modulation by host of symbiont RNA levels', - 'def': 'The alteration by an organism of the levels of RNA in a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052431': { - 'name': 'obsolete modulation by organism of symbiont T-cell mediated immune response', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the T-cell mediated immune response of a symbiont organism, where the two organisms are in a symbiotic interaction. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052432': { - 'name': 'obsolete modulation by organism of symbiont apoptosis', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of programmed cell death in the symbiont, where programmed cell death proceeds by apoptosis. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052433': { - 'name': 'modulation by organism of apoptotic process in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of programmed cell death by apoptosis in a second organism, where the two organisms are in a symbiotic interaction. [GOC:jl, GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052434': { - 'name': 'obsolete modulation by organism of symbiont cell-mediated immune response', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of any form of cell-based immune response of a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052435': { - 'name': 'modulation by host of defense-related symbiont MAP kinase-mediated signal transduction pathway', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of symbiont MAP kinase-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052436': { - 'name': 'obsolete modulation by organism of defense-related symbiont calcium-dependent protein kinase pathway', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the symbiont calcium-dependent protein kinase signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052437': { - 'name': 'obsolete modulation by organism of defense-related symbiont calcium ion flux', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of calcium ion fluxes as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052438': { - 'name': 'obsolete modulation by organism of defense-related symbiont callose deposition', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of callose deposition by the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052439': { - 'name': 'obsolete modulation by organism of defense-related symbiont cell wall callose deposition', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the deposition of callose by the symbiont in its cell walls, occurring as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052440': { - 'name': 'obsolete modulation by organism of defense-related symbiont ethylene-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of symbiont ethylene-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052441': { - 'name': 'modulation by organism of defense-related ethylene-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of ethylene-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052442': { - 'name': 'obsolete modulation by organism of defense-related symbiont jasmonic acid-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of symbiont jasmonic acid-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052443': { - 'name': 'modulation by organism of defense-related jasmonic acid-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of jasmonic acid-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052444': { - 'name': 'obsolete modulation by organism of defense-related symbiont salicylic acid-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of symbiont salicylic acid-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052445': { - 'name': 'modulation by organism of defense-related salicylic acid-mediated signal transduction pathway in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of salicylic acid-mediated signal transduction pathways that occur as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052446': { - 'name': 'obsolete modulation by organism of defense-related symbiont cell wall thickening', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of symbiont processes resulting in the thickening of its cell walls, occurring as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052447': { - 'name': 'obsolete modulation by organism of symbiont ethylene-mediated defense response', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the ethylene-mediated defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052448': { - 'name': 'obsolete modulation by organism of ethylene levels in symbiont', - 'def': 'OBSOLETE. The alteration by an organism of the levels of ethylene in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052449': { - 'name': 'modulation by organism of ethylene levels in other organism involved in symbiotic interaction', - 'def': 'The alteration by an organism of the levels of ethylene in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052450': { - 'name': 'obsolete modulation by organism of induced systemic resistance in symbiont', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of induced systemic resistance in the symbiont organism; induced systemic resistance is a response that confers broad spectrum systemic resistance to disease and that does not depend upon salicylic acid signaling. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052451': { - 'name': 'obsolete modulation by organism of symbiont inflammatory response', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the inflammatory response of a symbiont organism; the inflammatory response is the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052452': { - 'name': 'obsolete modulation by organism of symbiont innate immunity', - 'def': "OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the innate immune response of the symbiont organism; the innate immune response is the symbiont's first line of defense against infection. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]" - }, - 'GO:0052453': { - 'name': 'obsolete modulation by organism of symbiont intracellular transport', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the directed movement of substances within the cell or cells of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052454': { - 'name': 'obsolete modulation by organism of symbiont jasmonic acid-mediated defense response', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the jasmonic acid-mediated defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052455': { - 'name': 'obsolete modulation by organism of jasmonic acid levels in symbiont', - 'def': 'OBSOLETE. The alteration by an organism of the levels of jasmonic acid in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052456': { - 'name': 'modulation by organism of jasmonic acid levels in other organism involved in symbiotic interaction', - 'def': 'The alteration by an organism of the levels of jasmonic acid in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052457': { - 'name': 'obsolete modulation by organism of defense-related symbiont nitric oxide production', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the production of nitric oxide as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052458': { - 'name': 'obsolete modulation by organism of symbiont non-apoptotic programmed cell death', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of programmed cell death in the symbiont, where programmed cell death proceeds by a non-apoptotic pathway. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052460': { - 'name': 'modulation by host of nutrient release from symbiont', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the release of nutrients from a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052461': { - 'name': 'obsolete modulation by organism of pathogen-associated molecular pattern-induced symbiont innate immunity', - 'def': 'OBSOLETE. This term was not defined before being made obsolete. [GOC:mtg_pamgo]' - }, - 'GO:0052462': { - 'name': 'modulation by host of symbiont phagocytosis', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of phagocytosis, the engulfing by phagocytes of external particulate material, in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052463': { - 'name': 'obsolete modulation by organism of symbiont phytoalexin production', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of production of phytoalexins as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052464': { - 'name': 'obsolete modulation by organism of symbiont programmed cell death', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of programmed cell death in a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052465': { - 'name': 'obsolete modulation by organism of defense-related symbiont reactive oxygen species production', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the production of reactive oxygen species as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052466': { - 'name': 'obsolete modulation by organism of symbiont resistance gene-dependent defense response', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the resistance gene-dependent defense response of the symbiont. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052467': { - 'name': 'obsolete modulation by organism of symbiont salicylic acid-mediated defense response', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the salicylic acid-mediated defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052468': { - 'name': 'obsolete modulation by organism of salicylic acid levels in symbiont', - 'def': 'OBSOLETE. The alteration by an organism of the levels of salicylic acid in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052469': { - 'name': 'modulation by organism of salicylic acid levels in other organism involved in symbiotic interaction', - 'def': 'The alteration by an organism of the levels of salicylic acid in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052470': { - 'name': 'modulation by host of symbiont signal transduction pathway', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the symbiont signal transduction pathways, the cascade of processes by which a signal interacts with a receptor. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052471': { - 'name': 'obsolete modulation by organism of systemic acquired resistance in symbiont', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of systemic acquired resistance in the symbiont organism; systemic acquired resistance is a salicylic acid-mediated response that confers broad spectrum systemic resistance. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052472': { - 'name': 'modulation by host of symbiont transcription', - 'def': "Any process in which an organism modulates the frequency, rate or extent of its symbiont's transcription. [GOC:mtg_pamgo_17jul06]" - }, - 'GO:0052473': { - 'name': 'obsolete negative regulation by organism of symbiont B-cell mediated immune response', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the B-cell mediated immune response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052474': { - 'name': 'obsolete negative regulation by organism of symbiont T-cell mediated immune response', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the T-cell mediated immune response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052475': { - 'name': 'obsolete negative regulation by organism of symbiont cell-mediated immune response', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the cell mediated immune response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052476': { - 'name': 'obsolete negative regulation by organism of defense-related symbiont MAP kinase-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of symbiont MAP kinase-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052477': { - 'name': 'obsolete negative regulation by organism of defense-related symbiont callose deposition', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of callose deposition performed by the symbiont as part of its defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052478': { - 'name': 'obsolete negative regulation by organism of defense-related symbiont cell wall callose deposition', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the deposition of callose by the symbiont in its cell walls, occurring as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052479': { - 'name': 'obsolete negative regulation by organism of defense-related symbiont ethylene-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of symbiont ethylene-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052480': { - 'name': 'obsolete negative regulation by organism of defense-related symbiont jasmonic acid-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of symbiont jasmonic acid-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052481': { - 'name': 'obsolete negative regulation by organism of defense-related symbiont salicylic acid-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of symbiont salicylic acid-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052482': { - 'name': 'defense response by cell wall thickening', - 'def': 'A type of cell wall modification, in which the cell wall is reinforced and made thicker, that occurs as part of the defense response of an organism. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052483': { - 'name': 'negative regulation by organism of entry into cell of other organism via phagocytosis involved in symbiotic interaction', - 'def': 'Any process in which an organism stops or prevents itself undergoing phagocytosis into a cell in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052484': { - 'name': 'obsolete negative regulation by organism of symbiont ethylene-mediated defense response', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the ethylene-mediated defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052485': { - 'name': 'obsolete negative regulation by organism of symbiont inflammatory response', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the inflammatory response of a symbiont organism; the inflammatory response is the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052486': { - 'name': 'obsolete negative regulation by organism of symbiont innate immunity', - 'def': "OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the innate immune response of the symbiont organism, the symbiont's first line of defense against infection. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]" - }, - 'GO:0052487': { - 'name': 'obsolete negative regulation by organism of symbiont jasmonic acid-mediated defense response', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the jasmonic acid-mediated defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052488': { - 'name': 'obsolete negative regulation by organism of pathogen-associated molecular pattern-induced symbiont innate immunity', - 'def': 'OBSOLETE. This term was not defined before being made obsolete. [GOC:mtg_pamgo]' - }, - 'GO:0052489': { - 'name': 'negative regulation by host of symbiont programmed cell death', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of programmed cell death in a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052490': { - 'name': 'negative regulation by organism of programmed cell death in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of programmed cell death in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052491': { - 'name': 'obsolete negative regulation by organism of symbiont salicylic acid-mediated defense response', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the salicylic acid-mediated defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052492': { - 'name': 'negative regulation by host of symbiont signal transduction pathway', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the symbiont signal transduction pathways, the cascade of processes by which a signal interacts with a receptor. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052493': { - 'name': 'negative regulation by organism of signal transduction in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the second organism signal transduction pathways, the cascade of processes by which a signal interacts with a receptor, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052494': { - 'name': 'occlusion by host of symbiont vascular system', - 'def': "The process in which an organism reduces the flow of fluid within its symbiont's vascular system, the vessels and tissue that carry or circulate fluids, such as blood, lymph or sap, through the body of an animal or plant. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06, http://www.thefreedictionary.com]" - }, - 'GO:0052495': { - 'name': 'occlusion by organism of vascular system in other organism involved in symbiotic interaction', - 'def': "The process in which an organism reduces the flow of fluid within its second organism's vascular system, the vessels and tissue that carry or circulate fluids, such as blood, lymph or sap, through the body of an animal or plant, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06, http://www.thefreedictionary.com]" - }, - 'GO:0052496': { - 'name': 'occlusion by host of symbiont xylem', - 'def': 'The process in which an organism reduces the flow of fluid within the symbiont xylem, the tissue in plants that carries water and nutrients up from the roots to the shoot and leaves. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052497': { - 'name': 'occlusion by organism of xylem in other organism involved in symbiotic interaction', - 'def': 'The process in which an organism reduces the flow of fluid within the xylem, the tissue in plants that carries water and nutrients up from the roots to the shoot and leaves, of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052498': { - 'name': 'obsolete pathogen-associated molecular pattern dependent induction by organism of symbiont innate immunity', - 'def': 'OBSOLETE. This term was not defined before being made obsolete. [GOC:mtg_pamgo]' - }, - 'GO:0052499': { - 'name': 'obsolete pathogen-associated molecular pattern dependent modulation by organism of symbiont innate immunity', - 'def': 'OBSOLETE. This term was not defined before being made obsolete. [GOC:mtg_pamgo]' - }, - 'GO:0052500': { - 'name': 'obsolete positive regulation by organism of symbiont apoptosis', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of programmed cell death in the symbiont, where programmed cell death proceeds by apoptosis. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052501': { - 'name': 'positive regulation by organism of apoptotic process in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of programmed cell death by apoptosis in a second organism, where the two organisms are in a symbiotic interaction. [GOC:jl, GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052502': { - 'name': 'positive regulation by host of defense-related symbiont MAP kinase-mediated signal transduction pathway', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of symbiont MAP kinase-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052503': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont calcium-dependent protein kinase pathway', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the symbiont calcium-dependent protein kinase pathway during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052504': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont callose deposition', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of callose deposition by the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052505': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont cell wall callose deposition', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the deposition of callose by the symbiont in its cell walls, occurring as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052506': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont ethylene-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of symbiont ethylene-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052507': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont jasmonic acid-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of symbiont jasmonic acid-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052508': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont salicylic acid-mediated signal transduction pathway', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of symbiont salicylic acid-mediated signal transduction pathways during the symbiont defense response. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052509': { - 'name': 'positive regulation by symbiont of host defense response', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052510': { - 'name': 'positive regulation by organism of defense response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052511': { - 'name': 'obsolete positive regulation by organism of symbiont ethylene-mediated defense response', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the ethylene-mediated defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052512': { - 'name': 'obsolete positive regulation by organism of hormone or growth regulator levels in symbiont', - 'def': 'OBSOLETE. The increase by an organism of the levels of hormones or growth regulators in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052513': { - 'name': 'positive regulation by organism of hormone or growth regulator levels in other organism involved in symbiotic interaction', - 'def': 'The increase by an organism of the levels of hormones or growth regulators in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052514': { - 'name': 'obsolete positive regulation by organism of symbiont inflammatory response', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the inflammatory response of a symbiont organism; the inflammatory response is the immediate defensive reaction (by vertebrate tissue) to infection or injury caused by chemical or physical agents. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052515': { - 'name': 'obsolete positive regulation by organism of symbiont innate immunity', - 'def': "OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the innate immune response of the symbiont organism; the innate immune response is the symbiont's first line of defense against infection. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]" - }, - 'GO:0052516': { - 'name': 'obsolete positive regulation by organism of symbiont jasmonic acid-mediated defense response', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the jasmonic acid-mediated defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052517': { - 'name': 'obsolete positive regulation by organism of symbiont non-apoptotic programmed cell death', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of programmed cell death in the symbiont, where programmed cell death proceeds by a non-apoptotic pathway. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052519': { - 'name': 'positive regulation by host of nutrient release from symbiont', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the release of nutrients from a symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052520': { - 'name': 'positive regulation by organism of nutrient release from other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the release of nutrients from a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052521': { - 'name': 'positive regulation by host of symbiont phagocytosis', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of phagocytosis, the engulfing by phagocytes of external particulate material, in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052522': { - 'name': 'positive regulation by organism of phagocytosis in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of phagocytosis, the engulfing by phagocytes of external particulate material, in the second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052523': { - 'name': 'obsolete positive regulation by organism of symbiont programmed cell death', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of programmed cell death in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052524': { - 'name': 'obsolete positive regulation by organism of symbiont salicylic acid-mediated defense response', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the salicylic acid-mediated defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052525': { - 'name': 'positive regulation by host of symbiont signal transduction pathway', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the symbiont signal transduction pathways, the cascade of processes by which a signal interacts with a receptor. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052526': { - 'name': 'positive regulation by organism of signal transduction in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the second organism signal transduction pathways, the cascade of processes by which a signal interacts with a receptor, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052527': { - 'name': 'positive regulation by symbiont of host resistance gene-dependent defense response', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the resistance gene-dependent defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052528': { - 'name': 'obsolete upregulation by organism of symbiont programmed cell death', - 'def': 'OBSOLETE. Any process by which an organism increases the frequency, rate or extent of programmed cell death in the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052530': { - 'name': 'obsolete positive regulation by organism of symbiont resistance gene-dependent defense response', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the resistance gene-dependent defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052531': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont calcium ion flux', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of fluxes of calcium ions that occur as part of the defense response of a host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052532': { - 'name': 'positive regulation by organism of induced systemic resistance in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of induced systemic resistance, a response that confers broad spectrum systemic resistance to disease and that does not depend upon salicylic acid signaling, in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052533': { - 'name': 'positive regulation by symbiont of host induced systemic resistance', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of induced systemic resistance in the host organism; induced systemic resistance is a response that confers broad spectrum systemic resistance to disease and that does not depend upon salicylic acid signaling. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052534': { - 'name': 'obsolete positive regulation by organism of induced systemic resistance in symbiont', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of induced systemic resistance in the symbiont organism; induced systemic resistance is a response that confers broad spectrum systemic resistance to disease and that does not depend upon salicylic acid signaling. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052535': { - 'name': 'positive regulation by organism of systemic acquired resistance in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of systemic acquired resistance organism; systemic acquired resistance is a salicylic acid-mediated response that confers broad spectrum systemic resistance, in a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052536': { - 'name': 'obsolete positive regulation by organism of systemic acquired resistance in symbiont', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of systemic acquired resistance in the symbiont organism; systemic acquired resistance is a salicylic acid-mediated response that confers broad spectrum systemic resistance. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052537': { - 'name': 'positive regulation by symbiont of host systemic acquired resistance', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of systemic acquired resistance in the host organism; systemic acquired resistance is a salicylic acid-mediated response that confers broad spectrum systemic resistance. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052538': { - 'name': 'positive regulation by organism of defense-related cell wall thickening in other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the thickening of cell walls that occurs as part of the defense response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052539': { - 'name': 'positive regulation by symbiont of defense-related host cell wall thickening', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of a host process resulting in the thickening of its cell walls, occurring as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052540': { - 'name': 'obsolete positive regulation by organism of defense-related symbiont cell wall thickening', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of symbiont processes resulting in the thickening of its cell walls, occurring as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052541': { - 'name': 'plant-type cell wall cellulose metabolic process', - 'def': 'The chemical reactions and pathways involving cellulose, a linear beta1-4 glucan of molecular mass 50-400 kDa with the pyranose units in the -4C1 conformation, as part of the organization and biogenesis of the cell wall. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0052542': { - 'name': 'defense response by callose deposition', - 'def': 'Any process in which callose is transported to, and/or maintained in, a specific location during the defense response. Callose is a linear 1,3-beta-d-glucan formed from UDP-glucose and is found in certain plant cell walls. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052543': { - 'name': 'callose deposition in cell wall', - 'def': 'Any process in which callose is transported to, and/or maintained in, the cell wall. Callose is a linear 1,3-beta-d-glucan formed from UDP-glucose and is found in certain plant cell walls. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052544': { - 'name': 'defense response by callose deposition in cell wall', - 'def': 'Any process in which callose is transported to, and/or maintained in, the cell wall during the defense response. Callose is a linear 1,3-beta-d-glucan formed from UDP-glucose and is found in certain plant cell walls. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052545': { - 'name': 'callose localization', - 'def': 'Any process in which callose is transported to, and/or maintained in, a specific location. Callose is a linear 1,3-beta-d-glucan formed from UDP-glucose and is found in certain plant cell walls. [GOC:mtg_pamgo_17jul06, http://www.onelook.com]' - }, - 'GO:0052546': { - 'name': 'cell wall pectin metabolic process', - 'def': 'The chemical reactions and pathways involving pectin, a polymer containing a backbone of alpha-1,4-linked D-galacturonic acid residues, as part of the organization and biogenesis of the cell wall. [GOC:ai]' - }, - 'GO:0052547': { - 'name': 'regulation of peptidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of peptidase activity, the hydrolysis of peptide bonds within proteins. [EC:3.4, GOC:ai]' - }, - 'GO:0052548': { - 'name': 'regulation of endopeptidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of endopeptidase activity, the endohydrolysis of peptide bonds within proteins. [GOC:ai, GOC:hjd]' - }, - 'GO:0052549': { - 'name': 'response to phytoalexin production by other organism involved in symbiotic interaction', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of phytoalexins produced as a defense response by a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052550': { - 'name': 'response to defense-related reactive oxygen species production by other organism involved in symbiotic interaction', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of reactive oxygen species produced as a defense response by a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052551': { - 'name': 'response to defense-related nitric oxide production by other organism involved in symbiotic interaction', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of nitric oxide produced as a defense response by a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052552': { - 'name': 'modulation by organism of immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the immune response of a second organism, where the two organisms are in a symbiotic interaction. The immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052553': { - 'name': 'modulation by symbiont of host immune response', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of the immune response of the host organism; the immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052554': { - 'name': 'obsolete modulation by organism of symbiont immune response', - 'def': 'OBSOLETE. Any process by which an organism modulates the frequency, rate or extent of the immune response of the symbiont organism; the immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052555': { - 'name': 'positive regulation by organism of immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the immune response of a second organism, where the two organisms are in a symbiotic interaction. The immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052556': { - 'name': 'positive regulation by symbiont of host immune response', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the immune response of the host organism; the immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052557': { - 'name': 'obsolete positive regulation by organism of symbiont immune response', - 'def': 'OBSOLETE. Any process by which an organism activates, maintains or increases the frequency, rate or extent of the immune response of the symbiont organism; the immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052558': { - 'name': 'induction by organism of immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism activates the immune response of a second organism, where the two organisms are in a symbiotic interaction. The immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052559': { - 'name': 'induction by symbiont of host immune response', - 'def': 'Any process in which an organism activates the immune response of the host organism; the immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052560': { - 'name': 'obsolete induction by organism of symbiont immune response', - 'def': 'OBSOLETE. Any process by which an organism activates the immune response of the symbiont organism; the immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052561': { - 'name': 'negative regulation by organism of immune response of other organism involved in symbiotic interaction', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the immune response of a second organism, where the two organisms are in a symbiotic interaction. The immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052562': { - 'name': 'negative regulation by symbiont of host immune response', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the immune response of the host organism; the immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052563': { - 'name': 'obsolete negative regulation by organism of symbiont immune response', - 'def': 'OBSOLETE. Any process by which an organism stops, prevents, or reduces the frequency, rate or extent of the immune response of the symbiont organism; the immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052564': { - 'name': 'response to immune response of other organism involved in symbiotic interaction', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting the immune response of a second organism, where the two organisms are in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052565': { - 'name': 'response to defense-related host nitric oxide production', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of nitric oxide produced as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052566': { - 'name': 'response to host phytoalexin production', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of phytoalexins produced as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052567': { - 'name': 'response to defense-related host reactive oxygen species production', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of reactive oxygen species produced as part of the defense response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052568': { - 'name': 'obsolete response to symbiont phytoalexin production', - 'def': 'OBSOLETE. A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of phytoalexins produced as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052569': { - 'name': 'obsolete response to defense-related symbiont nitric oxide production', - 'def': 'OBSOLETE. A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of nitric oxide produced as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052570': { - 'name': 'obsolete response to defense-related symbiont reactive oxygen species production', - 'def': 'OBSOLETE. A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of reactive oxygen species produced as part of the defense response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052571': { - 'name': 'obsolete response to symbiont immune response', - 'def': 'OBSOLETE. A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting the immune response of the symbiont organism. The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo]' - }, - 'GO:0052572': { - 'name': 'response to host immune response', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting the immune response of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:mtg_pamgo_17jul06]' - }, - 'GO:0052573': { - 'name': 'UDP-D-galactose metabolic process', - 'def': 'The chemical reactions and pathways involving UDP-D-galactose, a substance composed of D-galactose in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0052574': { - 'name': 'UDP-D-galactose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of UDP-D-galactose, a substance composed of D-galactose in glycosidic linkage with guanosine diphosphate. [GOC:ai]' - }, - 'GO:0052575': { - 'name': 'carbohydrate localization', - 'def': 'Any process in which a carbohydrate is transported to, or maintained in, a specific location. Carbohydrates are any of a group of organic compounds based of the general formula Cx(H2O)y. [CHEBI:23008, GOC:mah]' - }, - 'GO:0052576': { - 'name': 'carbohydrate storage', - 'def': 'The accumulation and maintenance in cells or tissues of carbohydrates, any of a group of organic compounds based of the general formula Cx(H2O)y. [CHEBI:23008, GOC:ai]' - }, - 'GO:0052577': { - 'name': 'germacrene-D synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = (-)-germacrene D + diphosphate. [EC:4.2.3.22]' - }, - 'GO:0052578': { - 'name': 'alpha-farnesene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = (E,E)-alpha-farnesene + diphosphate. [MetaCyc:RXN-8574]' - }, - 'GO:0052579': { - 'name': '(+)-pulegone reductase, (+)-isomenthone as substrate, activity', - 'def': 'Catalysis of the reaction: (+)-isomenthone + NADP+ = (+)-pulegone + NADPH + H+. [EC:1.3.1.81, MetaCyc:RXN-5164]' - }, - 'GO:0052580': { - 'name': '(+)-pulegone reductase, (-)-menthone as substrate, activity', - 'def': 'Catalysis of the reaction: (-)-menthone + NADP+ = (+)-pulegone + NADPH + H+. [EC:1.3.1.81, MetaCyc:RXN-5163]' - }, - 'GO:0052581': { - 'name': '(-)-isopiperitenone reductase activity', - 'def': 'Catalysis of the reaction: (6R)-isoperitenone + H(+) + NADPH = (2R,5R)-isopulegone + NADP(+). [EC:1.3.1.82, RHEA:25651]' - }, - 'GO:0052582': { - 'name': '(+)-menthofuran synthase activity', - 'def': 'Catalysis of the reaction: (R)-pulegone + H(+) + NADPH + O(2) = (R)-menthofuran + 2 H(2)O + NADP(+). [EC:1.14.13.104, RHEA:25661]' - }, - 'GO:0052583': { - 'name': 'oxidoreductase activity, acting on halogen in donors', - 'def': 'Catalysis of an oxidation-reduction in which a halogen in the donor substance acts as a hydrogen or electron donor and reduces a hydrogen or electron acceptor. [GOC:mah]' - }, - 'GO:0052584': { - 'name': 'oxidoreductase activity, acting on halogen in donors, with NAD or NADP as acceptor', - 'def': 'Catalysis of an oxidation-reduction in which a halogen in the donor substance acts as a hydrogen or electron donor and reduces NAD or NADP. [GOC:mah]' - }, - 'GO:0052585': { - 'name': 'oxidoreductase activity, acting on the CH-NH2 group of donors, with a quinone or similar compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH2 group acts as a hydrogen or electron donor and reduces a quinone or similar compound. [GOC:ai]' - }, - 'GO:0052586': { - 'name': 'oxidoreductase activity, acting on other nitrogenous compounds as donors, with a quinone or similar compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a nitrogenous group, excluding NH and NH2 groups, acts as a hydrogen or electron donor and reduces a quinone or similar compound. [GOC:jl]' - }, - 'GO:0052587': { - 'name': 'diacetyl reductase ((R)-acetoin forming) activity', - 'def': 'Catalysis of the reaction: (R)-acetoin + NAD(+) = diacetyl + H(+) + NADH. [EC:1.1.1.303, RHEA:22903]' - }, - 'GO:0052588': { - 'name': 'diacetyl reductase ((S)-acetoin forming) activity', - 'def': 'Catalysis of the reaction: (S)-acetoin + NAD(+) = diacetyl + H(+) + NADH. [EC:1.1.1.304, RHEA:27289]' - }, - 'GO:0052589': { - 'name': 'malate dehydrogenase (menaquinone) activity', - 'def': 'Catalysis of the reaction: (S)-malate + a menaquinone = oxaloacetate + a menaquinol. [MetaCyc:RXNI-3]' - }, - 'GO:0052590': { - 'name': 'sn-glycerol-3-phosphate:ubiquinone oxidoreductase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + a ubiquinone = glycerone phosphate + a ubiquinol. [MetaCyc:RXN0-5258]' - }, - 'GO:0052591': { - 'name': 'sn-glycerol-3-phosphate:ubiquinone-8 oxidoreductase activity', - 'def': 'Catalysis of the reaction: sn-glycerol 3-phosphate + ubiquinone-8 = glycerone phosphate + ubiquinol-8. [MetaCyc:GLYC3PDEHYDROG-RXN]' - }, - 'GO:0052592': { - 'name': 'oxidoreductase activity, acting on CH or CH2 groups, with an iron-sulfur protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH2 group acts as a hydrogen or electron donor and reduces an iron-sulfur protein. [GOC:ai]' - }, - 'GO:0052593': { - 'name': 'tryptamine:oxygen oxidoreductase (deaminating) activity', - 'def': 'Catalysis of the reaction: tryptamine + H2O + O2 = NH3 + indole acetaldehyde + hydrogen peroxide + H+. [MetaCyc:RXN-1401]' - }, - 'GO:0052594': { - 'name': 'aminoacetone:oxygen oxidoreductase(deaminating) activity', - 'def': 'Catalysis of the reaction: aminoacetone + H2O + O2 = methylglyoxal + NH3 + hydrogen peroxide + H+. [MetaCyc:AMACETOXID-RXN]' - }, - 'GO:0052595': { - 'name': 'aliphatic-amine oxidase activity', - 'def': 'Catalysis of the reaction: an aliphatic amine + H2O + O2 = an aldehyde + NH3 + hydrogen peroxide + H+. [MetaCyc:AMINEOXID-RXN]' - }, - 'GO:0052596': { - 'name': 'phenethylamine:oxygen oxidoreductase (deaminating) activity', - 'def': 'Catalysis of the reaction: phenylethylamine + O2 + H2O = phenylacetaldehyde + NH3 + hydrogen peroxide + H+. [MetaCyc:AMINEPHEN-RXN]' - }, - 'GO:0052597': { - 'name': 'diamine oxidase activity', - 'def': 'Catalysis of the reaction: a diamine + H2O + O2 = a monoamine + NH3 + hydrogen peroxide. [MetaCyc:RXN-9599]' - }, - 'GO:0052598': { - 'name': 'histamine oxidase activity', - 'def': 'Catalysis of the reaction: histamine + H2O + O2 = imidazole-4-acetaldehyde + NH3 + hydrogen peroxide + H+. [MetaCyc:RXN-9600]' - }, - 'GO:0052599': { - 'name': 'methylputrescine oxidase activity', - 'def': 'Catalysis of the reaction: N-methylputrescine + H2O + O2 = N-methylaminobutanal + NH3 + hydrogen peroxide + H+. [MetaCyc:RXN-8244]' - }, - 'GO:0052600': { - 'name': 'propane-1,3-diamine oxidase activity', - 'def': 'Catalysis of the reaction: propane-1,3-diamine + H2O + O2 = 3-aminopropanal + NH3 + hydrogen peroxide + H+. [MetaCyc:RXN-6381]' - }, - 'GO:0052601': { - 'name': '(S)-limonene 1,2-monooxygenase activity', - 'def': 'Catalysis of the reaction: (4S)-limonene + NAD(P)H + H+ + O2 = NAD(P)+ + H2O + (4S)-limonene-1,2-epoxide. [MetaCyc:RXN-9409]' - }, - 'GO:0052602': { - 'name': '4-chloronitrobenzene nitroreductase activity', - 'def': 'Catalysis of the reaction: 4-chloronitrobenzene + NADPH + H+ = 1-chloro-4-nitrosobenzene + NADP+ + H2O. [MetaCyc:RXN-8833]' - }, - 'GO:0052603': { - 'name': '1-chloro-4-nitrosobenzene nitroreductase activity', - 'def': 'Catalysis of the reaction: 1-chloro-4-nitrosobenzene + NADPH + H+ = 1-chloro-4-hydroxylaminobenzene + NADP+ + H2O. [MetaCyc:RXN-8834]' - }, - 'GO:0052604': { - 'name': 'delta-tocopherol cyclase activity', - 'def': 'Catalysis of the reaction: 2-methyl-6-phytyl-1,4-benzoquinone = delta-tocopherol. [MetaCyc:RXN-2561, PMID:12213958]' - }, - 'GO:0052605': { - 'name': 'gamma-tocopherol cyclase activity', - 'def': 'Catalysis of the reaction: 2,3-dimethyl-6-phytyl-1,4-benzoquinone = gamma-tocopherol. [MetaCyc:RXN-2543, PMID:12213958]' - }, - 'GO:0052606': { - 'name': 'chlorophyllide a oxygenase activity', - 'def': 'Catalysis of the reaction: chlorophyllide a + NADPH + O2 + 2 H+ = 7-hydroxychlorophyllide a + NADP+ + H2O. [EC:1.13.12.14, MetaCyc:RXN-7676]' - }, - 'GO:0052607': { - 'name': '7-hydroxy-chlorophyllide a oxygenase activity', - 'def': 'Catalysis of the reaction: 7-hydroxychlorophyllide a + NADPH + O2 + H+ = chlorophyllide b + NADP+ + 2 H2O. [EC:1.13.12.14, MetaCyc:RXN-7677]' - }, - 'GO:0052608': { - 'name': 'echinenone 3-hydroxylase activity', - 'def': 'Catalysis of the reaction: echinenone + a reduced electron acceptor + oxygen = 3-hydroxyechinenone + an oxidized electron acceptor + H2O. [MetaCyc:RXN-8214]' - }, - 'GO:0052609': { - 'name': '4-ketotorulene 3-hydroxylase activity', - 'def': 'Catalysis of the reaction: 4-ketotorulene + a reduced electron acceptor + oxygen = 3-hydroxy-4-ketotorulene + an oxidized electron acceptor + H2O. [MetaCyc:RXN-8218]' - }, - 'GO:0052610': { - 'name': 'beta-cryptoxanthin hydroxylase activity', - 'def': 'Catalysis of the reaction: beta-cryptoxanthin + a reduced electron acceptor + oxygen = zeaxanthin + an oxidized electron acceptor + H2O. [MetaCyc:RXN-8026]' - }, - 'GO:0052611': { - 'name': 'beta-carotene 3-hydroxylase activity', - 'def': 'Catalysis of the reaction: beta-carotene + a reduced electron acceptor + oxygen = beta-cryptoxanthin + an oxidized electron acceptor + H2O. [MetaCyc:RXN-8025]' - }, - 'GO:0052612': { - 'name': 'adonirubin 3-hydroxylase activity', - 'def': "Catalysis of the reaction: adonirubin + a reduced electron acceptor + oxygen = 3S,3'S-astaxanthin + an oxidized electron acceptor + H2O. [MetaCyc:RXN-8187]" - }, - 'GO:0052613': { - 'name': 'canthaxanthin 3-hydroxylase activity', - 'def': 'Catalysis of the reaction: canthaxanthin + a reduced electron acceptor + oxygen = adonirubin + an oxidized electron acceptor + H2O. [MetaCyc:RXN-8186]' - }, - 'GO:0052614': { - 'name': 'uracil oxygenase activity', - 'def': 'Catalysis of the reaction: uracil + NADH + O2 + H+ = ureidoacrylate peracid + NAD+. Ureidoacrylate peracid is spontaneously reduced by NADH to form ureidoacrylate. [MetaCyc:RXN0-6444, PMID:20369853, PMID:20400551]' - }, - 'GO:0052615': { - 'name': 'ent-kaurene oxidase activity', - 'def': 'Catalysis of the reaction: H+ + NADPH + ent-kaur-16-ene + oxygen = H2O + NADP+ + ent-kaur-16-en-19-ol. [MetaCyc:1.14.13.78-RXN]' - }, - 'GO:0052616': { - 'name': 'ent-kaur-16-en-19-ol oxidase activity', - 'def': 'Catalysis of the reaction: H+ + NADPH + ent-kaur-16-en-19-ol + oxygen = 2 H2O + NADP+ + ent-kaur-16-en-19-al. [MetaCyc:RXN-5242]' - }, - 'GO:0052617': { - 'name': 'ent-kaur-16-en-19-al oxidase activity', - 'def': 'Catalysis of the reaction: NADPH + ent-kaur-16-en-19-al + oxygen = H2O + NADP+ + ent-kaurenoate. [MetaCyc:RXN-7580]' - }, - 'GO:0052618': { - 'name': 'coenzyme F420-0:L-glutamate ligase activity', - 'def': 'Catalysis of the reaction: GTP + L-glutamate + factor F420-0 = GDP + H+ + factor gamma-F420-1 + phosphate. [MetaCyc:RXN-8080]' - }, - 'GO:0052619': { - 'name': 'coenzyme F420-1:gamma-L-glutamate ligase activity', - 'def': 'Catalysis of the reaction: GTP + L-glutamate + factor gamma-F420-1 = GDP + H+ + factor gamma-F420-2 + phosphate. [MetaCyc:RXN-8081]' - }, - 'GO:0052620': { - 'name': 'thymine dehydrogenase activity', - 'def': 'Catalysis of the reaction: H2O + thymine + acceptor = 5-methyl-barbiturate + donor-H2. [MetaCyc:RXN-8646]' - }, - 'GO:0052621': { - 'name': 'diguanylate cyclase activity', - 'def': "Catalysis of the reaction: 2 GTP = cyclic di-3',5'-guanylate + 2 diphosphate + 2 H(+). [EC:2.7.7.65, RHEA:24901]" - }, - 'GO:0052622': { - 'name': 'ATP dimethylallyltransferase activity', - 'def': "Catalysis of the reaction: delta(2)-isopentenyl diphosphate + ATP = diphosphate + N6-(delta(2)-isopentenyl)adenosine 5'-triphosphate. [EC:2.5.1.27, MetaCyc:RXN-4303]" - }, - 'GO:0052623': { - 'name': 'ADP dimethylallyltransferase activity', - 'def': "Catalysis of the reaction: delta2-isopentenyl diphosphate + ADP = diphosphate + N6-(delta(2)-isopentenyl)adenosine 5'-diphosphate. [EC:2.5.1.27, MetaCyc:RXN-4305]" - }, - 'GO:0052624': { - 'name': '2-phytyl-1,4-naphthoquinone methyltransferase activity', - 'def': 'Catalysis of the reaction: demethylphylloquinone + S-adenosyl-L-methionine = phylloquinone + S-adenosyl-L-homocysteine + H+. [MetaCyc:RXN-6723, MetaCyc:RXN-7569, PMID:14617060]' - }, - 'GO:0052625': { - 'name': '4-aminobenzoate amino acid synthetase activity', - 'def': 'Catalysis of the reaction: 4-aminobenzoate + ATP + amino acid = 4-aminobenzoyl amino acid conjugate + AMP + diphosphate. [MetaCyc:RXN-10884, PMID:19189963]' - }, - 'GO:0052626': { - 'name': 'benzoate amino acid synthetase activity', - 'def': 'Catalysis of the reaction: benzoate + ATP + amino acid = benzoyl amino acid conjugate + AMP + diphosphate. [MetaCyc:RXN-10886, PMID:19189963]' - }, - 'GO:0052627': { - 'name': 'vanillate amino acid synthetase activity', - 'def': 'Catalysis of the reaction: vanillate + ATP + amino acid = vanillate amino acid conjugate + AMP + diphosphate. [MetaCyc:RXN-10885, PMID:19189963]' - }, - 'GO:0052628': { - 'name': '4-hydroxybenzoate amino acid synthetase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybenzoate + ATP + amino acid = 4-hydroxybenzoyl amino acid conjugate + AMP + diphosphate. [MetaCyc:RXN-10884, PMID:19189963]' - }, - 'GO:0052629': { - 'name': 'phosphatidylinositol-3,5-bisphosphate 3-phosphatase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol 3,5-bisphosphate + H2O = a 1-phosphatidyl-1D-myo-inositol 5-phosphate + phosphate + 2 H+. [MetaCyc:RXN-10958, PMID:19901554]' - }, - 'GO:0052630': { - 'name': 'UDP-N-acetylgalactosamine diphosphorylase activity', - 'def': 'Catalysis of the reaction: UTP + N-acetyl-alpha-D-galactosamine 1-phosphate = diphosphate + UDP-N-acetyl-D-galactosamine. [EC:2.7.7.23]' - }, - 'GO:0052631': { - 'name': 'sphingolipid delta-8 desaturase activity', - 'def': 'Catalysis of the formation of a double bond between C8 and C9 of the long chain base of a sphingolipid. For example, sphinganine (d18:0) = 8-sphingenine (d18:1delta8); phytosphinganine (t18:0) = 8-phytosphingenine (t18:1delta8); and 4-sphingenine (18:1delta4) = 4,8-sphingadienine (d18:2delta4,8). [PMID:17600137, PMID:9786850]' - }, - 'GO:0052633': { - 'name': 'isocitrate hydro-lyase (cis-aconitate-forming) activity', - 'def': 'Catalysis of the reaction: cis-aconitate + H2O = isocitrate. [EC:4.2.1.3, GOC:pde, GOC:vw, MetaCyc:ACONITATEHYDR-RXN]' - }, - 'GO:0052634': { - 'name': 'C-19 gibberellin 2-beta-dioxygenase activity', - 'def': 'Catalysis of the reaction: a C-19 gibberellin + 2-oxoglutarate + O2 = a C-19 2-beta-hydroxygibberellin + succinate + CO2. C-19 gibberellin refers to a gibberellin with nineteen carbons. [EC:1.14.11.13, GOC:kad]' - }, - 'GO:0052635': { - 'name': 'C-20 gibberellin 2-beta-dioxygenase activity', - 'def': 'Catalysis of the reaction: a C-20 gibberellin + 2-oxoglutarate + O2 = a C-20 2-beta-hydroxygibberellin + succinate + CO2. C-20 gibberellin refers to a gibberellin with twenty carbons. [EC:1.14.11.13, GOC:kad]' - }, - 'GO:0052636': { - 'name': 'arabinosyltransferase activity', - 'def': 'Catalysis of the transfer of an arabinosyl group from one compound (donor) to another (acceptor). [GOC:ai]' - }, - 'GO:0052637': { - 'name': 'delta 3-trans-hexadecenoic acid phosphatidylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:3-3-16:0-phosphatidylglycerol = 1-18:3-3-trans-16:1-phosphatidylglycerol + 2 H+. This reaction is the formation of a trans double bond between carbon 3 and carbon 4 (counting from the carboxyl end) of palmitic acid, which is specifically esterified to the sn-2 glyceryl carbon of phosphatidylglycerol. [GOC:ai, MetaCyc:RXN-8319, PMID:19682287]' - }, - 'GO:0052638': { - 'name': 'indole-3-butyrate beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: indole-3-butyrate + UDP-D-glucose = indole-3-butyryl-beta-1-D-glucose + UDP. [MetaCyc:RXN-11655]' - }, - 'GO:0052639': { - 'name': 'salicylic acid glucosyltransferase (ester-forming) activity', - 'def': 'Catalysis of the reaction: salicylic acid + UDP-glucose = salicylic acid glucose ester + UDP. [MetaCyc:RXN-11659]' - }, - 'GO:0052640': { - 'name': 'salicylic acid glucosyltransferase (glucoside-forming) activity', - 'def': 'Catalysis of the reaction: salicylic acid + UDP-glucose = salicylic acid 2-O-glucoside + UDP. [MetaCyc:RXN-11658]' - }, - 'GO:0052641': { - 'name': 'benzoic acid glucosyltransferase activity', - 'def': 'Catalysis of the reaction: benzoic acid + UDP-glucose = benzoic acid glucose ester + UDP. [MetaCyc:RXN-11660]' - }, - 'GO:0052642': { - 'name': 'lysophosphatidic acid phosphatase activity', - 'def': 'Catalysis of the reaction: lysophosphatidic acid + H2O = phosphate + monoacylglycerol. [PMID:20045079, PMID:7966317]' - }, - 'GO:0052643': { - 'name': 'chlorophyllide metabolic process', - 'def': 'The chemical reactions and pathways involving chlorophyllides, any chlorophyll lacking the terpenoid side chain such as phytyl or farnesyl. [CHEBI:38206]' - }, - 'GO:0052644': { - 'name': 'chlorophyllide a metabolic process', - 'def': 'The chemical reactions and pathways involving chlorophyllide a, a chlorophyll lacking the terpenoid side chain, which is the functional parent of chlorophyll a. [CHEBI:16900]' - }, - 'GO:0052645': { - 'name': 'F420-0 metabolic process', - 'def': 'The chemical reactions and pathways involving F420-0 (5-O-{[(1S)-1-carboxyethoxy](hydroxy)phosphoryl}-1-deoxy-1-(8-hydroxy-2,4-dioxo-2H-pyrimido[4,5-b]quinolin-10(4H)-yl)-D-ribitol), the fragment of coenzyme F420 remaining after formal hydrolytic removal of all of the glutamate residues. [CHEBI:59532]' - }, - 'GO:0052646': { - 'name': 'alditol phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving alditol phosphates, any phosphorylated polyhydric alcohol derived from the acyclic form of a monosaccharide by reduction of its aldehyde or keto group to an alcoholic group. [CHEBI:22297, ISBN:0198506732]' - }, - 'GO:0052647': { - 'name': 'pentitol phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving pentitol phosphates, any phosphorylated alditol with a chain of five carbon atoms in the molecule. [CHEBI:25898, ISBN:0198506732]' - }, - 'GO:0052648': { - 'name': 'ribitol phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving ribitol phosphates, any phosphorylated form of ribitol, the pentitol derived formally by reduction of the -CHO group of either D- or L-ribose. [CHEBI:26554, ISBN:0198506732]' - }, - 'GO:0052649': { - 'name': 'coenzyme gamma-F420-2 metabolic process', - 'def': 'The chemical reactions and pathways involving coenzyme gamma-F420-2 (F420-2; coenzyme F420; N-{N-[O-(7,8-didemethyl-8-hydroxy-5-deazariboflavin phospho)-(S)-lactyl]-gamma-L-glutamyl}-L-glutamate), the amide obtained by formal condensation of the carboxylic acid group of F420-0 with the amino group of L-gamma-glutamyl-L-glutamic acid. [CHEBI:16848]' - }, - 'GO:0052650': { - 'name': 'NADP-retinol dehydrogenase activity', - 'def': 'Catalysis of the reaction: all-trans-retinol + NADP+ = all-trans-retinal + NADPH + H+. [RHEA:25036]' - }, - 'GO:0052651': { - 'name': 'monoacylglycerol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of monoacylglycerol, any ester of glycerol in which any one of its hydroxyl groups has been acylated with a fatty acid, the other being non-esterified. [http://cancerweb.ncl.ac.uk/]' - }, - 'GO:0052652': { - 'name': 'cyclic purine nucleotide metabolic process', - 'def': 'The chemical reactions and pathways involving a cyclic nucleotide, a nucleotide in which the phosphate group is in diester linkage to two positions on the sugar residue and the base is a purine. [CHEBI:36982]' - }, - 'GO:0052653': { - 'name': "3',5'-cyclic diguanylic acid metabolic process", - 'def': "The chemical reactions and pathways involving 3',5'-cyclic diguanylic acid, a cyclic purine dinucleotide in which the base groups are guanine. [CHEBI:593038]" - }, - 'GO:0052654': { - 'name': 'L-leucine transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-leucine = 4-methyl-2-oxopentanoate + L-glutamatic acid. [EC:2.6.1.42, MetaCyc:BRANCHED-CHAINAMINOTRANSFERLEU-RXN]' - }, - 'GO:0052655': { - 'name': 'L-valine transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-valine = 3-methyl-2-oxobutanoic acid + L-glutamatic acid. [EC:2.6.1.42, MetaCyc:BRANCHED-CHAINAMINOTRANSFERVAL-RXN]' - }, - 'GO:0052656': { - 'name': 'L-isoleucine transaminase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + L-isoleucine = (S)-3-methyl-2-oxopentanoic acid + L-glutamic acid. [EC:2.6.1.42, MetaCyc:BRANCHED-CHAINAMINOTRANSFERILEU-RXN]' - }, - 'GO:0052657': { - 'name': 'guanine phosphoribosyltransferase activity', - 'def': 'Catalysis of the reaction: GMP + diphosphate = guanine + 5-phospho-alpha-D-ribose 1-diphosphate. [EC:2.4.2.8, GOC:curators]' - }, - 'GO:0052658': { - 'name': 'inositol-1,4,5-trisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,4,5-trisphosphate + H2O = 1D-myo-inositol 1,4-bisphosphate + phosphate. [EC:3.1.3.56, RHEA:19800]' - }, - 'GO:0052659': { - 'name': 'inositol-1,3,4,5-tetrakisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,3,4,5-tetrakisphosphate + H2O = 1D-myo-inositol 1,3,4-trisphosphate + phosphate. [EC:3.1.3.56, RHEA:11395]' - }, - 'GO:0052660': { - 'name': 'R-lactaldehyde reductase activity', - 'def': 'Catalysis of the reaction: (R)-propane-1,2-diol + NAD+ = (R)-lactaldehyde + NADH + H+. [RHEA:23875]' - }, - 'GO:0052661': { - 'name': 'S-lactaldehyde reductase activity', - 'def': 'Catalysis of the reaction: (S)-propane-1,2-diol + NAD+ = (S)-lactaldehyde + NADH + H+. [RHEA:15936]' - }, - 'GO:0052662': { - 'name': 'zeaxanthin epoxidase activity', - 'def': 'Catalysis of the reaction: zeaxanthin + NAD(P)H + H+ + O2 = antheraxanthin + NAD(P)+ + H2O. [EC:1.14.13.90]' - }, - 'GO:0052663': { - 'name': 'antheraxanthin epoxidase activity', - 'def': 'Catalysis of the reaction: antheraxanthin + NAD(P)H + H+ + O2 = all-trans-violaxanthin + NAD(P)+ + H2O. [MetaCyc:RXN-7979]' - }, - 'GO:0052664': { - 'name': 'nitroalkane oxidase activity', - 'def': 'Catalysis of the reaction: nitroalkane + H2O + O2 = an aldehyde or ketone + nitrite + H2O2. [EC:1.7.3.1]' - }, - 'GO:0052665': { - 'name': "tRNA (uracil-2'-O-)-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing 2'-O-methyluracil. [EC:2.1.1.34]" - }, - 'GO:0052666': { - 'name': "tRNA (cytosine-2'-O-)-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing 2'-O-methylcytosine. [EC:2.1.1.34]" - }, - 'GO:0052667': { - 'name': 'phosphomethylethanolamine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: N-methylethanolamine phosphate + S-adenosyl-L-methionine = N,N-dimethylethanolamine phosphate + S-adenosyl-L-homocysteine + H(+). [KEGG:R06868, MetaCyc:RXN-5642, RHEA:25322]' - }, - 'GO:0052668': { - 'name': 'farnesol kinase activity', - 'def': 'Catalysis of the reaction: farnesol + nucleoside triphosphate = farnesyl monophosphate + nucleoside diphosphate. [GOC:kd, MetaCyc:RXN-11625]' - }, - 'GO:0052669': { - 'name': 'CTP:2-trans,-6-trans-farnesol kinase activity', - 'def': 'Catalysis of the reaction: 2-trans,-6-trans-farnesol + CTP = 2-trans,-6-trans-farnesyl monophosphate + CDP + H+. [MetaCyc:RXN-11625]' - }, - 'GO:0052670': { - 'name': 'geraniol kinase activity', - 'def': 'Catalysis of the reaction: geraniol + nucleoside triphosphate = geranyl monophosphate + nucleoside diphosphate. [GOC:kd]' - }, - 'GO:0052671': { - 'name': 'geranylgeraniol kinase activity', - 'def': 'Catalysis of the reaction: geranylgeraniol + nucleoside triphosphate = all-trans-geranyl-geranyl monophosphate + nucleoside diphosphate. [GOC:kd, MetaCyc:RXN-11629]' - }, - 'GO:0052672': { - 'name': 'CTP:geranylgeraniol kinase activity', - 'def': 'Catalysis of the reaction: geranylgeraniol + CTP = all-trans-geranyl-geranyl monophosphate + CDP. [MetaCyc:RXN-11629]' - }, - 'GO:0052673': { - 'name': 'prenol kinase activity', - 'def': 'Catalysis of the reaction: prenol + nucleoside triphosphate = prenyl phosphate + nucleoside diphosphate activity. [GOC:ai, GOC:kd]' - }, - 'GO:0052674': { - 'name': 'ent-pimara-9(11),15-diene synthase activity', - 'def': 'Catalysis of the reaction: ent-copalyl diphosphate = ent-pimara-9(11),15-diene + diphosphate. [RHEA:25547]' - }, - 'GO:0052675': { - 'name': '3-methylbutanol:NADP oxidoreductase activity', - 'def': 'Catalysis of the reaction: 3-methylbutanol + NADP+ = 3-methylbutanal + NADPH + H+. 3-methylbutanal is also known as isovaleraldehyde. [EC:1.1.1.265, KEGG:R05686]' - }, - 'GO:0052676': { - 'name': '3-methylbutanol:NAD oxidoreductase activity', - 'def': 'Catalysis of the reaction: 3-methylbutanol + NAD+ = 3-methylbutanal + NADH + H+. 3-methylbutanal is also known as isovaleraldehyde. [EC:1.1.1.265, KEGG:R05685]' - }, - 'GO:0052677': { - 'name': 'D-arabinitol dehydrogenase, D-xylulose forming (NADP+) activity', - 'def': 'Catalysis of the reaction: D-arabinitol + NADP+ = D-xylulose + NADPH + H+. [EC:1.1.1.287]' - }, - 'GO:0052678': { - 'name': 'levopimaradiene synthase activity', - 'def': 'Catalysis of the reaction: (+)-copalyl diphosphate = abieta-8(14),12-diene + diphosphate. [RHEA:25551]' - }, - 'GO:0052679': { - 'name': 'terpentetriene synthase activity', - 'def': 'Catalysis of the reaction: terpentedienyl diphosphate = diphosphate + terpentetriene. [RHEA:25620]' - }, - 'GO:0052680': { - 'name': 'epi-isozizaene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = (+)-epi-isozizaene + diphosphate. [RHEA:25995]' - }, - 'GO:0052681': { - 'name': 'alpha-bisabolene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = (E,R)-alpha-bisabolene + diphosphate. [RHEA:25439]' - }, - 'GO:0052682': { - 'name': 'epi-cedrol synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate + H2O = epi-cedrol + diphosphate. [RHEA:26118]' - }, - 'GO:0052683': { - 'name': '(Z)-gamma-bisabolene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = (Z)-gamma-bisabolene + diphosphate. [RHEA:26084]' - }, - 'GO:0052684': { - 'name': 'L-serine hydro-lyase (adding indole, L-tryptophan-forming) activity', - 'def': 'Catalysis of the reaction: indole + L-serine = L-tryptophan + H2O. [MetaCyc:RXN0-2382]' - }, - 'GO:0052685': { - 'name': 'perillic acid:CoA ligase (ADP-forming) activity', - 'def': 'Catalysis of the reaction: perillic acid + CoA-SH + ATP = H2O + ADP + phosphate + perillyl-CoA. [KEGG:R06368]' - }, - 'GO:0052686': { - 'name': 'perillic acid:CoA ligase (AMP-forming) activity', - 'def': 'Catalysis of the reaction: perillic acid + CoA-SH + ATP = H2O + AMP + diphosphate + perillyl-CoA. [KEGG:R06368]' - }, - 'GO:0052687': { - 'name': '(3R)-3-isopropenyl-6-oxoheptanoate:CoA ligase (ADP-forming) activity', - 'def': 'Catalysis of the reaction: (3R)-3-isopropenyl-6-oxoheptanoate + CoA-SH + ATP = H2O + ADP + phosphate + (3R)-3-isopropenyl-6-oxoheptanoyl-CoA. [KEGG:R06396]' - }, - 'GO:0052688': { - 'name': '(3R)-3-isopropenyl-6-oxoheptanoate:CoA ligase (AMP-forming) activity', - 'def': 'Catalysis of the reaction: (3R)-3-isopropenyl-6-oxoheptanoate + CoA-SH + ATP = H2O + AMP + diphosphate + (3R)-3-isopropenyl-6-oxoheptanoyl-CoA. [KEGG:R06515]' - }, - 'GO:0052689': { - 'name': 'carboxylic ester hydrolase activity', - 'def': 'Catalysis of the hydrolysis of a carboxylic ester bond. [EC:3.1.1, EC:3.1.1.1, GOC:curators]' - }, - 'GO:0052690': { - 'name': 'trichloro-p-hydroquinone reductive dehalogenase activity', - 'def': 'Catalysis of the reaction: 2,3,6-trichlorohydroquinone + 2 glutathione = 2,6-dichlorohydroquinone + glutathione disulfide + HCl. [UM-BBD_reactionID:r0031, UM-BBD_reactionID:r0315]' - }, - 'GO:0052691': { - 'name': 'UDP-arabinopyranose mutase activity', - 'def': 'Catalysis of the reaction: UDP-beta-L-arabinofuranose = UDP-beta-L-arabinopyranose. [EC:5.4.99.30, RHEA:28353]' - }, - 'GO:0052692': { - 'name': 'raffinose alpha-galactosidase activity', - 'def': 'Catalysis of the reaction: raffinose + H2O = alpha-D-galactose + sucrose. [MetaCyc:RXN-11502]' - }, - 'GO:0052693': { - 'name': 'epoxyqueuosine reductase activity', - 'def': 'Catalysis of the reaction: epoxyqueuosine in tRNA + reductant = queuosine in tRNA + oxidised reductant. [PMID:21502530]' - }, - 'GO:0052694': { - 'name': 'jasmonoyl-isoleucine-12-hydroxylase activity', - 'def': 'Catalysis of the reaction: jasmonoyl-isoleucine + NADPH + H+ + O2 = 12-hydroxy-jasmonoyl-isoleucine + NADP+ + H2O. [MetaCyc:RXN-12421, PMID:21576464]' - }, - 'GO:0052695': { - 'name': 'cellular glucuronidation', - 'def': 'The modification of an organic chemical by the conjugation of glucuronic acid. The substances resulting from glucuronidation are known as glucuronosides (or glucuronides) and are often much more water-soluble than the non-glucuronic acid-containing precursor. [GOC:BHF]' - }, - 'GO:0052696': { - 'name': 'flavonoid glucuronidation', - 'def': 'The modification of a flavonoid by the conjugation of glucuronic acid. The resultant flavonoid glucuronosides are often much more water-soluble than the precursor. [GOC:BHF, PMID:20056724]' - }, - 'GO:0052697': { - 'name': 'xenobiotic glucuronidation', - 'def': 'The modification of a xenobiotic substance by the conjugation of glucuronic acid. The resultant glucuronosides are often much more water-soluble than the xenobiotic precursor, enabling efficient excretion. [GOC:BHF, PMID:20056724]' - }, - 'GO:0052698': { - 'name': 'ergothioneine metabolic process', - 'def': 'The chemical reactions and pathways involving ergothioneine, a naturally occurring metabolite of histidine with antioxidant properties. [CHEBI:4828, Wikipedia:Ergothioneine]' - }, - 'GO:0052699': { - 'name': 'ergothioneine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ergothioneine, a naturally occurring metabolite of histidine with antioxidant properties. [CHEBI:4828, Wikipedia:Ergothioneine]' - }, - 'GO:0052700': { - 'name': 'ergothioneine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ergothioneine, a naturally occurring metabolite of histidine with antioxidant properties. [CHEBI:4828, Wikipedia:Ergothioneine]' - }, - 'GO:0052701': { - 'name': 'cellular modified histidine metabolic process', - 'def': 'The chemical reactions and pathways involving compounds derived from histidine, 2-amino-3-(1H-imidazol-4-yl)propanoic acid. [CHEBI:24599, GOC:ai]' - }, - 'GO:0052702': { - 'name': 'cellular modified histidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of compounds derived from histidine, 2-amino-3-(1H-imidazol-4-yl)propanoic acid. [GOC:ai]' - }, - 'GO:0052703': { - 'name': 'cellular modified histidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of compounds derived from histidine, 2-amino-3-(1H-imidazol-4-yl)propanoic acid. [CHEBI:24599, GOC:ai]' - }, - 'GO:0052704': { - 'name': 'ergothioneine biosynthesis from histidine via N-alpha,N-alpha,N-alpha-trimethyl-L-histidine', - 'def': 'The pathway resulting in the formation of ergothioneine from histidine. Histidine undergoes three methylations by a histidine-alpha-N-methyltransferase (EC:2.1.1.44) to form N-alpha,N-alpha,N-alpha-trimethyl-L-histidine (also known as hercynine or histidine betaine). N-alpha,N-alpha,N-alpha-trimethyl-L-histidine is modified by the ligation of gamma-glutamyl-cysteine and oxygen; this intermediate undergoes further modification by the removal of glutamate to produce hercynylcysteine sulfoxide. Finally, a beta-lyase acts on this compound, removing pyruvate, ammonia and oxygen to produce ergothioneine. [DOI:10.1021/ja101721e, EC:2.1.1.44, PMID:4276459, PMID:5484456, Wikipedia:Ergothioneine]' - }, - 'GO:0052705': { - 'name': 'methylhistidine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + N-alpha-methyl-L-histidine = S-adenosyl-L-homocysteine + N-alpha,N-alpha-dimethyl-L-histidine. [EC:2.1.1.44]' - }, - 'GO:0052706': { - 'name': 'histidine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + L-histidine = S-adenosyl-L-homocysteine + N-alpha,N-alpha,N-alpha-trimethyl-L-histidine. [EC:2.1.1.44]' - }, - 'GO:0052707': { - 'name': 'N-alpha,N-alpha,N-alpha-trimethyl-L-histidine biosynthesis from histidine', - 'def': 'The pathway resulting in the formation of N-alpha,N-alpha,N-alpha-trimethyl-L-histidine from histidine. Histidine undergoes three methylations by a histidine-alpha-N-methyltransferase (EC:2.1.1.44) to form N-alpha,N-alpha,N-alpha-trimethyl-L-histidine (also known as hercynine or histidine betaine). [EC:2.1.1.44]' - }, - 'GO:0052708': { - 'name': 'N-alpha,N-alpha,N-alpha-trimethyl-L-histidine metabolic process', - 'def': 'The chemical reactions and pathways involving N-alpha,N-alpha,N-alpha-trimethyl-L-histidine, also known as histidine betaine or hercynine, a trimethylated derivative of histidine. [CHEBI:15781, KEGG:C05575]' - }, - 'GO:0052709': { - 'name': 'N-alpha,N-alpha,N-alpha-trimethyl-L-histidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of N-alpha,N-alpha,N-alpha-trimethyl-L-histidine, also known as histidine betaine or hercynine, a trimethylated derivative of histidine. [CHEBI:15781, KEGG:C05575]' - }, - 'GO:0052710': { - 'name': 'N-alpha,N-alpha,N-alpha-trimethyl-L-histidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of N-alpha,N-alpha,N-alpha-trimethyl-L-histidine, also known as histidine betaine or hercynine, a trimethylated derivative of histidine. [CHEBI:15781, KEGG:C05575]' - }, - 'GO:0052711': { - 'name': 'ergothioneine biosynthesis from N-alpha,N-alpha,N-alpha-trimethyl-L-histidine', - 'def': 'The pathway resulting in the formation of ergothioneine from N-alpha,N-alpha,N-alpha-trimethyl-L-histidine (also known as hercynine or histidine betaine). [KEGG:R04878]' - }, - 'GO:0052712': { - 'name': 'inositol phosphosphingolipid phospholipase activity', - 'def': 'Catalysis of the reaction: inositol phosphosphingolipid + H2O = sphingolipid + phosphorylinositol. [GOC:ai]' - }, - 'GO:0052713': { - 'name': 'inositol phosphorylceramide phospholipase activity', - 'def': 'Catalysis of the reaction: inositol phosphorylceramide + H2O = C26-phytoceramide + phosphorylinositol. [GOC:ai]' - }, - 'GO:0052714': { - 'name': 'mannosyl-inositol phosphorylceramide phospholipase activity', - 'def': 'Catalysis of the reaction: mannosyl-inositol phosphorylceramide + H2O = C26-phytoceramide + mannosylphosphorylinositol. [GOC:ai]' - }, - 'GO:0052715': { - 'name': 'mannosyl-diinositol phosphorylceramide phospholipase activity', - 'def': 'Catalysis of the reaction: mannosyl-diinositol phosphorylceramide + H2O = C26-phytoceramide + mannosyldiphosphorylinositol. [GOC:ai]' - }, - 'GO:0052716': { - 'name': 'hydroquinone:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: 4 hydroquinone + O2 = 4 benzosemiquinone + 4 H2O. [EC:1.10.3.2]' - }, - 'GO:0052717': { - 'name': 'tRNA-specific adenosine-34 deaminase activity', - 'def': 'Catalysis of the reaction: adenosine-34 + H2O = inosine-34 + NH3, in a tRNA-Ala molecule. [PMID:17875641]' - }, - 'GO:0052718': { - 'name': 'tRNA-specific adenosine-34 deaminase complex', - 'def': 'A protein complex that possesses tRNA-specific adenosine-34 deaminase activity. In eukaryotes the complex is a heterodimer; the subunits are known as Tad2p and Tad3p in yeasts and Adat2 and Adat3 in human. [PMID:17875641]' - }, - 'GO:0052719': { - 'name': 'apurinic/apyrimidinic endoribonuclease activity', - 'def': "Catalysis of the hydrolysis of ester linkages immediately 5' to an apurinic/apyrimidinic (AP; also called abasic) site within a ribonucleic acid molecule by creating internal breaks, generating a single-strand break with 5'-ribose phosphate and 3'-hydroxyl ends. [PMID:19401441]" - }, - 'GO:0052720': { - 'name': 'apurinic/apyrimidinic endodeoxyribonuclease activity', - 'def': "Catalysis of the hydrolysis of ester linkages immediately 5' to an apurinic/apyrimidinic (AP; also called abasic) site within a deoxyribonucleic acid molecule by creating internal breaks, generating a single-strand break with 5'-deoxyribose phosphate and 3'-hydroxyl ends. [PMID:19401441]" - }, - 'GO:0052721': { - 'name': 'regulation of apurinic/apyrimidinic endodeoxyribonuclease activity', - 'def': "Any process that modulates the frequency, rate or extent of apurinic/apyrimidinic (AP) endodeoxyribonuclease activity, the hydrolysis of ester linkages immediately 5' to an AP (also called abasic) site within a deoxyribonucleic acid molecule by creating internal breaks, generating a single-strand break with 5'-deoxyribose phosphate and 3'-hydroxyl ends. [PMID:19401441]" - }, - 'GO:0052722': { - 'name': 'fatty acid in-chain hydroxylase activity', - 'def': 'Catalysis of the reaction: fatty acid + O2 + 2 NADPH + H+ = fatty acid with in-chain hydroxy group + 2 NADP+ + H2O. [MetaCyc:RXN-12186]' - }, - 'GO:0052723': { - 'name': 'inositol hexakisphosphate 1-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1D-myo-inositol hexakisphosphate = ADP + 1-diphospho-1D-myo-inositol (2,3,4,5,6)pentakisphosphate. [GOC:jp, PMID:18981179]' - }, - 'GO:0052724': { - 'name': 'inositol hexakisphosphate 3-kinase activity', - 'def': 'Catalysis of the reaction: ATP + 1D-myo-inositol hexakisphosphate = ADP + 3-diphospho-1D-myo-inositol (1,2,4,5,6)pentakisphosphate. [GOC:jp, PMID:18981179]' - }, - 'GO:0052725': { - 'name': 'inositol-1,3,4-trisphosphate 6-kinase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,3,4-trisphosphate + ATP = 1D-myo-inositol 1,3,4,6-tetrakisphosphate + ADP + 2 H(+). [EC:2.7.1.134]' - }, - 'GO:0052726': { - 'name': 'inositol-1,3,4-trisphosphate 5-kinase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,3,4-trisphosphate + ATP = 1D-myo-inositol 1,3,4,5-tetrakisphosphate + ADP + 2 H(+). [EC:2.7.1.134]' - }, - 'GO:0052727': { - 'name': 'capsanthin synthase activity', - 'def': 'Catalysis of the reaction: antheraxanthin = capsanthin. [EC:5.3.99.8]' - }, - 'GO:0052728': { - 'name': 'capsorubin synthase activity', - 'def': 'Catalysis of the reaction: violaxanthin = capsorubin. [EC:5.3.99.8]' - }, - 'GO:0052729': { - 'name': 'dimethylglycine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + N,N-dimethylglycine = S-adenosyl-L-homocysteine + betaine. [EC:2.1.1.157]' - }, - 'GO:0052730': { - 'name': 'sarcosine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + sarcosine = S-adenosyl-L-homocysteine + N,N-dimethylglycine. [EC:2.1.1.157]' - }, - 'GO:0052731': { - 'name': 'phosphocholine phosphatase activity', - 'def': 'Catalysis of the reaction: choline phosphate + H2O = choline + phosphate. [EC:3.1.3.75]' - }, - 'GO:0052732': { - 'name': 'phosphoethanolamine phosphatase activity', - 'def': 'Catalysis of the reaction: O-phosphoethanolamine + H2O = ethanolamine + phosphate. [EC:3.1.3.75]' - }, - 'GO:0052733': { - 'name': 'quinate 3-dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: quinate + NADP+ = 3-dehydroquinate + NADPH + H+. [RHEA:18428]' - }, - 'GO:0052734': { - 'name': 'shikimate 3-dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: shikimate + NAD+ = 3-dehydroshikimate + NADH + H+. [RHEA:17744]' - }, - 'GO:0052735': { - 'name': 'tRNA (cytosine-3-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA = S-adenosyl-L-homocysteine + tRNA containing 3-methylcytosine. [PMID:21518804, PMID:21518805]' - }, - 'GO:0052736': { - 'name': 'beta-glucanase activity', - 'def': 'Catalysis of the hydrolysis of linkages in beta-D-glucans; beta-glucans are polysaccharides of D-glucose monomers linked by beta-glycosidic bonds. [Wikipedia:Beta-glucan]' - }, - 'GO:0052737': { - 'name': 'pyruvate dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: a ubiquinone + H2O + pyruvate = a ubiquinol + acetate + CO2. [EC:1.2.5.1]' - }, - 'GO:0052738': { - 'name': 'oxidoreductase activity, acting on the aldehyde or oxo group of donors, with a quinone or similar compound as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which an aldehyde or ketone (oxo) group acts as a hydrogen or electron donor and reduces a quinone or similar compound. [EC:1.2.5]' - }, - 'GO:0052739': { - 'name': 'phosphatidylserine 1-acylhydrolase activity', - 'def': 'Catalysis of the reaction: phosphatidylserine + H2O = 2-acyl-sn-glycero-3-phosphoserine + fatty acid. [KEGG:R04034]' - }, - 'GO:0052740': { - 'name': '1-acyl-2-lysophosphatidylserine acylhydrolase activity', - 'def': 'Catalysis of the reaction: 1-acyl-2-lysophosphatidylserine + H2O = sn-glycerol-phosphoserine + a carboxylate. [BRENDA:3.1.1.32]' - }, - 'GO:0052741': { - 'name': '(R)-limonene 6-monooxygenase activity', - 'def': 'Catalysis of the reaction: (4R)-limonene + H+ + NADPH + O2 = (1R,5S)-carveol + H2O + NADP+. [EC:1.14.13.80, RHEA:18960]' - }, - 'GO:0052742': { - 'name': 'phosphatidylinositol kinase activity', - 'def': 'Catalysis of the reaction: ATP + a phosphatidylinositol = ADP + a phosphatidylinositol phosphate. [GOC:ai]' - }, - 'GO:0052743': { - 'name': 'inositol tetrakisphosphate phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol tetrakisphosphate + H2O = myo-inositol trisphosphate + phosphate. [GOC:ai]' - }, - 'GO:0052744': { - 'name': 'phosphatidylinositol monophosphate phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylinositol monophosphate + H2O = phosphatidylinositol + phosphate. [GOC:ai]' - }, - 'GO:0052745': { - 'name': 'inositol phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: inositol phosphate(n) + H2O = inositol phosphate(n-1) + phosphate. This reaction is the removal of a phosphate group from an inositol phosphate. [GOC:ai]' - }, - 'GO:0052746': { - 'name': 'inositol phosphorylation', - 'def': 'The process of introducing one or more phosphate groups into inositol. Inositol is the cyclic alcohol 1,2,3,4,5,6-cyclohexanehexol, which is widely distributed in nature and acts as a growth factor in animals and microorganisms. [CHEBI:24848, ISBN:0198506732]' - }, - 'GO:0052747': { - 'name': 'sinapyl alcohol dehydrogenase activity', - 'def': 'Catalysis of the reaction: sinapaldehyde + NADPH + H+ = sinapyl-alcohol + NADP+. [GOC:mengo_curators, MetaCyc:RXN-1125]' - }, - 'GO:0052748': { - 'name': 'baicalin beta-D-glucuronidase activity', - 'def': 'Catalysis of the reaction: baicalin + H2O = baicalein + D-glucuronate. [GOC:mengo_curators, RHEA:28133]' - }, - 'GO:0052749': { - 'name': 'glucose-6-phosphate dehydrogenase (coenzyme F420) activity', - 'def': 'Catalysis of the reaction: beta-D-glucose 6-phosphate + coenzyme F420 + H+ = 6-O-phosphono-D-glucono-1,5-lactone + reduced coenzyme F420. [EC:1.1.98.2, GOC:mengo_curators, RHEA:27297]' - }, - 'GO:0052750': { - 'name': 'reactive-black-5:hydrogen-peroxide oxidoreductase activity', - 'def': 'Catalysis of the reaction: reactive black 5 + hydrogen peroxide = oxidized reactive black 5 + 2 H2O. [KEGG:R07612, MetaCyc:RXN-8666]' - }, - 'GO:0052751': { - 'name': 'GDP-mannose hydrolase activity', - 'def': 'Catalysis of the reaction: GDP-mannose + H2O = GMP + mannose-1-phosphate. [PMID:16766526]' - }, - 'GO:0052752': { - 'name': 'reduced coenzyme F420:heterodisulfide oxidoreductase activity', - 'def': 'Catalysis of the reaction: reduced coenzyme F420 + CoB-S-S-CoM = coenzyme F420 + CoM-SH + CoB-SH. [GOC:mengo_curators, PMID:9914308]' - }, - 'GO:0052753': { - 'name': 'propan-2-ol:coenzyme F420 oxidoreductase activity', - 'def': 'Catalysis of the reaction: propan-2-ol + coenzyme F420 = acetone + reduced coenzyme F420. [GOC:mengo_curators, PMID:15016352, PMID:1879431, PMID:8706724]' - }, - 'GO:0052754': { - 'name': 'GTP:coenzyme F420 guanyltransferase activity', - 'def': 'Catalysis of the reaction: GTP + factor gamma-F420-2 + H+ = coenzyme F390-G + diphosphate. [GOC:mengo_curators, MetaCyc:MONOMER-13942, MetaCyc:RXN-9385]' - }, - 'GO:0052755': { - 'name': 'reduced coenzyme F420:quinone oxidoreductase activity', - 'def': 'Catalysis of the reaction: reduced coenzyme F420 + 2,3-dimethyl-1,4-naphthoquinone = coenzyme F420 + reduced 2,3-dimethyl-1,4-naphthoquinone. Reduced 2,3-dimethyl-1,4-naphthoquinone is also known as 2,3-dimethyl-1,4-hydronaphthoquinone. [GOC:mengo_curators, PMID:10971593, PMID:8055920]' - }, - 'GO:0052756': { - 'name': 'chitobiose phosphorylase activity', - 'def': 'Catalysis of the reaction: chitobiose + phosphate = N-acetyl-D-glucosamine + N-acetyl-alpha-D-glucosamine 1-phosphate. This reaction is the phosphorolysis of chitobiose, (GlcNAc)2, a dimer of beta-(1->4) linked glucosamine units. [GOC:mengo_curators, PMID:15274915, Wikipedia:chitobiose]' - }, - 'GO:0052757': { - 'name': 'chondroitin hydrolase activity', - 'def': 'Catalysis of the hydrolysis of hexosaminic linkages in chondroitin, a linear polymer structure composed of the repeating disaccharide unit [->4)-D-glucuronic acid-(1->3)-N-acetyl-D-galactosamine-(1-], also written as [->4GlcUA1->3GalNAc1-]. [GOC:mengo_curators, PMID:18390555]' - }, - 'GO:0052758': { - 'name': 'coenzyme F420-dependent 2,4,6-trinitrophenol reductase activity', - 'def': 'Catalysis of the reaction: 2,4,6-trinitrophenol + H- = 2,4,6-trinitrophenol hydride Meisenheimer complex. Coenzyme F420 supplies the hydride (H-) in the reaction. [GOC:mengo_curators, PMID:11995829, UM-BBD_reactionID:r1065]' - }, - 'GO:0052759': { - 'name': 'coenzyme F420-dependent 2,4,6-trinitrophenol hydride reductase activity', - 'def': 'Catalysis of the reaction: trinitrophenol hydride Meisenheimer complex + H- = trinitrophenol dihydride Meisenheimer complex (aci form). Coenzyme F420 supplies the hydride (H-) in the reaction. [GOC:mengo_curators, UM-BBD_reactionID:r1066]' - }, - 'GO:0052760': { - 'name': 'coenzyme F420-dependent 2,4-dinitrophenol reductase activity', - 'def': 'Catalysis of the reaction: 2,4-dinitrophenol + H- = 2,4-dinitrophenol hydride Meisenheimer complex. Coenzyme F420 supplies the hydride (H-) in the reaction. [GOC:mengo_curators, PMID:11995829, UM-BBD_reactionID:r1071]' - }, - 'GO:0052761': { - 'name': 'exo-1,4-beta-D-glucosaminidase activity', - 'def': 'Catalysis of the reaction: [beta-(1->4)-D-glucosamine]n-[N-acetyl-D-glucosamine]m = D-glucosamine + [beta-(1->4)-D-glucosamine](n-1)-[N-acetyl-D-glucosamine]m. This reaction is the hydrolysis of chitosan or chitosan oligosaccharides to remove a D-glucosamine residue from the non-reducing termini; chitosan is a linear polysaccharide composed of randomly distributed beta-(1->4)-linked D-glucosamine and N-acetyl-D-glucosamine units. [EC:3.2.1.165, GOC:mengo_curators, MetaCyc:3.2.1.165-RXN]' - }, - 'GO:0052762': { - 'name': 'gellan lyase activity', - 'def': 'Catalysis of the reaction: gellan = n beta-D-4-deoxy-delta4,5-GlcAp-(1->4)-beta-D-Glcp-(1->4)-alpha-L-Rhap-(1->3)-beta-D-Glcp. This reaction is the eliminative cleavage of beta-D-glucopyranosyl-(1->4)-beta-D-glucopyranosyluronate bonds of gellan backbone, releasing tetrasaccharides containing a 4-deoxy-4,5-unsaturated D-glucopyranosyluronic acid at the non-reducing end; in the product, the abbreviations are D-glucose (Glc), D-glucuronic acid (GlcA), and L-rhamnose (Rha). [GOC:mengo_curators, MetaCyc:RXN-12269]' - }, - 'GO:0052763': { - 'name': 'ulvan lyase activity', - 'def': 'Catalysis of the cleavage of a carbon-oxygen bond in ulvan, a carbohydrate composed of a repeating structure of [->4)-beta-D-GlcA-(1,4)-alpha-L-Rha 3S-(1->4)-alpha-L-IdoA-(1->4)-alpha-L-Rha 3S-(1-]n. Continued digest of ulvan with an enzyme that can catalyze this reaction results in ulvanobiouronic acid A 3-sulfate [->4)-beta-D-GlcpA-(1->4)-alpha-L-Rhap 3-sulfate-(1-]n with 4-deoxy-L-threo-hex-4-enopyranosiduronic acid at the non-reducing end. [GOC:mengo_curators, PMID:9468631]' - }, - 'GO:0052764': { - 'name': 'exo-oligoalginate lyase activity', - 'def': 'Catalysis of the cleavage of glycosidic bonds through a beta-elimination reaction on alginate, a linear polysaccharide consisting of guluronate (G) and mannuronate (M) as the monomer constituents. An oligoalginate is a linear polymer of two, three or four units of (1->4)-alpha-L-guluronic acid and beta-D-mannuronic acid, releasing monosaccharides with 4-deoxy-alpha-L-erythro-hex-4-enopyranuronosyl groups at their ends. [GOC:mengo_curators, PMID:20925655]' - }, - 'GO:0052765': { - 'name': 'reduced coenzyme F420 oxidase activity', - 'def': 'Catalysis of the reaction: 2 reduced coenzyme F420 + O2 = 2 coenzyme F420 + 2 H2O. [GOC:mengo_curators, PMID:15340796]' - }, - 'GO:0052766': { - 'name': 'mannoside alpha-1,4-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of the alpha-(1->4) linkage of the terminal, non-reducing alpha-D-mannose residues in alpha-D-mannosides. [GOC:mengo_curators, PMID:20081828]' - }, - 'GO:0052767': { - 'name': 'mannosyl-oligosaccharide 1,6-alpha-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of the alpha-(1->6) bonds of alpha-D-mannose residues in mannosyl-oligosaccharide. [GOC:mengo_curators, PMID:1849817, PMID:2338081]' - }, - 'GO:0052768': { - 'name': 'mannosyl-oligosaccharide 1,3-alpha-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of the alpha-(1->3) bonds of alpha-D-mannose residues in mannosyl-oligosaccharide. [GOC:mengo_curators, PMID:1849817, PMID:2338081]' - }, - 'GO:0052769': { - 'name': 'beta-6-sulfate-N-acetylglucosaminidase activity', - 'def': 'Catalysis of the glycosidic cleavage of the terminal 2-acetamido-2-deoxy-beta-D-glucopyranoside 6-sulfate (6-SO3-GlcNAc) residue from sulfomucin, a sulfated mucin derivative. [GOC:mengo_curators, PMID:15716424]' - }, - 'GO:0052770': { - 'name': 'coenzyme F390-A hydrolase activity', - 'def': 'Catalysis of the reaction: coenzyme F390-A = AMP + coenzyme F420. [GOC:mengo_curators, PMID:8536708, PMID:9352911]' - }, - 'GO:0052771': { - 'name': 'coenzyme F390-G hydrolase activity', - 'def': 'Catalysis of the reaction: coenzyme F390-G = GMP + coenzyme F420. [GOC:mengo_curators, PMID:8536708, PMID:9352911]' - }, - 'GO:0052772': { - 'name': 'brefeldin A esterase activity', - 'def': 'Catalysis of the hydrolysis of brefeldin A to produce brefeldin A acid. Brefeldin A is also known as gamma,4-dihydroxy-2-(6-hydroxy-1-heptenyl)-4-cyclopentanecrotonic acid lambda-lactone. [GOC:mengo_curators, PMID:10201402, PMID:8106385]' - }, - 'GO:0052773': { - 'name': 'diacetylchitobiose deacetylase activity', - 'def': "Catalysis of the reaction: N,N'-diacetylchitobiose (GlcNac2) + H2O = acetate + 2-acetamido-4-O-(2-amino-2-deoxy-beta-D-glucopyranosyl)-2-deoxy-D-glucose (GlcN-GlcNAc). [GOC:bf, GOC:mengo_curators, MetaCyc:RXN-12543, PMID:15136574, PMID:16232910, PMID:16736587]" - }, - 'GO:0052774': { - 'name': 'glucosyl-N-acetylglucosamine glucosaminidase activity', - 'def': 'Catalysis of the reaction: glucosyl-N-acetylglucosamine + H2O = glucosamine + N-acetylglucosamine. [GOC:mengo_curators, PMID:15136574, PMID:16232910, PMID:16736587]' - }, - 'GO:0052775': { - 'name': 'endo-1,3-alpha-L-rhamnosidase activity', - 'def': 'Catalysis of the reaction: R1-L-rhamnose-(1->3)-alpha-L-rhamnose-R2 + H2O = R1-L-rhamnose + L-rhamnose-R2. This reaction is the hydrolysis of an alpha-(1->3) linkage between two rhamnose residues in a polysaccharide chain. [GOC:mengo_curators, PMID:10439404]' - }, - 'GO:0052776': { - 'name': 'diacetylchitobiose catabolic process to glucosamine and acetate', - 'def': 'The pathway resulting in the breakdown of diacetylchitobiose into simpler products, including glucosamine and glucosamine. The catabolism proceeds by the deacetylation of diacetylchitobiose, producing acetate and GlcN-GlcNAc; the latter is cleaved to produce glucosamine (GlcN) and N-acetylglucosamine (GlcNAc). The N-acetylglucosamine (GlcNAc) is then deacetylated to produce glucosamine (GlcN) and acetate. [GOC:bf, GOC:mengo_curators, MetaCyc:PWY-6855, PMID:15136574, PMID:16232910, PMID:16736587]' - }, - 'GO:0052777': { - 'name': 'diacetylchitobiose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of diacetylchitobiose into simpler products. [CHEBI:28681]' - }, - 'GO:0052778': { - 'name': 'diacetylchitobiose metabolic process', - 'def': "The chemical reactions and pathways involving diacetylchitobiose, the N,N'-diacetylated derivative of chitobiose. [CHEBI:28681]" - }, - 'GO:0052779': { - 'name': 'amino disaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving any amino disaccharide, a disaccharide having one or more substituted or unsubstituted amino groups in place of hydroxy groups at unspecified positions. [CHEBI:22480]' - }, - 'GO:0052780': { - 'name': 'chitobiose metabolic process', - 'def': 'The chemical reactions and pathways involving chitobioses, a family of compounds derived from chitin and based on the structure of D-glucosaminyl-(1->4)-D-glucosamine. [CHEBI:50674]' - }, - 'GO:0052781': { - 'name': 'chitobiose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any chitobiose, a family of compounds derived from chitin and based on the structure of D-glucosaminyl-(1->4)-D-glucosamine. [CHEBI:50674]' - }, - 'GO:0052782': { - 'name': 'amino disaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any amino disaccharide, a disaccharide having one or more substituted or unsubstituted amino groups in place of hydroxy groups at unspecified positions. [CHEBI:22480]' - }, - 'GO:0052783': { - 'name': 'reuteran metabolic process', - 'def': 'The chemical reactions and pathways involving reuteran, a soluble glucan polymer with mainly alpha-(1->4) glycosidic linkages and significant amounts of alpha-(1->6) and alpha-(1->4,6) glucosidic linkages. [PMID:15256553, PMID:16000808]' - }, - 'GO:0052784': { - 'name': 'reuteran biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of reuteran, a soluble glucan polymer with mainly alpha-(1->4) glycosidic linkages and significant amounts of alpha-(1->6) and alpha-(1->4,6) glucosidic linkages. [GOC:mengo_curators, PMID:15256553, PMID:16000808]' - }, - 'GO:0052785': { - 'name': 'cellulose catabolism by endo-processive cellulases', - 'def': 'The breakdown into simpler components of cellulose. Catabolism is initiated by endohydrolytic attacks on the cellulose chain, and the resulting pieces are further degraded by cellulase enzymes to produce smaller and smaller fragments. [GOC:mengo_curators, PMID:18035374]' - }, - 'GO:0052786': { - 'name': 'alpha-linked polysaccharide catabolism to maltotriose', - 'def': 'The breakdown of large alpha-linked polysaccharides by hydrolysis of (1->4)-alpha-D-glucosidic linkages to yield maltotriose. [GOC:mengo_curators, PMID:7511484, PMID:9406414]' - }, - 'GO:0052787': { - 'name': 'alpha-linked polysaccharide catabolism to maltopentaose', - 'def': 'The breakdown of large alpha-linked polysaccharides by hydrolysis of (1->4)-alpha-D-glucosidic linkages to yield maltopentaose. [GOC:mengo_curators, PMID:7511484, PMID:9406414]' - }, - 'GO:0052788': { - 'name': 'd-4,5 unsaturated beta-glucuronyl hydrolase activity', - 'def': 'Catalysis of the hydrolysis of the glycosidic bond in an unsaturated saccharide between the unsaturated glucuronyl residue at the nonreducing terminus and the saccharide linked to the residue. [GOC:mengo_curators, PMID:12729728]' - }, - 'GO:0052789': { - 'name': 'mannan 1,3-beta-mannosidase activity', - 'def': 'Catalysis of the hydrolysis of (1->3)-beta-D-mannosidic linkages in mannans, releasing mannose. [EC:3.2.1.78, GOC:mengo_curators]' - }, - 'GO:0052790': { - 'name': 'chitooligosaccharide deacetylase activity', - 'def': 'Catalysis of the reaction: chitooligosaccharide with N-acetylglucosamine at nonreducing terminal + H2O = chitooligosaccharide with glucosamine at nonreducing terminal + acetate. This reaction is the deacetylation of a chitooligosaccharide at the nonreducing N-acetylglucosamine residue; chitooligosaccharide are composed of (1->4)-linked D-glucosamine (GlcN) and N-acetyl-D-glucosamine (GlcNAc) in varying proportions. [GOC:mengo_curators, PMID:8421697, PMID:8986807]' - }, - 'GO:0052791': { - 'name': '3-deoxy-D-glycero-D-galacto-2-nonulosonic acid hydrolase activity', - 'def': 'Catalysis of the reaction: (2-keto-3-deoxynononic acid)n + H2O = (2-keto-3-deoxynononic acid)n-1 + 2-keto-3-deoxynononic acid. This reaction is the hydrolysis of a 2-keto-3-deoxynononic acid residue from a poly-2-keto-3-deoxynononic acid chain. [GOC:mengo_curators, PMID:21247893]' - }, - 'GO:0052792': { - 'name': 'endo-xylogalacturonan hydrolase activity', - 'def': 'Catalysis of the endohydrolysis of xylogalacturonate by cleavage of the alpha-(1,4)-linkage. Xylogalacturonate (XGA) is composed of a chain of alpha-(1,4)-linked D-galacturonic acid residues with beta-D-xylose substituted at the O3 position. [GOC:mengo_curators, PMID:10618200]' - }, - 'GO:0052793': { - 'name': 'pectin acetylesterase activity', - 'def': 'Catalysis of the reaction: pectin + H2O = pectate + acetate. This reaction is the hydrolysis of acetyl esters of pectin, producing pectate, partially esterified pectin. [GOC:mengo_curators, PMID:9218776]' - }, - 'GO:0052794': { - 'name': 'exo-alpha-(2->3)-sialidase activity', - 'def': 'Catalysis of the hydrolysis of alpha-(2->3)-glycosidic linkages of terminal sialic residues in substrates. [EC:3.2.1.18, GOC:mengo_curators]' - }, - 'GO:0052795': { - 'name': 'exo-alpha-(2->6)-sialidase activity', - 'def': 'Catalysis of the hydrolysis of alpha-(2->6)-glycosidic linkages of terminal sialic residues in substrates. [EC:3.2.1.18, GOC:mengo_curators]' - }, - 'GO:0052796': { - 'name': 'exo-alpha-(2->8)-sialidase activity', - 'def': 'Catalysis of the hydrolysis of alpha-(2->8)-glycosidic linkages of terminal sialic residues in substrates. [EC:3.2.1.18, GOC:mengo_curators]' - }, - 'GO:0052797': { - 'name': '4-O-methyl-glucuronoyl methylesterase activity', - 'def': 'Catalysis of the reaction: [X]-4-O-methyl-D-glucuronic acid + H2O = [X]-OH + methyl-D-glucuronic acid. This reaction is the hydrolysis of the ester linkage between 4-O-methyl-D-glucuronic acid (MeGlcA) and an alcohol (-OH) group attached to a molecule, denoted here as [X]. [GOC:mengo_curators, PMID:16876163]' - }, - 'GO:0052798': { - 'name': 'beta-galactoside alpha-2,3-sialyltransferase activity', - 'def': 'Catalysis of the transfer of sialyl residues alpha-2,3-linked to a beta galactosyl residue on the donor to form an alpha-2,3 linkage to a terminal beta galactosyl residue on the acceptor. [GOC:mengo_curators, PMID:7826016, PMID:8405811]' - }, - 'GO:0052799': { - 'name': 'coenzyme F420-dependent bicyclic nitroimidazole catabolic process', - 'def': 'The breakdown of a bicyclic nitroimidazole into simpler components in a process that requires coenzyme F420 and produces reactive nitrogen species. Hydride, from reduced coenzyme F420, is added to the bicyclic nitroimidazole, resulting in unstable substances that break down to form three stable products. The elimination of nitrous acid produces the corresponding des-nitroimidazole; hydrolysis produces a related compound; and further reduction creates an aromatic hydroxylamine metabolite that degrades further. These reactions release hyponitrous acid and nitrous acid, which is unstable and disproportionates into nitric oxide (NO) and other reactive nitrogen intermediates. [GOC:mengo_curators, PMID:16387854, PMID:19039139]' - }, - 'GO:0052800': { - 'name': 'bicyclic nitroimidazole catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a bicyclic nitroimidazole. [PMID:16387854, PMID:19039139]' - }, - 'GO:0052801': { - 'name': 'bicyclic nitroimidazole metabolic process', - 'def': 'The chemical reactions and pathways involving bicyclic nitroimidazoles, imidazole derivatives with two rings and a nitro group attached to one ring. [PMID:16387854, PMID:19039139]' - }, - 'GO:0052802': { - 'name': 'nitroimidazole metabolic process', - 'def': 'The chemical reactions and pathways involving nitroimidazoles, imidazole derivatives with a nitro group attached to one ring. [PMID:16387854, PMID:19039139]' - }, - 'GO:0052803': { - 'name': 'imidazole-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving imidazoles, five-membered organic heterocycle containing two nitrogen atoms at positions 1 and 3, or any of its derivatives; compounds containing an imidazole skeleton. [CHEBI:24780]' - }, - 'GO:0052804': { - 'name': 'nitroimidazole catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nitroimidazoles, imidazole derivatives with a nitro group attached to one ring. [PMID:16387854, PMID:19039139]' - }, - 'GO:0052805': { - 'name': 'imidazole-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of imidazoles, five-membered organic heterocycle containing two nitrogen atoms at positions 1 and 3, or any of its derivatives; compounds containing an imidazole skeleton. [CHEBI:24780]' - }, - 'GO:0052806': { - 'name': 'sulfite reductase (coenzyme F420) activity', - 'def': 'Catalysis of the reaction: sulfite + 3 1,5-dihydrocoenzyme F420 = hydrogen sulfide + 3 H2O + 3 coenzyme F420. 1,5-dihydrocoenzyme F420 is also known as reduced coenzyme F420. [GOC:mengo_curators, PMID:16048999]' - }, - 'GO:0052807': { - 'name': 'aflatoxin reductase (coenzyme F420) activity', - 'def': 'Catalysis of the reaction: aflatoxin + 1,5-dihydrocoenzyme F420 = aflatoxin with reduced furanocoumarin moiety + coenzyme F420. 1,5-dihydrocoenzyme F420 is also known as reduced coenzyme F420. [GOC:mengo_curators, PMID:20807200]' - }, - 'GO:0052808': { - 'name': 'reduced coenzyme F420:NADP+ oxidoreductase activity', - 'def': 'Catalysis of the reaction: NADP+ + 1,5-dihydrocoenzyme F420 = NADPH + H+ + coenzyme F420. 1,5-dihydrocoenzyme F420 is also known as reduced coenzyme F420. [GOC:mengo_curators, PMID:11726492]' - }, - 'GO:0052809': { - 'name': 'acharan sulfate lyase activity', - 'def': 'Catalysis of the cleavage of a carbon-oxygen bond in acharan sulfate, a glycosaminoglycan with a uniformly repeating disaccharide structure of alpha-D-N-acetylglucosaminyl-2-O-sulfo-alpha-L-iduronic acid. [GOC:mengo_curators, PMID:19566715]' - }, - 'GO:0052810': { - 'name': '1-phosphatidylinositol-5-kinase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol + ATP = a 1-phosphatidyl-1D-myo-inositol 5-phosphate + ADP + 2 H(+). [EC:2.7.1.137]' - }, - 'GO:0052811': { - 'name': '1-phosphatidylinositol-3-phosphate 4-kinase activity', - 'def': 'Catalysis of the reaction: a 1-phosphatidyl-1D-myo-inositol 4-phosphate + ATP = a 1-phosphatidyl-1D-myo-inositol 3,4-bisphosphate + ADP + 2 H(+). [EC:2.7.1.150]' - }, - 'GO:0052812': { - 'name': 'phosphatidylinositol-3,4-bisphosphate 5-kinase activity', - 'def': 'Catalysis of the reaction: 1-phosphatidyl-1D-myo-inositol 3,4-bisphosphate + ATP = a 1-phosphatidyl-1D-myo-inositol 3,4,5-trisphosphate + ADP + 2 H(+). [EC:2.7.1.153]' - }, - 'GO:0052813': { - 'name': 'phosphatidylinositol bisphosphate kinase activity', - 'def': 'Catalysis of the reaction: ATP + a phosphatidylinositol bisphosphate = ADP + a phosphatidylinositol trisphosphate. [GOC:ai]' - }, - 'GO:0052814': { - 'name': 'medium-chain-aldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: a medium-chain aldehyde + NAD+ = a medium-chain carboxylate + NADH + H+. Medium-chain aldehydes have a chain length of between 8 and 12 carbons. [EC:1.2.1.48]' - }, - 'GO:0052815': { - 'name': 'medium-chain acyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + a medium-chain acyl-CoA = a medium-chain carboxylate + CoA. A medium chain is a chain of between eight and twelve carbons in length. [EC:3.1.2.19]' - }, - 'GO:0052816': { - 'name': 'long-chain acyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + a long-chain acyl-CoA = a long-chain carboxylate + CoA. A long chain is a chain of greater than 12 carbons in length. [EC:3.1.2.19]' - }, - 'GO:0052817': { - 'name': 'very long chain acyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + a very long chain acyl-CoA = a very long chain carboxylate + CoA. A very long chain has chain length greater than C18. [EC:3.1.2.19]' - }, - 'GO:0052818': { - 'name': 'heteroglycan 3-alpha-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: heteroglycan + GDP-mannose = (1->3)-alpha-D-mannosylheteroglycan + GDP. [EC:2.4.1.48, MetaCyc:RXN-7992]' - }, - 'GO:0052819': { - 'name': 'heteroglycan 2-alpha-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: heteroglycan + GDP-mannose = (1->2)-alpha-D-mannosylheteroglycan + GDP. [EC:2.4.1.48, MetaCyc:2.4.1.48-RXN]' - }, - 'GO:0052820': { - 'name': 'DNA-1,N6-ethenoadenine N-glycosylase activity', - 'def': "Catalysis of the reaction: DNA with 1-N6-ethenoadenine + H2O = DNA with abasic site + 1-N6-ethenoadenine. This reaction is the removal of 1,N6-ethenoadenine by cleaving the N-C1' glycosidic bond between the target damaged DNA base and the deoxyribose sugar. [PMID:21960007]" - }, - 'GO:0052821': { - 'name': 'DNA-7-methyladenine glycosylase activity', - 'def': "Catalysis of the reaction: DNA containing 7-methyladenine + H2O = DNA with abasic site + 7-methyladenine. This reaction is the hydrolysis of DNA by cleavage of the N-C1' glycosidic bond between the damaged DNA 7-methyladenine and the deoxyribose sugar to remove the 7-methyladenine, leaving an abasic site. [GOC:jl, PMID:16468998]" - }, - 'GO:0052822': { - 'name': 'DNA-3-methylguanine glycosylase activity', - 'def': "Catalysis of the reaction: DNA containing 3-methylguanine + H2O = DNA with abasic site + 3-methylguanine. This reaction is the hydrolysis of DNA by cleavage of the N-C1' glycosidic bond between the damaged DNA 3-methylguanine and the deoxyribose sugar to remove the 3-methylguanine, leaving an abasic site. [EC:3.2.2.21, GOC:elh, PMID:10872450, PMID:9224623]" - }, - 'GO:0052823': { - 'name': '2-hydroxy-6-oxonona-2,4,7-trienedioate hydrolase activity', - 'def': 'Catalysis of the reaction: (2E,4Z,7E)-2-hydroxy-6-oxonona-2,4,7-trienedioate + H2O = (2E)-2-hydroxypenta-2,4-dienoate + fumarate + H+. [RHEA:25049]' - }, - 'GO:0052824': { - 'name': 'dolichyl-pyrophosphate Man7GlcNAc2 alpha-1,6-mannosyltransferase activity', - 'def': 'Catalysis of the addition of mannose to dolichyl-pyrophosphate Man7GlcNAc2 (also written as Man7GlcNAc2-PP-Dol) in alpha-(1->6) linkage, producing Man8GlcNAc2-PP-Dol. [PMID:10336995]' - }, - 'GO:0052825': { - 'name': 'inositol-1,3,4,5,6-pentakisphosphate 1-phosphatase activity', - 'def': 'Catalysis of the reaction: inositol-1,3,4,5,6-pentakisphosphate + H2O = inositol-3,4,5,6-tetrakisphosphate + phosphate. [GOC:ai]' - }, - 'GO:0052826': { - 'name': 'inositol hexakisphosphate 2-phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol hexakisphosphate + H2O = myo-inositol 1,3,4,5,6-pentakisphosphate + phosphate. [EC:3.1.3.62]' - }, - 'GO:0052827': { - 'name': 'inositol pentakisphosphate phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol pentakisphosphate + H2O = myo-inositol tetrakisphosphate + phosphate. [GOC:bf]' - }, - 'GO:0052828': { - 'name': 'inositol-3,4-bisphosphate 4-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 3,4-bisphosphate + H2O = 1D-myo-inositol 3-phosphate + phosphate. [GOC:mah]' - }, - 'GO:0052829': { - 'name': 'inositol-1,3,4-trisphosphate 1-phosphatase activity', - 'def': 'Catalysis of the reaction: D-myo-inositol 1,3,4-trisphosphate + H2O = myo-inositol 3,4-bisphosphate + phosphate. [GOC:ai]' - }, - 'GO:0052830': { - 'name': 'inositol-1,3,4,6-tetrakisphosphate 6-phosphatase activity', - 'def': 'Catalysis of the reaction: inositol-1,3,4,6-tetrakisphosphate + H2O = inositol-1,3,4-trisphosphate + phosphate. [GOC:ai]' - }, - 'GO:0052831': { - 'name': 'inositol-1,3,4,6-tetrakisphosphate 1-phosphatase activity', - 'def': 'Catalysis of the reaction: inositol-1,3,4,6-tetrakisphosphate + H2O = inositol-3,4,6-trisphosphate + phosphate. [GOC:ai]' - }, - 'GO:0052832': { - 'name': 'inositol monophosphate 3-phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol 3-phosphate + H2O = myo-inositol + phosphate. [EC:3.1.3.25]' - }, - 'GO:0052833': { - 'name': 'inositol monophosphate 4-phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol 4-phosphate + H2O = myo-inositol + phosphate. [EC:3.1.3.25]' - }, - 'GO:0052834': { - 'name': 'inositol monophosphate phosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol phosphate + H2O = myo-inositol + phosphate. [EC:3.1.3.25]' - }, - 'GO:0052835': { - 'name': 'inositol-3,4,6-trisphosphate 1-kinase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 3,4,6-trisphosphate + ATP = 1D-myo-inositol 1,3,4,6-tetrakisphosphate + ADP + 2 H(+). [EC:2.7.1.134]' - }, - 'GO:0052836': { - 'name': 'inositol 5-diphosphate pentakisphosphate 5-kinase activity', - 'def': 'Catalysis of the reaction: ATP + inositol 5-diphosphate pentakisphosphate = ADP + inositol 5-triphosphate pentakisphosphate. [PMID:11502751, PMID:18355727]' - }, - 'GO:0052837': { - 'name': 'thiazole biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a thiazole, a five-membered heterocyclic ring structure containing a sulfur in the 1-position and a nitrogen in the 3-position. [CHEBI:43732, GOC:curators]' - }, - 'GO:0052838': { - 'name': 'thiazole metabolic process', - 'def': 'The chemical reactions and pathways involving thiazole, a five-membered heterocyclic ring structure containing a sulfur in the 1-position and a nitrogen in the 3-position. [CHEBI:43732, GOC:curators]' - }, - 'GO:0052839': { - 'name': 'inositol diphosphate tetrakisphosphate kinase activity', - 'def': 'Catalysis of the reaction: Catalysis of the reaction: ATP + inositol diphosphate tetrakisphosphate = ADP + inositol bisdiphosphate trisphosphate. [PMID:10827188, PMID:11502751, PMID:18355727]' - }, - 'GO:0052840': { - 'name': 'inositol diphosphate tetrakisphosphate diphosphatase activity', - 'def': 'Catalysis of the reaction: inositol diphosphate tetrakisphosphate + H2O = inositol 1,3,4,5,6-pentakisphosphate + phosphate. [MetaCyc:RXN-10963, PMID:10827188, PMID:11502751]' - }, - 'GO:0052841': { - 'name': 'inositol bisdiphosphate tetrakisphosphate diphosphatase activity', - 'def': 'Catalysis of the reaction: inositol bisdiphosphate tetrakisphosphate + H2O = inositol diphosphate pentakisphosphate + phosphate. [MetaCyc:RXN-10965, MetaCyc:RXN-10975, MetaCyc:RXN-10976, PMID:10827188, PMID:11502751]' - }, - 'GO:0052842': { - 'name': 'inositol diphosphate pentakisphosphate diphosphatase activity', - 'def': 'Catalysis of the reaction: inositol diphosphate pentakisphosphate + H2O = inositol hexakisphosphate + phosphate. [MetaCyc:RXN-10964, MetaCyc:RXN-10977, MetaCyc:RXN-10978, PMID:10827188, PMID:11502751]' - }, - 'GO:0052843': { - 'name': 'inositol-1-diphosphate-2,3,4,5,6-pentakisphosphate diphosphatase activity', - 'def': 'Catalysis of the reaction: inositol 1-diphosphate 2,3,4,5,6-pentakisphosphate + H2O = inositol 1,2,3,4,5,6-hexakisphosphate + phosphate + 2 H+. [MetaCyc:RXN-10977, PMID:10827188, PMID:11502751]' - }, - 'GO:0052844': { - 'name': 'inositol-3-diphosphate-1,2,4,5,6-pentakisphosphate diphosphatase activity', - 'def': 'Catalysis of the reaction: inositol 3-diphosphate 1,2,4,5,6-pentakisphosphate + H2O = inositol 1,2,3,4,5,6-hexakisphosphate + phosphate + 2 H+. [MetaCyc:RXN-10978, PMID:10827188, PMID:11502751]' - }, - 'GO:0052845': { - 'name': 'inositol-5-diphosphate-1,2,3,4,6-pentakisphosphate diphosphatase activity', - 'def': 'Catalysis of the reaction: inositol 5-diphosphate 1,2,3,4,6-pentakisphosphate + H2O = inositol 1,2,3,4,5,6-hexakisphosphate + phosphate + 2 H+. [MetaCyc:RXN-10964, PMID:10827188, PMID:11502751]' - }, - 'GO:0052846': { - 'name': 'inositol-1,5-bisdiphosphate-2,3,4,6-tetrakisphosphate 1-diphosphatase activity', - 'def': 'Catalysis of the reaction: 1,5-bisdiphosphoinositol-1D-myo-inositol 2,3,4,6-tetrakisphosphate + H2O = 1-diphospho-1D-myo-inositol 1,2,3,4,6-pentakisphosphate + phosphate + H+. [MetaCyc:RXN-10965, PMID:10827188, PMID:11502751]' - }, - 'GO:0052847': { - 'name': 'inositol-1,5-bisdiphosphate-2,3,4,6-tetrakisphosphate 5-diphosphatase activity', - 'def': 'Catalysis of the reaction: 1,5-bisdiphosphoinositol-1D-myo-inositol 2,3,4,6-tetrakisphosphate + H2O = 1-diphospho-1D-myo-inositol 2,3,4,5,6-pentakisphosphate + phosphate + H+. [MetaCyc:RXN-10975, PMID:10827188, PMID:11502751]' - }, - 'GO:0052848': { - 'name': 'inositol-3,5-bisdiphosphate-2,3,4,6-tetrakisphosphate 5-diphosphatase activity', - 'def': 'Catalysis of the reaction: 3,5-bisdiphosphoinositol-1D-myo-inositol 2,3,4,6-tetrakisphosphate + H2O = 3-diphospho-1D-myo-inositol 1,2,4,5,6-pentakisphosphate + phosphate + H+. [MetaCyc:RXN-10976, PMID:10827188, PMID:11502751]' - }, - 'GO:0052849': { - 'name': 'NADPH-dependent curcumin reductase activity', - 'def': 'Catalysis of the reaction: curcumin + NADPH + H+ = dihydrocurcumin + NADP+. [MetaCyc:RXN0-6676]' - }, - 'GO:0052850': { - 'name': 'NADPH-dependent dihydrocurcumin reductase activity', - 'def': 'Catalysis of the reaction: dihydrocurcumin + NADPH+ + H+ = tetrahydrocurcumin + NADP+. [MetaCyc:RXN0-6677]' - }, - 'GO:0052851': { - 'name': 'ferric-chelate reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: 2 Fe3+ + NADPH = 2 Fe2+ + H+ + NADP+ . [MetaCyc:RXN0-6555]' - }, - 'GO:0052852': { - 'name': 'very-long-chain-(S)-2-hydroxy-acid oxidase activity', - 'def': 'Catalysis of the reaction: very-long-chain (S)-2-hydroxy-acid + O2 = very-long-chain 2-oxo acid + hydrogen peroxide. Very long chain refers to a chain length of greater than 18 carbons. [EC:1.1.3.15]' - }, - 'GO:0052853': { - 'name': 'long-chain-(S)-2-hydroxy-long-chain-acid oxidase activity', - 'def': 'Catalysis of the reaction: long-chain-(S)-2-hydroxy-acid + O2 = long-chain-2-oxo acid + hydrogen peroxide. Long chain refers to a chain length of 14 to 18 carbons. [EC:1.1.3.15]' - }, - 'GO:0052854': { - 'name': 'medium-chain-(S)-2-hydroxy-acid oxidase activity', - 'def': 'Catalysis of the reaction: medium-chain-(S)-2-hydroxy-acid + O2 = medium-chain-2-oxo acid + hydrogen peroxide. Medium chain refers to a chain length of between 8 and 12 carbons. [EC:1.1.3.15]' - }, - 'GO:0052855': { - 'name': 'ADP-dependent NAD(P)H-hydrate dehydratase activity', - 'def': 'Catalysis of the reaction: (6S)-6beta-hydroxy-1,4,5,6-tetrahydronicotinamide adenine dinucleotide + ADP = AMP + 3 H(+) + NADH + phosphate. [EC:4.2.1.93, PMID:21994945]' - }, - 'GO:0052856': { - 'name': 'NADHX epimerase activity', - 'def': 'Catalysis of the reaction: (R)-NADHX = (S)-NADHX. [PMID:21994945]' - }, - 'GO:0052857': { - 'name': 'NADPHX epimerase activity', - 'def': 'Catalysis of the reaction: (R)-NADPHX = (S)-NADPHX. [PMID:21994945]' - }, - 'GO:0052858': { - 'name': 'peptidyl-lysine acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl phosphate + peptidyl-L-lysine = phosphate + peptidyl-N6-acetyl-L-lysine. [GOC:tb]' - }, - 'GO:0052859': { - 'name': 'glucan endo-1,4-beta-glucosidase activity', - 'def': 'Catalysis of the random hydrolysis of (1->4) linkages in (1->4)-beta-D-glucans. [EC:3.2.1.75]' - }, - 'GO:0052860': { - 'name': "2'-deoxymugineic-acid 3-dioxygenase activity", - 'def': "Catalysis of the reaction: 2'-deoxymugineic acid + 2-oxoglutarate + O2 = 3-epihydroxy-2'-deoxymugineic acid + succinate + CO2. [EC:1.14.11.25]" - }, - 'GO:0052861': { - 'name': 'glucan endo-1,3-beta-glucanase activity, C-3 substituted reducing group', - 'def': 'Catalysis of the endohydrolysis of (1->3)-linkages in beta-D-glucans when the glucose residue whose reducing group is involved in the linkage to be hydrolysed is itself substituted at C-3. [EC:3.2.1.6]' - }, - 'GO:0052862': { - 'name': 'glucan endo-1,4-beta-glucanase activity, C-3 substituted reducing group', - 'def': 'Catalysis of the endohydrolysis of (1->4)-linkages in beta-D-glucans when the glucose residue whose reducing group is involved in the linkage to be hydrolysed is itself substituted at C-3. [EC:3.2.1.6]' - }, - 'GO:0052863': { - 'name': '1-deoxy-D-xylulose 5-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving 1-deoxy-D-xylulose 5-phosphate, the 5-phospho derivative of 1-deoxy-D-xylulose. 1-deoxy-D-xylulose 5-phosphate is an intermediate in the non-mevalonate pathway and a common precursor for isoprenoid, thiamin, and pyridoxol biosynthesis. [CHEBI:16493, KEGG:C11437, PubChem:13609]' - }, - 'GO:0052864': { - 'name': '1-deoxy-D-xylulose 5-phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1-deoxy-D-xylulose 5-phosphate, the 5-phospho derivative of 1-deoxy-D-xylulose. 1-deoxy-D-xylulose 5-phosphate is an intermediate in the non-mevalonate pathway and a common precursor for isoprenoid, thiamin, and pyridoxol biosynthesis. [CHEBI:16493, KEGG:C11437, PubChem:13609]' - }, - 'GO:0052865': { - 'name': '1-deoxy-D-xylulose 5-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 1-deoxy-D-xylulose 5-phosphate, the 5-phospho derivative of 1-deoxy-D-xylulose. 1-deoxy-D-xylulose 5-phosphate is an intermediate in the non-mevalonate pathway and a common precursor for isoprenoid, thiamin, and pyridoxol biosynthesis. [CHEBI:16493, KEGG:C11437, PubChem:13609]' - }, - 'GO:0052866': { - 'name': 'phosphatidylinositol phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidylinositol phosphate(n) + H2O = phosphatidylinositol phosphate(n-1) + phosphate. This reaction is the removal of a phosphate group from a phosphatidylinositol phosphate. [GOC:ai]' - }, - 'GO:0052867': { - 'name': 'phosphatidylinositol-1,4,5-trisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: phosphatidyl-1D-myo-inositol 1,4,5-trisphosphate + H(2)O = 1-phosphatidyl-1D-myo-inositol 1,4-bisphosphate + phosphate. [EC:3.1.3.-]' - }, - 'GO:0052868': { - 'name': 'protein-lysine lysyltransferase activity', - 'def': 'Catalysis of the reaction: protein-lysine + protein-lysine = protein N6-(lysyl)-L-lysine + protein. This reaction is the addition of lysine group from one protein to a lysine residue in a second protein, producing N6-(lysyl)-L-lysine. [PMID:20729861]' - }, - 'GO:0052869': { - 'name': 'arachidonic acid omega-hydroxylase activity', - 'def': 'Catalysis of the reaction: arachidonic acid + O2 + NADPH + H+ = 20-HETE + NADP+ + H2O. Arachidonic acid is also known as (5Z,8Z,11Z,14Z)-icosatetraenoic acid, and 20-HETE is also known as (5Z,8Z,11Z,14Z)-20-hydroxyicosa-5,8,11,14-tetraenoic acid. [KEGG:R07041]' - }, - 'GO:0052870': { - 'name': 'tocopherol omega-hydroxylase activity', - 'def': "Catalysis of the reaction: tocopherol + O2 + NADPH + H+ = 13'-hydroxy-tocopherol + NADP+ + H2O . [MetaCyc:RXN-11003]" - }, - 'GO:0052871': { - 'name': 'alpha-tocopherol omega-hydroxylase activity', - 'def': "Catalysis of the reaction: alpha-tocopherol + O2 + NADPH + H+ = 13'-hydroxy-alpha-tocopherol + NADP+ + H2O . [MetaCyc:RXN-11003]" - }, - 'GO:0052872': { - 'name': 'tocotrienol omega-hydroxylase activity', - 'def': "Catalysis of the reaction: tocotrienol + O2 + NADPH + H+ = 13'-hydroxy-tocotrienol + NADP+ + H2O . [MetaCyc:RXN-11003]" - }, - 'GO:0052873': { - 'name': 'FMN reductase (NADPH) activity', - 'def': 'Catalysis of the reaction: FMNH2 + NADP+ = FMN + NADPH + 2 H+. [RHEA:21627]' - }, - 'GO:0052874': { - 'name': 'FMN reductase (NADH) activity', - 'def': 'Catalysis of the reaction: FMNH2 + NAD+ = FMN + NADH + 2 H+. [RHEA:21623]' - }, - 'GO:0052875': { - 'name': 'riboflavin reductase (NADH) activity', - 'def': 'Catalysis of the reaction: reduced riboflavin + NAD+ = riboflavin + NADH + 2 H+. [RHEA:31458]' - }, - 'GO:0052876': { - 'name': 'methylamine dehydrogenase (amicyanin) activity', - 'def': 'Catalysis of the reaction: methylamine + H2O + amicyanin = formaldehyde + ammonia + reduced amicyanin. [KEGG:R00606]' - }, - 'GO:0052877': { - 'name': 'oxidoreductase activity, acting on the CH-NH2 group of donors, with a copper protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-NH2 group acts as a hydrogen or electron donor and a copper protein is the acceptor. [GOC:ai]' - }, - 'GO:0052878': { - 'name': 'linoleate 8R-lipoxygenase activity', - 'def': 'Catalysis of the reaction: O(2) + linoleate = (8R,9Z,12Z)-8-hydroperoxyoctadeca-9,12-dienoate. [RHEA:25398]' - }, - 'GO:0052879': { - 'name': '9,12-octadecadienoate 8-hydroperoxide 8S-isomerase activity', - 'def': 'Catalysis of the reaction: (8R,9Z,12Z)-8-hydroperoxyoctadeca-9,12-dienoate = (7S,8S,9Z,12Z)-7,8-dihydroxyoctadeca-9,12-dienoate. [RHEA:25402]' - }, - 'GO:0052880': { - 'name': 'oxidoreductase activity, acting on diphenols and related substances as donors, with copper protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a diphenol, or related compound, acts as a hydrogen or electron donor and reduces a copper protein. [GOC:jl]' - }, - 'GO:0052881': { - 'name': '4-hydroxyphenylacetate 3-monooxygenase activity', - 'def': 'Catalysis of the reaction: (4-hydroxyphenyl)acetate + FADH(2) + O(2) = 3,4-dihydroxyphenylacetate + FAD + H(+) + H(2)O. [RHEA:30598]' - }, - 'GO:0052882': { - 'name': 'oxidoreductase activity, acting on phosphorus or arsenic in donors, with a copper protein as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a phosphorus- or arsenic-containing group acts as a hydrogen or electron donor and reduces a copper protein. [GOC:jl]' - }, - 'GO:0052883': { - 'name': 'tyrosine ammonia-lyase activity', - 'def': 'Catalysis of the reaction: L-tyrosine = NH(4)(+) + trans-4-coumarate. [RHEA:24909]' - }, - 'GO:0052884': { - 'name': 'all-trans-retinyl-palmitate hydrolase, 11-cis retinol forming activity', - 'def': 'Catalysis of the reaction: H(2)O + all-trans-retinyl palmitate = 11-cis-retinol + H(+) + palmitate. [RHEA:31778]' - }, - 'GO:0052885': { - 'name': 'all-trans-retinyl-ester hydrolase, 11-cis retinol forming activity', - 'def': 'Catalysis of the reaction: H(2)O + all-trans-retinyl ester = 11-cis-retinol + fatty acid. [RHEA:31774]' - }, - 'GO:0052886': { - 'name': "9,9'-dicis-carotene:quinone oxidoreductase activity", - 'def': "Catalysis of the reaction: 9,9'-di-cis-zeta-carotene + a quinone = 7,9,9'-tri-cis-neurosporene + a quinol. [EC:1.3.5.6]" - }, - 'GO:0052887': { - 'name': "7,9,9'-tricis-neurosporene:quinone oxidoreductase activity", - 'def': "Catalysis of the reaction: 7,9,9'-tri-cis-neurosporene + a quinone = 7,9,7',9'-tetra-cis-lycopene + a quinol. [EC:1.3.5.6]" - }, - 'GO:0052888': { - 'name': 'obsolete OBSOLETE:dihydroorotate oxidase (fumarate) activity', - 'def': 'Catalysis of the reaction: (S)-dihydroorotate + fumarate = orotate + succinate. [EC:1.3.98.1, RHEA:30062]' - }, - 'GO:0052889': { - 'name': "9,9'-di-cis-zeta-carotene desaturation to 7,9,7',9'-tetra-cis-lycopene", - 'def': "The series of reactions in which 9,9'-di-cis-zeta-carotene is desaturated to 7,9,9'-tri-cis-neurosporene, and then 7,9,7',9'-tetra-cis-lycopene. The overall reaction for this process is: 9,9'-di-cis-zeta-carotene + 2 quinone = 2 quinol + 7,9,7',9'-tetra-cis-lycopene. [EC:1.3.5.6, KEGG:R07511]" - }, - 'GO:0052890': { - 'name': 'oxidoreductase activity, acting on the CH-CH group of donors, with a flavin as acceptor', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which a CH-CH group acts as a hydrogen or electron donor and reduces a flavin. [GOC:jl]' - }, - 'GO:0052891': { - 'name': 'aliphatic (S)-hydroxynitrile lyase activity', - 'def': 'Catalysis of the reaction: an aliphatic (S)-hydroxynitrile = an aliphatic aldehyde or ketone + cyanide. [EC:4.1.2.47]' - }, - 'GO:0052892': { - 'name': 'aromatic (S)-hydroxynitrile lyase activity', - 'def': 'Catalysis of the reaction: an aromatic (S)-hydroxynitrile = an aromatic aldehyde + cyanide. [EC:4.1.2.47, KEGG:R09359]' - }, - 'GO:0052893': { - 'name': 'N1-acetylspermine:oxygen oxidoreductase (propane-1,3-diamine-forming) activity', - 'def': 'Catalysis of the reaction: N1-acetylspermine + oxygen + H2O = N-(3-acetamidopropyl)-4-aminobutanal + propane-1,3-diamine + hydrogen peroxide. [MetaCyc:RXN-10465]' - }, - 'GO:0052894': { - 'name': 'norspermine:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: norspermine + oxygen + H2O = norspermidine + 3-aminopropanal + hydrogen peroxide. [MetaCyc:RXN-10464]' - }, - 'GO:0052895': { - 'name': 'N1-acetylspermine:oxygen oxidoreductase (N1-acetylspermidine-forming) activity', - 'def': 'Catalysis of the reaction: N1-acetylspermine + oxygen + H2O = N1-acetylspermidine + 3-aminopropanal + hydrogen peroxide. [MetaCyc:POLYAMINE-OXIDASE-RXN]' - }, - 'GO:0052896': { - 'name': 'spermidine oxidase (propane-1,3-diamine-forming) activity', - 'def': 'Catalysis of the reaction: H(2)O + O(2) + spermidine = 1,3-diaminopropane + 4-aminobutanal + H(2)O(2). [RHEA:25823]' - }, - 'GO:0052897': { - 'name': 'N8-acetylspermidine:oxygen oxidoreductase (propane-1,3-diamine-forming) activity', - 'def': 'Catalysis of the reaction: H(2)O + N(8)-acetylspermidine + O(2) = 1,3-diaminopropane + 4-acetamidobutanal + H(2)O(2). [RHEA:25975]' - }, - 'GO:0052898': { - 'name': 'N1-acetylspermidine:oxygen oxidoreductase (propane-1,3-diamine-forming) activity', - 'def': 'Catalysis of the reaction: H(2)O + N(1)-acetylspermidine + O(2) = 1,3-diaminopropane + 4-acetamidobutanal + H(2)O(2). [RHEA:25867]' - }, - 'GO:0052899': { - 'name': 'N(1),N(12)-diacetylspermine:oxygen oxidoreductase (3-acetamidopropanal-forming) activity', - 'def': 'Catalysis of the reaction: H(2)O + N(1),N(12)-diacetylspermine + O(2) = 3-acetamidopropanal + H(2)O(2) + N(1)-acetylspermidine. [RHEA:25871]' - }, - 'GO:0052900': { - 'name': 'spermine oxidase (propane-1,3-diamine-forming) activity', - 'def': 'Catalysis of the reaction: H(2)O + O(2) + spermine = 1,3-diaminopropane + H(2)O(2) + N-(3-aminopropyl)-4-aminobutanal. [RHEA:25827]' - }, - 'GO:0052901': { - 'name': 'spermine:oxygen oxidoreductase (spermidine-forming) activity', - 'def': 'Catalysis of the reaction: H(2)O + O(2) + spermine = 3-aminopropanal + H(2)O(2) + spermidine. [RHEA:25807]' - }, - 'GO:0052902': { - 'name': 'spermidine:oxygen oxidoreductase (3-aminopropanal-forming) activity', - 'def': 'Catalysis of the reaction: H(2)O + O(2) + spermidine = 3-aminopropanal + H(2)O(2) + putrescine. [RHEA:25811]' - }, - 'GO:0052903': { - 'name': 'N1-acetylspermine:oxygen oxidoreductase (3-acetamidopropanal-forming) activity', - 'def': 'Catalysis of the reaction: H(2)O + N(1)-acetylspermine + O(2) = 3-acetamidopropanal + H(2)O(2) + spermidine. [RHEA:25803]' - }, - 'GO:0052904': { - 'name': 'N1-acetylspermidine:oxygen oxidoreductase (3-acetamidopropanal-forming) activity', - 'def': 'Catalysis of the reaction: H(2)O + N(1)-acetylspermidine + O(2) = 3-acetamidopropanal + H(2)O(2) + putrescine. [RHEA:25815]' - }, - 'GO:0052905': { - 'name': 'tRNA (guanine(9)-N(1))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanine(9) in tRNA = N(1)-methylguanine(9) in tRNA + S-adenosyl-L-homocysteine. [EC:2.1.1.221]' - }, - 'GO:0052906': { - 'name': 'tRNA (guanine(37)-N(1))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanine(37) in tRNA = N(1)-methylguanine(37) in tRNA + S-adenosyl-L-homocysteine. [EC:2.1.1.228]' - }, - 'GO:0052907': { - 'name': '23S rRNA (adenine(1618)-N(6))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + adenine(1618) in 23S rRNA = S-adenosyl-L-homocysteine + rRNA containing N(6)-methyladenine(1618) in 23S rRNA. [EC:2.1.1.181]' - }, - 'GO:0052908': { - 'name': '16S rRNA (adenine(1518)-N(6)/adenine(1519)-N(6))-dimethyltransferase activity', - 'def': 'Catalysis of the reaction: 4 S-adenosyl-L-methionine + adenine(1518)/adenine(1519) in 16S rRNA = 4 S-adenosyl-L-homocysteine + N(6)-dimethyladenine(1518)/N(6)-dimethyladenine(1519) in 16S rRNA. [EC:2.1.1.182]' - }, - 'GO:0052909': { - 'name': '18S rRNA (adenine(1779)-N(6)/adenine(1780)-N(6))-dimethyltransferase activity', - 'def': 'Catalysis of the reaction: 4 S-adenosyl-L-methionine + adenine(1779)/adenine(1780) in 18S rRNA = 4 S-adenosyl-L-homocysteine + N(6)-dimethyladenine(1779)/N(6)-dimethyladenine(1780) in 18S rRNA. [EC:2.1.1.183]' - }, - 'GO:0052910': { - 'name': '23S rRNA (adenine(2085)-N(6))-dimethyltransferase activity', - 'def': 'Catalysis of the reaction: 2 S-adenosyl-L-methionine + adenine(2085) in 23S rRNA = 2 S-adenosyl-L-homocysteine + N(6)-dimethyladenine(2085) in 23S rRNA. [EC:2.1.1.184]' - }, - 'GO:0052911': { - 'name': '23S rRNA (guanine(745)-N(1))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanine(745) in 23S rRNA = N(1)-methylguanine(745) in 23S rRNA + S-adenosyl-L-homocysteine. [EC:2.1.1.187]' - }, - 'GO:0052912': { - 'name': '23S rRNA (guanine(748)-N(1))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanine(748) in 23S rRNA = N(1)-methylguanine(748) in 23S rRNA + S-adenosyl-L-homocysteine. [EC:2.1.1.188]' - }, - 'GO:0052913': { - 'name': '16S rRNA (guanine(966)-N(2))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanosine(966) in 16S rRNA = N(2)-methylguanosine(966) in 16S rRNA + S-adenosyl-L-homocysteine. [EC:2.1.1.171]' - }, - 'GO:0052914': { - 'name': '16S rRNA (guanine(1207)-N(2))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanosine(1207) in 16S rRNA = N(2)-methylguanosine(1207) in 16S rRNA + S-adenosyl-L-homocysteine. [EC:2.1.1.172]' - }, - 'GO:0052915': { - 'name': '23S rRNA (guanine(2445)-N(2))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanosine(2445) in 23S rRNA = N(2)-methylguanosine(2445) in 23S rRNA + S-adenosyl-L-homocysteine. [EC:2.1.1.173]' - }, - 'GO:0052916': { - 'name': '23S rRNA (guanine(1835)-N(2))-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + guanosine(1835) in 23S rRNA = N(2)-methylguanosine(1835) in 23S rRNA + S-adenosyl-L-homocysteine. [EC:2.1.1.174]' - }, - 'GO:0052917': { - 'name': 'dol-P-Man:Man(7)GlcNAc(2)-PP-Dol alpha-1,6-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-man-(1->2)-alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-alpha-D-Man-(1->6))-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + dolichyl D-mannosyl phosphate = H(+) + alpha-D-Man-(1->2)-alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->6))-alpha-D-Man-(1->6))-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + dolichyl phosphate. [EC:2.4.1.260, RHEA:29538]' - }, - 'GO:0052918': { - 'name': 'dol-P-Man:Man(8)GlcNAc(2)-PP-Dol alpha-1,2-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-man-(1->2)-alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->6))-alpha-D-Man-(1->6))-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + dolichyl D-mannosyl phosphate = H(+) + alpha-D-Man-(1->2)-alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-[alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->2)-alpha-D-Man-(1->6))-alpha-D-Man-(1->6)]-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + dolichyl phosphate. [EC:2.4.1.261, RHEA:29542]' - }, - 'GO:0052919': { - 'name': 'aliphatic (R)-hydroxynitrile lyase activity', - 'def': 'Catalysis of the reaction: an aliphatic (R)-hydroxynitrile = an aliphatic aldehyde or ketone + hydrogen cyanide. [EC:4.1.2.46]' - }, - 'GO:0052920': { - 'name': '(2R)-2-hydroxy-2-methylbutanenitrile lyase activity', - 'def': 'Catalysis of the reaction: (2R)-2-hydroxy-2-methylbutanenitrile = butan-2-one + hydrogen cyanide. [EC:4.1.2.46]' - }, - 'GO:0052921': { - 'name': 'acetone-cyanohydrin acetone-lyase (cyanide-forming) activity', - 'def': 'Catalysis of the reaction: acetone cyanohydrin = hydrogen cyanide + acetone. [KEGG:R01553, MetaCyc:ACETONE-CYANHYDRIN-LYASE-RXN]' - }, - 'GO:0052922': { - 'name': 'hexaprenyl diphosphate synthase (geranylgeranyl-diphosphate specific) activity', - 'def': 'Catalysis of the reaction: geranylgeranyl diphosphate + 2 isopentenyl diphosphate = 2 diphosphate + all-trans-hexaprenyl diphosphate. [RHEA:27558]' - }, - 'GO:0052923': { - 'name': 'all-trans-nonaprenyl-diphosphate synthase (geranyl-diphosphate specific) activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate + 7 isopentenyl diphosphate = 7 diphosphate + all-trans-nonaprenyl diphosphate. [EC:2.5.1.84, RHEA:27566]' - }, - 'GO:0052924': { - 'name': 'all-trans-nonaprenyl-diphosphate synthase (geranylgeranyl-diphosphate specific) activity', - 'def': 'Catalysis of the reaction: geranylgeranyl diphosphate + 5 isopentenyl diphosphate = 5 diphosphate + all-trans-nonaprenyl diphosphate. [EC:2.5.1.85]' - }, - 'GO:0052925': { - 'name': 'dol-P-Man:Man(5)GlcNAc(2)-PP-Dol alpha-1,3-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: an alpha-D-man-(1->2)-alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->6))-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + dolichyl D-mannosyl phosphate = H(+) + alpha-D-Man-(1->2)-alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->3)-alpha-D-Man-(1->6))-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + dolichyl phosphate. [RHEA:29530]' - }, - 'GO:0052926': { - 'name': 'dol-P-Man:Man(6)GlcNAc(2)-PP-Dol alpha-1,2-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: alpha-D-man-(1->2)-alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->3)-alpha-D-Man-(1->6))-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + dolichyl D-mannosyl phosphate = H(+) + alpha-D-Man-(1->2)-alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-(alpha-D-Man-(1->2)-alpha-D-Man-(1->3)-alpha-D-Man-(1->6))-beta-D-Man-(1->4)-beta-D-GlcNAc-(1->4)-D-GlcNAc-diphosphodolichol + dolichyl phosphate. [EC:2.4.1.259, RHEA:29534]' - }, - 'GO:0052927': { - 'name': 'CTP:tRNA cytidylyltransferase activity', - 'def': "Catalysis of the reaction: a tRNA precursor + CTP = a tRNA with a 3' cytidine end + diphosphate. [KEGG:R09383]" - }, - 'GO:0052928': { - 'name': "CTP:3'-cytidine-tRNA cytidylyltransferase activity", - 'def': "Catalysis of the reaction: a tRNA with a 3' cytidine + CTP = a tRNA with a 3' CC end + diphosphate. [KEGG:R09384]" - }, - 'GO:0052929': { - 'name': "ATP:3'-cytidine-cytidine-tRNA adenylyltransferase activity", - 'def': "Catalysis of the reaction: a tRNA with a 3' CC end + ATP = a tRNA with a 3' CCA end + diphosphate. [KEGG:R09386]" - }, - 'GO:0052930': { - 'name': 'methanol ferricytochrome-c oxidoreductase activity', - 'def': 'Catalysis of the reaction: methanol + 2 ferricytochrome c = formaldehyde + 2 ferrocytochrome c + 2 H+. [KEGG:R01146]' - }, - 'GO:0052931': { - 'name': 'ethanol cytochrome-c oxidoreductase activity', - 'def': 'Catalysis of the reaction: ethanol + 2 cytochrome c(L) = acetaldehyde + 2 reduced cytochrome c(L) + 2 H+. [KEGG:R09127]' - }, - 'GO:0052932': { - 'name': '2-chloroethanol cytochrome-c oxidoreductase activity', - 'def': 'Catalysis of the reaction: 2-chloroethanol + 2 cytochrome c(L) = chloroacetaldehyde + 2 reduced cytochrome c(L). [KEGG:R09128]' - }, - 'GO:0052933': { - 'name': 'alcohol dehydrogenase (cytochrome c(L)) activity', - 'def': 'Catalysis of the reaction: primary alcohol + 2 cytochrome c(L) = 2 reduced cytochrome c(L) + an aldehyde + 2 H+. [EC:1.1.2.7]' - }, - 'GO:0052934': { - 'name': 'alcohol dehydrogenase (cytochrome c) activity', - 'def': 'Catalysis of the reaction: primary alcohol + 2 cytochrome c = 2 reduced cytochrome c + an aldehyde + 2 H+. [EC:1.1.2.8]' - }, - 'GO:0052935': { - 'name': 'ethanol:cytochrome c oxidoreductase activity', - 'def': 'Catalysis of the reaction: ethanol + 2 cytochrome c = 2 reduced cytochrome c + acetaldehyde. [KEGG:R05198]' - }, - 'GO:0052936': { - 'name': '2-chloroethanol:cytochrome c oxidoreductase activity', - 'def': 'Catalysis of the reaction: 2-chloroethanol + 2 cytochrome c = chloroacetaldehyde + 2 reduced cytochrome c. [KEGG:R05285]' - }, - 'GO:0055001': { - 'name': 'muscle cell development', - 'def': 'The process whose specific outcome is the progression of a muscle cell over time, from its formation to the mature structure. Muscle cell development does not include the steps involved in committing an unspecified cell to the muscle cell fate. [CL:0000187, GOC:devbiol]' - }, - 'GO:0055002': { - 'name': 'striated muscle cell development', - 'def': 'The process whose specific outcome is the progression of a striated muscle cell over time, from its formation to the mature structure. Striated muscle cells contain fibers that are divided by transverse bands into striations, and cardiac and skeletal muscle are types of striated muscle. [CL:0000737, GOC:devbiol]' - }, - 'GO:0055003': { - 'name': 'cardiac myofibril assembly', - 'def': 'The process whose specific outcome is the progression of the cardiac myofibril over time, from its formation to the mature structure. A cardiac myofibril is a myofibril specific to cardiac muscle cells. [GOC:devbiol]' - }, - 'GO:0055004': { - 'name': 'atrial cardiac myofibril assembly', - 'def': 'The process whose specific outcome is the progression of the atrial cardiac myofibril over time, from its formation to the mature structure. A cardiac myofibril is a myofibril specific to cardiac muscle cells. [GOC:devbiol]' - }, - 'GO:0055005': { - 'name': 'ventricular cardiac myofibril assembly', - 'def': 'The process whose specific outcome is the progression of the ventricular cardiac myofibril over time, from its formation to the mature structure. A cardiac myofibril is a myofibril specific to cardiac muscle cells. [GOC:devbiol]' - }, - 'GO:0055006': { - 'name': 'cardiac cell development', - 'def': 'The process whose specific outcome is the progression of a cardiac cell over time, from its formation to the mature state. A cardiac cell is a cell that will form part of the cardiac organ of an individual. [GOC:devbiol]' - }, - 'GO:0055007': { - 'name': 'cardiac muscle cell differentiation', - 'def': 'The process in which a cardiac muscle precursor cell acquires specialized features of a cardiac muscle cell. Cardiac muscle cells are striated muscle cells that are responsible for heart contraction. [GOC:devbiol, GOC:mtg_heart]' - }, - 'GO:0055008': { - 'name': 'cardiac muscle tissue morphogenesis', - 'def': 'The process in which the anatomical structures of cardiac muscle tissue are generated and organized. [GOC:devbiol]' - }, - 'GO:0055009': { - 'name': 'atrial cardiac muscle tissue morphogenesis', - 'def': 'The process in which the anatomical structure of cardiac atrium muscle is generated and organized. [GOC:devbiol]' - }, - 'GO:0055010': { - 'name': 'ventricular cardiac muscle tissue morphogenesis', - 'def': 'The process in which the anatomical structures of cardiac ventricle muscle is generated and organized. [GOC:devbiol]' - }, - 'GO:0055011': { - 'name': 'atrial cardiac muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a cardiac muscle cell in the atrium. Cardiac muscle cells are striated muscle cells that are responsible for heart contraction. The atrium is the part of the heart that receives blood into the organ. [GOC:devbiol, GOC:mtg_heart]' - }, - 'GO:0055012': { - 'name': 'ventricular cardiac muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a ventricular cardiac muscle cell. Cardiac muscle cells are striated muscle cells that are responsible for heart contraction. The ventricle is the part of the heart that pumps blood out of the organ. [GOC:devbiol, GOC:mtg_heart]' - }, - 'GO:0055013': { - 'name': 'cardiac muscle cell development', - 'def': 'The process whose specific outcome is the progression of a cardiac muscle cell over time, from its formation to the mature state. [GOC:devbiol, GOC:mtg_heart]' - }, - 'GO:0055014': { - 'name': 'atrial cardiac muscle cell development', - 'def': 'The process whose specific outcome is the progression of an atrial cardiac muscle cell over time, from its formation to the mature state. Cardiac muscle cells are striated muscle cells that are responsible for heart contraction. The atrium is the part of the heart that receives blood into the organ. [GOC:devbiol]' - }, - 'GO:0055015': { - 'name': 'ventricular cardiac muscle cell development', - 'def': 'The process whose specific outcome is the progression of a ventricular cardiac muscle cell over time, from its formation to the mature state. Cardiac muscle cells are striated muscle cells that are responsible for heart contraction. The ventricle is the part of the heart that pumps blood out of the organ. [GOC:devbiol, GOC:mtg_muscle]' - }, - 'GO:0055016': { - 'name': 'hypochord development', - 'def': 'The process whose specific outcome is the progression of the hypochord over time, from its formation to the mature structure. The hypochord is a transient rod-like structure in the embryos of fish, lampreys and amphibians that is located immediately ventral to the notochord. The hypochord may play a role in positioning the dorsal aorta. [GOC:devbiol, GOC:lb]' - }, - 'GO:0055017': { - 'name': 'cardiac muscle tissue growth', - 'def': 'The increase in size or mass of a cardiac muscle, where the increase in size or mass has the specific outcome of the progression of the organism over time from one condition to another. [GOC:devbiol]' - }, - 'GO:0055018': { - 'name': 'regulation of cardiac muscle fiber development', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle fiber development. [GOC:vk]' - }, - 'GO:0055019': { - 'name': 'negative regulation of cardiac muscle fiber development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cardiac muscle fiber development. [GOC:vk]' - }, - 'GO:0055020': { - 'name': 'positive regulation of cardiac muscle fiber development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of cardiac muscle fiber development. [GOC:vk]' - }, - 'GO:0055021': { - 'name': 'regulation of cardiac muscle tissue growth', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle growth. [GOC:vk]' - }, - 'GO:0055022': { - 'name': 'negative regulation of cardiac muscle tissue growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cardiac muscle growth. [GOC:vk]' - }, - 'GO:0055023': { - 'name': 'positive regulation of cardiac muscle tissue growth', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of cardiac muscle growth. [GOC:vk]' - }, - 'GO:0055024': { - 'name': 'regulation of cardiac muscle tissue development', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle tissue development. [GOC:vk]' - }, - 'GO:0055025': { - 'name': 'positive regulation of cardiac muscle tissue development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of cardiac muscle tissue development. [GOC:vk]' - }, - 'GO:0055026': { - 'name': 'negative regulation of cardiac muscle tissue development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cardiac muscle tissue development. [GOC:vk]' - }, - 'GO:0055028': { - 'name': 'cortical microtubule', - 'def': 'Arrays of microtubules underlying and connected to the plasma membrane in the cortical cytosol. [GOC:mtg_sensu]' - }, - 'GO:0055029': { - 'name': 'nuclear DNA-directed RNA polymerase complex', - 'def': 'A protein complex, located in the nucleus, that possesses DNA-directed RNA polymerase activity. [GOC:mtg_sensu]' - }, - 'GO:0055031': { - 'name': 'gamma-tubulin large complex, equatorial microtubule organizing center', - 'def': 'A complex of gamma tubulin and associated proteins thought to be formed by multimerization of gamma-tubulin small complexes located at equatorial microtubule organizing centers. [GOC:mtg_sensu]' - }, - 'GO:0055032': { - 'name': 'gamma-tubulin large complex, spindle pole body', - 'def': 'A complex of gamma tubulin and associated proteins thought to be formed by multimerization of gamma-tubulin small complexes located in the spindle pole body. [GOC:mtg_sensu]' - }, - 'GO:0055033': { - 'name': 'gamma-tubulin large complex, interphase microtubule organizing center', - 'def': 'A complex of gamma tubulin and associated proteins thought to be formed by multimerization of gamma-tubulin small complexes located at interphase microtubule organizing centers. [GOC:mtg_sensu]' - }, - 'GO:0055034': { - 'name': "Bolwig's organ development", - 'def': "The process whose specific outcome is the progression of the Bolwig's organ over time, from its formation to the mature structure. The larval eye in Drosophila is a relatively simple sensory system composed of Bolwig's organs: two clusters, each composed of 12 photoreceptor cells from which axons extend in a single fascicle to the brain. [GOC:mtg_sensu]" - }, - 'GO:0055035': { - 'name': 'plastid thylakoid membrane', - 'def': 'The lipid bilayer membrane of any thylakoid within a plastid. [GOC:jid, GOC:rph]' - }, - 'GO:0055036': { - 'name': 'virion membrane', - 'def': 'The lipid bilayer surrounding a virion. [GOC:jid, GOC:rph, PMID:213106]' - }, - 'GO:0055037': { - 'name': 'recycling endosome', - 'def': 'An organelle consisting of a network of tubules that functions in targeting molecules, such as receptors transporters and lipids, to the plasma membrane. [GOC:dph, GOC:jid, GOC:kmv, GOC:rph, PMID:10930469, PMID:15601896, PMID:16246101, PMID:21556374, PMID:21562044]' - }, - 'GO:0055038': { - 'name': 'recycling endosome membrane', - 'def': 'The lipid bilayer surrounding a recycling endosome. [GOC:jid, GOC:rph, PMID:10930469, PMID:15601896, PMID:16246101]' - }, - 'GO:0055039': { - 'name': 'trichocyst', - 'def': 'A crystalline exocytotic organelle composed of small, acidic proteins existing primarily as disulphide-linked dimers. The trichocyst is an organelle that releases long filamentous proteins that capture predators in \\nets\\ to slow them down when the cell is disturbed. The protein is nontoxic and shaped like a long, striated, fibrous shaft. [GOC:jid, GOC:rph, http://www.iscid.org/encyclopedia/, PMID:3667715]' - }, - 'GO:0055040': { - 'name': 'periplasmic flagellum', - 'def': 'Flagellar filaments located in the periplasmic space; characterized in spirochetes, in which they are essential for shape and motility. Composed of a core surrounded by two sheath layers, the flagella rotate to allow migration of the cell through viscous media, which would not be possible using external flagella. [GOC:jid, GOC:rph, PMID:15175283, PMID:1624463]' - }, - 'GO:0055041': { - 'name': 'cyclopentanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: cyclopentanol + NAD(+) = cyclopentanone + H(+) + NADH. [EC:1.1.1.163, RHEA:11731]' - }, - 'GO:0055042': { - 'name': '5-valerolactone hydrolase activity', - 'def': 'Catalysis of the reaction: 5-valerolactone + H2O = 5-hydroxyvalerate. [GOC:jid, GOC:mlg]' - }, - 'GO:0055043': { - 'name': '5-oxovalerate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5-oxovalerate + NADP+ + H2O = glutarate + NADPH + H+. [GOC:jid, GOC:mlg]' - }, - 'GO:0055044': { - 'name': 'symplast', - 'def': 'The interconnected cell membranes and intracellular regions of a plant. The interconnections occur via the plasmodesmata. [GOC:mtg_sensu]' - }, - 'GO:0055045': { - 'name': 'antipodal cell degeneration', - 'def': 'The process in which the antipodal cells undergo programmed cell death. [GOC:mtg_plant]' - }, - 'GO:0055046': { - 'name': 'microgametogenesis', - 'def': 'The process whose specific outcome is the progression of the pollen grain over time, from its formation as the microspore to the mature structure. [GOC:mtg_plant]' - }, - 'GO:0055047': { - 'name': 'generative cell mitosis', - 'def': 'The process in which the generative cell divides by mitosis to form two haploid cells. These will subsequently differentiate into sperm cells. [GOC:mtg_plant]' - }, - 'GO:0055048': { - 'name': 'anastral spindle assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the spindle, the array of microtubules and associated molecules that serves to move duplicated chromosomes apart, in the absence of centrosomes. Formation is initiated by the nucleation of microtubules (MTs) in the vicinity of condensed chromatin. MTs then attach to and congress around the chromatin due to activity of microtubule motors. A bipolar spindle is formed by focusing of the terminal ends of the MT array into spindle poles by molecular motors and cross-linking proteins. [GOC:expert_rg, GOC:mtg_sensu, GOC:tb, PMID:15034926]' - }, - 'GO:0055049': { - 'name': 'astral spindle assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the spindle, the array of microtubules and associated molecules that serves to move duplicated chromosomes apart, in the presence of centrosomes. [GOC:tb]' - }, - 'GO:0055050': { - 'name': 'astral spindle assembly involved in male meiosis', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the astral spindle in male meiotic cells. [GOC:tb]' - }, - 'GO:0055051': { - 'name': 'ATP-binding cassette (ABC) transporter complex, integrated substrate binding', - 'def': 'A complex for the transport of metabolites out of the cell, consisting of 4 domains: two ATP-binding domains and two membrane spanning domains. In some cases, all 4 domains are contained on 1 polypeptide, while in others one ATP-binding domain and one membrane spanning domain are together on one polypeptide in what is called a \\half transporter\\. Two \\half-transporters\\ come together to form a functional transporter. Transport of the substrate across the membrane is driven by the hydrolysis of ATP. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0055052': { - 'name': 'ATP-binding cassette (ABC) transporter complex, substrate-binding subunit-containing', - 'def': 'A complex for the transport of metabolites into the cell, consisting of 5 subunits: two ATP-binding subunits, two membrane spanning subunits, and one substrate-binding subunit. In organisms with two membranes, the substrate-binding protein moves freely in the periplasmic space and joins the other subunits only when bound with substrate. In organisms with only one membrane the substrate-binding protein is tethered to the cytoplasmic membrane and associated with the other subunits. Transport of the substrate across the membrane is driven by the hydrolysis of ATP. [GOC:mlg, GOC:mtg_sensu]' - }, - 'GO:0055053': { - 'name': 'mannose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: mannose + H+ = mannose + H+. [GOC:ct]' - }, - 'GO:0055054': { - 'name': 'fructose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: fructose + H+ = fructose + H+. [GOC:ct]' - }, - 'GO:0055055': { - 'name': 'D-glucose:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: D-glucose + H+ = D-glucose + H+. Symporter activity enables the active transport of a solute across a membrane by a mechanism whereby two or more species are transported together in the same direction in a tightly coupled process not directly linked to a form of energy other than chemiosmotic energy. D-glucose is the dextrorotatory D-enantiomer of glucose. [GOC:ct]' - }, - 'GO:0055056': { - 'name': 'D-glucose transmembrane transporter activity', - 'def': 'Enables the transfer of the D-enantiomer of the hexose monosaccharide glucose from one side of the membrane to the other. [GOC:jid, GOC:jsg, GOC:mah]' - }, - 'GO:0055057': { - 'name': 'neuroblast division', - 'def': 'The process resulting in the physical partitioning and separation of a neuroblast into daughter cells. A neuroblast is any cell that will divide and give rise to a neuron. [PMID:11163136, PMID:11250167]' - }, - 'GO:0055058': { - 'name': 'symmetric neuroblast division', - 'def': 'The process resulting in the physical partitioning and separation of a neuroblast into two equi-potent daughter cells. [GOC:dph]' - }, - 'GO:0055059': { - 'name': 'asymmetric neuroblast division', - 'def': 'The process resulting in the physical partitioning and separation of a neuroblast into two daughter cells with different developmental potentials. [GOC:dph]' - }, - 'GO:0055060': { - 'name': 'asymmetric neuroblast division resulting in ganglion mother cell formation', - 'def': 'Any process resulting in the physical partitioning and separation of a neuroblast into a neuroblast and a ganglion mother cell. [GOC:dph]' - }, - 'GO:0055061': { - 'name': 'obsolete di-, tri-valent inorganic anion homeostasis', - 'def': 'OBSOLETE. Any process involved in the maintenance of an internal steady state of divalent or trivalent inorganic anions within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055062': { - 'name': 'phosphate ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of phosphate ions within an organism or cell. [GOC:jid, GOC:mah]' - }, - 'GO:0055063': { - 'name': 'sulfate ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of sulfate ions within an organism or cell. [GOC:jid, GOC:mah]' - }, - 'GO:0055064': { - 'name': 'chloride ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of chloride ions within an organism or cell. [GOC:jid, GOC:mah]' - }, - 'GO:0055065': { - 'name': 'metal ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of metal ions within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055066': { - 'name': 'obsolete di-, tri-valent inorganic cation homeostasis', - 'def': 'OBSOLETE. Any process involved in the maintenance of an internal steady state of divalent or trivalent cations within an organism or cell. [GOC:ceb, GOC:jid, GOC:mah]' - }, - 'GO:0055067': { - 'name': 'monovalent inorganic cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of monovalent inorganic cations within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055068': { - 'name': 'cobalt ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of cobalt ions within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055069': { - 'name': 'zinc ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of zinc ions within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055070': { - 'name': 'copper ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of copper ions within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055071': { - 'name': 'manganese ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of manganese ions within an organism or cell. [GOC:jid, GOC:mah]' - }, - 'GO:0055072': { - 'name': 'iron ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of iron ions within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055073': { - 'name': 'cadmium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of cadmium ions within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055074': { - 'name': 'calcium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of calcium ions within an organism or cell. [GOC:ceb, GOC:jid, GOC:mah]' - }, - 'GO:0055075': { - 'name': 'potassium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of potassium ions within an organism or cell. [GOC:jid, GOC:mah]' - }, - 'GO:0055076': { - 'name': 'transition metal ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of transition metal ions within an organism or cell. A transition metal is an element whose atom has an incomplete d-subshell of extranuclear electrons, or which gives rise to a cation or cations with an incomplete d-subshell. Transition metals often have more than one valency state. Biologically relevant transition metals include vanadium, manganese, iron, copper, cobalt, nickel, molybdenum and silver. [GOC:jid, GOC:mah, ISBN:0198506732]' - }, - 'GO:0055077': { - 'name': 'gap junction hemi-channel activity', - 'def': 'A wide pore channel activity that enables the transport of a solute across a membrane via a gap junction hemi-channel. Two gap junction hemi-channels coupled together form a complete gap junction. [GOC:dgh]' - }, - 'GO:0055078': { - 'name': 'sodium ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of sodium ions within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055079': { - 'name': 'aluminum ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of aluminum ions within an organism or cell. [GOC:jid, GOC:lr, GOC:mah]' - }, - 'GO:0055080': { - 'name': 'cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of cations within an organism or cell. [GOC:ceb, GOC:jid, GOC:mah]' - }, - 'GO:0055081': { - 'name': 'anion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of anions within an organism or cell. [GOC:ceb, GOC:jid, GOC:mah]' - }, - 'GO:0055082': { - 'name': 'cellular chemical homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of a chemical at the level of the cell. [GOC:isa_complete, GOC:jid]' - }, - 'GO:0055083': { - 'name': 'monovalent inorganic anion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of monovalent inorganic anions within an organism or cell. [GOC:ai, GOC:jid, GOC:mah]' - }, - 'GO:0055085': { - 'name': 'transmembrane transport', - 'def': 'The process in which a solute is transported across a lipid bilayer, from one side of a membrane to the other [GOC:dph, GOC:jid]' - }, - 'GO:0055086': { - 'name': 'nucleobase-containing small molecule metabolic process', - 'def': 'The cellular chemical reactions and pathways involving a nucleobase-containing small molecule: a nucleobase, a nucleoside, or a nucleotide. [GOC:vw]' - }, - 'GO:0055087': { - 'name': 'Ski complex', - 'def': 'A protein complex that regulates RNA degradation by the exosome complex. In Saccharomyces the complex has a heterotetrameric stoichiometry consisting of one copy each of Ski2p and Ski3 and two copies of Ski8p. [GOC:mcc, PMID:10744028, PMID:15703439, PMID:16043509, PMID:18042677]' - }, - 'GO:0055088': { - 'name': 'lipid homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of lipid within an organism or cell. [GOC:BHF, GOC:rl]' - }, - 'GO:0055089': { - 'name': 'fatty acid homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of fatty acid within an organism or cell. [GOC:BHF, GOC:rl]' - }, - 'GO:0055090': { - 'name': 'acylglycerol homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of acylglycerol within an organism or cell. [GOC:BHF, GOC:rl]' - }, - 'GO:0055091': { - 'name': 'phospholipid homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of phospholipid within an organism or cell. [GOC:BHF, GOC:rl]' - }, - 'GO:0055092': { - 'name': 'sterol homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of sterol within an organism or cell. [GOC:BHF, GOC:rl]' - }, - 'GO:0055093': { - 'name': 'response to hyperoxia', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating increased oxygen tension. [GOC:kmv]' - }, - 'GO:0055094': { - 'name': 'response to lipoprotein particle', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipoprotein particle stimulus. [GOC:BHF, GOC:rl]' - }, - 'GO:0055095': { - 'name': 'lipoprotein particle mediated signaling', - 'def': 'A series of molecular signals mediated by the detection of a lipoprotein particle. [GOC:BHF, GOC:rl]' - }, - 'GO:0055096': { - 'name': 'low-density lipoprotein particle mediated signaling', - 'def': 'A series of molecular signals mediated by the detection of low-density lipoprotein particle. [GOC:BHF, GOC:rl, PMID:16013438]' - }, - 'GO:0055097': { - 'name': 'high density lipoprotein particle mediated signaling', - 'def': 'A series of molecular signals mediated by the detection of high density lipoprotein particle. [GOC:BHF, GOC:rl]' - }, - 'GO:0055098': { - 'name': 'response to low-density lipoprotein particle', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a low-density lipoprotein particle stimulus. [GOC:BHF, GOC:rl]' - }, - 'GO:0055099': { - 'name': 'response to high density lipoprotein particle', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a high density lipoprotein particle stimulus. [GOC:BHF, GOC:rl]' - }, - 'GO:0055100': { - 'name': 'adiponectin binding', - 'def': 'Interacting selectively and non-covalently with adiponectin, a protein hormone produced by adipose tissue that modulates a number of metabolic processes, including glucose regulation and fatty acid catabolism. [GOC:BHF, GOC:rl, PMID:15210937]' - }, - 'GO:0055101': { - 'name': 'obsolete glycerophospholipase inhibitor activity', - 'def': 'OBSOLETE. Stops, prevents or reduces the activity of a glycerophospholipase, an enzyme that catalyzes of the hydrolysis of a glycerophospholipid. [GOC:ai, GOC:BHF, GOC:rl]' - }, - 'GO:0055102': { - 'name': 'lipase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a lipase, an enzyme that catalyzes of the hydrolysis of a lipid. [GOC:BHF, GOC:rl]' - }, - 'GO:0055103': { - 'name': 'ligase regulator activity', - 'def': 'Modulates the activity of a ligase. [GOC:BHF, GOC:rl]' - }, - 'GO:0055104': { - 'name': 'ligase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a ligase. [GOC:BHF, GOC:rl]' - }, - 'GO:0055105': { - 'name': 'ubiquitin-protein transferase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a ubiquitin-protein transferase. [GOC:BHF, GOC:rl]' - }, - 'GO:0055106': { - 'name': 'ubiquitin-protein transferase regulator activity', - 'def': 'Modulates the activity of a ubiquitin-protein transferase, an enzyme that catalyzes the covalent attachment of ubiquitin to lysine in a substrate protein. [GOC:BHF, GOC:rl]' - }, - 'GO:0055107': { - 'name': 'Golgi to secretory granule transport', - 'def': 'The directed movement of proteins from the Golgi to a secretory granule. The secretory granule is a membrane-bounded particle, usually protein, formed in the granular endoplasmic reticulum and the Golgi complex. [GOC:curators]' - }, - 'GO:0055108': { - 'name': 'Golgi to transport vesicle transport', - 'def': 'The directed movement of proteins from the Golgi to a transport vesicle. Continuously secreted proteins are sorted into transport vesicles that fuse with the plasma membrane, releasing their contents by exocytosis. [GOC:jid]' - }, - 'GO:0055109': { - 'name': 'invagination involved in gastrulation with mouth forming second', - 'def': 'The infolding of the epithelial sheet into the embryo involved in deuterostomic gastrulation. [ISBN:0878932437]' - }, - 'GO:0055110': { - 'name': 'involution involved in gastrulation with mouth forming second', - 'def': 'The inturning of an epithelial sheet over the basal surface of an outer layer involved in deuterostomic gastrulation. [ISBN:0878932437]' - }, - 'GO:0055111': { - 'name': 'ingression involved in gastrulation with mouth forming second', - 'def': 'The migration of individual cells into the embryo involved in deuterostomic gastrulation. [ISBN:0878932437]' - }, - 'GO:0055112': { - 'name': 'delamination involved in gastrulation with mouth forming second', - 'def': 'The splitting or migration of one epithelial sheet into two involved in the process of deuterostomic gastrulation. [ISBN:0878932437]' - }, - 'GO:0055113': { - 'name': 'epiboly involved in gastrulation with mouth forming second', - 'def': 'The expansion of one cell sheet over other cells involved in deuterostomic gastrulation. [ISBN:0878932437]' - }, - 'GO:0055114': { - 'name': 'oxidation-reduction process', - 'def': 'A metabolic process that results in the removal or addition of one or more electrons to or from a substance, with or without the concomitant removal or addition of a proton or protons. [GOC:dhl, GOC:ecd, GOC:jh2, GOC:jid, GOC:mlg, GOC:rph]' - }, - 'GO:0055115': { - 'name': 'entry into diapause', - 'def': 'The dormancy process that results in entry into diapause. Diapause is a neurohormonally mediated, dynamic state of low metabolic activity. Associated characteristics of this form of dormancy include reduced morphogenesis, increased resistance to environmental extremes, and altered or reduced behavioral activity. Full expression develops in a species-specific manner, usually in response to a number of environmental stimuli that precede unfavorable conditions. Once diapause has begun, metabolic activity is suppressed even if conditions favorable for development prevail. Once initiated, only certain stimuli are capable of releasing the organism from this state, and this characteristic is essential in distinguishing diapause from hibernation. [GOC:ds, GOC:jid, GOC:mah]' - }, - 'GO:0055116': { - 'name': 'entry into reproductive diapause', - 'def': 'The dormancy process that results in entry into reproductive diapause. Reproductive diapause is a form of diapause where the organism itself will remain fully active, including feeding and other routine activities, but the reproductive organs experience a tissue-specific reduction in metabolism, with characteristic triggering and releasing stimuli. [GOC:ds, GOC:jid, GOC:mah]' - }, - 'GO:0055117': { - 'name': 'regulation of cardiac muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle contraction. [GOC:ecd]' - }, - 'GO:0055118': { - 'name': 'negative regulation of cardiac muscle contraction', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cardiac muscle contraction. [GOC:ecd]' - }, - 'GO:0055119': { - 'name': 'relaxation of cardiac muscle', - 'def': 'The process in which the extent of cardiac muscle contraction is reduced. [GOC:ecd]' - }, - 'GO:0055120': { - 'name': 'striated muscle dense body', - 'def': 'A vinculin-containing myofibril attachment structure of striated muscle that connects sarcomeres to the extracellular matrix. In nematode body wall muscle, the dense body performs the dual role of Z-disk and costamere. [GOC:kmv, PMID:17492481]' - }, - 'GO:0055121': { - 'name': 'response to high fluence blue light stimulus by blue high-fluence system', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the detection of a high fluence blue light stimulus by the blue high-fluence system. Blue light is electromagnetic radiation with a wavelength of between 440 and 500nm. The blue high-fluence system responds to blue light at levels between 100 and 1000 micromols/m2. [GOC:mtg_far_red]' - }, - 'GO:0055122': { - 'name': 'response to very low light intensity stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a very low light intensity stimulus. A very low light intensity stimulus is defined as a level of electromagnetic radiation below 0.001 mmol/m2/sec. [GOC:mtg_far_red]' - }, - 'GO:0055123': { - 'name': 'digestive system development', - 'def': 'The process whose specific outcome is the progression of the digestive system over time, from its formation to the mature structure. The digestive system is the entire structure in which digestion takes place. Digestion is all of the physical, chemical, and biochemical processes carried out by multicellular organisms to break down ingested nutrients into components that may be easily absorbed and directed into metabolism. [GOC:jid]' - }, - 'GO:0055124': { - 'name': 'obsolete premature neural plate formation', - 'def': 'The formation of the neural plate before the appropriate time. [GOC:jid]' - }, - 'GO:0055125': { - 'name': 'obsolete Nic96 complex', - 'def': 'OBSOLETE. A protein complex that forms part of the nuclear pore complex, and is required for its correct assembly. In Saccharomyces cerevisiae Nic96 contains Nsp1p, Nup57p, Nup49p, and Nic96p. [GOC:jh, PMID:12791264, PMID:15741174]' - }, - 'GO:0055126': { - 'name': 'obsolete Nup82 complex', - 'def': 'OBSOLETE. A protein complex that forms part of the nuclear pore complex. It forms a subcomplex with Nup159p and Nsp1p, interacts with Nup116p, and is required for proper localization of Nup116p. In Saccharomyces cerevisiae this complex contains Nup82p, Nsp1p, Nup159p, Nup116p, and Gle2p. [GOC:jh, PMID:12791264, PMID:15741174]' - }, - 'GO:0055127': { - 'name': 'vibrational conductance of sound to the inner ear', - 'def': 'The transmission of vibrations via ossicles to the inner ear. [GOC:mh]' - }, - 'GO:0055129': { - 'name': 'L-proline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-proline, an L-enantiomer of a chiral, cyclic, nonessential alpha-amino acid found in peptide linkage in proteins. [GOC:ecd]' - }, - 'GO:0055130': { - 'name': 'D-alanine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-alanine, the D-enantiomer of the amino acid alanine. [GOC:ecd]' - }, - 'GO:0055131': { - 'name': 'C3HC4-type RING finger domain binding', - 'def': 'Interacting selectively and non-covalently with a C3HC4-type zinc finger domain of a protein. The C3HC4-type zinc finger is a variant of RING finger, is a cysteine-rich domain of 40 to 60 residues that coordinates two zinc ions, and has the consensus sequence: C-X2-C-X(9-39)-C-X(1-3)-H-X(2-3)-C-X2-C-X(4-48)-C-X2-C, where X is any amino acid. Many proteins containing a C3HC4-type RING finger play a key role in the ubiquitination pathway. [GOC:amm, InterPro:IPR001841, InterPro:IPR018957]' - }, - 'GO:0060001': { - 'name': 'minus-end directed microfilament motor activity', - 'def': 'Catalysis of movement along a microfilament towards the minus end, coupled to the hydrolysis of a nucleoside triphosphate (usually ATP). The minus end of an actin filament is the end that does not preferentially add actin monomers. [GOC:dph, PMID:10519557]' - }, - 'GO:0060002': { - 'name': 'plus-end directed microfilament motor activity', - 'def': 'Catalysis of movement along a microfilament towards the plus end, coupled to the hydrolysis of a nucleoside triphosphate (usually ATP). The plus end of an actin filament is the end that preferentially adds actin monomers. [GOC:dph, PMID:10519557]' - }, - 'GO:0060003': { - 'name': 'copper ion export', - 'def': 'The directed movement of copper ions out of a cell or organelle. [GOC:dph]' - }, - 'GO:0060004': { - 'name': 'reflex', - 'def': 'An automatic response to a stimulus beginning with a nerve impulse from a receptor and ending with the action of an effector such as a gland or a muscle. Signaling never reaches a level of consciousness. [GOC:dph, ISBN:087797099]' - }, - 'GO:0060005': { - 'name': 'vestibular reflex', - 'def': 'A reflex process in which a response to an angular or linear acceleration stimulus begins with an afferent nerve impulse from a receptor in the inner ear and ends with the compensatory action of eye muscles. Signaling never reaches a level of consciousness. [PMID:11784757]' - }, - 'GO:0060006': { - 'name': 'angular vestibuloocular reflex', - 'def': 'A vestibular reflex by which a response to an angular acceleration stimulus begins with an afferent nerve impulse from a receptor in the semi-circular canal and ends with the compensatory action of eye muscles. Signaling never reaches a level of consciousness. [GOC:dph, PMID:11784757]' - }, - 'GO:0060007': { - 'name': 'linear vestibuloocular reflex', - 'def': 'A vestibular reflex by which a response to a linear acceleration stimulus begins with an afferent nerve impulse from a receptor in the otolith and ends with the compensatory action of eye muscles. Signaling never reaches a level of consciousness. [GOC:dph, PMID:11784757]' - }, - 'GO:0060008': { - 'name': 'Sertoli cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of a Sertoli cell. A Sertoli cell is a supporting cell projecting inward from the basement membrane of seminiferous tubules. [GOC:dph]' - }, - 'GO:0060009': { - 'name': 'Sertoli cell development', - 'def': 'The process whose specific outcome is the progression of a Sertoli cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a Sertoli cell fate. [GOC:dph]' - }, - 'GO:0060010': { - 'name': 'Sertoli cell fate commitment', - 'def': 'The process in which the cellular identity of Sertoli cells is acquired and determined. [GOC:dph]' - }, - 'GO:0060011': { - 'name': 'Sertoli cell proliferation', - 'def': 'The multiplication or reproduction of Sertoli cells, resulting in the expansion of the Sertoli cell population. A Sertoli cell is a supporting cell projecting inward from the basement membrane of seminiferous tubules. [GOC:dph]' - }, - 'GO:0060012': { - 'name': 'synaptic transmission, glycinergic', - 'def': 'The process of communication from a neuron to another neuron across a synapse using the neurotransmitter glycine. [GOC:dph]' - }, - 'GO:0060013': { - 'name': 'righting reflex', - 'def': 'A reflex process in which an animal immediately tries to turn over after being placed in a supine position. [GOC:dph, PMID:8635460]' - }, - 'GO:0060014': { - 'name': 'granulosa cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a granulosa cell, a supporting cell for the developing female gamete in the ovary of mammals. [GOC:dph]' - }, - 'GO:0060015': { - 'name': 'granulosa cell fate commitment', - 'def': 'The cell fate commitment of precursor cells that will become granulosa cells. [GOC:dph]' - }, - 'GO:0060016': { - 'name': 'granulosa cell development', - 'def': 'The process whose specific outcome is the progression of a granulosa cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a granulosa cell fate. [GOC:dph]' - }, - 'GO:0060017': { - 'name': 'parathyroid gland development', - 'def': 'The process whose specific outcome is the progression of the parathyroid gland over time, from its formation to the mature structure. The parathyroid gland is an organ specialised for secretion of parathyroid hormone. [GOC:dph, ISBN:0721662544]' - }, - 'GO:0060018': { - 'name': 'astrocyte fate commitment', - 'def': 'The commitment of a cells to a specific astrocyte fate and its restriction to develop only into an astrocyte. [GOC:dph]' - }, - 'GO:0060019': { - 'name': 'radial glial cell differentiation', - 'def': 'The process in which neuroepithelial cells of the neural tube give rise to radial glial cells, specialized bipotential progenitors cells of the brain. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GOC:dph]' - }, - 'GO:0060020': { - 'name': 'Bergmann glial cell differentiation', - 'def': 'The process in which neuroepithelial cells of the neural tube give rise to Brgmann glial cells, specialized bipotential progenitors cells of the cerebellum. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GOC:dph, PMID:10375501]' - }, - 'GO:0060021': { - 'name': 'palate development', - 'def': 'The biological process whose specific outcome is the progression of the palate from an initial condition to its mature state. This process begins with the formation of the structure and ends with the mature structure. The palate is the partition that separates the nasal and oral cavities. [GOC:dph, ISBN:0721662544]' - }, - 'GO:0060022': { - 'name': 'hard palate development', - 'def': 'The biological process whose specific outcome is the progression of the hard palate from an initial condition to its mature state. This process begins with the formation of the structure and ends with the mature structure, whatever form that may be including its natural destruction. The hard palate is the anterior portion of the palate consisting of bone and mucous membranes. [GOC:dph, ISBN:0721662544]' - }, - 'GO:0060023': { - 'name': 'soft palate development', - 'def': 'The biological process whose specific outcome is the progression of the soft palate from an initial condition to its mature state. This process begins with the formation of the structure and ends with the mature structure, whatever form that may be including its natural destruction. The soft palate is the posterior portion of the palate extending from the posterior edge of the hard palate. [GOC:dph, ISBN:0721662544]' - }, - 'GO:0060024': { - 'name': 'rhythmic synaptic transmission', - 'def': 'Any process involved in the generation of rhythmic, synchronous synaptic inputs in a neural circuit. [GOC:dph]' - }, - 'GO:0060025': { - 'name': 'regulation of synaptic activity', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic activity, the controlled release of neurotransmitters into the synaptic cleft and their subsequent detection by a postsynaptic cell. [GOC:dph, GOC:tb]' - }, - 'GO:0060026': { - 'name': 'convergent extension', - 'def': 'The morphogenetic process in which an epithelium narrows along one axis and lengthens in a perpendicular axis. [GOC:dgf, GOC:dph, PMID:12062082]' - }, - 'GO:0060027': { - 'name': 'convergent extension involved in gastrulation', - 'def': 'The morphogenetic process in which an epithelium narrows along one axis and lengthens in a perpendicular axis usually resulting in the formation of the three primary germ layers, ectoderm, mesoderm and endoderm. [GOC:dph, PMID:12062082]' - }, - 'GO:0060028': { - 'name': 'convergent extension involved in axis elongation', - 'def': 'The morphogenetic process in which an epithelium narrows along one axis and lengthens in a perpendicular axis contributing to the lengthening of the axis of an organism. [GOC:dph, PMID:12062082]' - }, - 'GO:0060029': { - 'name': 'convergent extension involved in organogenesis', - 'def': 'The morphogenetic process in which an epithelium narrows along one axis and lengthens in a perpendicular axis contribution to the shaping of an organ. [GOC:dph, PMID:12062082]' - }, - 'GO:0060030': { - 'name': 'dorsal convergence', - 'def': 'The directed migration of individual cells and small groups of cells toward the dorsal midline during gastrulation. This process does not require cell rearrangement. [GOC:dgf, GOC:dph, PMID:12062082]' - }, - 'GO:0060031': { - 'name': 'mediolateral intercalation', - 'def': 'The interdigitation of cells along the mediolateral axis during gastrulation. [GOC:dgf, GOC:dph, PMID:12062082]' - }, - 'GO:0060032': { - 'name': 'notochord regression', - 'def': 'The developmental process in which the stucture of the notochord is destroyed in an embryo. [GOC:dph]' - }, - 'GO:0060033': { - 'name': 'anatomical structure regression', - 'def': 'The developmental process in which an anatomical stucture is destroyed as a part of its normal progression. [GOC:dph]' - }, - 'GO:0060034': { - 'name': 'notochord cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features cells that make up the notochord. Differentiation includes the processes involved in commitment of a cell to a notochord cell fate. [GOC:dph]' - }, - 'GO:0060035': { - 'name': 'notochord cell development', - 'def': 'The process whose specific outcome is the progression of a notochord cell over time, from its formation to its mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. [GOC:dph]' - }, - 'GO:0060036': { - 'name': 'notochord cell vacuolation', - 'def': 'The assembly and arrangement of a vacuole within a cell of the notochord. [GOC:cb, GOC:dph, PMID:10964477]' - }, - 'GO:0060037': { - 'name': 'pharyngeal system development', - 'def': 'The process whose specific outcome is the progression of the pharyngeal system over time, from its formation to the mature structure. The pharyngeal system is a transient embryonic complex that is specific to vertebrates. It comprises the pharyngeal arches, bulges of tissues of mesoderm and neural crest derivation through which pass nerves and pharyngeal arch arteries. The arches are separated internally by pharyngeal pouches, evaginations of foregut endoderm, and externally by pharyngeal clefts, invaginations of surface ectoderm. The development of the system ends when the stucture it contributes to are forming: the thymus, thyroid, parathyroids, maxilla, mandible, aortic arch, cardiac outflow tract, external and middle ear. [GOC:dph]' - }, - 'GO:0060038': { - 'name': 'cardiac muscle cell proliferation', - 'def': 'The expansion of a cardiac muscle cell population by cell division. [GOC:dph, GOC:rph, PMID:11161571]' - }, - 'GO:0060039': { - 'name': 'pericardium development', - 'def': 'The process whose specific outcome is the progression of the pericardium over time, from its formation to the mature structure. The pericardium is a double-walled sac that contains the heart and the roots of the aorta, vena cava and the pulmonary artery. [GOC:dph, GOC:rph, PMID:15138308, PMID:16376438]' - }, - 'GO:0060040': { - 'name': 'retinal bipolar neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a bipolar cell, the last neuron to be generated in the retina. [GOC:ascb_2009, GOC:bf, GOC:dph, GOC:tb]' - }, - 'GO:0060041': { - 'name': 'retina development in camera-type eye', - 'def': 'The process whose specific outcome is the progression of the retina over time, from its formation to the mature structure. The retina is the innermost layer or coating at the back of the eyeball, which is sensitive to light and in which the optic nerve terminates. [GOC:bf, GOC:dph, ISBN:0815340729]' - }, - 'GO:0060042': { - 'name': 'retina morphogenesis in camera-type eye', - 'def': 'The process in which the anatomical structure of the retina is generated and organized. [GOC:bf, GOC:dph, GOC:mtg_sensu]' - }, - 'GO:0060043': { - 'name': 'regulation of cardiac muscle cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle cell proliferation. [GOC:dph, GOC:rph]' - }, - 'GO:0060044': { - 'name': 'negative regulation of cardiac muscle cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cardiac muscle cell proliferation. [GOC:dph, GOC:rph]' - }, - 'GO:0060045': { - 'name': 'positive regulation of cardiac muscle cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac muscle cell proliferation. [GOC:dph, GOC:rph]' - }, - 'GO:0060046': { - 'name': 'regulation of acrosome reaction', - 'def': 'Any process that modulates the frequency, rate or extent of the acrosome reaction. [GOC:dph]' - }, - 'GO:0060047': { - 'name': 'heart contraction', - 'def': 'The multicellular organismal process in which the heart decreases in volume in a characteristic way to propel blood through the body. [GOC:dph]' - }, - 'GO:0060048': { - 'name': 'cardiac muscle contraction', - 'def': 'Muscle contraction of cardiac muscle tissue. [GOC:dph]' - }, - 'GO:0060049': { - 'name': 'regulation of protein glycosylation', - 'def': 'Any process that modulates the frequency, rate or extent of protein glycosylation. Protein glycosylation is the addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid, e.g. the addition of glycan chains to proteins. [GOC:dms, GOC:dph, GOC:pr]' - }, - 'GO:0060050': { - 'name': 'positive regulation of protein glycosylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the glycosylation of one or more amino acid residues within a protein. Protein glycosylation is the addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid, e.g. the addition of glycan chains to proteins. [GOC:dms, GOC:dph, GOC:pr]' - }, - 'GO:0060051': { - 'name': 'negative regulation of protein glycosylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the glycosylation of one or more amino acid residues within a protein. Protein glycosylation is the addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid, e.g. the addition of glycan chains to proteins. [GOC:dms, GOC:dph, GOC:pr]' - }, - 'GO:0060052': { - 'name': 'neurofilament cytoskeleton organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising neurofilaments and their associated proteins. [GOC:dph]' - }, - 'GO:0060053': { - 'name': 'neurofilament cytoskeleton', - 'def': 'Intermediate filament cytoskeletal structure that is made up of neurofilaments. Neurofilaments are specialized intermediate filaments found in neurons. [GOC:dph]' - }, - 'GO:0060054': { - 'name': 'positive regulation of epithelial cell proliferation involved in wound healing', - 'def': 'Any process that activates or increases the rate or extent of epithelial cell proliferation, contributing to the restoration of integrity to a damaged tissue following an injury. [GOC:dph]' - }, - 'GO:0060055': { - 'name': 'angiogenesis involved in wound healing', - 'def': 'Blood vessel formation when new vessels emerge from the proliferation of pre-existing blood vessels and contribute to the series of events that restore integrity to a damaged tissue, following an injury. [GOC:dph, PMID:15039218]' - }, - 'GO:0060056': { - 'name': 'mammary gland involution', - 'def': 'The tissue remodeling that removes differentiated mammary epithelia during weaning. [GOC:dph, PMID:15282149]' - }, - 'GO:0060057': { - 'name': 'apoptotic process involved in mammary gland involution', - 'def': 'Any apoptotic process that triggers the activity of proteolytic caspases whose actions dismantle the mammary epithelial cells resulting in their programmed cell death. [GOC:dph, GOC:mtg_apoptosis]' - }, - 'GO:0060058': { - 'name': 'positive regulation of apoptotic process involved in mammary gland involution', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell death by apoptotic process of mammary epithelial cells during mammary gland involution. [GOC:dph, GOC:mtg_apoptosis, PMID:15282149]' - }, - 'GO:0060059': { - 'name': 'embryonic retina morphogenesis in camera-type eye', - 'def': 'The process in which the anatomical structure of the retina is generated and organized in a camera-type eye during the embryonic life stage. [GOC:dgh, GOC:dph]' - }, - 'GO:0060060': { - 'name': 'post-embryonic retina morphogenesis in camera-type eye', - 'def': 'The process in which the anatomical structure of the retina is generated and organized in a camera-type eye during the post-embryonic life stage. [GOC:dgh, GOC:dph]' - }, - 'GO:0060061': { - 'name': 'Spemann organizer formation', - 'def': 'Formation of the specialized region on the dorsalmost side of the embryo that acts as the main signaling center establishing the vertebrate body plan. [GOC:bf, GOC:dph]' - }, - 'GO:0060062': { - 'name': 'Spemann organizer formation at the dorsal lip of the blastopore', - 'def': 'Formation of the specialized region at the dorsal lip of the blatopore of the embryo that acts as the main signaling center establishing the vertebrate body plan. [GOC:dph, PMID:9442883]' - }, - 'GO:0060063': { - 'name': 'Spemann organizer formation at the embryonic shield', - 'def': 'Formation of the specialized region of the embryonic shield of the embryo that acts as the main signaling center establishing the teleost body plan. [GOC:dph, PMID:9442883]' - }, - 'GO:0060064': { - 'name': 'Spemann organizer formation at the anterior end of the primitive streak', - 'def': 'Formation of the specialized region at the anterior end of the primitive streak of the embryo that acts as the main signaling center establishing the body plan. [GOC:dph, PMID:9442883]' - }, - 'GO:0060065': { - 'name': 'uterus development', - 'def': 'The reproductive developmental process whose specific outcome is the progression of the uterus over time, from its formation to the mature structure. [GOC:dph, GOC:ebc]' - }, - 'GO:0060066': { - 'name': 'oviduct development', - 'def': 'The reproductive developmental process whose specific outcome is the progression of an oviduct over time, from its formation to the mature structure. An oviduct is a tube through which an ova passes from the ovary to the uterus, or from the ovary to the outside of the organism. [GOC:dph, GOC:ebc, http://www.thefreedictionary.com/oviduct]' - }, - 'GO:0060067': { - 'name': 'cervix development', - 'def': 'The reproductive developmental process whose specific outcome is the progression of the cervix over time, from its formation to the mature structure. [GOC:dph, GOC:ebc]' - }, - 'GO:0060068': { - 'name': 'vagina development', - 'def': 'The reproductive developmental process whose specific outcome is the progression of the vagina over time, from its formation to the mature structure. [GOC:dph, GOC:ebc]' - }, - 'GO:0060069': { - 'name': 'Wnt signaling pathway, regulating spindle positioning', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell and ending with the positioning of the mitotic spindle. [GOC:bf, GOC:dph, PMID:11532397]' - }, - 'GO:0060070': { - 'name': 'canonical Wnt signaling pathway', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes. In this pathway, the activated receptor signals via downstream effectors that result in the inhibition of beta-catenin phosphorylation, thereby preventing degradation of beta-catenin. Stabilized beta-catenin can then accumulate and travel to the nucleus to trigger changes in transcription of target genes. [GOC:bf, GOC:dph, PMID:11532397, PMID:19619488]' - }, - 'GO:0060071': { - 'name': 'Wnt signaling pathway, planar cell polarity pathway', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal via downstream effectors including C-Jun N-terminal kinase (JNK) to modulate cytoskeletal elements and control cell polarity. [GOC:bf, GOC:dph, PMID:11532397]' - }, - 'GO:0060072': { - 'name': 'large conductance calcium-activated potassium channel activity', - 'def': 'Enables the transmembrane transfer of potassium by a channel with a unit conductance of 100 to 220 picoSiemens that opens in response to stimulus by concerted actions of internal calcium ions and membrane potential. Large conductance calcium-activated potassium channels are less sensitive to calcium than are small or intermediate conductance calcium-activated potassium channels. Transport by a channel involves catalysis of facilitated diffusion of a solute (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel, without evidence for a carrier-mediated mechanism. [GOC:mtg_transport, ISBN:0815340729, PMID:17115074]' - }, - 'GO:0060073': { - 'name': 'micturition', - 'def': 'The regulation of body fluids process in which parasympathetic nerves stimulate the bladder wall muscle to contract and expel urine from the body. [GOC:dph]' - }, - 'GO:0060074': { - 'name': 'synapse maturation', - 'def': 'The process that organizes a synapse so that it attains its fully functional state. Synaptic maturation plays a critical role in the establishment of effective synaptic connections in early development. [GOC:dph, GOC:ef]' - }, - 'GO:0060075': { - 'name': 'regulation of resting membrane potential', - 'def': 'Any process that modulates the establishment or extent of a resting potential, the electrical charge across the plasma membrane, with the interior of the cell negative with respect to the exterior. The resting potential is the membrane potential of a cell that is not stimulated to be depolarized or hyperpolarized. [GOC:dph, GOC:ef, ISBN:0195088433]' - }, - 'GO:0060076': { - 'name': 'excitatory synapse', - 'def': 'A synapse in which an action potential in the presynaptic cell increases the probability of an action potential occurring in the postsynaptic cell. [GOC:dph, GOC:ef]' - }, - 'GO:0060077': { - 'name': 'inhibitory synapse', - 'def': 'A synapse in which an action potential in the presynaptic cell reduces the probability of an action potential occurring in the postsynaptic cell. [GOC:dph, GOC:ef]' - }, - 'GO:0060078': { - 'name': 'regulation of postsynaptic membrane potential', - 'def': 'Any process that modulates the potential difference across a post-synaptic membrane. [GOC:dph, GOC:ef]' - }, - 'GO:0060079': { - 'name': 'excitatory postsynaptic potential', - 'def': 'A process that leads to a temporary increase in postsynaptic potential due to the flow of positively charged ions into the postsynaptic cell. The flow of ions that causes an EPSP is an excitatory postsynaptic current (EPSC) and makes it easier for the neuron to fire an action potential. [GOC:dph, GOC:ef]' - }, - 'GO:0060080': { - 'name': 'inhibitory postsynaptic potential', - 'def': 'A process that causes a temporary decrease in postsynaptic membrane potential due to the flow of negatively charged ions into the postsynaptic cell. The flow of ions that causes an IPSP is an inhibitory postsynaptic current (IPSC) and makes it more difficult for the neuron to fire an action potential. [GOC:dph, GOC:ef]' - }, - 'GO:0060081': { - 'name': 'membrane hyperpolarization', - 'def': 'The process in which membrane potential increases with respect to its steady-state potential, usually from negative potential to a more negative potential. For example, during the repolarization phase of an action potential the membrane potential often becomes more negative or hyperpolarized before returning to the steady-state resting potential. [GOC:dph]' - }, - 'GO:0060082': { - 'name': 'eye blink reflex', - 'def': 'The reflex process in which a mechanical stimulus applied to the eye elicits a response of the eyelid closing. [GOC:dph, PMID:2913208]' - }, - 'GO:0060083': { - 'name': 'smooth muscle contraction involved in micturition', - 'def': 'The process leading to shortening and/or development of tension in the urinary bladder smooth muscle tissue involved in the expulsion urine from the body. [GOC:dph, PMID:15827347]' - }, - 'GO:0060084': { - 'name': 'synaptic transmission involved in micturition', - 'def': 'The process of communication from a neuron to a smooth muscle in the bladder that contributes to the expulsion of urine from the body. [GOC:dph, PMID:15827347]' - }, - 'GO:0060085': { - 'name': 'smooth muscle relaxation of the bladder outlet', - 'def': 'A process in which the extent of smooth muscle contraction is reduced in the bladder outlet that contributes to the expulsion of urine from the body. [GOC:dph, PMID:15827347]' - }, - 'GO:0060086': { - 'name': 'circadian temperature homeostasis', - 'def': 'Any homeostatic process in which an organism modulates its internal body temperature at different values with a regularity of approximately 24 hours. [GOC:dph, GOC:tb]' - }, - 'GO:0060087': { - 'name': 'relaxation of vascular smooth muscle', - 'def': 'A negative regulation of smooth muscle contraction resulting in relaxation of vascular smooth muscle. The relaxation is mediated by a decrease in the phosphorylation state of myosin light chain. This can be achieved by removal of calcium from the cytoplasm to the sarcoplasmic reticulum lumen through the action of Ca2+ ATPases leading to a decrease myosin light chain kinase activity, and through calcium-independent pathways leading to a increase in myosin light chain phosphatase activity. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:dph, GOC:rph, GOC:TermGenie, PMID:15867178, PMID:19996365, PMID:27389411]' - }, - 'GO:0060088': { - 'name': 'auditory receptor cell stereocilium organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a stereocilium. A stereocilium is an actin-based protrusion from the apical surface of auditory hair cells. [GOC:dph, PMID:10978835]' - }, - 'GO:0060089': { - 'name': 'molecular transducer activity', - 'def': 'The molecular function that accepts an input of one form and creates an output of a different form. [GOC:mtg_MIT_16mar07]' - }, - 'GO:0060090': { - 'name': 'binding, bridging', - 'def': 'The binding activity of a molecule that brings together two or more molecules through a selective, non-covalent, often stoichiometric interaction, permitting those molecules to function in a coordinated way. [GOC:mtg_MIT_16mar07, GOC:vw]' - }, - 'GO:0060091': { - 'name': 'kinocilium', - 'def': 'A nonmotile primary cilium that is found at the apical surface of auditory receptor cells. The kinocilium is surrounded by actin-based stereocilia. [GOC:cilia, GOC:dph, PMID:15882574]' - }, - 'GO:0060092': { - 'name': 'regulation of synaptic transmission, glycinergic', - 'def': 'Any process that modulates the frequency, rate or extent of glycinergic synaptic transmission. Glycinergic synaptic transmission is the process of communication from a neuron to another neuron across a synapse using the neurotransmitter glycine. [GOC:dms, GOC:dph]' - }, - 'GO:0060093': { - 'name': 'negative regulation of synaptic transmission, glycinergic', - 'def': 'Any process that stops or decreases the frequency, rate or extent of glycinergic synaptic transmission. Glycinergic synaptic transmission is the process of communication from a neuron to another neuron across a synapse using the neurotransmitter glycine. [GOC:dms, GOC:dph]' - }, - 'GO:0060094': { - 'name': 'positive regulation of synaptic transmission, glycinergic', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycinergic synaptic transmission. Glycinergic synaptic transmission is the process of communication from a neuron to another neuron across a synapse using the neurotransmitter glycine. [GOC:dms, GOC:dph]' - }, - 'GO:0060095': { - 'name': 'zinc potentiation of synaptic transmission, glycinergic', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycinergic synaptic transmission in the presence of zinc. Glycinergic synaptic transmission is the process of communication from a neuron to another neuron across a synapse using the neurotransmitter glycine. [GOC:dms, GOC:dph]' - }, - 'GO:0060096': { - 'name': 'serotonin secretion, neurotransmission', - 'def': 'The regulated release of serotonin by a cell, in which released serotonin acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0060097': { - 'name': 'cytoskeletal rearrangement involved in phagocytosis, engulfment', - 'def': 'The assembly, arrangement, or disassembly of cytoskeletal structures that is involved in the internalization of bacteria, immune complexes and other particulate matter or of an apoptotic cell by phagocytosis. [GOC:dph]' - }, - 'GO:0060098': { - 'name': 'membrane reorganization involved in phagocytosis, engulfment', - 'def': 'The assembly and arrangement of the plasma membrane that is involved in the internalization of bacteria, immune complexes and other particulate matter or of an apoptotic cell by phagocytosis. [GOC:dph]' - }, - 'GO:0060099': { - 'name': 'regulation of phagocytosis, engulfment', - 'def': 'Any process that modulates the frequency, rate or extent of the internalization of bacteria, immune complexes and other particulate matter or of an apoptotic cell by phagocytosis. [GOC:dph]' - }, - 'GO:0060100': { - 'name': 'positive regulation of phagocytosis, engulfment', - 'def': 'Any process that activates or increases the frequency, rate or extent of the internalization of bacteria, immune complexes and other particulate matter or of an apoptotic cell by phagocytosis. [GOC:dph]' - }, - 'GO:0060101': { - 'name': 'negative regulation of phagocytosis, engulfment', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the internalization of bacteria, immune complexes and other particulate matter or of an apoptotic cell by phagocytosis. [GOC:dph]' - }, - 'GO:0060102': { - 'name': 'collagen and cuticulin-based cuticle extracellular matrix', - 'def': 'A collagen and cuticulin-based noncellular, multilayered structure that is synthesized by an underlying ectodermal (hypodermal) cell layer. The cuticle serves essential functions in body morphology, locomotion, and environmental protection. An example of this component is found in Caenorhabditis elegans. [GOC:dph, GOC:kmv, ISSN:15518507]' - }, - 'GO:0060103': { - 'name': 'collagen and cuticulin-based cuticle extracellular matrix part', - 'def': 'Any constituent part of the collagen and cuticulin-based cuticle extracellular matrix, a collagen and cuticulin-based noncellular, multilayered structure that is synthesized by an underlying ectodermal (hypodermal) cell layer. [GOC:dph]' - }, - 'GO:0060104': { - 'name': 'surface coat of collagen and cuticulin-based cuticle extracellular matrix', - 'def': 'An electron dense, amorphous envelope that comprises the outermost layer of the cuticle. The surface coat is loosely apposed to the epicuticle, has distinct biochemical properties, is synthesized by cells other than the underlying hypodermis, and is labile. In addition to serving as a lubricant to protect against abrasion and dehydration, the surface coat may also play important roles in infection and immune evasion. An example of this component is found in Caenorhabditis elegans. [GOC:dph, GOC:kmv, ISSN:15518507]' - }, - 'GO:0060105': { - 'name': 'epicuticle of collagen and cuticulin-based cuticle extracellular matrix', - 'def': 'A lipid-containing layer of cuticle that lies between the cortical layer and the surface coat. An example of this component is found in Caenorhabditis elegans. [GOC:dph, GOC:kmv, ISSN:15518507]' - }, - 'GO:0060106': { - 'name': 'cortical layer of collagen and cuticulin-based cuticle extracellular matrix', - 'def': 'The cuticle layer that lies directly beneath the lipid-containing epicuticle. The cortical layer contains collagens and insoluble, non-collagenous cuticulins and is characterized by a distinct annular pattern consisting of regularly spaced annular ridges delineated by annular furrows. An example of this component is found in Caenorhabditis elegans. [GOC:dph, GOC:kmv, ISSN:15518507]' - }, - 'GO:0060107': { - 'name': 'annuli extracellular matrix', - 'def': 'The extracellular matrix that is a regularly spaced circumferential ridge present in the cortical region of the cuticle. Annuli are delineated by annular furrows and are present throughout the cuticle with the exception of lateral regions where longitudinal alae are present. [GOC:dph, GOC:kmv, ISSN:15518507]' - }, - 'GO:0060108': { - 'name': 'annular furrow extracellular matrix', - 'def': 'The extracellular matrix part that is a regularly spaced indentation in the outer cortical layer of the cuticle. The pattern of annular furrows corresponds to sites of invaginations in hypodermal cell membranes that, in turn, correspond to submembranous regions where actin microfilament bundles assemble early in lethargus, the first phase of the molting cycle in which activity and feeding decline. [GOC:dph, GOC:kmv, ISSN:15518507]' - }, - 'GO:0060109': { - 'name': 'medial layer of collagen and cuticulin-based cuticle extracellular matrix', - 'def': 'The fluid-filled cuticle layer that lies between the cortical and basal layers and is characterized by the presence of regularly spaced columnar struts that lie on either side of the annular furrows and link the two surrounding layers. In C. elegans, a defined medial layer is found only in adult animals. [GOC:dph, GOC:kmv, ISSN:15518507]' - }, - 'GO:0060110': { - 'name': 'basal layer of collagen and cuticulin-based cuticle extracellular matrix', - 'def': 'The layer of cuticle most closely apposed to the hypodermal cells. The morphology of the basal layer varies with life stage. In adult C. elegans animals, the basal layers is comprised of three sublayers: two fibrous layers whose fibers run in clockwise and counter-clockwise directions meeting one another at a 60 degree angle, and an amorphous basal layer that lies underneath the fibrous layers and directly contacts the hypodermis. In C. elegans dauer and L1 larval stage animals, the basal layer is characterized by a striated pattern that appears to derive from interwoven laminae. An example of this component is found in Caenorhabditis elegans. [GOC:dph, GOC:kmv, ISSN:15518507]' - }, - 'GO:0060111': { - 'name': 'alae of collagen and cuticulin-based cuticle extracellular matrix', - 'def': 'Raised, thickened cuticular ridges that run longitudinally, and in parallel, along the left and right sides of the animal. The alae lie above the hypodermal cells known as the lateral seam cells. In C. elegans, alae are produced in L1 larvae, dauer larvae and adult stage animals, where they consist of three, five, and three ridges of distinct morphology, respectively. [GOC:dph, GOC:kmv, ISSN:15518507]' - }, - 'GO:0060112': { - 'name': 'generation of ovulation cycle rhythm', - 'def': 'The process which controls the timing of the type of sexual cycle seen in female mammals. [GOC:dph]' - }, - 'GO:0060113': { - 'name': 'inner ear receptor cell differentiation', - 'def': 'The process in which relatively unspecialized cells, acquire specialized structural and/or functional features of inner ear receptor cells. Inner ear receptor cells are mechanorecptors found in the inner ear responsible for transducing signals involved in balance and sensory perception of sound. [GOC:dph]' - }, - 'GO:0060114': { - 'name': 'vestibular receptor cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a vestibular hair cell. [GOC:dph]' - }, - 'GO:0060115': { - 'name': 'vestibular receptor cell fate commitment', - 'def': 'The process in which a cell becomes committed to become a vestibular receptor cell. [GOC:dph]' - }, - 'GO:0060116': { - 'name': 'vestibular receptor cell morphogenesis', - 'def': 'Any process that alters the size or shape of a vestibular receptor cell. [GOC:dph, GOC:tb]' - }, - 'GO:0060117': { - 'name': 'auditory receptor cell development', - 'def': 'The process whose specific outcome is the progression of an auditory receptor cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. [GOC:dph]' - }, - 'GO:0060118': { - 'name': 'vestibular receptor cell development', - 'def': 'The process whose specific outcome is the progression of a vestibular receptor cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. [GOC:dph]' - }, - 'GO:0060119': { - 'name': 'inner ear receptor cell development', - 'def': 'The process whose specific outcome is the progression of an inner ear receptor cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. [GOC:dph]' - }, - 'GO:0060120': { - 'name': 'inner ear receptor cell fate commitment', - 'def': 'The process in which a cell becomes committed to become an inner ear receptor cell. [GOC:dph]' - }, - 'GO:0060121': { - 'name': 'vestibular receptor cell stereocilium organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a stereocilium. A stereocilium is an actin-based protrusion from the apical surface of vestibular hair cells. [GOC:dph]' - }, - 'GO:0060122': { - 'name': 'inner ear receptor stereocilium organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a stereocilium. A stereocilium is an actin-based protrusion from the apical surface of inner ear receptor cells. [GOC:dph]' - }, - 'GO:0060123': { - 'name': 'regulation of growth hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of growth hormone from a cell. [GOC:dph]' - }, - 'GO:0060124': { - 'name': 'positive regulation of growth hormone secretion', - 'def': 'Any process that increases the frequency, rate or extent of the regulated release of growth hormone from a cell. [GOC:dph]' - }, - 'GO:0060125': { - 'name': 'negative regulation of growth hormone secretion', - 'def': 'Any process that decreases or stops the frequency, rate or extent of the regulated release of growth hormone from a cell. [GOC:dph]' - }, - 'GO:0060126': { - 'name': 'somatotropin secreting cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of a somatotropin secreting cell. A somatotropin secreting cell is an acidophilic cell of the anterior pituitary that produces growth hormone, somatotropin. [GOC:dph]' - }, - 'GO:0060127': { - 'name': 'prolactin secreting cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of a prolactin secreting cell. A prolactin secreting cell is an acidophilic cell of the anterior pituitary that produces prolactin. [GOC:dph]' - }, - 'GO:0060128': { - 'name': 'corticotropin hormone secreting cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of a corticotropic hormone secreting cell. An corticotropic hormone secreting cell is a basophil cell of the anterior pituitary that produces corticotropin. [GOC:dph]' - }, - 'GO:0060129': { - 'name': 'thyroid-stimulating hormone-secreting cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of a thyroid-stimulating hormone-secreting cell. A thyroid-stimulating hormone-secreting cell is a basophil cell of the anterior pituitary that produces thyroid-stimulating hormone, thyrotrophin. [GOC:dph]' - }, - 'GO:0060130': { - 'name': 'thyroid-stimulating hormone-secreting cell development', - 'def': 'The process whose specific outcome is the progression of a thyroid-stimulating hormone-secreting cell over time, from its formation to the mature structure. A thyroid-stimulating hormone-secreting cell is a basophil cell of the anterior pituitary that produces thyroid stimulating hormone, thyrotrophin. [GOC:dph]' - }, - 'GO:0060131': { - 'name': 'corticotropin hormone secreting cell development', - 'def': 'The process whose specific outcome is the progression of a corticotropic hormone secreting cell over time, from its formation to the mature structure. An corticotropic hormone secreting cell is a basophil cell of the anterior pituitary that produces corticotropin. [GOC:dph]' - }, - 'GO:0060132': { - 'name': 'prolactin secreting cell development', - 'def': 'The process whose specific outcome is the progression of a prolactin secreting cell over time, from its formation to the mature structure. A prolactin secreting cell is an acidophilic cell of the anterior pituitary that produces prolactin. [GOC:dph]' - }, - 'GO:0060133': { - 'name': 'somatotropin secreting cell development', - 'def': 'The process whose specific outcome is the progression of a somatotropin secreting cell over time, from its formation to the mature structure. A somatotropin secreting cell is an acidophilic cell of the anterior pituitary that produces growth hormone, somatotropin. [GOC:dph]' - }, - 'GO:0060134': { - 'name': 'prepulse inhibition', - 'def': 'The process in which a startle magnitude is reduced when the startling stimulus is preceded by a low-intensity prepulse. [GOC:dph, PMID:10341260]' - }, - 'GO:0060135': { - 'name': 'maternal process involved in female pregnancy', - 'def': 'A reproductive process occurring in the mother that allows an embryo or fetus to develop within it. [GOC:dph]' - }, - 'GO:0060136': { - 'name': 'embryonic process involved in female pregnancy', - 'def': 'A reproductive process occurring in the embryo or fetus that allows the embryo or fetus to develop within the mother. [GOC:dph]' - }, - 'GO:0060137': { - 'name': 'maternal process involved in parturition', - 'def': 'A reproductive process occurring in the mother that results in birth. [GOC:dph]' - }, - 'GO:0060138': { - 'name': 'fetal process involved in parturition', - 'def': 'A reproductive process occurring in the embryo that results in birth. [GOC:dph]' - }, - 'GO:0060139': { - 'name': 'positive regulation of apoptotic process by virus', - 'def': 'Any viral process that activates or increases the frequency, rate or extent of cell death by apoptotic process. [GOC:dph, GOC:mtg_apoptosis]' - }, - 'GO:0060140': { - 'name': 'modulation by virus of syncytium formation via plasma membrane fusion', - 'def': 'The formation in a cell that has been targeted by a virus of a syncytium, a mass of cytoplasm containing several nuclei enclosed within a single plasma membrane, by the fusion of the plasma membranes of two or more individual cells. [GOC:dph]' - }, - 'GO:0060141': { - 'name': 'positive regulation of syncytium formation by virus', - 'def': 'The process in which a virus increases the frequency, rate or extent of the formation of a syncytium, a mass of cytoplasm containing several nuclei enclosed within a single plasma membrane, by the fusion of the plasma membranes of two or more individual cells. [GOC:dph]' - }, - 'GO:0060142': { - 'name': 'regulation of syncytium formation by plasma membrane fusion', - 'def': 'Any process that modulates the frequency, rate or extent of the formation of a syncytium, a mass of cytoplasm containing several nuclei enclosed within a single plasma membrane, by the fusion of the plasma membranes of two or more individual cells. [GOC:dph]' - }, - 'GO:0060143': { - 'name': 'positive regulation of syncytium formation by plasma membrane fusion', - 'def': 'Any process that increases the frequency, rate or extent of the formation of a syncytium, a mass of cytoplasm containing several nuclei enclosed within a single plasma membrane, by the fusion of the plasma membranes of two or more individual cells. [GOC:dph]' - }, - 'GO:0060144': { - 'name': 'host cellular process involved in virus induced gene silencing', - 'def': "A cellular process occurring in the host cell that contributes to the process of posttranscriptional gene inactivation ('silencing') both of viral gene(s), and host gene(s) homologous to the viral genes. [GOC:dph]" - }, - 'GO:0060145': { - 'name': 'viral gene silencing in virus induced gene silencing', - 'def': 'The posttranscriptional gene silencing of viral genes after viral infection. [GOC:dph]' - }, - 'GO:0060146': { - 'name': 'host gene silencing in virus induced gene silencing', - 'def': 'The posttranscriptional gene silencing of host genes that are homologous to viral genes after viral infection. [GOC:dph]' - }, - 'GO:0060147': { - 'name': 'regulation of posttranscriptional gene silencing', - 'def': 'Any process that modulates the frequency, rate or extent of the inactivation of gene expression by a posttranscriptional mechanism. [GOC:dph]' - }, - 'GO:0060148': { - 'name': 'positive regulation of posttranscriptional gene silencing', - 'def': 'Any process that increases the frequency, rate or extent of the inactivation of gene expression by a posttranscriptional mechanism. [GOC:dph]' - }, - 'GO:0060149': { - 'name': 'negative regulation of posttranscriptional gene silencing', - 'def': 'Any process that decreases the frequency, rate or extent of the inactivation of gene expression by a posttranscriptional mechanism. [GOC:dph]' - }, - 'GO:0060150': { - 'name': 'viral triggering of virus induced gene silencing', - 'def': 'Any process that increases the frequency, rate or extent of the inactivation of gene expression of both viral genes and host homologues to those genes by a posttranscriptional mechanism in a virally infected cell. [GOC:dph]' - }, - 'GO:0060151': { - 'name': 'peroxisome localization', - 'def': 'Any process in which a peroxisome is transported to, and/or maintained in, a specific location. A peroxisome is a small membrane-bounded organelle that uses dioxygen (O2) to oxidize organic molecules. [GOC:dph, PMID:16449325]' - }, - 'GO:0060152': { - 'name': 'microtubule-based peroxisome localization', - 'def': 'The microtubule-based process in which a peroxisome is transported to, and/or maintained in, a specific location. A peroxisome is a small membrane-bounded organelle that uses dioxygen (O2) to oxidize organic molecules. [GOC:dph, PMID:16449325]' - }, - 'GO:0060153': { - 'name': 'modulation by virus of host cell cycle', - 'def': 'Any viral process that modulates the rate or extent of progression through the cell cycle. [GOC:dph, UniProtKB-KW:KW-1121, VZ:1636]' - }, - 'GO:0060154': { - 'name': 'cellular process regulating host cell cycle in response to virus', - 'def': 'Any cellular process that modulates the rate or extent of progression through the cell cycle in response to a virus. [GOC:dph]' - }, - 'GO:0060155': { - 'name': 'platelet dense granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a platelet dense granule. A platelet dense granule is an electron-dense granule occurring in blood platelets that stores and secretes adenosine nucleotides and serotonin. They contain a highly condensed core consisting of serotonin, histamine, calcium, magnesium, ATP, ADP, pyrophosphate and membrane lysosomal proteins. [GOC:dph, PMID:11487378]' - }, - 'GO:0060156': { - 'name': 'milk ejection reflex', - 'def': 'A reflex that occurs in response to suckling, beginning with a nerve impulse from a receptor in the mammary gland and ending with the ejection of milk from the gland. Signaling never reaches a level of consciousness. [GOC:cjm, GOC:dph, GOC:mr, GOC:st]' - }, - 'GO:0060157': { - 'name': 'urinary bladder development', - 'def': 'The process whose specific outcome is the progression of the urinary bladder over time, from its formation to the mature structure. The urinary bladder is an elastic, muscular sac situated in the anterior part of the pelvic cavity in which urine collects before excretion. [GOC:dph, GOC:ln, GOC:mr, http://en.wikipedia.org/wiki/Rhea_(bird), PMID:11768524, PMID:18276178, PMID:538956]' - }, - 'GO:0060158': { - 'name': 'phospholipase C-activating dopamine receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a dopamine receptor binding to its physiological ligand, where the pathway proceeds with activation of phospholipase C (PLC) and a subsequent release of inositol trisphosphate (IP3) and diacylglycerol (DAG). [GOC:dph, GOC:signaling, GOC:tb, PMID:12675914]' - }, - 'GO:0060159': { - 'name': 'regulation of dopamine receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of a dopamine receptor signaling pathway activity. A dopamine receptor signaling pathway is the series of molecular signals generated as a consequence of a dopamine receptor binding to one of its physiological ligands. [GOC:dph]' - }, - 'GO:0060160': { - 'name': 'negative regulation of dopamine receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of dopamine receptor protein signaling pathway activity. A dopamine receptor signaling pathway is the series of molecular signals generated as a consequence of a dopamine receptor binding to one of its physiological ligands. [GOC:dph]' - }, - 'GO:0060161': { - 'name': 'positive regulation of dopamine receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the dopamine receptor protein signaling pathway. A dopamine receptor signaling pathway is the series of molecular signals generated as a consequence of a dopamine receptor binding to one of its physiological ligands. [GOC:dph]' - }, - 'GO:0060162': { - 'name': 'negative regulation of phospholipase C-activating dopamine receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the dopamine receptor, phospholipase C activating pathway. [GOC:dph, GOC:tb, PMID:15016423]' - }, - 'GO:0060163': { - 'name': 'subpallium neuron fate commitment', - 'def': 'The process in which in the subpallium, the developmental fate of a cell becomes restricted such that it will develop into a neuron. The subpallium is the base region of the telencephalon. [GOC:dph]' - }, - 'GO:0060164': { - 'name': 'regulation of timing of neuron differentiation', - 'def': 'The process controlling the activation and/or rate at which a relatively unspecialized cell acquires features of a neuron. [GOC:dph]' - }, - 'GO:0060165': { - 'name': 'regulation of timing of subpallium neuron differentiation', - 'def': 'The process controlling the timing and/or rate at which a relatively unspecialized cell in the subpallium acquires features of a neuron. The subpallium is the base region of the telencephalon. [GOC:dph]' - }, - 'GO:0060166': { - 'name': 'olfactory pit development', - 'def': 'The biological process whose specific outcome is the progression of the olfactory pit from an initial condition to its mature state. This process begins with the formation of the olfactory pit, which is an indentation of the olfactory placode, and ends when the pits hollows out to form the nasopharynx. [GOC:dph, ISBN:0124020607]' - }, - 'GO:0060167': { - 'name': 'regulation of adenosine receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the adenosine receptor signaling pathway. The adenosine receptor pathway is the series of molecular signals generated as a consequence of an adenosine receptor binding to one of its physiological ligands. [GOC:dph]' - }, - 'GO:0060168': { - 'name': 'positive regulation of adenosine receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the adenosine receptor signaling pathway. The adenosine receptor pathway is the series of molecular signals generated as a consequence of an adenosine receptor binding to one of its physiological ligands. [GOC:dph]' - }, - 'GO:0060169': { - 'name': 'negative regulation of adenosine receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the adenosine receptor signaling pathway. The adenosine receptor pathway is the series of molecular signals generated as a consequence of an adenosine receptor binding to one of its physiological ligands. [GOC:dph]' - }, - 'GO:0060170': { - 'name': 'ciliary membrane', - 'def': 'The portion of the plasma membrane surrounding a cilium. [GOC:cilia, GOC:dph, GOC:rph]' - }, - 'GO:0060171': { - 'name': 'stereocilium membrane', - 'def': 'The portion of the plasma membrane surrounding a stereocilium. [GOC:dph, GOC:rph]' - }, - 'GO:0060172': { - 'name': 'astral microtubule depolymerization', - 'def': 'The removal of tubulin heterodimers from one or both ends of an astral microtubule. An astral microtubule is any of the spindle microtubules that radiate in all directions from the spindle poles and are thought to contribute to the forces that separate the poles and position them in relation to the rest of the cell. [GOC:dph]' - }, - 'GO:0060173': { - 'name': 'limb development', - 'def': 'The process whose specific outcome is the progression of a limb over time, from its formation to the mature structure. A limb is an appendage of an animal used for locomotion or grasping. Examples include legs, arms or some types of fin. [GOC:dgh, GOC:dph, PMID:11487378]' - }, - 'GO:0060174': { - 'name': 'limb bud formation', - 'def': 'The process pertaining to the initial formation of a limb bud from unspecified parts. This process begins with the formation of a local condensation of mesenchyme cells within the prospective limb field, and ends when a limb bud is recognizable. [GOC:dgh, GOC:dph]' - }, - 'GO:0060175': { - 'name': 'brain-derived neurotrophic factor-activated receptor activity', - 'def': 'Combining with a brain-derived neurotrophic factor and transmitting the signal across the plasma membrane to initiate a change in cell activity. [GOC:bf, GOC:dph]' - }, - 'GO:0060176': { - 'name': 'regulation of aggregation involved in sorocarp development', - 'def': 'Any process that modulates the frequency, rate or extent of aggregation during sorocarp development. Aggregation involved in sorocarp development is the process whose specific outcome is the progression of the aggregate over time, from its formation to the point when a slug is formed. Aggregate development begins in response to starvation and continues by the chemoattractant-mediated movement of cells toward each other. The aggregate is a multicellular structure that gives rise to the slug. [GOC:dph, GOC:tb]' - }, - 'GO:0060177': { - 'name': 'regulation of angiotensin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving angiotensin. [GOC:dph, GOC:tb]' - }, - 'GO:0060178': { - 'name': 'regulation of exocyst localization', - 'def': 'Any process that modulates the localization of exocysts. An exocyst is a protein complex peripherally associated with the plasma membrane that determines where vesicles dock and fuse. [GOC:dph, GOC:tb]' - }, - 'GO:0060179': { - 'name': 'male mating behavior', - 'def': 'The specific behavior of a male organism that is associated with reproduction. [GOC:dph, GOC:pr, GOC:tb]' - }, - 'GO:0060180': { - 'name': 'female mating behavior', - 'def': 'The specific behavior of a female organism that is associated with reproduction. [GOC:dph, GOC:pr, GOC:tb]' - }, - 'GO:0060182': { - 'name': 'apelin receptor activity', - 'def': 'Combining with the peptide apelin to initiate a change in cell activity. [GOC:dph]' - }, - 'GO:0060183': { - 'name': 'apelin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an apelin receptor binding to one of its physiological ligands. [GOC:dph]' - }, - 'GO:0060184': { - 'name': 'cell cycle switching', - 'def': 'The process in which a cell switches cell cycle mode. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0060185': { - 'name': 'outer ear unfolding', - 'def': 'The opening and spreading out of the outer ear. [GOC:dph]' - }, - 'GO:0060186': { - 'name': 'outer ear emergence', - 'def': 'The growth of the outer ear. [GOC:dph]' - }, - 'GO:0060187': { - 'name': 'cell pole', - 'def': 'Either of two different areas at opposite ends of an axis of a cell. [GOC:dph]' - }, - 'GO:0060188': { - 'name': 'regulation of protein desumoylation', - 'def': 'Any process that modulates the frequency, rate or extent of protein desumoylation. Protein desumoylation is the process in which a SUMO protein (small ubiquitin-related modifier) is cleaved from its target protein. [GOC:dph, GOC:tb]' - }, - 'GO:0060189': { - 'name': 'positive regulation of protein desumoylation', - 'def': 'Any process that increases the frequency, rate or extent of protein desumoylation. Protein desumoylation is the process in which a SUMO protein (small ubiquitin-related modifier) is cleaved from its target protein. [GOC:dph, GOC:tb]' - }, - 'GO:0060190': { - 'name': 'negative regulation of protein desumoylation', - 'def': 'Any process that decreases the frequency, rate or extent of protein desumoylation. Protein desumoylation is the process in which a SUMO protein (small ubiquitin-related modifier) is cleaved from its target protein. [GOC:dph, GOC:tb]' - }, - 'GO:0060191': { - 'name': 'regulation of lipase activity', - 'def': 'Any process that modulates the frequency, rate or extent of lipase activity, the hydrolysis of a lipid or phospholipid. [GOC:dph, GOC:tb]' - }, - 'GO:0060192': { - 'name': 'negative regulation of lipase activity', - 'def': 'Any process that decreases the frequency, rate or extent of lipase activity, the hydrolysis of a lipid or phospholipid. [GOC:dph, GOC:tb]' - }, - 'GO:0060193': { - 'name': 'positive regulation of lipase activity', - 'def': 'Any process that increases the frequency, rate or extent of lipase activity, the hydrolysis of a lipid or phospholipid. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060194': { - 'name': 'regulation of antisense RNA transcription', - 'def': 'Any process that modulates the frequency, rate or extent of the synthesis of antisense RNA, an RNA molecule complementary in sequence to another RNA or DNA molecule, which, by binding the latter, acts to inhibit its function and/or completion of synthesis, on a template of DNA. [GOC:dph, GOC:jp, GOC:tb, PMID:18075583]' - }, - 'GO:0060195': { - 'name': 'negative regulation of antisense RNA transcription', - 'def': 'Any process that decreases the frequency, rate or extent of the synthesis of antisense RNA, an RNA molecule complementary in sequence to another RNA or DNA molecule, which, by binding the latter, acts to inhibit its function and/or completion of synthesis, on a template of DNA. [GOC:dph, GOC:tb, PMID:18075583]' - }, - 'GO:0060196': { - 'name': 'positive regulation of antisense RNA transcription', - 'def': 'Any process that increases the frequency, rate or extent of the synthesis of antisense RNA, an RNA molecule complementary in sequence to another RNA or DNA molecule, which, by binding the latter, acts to inhibit its function and/or completion of synthesis, on a template of DNA. [GOC:dph, GOC:tb, PMID:18075583]' - }, - 'GO:0060197': { - 'name': 'cloacal septation', - 'def': 'The separation of the single opening of the digestive, urinary, and reproductive tracts, the cloaca, into multiple isolated openings during development. [GOC:dph, GOC:st]' - }, - 'GO:0060198': { - 'name': 'clathrin-sculpted vesicle', - 'def': 'A clathrin-sculpted lipid bilayer membrane-enclosed vesicle after clathrin release. [GOC:dph]' - }, - 'GO:0060199': { - 'name': 'clathrin-sculpted glutamate transport vesicle', - 'def': 'A clathrin-sculpted lipid bilayer membrane-enclosed vesicle after clathrin release and containing glutamate. [GOC:dph]' - }, - 'GO:0060200': { - 'name': 'clathrin-sculpted acetylcholine transport vesicle', - 'def': 'A clathrin-sculpted lipid bilayer membrane-enclosed vesicle after clathrin release and containing acetylcholine. [GOC:dph]' - }, - 'GO:0060201': { - 'name': 'clathrin-sculpted acetylcholine transport vesicle membrane', - 'def': 'The lipid bilayer surrounding a clathrin-sculpted acetylcholine transport vesicle. [GOC:dph]' - }, - 'GO:0060202': { - 'name': 'clathrin-sculpted acetylcholine transport vesicle lumen', - 'def': 'The volume enclosed by the membrane of the clathrin-sculpted acetylcholine transport vesicle. [GOC:dph]' - }, - 'GO:0060203': { - 'name': 'clathrin-sculpted glutamate transport vesicle membrane', - 'def': 'The lipid bilayer surrounding a clathrin-sculpted glutamate transport vesicle. [GOC:dph]' - }, - 'GO:0060204': { - 'name': 'clathrin-sculpted glutamate transport vesicle lumen', - 'def': 'The volume enclosed by the membrane of the clathrin-sculpted glutamate transport vesicle. [GOC:dph]' - }, - 'GO:0060205': { - 'name': 'cytoplasmic vesicle lumen', - 'def': 'The volume enclosed by a cytoplasmic vesicle. [GOC:dph, GOC:vesicles]' - }, - 'GO:0060206': { - 'name': 'estrous cycle phase', - 'def': 'The progression of physiological phases, occurring in the endometrium during the estrous cycle that recur at regular intervals during the reproductive years. The estrous cycle is an ovulation cycle where the endometrium is resorbed if pregnancy does not occur. [GOC:dph]' - }, - 'GO:0060207': { - 'name': 'diestrus', - 'def': 'The estrous cycle phase which is a period of sexual quiescence and represents the phase of the mature corpus luteum. [GOC:dph, ISBN:0721662544]' - }, - 'GO:0060208': { - 'name': 'proestrus', - 'def': 'The estrous cycle phase in which there is heightened follicular activity. [GOC:dph, ISBN:0721662544]' - }, - 'GO:0060209': { - 'name': 'estrus', - 'def': 'The estrous cycle phase in which a female is sexually receptive. [GOC:dph, ISBN:0721662544]' - }, - 'GO:0060210': { - 'name': 'metestrus', - 'def': 'The estrous cycle phase in which there is subsiding follicular function. [GOC:dph, ISBN:0721662544]' - }, - 'GO:0060211': { - 'name': 'regulation of nuclear-transcribed mRNA poly(A) tail shortening', - 'def': 'Any process that modulates the frequency, rate or extent of poly(A) tail shortening of a nuclear-transcribed mRNA. Poly(A) tail shortening is the decrease in length of the poly(A) tail of an mRNA from full length to an oligo(A) length. [GOC:dph, GOC:tb]' - }, - 'GO:0060212': { - 'name': 'negative regulation of nuclear-transcribed mRNA poly(A) tail shortening', - 'def': 'Any process that decreases the frequency, rate or extent of poly(A) tail shortening of a nuclear-transcribed mRNA. Poly(A) tail shortening is the decrease in length of the poly(A) tail of an mRNA from full length to an oligo(A) length. [GOC:dph, GOC:tb]' - }, - 'GO:0060213': { - 'name': 'positive regulation of nuclear-transcribed mRNA poly(A) tail shortening', - 'def': 'Any process that increases the frequency, rate or extent of poly(A) tail shortening of a nuclear-transcribed mRNA. Poly(A) tail shortening is the decrease in length of the poly(A) tail of an mRNA from full length to an oligo(A) length. [GOC:dph, GOC:tb]' - }, - 'GO:0060214': { - 'name': 'endocardium formation', - 'def': 'Formation of the endocardium of the heart. The endocardium is an anatomical structure comprised of an endothelium and an extracellular matrix that forms the innermost layer of tissue of the heart, and lines the heart chambers. [GOC:bf, GOC:dph, PMID:17722983]' - }, - 'GO:0060215': { - 'name': 'primitive hemopoiesis', - 'def': 'A first transient wave of blood cell production that, in vertebrates, gives rise to erythrocytes (red blood cells) and myeloid cells. [GOC:bf, GOC:dph, PMID:15378083, PMID:15617691]' - }, - 'GO:0060216': { - 'name': 'definitive hemopoiesis', - 'def': 'A second wave of blood cell production that, in vertebrates, generates long-term hemopoietic stem cells that continously provide erythroid, myeloid and lymphoid lineages throughout adulthood. [GOC:bf, GOC:dph, PMID:15378083, PMID:15617691]' - }, - 'GO:0060217': { - 'name': 'hemangioblast cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the characteristics of a mature hemangioblast. Hemangioblasts are the proposed common precursor of blood and endothelial lineages. [GOC:bf, GOC:dph, PMID:15378083, PMID:9670018]' - }, - 'GO:0060218': { - 'name': 'hematopoietic stem cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a hematopoietic stem cell. A stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized cells. [GOC:bf, GOC:BHF, GOC:dph, GOC:rl, PMID:15378083]' - }, - 'GO:0060219': { - 'name': 'camera-type eye photoreceptor cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a photoreceptor cell in a camera-type eye. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0060220': { - 'name': 'camera-type eye photoreceptor cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a photoreceptor cell in a camera-type eye. [GOC:dph]' - }, - 'GO:0060221': { - 'name': 'retinal rod cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a retinal rod cell. [GOC:dph]' - }, - 'GO:0060222': { - 'name': 'regulation of retinal cone cell fate commitment', - 'def': 'Any process that modulates the process in which a cell becomes committed to a retinal cone cell fate. Retinal cone cell fate commitment is the process in which the developmental fate of a cell becomes restricted such that it will develop into a retinal cone cell. [GOC:dph]' - }, - 'GO:0060223': { - 'name': 'retinal rod cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a retinal rod cell. A retinal rod cell is one of the two photoreceptor subtypes in a camera-type eye. [GOC:dph]' - }, - 'GO:0060224': { - 'name': 'regulation of retinal rod cell fate commitment', - 'def': 'Any process that modulates the process in which the developmental fate of a cell becomes restricted such that it will develop into a retinal rod cell. A retinal rod cell is one of the two photoreceptor subtypes in a camera-type eye. [GOC:dph]' - }, - 'GO:0060225': { - 'name': 'positive regulation of retinal rod cell fate commitment', - 'def': 'Any process that increases the process in which the developmental fate of a cell becomes restricted such that it will develop into a retinal rod cell. A retinal rod cell is one of the two photoreceptor subtypes in a camera-type eye. [GOC:dph]' - }, - 'GO:0060226': { - 'name': 'negative regulation of retinal cone cell fate commitment', - 'def': 'Any process that increases the process in which a cell becomes committed to a retinal cone cell fate. Retinal cone cell fate commitment is the process in which the developmental fate of a cell becomes restricted such that it will develop into a retinal cone cell. [GOC:dph]' - }, - 'GO:0060227': { - 'name': 'Notch signaling pathway involved in camera-type eye photoreceptor fate commitment', - 'def': 'The series of molecular signals initiated by binding of an extracellular ligand to a Notch receptor on the surface of the target cell that contributes to the commitment of a precursor cell to a eye photoreceptor fate. [GOC:dph]' - }, - 'GO:0060228': { - 'name': 'phosphatidylcholine-sterol O-acyltransferase activator activity', - 'def': 'Increases the activity of phosphatidylcholine-sterol O-acyltransferase, an enzyme that converts cholesterol and phosphatidylcholine (lecithins) to cholesteryl esters and lyso-phosphatidylcholines. [GOC:BHF, GOC:dph, GOC:tb, PMID:4335615]' - }, - 'GO:0060229': { - 'name': 'lipase activator activity', - 'def': 'Binds to and increases the activity of a lipase, an enzyme that catalyzes of the hydrolysis of a lipid. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060230': { - 'name': 'lipoprotein lipase activator activity', - 'def': 'Binds to and increases the activity of a lipoprotein lipase, an enzyme that catalyzes of the hydrolysis of a lipid within a lipoprotein. [GOC:BHF, GOC:dph, GOC:tb, PMID:10727238]' - }, - 'GO:0060231': { - 'name': 'mesenchymal to epithelial transition', - 'def': 'A transition where a mesenchymal cell establishes apical/basolateral polarity, forms intercellular adhesive junctions, synthesizes basement membrane components and becomes an epithelial cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0060232': { - 'name': 'delamination', - 'def': 'The process of negative regulation of cell adhesion that results in a cell or sheet of cells splitting off from an existing epithelial sheet. [GOC:dph, PMID:16962574, PMID:18343170]' - }, - 'GO:0060233': { - 'name': 'oenocyte delamination', - 'def': 'The negative regulation of cell adhesion process in which an oenocyte splits off of an existing epithelial sheet. [GOC:dph]' - }, - 'GO:0060234': { - 'name': 'neuroblast delamination', - 'def': 'The negative regulation of cell adhesion process in which a neuroblast splits off of a neurectodermal sheet. [GOC:dph]' - }, - 'GO:0060235': { - 'name': 'lens induction in camera-type eye', - 'def': 'Signaling at short range between the head ectoderm and the optic vesicle that results in the head ectoderm forming a lens. [GOC:dph, ISBN:0878932437]' - }, - 'GO:0060236': { - 'name': 'regulation of mitotic spindle organization', - 'def': 'Any process that modulates the rate, frequency or extent of the assembly, arrangement of constituent parts, or disassembly of the microtubule spindle during a mitotic cell cycle. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0060237': { - 'name': 'regulation of fungal-type cell wall organization', - 'def': 'Any process that modulates the rate, frequency or extent of the formation, arrangement of constituent parts, or disassembly of the fungal-type cell wall. [GOC:dph, GOC:tb]' - }, - 'GO:0060238': { - 'name': 'regulation of signal transduction involved in conjugation with cellular fusion', - 'def': 'Any process that modulates the rate, frequency or extent of pheromone-dependent signal transduction during conjugation with cellular fusion, the series of molecular signals that bring about the relay, amplification or dampening of a signal generated in response to a cue, such as starvation or pheromone exposure, in organisms that undergo conjugation with cellular fusion. [GOC:dph, GOC:tb]' - }, - 'GO:0060239': { - 'name': 'positive regulation of signal transduction involved in conjugation with cellular fusion', - 'def': 'Any process that increases the rate, frequency or extent of the series of molecular signals that bring about the relay, amplification or dampening of a signal generated in response to a cue, such as starvation or pheromone exposure, in organisms that undergo conjugation with cellular fusion. [GOC:dph, GOC:tb]' - }, - 'GO:0060240': { - 'name': 'negative regulation of signal transduction involved in conjugation with cellular fusion', - 'def': 'Any process that decreases the rate, frequency or extent of the series of molecular signals that bring about the relay, amplification or dampening of a signal generated in response to a cue, such as starvation or pheromone exposure, in organisms that undergo conjugation with cellular fusion. [GOC:dph, GOC:tb]' - }, - 'GO:0060241': { - 'name': 'lysozyme inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a lysozyme, an enzyme that hydrolyses the beta- (1,4) glycosidic bond between N-acetylmuramic acid and N-acetylglucosamine in peptidoglycan. [GOC:dph]' - }, - 'GO:0060242': { - 'name': 'contact inhibition', - 'def': 'The cellular process in which cells stop growing or dividing in response to increased cell density. [GOC:dph, PMID:17376520]' - }, - 'GO:0060243': { - 'name': 'negative regulation of cell growth involved in contact inhibition', - 'def': 'The negative regulation of cell growth in response to increased cell density. [GOC:dph]' - }, - 'GO:0060244': { - 'name': 'negative regulation of cell proliferation involved in contact inhibition', - 'def': 'Any process that stops, prevents or reduces the rate or extent of cell proliferation in response to cell density. [GOC:dph]' - }, - 'GO:0060245': { - 'name': 'detection of cell density', - 'def': 'The series of events in which information about the density of cells in a population is received and converted into a molecular signal. [GOC:dph]' - }, - 'GO:0060246': { - 'name': 'detection of cell density by contact stimulus', - 'def': 'The series of events in which information about the density of cells in a population is received by direct cell-cell contact and is converted into a molecular signal. [GOC:dph]' - }, - 'GO:0060247': { - 'name': 'detection of cell density by secreted molecule', - 'def': 'The series of events in which information about the density of cells in a population is received by the detection of a secreted molecule and is converted into a molecular signal. [GOC:dph]' - }, - 'GO:0060248': { - 'name': 'detection of cell density by contact stimulus involved in contact inhibition', - 'def': 'The series of events in which information about the density of cells in a population is received by direct cell-cell contact and is converted into a molecular signal, resulting in the cessation of cell growth or proliferation. [GOC:dph]' - }, - 'GO:0060249': { - 'name': 'anatomical structure homeostasis', - 'def': 'A homeostatic process involved in the maintenance of an internal steady state within a defined anatomical structure of an organism, including control of cellular proliferation and death and control of metabolic function. An anatomical structure is any biological entity that occupies space and is distinguished from its surroundings. Anatomical structures can be macroscopic such as a carpel, or microscopic such as an acrosome. [GOC:dph]' - }, - 'GO:0060250': { - 'name': 'germ-line stem-cell niche homeostasis', - 'def': 'A homeostatic process involved in the maintenance of an internal steady state within the germ-line stem-cell niche. This includes control of cellular proliferation and death and control of metabolic function that allows the niche to continue to function. A gem-line stem-cell niche is an anatomical structure that regulates how germ-line stem-cells are used and saves them from depletion. [GOC:dph]' - }, - 'GO:0060251': { - 'name': 'regulation of glial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of glial cell proliferation. [GOC:dph, GOC:tb]' - }, - 'GO:0060252': { - 'name': 'positive regulation of glial cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of glial cell proliferation. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0060253': { - 'name': 'negative regulation of glial cell proliferation', - 'def': 'Any process that stops or decreases the rate or extent of glial cell proliferation. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0060254': { - 'name': 'regulation of N-terminal protein palmitoylation', - 'def': 'Any process that modulates the rate frequency or extent of the covalent attachment of a palmitoyl group to the N-terminal amino acid residue of a protein. [GOC:dph, GOC:tb]' - }, - 'GO:0060255': { - 'name': 'regulation of macromolecule metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving macromolecules, any molecule of high relative molecular mass, the structure of which essentially comprises the multiple repetition of units derived, actually or conceptually, from molecules of low relative molecular mass. [GOC:dph, GOC:tb]' - }, - 'GO:0060256': { - 'name': 'regulation of flocculation', - 'def': 'Any process that modulates the rate, frequency or extent of the non-sexual aggregation of single-celled organisms. [GOC:dph, GOC:tb]' - }, - 'GO:0060257': { - 'name': 'negative regulation of flocculation', - 'def': 'Any process that decreases the rate, frequency or extent of the non-sexual aggregation of single-celled organisms. [GOC:dph, GOC:tb]' - }, - 'GO:0060258': { - 'name': 'negative regulation of filamentous growth', - 'def': 'Any process that decreases the frequency, rate or extent of the process in which a multicellular organism or a group of unicellular organisms grow in a threadlike, filamentous shape. [GOC:dph, GOC:tb]' - }, - 'GO:0060259': { - 'name': 'regulation of feeding behavior', - 'def': 'Any process that modulates the rate, frequency or extent of the behavior associated with the intake of food. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060260': { - 'name': 'regulation of transcription initiation from RNA polymerase II promoter', - 'def': 'Any process that modulates the rate, frequency or extent of a process involved in starting transcription from an RNA polymerase II promoter. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0060261': { - 'name': 'positive regulation of transcription initiation from RNA polymerase II promoter', - 'def': 'Any process that increases the rate, frequency or extent of a process involved in starting transcription from an RNA polymerase II promoter. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0060262': { - 'name': 'negative regulation of N-terminal protein palmitoylation', - 'def': 'Any process that decreases the rate frequency or extent of the covalent attachment of a palmitoyl group to the N-terminal amino acid residue of a protein. [GOC:dph, GOC:tb]' - }, - 'GO:0060263': { - 'name': 'regulation of respiratory burst', - 'def': 'Any process that modulates the rate frequency or extent of a phase of elevated metabolic activity, during which oxygen consumption increases; this leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals. [GOC:dph, GOC:tb]' - }, - 'GO:0060264': { - 'name': 'regulation of respiratory burst involved in inflammatory response', - 'def': 'Any process that modulates the rate, frequency or extent of a phase of elevated metabolic activity, during which oxygen consumption increases made as a defense response ; this leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0060265': { - 'name': 'positive regulation of respiratory burst involved in inflammatory response', - 'def': 'Any process that increases the rate, frequency or extent of a phase of elevated metabolic activity, during which oxygen consumption increases made as a defense response ; this leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060266': { - 'name': 'negative regulation of respiratory burst involved in inflammatory response', - 'def': 'Any process that decreases the rate, frequency or extent of a phase of elevated metabolic activity, during which oxygen consumption increases made as a defense response ; this leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060267': { - 'name': 'positive regulation of respiratory burst', - 'def': 'Any process that increases the rate frequency or extent of a phase of elevated metabolic activity, during which oxygen consumption increases; this leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals. [GOC:dph, GOC:tb]' - }, - 'GO:0060268': { - 'name': 'negative regulation of respiratory burst', - 'def': 'Any process that decreases the rate frequency or extent of a phase of elevated metabolic activity, during which oxygen consumption increases; this leads to the production, by an NADH dependent system, of hydrogen peroxide (H2O2), superoxide anions and hydroxyl radicals. [GOC:dph, GOC:tb]' - }, - 'GO:0060269': { - 'name': 'centripetally migrating follicle cell migration', - 'def': 'The cell migration process in which a follicle cell migrates as part of an epithelial sheet between the nurse cells and the oocyte. At the end of migration, they cover the anterior of the oocyte. [GOC:dph]' - }, - 'GO:0060270': { - 'name': 'main body follicle cell migration', - 'def': 'The ovarian follicle cell migration process in which follicle cells migrate posteriorly to form a columnar epithelium over the oocyte. [GOC:dph]' - }, - 'GO:0060271': { - 'name': 'cilium assembly', - 'def': 'The assembly of a cilium, a specialized eukaryotic organelle that consists of a filiform extrusion of the cell surface. Each cilium is bounded by an extrusion of the cytoplasmic membrane, and contains a regular longitudinal array of microtubules, anchored basally in a centriole. [GOC:BHF, GOC:cilia, GOC:dph, GOC:kmv, GOC:pr, GOC:vw, ISBN:0198506732, PMID:13978319, PMID:27350441, Reactome:R-HSA-5617833.2]' - }, - 'GO:0060272': { - 'name': 'embryonic skeletal joint morphogenesis', - 'def': 'The process in which the anatomical structures of skeletal joints are generated and organized during the embryonic phase. A skeletal joint is the connecting structure between the bones of the skeleton. [GOC:bf, GOC:BHF, GOC:dph, UBERON:0000982]' - }, - 'GO:0060273': { - 'name': 'crying behavior', - 'def': 'The behavior in which an organism sheds tears, often accompanied by non-verbal vocalizations and in response to external or internal stimuli. [GOC:dph]' - }, - 'GO:0060274': { - 'name': 'maintenance of stationary phase', - 'def': 'The homeostatic process in which a population of cells changes its metabolic activity resulting in the rate of death in the population equaling the rate of reproduction. Stationary phase can be in response to limited nutrients or a build-up of toxic substances in the environment. [GOC:dph]' - }, - 'GO:0060275': { - 'name': 'maintenance of stationary phase in response to starvation', - 'def': 'The homeostatic process in which a population of cells changes its metabolic activity resulting in the rate of death in the population equaling the rate of reproduction in response to limited nutrients in the environment. [GOC:dph]' - }, - 'GO:0060276': { - 'name': 'maintenance of stationary phase in response to toxin', - 'def': 'The homeostatic process in which a population of cells changes its metabolic activity resulting in the rate of death in the population equaling the rate of reproduction in response to a build-up of toxins in the environment. [GOC:dph]' - }, - 'GO:0060277': { - 'name': 'obsolete negative regulation of transcription involved in G1 phase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that stop, prevents or decreases transcription as part of the G1 phase of the mitotic cell cycle. [GOC:dph, GOC:tb]' - }, - 'GO:0060278': { - 'name': 'regulation of ovulation', - 'def': 'Any process that modulates the frequency, rate or extent of ovulation, the release of a mature ovum/oocyte from an ovary. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0060279': { - 'name': 'positive regulation of ovulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of ovulation, the release of a mature ovum/oocyte from an ovary. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0060280': { - 'name': 'negative regulation of ovulation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ovulation, the release of a mature ovum/oocyte from an ovary. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0060281': { - 'name': 'regulation of oocyte development', - 'def': 'Any process that modulates the rate or extent of the process whose specific outcome is the progression of an oocyte over time, from initial commitment of the cell to its specific fate, to the fully functional differentiated cell. [GOC:dph, GOC:tb, PMID:2394318]' - }, - 'GO:0060282': { - 'name': 'positive regulation of oocyte development', - 'def': 'Any process that increases the rate or extent of the process whose specific outcome is the progression of an oocyte over time, from initial commitment of the cell to its specific fate, to the fully functional differentiated cell. [GOC:dph, GOC:tb]' - }, - 'GO:0060283': { - 'name': 'negative regulation of oocyte development', - 'def': 'Any process that decreases the rate or extent of the process whose specific outcome is the progression of an oocyte over time, from initial commitment of the cell to its specific fate, to the fully functional differentiated cell. [GOC:dph, GOC:tb]' - }, - 'GO:0060284': { - 'name': 'regulation of cell development', - 'def': 'Any process that modulates the rate, frequency or extent of the progression of the cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. [GOC:dph, GOC:tb]' - }, - 'GO:0060285': { - 'name': 'cilium-dependent cell motility', - 'def': 'Cell motility due to the motion of one or more eukaryotic cilia. A eukaryotic cilium is a specialized organelle that consists of a filiform extrusion of the cell surface. Each cilium is bounded by an extrusion of the cytoplasmic (plasma) membrane, and contains a regular longitudinal array of microtubules, anchored basally in a centriole. [GOC:cilia, GOC:dgh, GOC:dph, GOC:krc, GOC:mlg, GOC:mtg_cambridge_2013]' - }, - 'GO:0060286': { - 'name': 'obsolete flagellar cell motility', - 'def': 'OBSOLETE. Cell motility due to the motion of one or more flagella. [GOC:dgh, GOC:dph, GOC:mlg]' - }, - 'GO:0060287': { - 'name': 'epithelial cilium movement involved in determination of left/right asymmetry', - 'def': "The movement of cilia of epithelial cells resulting in the transport of signals which determine asymmetry in an organism's body plan with respect to the left and right halves. [GOC:dgh, GOC:dph, GOC:mlg]" - }, - 'GO:0060288': { - 'name': 'formation of a compartment boundary', - 'def': 'Formation of a lineage restriction boundary within a developing tissue which does not correspond to some morphological barrier. [GOC:dph]' - }, - 'GO:0060289': { - 'name': 'compartment boundary maintenance', - 'def': 'A homeostatic process involved in the maintenance of a compartment boundary. A compartment boundary is a lineage restriction boundary within a developing tissue which does not correspond to some morphological barrier. [GOC:dph]' - }, - 'GO:0060290': { - 'name': 'transdifferentiation', - 'def': 'The conversion of a differentiated cell of one fate into a differentiated cell of another fate without first undergoing cell division or reversion to a more primitive or stem cell-like fate. [GOC:dph, GOC:kmv]' - }, - 'GO:0060291': { - 'name': 'long-term synaptic potentiation', - 'def': 'A process that modulates synaptic plasticity such that synapses are changed resulting in the increase in the rate, or frequency of synaptic transmission at the synapse. [GOC:dgh, GOC:dph]' - }, - 'GO:0060292': { - 'name': 'long term synaptic depression', - 'def': 'A process that modulates synaptic plasticity such that synapses are changed resulting in the decrease in the rate, or frequency of synaptic transmission at the synapse. [GOC:dgh, GOC:dph]' - }, - 'GO:0060293': { - 'name': 'germ plasm', - 'def': 'Differentiated cytoplasm associated with a pole of an oocyte, egg or early embryo that will be inherited by the cells that will give rise to the germ line. [GOC:dph]' - }, - 'GO:0060294': { - 'name': 'cilium movement involved in cell motility', - 'def': 'Movement of cilia mediated by motor proteins that contributes to the movement of a cell. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060295': { - 'name': 'regulation of cilium movement involved in cell motility', - 'def': 'Any process that modulates the rate frequency or extent of cilium movement involved in ciliary motility. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060296': { - 'name': 'regulation of cilium beat frequency involved in ciliary motility', - 'def': 'Any process that modulates the frequency of cilium beating involved in ciliary motility. [GOC:BHF, GOC:cilia, GOC:dph, GOC:krc, GOC:tb]' - }, - 'GO:0060297': { - 'name': 'regulation of sarcomere organization', - 'def': 'Any process that modulates the rate, frequency or extent myofibril assembly by organization of muscle actomyosin into sarcomeres. The sarcomere is the repeating unit of a myofibril in a muscle cell, composed of an array of overlapping thick and thin filaments between two adjacent Z discs. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060298': { - 'name': 'positive regulation of sarcomere organization', - 'def': 'Any process that increases the rate, frequency or extent myofibril assembly by organization of muscle actomyosin into sarcomeres. The sarcomere is the repeating unit of a myofibril in a muscle cell, composed of an array of overlapping thick and thin filaments between two adjacent Z discs. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060299': { - 'name': 'negative regulation of sarcomere organization', - 'def': 'Any process that decreases the rate, frequency or extent myofibril assembly by organization of muscle actomyosin into sarcomeres. The sarcomere is the repeating unit of a myofibril in a muscle cell, composed of an array of overlapping thick and thin filaments between two adjacent Z discs. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060300': { - 'name': 'regulation of cytokine activity', - 'def': 'Any process that modulates the rate, frequency or extent of the activity of a molecule that controls the survival, growth, differentiation and effector function of tissues and cells. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060301': { - 'name': 'positive regulation of cytokine activity', - 'def': 'Any process that increases the rate, frequency or extent of the activity of a molecule that controls the survival, growth, differentiation and effector function of tissues and cells. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060302': { - 'name': 'negative regulation of cytokine activity', - 'def': 'Any process that decreases the rate, frequency or extent of the activity of a molecule that controls the survival, growth, differentiation and effector function of tissues and cells. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060303': { - 'name': 'regulation of nucleosome density', - 'def': 'Any process that modulates the number of nucleosomes in a given region of a chromosome. [GOC:dph, GOC:tb]' - }, - 'GO:0060304': { - 'name': 'regulation of phosphatidylinositol dephosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reaction involving the removal of one or more phosphate groups from a phosphatidylinositol. [GOC:dph, GOC:tb]' - }, - 'GO:0060305': { - 'name': 'regulation of cell diameter', - 'def': 'Any process that modulates the diameter of a cell, the length of a line segment that crosses through the center of a circular section through a cell. [GOC:dph, GOC:tb]' - }, - 'GO:0060306': { - 'name': 'regulation of membrane repolarization', - 'def': 'Any process that modulates the establishment or extent of a membrane potential in the polarizing direction towards the resting potential, usually from positive to negative. [GOC:BHF, GOC:dph, GOC:mtg_cardiac_conduct_nov11, GOC:tb]' - }, - 'GO:0060307': { - 'name': 'regulation of ventricular cardiac muscle cell membrane repolarization', - 'def': 'Any process that modulates the establishment or extent of a membrane potential in the polarizing direction towards the resting potential in a ventricular cardiomyocyte. [GOC:BHF, GOC:dph, GOC:mtg_cardiac_conduct_nov11, GOC:tb]' - }, - 'GO:0060308': { - 'name': 'GTP cyclohydrolase I regulator activity', - 'def': 'Modulates the activity of GTP cyclohydrolase I. GTP cyclohydrolase I activity catalyzes the reaction: GTP + 2 H2O = formate + 2-amino-4-hydroxy-6-(erythro-1,2,3-trihydroxypropyl)-dihydropteridine triphosphate. [GOC:dph, GOC:tb]' - }, - 'GO:0060309': { - 'name': 'elastin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of elastin. Elastin is a glycoprotein which is randomly coiled and crosslinked to form elastic fibers that are found in connective tissue. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060310': { - 'name': 'regulation of elastin catabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of elastin catabolism, the chemical reactions and pathways resulting in the breakdown of elastin. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060311': { - 'name': 'negative regulation of elastin catabolic process', - 'def': 'Any process that decreases the rate, frequency or extent of elastin catabolism, the chemical reactions and pathways resulting in the breakdown of elastin. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060312': { - 'name': 'regulation of blood vessel remodeling', - 'def': 'Any process that modulates the rate, frequency or extent of blood vessel remodeling, the reorganization or renovation of existing blood vessels. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060313': { - 'name': 'negative regulation of blood vessel remodeling', - 'def': 'Any process that decreases the rate, frequency or extent of blood vessel remodeling, the reorganization or renovation of existing blood vessels. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060314': { - 'name': 'regulation of ryanodine-sensitive calcium-release channel activity', - 'def': 'Any process that modulates the activity of a ryanodine-sensitive calcium-release channel. The ryanodine-sensitive calcium-release channel catalyzes the transmembrane transfer of a calcium ion by a channel that opens when a ryanodine class ligand has been bound by the channel complex or one of its constituent parts. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060315': { - 'name': 'negative regulation of ryanodine-sensitive calcium-release channel activity', - 'def': 'Any process that decreases the activity of a ryanodine-sensitive calcium-release channel. The ryanodine-sensitive calcium-release channel catalyzes the transmembrane transfer of a calcium ion by a channel that opens when a ryanodine class ligand has been bound by the channel complex or one of its constituent parts. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060316': { - 'name': 'positive regulation of ryanodine-sensitive calcium-release channel activity', - 'def': 'Any process that increases the activity of a ryanodine-sensitive calcium-release channel. The ryanodine-sensitive calcium-release channel catalyzes the transmembrane transfer of a calcium ion by a channel that opens when a ryanodine class ligand has been bound by the channel complex or one of its constituent parts. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060317': { - 'name': 'cardiac epithelial to mesenchymal transition', - 'def': 'A transition where a cardiac epithelial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell. [GOC:BHF, GOC:dph, PMID:16314491, PMID:1996351]' - }, - 'GO:0060318': { - 'name': 'definitive erythrocyte differentiation', - 'def': 'Erythrocyte differentiation which occurs as part of the process of definitive hemopoiesis. [GOC:add, GOC:BHF, GOC:dph]' - }, - 'GO:0060319': { - 'name': 'primitive erythrocyte differentiation', - 'def': 'Erythrocyte differentiation which occurs as part of the process of primitive hemopoiesis. [GOC:add, GOC:BHF, GOC:dph]' - }, - 'GO:0060320': { - 'name': 'rejection of self pollen', - 'def': 'The process, involving the sharing and interaction of the single locus incompatibility haplotypes, involved in the rejection of the self pollen by cells in the stigma. [GOC:dph, GOC:tb]' - }, - 'GO:0060321': { - 'name': 'acceptance of pollen', - 'def': 'The process, involving the sharing and interaction of the single locus incompatibility haplotypes, involved in the acceptance of pollen by cells in the stigma. [GOC:dph, GOC:tb]' - }, - 'GO:0060322': { - 'name': 'head development', - 'def': 'The biological process whose specific outcome is the progression of a head from an initial condition to its mature state. The head is the anterior-most division of the body. [GOC:dph]' - }, - 'GO:0060323': { - 'name': 'head morphogenesis', - 'def': 'The process in which the anatomical structures of the head are generated and organized. The head is the anterior-most division of the body. [GOC:dph]' - }, - 'GO:0060324': { - 'name': 'face development', - 'def': 'The biological process whose specific outcome is the progression of a face from an initial condition to its mature state. The face is the ventral division of the head. [GOC:dph]' - }, - 'GO:0060325': { - 'name': 'face morphogenesis', - 'def': 'The process in which the anatomical structures of the face are generated and organized. The face is the ventral division of the head. [GOC:dph]' - }, - 'GO:0060326': { - 'name': 'cell chemotaxis', - 'def': 'The directed movement of a motile cell guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). [GOC:dph]' - }, - 'GO:0060327': { - 'name': 'cytoplasmic actin-based contraction involved in cell motility', - 'def': 'The actin filament-based movement by which cytoplasmic actin filaments slide past one another resulting in a contraction that propels the cell from one place to another. [GOC:dph]' - }, - 'GO:0060328': { - 'name': 'cytoplasmic actin-based contraction involved in forward cell motility', - 'def': 'The actin filament-based movement by which cytoplasmic actin filaments slide past one another resulting in a contraction that propels the cell in the direction that has been defined as the front of the cell. [GOC:dph]' - }, - 'GO:0060329': { - 'name': 'cytoplasmic actin-based contraction involved in rearward cell motility', - 'def': 'The actin filament-based movement by which cytoplasmic actin filaments slide past one another resulting in a contraction that propels the cell in the direction that has been defined as the rear of the cell. [GOC:dph]' - }, - 'GO:0060330': { - 'name': 'regulation of response to interferon-gamma', - 'def': 'Any process that modulates the rate, frequency or extent of a response to interferon-gamma. Response to interferon gamma is a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interferon-gamma stimulus. [GOC:dph]' - }, - 'GO:0060331': { - 'name': 'negative regulation of response to interferon-gamma', - 'def': 'Any process that decreases the rate, frequency or extent of a response to interferon-gamma. Response to interferon gamma is a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interferon-gamma stimulus. [GOC:dph]' - }, - 'GO:0060332': { - 'name': 'positive regulation of response to interferon-gamma', - 'def': 'Any process that increases the rate, frequency or extent of a response to interferon-gamma. Response to interferon gamma is a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interferon-gamma stimulus. [GOC:dph]' - }, - 'GO:0060333': { - 'name': 'interferon-gamma-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interferon-gamma to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. Interferon gamma is the only member of the type II interferon found so far. [GOC:add, GOC:dph, GOC:signaling, PR:000000017]' - }, - 'GO:0060334': { - 'name': 'regulation of interferon-gamma-mediated signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of the series of molecular events generated as a consequence of interferon-gamma binding to a cell surface receptor. [GOC:dph]' - }, - 'GO:0060335': { - 'name': 'positive regulation of interferon-gamma-mediated signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of the series of molecular events generated as a consequence of interferon-gamma binding to a cell surface receptor. [GOC:dph]' - }, - 'GO:0060336': { - 'name': 'negative regulation of interferon-gamma-mediated signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of the series of molecular events generated as a consequence of interferon-gamma binding to a cell surface receptor. [GOC:dph]' - }, - 'GO:0060337': { - 'name': 'type I interferon signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a type I interferon to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:add, GOC:dph, GOC:signaling, PR:000025848]' - }, - 'GO:0060338': { - 'name': 'regulation of type I interferon-mediated signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of a type I interferon-mediated signaling pathway. A type I interferon-mediated signaling pathway is the series of molecular events generated as a consequence of a type I interferon binding to a cell surface receptor. [GOC:dph]' - }, - 'GO:0060339': { - 'name': 'negative regulation of type I interferon-mediated signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of a type I interferon-mediated signaling pathway. A type I interferon-mediated signaling pathway is the series of molecular events generated as a consequence of a type I interferon binding to a cell surface receptor. [GOC:dph]' - }, - 'GO:0060340': { - 'name': 'positive regulation of type I interferon-mediated signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of a type I interferon-mediated signaling pathway. A type I interferon-mediated signaling pathway is the series of molecular events generated as a consequence of a type I interferon binding to a cell surface receptor. [GOC:dph]' - }, - 'GO:0060341': { - 'name': 'regulation of cellular localization', - 'def': 'Any process that modulates the frequency, rate or extent of a process in which a cell, a substance, or a cellular entity is transported to, or maintained in a specific location within or in the membrane of a cell. [GOC:dph, GOC:tb]' - }, - 'GO:0060342': { - 'name': 'photoreceptor inner segment membrane', - 'def': 'The membrane surrounding the inner segment of a vertebrate photoreceptor. The photoreceptor inner segment contains mitochondria, ribosomes and membranes where opsin molecules are assembled and passed to be part of the outer segment discs. [GOC:dph]' - }, - 'GO:0060343': { - 'name': 'trabecula formation', - 'def': 'The process of creating a trabecula in an organ. A trabecula is a small, often microscopic, tissue element in the form of a small beam, strut or rod, which generally has a mechanical function. Trabecula are usually but not necessarily, composed of dense collagenous tissue. [GOC:dph]' - }, - 'GO:0060344': { - 'name': 'liver trabecula formation', - 'def': 'The process of creating a trabecula in the liver. A trabecula is a tissue element in the form of a small beam, strut or rod. [GOC:dph]' - }, - 'GO:0060345': { - 'name': 'spleen trabecula formation', - 'def': 'The process of creating a trabecula in the spleen. A trabecula is a tissue element in the form of a small beam, strut or rod. [GOC:dph]' - }, - 'GO:0060346': { - 'name': 'bone trabecula formation', - 'def': 'The process of creating a trabecula in the bone. A trabecula is a tissue element in the form of a small beam, strut or rod. [GOC:dph]' - }, - 'GO:0060347': { - 'name': 'heart trabecula formation', - 'def': 'The process of creating a trabecula in the heart. A trabecula is a tissue element in the form of a small beam, strut or rod. [GOC:dph]' - }, - 'GO:0060348': { - 'name': 'bone development', - 'def': 'The process whose specific outcome is the progression of bone over time, from its formation to the mature structure. Bone is the hard skeletal connective tissue consisting of both mineral and cellular components. [GOC:dph]' - }, - 'GO:0060349': { - 'name': 'bone morphogenesis', - 'def': 'The process in which bones are generated and organized. [GOC:dph]' - }, - 'GO:0060350': { - 'name': 'endochondral bone morphogenesis', - 'def': 'The process in which bones are generated and organized as a result of the conversion of initial cartilaginous anlage into bone. [GOC:dph, PMID:11680679]' - }, - 'GO:0060351': { - 'name': 'cartilage development involved in endochondral bone morphogenesis', - 'def': 'The process whose specific outcome is the progression of the cartilage that will provide a scaffold for mineralization of endochondral bones. [GOC:dph]' - }, - 'GO:0060352': { - 'name': 'cell adhesion molecule production', - 'def': 'The appearance of a cell adhesion molecule due to biosynthesis or secretion. [GOC:BHF, GOC:rl]' - }, - 'GO:0060353': { - 'name': 'regulation of cell adhesion molecule production', - 'def': 'Any process that modulates the rate, frequency or extent of cell adhesion molecule production. Cell adhesion molecule production is the appearance of a cell adhesion molecule as a result of its biosynthesis or a decrease in its catabolism. [GOC:BHF, GOC:rl]' - }, - 'GO:0060354': { - 'name': 'negative regulation of cell adhesion molecule production', - 'def': 'Any process that decreases the rate, frequency or extent of cell adhesion molecule production. Cell adhesion molecule production is the appearance of a cell adhesion molecule as a result of its biosynthesis or a decrease in its catabolism. [GOC:BHF, GOC:rl]' - }, - 'GO:0060355': { - 'name': 'positive regulation of cell adhesion molecule production', - 'def': 'Any process that increases the rate, frequency or extent of cell adhesion molecule production. Cell adhesion molecule production is the appearance of a cell adhesion molecule as a result of its biosynthesis or a decrease in its catabolism. [GOC:BHF, GOC:rl]' - }, - 'GO:0060356': { - 'name': 'leucine import', - 'def': 'The directed movement of leucine into a cell or organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0060357': { - 'name': 'regulation of leucine import', - 'def': 'Any process that modulates the rate, frequency or extent of leucine import. Leucine import is the directed movement of leucine into a cell or organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0060358': { - 'name': 'negative regulation of leucine import', - 'def': 'Any process that decreases the rate, frequency or extent of leucine import. Leucine import is the directed movement of leucine into a cell or organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0060359': { - 'name': 'response to ammonium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ammonium ion stimulus. [GOC:dph, GOC:tb]' - }, - 'GO:0060360': { - 'name': 'negative regulation of leucine import in response to ammonium ion', - 'def': 'Any process that decreases the rate, frequency or extent of leucine import as a result of an ammonium ion stimulus. Leucine import is the directed movement of leucine into a cell or organelle. [GOC:dph, GOC:tb]' - }, - 'GO:0060361': { - 'name': 'flight', - 'def': 'Self-propelled movement of an organism from one location to another through the air, usually by means of active wing movement. [GOC:dph]' - }, - 'GO:0060362': { - 'name': 'flight involved in flight behavior', - 'def': "Self-propelled movement of an organism from one location to another through the air that is part of the organism's response to external or internal stimuli resulting in flight. [GOC:dph]" - }, - 'GO:0060363': { - 'name': 'cranial suture morphogenesis', - 'def': 'The process in which any suture between cranial bones is generated and organized. [GOC:dph, GOC:pr, GOC:sl]' - }, - 'GO:0060364': { - 'name': 'frontal suture morphogenesis', - 'def': 'The process in which the frontal suture is generated and organized. [GOC:dph, GOC:sl]' - }, - 'GO:0060365': { - 'name': 'coronal suture morphogenesis', - 'def': 'The process in which the coronal suture is generated and organized. [GOC:dph, GOC:sl]' - }, - 'GO:0060366': { - 'name': 'lambdoid suture morphogenesis', - 'def': 'The process in which the lambdoid suture is generated and organized. [GOC:dph, GOC:sl]' - }, - 'GO:0060367': { - 'name': 'sagittal suture morphogenesis', - 'def': 'The process in which the sagittal suture is generated and organized. [GOC:dph, GOC:sl]' - }, - 'GO:0060368': { - 'name': 'regulation of Fc receptor mediated stimulatory signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of the Fc receptor mediated stimulatory signaling pathway. The Fc receptor mediated stimulatory signaling pathway is a series of molecular signals generated as a consequence of a the binding of the Fc portion of an immunoglobulin by an Fc receptor capable of activating or perpetuating an immune response. The Fc portion of an immunoglobulin is its C-terminal constant region. [GOC:dph, GOC:tb]' - }, - 'GO:0060369': { - 'name': 'positive regulation of Fc receptor mediated stimulatory signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of the Fc receptor mediated stimulatory signaling pathway. The Fc receptor mediated stimulatory signaling pathway is a series of molecular signals generated as a consequence of a the binding of the Fc portion of an immunoglobulin by an Fc receptor capable of activating or perpetuating an immune response. The Fc portion of an immunoglobulin is its C-terminal constant region. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060370': { - 'name': 'susceptibility to T cell mediated cytotoxicity', - 'def': 'The process of causing a cell to become susceptible to T cell mediated cytotoxicity. [GOC:dph, GOC:tb]' - }, - 'GO:0060371': { - 'name': 'regulation of atrial cardiac muscle cell membrane depolarization', - 'def': 'Any process that modulates the establishment or extent of a membrane potential in the depolarizing direction away from the resting potential in an atrial cardiomyocyte. [GOC:dph, GOC:tb]' - }, - 'GO:0060372': { - 'name': 'regulation of atrial cardiac muscle cell membrane repolarization', - 'def': 'Any process that modulates the establishment or extent of a membrane potential in the polarizing direction towards the resting potential in an atrial cardiomyocyte. [GOC:dph, GOC:tb]' - }, - 'GO:0060373': { - 'name': 'regulation of ventricular cardiac muscle cell membrane depolarization', - 'def': 'Any process that modulates the establishment or extent of a membrane potential in the depolarizing direction away from the resting potential in a ventricular cardiomyocyte. [GOC:dph, GOC:tb]' - }, - 'GO:0060374': { - 'name': 'mast cell differentiation', - 'def': 'The process in which a relatively unspecialized myeloid precursor cell acquires the specialized features of a mast cell. A mast cell is a cell that is found in almost all tissues containing numerous basophilic granules and capable of releasing large amounts of histamine and heparin upon activation. [GOC:dph, GOC:tb]' - }, - 'GO:0060375': { - 'name': 'regulation of mast cell differentiation', - 'def': 'Any process that modulates the rate, frequency or extent of mast cell differentiation, the process in which a relatively unspecialized myeloid precursor cell acquires the specialized features of a mast cell. A mast cell is a cell that is found in almost all tissues containing numerous basophilic granules and capable of releasing large amounts of histamine and heparin upon activation. [GOC:dph, GOC:tb]' - }, - 'GO:0060376': { - 'name': 'positive regulation of mast cell differentiation', - 'def': 'Any process that increases the rate, frequency or extent of mast cell differentiation, the process in which a relatively unspecialized myeloid precursor cell acquires the specialized features of a mast cell. A mast cell is a cell that is found in almost all tissues containing numerous basophilic granules and capable of releasing large amounts of histamine and heparin upon activation. [GOC:dph, GOC:tb]' - }, - 'GO:0060377': { - 'name': 'negative regulation of mast cell differentiation', - 'def': 'Any process that decreases the rate, frequency or extent of mast cell differentiation, the process in which a relatively unspecialized myeloid precursor cell acquires the specialized features of a mast cell. A mast cell is a cell that is found in almost all tissues containing numerous basophilic granules and capable of releasing large amounts of histamine and heparin upon activation. [GOC:dph, GOC:tb]' - }, - 'GO:0060378': { - 'name': 'regulation of brood size', - 'def': 'Any process that modulates brood size. Brood size is the number of progeny that survive embryogenesis and are cared for at one time. [GOC:dph, GOC:tb]' - }, - 'GO:0060379': { - 'name': 'cardiac muscle cell myoblast differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a cardiac myoblast. A cardiac myoblast is a precursor cell that has been committed to a cardiac muscle cell fate but retains the ability to divide and proliferate throughout life. [GOC:dph, GOC:tb]' - }, - 'GO:0060380': { - 'name': 'regulation of single-stranded telomeric DNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of binding to single-stranded telomeric DNA. [GOC:dph, GOC:tb]' - }, - 'GO:0060381': { - 'name': 'positive regulation of single-stranded telomeric DNA binding', - 'def': 'Any process that increases the frequency, rate or extent of single-stranded telomeric DNA binding. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060382': { - 'name': 'regulation of DNA strand elongation', - 'def': "Any process that modulates the rate, frequency or extent of DNA strand elongation. DNA strand elongation is the DNA metabolic process in which a DNA strand is synthesized by adding nucleotides to the 3' end of an existing DNA stand. [GOC:dph, GOC:tb]" - }, - 'GO:0060383': { - 'name': 'positive regulation of DNA strand elongation', - 'def': "Any process that increases the rate, frequency or extent of DNA strand elongation. DNA strand elongation is the DNA metabolic process in which a DNA strand is synthesized by adding nucleotides to the 3' end of an existing DNA stand. [GOC:BHF, GOC:dph, GOC:tb]" - }, - 'GO:0060384': { - 'name': 'innervation', - 'def': 'The process in which a nerve invades a tissue and makes functional synaptic connection within the tissue. [GOC:dph, GOC:sart]' - }, - 'GO:0060385': { - 'name': 'axonogenesis involved in innervation', - 'def': 'The neurite development process that generates a long process of a neuron, as it invades a target tissue. [GOC:dph, GOC:sart]' - }, - 'GO:0060386': { - 'name': 'synapse assembly involved in innervation', - 'def': 'The assembly of a synapse within a target tissue in which a nerve is invading. [GOC:dph, GOC:pr, GOC:sart]' - }, - 'GO:0060387': { - 'name': 'fertilization envelope', - 'def': 'A structure that lies outside the plasma membrane and surrounds the egg. The fertilization envelope forms from the vitelline membrane after fertilization as a result of cortical granule release. [GOC:dph, ISBN:0878932437]' - }, - 'GO:0060388': { - 'name': 'vitelline envelope', - 'def': 'A glycoprotein-based structure that lies outside the plasma membrane and surrounds the egg before fertilization. [GOC:dph, ISBN:0878932437]' - }, - 'GO:0060389': { - 'name': 'pathway-restricted SMAD protein phosphorylation', - 'def': 'The process of introducing a phosphate group on to a pathway restricted SMAD protein. A pathway restricted SMAD protein is an effector protein that acts directly downstream of the transforming growth factor family receptor. [GOC:dph, ISBN:3527303782]' - }, - 'GO:0060390': { - 'name': 'regulation of SMAD protein import into nucleus', - 'def': 'Any process that modulates the rate, frequency or extent of SMAD protein import into the nucleus, i.e. the directed movement of a SMAD proteins from the cytoplasm into the nucleus. Pathway-restricted SMAD proteins and common-partner SMAD proteins are involved in the transforming growth factor beta receptor signaling pathways. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060391': { - 'name': 'positive regulation of SMAD protein import into nucleus', - 'def': 'Any process that increases the rate, frequency or extent of SMAD protein import into the nucleus, i.e. the directed movement of a SMAD proteins from the cytoplasm into the nucleus. Pathway-restricted SMAD proteins and common-partner SMAD proteins are involved in the transforming growth factor beta receptor signaling pathways. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060392': { - 'name': 'negative regulation of SMAD protein import into nucleus', - 'def': 'Any process that decreases the rate, frequency or extent of SMAD protein import into the nucleus, i.e. the directed movement of a SMAD proteins from the cytoplasm into the nucleus. Pathway-restricted SMAD proteins and common-partner SMAD proteins are involved in the transforming growth factor beta receptor signaling pathways. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060393': { - 'name': 'regulation of pathway-restricted SMAD protein phosphorylation', - 'def': 'Any process that modulates the rate, frequency or extent of pathway-restricted SMAD protein phosphorylation. Pathway-restricted SMAD proteins and common-partner SMAD proteins are involved in the transforming growth factor beta receptor signaling pathways. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060394': { - 'name': 'negative regulation of pathway-restricted SMAD protein phosphorylation', - 'def': 'Any process that decreases the rate, frequency or extent of pathway-restricted SMAD protein phosphorylation. Pathway-restricted SMAD proteins and common-partner SMAD proteins are involved in the transforming growth factor beta receptor signaling pathways. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060395': { - 'name': 'SMAD protein signal transduction', - 'def': 'The cascade of processes by which a signal interacts with a receptor, causing a change in the activity of a SMAD protein, and ultimately effecting a change in the functioning of the cell. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060396': { - 'name': 'growth hormone receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of growth hormone receptor binding to its physiological ligand. [GOC:BHF, GOC:dph, PMID:11445442]' - }, - 'GO:0060397': { - 'name': 'JAK-STAT cascade involved in growth hormone signaling pathway', - 'def': 'The process in which STAT proteins (Signal Transducers and Activators of Transcription) are activated by members of the JAK (janus activated kinase) family of tyrosine kinases, following the binding of physiological ligands to the growth hormone receptor. Once activated, STATs dimerize and translocate to the nucleus and modulate the expression of target genes. [GOC:BHF, GOC:dph, PMID:11445442]' - }, - 'GO:0060398': { - 'name': 'regulation of growth hormone receptor signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of the growth hormone receptor signaling pathway. The growth hormone receptor signaling pathway is the series of molecular signals generated as a consequence of growth hormone receptor binding to its physiological ligand. [GOC:BHF, GOC:dph]' - }, - 'GO:0060399': { - 'name': 'positive regulation of growth hormone receptor signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of the growth hormone receptor signaling pathway. The growth hormone receptor signaling pathway is the series of molecular signals generated as a consequence of growth hormone receptor binding to its physiological ligand. [GOC:BHF, GOC:dph]' - }, - 'GO:0060400': { - 'name': 'negative regulation of growth hormone receptor signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of the growth hormone receptor signaling pathway. The growth hormone receptor signaling pathway is the series of molecular signals generated as a consequence of growth hormone receptor binding to its physiological ligand. [GOC:dph]' - }, - 'GO:0060401': { - 'name': 'cytosolic calcium ion transport', - 'def': 'The directed movement of calcium ions (Ca2+) into, out of or within the cytosol. [GOC:dph, GOC:tb]' - }, - 'GO:0060402': { - 'name': 'calcium ion transport into cytosol', - 'def': 'The directed movement of calcium ions (Ca2+) into the cytosol. [GOC:dph, GOC:tb]' - }, - 'GO:0060403': { - 'name': 'post-mating oviposition', - 'def': 'The deposition of eggs, either fertilized or not, upon a surface or into a medium, following mating. [GOC:dph, GOC:tb]' - }, - 'GO:0060404': { - 'name': 'axonemal microtubule depolymerization', - 'def': 'The removal of tubulin heterodimers from one or both ends of an axonemal microtubule. An axonemal microtubule is a microtubule in the axoneme of a cilium or flagellum; an axoneme contains nine modified doublet microtubules surrounding a pair of single microtubules. [GOC:cilia, GOC:dph, GOC:krc, GOC:tb]' - }, - 'GO:0060405': { - 'name': 'regulation of penile erection', - 'def': 'Any process that modulates the rate, frequency or extent of penile erection. Penile erection is the hardening, enlarging and rising of the penis which often occurs in the sexually aroused male and enables sexual intercourse. Achieved by increased inflow of blood into the vessels of erectile tissue, and decreased outflow. [GOC:add, GOC:dph, GOC:tb]' - }, - 'GO:0060406': { - 'name': 'positive regulation of penile erection', - 'def': 'Any process that increases the rate, frequency or extent of penile erection. Penile erection is the hardening, enlarging and rising of the penis which often occurs in the sexually aroused male and enables sexual intercourse. Achieved by increased inflow of blood into the vessels of erectile tissue, and decreased outflow. [GOC:dph, GOC:tb]' - }, - 'GO:0060407': { - 'name': 'negative regulation of penile erection', - 'def': 'Any process that stops, prevents, or reduces the rate, frequency or extent of penile erection. Penile erection is the hardening, enlarging and rising of the penis which often occurs in the sexually aroused male and enables sexual intercourse. Achieved by increased inflow of blood into the vessels of erectile tissue, and decreased outflow. [GOC:dph, GOC:tb]' - }, - 'GO:0060408': { - 'name': 'regulation of acetylcholine metabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of the chemical reactions and pathways involving acetylcholine, the acetic acid ester of the organic base choline. Acetylcholine is a major neurotransmitter and neuromodulator both in the central and peripheral nervous systems. It also acts as a paracrine signal in various non-neural tissues. [GOC:dph, GOC:tb]' - }, - 'GO:0060409': { - 'name': 'positive regulation of acetylcholine metabolic process', - 'def': 'Any process that increases the rate, frequency or extent of the chemical reactions and pathways involving acetylcholine, the acetic acid ester of the organic base choline. Acetylcholine is a major neurotransmitter and neuromodulator both in the central and peripheral nervous systems. It also acts as a paracrine signal in various non-neural tissues. [GOC:dph, GOC:tb]' - }, - 'GO:0060410': { - 'name': 'negative regulation of acetylcholine metabolic process', - 'def': 'Any process that decreases the rate, frequency or extent of the chemical reactions and pathways involving acetylcholine, the acetic acid ester of the organic base choline. Acetylcholine is a major neurotransmitter and neuromodulator both in the central and peripheral nervous systems. It also acts as a paracrine signal in various non-neural tissues. [GOC:dph, GOC:tb]' - }, - 'GO:0060411': { - 'name': 'cardiac septum morphogenesis', - 'def': 'The process in which the anatomical structure of a cardiac septum is generated and organized. A cardiac septum is a partition that separates parts of the heart. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0060412': { - 'name': 'ventricular septum morphogenesis', - 'def': 'The developmental process in which a ventricular septum is generated and organized. A ventricular septum is an anatomical structure that separates the lower chambers (ventricles) of the heart from one another. [GOC:dph]' - }, - 'GO:0060413': { - 'name': 'atrial septum morphogenesis', - 'def': 'The developmental process in which atrial septum is generated and organized. The atrial septum separates the upper chambers (the atria) of the heart from one another. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0060414': { - 'name': 'aorta smooth muscle tissue morphogenesis', - 'def': 'The process in which the structure of the smooth muscle tissue surrounding the aorta is generated and organized. An aorta is an artery that carries blood from the heart to other parts of the body. [GOC:bf, GOC:dgh, GOC:dph, Wikipedia:Aorta]' - }, - 'GO:0060415': { - 'name': 'muscle tissue morphogenesis', - 'def': 'The process in which the anatomical structures of muscle tissue are generated and organized. Muscle tissue consists of a set of cells that are part of an organ and carry out a contractive function. [GOC:dph]' - }, - 'GO:0060416': { - 'name': 'response to growth hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a growth hormone stimulus. Growth hormone is a peptide hormone that binds to the growth hormone receptor and stimulates growth. [GOC:BHF, GOC:dph]' - }, - 'GO:0060417': { - 'name': 'yolk', - 'def': 'The cytoplasmic part that serves as a nutrient reserve or energy source for the developing embryo. [GOC:dph, GOC:tb, PMID:18046696]' - }, - 'GO:0060418': { - 'name': 'yolk plasma', - 'def': 'Discrete structures that partition the water-soluble portion of the yolk of oocytes and ova, which may or may not be membrane enclosed. [GOC:dph, GOC:tb, PMID:18046696]' - }, - 'GO:0060419': { - 'name': 'heart growth', - 'def': 'The increase in size or mass of the heart. [GOC:dph, GOC:tb]' - }, - 'GO:0060420': { - 'name': 'regulation of heart growth', - 'def': 'Any process that modulates the rate or extent of heart growth. Heart growth is the increase in size or mass of the heart. [GOC:dph, GOC:tb]' - }, - 'GO:0060421': { - 'name': 'positive regulation of heart growth', - 'def': 'Any process that increases the rate or extent of heart growth. Heart growth is the increase in size or mass of the heart. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060422': { - 'name': 'peptidyl-dipeptidase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a peptidyl-dipeptidase. Peptidyl-dipeptidase activity catalyzes the release of C-terminal dipeptides from a polypeptide chain. [GOC:dph, GOC:tb]' - }, - 'GO:0060423': { - 'name': 'foregut regionalization', - 'def': 'The pattern specification process that results in the spatial subdivision of an axis or axes along the foregut to define an area or volume in which specific patterns of cell differentiation will take place. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060424': { - 'name': 'lung field specification', - 'def': 'The process that results in the delineation of a specific region of the foregut into the area in which the lung will develop. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060425': { - 'name': 'lung morphogenesis', - 'def': 'The process in which the anatomical structures of the lung are generated and organized. [GOC:dph]' - }, - 'GO:0060426': { - 'name': 'lung vasculature development', - 'def': 'The biological process whose specific outcome is the progression of a lung vasculature from an initial condition to its mature state. This process begins with the formation of the lung vasculature and ends with the mature structure. The lung vasculature is composed of the tubule structures that carry blood or lymph in the lungs. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060427': { - 'name': 'lung connective tissue development', - 'def': 'The biological process whose specific outcome is the progression of lung connective tissue from an initial condition to its mature state. This process begins with the formation of lung connective tissue and ends with the mature structure. The lung connective tissue is a material made up of fibers forming a framework and support structure for the lungs. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060428': { - 'name': 'lung epithelium development', - 'def': 'The biological process whose specific outcome is the progression of the lung epithelium from an initial condition to its mature state. This process begins with the formation of lung epithelium and ends with the mature structure. The lung epithelium is the specialized epithelium that lines the inside of the lung. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060429': { - 'name': 'epithelium development', - 'def': 'The process whose specific outcome is the progression of an epithelium over time, from its formation to the mature structure. An epithelium is a tissue that covers the internal or external surfaces of an anatomical structure. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060430': { - 'name': 'lung saccule development', - 'def': 'The biological process whose specific outcome is the progression of a lung saccule from an initial condition to its mature state. The lung saccule is the primitive gas exchange portion of the lung composed of type I and type II cells. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060431': { - 'name': 'primary lung bud formation', - 'def': 'The morphogenetic process in which the foregut region specified to become the lung forms the initial left and right buds. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060432': { - 'name': 'lung pattern specification process', - 'def': 'Any developmental process that results in the creation of defined areas or spaces within the lung, to which cells respond and eventually are instructed to differentiate. [GOC:dph]' - }, - 'GO:0060433': { - 'name': 'bronchus development', - 'def': 'The biological process whose specific outcome is the progression of a bronchus from an initial condition to its mature state. This process begins with the formation of the bronchus and ends with the mature structure. The bronchus is the portion of the airway that connects to the lungs. [GOC:dph]' - }, - 'GO:0060434': { - 'name': 'bronchus morphogenesis', - 'def': 'The process in which the bronchus is generated and organized. The bronchus is the portion of the airway that connects to the lungs. [GOC:dph]' - }, - 'GO:0060435': { - 'name': 'bronchiole development', - 'def': 'The biological process whose specific outcome is the progression of a bronchiole from an initial condition to its mature state. This process begins with the formation of the bronchiole and ends with the mature structure. A bronchiole is the first airway branch that no longer contains cartilage; it is a branch of the bronchi. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060436': { - 'name': 'bronchiole morphogenesis', - 'def': 'The process in which a bronchiole is generated and organized. A bronchiole is the first airway branch that no longer contains cartilage; it is a branch of the bronchi. [GOC:dph]' - }, - 'GO:0060437': { - 'name': 'lung growth', - 'def': 'The increase in size or mass of a lung. In all air-breathing vertebrates the lungs are developed from the ventral wall of the oesophagus as a pouch which divides into two sacs. In amphibians and many reptiles the lungs retain very nearly this primitive sac-like character, but in the higher forms the connection with the esophagus becomes elongated into the windpipe and the inner walls of the sacs become more and more divided, until, in the mammals, the air spaces become minutely divided into tubes ending in small air cells, in the walls of which the blood circulates in a fine network of capillaries. In mammals the lungs are more or less divided into lobes, and each lung occupies a separate cavity in the thorax. [GOC:dph]' - }, - 'GO:0060438': { - 'name': 'trachea development', - 'def': 'The process whose specific outcome is the progression of a trachea over time, from its formation to the mature structure. The trachea is the portion of the airway that attaches to the bronchi as it branches. [GOC:dph]' - }, - 'GO:0060439': { - 'name': 'trachea morphogenesis', - 'def': 'The process in which a trachea is generated and organized. The trachea is the portion of the airway that attaches to the bronchi as it branches. [GOC:dph]' - }, - 'GO:0060440': { - 'name': 'trachea formation', - 'def': 'The process pertaining to the initial formation of a trachea from unspecified parts. The process begins with the specific processes that contribute to the appearance of the discrete structure and ends when the trachea is recognizable. The trachea is the portion of the airway that attaches to the bronchi as it branches. [GOC:dph]' - }, - 'GO:0060441': { - 'name': 'epithelial tube branching involved in lung morphogenesis', - 'def': 'The process in which a highly ordered sequence of patterning events generates the branched epithelial tubes of the lung, consisting of reiterated combinations of bud outgrowth, elongation, and dichotomous subdivision of terminal units. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060442': { - 'name': 'branching involved in prostate gland morphogenesis', - 'def': 'The process in which the branching structure of the prostate gland is generated and organized. A branch is a division or offshoot from a main stem. [GOC:dph]' - }, - 'GO:0060443': { - 'name': 'mammary gland morphogenesis', - 'def': 'The process in which anatomical structures of the mammary gland are generated and organized. Morphogenesis refers to the creation of shape. The mammary gland is a large compound sebaceous gland that in female mammals is modified to secrete milk. [GOC:dph]' - }, - 'GO:0060444': { - 'name': 'branching involved in mammary gland duct morphogenesis', - 'def': 'The process in which the branching structure of the mammary gland duct is generated and organized. The mammary gland is a large compound sebaceous gland that in female mammals is modified to secrete milk. [GOC:dph]' - }, - 'GO:0060445': { - 'name': 'branching involved in salivary gland morphogenesis', - 'def': 'The process in which the branching structure of the salivary gland is generated and organized. [GOC:dph]' - }, - 'GO:0060446': { - 'name': 'branching involved in open tracheal system development', - 'def': 'The process in which the anatomical structures of branches in the open tracheal system are generated and organized. [GOC:dph]' - }, - 'GO:0060447': { - 'name': 'bud outgrowth involved in lung branching', - 'def': 'The process in which a region of the lung epithelium initiates an outgrowth. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060448': { - 'name': 'dichotomous subdivision of terminal units involved in lung branching', - 'def': 'The process in which a lung bud bifurcates. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060449': { - 'name': 'bud elongation involved in lung branching', - 'def': 'The process in which a bud in the lung grows out from the point where it is formed. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060450': { - 'name': 'positive regulation of hindgut contraction', - 'def': 'Any process that increases the frequency, rate or extent of muscle contraction of the hindgut, the posterior part of the alimentary canal, including the rectum, and the large intestine. [GOC:dph, GOC:tb]' - }, - 'GO:0060451': { - 'name': 'negative regulation of hindgut contraction', - 'def': 'Any process that decreases the frequency, rate or extent of muscle contraction of the hindgut, the posterior part of the alimentary canal, including the rectum, and the large intestine. [GOC:dph, GOC:tb]' - }, - 'GO:0060452': { - 'name': 'positive regulation of cardiac muscle contraction', - 'def': 'Any process that increases the frequency, rate or extent of cardiac muscle contraction. [GOC:dph, GOC:tb]' - }, - 'GO:0060453': { - 'name': 'regulation of gastric acid secretion', - 'def': 'Any process that modulates the rate frequency or extent of gastric secretion. Gastric secretion is the regulated release of gastric acid (hydrochloric acid) by parietal or oxyntic cells during digestion. [GOC:dph, GOC:tb]' - }, - 'GO:0060454': { - 'name': 'positive regulation of gastric acid secretion', - 'def': 'Any process that increases the rate frequency or extent of gastric secretion. Gastric secretion is the regulated release of gastric acid (hydrochloric acid) by parietal or oxyntic cells during digestion. [GOC:dph, GOC:tb]' - }, - 'GO:0060455': { - 'name': 'negative regulation of gastric acid secretion', - 'def': 'Any process that decreases the rate frequency or extent of gastric secretion. Gastric secretion is the regulated release of gastric acid (hydrochloric acid) by parietal or oxyntic cells during digestion. [GOC:dph, GOC:tb]' - }, - 'GO:0060456': { - 'name': 'positive regulation of digestive system process', - 'def': 'Any process that increases the frequency, rate or extent of a digestive system process, a physical, chemical, or biochemical process carried out by living organisms to break down ingested nutrients into components that may be easily absorbed and directed into metabolism. [GOC:dph, GOC:tb]' - }, - 'GO:0060457': { - 'name': 'negative regulation of digestive system process', - 'def': 'Any process that decreases the frequency, rate or extent of a digestive system process, a physical, chemical, or biochemical process carried out by living organisms to break down ingested nutrients into components that may be easily absorbed and directed into metabolism. [GOC:dph, GOC:tb]' - }, - 'GO:0060458': { - 'name': 'right lung development', - 'def': 'The biological process whose specific outcome is the progression of a right lung from an initial condition to its mature state. This process begins with the formation of the right lung and ends with the mature structure. The right lung is the lung which is on the right side of the anterior posterior axis looking from a dorsal to ventral aspect. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060459': { - 'name': 'left lung development', - 'def': 'The biological process whose specific outcome is the progression of a left lung from an initial condition to its mature state. This process begins with the formation of the left lung and ends with the mature structure. The left lung is the lung which is on the left side of the anterior posterior axis looking from a dorsal to ventral aspect. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060460': { - 'name': 'left lung morphogenesis', - 'def': 'The process in which anatomical structures of the left lung are generated and organized. [GOC:dph]' - }, - 'GO:0060461': { - 'name': 'right lung morphogenesis', - 'def': 'The process in which anatomical structures of the right lung are generated and organized. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060462': { - 'name': 'lung lobe development', - 'def': 'The biological process whose specific outcome is the progression of a lung lobe from an initial condition to its mature state. This process begins with the formation of a lung lobe by branching morphogenesis and ends with the mature structure. A lung lobe is one of the rounded projections that compose the lung. [GOC:dph]' - }, - 'GO:0060463': { - 'name': 'lung lobe morphogenesis', - 'def': 'The process in which the anatomical structures of a lung lobe are generated and organized. A lung lobe is a projection that extends from the lung. [GOC:dph]' - }, - 'GO:0060464': { - 'name': 'lung lobe formation', - 'def': 'The developmental process pertaining to the initial formation of a lung lobe from unspecified parts. This process begins with the specific processes that contribute to the appearance of the lobe and ends when the structural rudiment is recognizable. A lung lobe is a projection that extends from the lung. [GOC:dph]' - }, - 'GO:0060465': { - 'name': 'pharynx development', - 'def': 'The biological process whose specific outcome is the progression of a pharynx from an initial condition to its mature state. The pharynx is the part of the digestive system immediately posterior to the mouth. [GOC:dph, GOC:rk]' - }, - 'GO:0060466': { - 'name': 'activation of meiosis involved in egg activation', - 'def': 'Any process that starts the inactive process of meiosis in an egg after the egg has been fertilized or physiologically activated. Eggs generally arrest in meiosis and complete the process after activation. [GOC:dph]' - }, - 'GO:0060467': { - 'name': 'negative regulation of fertilization', - 'def': 'Any process that decreases the rate, frequency or extent of fertilization. Fertilization is the union of gametes of opposite sexes during the process of sexual reproduction to form a zygote. It involves the fusion of the gametic nuclei (karyogamy) and cytoplasm (plasmogamy). [GOC:dph]' - }, - 'GO:0060468': { - 'name': 'prevention of polyspermy', - 'def': 'The negative regulation of fertilization process that takes place as part of egg activation, ensuring that only a single sperm fertilizes the egg. [GOC:dph]' - }, - 'GO:0060469': { - 'name': 'positive regulation of transcription involved in egg activation', - 'def': 'Any process that increases the rate, frequency or extent of transcription as a part of the process of egg activation. [GOC:dph]' - }, - 'GO:0060470': { - 'name': 'positive regulation of cytosolic calcium ion concentration involved in egg activation', - 'def': 'The process that increases the concentration of calcium ions in the cytosol after fertilization or the physiological activation of an egg. [GOC:dph]' - }, - 'GO:0060471': { - 'name': 'cortical granule exocytosis', - 'def': 'The process of secretion by a cell that results in the release of intracellular molecules contained within a cortical granule by fusion of the vesicle with the plasma membrane of a cell. A cortical granule is a specialized secretory vesicle that is released during egg activation that changes the surface of the egg to prevent polyspermy. [GOC:dph]' - }, - 'GO:0060472': { - 'name': 'positive regulation of cortical granule exocytosis by positive regulation of cytosolic calcium ion concentration', - 'def': 'Any process that activates or increases the frequency, rate or extent of cortical granule exocytosis by directing movement of calcium ions (Ca2+) into the cytosol. [GOC:dph]' - }, - 'GO:0060473': { - 'name': 'cortical granule', - 'def': 'A secretory vesicle that is stored under the cell membrane of an egg. These vesicles fuse with the egg plasma membrane as part of egg activation and are part of the block to polyspermy. [GOC:dph]' - }, - 'GO:0060474': { - 'name': 'positive regulation of flagellated sperm motility involved in capacitation', - 'def': 'The process in which the controlled movement of a flagellated sperm cell is initiated as part of the process required for flagellated sperm to reach fertilization competence. [GOC:cilia, GOC:dph, GOC:krc]' - }, - 'GO:0060475': { - 'name': 'positive regulation of actin filament polymerization involved in acrosome reaction', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin polymerization as part of the acrosome reaction. [GOC:dph]' - }, - 'GO:0060476': { - 'name': 'protein localization involved in acrosome reaction', - 'def': 'The actin-based process in which a protein is transported to, or maintained in, a specific location in the sperm as part of the acrosome reaction. [GOC:dph]' - }, - 'GO:0060477': { - 'name': 'peptidyl-serine phosphorylation involved in acrosome reaction', - 'def': 'The phosphorylation of peptidyl-serine to form peptidyl-O-phospho-L-serine that is part of the acrosome reaction. [GOC:dph]' - }, - 'GO:0060478': { - 'name': 'acrosomal vesicle exocytosis', - 'def': 'The release of intracellular molecules contained within the acrosomal granule by fusion of the vesicle with the plasma membrane of the oocyte, requiring calcium ions. [GOC:dph]' - }, - 'GO:0060479': { - 'name': 'lung cell differentiation', - 'def': 'The process in which relatively unspecialized cells, e.g. embryonic or regenerative cells, acquire specialized structural and/or functional features of a mature cell found in the lung. Differentiation includes the processes involved in commitment of a cell to a specific fate. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060480': { - 'name': 'lung goblet cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a lung goblet cell. A goblet cell is a cell of the epithelial lining that produces and secretes mucins. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060481': { - 'name': 'lobar bronchus epithelium development', - 'def': 'The biological process whose specific outcome is the progression of a lobar bronchus epithelium from an initial condition to its mature state. This process begins with the formation of the lobar bronchus epithelium and ends with the mature structure. The lobar bronchus epithelium is the tissue made up of epithelial cells that lines the inside of the lobar bronchus. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060482': { - 'name': 'lobar bronchus development', - 'def': 'The biological process whose specific outcome is the progression of a lobar bronchus from an initial condition to its mature state. This process begins with the formation of the lobar bronchus and ends with the mature structure. The lobar bronchus is the major airway within the respiratory tree that starts by division of the principal bronchi on both sides and ends at the point of its own subdivision into tertiary or segmental bronchi. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060483': { - 'name': 'lobar bronchus mesenchyme development', - 'def': 'The biological process whose specific outcome is the progression of a lobar bronchus mesenchyme from an initial condition to its mature state. This process begins with the formation of the lobar bronchus mesenchyme and ends with the mature structure. The lobar bronchus mesenchyme is the mass of tissue composed of mesenchymal cells in the lobar bronchus. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060484': { - 'name': 'lung-associated mesenchyme development', - 'def': 'The biological process whose specific outcome is the progression of a lung-associated mesenchyme from an initial condition to its mature state. This process begins with the formation of lung-associated mesenchyme and ends with the mature structure. Lung-associated mesenchyme is the tissue made up of loosely connected mesenchymal cells in the lung. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060485': { - 'name': 'mesenchyme development', - 'def': 'The process whose specific outcome is the progression of a mesenchymal tissue over time, from its formation to the mature structure. A mesenchymal tissue is made up of loosely packed stellate cells. [GOC:dph]' - }, - 'GO:0060486': { - 'name': 'Clara cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a Clara cell. A Clara cell is an unciliated epithelial cell found in the respiratory and terminal bronchioles. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060487': { - 'name': 'lung epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an epithelial cell that contributes to the epithelium of the lung. [GOC:dph]' - }, - 'GO:0060488': { - 'name': 'orthogonal dichotomous subdivision of terminal units involved in lung branching morphogenesis', - 'def': 'The process in which a lung bud bifurcates perpendicular to the plane of the previous bud. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060489': { - 'name': 'planar dichotomous subdivision of terminal units involved in lung branching morphogenesis', - 'def': 'The process in which a lung bud bifurcates parallel to the plane of the previous bud. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060490': { - 'name': 'lateral sprouting involved in lung morphogenesis', - 'def': 'The process in which a branch forms along the side of the lung epithelial tube. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060491': { - 'name': 'regulation of cell projection assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of cell projection assembly. [GOC:dph, GOC:tb]' - }, - 'GO:0060492': { - 'name': 'lung induction', - 'def': 'The close range interaction of two or more cells or tissues that causes the cells of the foregut to change their fates and specify the development of the lung. [GOC:dph]' - }, - 'GO:0060493': { - 'name': 'mesenchymal-endodermal cell signaling involved in lung induction', - 'def': 'Any process that mediates the transfer of information from a mesenchymal cell to an endodermal cell in the foregut and contributes to the formation of the lung bud. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060494': { - 'name': 'inductive mesenchymal-endodermal cell signaling', - 'def': 'Any process that mediates the transfer of information from a mesenchymal cell to an endodermal cell changing the fate of the endodermal cell. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060495': { - 'name': 'cell-cell signaling involved in lung development', - 'def': 'Any process that mediates the transfer of information from one cell to another and contributes to the progression of the lung, from its initial state to the mature structure. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060496': { - 'name': 'mesenchymal-epithelial cell signaling involved in lung development', - 'def': 'Any process that mediates the transfer of information from a mesenchymal cell to an epithelial cell and contributes to the development of the lung. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060497': { - 'name': 'mesenchymal-endodermal cell signaling', - 'def': 'Any process that mediates the transfer of information between a mesenchymal cell and an endodermal cell. [GOC:dph]' - }, - 'GO:0060498': { - 'name': 'retinoic acid receptor signaling pathway involved in lung bud formation', - 'def': 'The series of molecular signals generated as a consequence of a retinoic acid receptor binding to one of its physiological ligands contributing to the formation of the primary lung bud. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060499': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in lung induction', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor-type receptor binding to one of its physiological ligands resulting in the formation of the lung bud along the lateral-esophageal sulcus. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060500': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in lung bud formation', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the branching morphogenesis by which the initial primordium of the lung is formed. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060501': { - 'name': 'positive regulation of epithelial cell proliferation involved in lung morphogenesis', - 'def': 'Any process that increases the rate or frequency of epithelial cell proliferation that results in the lung attaining its shape. [GOC:dph]' - }, - 'GO:0060502': { - 'name': 'epithelial cell proliferation involved in lung morphogenesis', - 'def': 'The multiplication or reproduction of epithelial cells, resulting in the expansion of a cell population that contributes to the shaping of the lung. [GOC:dph]' - }, - 'GO:0060503': { - 'name': 'bud dilation involved in lung branching', - 'def': 'The process in which a bud in the lung increases radially. [GOC:dph]' - }, - 'GO:0060504': { - 'name': 'positive regulation of epithelial cell proliferation involved in lung bud dilation', - 'def': 'Any process that increases the rate or frequency of epithelial cell proliferation that results in the lung bud increasing in size radially. [GOC:dph]' - }, - 'GO:0060505': { - 'name': 'epithelial cell proliferation involved in lung bud dilation', - 'def': 'The multiplication or reproduction of epithelial cells that contribute to the radial growth of a lung bud. [GOC:dph]' - }, - 'GO:0060506': { - 'name': 'smoothened signaling pathway involved in lung development', - 'def': 'The series of molecular signals generated as a consequence of activation of the transmembrane Smoothened-type protein. This process contributes to lung development. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060507': { - 'name': 'epidermal growth factor receptor signaling pathway involved in lung development', - 'def': 'The series of molecular signals generated as a consequence of an epidermal growth factor-type receptor binding to one of its physiological ligands. This process contributes to lung development. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060508': { - 'name': 'lung basal cell differentiation', - 'def': 'The process in which relatively unspecialized cells, e.g. embryonic or regenerative cells, acquire specialized structural and/or functional features of a mature basal cell found in the lung. Differentiation includes the processes involved in commitment of a cell to a specific fate. A basal cell is an epithelial stem cell. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060509': { - 'name': 'Type I pneumocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a Type I pneumocyte. A type I pneumocyte is a flattened cell with greatly attenuated cytoplasm and a paucity of organelles. [GOC:dph, GOC:mtg_lung, ISBN:0721662544]' - }, - 'GO:0060510': { - 'name': 'Type II pneumocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a Type II pneumocyte. A Type II pneumocyte is a surfactant secreting cell that contains abundant cytoplasm containing numerous lipid-rich multilamellar bodies. [GOC:dph, GOC:mtg_lung, ISBN:0721662544]' - }, - 'GO:0060511': { - 'name': 'creation of an inductive signal by a mesenchymal cell involved in lung induction', - 'def': 'The process in which splanchnic mesenchymal cells send a signal over a short range to endodermal cells inducing them to form the primary lung bud. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060512': { - 'name': 'prostate gland morphogenesis', - 'def': 'The process in which the anatomical structures of a prostate gland are generated and organized. [GOC:dph, PMID:18977204]' - }, - 'GO:0060513': { - 'name': 'prostatic bud formation', - 'def': 'The morphogenetic process in which a region of the fetal urogenital sinus epithelium is specified to become the prostate, resulting in prostate bud outgrowth. [GOC:dph, PMID:18977204]' - }, - 'GO:0060514': { - 'name': 'prostate induction', - 'def': 'The close range interaction of the urogenital sinus mesenchyme and the urogenital sinus epithelium that causes the cells of the urogenital sinus epithelium to change their fates and specify the development of the prostate gland. [GOC:dph, PMID:18977204]' - }, - 'GO:0060515': { - 'name': 'prostate field specification', - 'def': 'The process that results in the delineation of a specific region of the urogenital sinus epithelium into the area in which the prostate gland will develop. [GOC:dph, PMID:18977204]' - }, - 'GO:0060516': { - 'name': 'primary prostatic bud elongation', - 'def': 'The increase in size of the prostatic bud as it forms. [GOC:dph, PMID:18977204]' - }, - 'GO:0060517': { - 'name': 'epithelial cell proliferation involved in prostatic bud elongation', - 'def': 'The multiplication of epithelial cells, contributing to the expansion of the primary prostatic bud. [GOC:dph, PMID:18977204]' - }, - 'GO:0060518': { - 'name': 'cell migration involved in prostatic bud elongation', - 'def': 'The orderly movement of epithelial cells from one site to another contributing to the elongation of the primary prostatic bud. [GOC:dph, PMID:18977204]' - }, - 'GO:0060519': { - 'name': 'cell adhesion involved in prostatic bud elongation', - 'def': 'The attachment of a cell, either to another cell or to an underlying substrate such as the extracellular matrix, via cell adhesion molecules that contributes to the elongation of the primary prostatic bud. [GOC:dph, PMID:18977204]' - }, - 'GO:0060520': { - 'name': 'activation of prostate induction by androgen receptor signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of an androgen binding to its receptor in the urogenital sinus mesenchyme that initiates prostate induction. Prostate induction is the close range interaction of the urogenital sinus mesenchyme and the urogenital sinus epithelium that causes the cells of the urogenital sinus epithelium to change their fates and specify the development of the prostate gland. [GOC:dph, GOC:tb, PMID:18977204]' - }, - 'GO:0060521': { - 'name': 'mesenchymal-epithelial cell signaling involved in prostate induction', - 'def': 'Signaling at short range from urogenital sinus mesenchymal cells to cells of the urogenital epithelium resulting in the epithelial cells adopting a prostatic fate. [GOC:dph, PMID:18977204]' - }, - 'GO:0060522': { - 'name': 'inductive mesenchymal to epithelial cell signaling', - 'def': 'Signaling at short range from mesenchymal cells to cells of an epithelium that results in a developmental change in the epithelial cells. [GOC:dph]' - }, - 'GO:0060523': { - 'name': 'prostate epithelial cord elongation', - 'def': 'The developmental growth process in which solid chords of prostate epithelium increase in length. [GOC:dph, PMID:18977204]' - }, - 'GO:0060524': { - 'name': 'dichotomous subdivision of prostate epithelial cord terminal unit', - 'def': 'The process in which a prostate epithelial cord bifurcates at its end. [GOC:dph, PMID:18977204]' - }, - 'GO:0060525': { - 'name': 'prostate glandular acinus development', - 'def': 'The progression of a glandular acinus of the prostate gland over time, from its initial formation to the mature structure. The glandular acini are the saclike structures of the gland. [GOC:dph, PMID:18977204]' - }, - 'GO:0060526': { - 'name': 'prostate glandular acinus morphogenesis', - 'def': 'The process in which the prostate glandular acini are generated and organized. The glandular acini are the saclike structures of the gland. [GOC:dph]' - }, - 'GO:0060527': { - 'name': 'prostate epithelial cord arborization involved in prostate glandular acinus morphogenesis', - 'def': 'The branching morphogenesis process in which the prostate epithelial cords branch freely to create the structure of the prostate acini. [GOC:dph, PMID:18977204]' - }, - 'GO:0060528': { - 'name': 'secretory columnal luminar epithelial cell differentiation involved in prostate glandular acinus development', - 'def': 'The process in which a relatively unspecialized epithelial cell acquires specialized features of a secretory columnal luminar epithelial cell of the prostate. [GOC:dph, PMID:18977204]' - }, - 'GO:0060529': { - 'name': 'squamous basal epithelial stem cell differentiation involved in prostate gland acinus development', - 'def': 'The process in which a relatively unspecialized epithelial cell acquires specialized features of a squamous basal epithelial stem cell of the prostate. [GOC:dph, PMID:18977204]' - }, - 'GO:0060530': { - 'name': 'smooth muscle cell differentiation involved in prostate glandular acinus development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a smooth muscle cell of the prostate glandular acinus. [GOC:dph, PMID:18977204]' - }, - 'GO:0060531': { - 'name': 'neuroendocrine cell differentiation involved in prostate gland acinus development', - 'def': 'The process in which relatively unspecialized cells acquires specialized structural and functions of a neuroendocrine cell of the prostate gland acinus. [GOC:dph, PMID:18977204]' - }, - 'GO:0060532': { - 'name': 'bronchus cartilage development', - 'def': 'The process whose specific outcome is the progression of lung cartilage over time, from its formation to the mature structure. Cartilage is a connective tissue dominated by extracellular matrix containing collagen type II and large amounts of proteoglycan, particularly chondroitin sulfate. [GOC:dph, GOC:mtg_lung]' - }, - 'GO:0060533': { - 'name': 'bronchus cartilage morphogenesis', - 'def': 'The process in which the bronchus cartilage is generated and organized. The bronchus cartilage is the connective tissue of the portion of the airway that connects to the lungs. [GOC:dph]' - }, - 'GO:0060534': { - 'name': 'trachea cartilage development', - 'def': 'The process whose specific outcome is the progression of the tracheal cartilage over time, from its formation to the mature structure. Cartilage is a connective tissue dominated by extracellular matrix containing collagen type II and large amounts of proteoglycan, particularly chondroitin sulfate. [GOC:dph]' - }, - 'GO:0060535': { - 'name': 'trachea cartilage morphogenesis', - 'def': 'The process in which the anatomical structures of cartilage in the trachea are generated and organized. [GOC:dph]' - }, - 'GO:0060536': { - 'name': 'cartilage morphogenesis', - 'def': 'The process in which the anatomical structures of cartilage are generated and organized. [GOC:dph]' - }, - 'GO:0060537': { - 'name': 'muscle tissue development', - 'def': 'The progression of muscle tissue over time, from its initial formation to its mature state. Muscle tissue is a contractile tissue made up of actin and myosin fibers. [GOC:dph]' - }, - 'GO:0060538': { - 'name': 'skeletal muscle organ development', - 'def': 'The progression of a skeletal muscle organ over time from its initial formation to its mature state. A skeletal muscle organ includes the skeletal muscle tissue and its associated connective tissue. [GOC:dph]' - }, - 'GO:0060539': { - 'name': 'diaphragm development', - 'def': 'The progression of the diaphragm over time from its initial formation to the mature structure. The diaphragm is a skeletal muscle that is responsible for contraction and expansion of the lungs. [GOC:dph]' - }, - 'GO:0060540': { - 'name': 'diaphragm morphogenesis', - 'def': 'The process in which the anatomical structures of the diaphragm are generated and organized. [GOC:dph]' - }, - 'GO:0060541': { - 'name': 'respiratory system development', - 'def': 'The progression of the respiratory system over time from its formation to its mature structure. The respiratory system carries out respiratory gaseous exchange. [GOC:dph]' - }, - 'GO:0060542': { - 'name': 'regulation of strand invasion', - 'def': 'Any process that modulates the rate, frequency or extent of strand invasion. Strand invasion is the process in which the nucleoprotein complex (composed of the broken single-strand DNA and the recombinase) searches and identifies a region of homology in intact duplex DNA. The broken single-strand DNA displaces the like strand and forms Watson-Crick base pairs with its complement, forming a duplex in which each strand is from one of the two recombining DNA molecules. [GOC:dph, GOC:tb]' - }, - 'GO:0060543': { - 'name': 'negative regulation of strand invasion', - 'def': 'Any process that decreases the rate, frequency or extent of strand invasion. Strand invasion is the process in which the nucleoprotein complex (composed of the broken single-strand DNA and the recombinase) searches and identifies a region of homology in intact duplex DNA. The broken single-strand DNA displaces the like strand and forms Watson-Crick base pairs with its complement, forming a duplex in which each strand is from one of the two recombining DNA molecules. [GOC:dph, GOC:elh, GOC:tb]' - }, - 'GO:0060544': { - 'name': 'regulation of necroptotic process', - 'def': 'Any process that modulates the rate, frequency or extent of a necroptotic process, a necrotic cell death process that results from the activation of endogenous cellular processes, such as signaling involving death domain receptors or Toll-like receptors. [GOC:BHF, GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0060545': { - 'name': 'positive regulation of necroptotic process', - 'def': 'Any process that increases the rate, frequency or extent of a necroptotic process, a necrotic cell death process that results from the activation of endogenous cellular processes, such as signaling involving death domain receptors or Toll-like receptors. [GOC:BHF, GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0060546': { - 'name': 'negative regulation of necroptotic process', - 'def': 'Any process that decreases the rate, frequency or extent of a necroptotic process, a necrotic cell death process that results from the activation of endogenous cellular processes, such as signaling involving death domain receptors or Toll-like receptors. [GOC:BHF, GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0060547': { - 'name': 'negative regulation of necrotic cell death', - 'def': 'Any process that decreases the rate, frequency or extent of necrotic cell death. Necrotic cell death is a cell death process that is morphologically characterized by a gain in cell volume (oncosis), swelling of organelles, plasma membrane rupture and subsequent loss of intracellular contents. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060548': { - 'name': 'negative regulation of cell death', - 'def': 'Any process that decreases the rate or frequency of cell death. Cell death is the specific activation or halting of processes within a cell so that its vital functions markedly cease, rather than simply deteriorating gradually over time, which culminates in cell death. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060549': { - 'name': 'regulation of fructose 1,6-bisphosphate 1-phosphatase activity', - 'def': 'Any process that modulates the rate, frequency or extent of fructose 1,6-bisphosphate 1-phosphatase activity. Fructose 1,6-bisphosphate 1-phosphatase activity is the catalysis of the reaction: D-fructose 1,6-bisphosphate + H2O = D-fructose 6-phosphate + phosphate. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060550': { - 'name': 'positive regulation of fructose 1,6-bisphosphate 1-phosphatase activity', - 'def': 'Any process that increases the rate, frequency or extent of fructose 1,6-bisphosphate 1-phosphatase activity. Fructose 1,6-bisphosphate 1-phosphatase activity is the catalysis of the reaction: D-fructose 1,6-bisphosphate + H2O = D-fructose 6-phosphate + phosphate. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060551': { - 'name': 'regulation of fructose 1,6-bisphosphate metabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of fructose 1,6-bisphosphate metabolism. Fructose 1,6-bisphosphate metabolism is the chemical reactions and pathways involving fructose 1,6-bisphosphate, also known as FBP. The D enantiomer is a metabolic intermediate in glycolysis and gluconeogenesis. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060552': { - 'name': 'positive regulation of fructose 1,6-bisphosphate metabolic process', - 'def': 'Any process that increases the rate, frequency or extent of fructose 1,6-bisphosphate metabolism. Fructose 1,6-bisphosphate metabolism is the chemical reactions and pathways involving fructose 1,6-bisphosphate, also known as FBP. The D enantiomer is a metabolic intermediate in glycolysis and gluconeogenesis. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060556': { - 'name': 'regulation of vitamin D biosynthetic process', - 'def': 'Any process that modulates the rate frequency or extent of a vitamin D biosynthetic process. Vitamin D biosynthesis is the chemical reactions and pathways resulting in the formation of vitamin D, any of a group of related, fat-soluble compounds that are derived from delta-5,7 steroids and play a central role in calcium metabolism. Specific forms of vitamin D include calciferol (ergocalciferol; vitamin D2) and cholecalciferol (calciol; vitamin D3). [CHEBI:27300, GOC:BHF, GOC:mah, ISBN:0471331309]' - }, - 'GO:0060557': { - 'name': 'positive regulation of vitamin D biosynthetic process', - 'def': 'Any process that increases the rate, frequency or extent of a vitamin D biosynthetic process. Vitamin D biosynthesis is the chemical reactions and pathways resulting in the formation of vitamin D, any of a group of related, fat-soluble compounds that are derived from delta-5,7 steroids and play a central role in calcium metabolism. Specific forms of vitamin D include calciferol (ergocalciferol; vitamin D2) and cholecalciferol (calciol; vitamin D3). [CHEBI:27300, GOC:BHF, GOC:mah, ISBN:0471331309]' - }, - 'GO:0060558': { - 'name': 'regulation of calcidiol 1-monooxygenase activity', - 'def': 'Any process that modulates the rate, frequency or extent of calcidiol 1-monooxygenase activity. Calcidiol 1-monooxygenase activity is catalysis of the reaction: calcidiol + NADPH + H+ + O2 = calcitriol + NADP+ + H2O. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060559': { - 'name': 'positive regulation of calcidiol 1-monooxygenase activity', - 'def': 'Any process that increases the rate, frequency or extent of calcidiol 1-monooxygenase activity. Calcidiol 1-monooxygenase activity is the catalysis of the reaction: calcidiol + NADPH + H+ + O2 = calcitriol + NADP+ + H2O. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060560': { - 'name': 'developmental growth involved in morphogenesis', - 'def': 'The increase in size or mass of an anatomical structure that contributes to the structure attaining its shape. [GOC:dph]' - }, - 'GO:0060561': { - 'name': 'apoptotic process involved in morphogenesis', - 'def': 'Any apoptotic process that contributes to the shaping of an anatomical structure. [GOC:dph, GOC:mtg_apoptosis]' - }, - 'GO:0060562': { - 'name': 'epithelial tube morphogenesis', - 'def': 'The process in which the anatomical structures of a tube are generated and organized from an epithelium. Epithelial tubes transport gases, liquids and cells from one site to another and form the basic structure of many organs and tissues, with tube shape and organization varying from the single-celled excretory organ in Caenorhabditis elegans to the branching trees of the mammalian kidney and insect tracheal system. [GOC:dph]' - }, - 'GO:0060563': { - 'name': 'neuroepithelial cell differentiation', - 'def': 'The process in which epiblast cells acquire specialized features of neuroepithelial cells. [GOC:dph, GOC:tb]' - }, - 'GO:0060565': { - 'name': 'obsolete inhibition of APC-Cdc20 complex activity', - 'def': 'OBSOLETE. Any process that prevents the activation of APC-Cdc20 complex activity regulating the mitotic cell cycle. [GOC:dph, GOC:tb]' - }, - 'GO:0060566': { - 'name': 'positive regulation of DNA-templated transcription, termination', - 'def': 'Any process that increases the rate, frequency or extent of DNA-templated transcription termination, the process in which transcription is completed; the formation of phosphodiester bonds ceases, the RNA-DNA hybrid dissociates, and RNA polymerase releases the DNA. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0060567': { - 'name': 'negative regulation of DNA-templated transcription, termination', - 'def': 'Any process that decreases the rate, frequency or extent of DNA-dependent transcription termination, the process in which transcription is completed; the formation of phosphodiester bonds ceases, the RNA-DNA hybrid dissociates, and RNA polymerase releases the DNA. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0060568': { - 'name': 'regulation of peptide hormone processing', - 'def': 'Any process that modulates the rate, frequency or extent of peptide hormone processing. Peptide hormone processing is the generation of a mature peptide hormone by posttranslational processing of a prohormone. [GOC:dph, GOC:tb]' - }, - 'GO:0060569': { - 'name': 'positive regulation of peptide hormone processing', - 'def': 'Any process that increases the rate, frequency or extent of peptide hormone processing. Peptide hormone processing is the generation of a mature peptide hormone by posttranslational processing of a prohormone. [GOC:dph, GOC:tb]' - }, - 'GO:0060570': { - 'name': 'negative regulation of peptide hormone processing', - 'def': 'Any process that decreases the rate, frequency or extent of peptide hormone processing. Peptide hormone processing is the generation of a mature peptide hormone by posttranslational processing of a prohormone. [GOC:dph, GOC:tb]' - }, - 'GO:0060571': { - 'name': 'morphogenesis of an epithelial fold', - 'def': 'The morphogenetic process in which an epithelial sheet bends along a linear axis. [GOC:dph]' - }, - 'GO:0060572': { - 'name': 'morphogenesis of an epithelial bud', - 'def': 'The morphogenetic process in which a bud forms from an epithelial sheet. A bud is a protrusion that forms form the sheet by localized folding. [GOC:dph]' - }, - 'GO:0060573': { - 'name': 'cell fate specification involved in pattern specification', - 'def': 'The process involved in the specification of the identity of a cell in a field of cells that is being instructed as to how to differentiate. Once specification has taken place, that cell will be committed to differentiate down a specific pathway if left in its normal environment. [GOC:dph, GOC:tb]' - }, - 'GO:0060574': { - 'name': 'intestinal epithelial cell maturation', - 'def': 'The developmental process, independent of morphogenetic (shape) change, that is required for a columna/cuboidal epithelial cell of the intestine to attain its fully functional state. A columnar/cuboidal epithelial cell of the intestine mature as they migrate from the intestinal crypt to the villus. [GOC:dph, PMID:18824147]' - }, - 'GO:0060575': { - 'name': 'intestinal epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a columnar/cuboidal epithelial cell of the intestine. [GOC:dph]' - }, - 'GO:0060576': { - 'name': 'intestinal epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a columnar/cuboidal epithelial cell of the intestine over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0060577': { - 'name': 'pulmonary vein morphogenesis', - 'def': 'The process in which the anatomical structure of the pulmonary venous blood vessels are generated and organized. Pulmonary veins are blood vessels that transport blood from the lungs to the heart. [GOC:dph]' - }, - 'GO:0060578': { - 'name': 'superior vena cava morphogenesis', - 'def': 'The process in which the anatomical structure of superior vena cava generated and organized. The superior vena cava is a blood vessel that transports blood from the upper body to the heart. [GOC:dph]' - }, - 'GO:0060579': { - 'name': 'ventral spinal cord interneuron fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a ventral spinal cord interneuron. Ventral spinal cord interneurons are cells located in the ventral portion of the spinal cord that transmit signals between sensory and motor neurons and are required for reflexive responses. [GOC:dph]' - }, - 'GO:0060580': { - 'name': 'ventral spinal cord interneuron fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a ventral spinal cord interneuron regardless of its environment; upon determination, the cell fate cannot be reversed. Ventral spinal cord interneurons are cells located in the ventral portion of the spinal cord that transmit signals between sensory and motor neurons and are required for reflexive responses. [GOC:dph]' - }, - 'GO:0060581': { - 'name': 'cell fate commitment involved in pattern specification', - 'def': 'The commitment of cells to specific cell fates and their capacity to differentiate into particular kinds of cells within a field of cells that will exhibit a certain pattern of differentiation. Positional information is established through protein signals that emanate from a localized source within a developmental field resulting in specification of a cell type. Those signals are then interpreted in a cell-autonomous manner resulting in the determination of the cell type. [GOC:dph]' - }, - 'GO:0060582': { - 'name': 'cell fate determination involved in pattern specification', - 'def': 'A process involved in commitment of a cell to a fate in a developmental field. Once determination has taken place, a cell becomes committed to differentiate down a particular pathway regardless of its environment. [GOC:dph]' - }, - 'GO:0060583': { - 'name': 'regulation of actin cortical patch localization', - 'def': 'Any process that modulates the localization of an actin cortical patch. An actin cortical patch is a discrete actin-containing structure found just beneath the plasma membrane in fungal cells. [GOC:dph, GOC:tb]' - }, - 'GO:0060584': { - 'name': 'regulation of prostaglandin-endoperoxide synthase activity', - 'def': 'Any process that modulates the rate, frequency or prostaglandin-endoperoxide synthase activity. Prostaglandin-endoperoxide synthase activity is the catalysis of the reaction: arachidonate + donor-H2 + 2 O2 = prostaglandin H2 + acceptor + H2O. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060585': { - 'name': 'positive regulation of prostaglandin-endoperoxide synthase activity', - 'def': 'Any process that increases the rate, frequency or extent of prostaglandin-endoperoxide synthase activity. Prostaglandin-endoperoxide synthase activity is the catalysis of the reaction: arachidonate + donor-H2 + 2 O2 = prostaglandin H2 + acceptor + H2O. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060586': { - 'name': 'multicellular organismal iron ion homeostasis', - 'def': 'Any process involved in the maintenance of the distribution of iron stores within tissues and organs of a multicellular organism. [GOC:dph, GOC:hjd, GOC:tb]' - }, - 'GO:0060587': { - 'name': 'regulation of lipoprotein lipid oxidation', - 'def': 'Any process that modulates the rate, frequency or extent of lipoprotein lipid oxidation. Lipoprotein lipid oxidation is the modification of a lipoprotein by oxidation of the lipid group. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060588': { - 'name': 'negative regulation of lipoprotein lipid oxidation', - 'def': 'Any process that decreases the rate, frequency or extent of lipoprotein lipid oxidation. Lipoprotein lipid oxidation is the modification of a lipoprotein by oxidation of the lipid group. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060589': { - 'name': 'nucleoside-triphosphatase regulator activity', - 'def': 'Modulates the rate of NTP hydrolysis by a NTPase. [GOC:dph, GOC:tb]' - }, - 'GO:0060590': { - 'name': 'ATPase regulator activity', - 'def': 'Modulates the rate of ATP hydrolysis by an ATPase. [GOC:dph, GOC:tb]' - }, - 'GO:0060591': { - 'name': 'chondroblast differentiation', - 'def': 'The process in which a mesenchymal cell, acquires specialized structural and/or functional features of a chondroblast. Differentiation includes the processes involved in commitment of a cell to a chondroblast fate. A chondroblast is a precursor cell to chondrocytes. [GOC:dph]' - }, - 'GO:0060592': { - 'name': 'mammary gland formation', - 'def': 'The process pertaining to the initial formation of the mammary gland from unspecified parts. The process begins with formation of the mammary line and ends when the solid mammary bud invades the primary mammary mesenchyme. [GOC:dph, PMID:16168142, PMID:17120154]' - }, - 'GO:0060593': { - 'name': 'Wnt signaling pathway involved in mammary gland specification', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of a cell in the epidermis resulting in the formation of the mammary line. The mammary line is a ridge of epidermal cells that will form the mammary placodes. [GOC:dph, PMID:16168142]' - }, - 'GO:0060594': { - 'name': 'mammary gland specification', - 'def': 'The regionalization process in which the mammary line is specified. The mammary line is a ridge of epidermal cells that will form the mammary placodes. [GOC:dph]' - }, - 'GO:0060595': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in mammary gland specification', - 'def': 'The series of molecular signals initiated by binding of a fibroblast growth factor to its receptor on the surface of al cell in the epidermis resulting in the formation of the mammary line. The mammary line is a ridge of epidermal cells that will form the mammary placodes. [GOC:dph, PMID:16168142]' - }, - 'GO:0060596': { - 'name': 'mammary placode formation', - 'def': 'The developmental process in which the mammary placode forms. The mammary placode is a transient lens shaped structure that will give rise to the mammary bud proper. [GOC:dph, PMID:16168142]' - }, - 'GO:0060597': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in mammary gland formation', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the formation of the mammary line, placode or bud. [GOC:dph, PMID:16168142]' - }, - 'GO:0060598': { - 'name': 'dichotomous subdivision of terminal units involved in mammary gland duct morphogenesis', - 'def': 'The process in which the terminal end of a mammary duct bifurcates. [GOC:dph, PMID:17120154]' - }, - 'GO:0060599': { - 'name': 'lateral sprouting involved in mammary gland duct morphogenesis', - 'def': 'The process in which a branch forms along the side of a mammary duct. [GOC:dph, PMID:17120154]' - }, - 'GO:0060600': { - 'name': 'dichotomous subdivision of an epithelial terminal unit', - 'def': 'The process in which an epithelial cord, rod or tube bifurcates at its end. [GOC:dph]' - }, - 'GO:0060601': { - 'name': 'lateral sprouting from an epithelium', - 'def': 'The process in which a branch forms along the side of an epithelium. [GOC:dph]' - }, - 'GO:0060602': { - 'name': 'branch elongation of an epithelium', - 'def': 'The growth process in which a branch increases in length from its base to its tip. [GOC:dph]' - }, - 'GO:0060603': { - 'name': 'mammary gland duct morphogenesis', - 'def': 'The process in which anatomical structures of the mammary ducts are generated and organized. Mammary ducts are epithelial tubes that transport milk. [GOC:dph, PMID:17120154]' - }, - 'GO:0060604': { - 'name': 'mammary gland duct cavitation', - 'def': 'Creation of the central hole of the mammary gland duct by the hollowing out of a solid rod. [GOC:dph, PMID:17120154]' - }, - 'GO:0060605': { - 'name': 'tube lumen cavitation', - 'def': 'The formation of a lumen by hollowing out a solid rod or cord. [GOC:dph]' - }, - 'GO:0060606': { - 'name': 'tube closure', - 'def': 'Creation of the central hole of a tube in an anatomical structure by sealing the edges of an epithelial fold. [GOC:dph]' - }, - 'GO:0060607': { - 'name': 'cell-cell adhesion involved in sealing an epithelial fold', - 'def': 'The attachment of one cell to another cell along the edges of two epithelial folds, giving rise to the lumen of an epithelial tube. [GOC:dph]' - }, - 'GO:0060608': { - 'name': 'cell-cell adhesion involved in neural tube closure', - 'def': 'The attachment of one cell to another cell along the edges of two epithelial folds, giving rise to the lumen of the neural tube. [GOC:dph]' - }, - 'GO:0060609': { - 'name': 'apoptotic process involved in tube lumen cavitation', - 'def': 'Any apoptotic process that contributes to the hollowing out of an epithelial rod or cord to form the central hole in a tube. [GOC:dph, GOC:mtg_apoptosis]' - }, - 'GO:0060610': { - 'name': 'mesenchymal cell differentiation involved in mammary gland development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mammary gland mesenchymal cell. Mammary gland mesenchymal cells form a loosely connected network of cells that surround the mammary ducts. [GOC:dph]' - }, - 'GO:0060611': { - 'name': 'mammary gland fat development', - 'def': 'The progression of the mammary gland fat over time, from its formation to the mature structure. The mammary fat is an adipose structure in the gland that is invaded by the mammary ducts. [GOC:dph]' - }, - 'GO:0060612': { - 'name': 'adipose tissue development', - 'def': 'The process whose specific outcome is the progression of adipose tissue over time, from its formation to the mature structure. Adipose tissue is specialized tissue that is used to store fat. [GOC:dph]' - }, - 'GO:0060613': { - 'name': 'fat pad development', - 'def': 'The progression of a fat pad from its initial formation to its mature structure. A fat pad is an accumulation of adipose tissue. [GOC:dph]' - }, - 'GO:0060614': { - 'name': 'negative regulation of mammary gland development in males by androgen receptor signaling pathway', - 'def': 'Any process that decreases the rate or extent of mammary gland development in the male by an androgen binding to its receptor, causing a change in state or activity of a cell. [GOC:dph]' - }, - 'GO:0060615': { - 'name': 'mammary gland bud formation', - 'def': 'The morphogenetic process in which a bud forms from the mammary placode. A mammary bud is bulb of epithelial cells that is distinct from the surrounding epidermis. [GOC:dph, PMID:12558599]' - }, - 'GO:0060616': { - 'name': 'mammary gland cord formation', - 'def': 'The process in which the mammary gland cord forms by elongation of the mammary bud. The cord is formed once the elongating bud breaks through the mesenchyme and reaches the fat pad. [GOC:dph, PMID:12558599]' - }, - 'GO:0060617': { - 'name': 'positive regulation of mammary placode formation by mesenchymal-epithelial signaling', - 'def': 'Any process that initiates the formation of a mammary placode through a mechanism that mediates the transfer of information from a mesenchymal cell to an epithelial cell resulting in the epithelial cell adopting the identity of a cell of the mammary placode. [GOC:dph, PMID:12558599]' - }, - 'GO:0060618': { - 'name': 'nipple development', - 'def': 'The progression of the nipple over time, from its formation to the mature structure. The nipple is a part of the mammary gland that protrudes from the surface ectoderm. [GOC:dph]' - }, - 'GO:0060619': { - 'name': 'cell migration involved in mammary placode formation', - 'def': 'The orderly movement of epithelial cells within the mammary line that contributes to the formation of the mammary placode. [GOC:dph, PMID:12558599]' - }, - 'GO:0060620': { - 'name': 'regulation of cholesterol import', - 'def': 'Any process that modulates the rate, frequency or extent of cholesterol import. Cholesterol import is the directed movement of cholesterol into a cell or organelle. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060621': { - 'name': 'negative regulation of cholesterol import', - 'def': 'Any process that decreases the rate, frequency or extent of cholesterol import. Cholesterol import is the directed movement of cholesterol into a cell or organelle. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060622': { - 'name': 'regulation of ascospore wall beta-glucan biosynthetic process', - 'def': 'Any process that modulates the rate, frequency or extent of ascospore wall beta-glucan biosynthetic process, the chemical reactions and pathways resulting in the formation of beta-glucans, compounds composed of glucose residues linked by beta-D-glucosidic bonds, found in the walls of ascospores. [GOC:dph, GOC:tb]' - }, - 'GO:0060623': { - 'name': 'regulation of chromosome condensation', - 'def': 'Any process that modulates the rate, frequency, or extent of chromosome condensation, the progressive compaction of dispersed interphase chromatin into threadlike chromosomes prior to mitotic or meiotic nuclear division, or during apoptosis, in eukaryotic cells. [GOC:dph, GOC:tb]' - }, - 'GO:0060624': { - 'name': 'regulation of ascospore wall (1->3)-beta-D-glucan biosynthetic process', - 'def': 'Any process that modulates the rate, frequency, or extent of ascospore wall (1->3)-beta-D-glucan biosynthetic process, the chemical reactions and pathways resulting in the formation of (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D--glucosidic bonds, found in the walls of ascospores. [GOC:dph, GOC:tb]' - }, - 'GO:0060625': { - 'name': 'regulation of protein deneddylation', - 'def': 'Any process that modulates the rate, frequency, or extent of protein deneddylation, the removal of a ubiquitin-like protein of the NEDD8 type from a protein. [GOC:dph, GOC:tb]' - }, - 'GO:0060627': { - 'name': 'regulation of vesicle-mediated transport', - 'def': 'Any process that modulates the rate, frequency, or extent of vesicle-mediated transport, the directed movement of substances, either within a vesicle or in the vesicle membrane, into, out of or within a cell. [GOC:dph, GOC:tb]' - }, - 'GO:0060628': { - 'name': 'regulation of ER to Golgi vesicle-mediated transport', - 'def': 'Any process that modulates the rate, frequency, or extent of ER to Golgi vesicle-mediated transport, the directed movement of substances from the endoplasmic reticulum (ER) to the Golgi, mediated by COP II vesicles. Small COP II coated vesicles form from the ER and then fuse directly with the cis-Golgi. Larger structures are transported along microtubules to the cis-Golgi. [GOC:dph, GOC:tb]' - }, - 'GO:0060629': { - 'name': 'regulation of homologous chromosome segregation', - 'def': 'Any process that modulates the rate, frequency, or extent of homologous chromosome segregation, the cell cycle process in which replicated homologous chromosomes are organized and then physically separated and apportioned to two sets during the first division of the meiotic cell cycle. Each replicated chromosome, composed of two sister chromatids, aligns at the cell equator, paired with its homologous partner; this pairing off, referred to as synapsis, permits genetic recombination. One homolog (both sister chromatids) of each morphologic type goes into each of the resulting chromosome sets. [GOC:dph, GOC:tb]' - }, - 'GO:0060630': { - 'name': 'obsolete regulation of M/G1 transition of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that modulates the rate, frequency, or extent of M/G1 transition of the mitotic cell cycle, the progression from M phase to G1 phase of the mitotic cell cycle. [GOC:dph, GOC:mtg_cell_cycle, GOC:tb]' - }, - 'GO:0060631': { - 'name': 'regulation of meiosis I', - 'def': 'Any process that modulates the rate, frequency, or extent of meiosis I, a cell cycle process comprising the steps by which a cell progresses through the first phase of meiosis, in which cells divide and homologous chromosomes are paired and segregated from each other, producing two daughter cells. [GOC:dph, GOC:tb]' - }, - 'GO:0060632': { - 'name': 'regulation of microtubule-based movement', - 'def': 'Any process that modulates the rate, frequency, or extent of microtubule-based movement, the movement of organelles, other microtubules and other particles along microtubules, mediated by motor proteins. [GOC:dph, GOC:tb]' - }, - 'GO:0060633': { - 'name': 'negative regulation of transcription initiation from RNA polymerase II promoter', - 'def': 'Any process that decreases the rate, frequency or extent of a process involved in starting transcription from an RNA polymerase II promoter. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0060634': { - 'name': 'regulation of 4,6-pyruvylated galactose residue biosynthetic process', - 'def': 'Any process that modulates the rate, frequency, or extent of 4,6-pyruvylated galactose residue biosynthetic process, the chemical reactions and pathways resulting in the formation of the pyruvylated galactose residue 4-6-O-[(R)(1-carboxyethylidine)]-Gal-beta-(1->3)-. The galactose residue is part of a larger polysaccharide chain. [GOC:dph, GOC:tb]' - }, - 'GO:0060635': { - 'name': 'positive regulation of (1->3)-beta-D-glucan biosynthetic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of (1->3)-beta-D-glucans. [GOC:dph, GOC:tb]' - }, - 'GO:0060636': { - 'name': 'negative regulation of (1->3)-beta-D-glucan biosynthetic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of (1->3)-beta-D-glucans. [GOC:dph, GOC:tb]' - }, - 'GO:0060637': { - 'name': 'positive regulation of lactation by mesenchymal-epithelial cell signaling', - 'def': 'The process that increases the rate, frequency, or extent of lactation as a result of the secretion of a signal from the mammary fat and its reception by a mammary epithelial cell. [GOC:dph, PMID:12558599]' - }, - 'GO:0060638': { - 'name': 'mesenchymal-epithelial cell signaling', - 'def': 'Any process that mediates the transfer of information from a mesenchymal cell to an epithelial cell where it is received and interpreted. [GOC:dph]' - }, - 'GO:0060639': { - 'name': 'positive regulation of salivary gland formation by mesenchymal-epithelial signaling', - 'def': 'Any process that induces the formation of the salivary gland field by means of the secretion of a signal by a mesenchymal cell and its reception and interpretation by an epithelial cell resulting in it adopting the identity of a salivary gland bud cell. [GOC:dph]' - }, - 'GO:0060640': { - 'name': 'positive regulation of dentin-containing tooth bud formation by mesenchymal-epithelial signaling', - 'def': 'Any process that initiates the formation of a tooth bud by the secretion of a signal from a mesenchymal cell and its reception and subsequent change in the identity of an epithelial cell of the tooth bud. [GOC:dph]' - }, - 'GO:0060641': { - 'name': 'mammary gland duct regression in males', - 'def': 'The process in which the epithelium of the mammary duct is destroyed in males. [GOC:dph, PMID:12558599]' - }, - 'GO:0060642': { - 'name': 'white fat cell differentiation involved in mammary gland fat development', - 'def': 'The process in which a preadipocyte acquires specialized features of a white adipocyte of the mammary gland. White adipocytes have cytoplasmic lipids arranged in a unique vacuole. [GOC:dph, PMID:12558599]' - }, - 'GO:0060643': { - 'name': 'epithelial cell differentiation involved in mammary gland bud morphogenesis', - 'def': 'The process in which a cell of the mammary placode becomes a cell of the mammary gland bud. [GOC:dph]' - }, - 'GO:0060644': { - 'name': 'mammary gland epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized epithelial cell becomes a more specialized epithelial cell of the mammary gland. [GOC:dph]' - }, - 'GO:0060645': { - 'name': 'peripheral mammary gland bud epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized epithelial cell of the mammary placode becomes an epithelial cell at the periphery of the mammary gland bud. Cells at the periphery of the bud are larger that those of the surrounding epithelium and are arranged concentrically. [GOC:dph, PMID:12558599]' - }, - 'GO:0060646': { - 'name': 'internal mammary gland bud epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized epithelial cell of the mammary placode becomes an internal epithelial cell of the mammary gland bud. Internal cells are small and of irregular shape. [GOC:dph, PMID:12558599]' - }, - 'GO:0060647': { - 'name': 'mesenchymal cell condensation involved in mammary fat development', - 'def': 'The cell adhesion process in which mammary mesenchyme cells adhere to one another in the initial stages of the formation of mammary fat development. [GOC:dph, PMID:12558599]' - }, - 'GO:0060648': { - 'name': 'mammary gland bud morphogenesis', - 'def': 'The process in which anatomical structures of the mammary gland buds are generated and organized. Mammary gland buds form by an outpocketing of the mammary placodes and grow to invade the mammary fat, when they form the mammary cord. [GOC:dph, PMID:12558599]' - }, - 'GO:0060649': { - 'name': 'mammary gland bud elongation', - 'def': 'The process in which the mammary gland bud grows along its axis. [GOC:dph, PMID:12558599]' - }, - 'GO:0060650': { - 'name': 'epithelial cell proliferation involved in mammary gland bud elongation', - 'def': 'The multiplication or reproduction of mammary gland bud epithelial cells, resulting in the elongation of the bud. [GOC:dph, PMID:12558599]' - }, - 'GO:0060651': { - 'name': 'regulation of epithelial cell proliferation involved in mammary gland bud elongation', - 'def': 'Any process that modulates the frequency, rate or extent of mammary gland bud epithelial cell proliferation that results in the elongation of the bud. [GOC:dph, PMID:12558599]' - }, - 'GO:0060652': { - 'name': 'mammary gland cord morphogenesis', - 'def': 'The process in which anatomical structures of the mammary gland cord are generated and organized. Mammary gland cords form when the mammary gland bud invades the mammary fat. [GOC:dph, PMID:12558599]' - }, - 'GO:0060653': { - 'name': 'epithelial cell differentiation involved in mammary gland cord morphogenesis', - 'def': 'The process in which a relatively unspecialized epithelial cell becomes a more specialized epithelial cell of the mammary gland cord. Epithelial cells of the mammary cord give it its funnel-like shape and some are cornified. [GOC:dph, PMID:12558599]' - }, - 'GO:0060654': { - 'name': 'mammary gland cord elongation', - 'def': 'The process in which the mammary gland sprout grows along its axis. [GOC:dph, PMID:12558599]' - }, - 'GO:0060655': { - 'name': 'branching involved in mammary gland cord morphogenesis', - 'def': 'The process in which the branching structure of the mammary gland cord is generated and organized. The mammary gland cord is a solid epithelial structure that will hollow out, forming the mammary duct. [GOC:dph, PMID:12558599]' - }, - 'GO:0060656': { - 'name': 'regulation of branching involved in mammary cord morphogenesis by fat precursor cell-epithelial cell signaling', - 'def': 'Any process that modulates the rate, frequency, or extent of branching of the mammary gland cord as a result of a signal being created by a mammary fat precursor cell and its subsequent reception and interpretation by a mammary cord epithelial cell. [GOC:dph, PMID:12558599]' - }, - 'GO:0060657': { - 'name': 'regulation of mammary gland cord elongation by mammary fat precursor cell-epithelial cell signaling', - 'def': 'Any process that modulates the rate, frequency, or extent of mammary gland cord elongation as a result of a signal being created by a mesenchymal cell that is a precursor to the mammary fat and its subsequent reception and interpretation by an mammary cord epithelial cell. [GOC:dph, PMID:12558599]' - }, - 'GO:0060658': { - 'name': 'nipple morphogenesis', - 'def': 'The process in which the nipple is generated and organized. [GOC:dph]' - }, - 'GO:0060659': { - 'name': 'nipple sheath formation', - 'def': 'The developmental process pertaining to the initial formation of the nipple sheath from the unspecified epidermis. This process begins with a circular ingrowth of the epidermis around the region of the mammary sprout. It ends before the region begins to elevate. [GOC:dph, PMID:12558599]' - }, - 'GO:0060660': { - 'name': 'epidermis morphogenesis involved in nipple formation', - 'def': 'The process in which the epidermis of the nipple sheath is uplifted to form an umbrella-like projection. [GOC:dph, PMID:12558599]' - }, - 'GO:0060661': { - 'name': 'submandibular salivary gland formation', - 'def': 'The developmental process pertaining to the initial formation of a submandibular salivary gland. This process begins with a thickening of the epithelium next to the tongue and ends when a bud linked to the oral surface is formed. [GOC:dph, PMID:17336109]' - }, - 'GO:0060662': { - 'name': 'salivary gland cavitation', - 'def': 'The process in which the solid core of salivary epithelium gives rise to the hollow tube of the gland. [GOC:dph]' - }, - 'GO:0060663': { - 'name': 'apoptotic process involved in salivary gland cavitation', - 'def': 'Any apoptotic process in which the solid core of the gland is hollowed out to form the duct. [GOC:dph, GOC:mtg_apoptosis, PMID:17336109]' - }, - 'GO:0060664': { - 'name': 'epithelial cell proliferation involved in salivary gland morphogenesis', - 'def': 'The multiplication or reproduction of epithelial cells of the submandibular salivary gland, resulting in the expansion of a cell population and the shaping of the gland. [GOC:dph, PMID:17336109]' - }, - 'GO:0060665': { - 'name': 'regulation of branching involved in salivary gland morphogenesis by mesenchymal-epithelial signaling', - 'def': 'Any process that modulates the rate, frequency, or extent of branching involved in salivary gland morphogenesis as a result of signals being generated by the mesenchyme and received and interpreted by the salivary gland epithelium. [GOC:dph, PMID:17336109]' - }, - 'GO:0060666': { - 'name': 'dichotomous subdivision of terminal units involved in salivary gland branching', - 'def': 'The process in which a salivary epithelial cord bifurcates at its end. [GOC:dph]' - }, - 'GO:0060667': { - 'name': 'branch elongation involved in salivary gland morphogenesis', - 'def': 'The differential growth of the salivary branches along their axis, resulting in the growth of a branch. [GOC:dph]' - }, - 'GO:0060668': { - 'name': 'regulation of branching involved in salivary gland morphogenesis by extracellular matrix-epithelial cell signaling', - 'def': 'Any process that modulates the rate, frequency, or extent of salivary gland branching as a result of the transfer of information from the extracellular matrix to the epithelium of the salivary gland. [GOC:dph]' - }, - 'GO:0060669': { - 'name': 'embryonic placenta morphogenesis', - 'def': 'The process in which the embryonic placenta is generated and organized. [GOC:dph]' - }, - 'GO:0060670': { - 'name': 'branching involved in labyrinthine layer morphogenesis', - 'def': 'The process in which the branches of the fetal placental villi are generated and organized. The villous part of the placenta is called the labyrinth layer. [GOC:dph, PMID:16916377]' - }, - 'GO:0060671': { - 'name': 'epithelial cell differentiation involved in embryonic placenta development', - 'def': 'The process in which a trophoblast cell acquires specialized features of an epithelial cell of the placental labyrinthine layer. [GOC:dph, PMID:16916377]' - }, - 'GO:0060672': { - 'name': 'epithelial cell morphogenesis involved in placental branching', - 'def': 'The change in form (cell shape and size) that occurs when a trophoblast cell elongates to contribute to the branching of the placenta. [GOC:ascb_2009, GOC:dph, GOC:tb, PMID:16916377]' - }, - 'GO:0060673': { - 'name': 'cell-cell signaling involved in placenta development', - 'def': 'Any process that mediates the transfer of information from one cell to another. [GOC:dph, PMID:16916377]' - }, - 'GO:0060674': { - 'name': 'placenta blood vessel development', - 'def': 'The process whose specific outcome is the progression of a blood vessel of the placenta over time, from its formation to the mature structure. [GOC:dph, PMID:16916377]' - }, - 'GO:0060675': { - 'name': 'ureteric bud morphogenesis', - 'def': 'The process in which the ureteric bud is generated and organized. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0060676': { - 'name': 'ureteric bud formation', - 'def': 'The developmental process pertaining to the initial formation of the ureteric bud from the Wolffian duct. This process begins when the bud protrudes from the duct and ends when it is a recognizable bud. [GOC:dph, PMID:16916378]' - }, - 'GO:0060677': { - 'name': 'ureteric bud elongation', - 'def': 'The developmental growth in which the ureteric bud grows along its axis beginning with the growth of the primary ureteric bud and ending when the branches of the bud have elongated. [GOC:dph, PMID:16916378]' - }, - 'GO:0060678': { - 'name': 'dichotomous subdivision of terminal units involved in ureteric bud branching', - 'def': 'The process in which a ureteric bud bifurcates at its end. [GOC:dph, PMID:16916378]' - }, - 'GO:0060679': { - 'name': 'trifid subdivision of terminal units involved in ureteric bud branching', - 'def': 'The process in which a ureteric bud splits into three units at its end. [GOC:dph, PMID:16916378]' - }, - 'GO:0060680': { - 'name': 'lateral sprouting involved in ureteric bud morphogenesis', - 'def': 'The process in which a branch forms along the side of a ureteric bud. [GOC:dph, PMID:16916378]' - }, - 'GO:0060681': { - 'name': 'branch elongation involved in ureteric bud branching', - 'def': 'The growth of a branch of the ureteric bud along its axis. [GOC:dph, PMID:16916378]' - }, - 'GO:0060682': { - 'name': 'primary ureteric bud growth', - 'def': 'The process in which the primary ureteric bud grows along its axis dorsally toward the metanephric blastema. [GOC:dph, PMID:16916378]' - }, - 'GO:0060683': { - 'name': 'regulation of branching involved in salivary gland morphogenesis by epithelial-mesenchymal signaling', - 'def': 'Any process that modulates the rate, frequency, or extent of salivary gland branching as a result of the transfer of information from the epithelial cells to the mesenchymal cells of the salivary gland. [GOC:dph, PMID:18559345]' - }, - 'GO:0060684': { - 'name': 'epithelial-mesenchymal cell signaling', - 'def': 'Any process that results in the transfer of information from an epithelial cell to a mesenchymal cell where it is interpreted. [GOC:dph]' - }, - 'GO:0060685': { - 'name': 'regulation of prostatic bud formation', - 'def': 'Any process that modulates the rate, frequency, or extent of prostatic bud formation, the morphogenetic process in which a region of the fetal urogenital sinus epithelium is specified to become the prostate, resulting in prostate bud outgrowth. [GOC:dph]' - }, - 'GO:0060686': { - 'name': 'negative regulation of prostatic bud formation', - 'def': 'Any process that decreases the rate, frequency, or extent of prostatic bud formation, the morphogenetic process in which a region of the fetal urogenital sinus epithelium is specified to become the prostate, resulting in prostate bud outgrowth. [GOC:dph]' - }, - 'GO:0060687': { - 'name': 'regulation of branching involved in prostate gland morphogenesis', - 'def': 'Any process that modulates the rate, frequency, or extent of prostate gland branching, the process in which the branching structure of the prostate gland is generated and organized. A branch is a division or offshoot from a main stem. [GOC:dph]' - }, - 'GO:0060688': { - 'name': 'regulation of morphogenesis of a branching structure', - 'def': 'Any process that modulates the rate, frequency, or extent of branching morphogenesis, the process in which the anatomical structures of branches are generated and organized. [GOC:dph]' - }, - 'GO:0060689': { - 'name': 'cell differentiation involved in salivary gland development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features that characterize the cells of the salivary gland. [GOC:dph]' - }, - 'GO:0060690': { - 'name': 'epithelial cell differentiation involved in salivary gland development', - 'def': 'The process in which a relatively unspecialized cell acquire specialized structural and/or functional features of an epithelial cell of the salivary gland. [GOC:dph]' - }, - 'GO:0060691': { - 'name': 'epithelial cell maturation involved in salivary gland development', - 'def': 'The developmental process, independent of morphogenetic (shape) change, that is required for an epithelial cell of the salivary gland to attain its fully functional state. [GOC:dph]' - }, - 'GO:0060692': { - 'name': 'mesenchymal cell differentiation involved in salivary gland development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesenchymal cell of the salivary gland. A mesenchymal cell is a loosely associated cell that is part of the connective tissue in an organism. Mesenchymal cells give rise to more mature connective tissue cell types. [GOC:dph]' - }, - 'GO:0060693': { - 'name': 'regulation of branching involved in salivary gland morphogenesis', - 'def': 'Any process that modulates the rate, frequency, or extent of branching morphogenesis in the salivary gland epithelium. [GOC:dph]' - }, - 'GO:0060694': { - 'name': 'regulation of cholesterol transporter activity', - 'def': 'Any process that modulates the rate, frequency, or extent of cholesterol transporter activity. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060695': { - 'name': 'negative regulation of cholesterol transporter activity', - 'def': 'Any process that decreases the rate, frequency, or extent of cholesterol transporter activity. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060696': { - 'name': 'regulation of phospholipid catabolic process', - 'def': 'Any process that modulates the rate, frequency, or extent of phospholipid catabolism, the chemical reactions and pathways resulting in the breakdown of phospholipids, any lipid containing phosphoric acid as a mono- or diester. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060697': { - 'name': 'positive regulation of phospholipid catabolic process', - 'def': 'Any process that increases the rate, frequency, or extent of phospholipid catabolism, the chemical reactions and pathways resulting in the breakdown of phospholipids, any lipid containing phosphoric acid as a mono- or diester. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060698': { - 'name': 'endoribonuclease inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of an endoribonuclease, any enzyme that catalyzes the hydrolysis of ester linkages within ribonucleic acid by creating internal breaks. [GOC:dph, GOC:tb]' - }, - 'GO:0060699': { - 'name': 'regulation of endoribonuclease activity', - 'def': 'Any process that modulates the rate, frequency or extent of the catalysis of the hydrolysis of ester linkages within ribonucleic acid by creating internal breaks. [GOC:dph, GOC:tb]' - }, - 'GO:0060700': { - 'name': 'regulation of ribonuclease activity', - 'def': 'Any process that modulates the rate, frequency, or extent of ribonuclease activity, catalysis of the hydrolysis of phosphodiester bonds in chains of RNA. [GOC:dph, GOC:tb]' - }, - 'GO:0060701': { - 'name': 'negative regulation of ribonuclease activity', - 'def': 'Any process that decreases the rate, frequency, or extent of ribonuclease activity, catalysis of the hydrolysis of phosphodiester bonds in chains of RNA. [GOC:dph, GOC:tb]' - }, - 'GO:0060702': { - 'name': 'negative regulation of endoribonuclease activity', - 'def': 'Any process that decreases the rate, frequency or extent of the catalysis of the hydrolysis of ester linkages within ribonucleic acid by creating internal breaks. [GOC:dph, GOC:tb]' - }, - 'GO:0060703': { - 'name': 'deoxyribonuclease inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of deoxyribonuclease. [GOC:dph, GOC:tb]' - }, - 'GO:0060704': { - 'name': 'acinar cell differentiation involved in salivary gland development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features that characterize an acinar cell of the salivary gland. Acinar cells are protein-secreting cells in the gland. [GOC:dph, GOC:tb]' - }, - 'GO:0060705': { - 'name': 'neuron differentiation involved in salivary gland development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features that characterize the neurons of the salivary gland. [GOC:dph]' - }, - 'GO:0060706': { - 'name': 'cell differentiation involved in embryonic placenta development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of the embryonic placenta. [GOC:dph]' - }, - 'GO:0060707': { - 'name': 'trophoblast giant cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a trophoblast giant cell of the placenta. Trophoblast giant cells are the cell of the placenta that line the maternal decidua. [GOC:dph, PMID:16269175]' - }, - 'GO:0060708': { - 'name': 'spongiotrophoblast differentiation', - 'def': 'The process in which a relatively unspecialized cell of the ectoplacental cone acquires specialized features of a spongiotrophoblast of the placenta. A spongiotrophoblast cell is a basophilic cell. [GOC:dph, PMID:16269175]' - }, - 'GO:0060709': { - 'name': 'glycogen cell differentiation involved in embryonic placenta development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a glycogen cell of the placenta. A glycogen cell is a vacuolated glycogen-rich cell that appears in compact cell islets of the spongiotrophoblast layer. [GOC:dph, PMID:16269175]' - }, - 'GO:0060710': { - 'name': 'chorio-allantoic fusion', - 'def': 'The cell-cell adhesion process in which the cells of the chorion fuse to the cells of the allantois. [GOC:dph]' - }, - 'GO:0060711': { - 'name': 'labyrinthine layer development', - 'def': 'The process in which the labyrinthine layer of the placenta progresses, from its formation to its mature state. [GOC:dph]' - }, - 'GO:0060712': { - 'name': 'spongiotrophoblast layer development', - 'def': 'The process in which the spongiotrophoblast layer of the placenta progresses from its formation to its mature state. [GOC:dph]' - }, - 'GO:0060713': { - 'name': 'labyrinthine layer morphogenesis', - 'def': 'The process in which the labyrinthine layer of the placenta is generated and organized. [GOC:dph]' - }, - 'GO:0060714': { - 'name': 'labyrinthine layer formation', - 'def': 'The developmental process pertaining to the initial formation of the labyrinthine layer of the placenta. [GOC:dph]' - }, - 'GO:0060715': { - 'name': 'syncytiotrophoblast cell differentiation involved in labyrinthine layer development', - 'def': 'The process in which a chorionic trophoblast cell acquires specialized features of a syncytiotrophoblast of the labyrinthine layer of the placenta. [GOC:dph]' - }, - 'GO:0060716': { - 'name': 'labyrinthine layer blood vessel development', - 'def': 'The process whose specific outcome is the progression of a blood vessel of the labyrinthine layer of the placenta over time, from its formation to the mature structure. The embryonic vessels grow through the layer to come in close contact with the maternal blood supply. [GOC:dph]' - }, - 'GO:0060717': { - 'name': 'chorion development', - 'def': 'The biological process whose specific outcome is the progression of a chorion from an initial condition to its mature state. This process begins with the formation of the structure and ends with the mature structure. The chorion is an extraembryonic membrane. [GOC:dph]' - }, - 'GO:0060718': { - 'name': 'chorionic trophoblast cell differentiation', - 'def': 'The process in which relatively unspecialized cells of the ectoplacental cone acquire specialized structural and/or functional features that characterize chorionic trophoblasts. These cells will migrate towards the spongiotrophoblast layer and give rise to syncytiotrophoblasts of the labyrinthine layer. [CL:0011101, GOC:dph, PMID:16983341]' - }, - 'GO:0060719': { - 'name': 'chorionic trophoblast cell development', - 'def': 'The process whose specific outcome is the progression of the chorionic trophoblast over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a specific fate. [CL:0011101, GOC:16983341, GOC:dph]' - }, - 'GO:0060720': { - 'name': 'spongiotrophoblast cell proliferation', - 'def': 'The multiplication or reproduction of spongiotrophoblast cells, resulting in the expansion of the population in the spongiotrophoblast layer. [GOC:dph]' - }, - 'GO:0060721': { - 'name': 'regulation of spongiotrophoblast cell proliferation', - 'def': 'Any process that modulates the rate, frequency or extent of spongiotrophoblast cell proliferation. [GOC:dph]' - }, - 'GO:0060722': { - 'name': 'cell proliferation involved in embryonic placenta development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of the population in the embryonic placenta. [GOC:dph]' - }, - 'GO:0060723': { - 'name': 'regulation of cell proliferation involved in embryonic placenta development', - 'def': 'Any process that modulates the rate, frequency, or extent of cell proliferation involved in embryonic placenta development. [GOC:dph]' - }, - 'GO:0060724': { - 'name': 'coreceptor activity involved in epidermal growth factor receptor signaling pathway', - 'def': 'Combining with an extracellular messenger, and in cooperation with a primary EGF receptor, initiating a change in cell activity through the EGF receptor signaling pathway. [GOC:dph, GOC:tb]' - }, - 'GO:0060725': { - 'name': 'regulation of coreceptor activity', - 'def': 'Any process that modulates the rate or frequency of coreceptor activity, combining with an extracellular or intracellular messenger, and in cooperation with a nearby primary receptor, initiating a change in cell activity. [GOC:dph, GOC:tb]' - }, - 'GO:0060726': { - 'name': 'regulation of coreceptor activity involved in epidermal growth factor receptor signaling pathway', - 'def': 'Any process that modulates the rate or frequency of coreceptor activity involved in epidermal growth factor receptor signaling pathway. [GOC:dph, GOC:tb]' - }, - 'GO:0060727': { - 'name': 'positive regulation of coreceptor activity involved in epidermal growth factor receptor signaling pathway', - 'def': 'Any process that increases the rate or frequency of coreceptor activity involved in epidermal growth factor receptor signaling pathway. [GOC:dph, GOC:tb]' - }, - 'GO:0060728': { - 'name': 'negative regulation of coreceptor activity involved in epidermal growth factor receptor signaling pathway', - 'def': 'Any process that decreases the rate or frequency of coreceptor activity involved in epidermal growth factor receptor signaling pathway. [GOC:dph, GOC:tb]' - }, - 'GO:0060729': { - 'name': 'intestinal epithelial structure maintenance', - 'def': 'A tissue homeostatic process required for the maintenance of the structure of the intestinal epithelium. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060730': { - 'name': 'regulation of intestinal epithelial structure maintenance', - 'def': 'Any process that modulates the rate, frequency, or extent of intestinal epithelial structure maintenance, a tissue homeostatic process required for the maintenance of the structure of the intestinal epithelium. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060731': { - 'name': 'positive regulation of intestinal epithelial structure maintenance', - 'def': 'Any process the increases the rate, frequency or extent of intestinal epithelial structure maintenance, a tissue homeostatic process required for the maintenance of the structure of the intestinal epithelium. [GOC:dph, GOC:tb]' - }, - 'GO:0060732': { - 'name': 'positive regulation of inositol phosphate biosynthetic process', - 'def': 'Any process that increases the rate, frequency or extent of inositol phosphate biosynthesis. Inositol phosphate biosynthetic processes are the chemical reactions and pathways resulting in the formation of an inositol phosphate, 1,2,3,4,5,6-cyclohexanehexol, with one or more phosphate groups attached. [GOC:dph, GOC:tb]' - }, - 'GO:0060733': { - 'name': 'regulation of eIF2 alpha phosphorylation by amino acid starvation', - 'def': 'Any process that modulates the rate, frequency, or extent of eIF2 alpha phosphorylation as a cellular response to amino acid starvation. [GOC:dph, GOC:tb]' - }, - 'GO:0060734': { - 'name': 'regulation of endoplasmic reticulum stress-induced eIF2 alpha phosphorylation', - 'def': 'Any process that modulates the rate, frequency, or extent of eIF2 alpha phosphorylation as a cellular response to endoplasmic reticulum stress. [GOC:dph, GOC:tb]' - }, - 'GO:0060735': { - 'name': 'regulation of eIF2 alpha phosphorylation by dsRNA', - 'def': 'Any process that modulates the rate, frequency, or extent of eIF2 alpha phosphorylation as a cellular response to double-stranded RNA. [GOC:dph, GOC:tb]' - }, - 'GO:0060736': { - 'name': 'prostate gland growth', - 'def': 'The increase in size or mass of the prostate gland where the increase in size or mass has the specific outcome of the progression of the gland, from its formation to its mature state. [GOC:dph]' - }, - 'GO:0060737': { - 'name': 'prostate gland morphogenetic growth', - 'def': 'The differential increase in size or mass of the prostate gland that contributes to the gland attaining its form. [GOC:dph]' - }, - 'GO:0060738': { - 'name': 'epithelial-mesenchymal signaling involved in prostate gland development', - 'def': 'Any process that results in the transfer of information from an epithelial cell to a mesenchymal cell where it is interpreted and contributes to the progression of the prostate gland over time. [GOC:dph]' - }, - 'GO:0060739': { - 'name': 'mesenchymal-epithelial cell signaling involved in prostate gland development', - 'def': 'Any process that mediates the transfer of information from a mesenchymal cell to an epithelial cell where it is received and interpreted contributing to the progression of the prostate gland over time. [GOC:dph]' - }, - 'GO:0060740': { - 'name': 'prostate gland epithelium morphogenesis', - 'def': 'The process in which the anatomical structures of epithelia of the prostate gland are generated and organized. An epithelium consists of closely packed cells arranged in one or more layers, that covers the outer surfaces of the body or lines any internal cavity or tube. [GOC:dph]' - }, - 'GO:0060741': { - 'name': 'prostate gland stromal morphogenesis', - 'def': 'The process in which the prostate gland stroma is generated and organized. The prostate gland stroma is made up of the mesenchymal or fibroblast cells of the prostate gland. [GOC:dph]' - }, - 'GO:0060742': { - 'name': 'epithelial cell differentiation involved in prostate gland development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an epithelial cell of the prostate gland. [GOC:dph]' - }, - 'GO:0060743': { - 'name': 'epithelial cell maturation involved in prostate gland development', - 'def': 'The developmental process, independent of morphogenetic (shape) change, that is required for an epithelial cell of the prostate gland to attain its fully functional state. An epithelial cell is a cell usually found in a two-dimensional sheet with a free surface. [GOC:dph]' - }, - 'GO:0060744': { - 'name': 'mammary gland branching involved in thelarche', - 'def': 'The process in which the branching structure of the mammary gland duct is generated and organized during the period of sexual maturity in mammals. The mammary gland is a large compound sebaceous gland that in female mammals is modified to secrete milk. [GOC:dph, PMID:19261859]' - }, - 'GO:0060745': { - 'name': 'mammary gland branching involved in pregnancy', - 'def': 'The process in which the branching structure of the mammary gland duct is generated and organized as a part of pregnancy. [GOC:dph, PMID:19261859]' - }, - 'GO:0060746': { - 'name': 'parental behavior', - 'def': 'A reproductive behavior in which a parent cares for and rears offspring. [GOC:dph]' - }, - 'GO:0060747': { - 'name': 'oral incubation', - 'def': 'A parental behavior in which fertilized eggs are taken into the mouth and held until hatching. [GOC:dph]' - }, - 'GO:0060748': { - 'name': 'tertiary branching involved in mammary gland duct morphogenesis', - 'def': 'The branching process in which the mammary gland ducts form tertiary branches off of the secondary branches as part of diestrus and pregnancy. [GOC:dph, PMID:18614704]' - }, - 'GO:0060749': { - 'name': 'mammary gland alveolus development', - 'def': 'The progression of the mammary gland alveolus over time, from its formation to its mature state. The mammary gland alveolus is a sac-like structure that is found in the mature gland. [GOC:dph]' - }, - 'GO:0060750': { - 'name': 'epithelial cell proliferation involved in mammary gland duct elongation', - 'def': 'The multiplication or reproduction of mammary gland branch epithelial cells, resulting in the elongation of the branch. The mammary gland branch differs from the bud in that it is not the initial curved portion of the outgrowth. [GOC:dph]' - }, - 'GO:0060751': { - 'name': 'branch elongation involved in mammary gland duct branching', - 'def': 'The developmental growth process in which a branch of a mammary gland duct elongates. [GOC:dph]' - }, - 'GO:0060752': { - 'name': 'intestinal phytosterol absorption', - 'def': 'Any process in which phytosterols are taken up from the contents of the intestine. [GOC:dph, GOC:tb]' - }, - 'GO:0060753': { - 'name': 'regulation of mast cell chemotaxis', - 'def': 'Any process that modulates the rate, frequency or extent of mast cell chemotaxis. Mast cell chemotaxis is the movement of a mast cell in response to an external stimulus. [GOC:dph, GOC:tb]' - }, - 'GO:0060754': { - 'name': 'positive regulation of mast cell chemotaxis', - 'def': 'Any process that increases the rate, frequency or extent of mast cell chemotaxis. Mast cell chemotaxis is the movement of a mast cell in response to an external stimulus. [GOC:dph, GOC:tb]' - }, - 'GO:0060755': { - 'name': 'negative regulation of mast cell chemotaxis', - 'def': 'Any process that decreases the rate, frequency or extent of mast cell chemotaxis. Mast cell chemotaxis is the movement of a mast cell in response to an external stimulus. [GOC:dph, GOC:tb]' - }, - 'GO:0060756': { - 'name': 'foraging behavior', - 'def': 'Behavior by which an organism locates food. [GOC:dph, GOC:tb]' - }, - 'GO:0060757': { - 'name': 'adult foraging behavior', - 'def': 'Behavior by which an adult locates food. [GOC:dph, GOC:tb]' - }, - 'GO:0060758': { - 'name': 'foraging behavior by probing substrate', - 'def': 'Foraging behavior in which an anatomical part of the organism is inserted into the substrate to locate food. [GOC:dph, GOC:tb]' - }, - 'GO:0060759': { - 'name': 'regulation of response to cytokine stimulus', - 'def': 'Any process that modulates the rate, frequency, or extent of a response to cytokine stimulus. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060760': { - 'name': 'positive regulation of response to cytokine stimulus', - 'def': 'Any process that increases the rate, frequency, or extent of a response to cytokine stimulus. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060761': { - 'name': 'negative regulation of response to cytokine stimulus', - 'def': 'Any process that decreases the rate, frequency, or extent of a response to cytokine stimulus. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0060762': { - 'name': 'regulation of branching involved in mammary gland duct morphogenesis', - 'def': 'Any process that modulates the rate, frequency, or extent of branching involved in mammary gland duct morphogenesis. [GOC:dph]' - }, - 'GO:0060763': { - 'name': 'mammary duct terminal end bud growth', - 'def': 'The morphogenetic growth of the large, club-shaped terminal end of a mammary gland duct during prepubertal growth and during puberty. [GOC:dph, PMID:10804170]' - }, - 'GO:0060764': { - 'name': 'cell-cell signaling involved in mammary gland development', - 'def': 'Any process that mediates the transfer of information from one cell to another and contributes to the progression of the mammary gland, from its initial state to the mature structure. [GOC:dph]' - }, - 'GO:0060765': { - 'name': 'regulation of androgen receptor signaling pathway', - 'def': 'Any process that modulates the rate, frequency, or extent of the androgen receptor signaling pathway. [GOC:dph]' - }, - 'GO:0060766': { - 'name': 'negative regulation of androgen receptor signaling pathway', - 'def': 'Any process that decreases the rate, frequency, or extent of the androgen receptor signaling pathway. [GOC:dph]' - }, - 'GO:0060767': { - 'name': 'epithelial cell proliferation involved in prostate gland development', - 'def': 'The multiplication or reproduction of epithelial cells, resulting in the expansion of a cell population that contributes to the progression of the prostate gland over time. [GOC:dph]' - }, - 'GO:0060768': { - 'name': 'regulation of epithelial cell proliferation involved in prostate gland development', - 'def': 'Any process that modulates the rate, frequency or extent of epithelial cell proliferation that contributes to the progression of the prostate gland over time. [GOC:dph]' - }, - 'GO:0060769': { - 'name': 'positive regulation of epithelial cell proliferation involved in prostate gland development', - 'def': 'Any process that increases the rate, frequency or extent of epithelial cell proliferation that contributes to the progression of the prostate gland over time. [GOC:dph]' - }, - 'GO:0060770': { - 'name': 'negative regulation of epithelial cell proliferation involved in prostate gland development', - 'def': 'Any process that decreases the rate, frequency or extent of epithelial cell proliferation that contributes to the progression of the prostate gland over time. [GOC:dph]' - }, - 'GO:0060771': { - 'name': 'phyllotactic patterning', - 'def': 'The radial pattern formation process that results in the formation of plant organs (leaves or leaf-like structures) or flower primordia around a central axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060772': { - 'name': 'leaf phyllotactic patterning', - 'def': 'The radial pattern formation process that results in the formation of leaf primordia around the center of a shoot apical meristem. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060773': { - 'name': 'flower phyllotactic patterning', - 'def': 'The radial pattern formation process that results in the formation of floral organ primordia around a central axis in a flower primordium. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060774': { - 'name': 'auxin mediated signaling pathway involved in phyllotactic patterning', - 'def': 'The series of molecular signals generated in response to detection of auxin that contributes to the radial pattern formation process resulting in the formation of leaf or flower primordia around the center of a shoot apical meristem. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060775': { - 'name': 'planar cell polarity pathway involved in gastrula mediolateral intercalation', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal via downstream effectors including C-Jun N-terminal kinase (JNK) contributing to the interdigitation of cells along the mediolateral axis during gastrulation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060776': { - 'name': 'simple leaf morphogenesis', - 'def': 'The leaf morphogenesis process which results in the shaping of a simple leaf. A simple leaf is a leaf in which the lamina is undivided. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060777': { - 'name': 'compound leaf morphogenesis', - 'def': 'The leaf morphogenesis process that results in the shaping of a compound leaf. A compound leaf is a leaf having two or more distinct leaflets that are evident as such from early in development. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060778': { - 'name': 'primary leaflet morphogenesis', - 'def': 'The process in which the primary leaflet attains its shape. A primary leaflet is a leaflet that develops directly from the rachis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060779': { - 'name': 'secondary leaflet morphogenesis', - 'def': 'The process in which the secondary leaflet attains its shape. A secondary leaflet develops by branching or division of a primary leaflet. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060780': { - 'name': 'intercalary leaflet morphogenesis', - 'def': 'The process in which the intercalary leaflet attains its shape. An intercalary leaflet is a leaflet that develops between primary leaflets. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060781': { - 'name': 'mesenchymal cell proliferation involved in prostate gland development', - 'def': 'The multiplication or reproduction of mesenchymal cells, resulting in the expansion of a cell population that contributes to the progression of the prostate gland over time. [GOC:dph, PMID:12221011]' - }, - 'GO:0060782': { - 'name': 'regulation of mesenchymal cell proliferation involved in prostate gland development', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal cell proliferation that contributes to the progression of the prostate gland over time. A mesenchymal cell is a cell that normally gives rise to other cells that are organized as three-dimensional masses, rather than sheets. [GOC:dph, PMID:12221011]' - }, - 'GO:0060783': { - 'name': 'mesenchymal smoothened signaling pathway involved in prostate gland development', - 'def': 'The series of molecular signals generated as a consequence of activation of the transmembrane Smoothened-type protein in the mesenchymal cells of the prostate that contribute to the progression of the prostate over time. This process contributes to lung development. [PMID:12221011]' - }, - 'GO:0060784': { - 'name': 'regulation of cell proliferation involved in tissue homeostasis', - 'def': 'Any process that modulates the frequency, rate or extent of cell proliferation resulting in the maintenance of a steady-state number of cells within a tissue. [GOC:dph]' - }, - 'GO:0060785': { - 'name': 'regulation of apoptosis involved in tissue homeostasis', - 'def': 'Any process that modulates the occurrence or rate of cell death by apoptosis that results in the maintenance of the steady-state number of cells within a tissue. [GOC:dph]' - }, - 'GO:0060786': { - 'name': 'regulation of cell differentiation involved in tissue homeostasis', - 'def': 'Any process that modulates the frequency, rate or extent of cell differentiation that contributes to the maintenance of a steady state of a cell type within a tissue. [GOC:dph]' - }, - 'GO:0060787': { - 'name': 'positive regulation of posterior neural plate formation by fibroblast growth factor receptor signaling pathway', - 'def': 'Any process that increases the rate or extent of the formation of the posterior neural plate, the posterior end of the flat, thickened layer of ectodermal cells known as the neural plate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060788': { - 'name': 'ectodermal placode formation', - 'def': 'The developmental process in which an ectodermal placode forms. An ectodermal placode is a thickening of the ectoderm that is the primordium of many structures derived from the ectoderm. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060789': { - 'name': 'hair follicle placode formation', - 'def': 'The developmental process in which a hair placode forms. An hair follicle placode is a thickening of the ectoderm that will give rise to the hair follicle bud. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060790': { - 'name': 'tooth placode formation', - 'def': 'The developmental process in which the tooth placode forms. A tooth placode is a thickening of the ectoderm that will give rise to the tooth bud. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060791': { - 'name': 'sebaceous gland placode formation', - 'def': 'The developmental process in which a sebaceous gland placode forms. A sebaceous gland placode is a thickening of the ectoderm that will give rise to the sebaceous gland bud. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060792': { - 'name': 'sweat gland development', - 'def': 'The progression of the sweat gland over time, from its formation to the mature structure. Sweat glands secrete an aqueous solution that is used in thermoregulation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060793': { - 'name': 'sweat gland placode formation', - 'def': 'The developmental process in which the sweat gland placode forms. An sweat gland placode is a thickening of the ectoderm that will give rise to the sweat gland bud. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060794': { - 'name': 'leaflet morphogenesis', - 'def': 'The process in which the anatomical structures of the leaflet are generated and organized. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060795': { - 'name': 'cell fate commitment involved in formation of primary germ layer', - 'def': 'The commitment of cells to specific cell fates of the endoderm, ectoderm, or mesoderm as a part of gastrulation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060796': { - 'name': 'regulation of transcription involved in primary germ layer cell fate commitment', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that results in cells adopting an endoderm, ectoderm or mesoderm cell fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060797': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in primary germ layer cell fate commitment', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a transforming growth factor beta receptor on the surface of a target cell, which contributes to an unspecified cell adopting a mesoderm fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060798': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in mesodermal cell fate specification', - 'def': 'The series of molecular signals generated as a consequence of a transforming growth factor beta receptor binding to one of its physiological ligands and ultimately resulting in the specification of a mesodermal fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060799': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in endodermal cell fate specification', - 'def': 'The series of molecular signals generated as a consequence of a transforming growth factor beta receptor binding to one of its physiological ligands and ultimately resulting in the commitment of an unspecified fate to adopt an endoderm fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060800': { - 'name': 'regulation of cell differentiation involved in embryonic placenta development', - 'def': 'Any process that modulates the rate, frequency or extent of cell differentiation that contributes to the progression of the placenta over time, from its initial condition to its mature state. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060801': { - 'name': 'negative regulation of trophoblast cell differentiation by transforming growth factor beta signaling pathway', - 'def': 'The transforming growth factor signaling process that decreases the rate, frequency, or extent of trophoblast stem cells differentiating into the more mature cells of the trophoblast. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060802': { - 'name': 'epiblast cell-extraembryonic ectoderm cell signaling involved in anterior/posterior axis specification', - 'def': 'Any process that mediates the transfer of information from an epiblast cell to an extraembryonic ectoderm cell that contributes to the specification of the anterior/posterior axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060803': { - 'name': 'BMP signaling pathway involved in mesodermal cell fate specification', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to a cell becoming specified to adopt a mesodermal fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060804': { - 'name': 'positive regulation of Wnt signaling pathway by BMP signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of any member of the BMP (bone morphogenetic protein) family binding to a cell surface receptor that results in an increase in the rate, frequency or extent of a Wnt signaling pathway. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060805': { - 'name': 'negative regulation of trophoblast cell differentiation by transcription regulation from RNA polymerase II promoter', - 'def': 'Any process that modulates the rate, frequency or extent of transcription from an RNA polymerase II promoter ultimately resulting in a decrease in trophoblast stem cells differentiating into the more mature cells of the trophoblast. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060806': { - 'name': 'negative regulation of cell differentiation involved in embryonic placenta development', - 'def': 'Any process that decreases the rate, frequency or extent of cell differentiation that contributes to the progression of the placenta over time, from its initial condition to its mature state. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060807': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in definitive endodermal cell fate specification', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that ultimately results in a cell being specified to adopt a definitive endodermal cell fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060808': { - 'name': 'positive regulation of mesodermal to mesenchymal transition involved in gastrulation', - 'def': 'Any process that increases the rate, frequency, or extent of epithelial to mesenchymal transition. Epithelial to mesenchymal transition where a mesodermal cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell as part of the process of gastrulation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060809': { - 'name': 'mesodermal to mesenchymal transition involved in gastrulation', - 'def': 'The epithelial to mesenchymal transition process in which a mesodermal cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell as part of the process of gastrulation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060810': { - 'name': 'intracellular mRNA localization involved in pattern specification process', - 'def': 'Any process in which mRNA is transported to, or maintained in, a specific location within an oocyte that results in a pattern being established in the embryo. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060811': { - 'name': 'intracellular mRNA localization involved in anterior/posterior axis specification', - 'def': 'Any process in which mRNA is transported to, or maintained in, a specific location within the oocyte and/or syncytial embryo that contributes to the specification of the anterior/posterior axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060812': { - 'name': 'orthodenticle mRNA localization', - 'def': 'Any process in which orthodenticle mRNA is transported to and maintained in the oocyte and/or syncytial embryo as part of the process that will specify the anterior/posterior axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060813': { - 'name': 'anterior mRNA localization involved in anterior/posterior axis specification', - 'def': 'Any process in which a mRNA is transported to, and maintained in the anterior portion of the oocyte and/or syncytial embryo contributing to the specification of the anterior/posterior axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060814': { - 'name': 'posterior mRNA localization involved in anterior/posterior axis specification', - 'def': 'Any process in which a mRNA is transported to and maintained in the oocyte and/or syncytial embryo contributing to the specification of the anterior/posterior axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060815': { - 'name': 'regulation of translation involved in anterior/posterior axis specification', - 'def': 'Any process that modulates the frequency, rate or extent of translation of mRNAs that contribute to the specification of the anterior/posterior axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060816': { - 'name': 'random inactivation of X chromosome', - 'def': 'Compensating for the two-fold variation in X-chromosome:autosome ratios between sexes by a global inactivation of all, or most of, the genes on either the paternal or maternal X-chromosome in the XX sex. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060817': { - 'name': 'inactivation of paternal X chromosome', - 'def': 'Compensating for the two-fold variation in X-chromosome:autosome ratios between sexes by a global inactivation of all, or most of, the genes specifically on the paternal X-chromosome in the XX sex. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060818': { - 'name': 'inactivation of paternal X chromosome by genetic imprinting', - 'def': 'Compensating for the two-fold variation in X-chromosome:autosome ratios between sexes by a global inactivation of all, or most of, the genes on the paternal X-chromosome in the XX sex by genetic imprinting. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060819': { - 'name': 'inactivation of X chromosome by genetic imprinting', - 'def': 'Compensating for the two-fold variation in X-chromosome:autosome ratios between sexes by a global inactivation of all, or most of, the genes on one of the X-chromosomes in the XX sex by genetic imprinting. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060820': { - 'name': 'inactivation of X chromosome by heterochromatin assembly', - 'def': 'Compensating for the two-fold variation in X-chromosome:autosome ratios between sexes by a global inactivation of all, or most of, the genes on one of the X-chromosomes in the XX sex by the mechanism of heterochromatin formation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060821': { - 'name': 'inactivation of X chromosome by DNA methylation', - 'def': 'Compensating for the two-fold variation in X-chromosome:autosome ratios between sexes by a global inactivation of all, or most of, the genes on one of the X-chromosomes in the XX sex by a mechanism of DNA methylation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060822': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in axial mesodermal cell fate specification', - 'def': 'The series of molecular signals generated as a consequence of a transforming growth factor beta receptor binding to one of its physiological ligands and ultimately resulting in the specification of an axial mesodermal fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060823': { - 'name': 'canonical Wnt signaling pathway involved in neural plate anterior/posterior pattern formation', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes that contributes to the formation of the neural plate anterior/posterior pattern. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060824': { - 'name': 'retinoic acid receptor signaling pathway involved in neural plate anterior/posterior pattern formation', - 'def': 'The series of molecular signals generated as a consequence of a retinoic acid receptor binding to one of its physiological ligands that contributes to the formation of the anterior/posterior pattern of the neural plate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060825': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in neural plate anterior/posterior pattern formation', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands contributing to the anterior/posterior pattern of the neural plate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060826': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in neural plate anterior/posterior pattern formation', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a transforming growth factor beta receptor on the surface of a target cell, which contributes to the formation of the neural plate anterior/posterior pattern. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060827': { - 'name': 'regulation of canonical Wnt signaling pathway involved in neural plate anterior/posterior pattern formation', - 'def': 'Any process that modulates the rate, frequency, or extent of Wnt signaling through beta-catenin that results in the formation of the neural plate anterior/posterior pattern. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060828': { - 'name': 'regulation of canonical Wnt signaling pathway', - 'def': 'Any process that modulates the rate, frequency, or extent of the Wnt signaling pathway through beta-catenin, the series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060829': { - 'name': 'negative regulation of canonical Wnt signaling pathway involved in neural plate anterior/posterior pattern formation', - 'def': 'Any process that decreases the rate, frequency, or extent of the Wnt signaling pathway through beta-catenin in the anterior end of the neural plate. This regulation sets up a Wnt signaling gradient along the anterior/posterior axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060830': { - 'name': 'ciliary receptor clustering involved in smoothened signaling pathway', - 'def': 'Grouping of smoothened or patched receptors in a cilium, contributing to the smoothened signaling pathway. [GOC:cilia, GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060831': { - 'name': 'smoothened signaling pathway involved in dorsal/ventral neural tube patterning', - 'def': 'The series of molecular signals generated as a consequence of activation of the transmembrane protein Smoothened contributing to the dorsal/ventral pattern of the neural tube. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060832': { - 'name': 'oocyte animal/vegetal axis specification', - 'def': 'The establishment, maintenance and elaboration of the animal/vegetal axis in the oocyte. The animal/vegetal axis of an oocyte is defined by the placement of the nucleus in the oocyte and can sometimes be identified by the asymmetric placement of other substances such as yolk in the oocyte. The pole of the egg that is closest to the nucleus defines the animal end, with the axis passing through the nucleus. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060833': { - 'name': 'Wnt signaling pathway involved in animal/vegetal axis specification', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell contributing to the specification of the animal/vegetal axis of an oocyte. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060834': { - 'name': 'oral/aboral axis specification', - 'def': 'The establishment, maintenance and elaboration of a line that delineates the mouth and the anus of an embryo. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060835': { - 'name': 'transforming growth factor receptor beta signaling pathway involved in oral/aboral axis specification', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a transforming growth factor beta receptor on the surface of a target cell, which contributes to the specification of the oral/aboral axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060836': { - 'name': 'lymphatic endothelial cell differentiation', - 'def': 'The process in which a venous blood vessel endothelial cell acquires specialized features of a lymphatic vessel endothelial cell, a thin flattened cell that lines the inside surfaces of lymph vessels. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060837': { - 'name': 'blood vessel endothelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a blood vessel endothelial cell, a thin flattened cell that lines the inside surfaces of blood vessels. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060838': { - 'name': 'lymphatic endothelial cell fate commitment', - 'def': 'The commitment of a venous blood vessel endothelial cell to a lymphatic endothelial cell fate and its capacity to differentiate into a lymphatic endothelial cell. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060839': { - 'name': 'endothelial cell fate commitment', - 'def': 'The commitment of a cell to an endothelial cell fate and its capacity to differentiate into an endothelial cell. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060840': { - 'name': 'artery development', - 'def': 'The progression of the artery over time, from its initial formation to the mature structure. An artery is a blood vessel that carries blood away from the heart to a capillary bed. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060841': { - 'name': 'venous blood vessel development', - 'def': 'The progression of the venous blood vessel over time from its initial formation to the mature structure. Venous blood vessels carry blood back to the heart after the capillary bed. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060842': { - 'name': 'arterial endothelial cell differentiation', - 'def': 'The process in which a relatively unspecialized endothelial cell acquires specialized features of an arterial endothelial cell, a thin flattened cell that lines the inside surfaces of arteries. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060843': { - 'name': 'venous endothelial cell differentiation', - 'def': 'The process in which a relatively unspecialized endothelial cell acquires specialized features of a venous endothelial cell, a thin flattened cell that lines the inside surfaces of veins. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060844': { - 'name': 'arterial endothelial cell fate commitment', - 'def': 'The commitment of a cell to an arterial endothelial cell fate and its capacity to differentiate into an arterial endothelial cell. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060845': { - 'name': 'venous endothelial cell fate commitment', - 'def': 'The commitment of a cell to a venous endothelial cell fate and its capacity to differentiate into an venous endothelial cell. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060846': { - 'name': 'blood vessel endothelial cell fate commitment', - 'def': 'The commitment of a cell to a blood vessel endothelial cell fate and its capacity to differentiate into a blood vessel endothelial cell. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060847': { - 'name': 'endothelial cell fate specification', - 'def': 'The process involved in the specification of identity of an endothelial cell. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060848': { - 'name': 'endothelial cell fate determination', - 'def': 'A process involved in cell fate commitment of an endothelial cell. Once determination has taken place, a cell becomes committed to differentiate down a particular pathway regardless of its environment. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060849': { - 'name': 'regulation of transcription involved in lymphatic endothelial cell fate commitment', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the commitment of a venous endothelial cell to a lymphatic endothelial cell. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060850': { - 'name': 'regulation of transcription involved in cell fate commitment', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the commitment of a cell to a specific fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060851': { - 'name': 'vascular endothelial growth factor receptor signaling pathway involved in lymphatic endothelial cell fate commitment', - 'def': 'The series of molecular signals generated as a consequence of vascular endothelial growth factor receptor binding to one of its physiological ligands that contributes to the commitment of a venous endothelial cell to a lymphatic endothelial cell fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060852': { - 'name': 'regulation of transcription involved in venous endothelial cell fate commitment', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the commitment of a cell to a specific fate and contributes to a cell adopting a venous endothelial cell fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060853': { - 'name': 'Notch signaling pathway involved in arterial endothelial cell fate commitment', - 'def': 'The series of molecular signals initiated by binding of an extracellular ligand to a Notch receptor on the surface of the target cell and contributing to the commitment of a cell to an arterial endothelial cell fate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060854': { - 'name': 'branching involved in lymph vessel morphogenesis', - 'def': 'The process of the coordinated growth and sprouting of lymph vessels giving rise to the organized lymphatic system. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060855': { - 'name': 'venous endothelial cell migration involved in lymph vessel development', - 'def': 'The orderly movement of venous endothelial cells out of the veins giving rise to the precursors of lymphatic endothelial cells. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060856': { - 'name': 'establishment of blood-brain barrier', - 'def': 'Establishment of the barrier between the blood and the brain. The cells in the brain are packed tightly together preventing the passage of most molecules from the blood into the brain. Only lipid soluble molecules or those that are actively transported can pass through the blood-brain barrier. [GOC:dph, GOC:sart]' - }, - 'GO:0060857': { - 'name': 'establishment of glial blood-brain barrier', - 'def': 'Establishment of the glial barrier between the blood and the brain. The glial cells in the brain are packed tightly together preventing the passage of most molecules from the blood into the brain. Only lipid soluble molecules or those that are actively transported can pass through the blood-brain barrier. [GOC:dph, GOC:sart]' - }, - 'GO:0060858': { - 'name': 'vesicle-mediated transport involved in floral organ abscission', - 'def': 'The directed movement of substances within a cell by a cellular process that begins with the formation of membrane-bounded vesicles in which the transported substances are enclosed or located in the vesicle membrane which are then targeted to, and fuse with, an acceptor membrane contributing to the shedding of a floral organ. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060859': { - 'name': 'regulation of vesicle-mediated transport involved in floral organ abscission', - 'def': 'Any process that modulates the rate, frequency, or extent of the directed movement of substances within a cell by a cellular process that begins with the formation of membrane-bounded vesicles in which the transported substances are enclosed or located in the vesicle membrane which are then targeted to, and fuse with, an acceptor membrane contributing to the shedding of a floral organ. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060860': { - 'name': 'regulation of floral organ abscission', - 'def': 'Any process that modulates the rate, frequency, or extent of floral organ abscission, the controlled shedding of floral organs. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060861': { - 'name': 'positive regulation of floral organ abscission', - 'def': 'Any process that increases the rate, frequency, or extent of floral organ shedding, the controlled shedding of floral organs. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060862': { - 'name': 'negative regulation of floral organ abscission', - 'def': 'Any process that decreases the rate, frequency, or extent of floral organ abscission, the controlled shedding of floral organs. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060863': { - 'name': 'regulation of floral organ abscission by signal transduction', - 'def': 'The cascade of processes by which a signal interacts with a receptor, causing a change in the level or activity of a second messenger or other downstream target, and ultimately modulating the rate, or extent of floral organ abscission. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060864': { - 'name': 'positive regulation of floral organ abscission by small GTPase mediated signal transduction', - 'def': 'Any series of molecular signals in which a small monomeric GTPase relays one or more of the signals that increases the rate or extent of floral organ abscission. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060865': { - 'name': 'negative regulation of floral organ abscission by transmembrane receptor protein serine/threonine kinase signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a transmembrane receptor serine/threonine kinase binding to its physiological ligand and contributing to the decrease in the rate or frequency of floral organ abscission. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060866': { - 'name': 'leaf abscission', - 'def': 'The controlled shedding of a leaf. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060867': { - 'name': 'fruit abscission', - 'def': 'The controlled shedding of a fruit. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060868': { - 'name': 'regulation of vesicle-mediated transport involved in floral organ abscission by small GTPase mediated signal transduction', - 'def': 'Any series of molecular signals in which a small monomeric GTPase relays one or more of the signals that modulates the rate or extent of floral organ abscission. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060869': { - 'name': 'transmembrane receptor protein serine/threonine kinase signaling pathway involved in floral organ abscission', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a receptor on the surface of the target cell where the receptor possesses serine/threonine kinase activity, which contributes to the process of floral organ abscission. [GOC:dph, GOC:sdb_2009, GOC:signaling, GOC:tb]' - }, - 'GO:0060870': { - 'name': 'cell wall disassembly involved in floral organ abscission', - 'def': 'A cellular process that results in the breakdown of the cell wall that contributes to the process of floral organ abscission. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060872': { - 'name': 'semicircular canal development', - 'def': 'The progression of the semicircular canal from its initial formation to the mature structure. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060873': { - 'name': 'anterior semicircular canal development', - 'def': 'The progession of the anterior semicircular canal from its initial formation to the mature structure. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060874': { - 'name': 'posterior semicircular canal development', - 'def': 'The progession of the posterior semicircular canal from its initial formation to the mature structure. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060875': { - 'name': 'lateral semicircular canal development', - 'def': 'The progession of the lateral semicircular canal from its initial formation to the mature structure. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060876': { - 'name': 'semicircular canal formation', - 'def': 'The developmental process pertaining to the initial formation of the semicircular canal from the otic vesicle. This process begins with the regionalization of the vesicle that specifies the area where the vesicles will form and continues through the process of fusion which forms the initial tubes. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060877': { - 'name': 'regionalization involved in semicircular canal formation', - 'def': 'The pattern specification process that results in the subdivision of the otic epithelium in space to define an area or volume in which cells will differentiate to give rise to the semicircular canals. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060878': { - 'name': 'pouch outgrowth involved in semicircular canal formation', - 'def': 'The morphogenetic process in which an epithelial sheet bends along a linear axis and gives rise to a pouch that will form a semicircular canal. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060879': { - 'name': 'semicircular canal fusion', - 'def': 'Creation of the central hole of the semicircular canal by sealing the edges of the pouch that forms ruing the process of semicircular canal formation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060880': { - 'name': 'cell morphogenesis involved in semicircular canal fusion', - 'def': 'The change in form (cell shape and size) that occurs when a semicircular canal epithelial cell acquires the structural features that allow it to contribute to the process of semicircular canal fusion. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060881': { - 'name': 'basal lamina disassembly', - 'def': 'A process that results in the breakdown of the basal lamina. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060882': { - 'name': 'basal lamina disassembly involved in semicircular canal fusion', - 'def': 'A process that results in the breakdown of the basal lamina that contributes to the process of semicircular canal fusion. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060883': { - 'name': 'regulation of basal lamina disassembly involved in semicircular canal fusion by cell communication', - 'def': 'Any process that mediates interactions between a cell and its surroundings that modulates of the rate, frequency or extent of basal lamina disassembly involved in semicircular canal fusion. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060884': { - 'name': 'clearance of cells from fusion plate', - 'def': 'The morphogenetic process in which cells are removed from the inner loop of a semicircular canal. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060885': { - 'name': 'clearance of cells from fusion plate by apoptotic process', - 'def': 'Any apoptotic process that contributes to the shaping of the semicircular canal by removing cells in the fusion plate, forming the loops of the canals. [GOC:dph, GOC:mtg_apoptosis, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060886': { - 'name': 'clearance of cells from fusion plate by epithelial to mesenchymal transition', - 'def': 'The process of epithelial to mesenchymal transition that contributes to the shaping of the semicircular canal by effectively removing epithelial cells from the fusion plate, forming the loops of the canals. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060887': { - 'name': 'limb epidermis development', - 'def': 'The process whose specific outcome is the progression of the epidermis of the limb over time, from its formation to the mature structure. The limb epidermis is the outer epithelial layer of the limb, it is a complex stratified squamous epithelium. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060888': { - 'name': 'limb epidermis stratification', - 'def': 'The pattern specification process that results in the subdivision of the epidermis of the limb in space to define a volume in which specific patterns of basal cell, spinous cell and granular cells will differentiate giving rise to the layers of the limb epidermis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060889': { - 'name': 'limb basal epidermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a limb epidermal basal cell. A epidermal basal cell cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into more specialized cell of the limb epidermis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060890': { - 'name': 'limb spinous cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a limb epidermal spinous cell. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060891': { - 'name': 'limb granular cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a limb epidermal granular cell. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060892': { - 'name': 'limb basal epidermal cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an limb basal epidermal cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060893': { - 'name': 'limb granular cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into an limb granular cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060894': { - 'name': 'limb spinous cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a limb spinous cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060895': { - 'name': 'retinoic acid receptor signaling pathway involved in spinal cord dorsal/ventral patterning', - 'def': 'The series of molecular signals generated as a consequence of a retinoic acid receptor binding to one of its physiological ligands that contributes to the dorsal ventral patterning of the spinal cord. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060896': { - 'name': 'neural plate pattern specification', - 'def': 'The developmental process that results in the creation of defined areas or spaces within the neural plate to which cells respond and eventually are instructed to differentiate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060897': { - 'name': 'neural plate regionalization', - 'def': 'The pattern specification process that results in the subdivision of an axis or axes of the neural plate in space to define an area or volume in which specific patterns of cell differentiation will take place or in which cells interpret a specific environment. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060898': { - 'name': 'eye field cell fate commitment involved in camera-type eye formation', - 'def': 'The commitment of neurectodermal cells to cells of the eye field and their capacity to differentiate into eye field cells. Eye field cells are neurectodermal cells that will form the optic placode. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060899': { - 'name': 'regulation of transcription involved in eye field cell fate commitment of camera-type eye', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the commitment of a neurectodermal cell to a specialized neurectodermal cell that will give rise to the optic vesicle. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060900': { - 'name': 'embryonic camera-type eye formation', - 'def': 'The developmental process pertaining to the initial formation of a camera-type eye from unspecified neurectoderm. This process begins with the differentiation of cells that form the optic field and ends when the optic cup has attained its shape. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060901': { - 'name': 'regulation of hair cycle by canonical Wnt signaling pathway', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes that modulates the rate, frequency or extent of the hair cycle. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060902': { - 'name': 'regulation of hair cycle by BMP signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of any member of the BMP (bone morphogenetic protein) family binding to a cell surface receptor that modulates the rate, frequency or extent of the hair cycle. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0060903': { - 'name': 'positive regulation of meiosis I', - 'def': 'Any process that increases the rate, frequency, or extent of meiosis I, a cell cycle process comprising the steps by which a cell progresses through the first phase of meiosis, in which cells divide and homologous chromosomes are paired and segregated from each other, producing two daughter cells. [GOC:dph, GOC:tb]' - }, - 'GO:0060904': { - 'name': 'regulation of protein folding in endoplasmic reticulum', - 'def': 'Any process that modulates the rate, frequency or extent of the protein folding process that takes place in the endoplasmic reticulum (ER). Secreted, plasma membrane and organelle proteins are folded in the ER, assisted by chaperones and foldases (protein disulphide isomerases), and additional factors required for optimal folding (ATP, Ca2+ and an oxidizing environment to allow disulfide bond formation). [GOC:dph, GOC:tb]' - }, - 'GO:0060905': { - 'name': 'regulation of induction of conjugation upon nitrogen starvation', - 'def': 'Any process that modulates the frequency of induction of conjugation upon nitrogen starvation, the process in which a cell initiates conjugation with cellular fusion upon nitrogen starvation. [GOC:dph, GOC:tb]' - }, - 'GO:0060906': { - 'name': 'negative regulation of chromatin silencing by small RNA', - 'def': 'Any process that decreases the frequency, rate or extent of chromatin silencing by small RNA. Chromatin silencing by small RNA is the repression of transcription by conversion of large regions of DNA into heterochromatin, directed by small RNAs sharing sequence identity to the repressed region. [GOC:dph, GOC:tb]' - }, - 'GO:0060907': { - 'name': 'positive regulation of macrophage cytokine production', - 'def': 'Any process that increases the rate, frequency or extent of macrophage cytokine production. Macrophage cytokine production is the appearance of a chemokine due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:dph, GOC:tb]' - }, - 'GO:0060908': { - 'name': 'plasmid copy number maintenance', - 'def': 'The maintenance of the number of copies of extrachromosomal plasmid DNA. [GOC:dph, GOC:tb]' - }, - 'GO:0060909': { - 'name': 'regulation of DNA replication initiation involved in plasmid copy number maintenance', - 'def': 'Any process that modulates the frequency, rate or extent of initiation of plasmid DNA replication that contributes to copy number maintenance. [GOC:dph, GOC:tb]' - }, - 'GO:0060910': { - 'name': 'negative regulation of DNA replication initiation involved in plasmid copy number maintenance', - 'def': 'Any process that decreases the frequency, rate or extent of initiation of plasmid DNA replication that contributes to copy number maintenance. [GOC:dph, GOC:tb]' - }, - 'GO:0060911': { - 'name': 'cardiac cell fate commitment', - 'def': 'The commitment of cells to specific cardiac cell fates and their capacity to differentiate into cardiac cells. Cardiac cells are cells that comprise the organ which pumps blood through the circulatory system. [GOC:mtg_heart]' - }, - 'GO:0060912': { - 'name': 'cardiac cell fate specification', - 'def': 'The process involved in the specification of cardiac cell identity. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. [GOC:mtg_heart]' - }, - 'GO:0060913': { - 'name': 'cardiac cell fate determination', - 'def': 'The process involved in cardiac cell fate commitment. Once determination has taken place, a cell becomes committed to differentiate down a particular pathway regardless of its environment. [GOC:mtg_heart]' - }, - 'GO:0060914': { - 'name': 'heart formation', - 'def': 'The developmental process pertaining to the initial formation of the heart from unspecified parts. This process begins with the specific processes that contribute to the appearance of the heart field and the arrival of cardiac neural crest to the heart region. The process ends when the structural rudiment is recognizable. [GOC:mtg_heart]' - }, - 'GO:0060915': { - 'name': 'mesenchymal cell differentiation involved in lung development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesenchymal cell of the lung. A mesenchymal cell is a loosely associated cell that is part of the connective tissue in an organism. Mesenchymal cells give rise to more mature connective tissue cell types. [GOC:dph]' - }, - 'GO:0060916': { - 'name': 'mesenchymal cell proliferation involved in lung development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a mesenchymal cell population that contributes to the progression of the lung over time. A mesenchymal cell is a cell that normally gives rise to other cells that are organized as three-dimensional masses, rather than sheets. [GOC:dph]' - }, - 'GO:0060917': { - 'name': 'regulation of (1->6)-beta-D-glucan biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of (1->6)-beta-D-glucans. [GOC:dph, GOC:tb]' - }, - 'GO:0060918': { - 'name': 'auxin transport', - 'def': 'The directed movement of auxin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:tb]' - }, - 'GO:0060919': { - 'name': 'auxin influx', - 'def': 'The process involved in the transport of auxin into the cell. [GOC:dph, GOC:tb]' - }, - 'GO:0060920': { - 'name': 'cardiac pacemaker cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a pacemaker cell. Pacemaker cells are specialized cardiomyocytes that are responsible for regulating the timing of heart contractions. [GOC:mtg_cardiac_conduct_nov11, GOC:mtg_heart]' - }, - 'GO:0060921': { - 'name': 'sinoatrial node cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a sinoatrial (SA) node cell. SA node cells are pacemaker cells that are found in the sinoatrial node. [GOC:mtg_heart]' - }, - 'GO:0060922': { - 'name': 'atrioventricular node cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an atrioventricular (AV) node cell. AV node cells are pacemaker cells that are found in the atrioventricular node. [GOC:mtg_heart]' - }, - 'GO:0060923': { - 'name': 'cardiac muscle cell fate commitment', - 'def': 'The commitment of cells to specific cardiac muscle cell fates and their capacity to differentiate into cardiac muscle cells. Cardiac muscle cells are striated muscle cells that are responsible for heart contraction. [GOC:mtg_heart]' - }, - 'GO:0060924': { - 'name': 'atrial cardiac muscle cell fate commitment', - 'def': 'The commitment of cells to atrial cardiac muscle cell fates and their capacity to differentiate into cardiac muscle cells of the atrium. Cardiac muscle cells are striated muscle cells that are responsible for heart contraction. [GOC:mtg_heart]' - }, - 'GO:0060925': { - 'name': 'ventricular cardiac muscle cell fate commitment', - 'def': 'The commitment of cells to ventricular cardiac muscle cell fates and their capacity to differentiate into cardiac muscle cells of the ventricle. Cardiac muscle cells are striated muscle cells that are responsible for heart contraction. [GOC:mtg_heart]' - }, - 'GO:0060926': { - 'name': 'cardiac pacemaker cell development', - 'def': 'The process whose specific outcome is the progression of a pacemaker cell over time, from its formation to the mature state. Pacemaker cells are specialized cardiomyocytes that are responsible for regulating the timing of heart contractions. [GOC:mtg_cardiac_conduct_nov11, GOC:mtg_heart]' - }, - 'GO:0060927': { - 'name': 'cardiac pacemaker cell fate commitment', - 'def': 'The commitment of cells to pacemaker cell fates and their capacity to differentiate into pacemaker cells. Pacemaker cells are specialized cardiomyocytes that are responsible for regulating the timing of heart contractions. [GOC:mtg_cardiac_conduct_nov11, GOC:mtg_heart]' - }, - 'GO:0060928': { - 'name': 'atrioventricular node cell development', - 'def': 'The process whose specific outcome is the progression of an atrioventricular (AV) node cell over time, from its formation to the mature state. [GOC:mtg_heart]' - }, - 'GO:0060929': { - 'name': 'atrioventricular node cell fate commitment', - 'def': 'The commitment of cells to atrioventricular (AV) node cell fates and their capacity to differentiate into AV node cells. [GOC:mtg_heart]' - }, - 'GO:0060930': { - 'name': 'sinoatrial node cell fate commitment', - 'def': 'The commitment of cells to sinoatrial (SA) node cell fates and their capacity to differentiate into SA node cells. SA node cells are pacemaker cells that are found in the sinoatrial node. [GOC:mtg_heart]' - }, - 'GO:0060931': { - 'name': 'sinoatrial node cell development', - 'def': 'The process whose specific outcome is the progression of a sinoatrial (SA) node cell over time, from its formation to the mature state. SA node cells are pacemaker cells that are found in the sinoatrial node. [GOC:mtg_heart]' - }, - 'GO:0060932': { - 'name': 'His-Purkinje system cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a cell of the His-Purkinje system. These cells form the fibers regulate cardiac muscle contraction in the ventricles. [GOC:mtg_heart]' - }, - 'GO:0060933': { - 'name': 'His-Purkinje system cell development', - 'def': 'The process whose specific outcome is the progression of a His-Purkinje cell over time, from its formation to the mature state. These cells form the fibers that regulate cardiac muscle contraction in the ventricles. [GOC:mtg_heart]' - }, - 'GO:0060934': { - 'name': 'His-Purkinje system cell fate commitment', - 'def': 'The commitment of cells to His-Purkinje cell fates and their capacity to differentiate into His-Purkinje cells. These cells form the fibers that regulate cardiac muscle contraction in the ventricles. [GOC:mtg_heart]' - }, - 'GO:0060935': { - 'name': 'cardiac fibroblast cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a cardiac fibroblast. A cardiac fibroblast is a connective tissue cell in the heart which secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:mtg_heart]' - }, - 'GO:0060936': { - 'name': 'cardiac fibroblast cell development', - 'def': 'The process whose specific outcome is the progression of a cardiac fibroblast over time, from its formation to the mature state. A cardiac fibroblast is a connective tissue cell of the heart which secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:mtg_heart]' - }, - 'GO:0060937': { - 'name': 'cardiac fibroblast cell fate commitment', - 'def': 'The commitment of cells to a cardiac fibroblast fate and their capacity to differentiate into cardiac fibroblast cells. A cardiac fibroblast is a connective tissue cell in the heart which secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:mtg_heart]' - }, - 'GO:0060938': { - 'name': 'epicardium-derived cardiac fibroblast cell differentiation', - 'def': 'The process in which an epicardial cell acquires the specialized structural and/or functional features of a cardiac fibroblast. A cardiac fibroblast is a connective tissue cell in the heart which secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:mtg_heart]' - }, - 'GO:0060939': { - 'name': 'epicardium-derived cardiac fibroblast cell development', - 'def': 'The process whose specific outcome is the progression of an epicardial-derived cardiac fibroblast over time, from its formation to the mature state. A epicardial-derived cardiac fibroblast is a connective tissue cell of the heart that arises from the epicardium and secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:mtg_heart]' - }, - 'GO:0060940': { - 'name': 'epithelial to mesenchymal transition involved in cardiac fibroblast development', - 'def': 'A transition where an epicardial cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell that will mature into a cardiac fibroblast. [GOC:mtg_heart]' - }, - 'GO:0060941': { - 'name': 'epicardium-derived cardiac fibroblast cell fate commitment', - 'def': 'The commitment of an epicardial cell to a cardiac fibroblast cell fate and its capacity to differentiate into a cardiac fibroblast. A cardiac fibroblast is a connective tissue cell in the heart which secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:mtg_heart]' - }, - 'GO:0060942': { - 'name': 'neural crest-derived cardiac fibroblast cell differentiation', - 'def': 'The process in which a neural crest cell acquires the specialized structural and/or functional features of a cardiac fibroblast. A cardiac fibroblast is a connective tissue cell in the heart which secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:mtg_heart]' - }, - 'GO:0060943': { - 'name': 'neural crest-derived cardiac fibroblast cell development', - 'def': 'The process whose specific outcome is the progression of a cardiac fibroblast over time, from its formation from a neural crest cell to the mature state. A cardiac fibroblast is a connective tissue cell of the heart which secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:mtg_heart]' - }, - 'GO:0060944': { - 'name': 'neural crest-derived cardiac fibroblast cell fate commitment', - 'def': 'The commitment of neural crest cells to a cardiac fibroblast fate and their capacity to differentiate into cardiac fibroblast cells. A cardiac fibroblast is a connective tissue cell in the heart which secretes an extracellular matrix rich in collagen and other macromolecules. [GOC:mtg_heart]' - }, - 'GO:0060945': { - 'name': 'cardiac neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron of the heart. [GOC:mtg_heart]' - }, - 'GO:0060946': { - 'name': 'cardiac blood vessel endothelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a blood vessel endothelial cell of the heart. Blood vessel endothelial cells are thin flattened cells that line the inside surfaces of blood vessels. [GOC:mtg_heart]' - }, - 'GO:0060947': { - 'name': 'cardiac vascular smooth muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a cardiac vascular smooth muscle cell. A cardiac vascular smooth muscle cell covers the heart vasculature and lacks transverse striations in its constituent fibers. [GOC:mtg_heart]' - }, - 'GO:0060948': { - 'name': 'cardiac vascular smooth muscle cell development', - 'def': 'The process whose specific outcome is the progression of a cardiac vascular smooth muscle cell over time, from its formation to the mature state. [GOC:mtg_heart]' - }, - 'GO:0060949': { - 'name': 'cardiac vascular smooth muscle cell fate commitment', - 'def': 'The commitment of cells to a cardiac vascular smooth muscle cell fate and its capacity to differentiate into a cardiac vascular smooth muscle cell. [GOC:mtg_heart]' - }, - 'GO:0060950': { - 'name': 'cardiac glial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a glial cell of the heart. [GOC:mtg_heart]' - }, - 'GO:0060951': { - 'name': 'neural crest-derived cardiac glial cell differentiation', - 'def': 'The process in which a neural crest cell acquires the specialized features of a glial cell of the heart. [GOC:mtg_heart]' - }, - 'GO:0060952': { - 'name': 'cardiac glial cell development', - 'def': 'The process aimed at the progression of a cardiac glial cell over time, from its formation to the fully functional mature cell. [GOC:mtg_heart]' - }, - 'GO:0060953': { - 'name': 'cardiac glial cell fate commitment', - 'def': 'The commitment of cells to cardiac glial cell fates and their capacity to differentiate into cardiac glial cells. [GOC:mtg_heart]' - }, - 'GO:0060954': { - 'name': 'neural crest-derived cardiac glial cell development', - 'def': 'The process aimed at the progression of a neural crest-derived cardiac glial cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:mtg_heart]' - }, - 'GO:0060955': { - 'name': 'neural crest-derived cardiac glial cell fate commitment', - 'def': 'The commitment of neural crest cells to cardiac glial cell fates and their capacity to differentiate into cardiac glial cells. [GOC:mtg_heart]' - }, - 'GO:0060956': { - 'name': 'endocardial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of an endocardial cell. An endocardial cell is a specialized endothelial cell that makes up the endocardium portion of the heart. The endocardium is the innermost layer of tissue of the heart, and lines the heart chambers. [GOC:mtg_heart]' - }, - 'GO:0060957': { - 'name': 'endocardial cell fate commitment', - 'def': 'The commitment of a cell to an endocardial cell fate and its capacity to differentiate into an endocardial cell. An endocardial cell is a specialized endothelial cell that makes up the endocardium portion of the heart. [GOC:mtg_heart]' - }, - 'GO:0060958': { - 'name': 'endocardial cell development', - 'def': 'The progression of an endocardial cell over time, from its formation to the mature cell. An endocardial cell is a specialized endothelial cell that makes up the endocardium portion of the heart. [GOC:mtg_heart]' - }, - 'GO:0060959': { - 'name': 'cardiac neuron development', - 'def': 'The process whose specific outcome is the progression of a cardiac neuron over time, from its formation to the mature state. [GOC:mtg_heart]' - }, - 'GO:0060960': { - 'name': 'cardiac neuron fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a neuron of the heart. [GOC:mtg_heart]' - }, - 'GO:0060961': { - 'name': 'phospholipase D inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a phospholipase D, an enzyme that catalyzes the reaction: a phosphatidylcholine + H2O = choline + a phosphatidate. [GOC:dph, GOC:tb]' - }, - 'GO:0060962': { - 'name': 'regulation of ribosomal protein gene transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of the synthesis of RNA from ribosomal protein genes by RNA polymerase II, originating at an RNA polymerase II promoter. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0060963': { - 'name': 'positive regulation of ribosomal protein gene transcription from RNA polymerase II promoter', - 'def': 'Any process that increases the frequency, rate or extent of the synthesis of RNA from ribosomal protein genes by RNA polymerase II, originating at an RNA polymerase II promoter. [GOC:dph, GOC:tb, GOC:txnOH]' - }, - 'GO:0060964': { - 'name': 'regulation of gene silencing by miRNA', - 'def': 'Any process that modulates the rate, frequency, or extent of the downregulation of gene expression through the action of microRNAs (miRNAs), endogenous 21-24 nucleotide small RNAs processed from stem-loop RNA precursors (pre-miRNAs). Once incorporated into a RNA-induced silencing complex (RISC), miRNAs can downregulate gene expression by either of two posttranscriptional mechanisms: mRNA cleavage or translational repression. [GOC:dph, GOC:tb]' - }, - 'GO:0060965': { - 'name': 'negative regulation of gene silencing by miRNA', - 'def': 'Any process that decreases the rate, frequency, or extent of the downregulation of gene expression through the action of microRNAs (miRNAs), endogenous 21-24 nucleotide small RNAs processed from stem-loop RNA precursors (pre-miRNAs). Once incorporated into a RNA-induced silencing complex (RISC), miRNAs can downregulate gene expression by either of two posttranscriptional mechanisms: mRNA cleavage or translational repression. [GOC:dph, GOC:tb]' - }, - 'GO:0060966': { - 'name': 'regulation of gene silencing by RNA', - 'def': 'Any process that regulates the rate, frequency, or extent of gene silencing by RNA. Gene silencing by RNA is the process in which RNA molecules inactivate expression of target genes. [GOC:dph, GOC:tb]' - }, - 'GO:0060967': { - 'name': 'negative regulation of gene silencing by RNA', - 'def': 'Any process that decreases the rate, frequency, or extent of gene silencing by RNA. Gene silencing by RNA is the process in which RNA molecules inactivate expression of target genes. [GOC:dph, GOC:tb]' - }, - 'GO:0060968': { - 'name': 'regulation of gene silencing', - 'def': 'Any process that modulates the rate, frequency, or extent of gene silencing, the transcriptional or post-transcriptional process carried out at the cellular level that results in long-term gene inactivation. [GOC:dph, GOC:tb]' - }, - 'GO:0060969': { - 'name': 'negative regulation of gene silencing', - 'def': 'Any process that decreases the rate, frequency, or extent of gene silencing, the transcriptional or post-transcriptional process carried out at the cellular level that results in long-term gene inactivation. [GOC:dph, GOC:tb]' - }, - 'GO:0060970': { - 'name': 'embryonic heart tube dorsal/ventral pattern formation', - 'def': 'The regionalization process in which the areas along the dorsal/ventral axis of the embryonic heart tube are established. This process will determine the patterns of cell differentiation along the axis. [GOC:mtg_heart]' - }, - 'GO:0060971': { - 'name': 'embryonic heart tube left/right pattern formation', - 'def': 'The pattern specification process that results in the subdivision of the left/right axis of the embryonic heart tube in space to define an area or volume in which specific patterns of cell differentiation will take place. [GOC:mtg_heart]' - }, - 'GO:0060972': { - 'name': 'left/right pattern formation', - 'def': 'The pattern specification process that results in the subdivision of the left/right axis in space to define an area or volume in which specific patterns of cell differentiation will take place or in which cells interpret a specific environment. [GOC:mtg_heart]' - }, - 'GO:0060973': { - 'name': 'cell migration involved in heart development', - 'def': 'The orderly movement of a cell from one site to another that will contribute to the progression of the heart over time, from its initial formation, to the mature organ. [GOC:mtg_heart]' - }, - 'GO:0060974': { - 'name': 'cell migration involved in heart formation', - 'def': 'The orderly movement of a cell from one site to another that contribute to the formation of the heart. The initial heart structure is made up of mesoderm-derived heart progenitor cells and neural crest-derived cells. [GOC:mtg_heart]' - }, - 'GO:0060975': { - 'name': 'cardioblast migration to the midline involved in heart field formation', - 'def': 'The orderly movement of a cardioblast toward the midline to form the heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. [GOC:mtg_heart]' - }, - 'GO:0060976': { - 'name': 'coronary vasculature development', - 'def': 'The process whose specific outcome is the progression of the blood vessels of the heart over time, from its formation to the mature structure. [GOC:mtg_heart]' - }, - 'GO:0060977': { - 'name': 'coronary vasculature morphogenesis', - 'def': 'The process in which the anatomical structures of blood vessels of the heart are generated and organized. The blood vessel is the vasculature carrying blood. [GOC:mtg_heart]' - }, - 'GO:0060978': { - 'name': 'angiogenesis involved in coronary vascular morphogenesis', - 'def': 'Blood vessel formation in the heart when new vessels emerge from the proliferation of pre-existing blood vessels. [GOC:mtg_heart]' - }, - 'GO:0060979': { - 'name': 'vasculogenesis involved in coronary vascular morphogenesis', - 'def': 'The differentiation of endothelial cells from progenitor cells that contributes to blood vessel development in the heart, and the de novo formation of blood vessels and tubes. [GOC:mtg_heart]' - }, - 'GO:0060980': { - 'name': 'cell migration involved in coronary vasculogenesis', - 'def': 'The orderly movement of a cell from one site to another that will contribute to the differentiation of an endothelial cell that will form the blood vessels of the heart. [GOC:mtg_heart]' - }, - 'GO:0060981': { - 'name': 'cell migration involved in coronary angiogenesis', - 'def': 'The orderly movement of a cell from one site to another that will contribute to the formation of new blood vessels in the heart from pre-existing blood vessels. [GOC:mtg_heart]' - }, - 'GO:0060982': { - 'name': 'coronary artery morphogenesis', - 'def': 'The process in which the anatomical structures of coronary arteries are generated and organized. Coronary arteries are blood vessels that transport blood to the heart muscle. [GOC:mtg_heart]' - }, - 'GO:0060983': { - 'name': 'epicardium-derived cardiac vascular smooth muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell derived from the epicardium acquires specialized features of a cardiac vascular smooth muscle cell. A cardiac vascular smooth muscle cell covers the heart vasculature and lacks transverse striations in its constituent fibers. [GOC:mtg_heart]' - }, - 'GO:0060984': { - 'name': 'epicardium-derived cardiac vascular smooth muscle cell development', - 'def': 'The process whose specific outcome is the progression of a cardiac vascular smooth muscle cell that was derived from the epicardium over time, from its formation to the mature state. [GOC:mtg_heart]' - }, - 'GO:0060985': { - 'name': 'epicardium-derived cardiac vascular smooth muscle cell fate commitment', - 'def': 'The commitment of an epicardial cell to a cardiac vascular smooth muscle cell fate and its capacity to differentiate into a cardiac vascular smooth muscle cell. [GOC:mtg_heart]' - }, - 'GO:0060986': { - 'name': 'endocrine hormone secretion', - 'def': 'The regulated release of a hormone into the circulatory system. [GOC:dph]' - }, - 'GO:0060987': { - 'name': 'lipid tube', - 'def': 'A macromolecular complex that contains a tube of lipid surrounded by a protein coat. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0060988': { - 'name': 'lipid tube assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of macromolecules to form a macromolecular complex that contains a tube of lipid surrounded by a protein coat involved in membrane shaping of vesicle membranes as they fuse or undergo fission. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0060989': { - 'name': 'lipid tube assembly involved in organelle fusion', - 'def': 'The aggregation, arrangement and bonding together of a set of macromolecules to form a macromolecular complex that contains a tube of lipid surrounded by a protein coat involved in membrane shaping of vesicle membranes as organelles fuse. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0060990': { - 'name': 'lipid tube assembly involved in organelle fission', - 'def': 'The aggregation, arrangement and bonding together of a set of macromolecules to form a macromolecular complex that contains a tube of lipid surrounded by a protein coat involved in membrane shaping of vesicle membranes as organelles undergo fission. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0060991': { - 'name': 'obsolete lipid tube assembly involved in cytokinesis', - 'def': 'The aggregation, arrangement and bonding together of a set of macromolecules to form a macromolecular complex that contains a tube of lipid surrounded by a protein coat involved in cytokinesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0060992': { - 'name': 'response to fungicide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fungicide stimulus. Fungicides are chemicals used to kill fungi. [GOC:dph]' - }, - 'GO:0060993': { - 'name': 'kidney morphogenesis', - 'def': 'Morphogenesis of a kidney. A kidney is an organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0060994': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in kidney development', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the branching morphogenesis by which the kidney progresses from its initial formation to the mature state. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0060995': { - 'name': 'cell-cell signaling involved in kidney development', - 'def': 'Any process that mediates the transfer of information from one cell to another and contributes to the progression of the kidney over time, from its formation to the mature organ. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0060996': { - 'name': 'dendritic spine development', - 'def': 'The process whose specific outcome is the progression of the dendritic spine over time, from its formation to the mature structure. A dendritic spine is a protrusion from a dendrite and a specialized subcellular compartment involved in synaptic transmission. [GOC:dph]' - }, - 'GO:0060997': { - 'name': 'dendritic spine morphogenesis', - 'def': 'The process in which the anatomical structures of a dendritic spine are generated and organized. A dendritic spine is a protrusion from a dendrite and a specialized subcellular compartment involved in synaptic transmission. [GOC:dph]' - }, - 'GO:0060998': { - 'name': 'regulation of dendritic spine development', - 'def': 'Any process that modulates the rate, frequency, or extent of dendritic spine development, the process whose specific outcome is the progression of the dendritic spine over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0060999': { - 'name': 'positive regulation of dendritic spine development', - 'def': 'Any process that increases the rate, frequency, or extent of dendritic spine development, the process whose specific outcome is the progression of the dendritic spine over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061000': { - 'name': 'negative regulation of dendritic spine development', - 'def': 'Any process that decreases the rate, frequency, or extent of dendritic spine development, the process whose specific outcome is the progression of the dendritic spine over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061001': { - 'name': 'regulation of dendritic spine morphogenesis', - 'def': 'Any process that modulates the rate, frequency, or extent of dendritic spine morphogenesis, the process in which the anatomical structures of a dendritic spine are generated and organized. A dendritic spine is a protrusion from a dendrite and a specialized subcellular compartment involved in synaptic transmission. [GOC:dph]' - }, - 'GO:0061002': { - 'name': 'negative regulation of dendritic spine morphogenesis', - 'def': 'Any process that decreases the rate, frequency, or extent of dendritic spine morphogenesis, the process in which the anatomical structures of a dendritic spine are generated and organized. A dendritic spine is a protrusion from a dendrite and a specialized subcellular compartment involved in synaptic transmission. [GOC:dph]' - }, - 'GO:0061003': { - 'name': 'positive regulation of dendritic spine morphogenesis', - 'def': 'Any process that increases the rate, frequency, or extent of dendritic spine morphogenesis, the process in which the anatomical structures of a dendritic spine are generated and organized. A dendritic spine is a protrusion from a dendrite and a specialized subcellular compartment involved in synaptic transmission. [GOC:dph]' - }, - 'GO:0061004': { - 'name': 'pattern specification involved in kidney development', - 'def': 'Any developmental process that results in the creation of defined areas or spaces within the kidney to which cells respond and eventually are instructed to differentiate. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061005': { - 'name': 'cell differentiation involved in kidney development', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells of the kidney as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061006': { - 'name': 'regulation of cell proliferation involved in kidney morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cell proliferation that contributes to the shaping of the kidney. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061007': { - 'name': 'hepaticobiliary system process', - 'def': 'An system process carried out by any of the organs or tissues of the hepaticobiliary system. The hepaticobiliary system is responsible for metabolic and catabolic processing of small molecules absorbed from the blood or gut, hormones and serum proteins, detoxification, storage of glycogen, triglycerides, metals and lipid soluble vitamins and excretion of bile. Included are the synthesis of albumin, blood coagulation factors, complement, and specific binding proteins. [GOC:dph]' - }, - 'GO:0061008': { - 'name': 'hepaticobiliary system development', - 'def': 'The progression of the hepaticobiliary system over time, from its formation to the mature structure. The hepaticobiliary system is responsible for metabolic and catabolic processing of small molecules absorbed from the blood or gut, hormones and serum proteins, detoxification, storage of glycogen, triglycerides, metals and lipid soluble vitamins and excretion of bile. Included are the synthesis of albumin, blood coagulation factors, complement, and specific binding proteins. [GOC:dph]' - }, - 'GO:0061009': { - 'name': 'common bile duct development', - 'def': 'The progression of the common bile duct over time, from its formation to the mature structure. The common bile duct is formed from the joining of the common hepatic duct running from the liver, and the cystic duct running from the gall bladder. The common bile duct transports bile from the liver and gall bladder to the intestine. [PMID:20614624]' - }, - 'GO:0061010': { - 'name': 'gall bladder development', - 'def': 'The progression of the gall bladder over time, from its initial formation to the mature structure. The gall bladder is a cavitated organ that stores bile. [GOC:dph]' - }, - 'GO:0061011': { - 'name': 'hepatic duct development', - 'def': 'The progression of the hepatic duct over time, from its formation to the mature structure. The hepatic duct is the duct that leads from the liver to the common bile duct. [GOC:dph, PMID:20614624]' - }, - 'GO:0061013': { - 'name': 'regulation of mRNA catabolic process', - 'def': "Any process that modulates the rate, frequency, or extent of a mRNA catabolic process, the chemical reactions and pathways resulting in the breakdown of RNA, ribonucleic acid, one of the two main type of nucleic acid, consisting of a long, unbranched macromolecule formed from ribonucleotides joined in 3',5'-phosphodiester linkage. [GOC:ascb_2009, GOC:dph, GOC:tb]" - }, - 'GO:0061014': { - 'name': 'positive regulation of mRNA catabolic process', - 'def': "Any process that increases the rate, frequency, or extent of a mRNA catabolic process, the chemical reactions and pathways resulting in the breakdown of RNA, ribonucleic acid, one of the two main type of nucleic acid, consisting of a long, unbranched macromolecule formed from ribonucleotides joined in 3',5'-phosphodiester linkage. [GOC:ascb_2009, GOC:dph, GOC:tb]" - }, - 'GO:0061015': { - 'name': 'snRNA import into nucleus', - 'def': 'The directed movement of snRNA, small nuclear ribonucleic acid into the nucleus. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0061016': { - 'name': 'snRNA import into Cajal body', - 'def': 'The directed movement of snRNA, small nuclear ribonucleic acid, into a Cajal body. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0061017': { - 'name': 'hepatoblast differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a hepatoblast. A hepatoblast is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into hepatocytes and cholangiocytes. [GOC:dph, PMID:15226394]' - }, - 'GO:0061024': { - 'name': 'membrane organization', - 'def': 'A process which results in the assembly, arrangement of constituent parts, or disassembly of a membrane. A membrane is a double layer of lipid molecules that encloses all cells, and, in eukaryotes, many organelles; may be a single or double lipid bilayer; also includes associated proteins. [GOC:dph, GOC:tb]' - }, - 'GO:0061025': { - 'name': 'membrane fusion', - 'def': 'The membrane organization process that joins two lipid bilayers to form a single membrane. [GOC:dph, GOC:tb]' - }, - 'GO:0061026': { - 'name': 'cardiac muscle tissue regeneration', - 'def': 'The regrowth of cardiac muscle tissue to repair injured or damaged muscle fibers in the postnatal stage. [GOC:dph]' - }, - 'GO:0061027': { - 'name': 'umbilical cord development', - 'def': 'The process whose specific outcome is the development of the umbilical cord, from its formation to the mature structure. The umbilical cord is an organ or embryonic origin consisting of the 2 umbilical arteries and the one umbilical vein. The umbilical cord connects the cardiovascular system of the fetus to the mother via the placenta. [GOC:BHF, GOC:dph]' - }, - 'GO:0061028': { - 'name': 'establishment of endothelial barrier', - 'def': 'The establishment of a barrier between endothelial cell layers, such as those in the brain, lung or intestine, to exert specific and selective control over the passage of water and solutes, thus allowing formation and maintenance of compartments that differ in fluid and solute composition. [GOC:dph]' - }, - 'GO:0061029': { - 'name': 'eyelid development in camera-type eye', - 'def': 'The progression of the eyelid in a camera-type eye from its formation to the mature state. The eyelid is a membranous cover that helps protect and lubricate the eye. [GOC:dph, GOC:yaf]' - }, - 'GO:0061030': { - 'name': 'epithelial cell differentiation involved in mammary gland alveolus development', - 'def': 'The process in which a relatively unspecialized epithelial cell becomes a more specialized epithelial cell of the mammary gland alveolus. [GOC:dph, GOC:yaf]' - }, - 'GO:0061031': { - 'name': 'endodermal digestive tract morphogenesis', - 'def': 'The process in which the anatomical structures of the endodermal digestive tract are generated and organized. The endodermal digestive tract includes those portions of the digestive tract that are derived from endoderm. [GOC:dph, GOC:yaf]' - }, - 'GO:0061032': { - 'name': 'visceral serous pericardium development', - 'def': 'The progression of the visceral serous pericardium from its formation to the mature structure. The visceral serous pericardium is the inner layer of the pericardium. [GOC:dph, GOC:yaf]' - }, - 'GO:0061033': { - 'name': 'secretion by lung epithelial cell involved in lung growth', - 'def': 'The controlled release of liquid by a lung epithelial cell that contributes to an increase in size of the lung as part of its development. [GOC:dph]' - }, - 'GO:0061034': { - 'name': 'olfactory bulb mitral cell layer development', - 'def': 'The progression of the olfactory bulb mitral cell layer over time from its initial formation until its mature state. The mitral cell layer is composed of pyramidal neurons whose cell bodies are located between the granule cell layer and the plexiform layer. [GOC:dph]' - }, - 'GO:0061035': { - 'name': 'regulation of cartilage development', - 'def': 'Any process that modulates the rate, frequency, or extent of cartilage development, the process whose specific outcome is the progression of the cartilage over time, from its formation to the mature structure. Cartilage is a connective tissue dominated by extracellular matrix containing collagen type II and large amounts of proteoglycan, particularly chondroitin sulfate. [GOC:dph]' - }, - 'GO:0061036': { - 'name': 'positive regulation of cartilage development', - 'def': 'Any process that increases the rate, frequency, or extent of cartilage development, the process whose specific outcome is the progression of the cartilage over time, from its formation to the mature structure. Cartilage is a connective tissue dominated by extracellular matrix containing collagen type II and large amounts of proteoglycan, particularly chondroitin sulfate. [GOC:dph]' - }, - 'GO:0061037': { - 'name': 'negative regulation of cartilage development', - 'def': 'Any process that decreases the rate, frequency, or extent of cartilage development, the process whose specific outcome is the progression of the cartilage over time, from its formation to the mature structure. Cartilage is a connective tissue dominated by extracellular matrix containing collagen type II and large amounts of proteoglycan, particularly chondroitin sulfate. [GOC:dph]' - }, - 'GO:0061038': { - 'name': 'uterus morphogenesis', - 'def': 'The process in which anatomical structures of the uterus are generated and organized. [GOC:BHF, GOC:dph]' - }, - 'GO:0061040': { - 'name': 'female gonad morphogenesis', - 'def': 'The process in which a female gonad is generated and organized. [GOC:BHF, GOC:dph]' - }, - 'GO:0061041': { - 'name': 'regulation of wound healing', - 'def': 'Any process that modulates the rate, frequency, or extent of the series of events that restore integrity to a damaged tissue, following an injury. [GOC:BHF, GOC:dph]' - }, - 'GO:0061042': { - 'name': 'vascular wound healing', - 'def': 'Blood vessel formation when new vessels emerge from the proliferation of pre-existing blood vessels and contribute to the series of events that restore integrity to damaged vasculature. [GOC:BHF, GOC:dph]' - }, - 'GO:0061043': { - 'name': 'regulation of vascular wound healing', - 'def': 'Any process that modulates the rate, frequency, or extent of blood vessel formation when new vessels emerge from the proliferation of pre-existing blood vessels and contribute to the series of events that restore integrity to damaged vasculature. [GOC:dph]' - }, - 'GO:0061044': { - 'name': 'negative regulation of vascular wound healing', - 'def': 'Any process that decreases the rate, frequency, or extent of blood vessel formation when new vessels emerge from the proliferation of pre-existing blood vessels and contribute to the series of events that restore integrity to damaged vasculature. [GOC:BHF, GOC:dph]' - }, - 'GO:0061045': { - 'name': 'negative regulation of wound healing', - 'def': 'Any process that decreases the rate, frequency, or extent of the series of events that restore integrity to a damaged tissue, following an injury. [GOC:dph]' - }, - 'GO:0061046': { - 'name': 'regulation of branching involved in lung morphogenesis', - 'def': 'Any process that modulates the rate, frequency, or extent of the process in which a highly ordered sequence of patterning events generates the branched structures of the lung, consisting of reiterated combinations of bud outgrowth, elongation, and dichotomous subdivision of terminal units. [GOC:dph, GOC:yaf]' - }, - 'GO:0061047': { - 'name': 'positive regulation of branching involved in lung morphogenesis', - 'def': 'Any process that increases the rate, frequency, or extent of the process in which a highly ordered sequence of patterning events generates the branched structures of the lung, consisting of reiterated combinations of bud outgrowth, elongation, and dichotomous subdivision of terminal units. [GOC:dph, GOC:yaf]' - }, - 'GO:0061048': { - 'name': 'negative regulation of branching involved in lung morphogenesis', - 'def': 'Any process that decreases the rate, frequency, or extent of the process in which a highly ordered sequence of patterning events generates the branched structures of the lung, consisting of reiterated combinations of bud outgrowth, elongation, and dichotomous subdivision of terminal units. [GOC:dph, GOC:yaf]' - }, - 'GO:0061049': { - 'name': 'cell growth involved in cardiac muscle cell development', - 'def': 'The growth of a cardiac muscle cell, where growth contributes to the progression of the cell over time from its initial formation to its mature state. [GOC:dph]' - }, - 'GO:0061050': { - 'name': 'regulation of cell growth involved in cardiac muscle cell development', - 'def': 'Any process that modulates the rate, frequency, or extent of the growth of a cardiac muscle cell, where growth contributes to the progression of the cell over time from its initial formation to its mature state. [GOC:dph]' - }, - 'GO:0061051': { - 'name': 'positive regulation of cell growth involved in cardiac muscle cell development', - 'def': 'Any process that increases the rate, frequency, or extent of the growth of a cardiac muscle cell, where growth contributes to the progression of the cell over time from its initial formation to its mature state. [GOC:dph]' - }, - 'GO:0061052': { - 'name': 'negative regulation of cell growth involved in cardiac muscle cell development', - 'def': 'Any process that decreases the rate, frequency, or extent of the growth of a cardiac muscle cell, where growth contributes to the progression of the cell over time from its initial formation to its mature state. [GOC:dph]' - }, - 'GO:0061053': { - 'name': 'somite development', - 'def': 'The progression of a somite from its initial formation to the mature structure. Somites are mesodermal clusters that are arranged segmentally along the anterior posterior axis of an embryo. [GOC:dph]' - }, - 'GO:0061054': { - 'name': 'dermatome development', - 'def': 'The progression of the dermatome over time, from its initial formation to the mature structure. The dermatome is the portion of a somite that will form skin. [GOC:dph]' - }, - 'GO:0061055': { - 'name': 'myotome development', - 'def': 'The progression of the myotome over time, from its formation to the mature structure. The myotome is the portion of the somite that will give rise to muscle. [GOC:dph]' - }, - 'GO:0061056': { - 'name': 'sclerotome development', - 'def': 'The progression of the sclerotome over time, from its initial formation to the mature structure. The sclerotome is the portion of the somite that will give rise to a vertebra. [GOC:dph]' - }, - 'GO:0061057': { - 'name': 'peptidoglycan recognition protein signaling pathway', - 'def': 'A series of molecular signals initiated by binding of peptidoglycan to a receptor on the surface of the target cell and ending with regulation of a downstream cellular process. The main outcome of the Imd signaling is the production of antimicrobial peptides. [GOC:dph, PMID:18688280]' - }, - 'GO:0061058': { - 'name': 'regulation of peptidoglycan recognition protein signaling pathway', - 'def': 'Any process that modulates the rate, frequency, or extent of the peptidoglycan recognition protein signaling pathway. [GOC:dph]' - }, - 'GO:0061059': { - 'name': 'positive regulation of peptidoglycan recognition protein signaling pathway', - 'def': 'Any process that increases the rate, frequency, or extent of the peptidoglycan recognition protein signaling pathway. [GOC:dph]' - }, - 'GO:0061060': { - 'name': 'negative regulation of peptidoglycan recognition protein signaling pathway', - 'def': 'Any process that decreases the rate, frequency, or extent of the peptidoglycan recognition protein signaling pathway. [GOC:dph]' - }, - 'GO:0061061': { - 'name': 'muscle structure development', - 'def': 'The progression of a muscle structure over time, from its formation to its mature state. Muscle structures are contractile cells, tissues or organs that are found in multicellular organisms. [GOC:dph]' - }, - 'GO:0061062': { - 'name': 'regulation of nematode larval development', - 'def': 'Any process that modulates the rate, frequency, or extent of nematode larval development, the process whose specific outcome is the progression of the nematode larva over time, from its formation to the mature structure. Nematode larval development begins with the newly hatched first-stage larva (L1) and ends with the end of the last larval stage (for example the fourth larval stage (L4) in C. elegans). Each stage of nematode larval development is characterized by proliferation of specific cell lineages and an increase in body size without alteration of the basic body plan. Nematode larval stages are separated by molts in which each stage-specific exoskeleton, or cuticle, is shed and replaced anew. [GOC:dph, GOC:kmv]' - }, - 'GO:0061063': { - 'name': 'positive regulation of nematode larval development', - 'def': 'Any process that increases the rate, frequency, or extent of nematode larval development, the process whose specific outcome is the progression of the nematode larva over time, from its formation to the mature structure. Nematode larval development begins with the newly hatched first-stage larva (L1) and ends with the end of the last larval stage (for example the fourth larval stage (L4) in C. elegans). Each stage of nematode larval development is characterized by proliferation of specific cell lineages and an increase in body size without alteration of the basic body plan. Nematode larval stages are separated by molts in which each stage-specific exoskeleton, or cuticle, is shed and replaced anew. [GOC:dph, GOC:kmv]' - }, - 'GO:0061064': { - 'name': 'negative regulation of nematode larval development', - 'def': 'Any process that decreases the rate, frequency, or extent of nematode larval development, the process whose specific outcome is the progression of the nematode larva over time, from its formation to the mature structure. Nematode larval development begins with the newly hatched first-stage larva (L1) and ends with the end of the last larval stage (for example the fourth larval stage (L4) in C. elegans). Each stage of nematode larval development is characterized by proliferation of specific cell lineages and an increase in body size without alteration of the basic body plan. Nematode larval stages are separated by molts in which each stage-specific exoskeleton, or cuticle, is shed and replaced anew. [GOC:dph, GOC:kmv]' - }, - 'GO:0061065': { - 'name': 'regulation of dauer larval development', - 'def': 'Any process that modulates the rate, frequency, or extent of dauer larval development, the process whose specific outcome is the progression of the dauer larva over time, through the facultative diapause of the dauer (enduring) larval stage, with specialized traits adapted for dispersal and long-term survival, with elevated stress resistance and without feeding. [GOC:dph, GOC:kmv]' - }, - 'GO:0061066': { - 'name': 'positive regulation of dauer larval development', - 'def': 'Any process that increases the rate, frequency, or extent of dauer larval development, the process whose specific outcome is the progression of the dauer larva over time, through the facultative diapause of the dauer (enduring) larval stage, with specialized traits adapted for dispersal and long-term survival, with elevated stress resistance and without feeding. [GOC:dph, GOC:kmv]' - }, - 'GO:0061067': { - 'name': 'negative regulation of dauer larval development', - 'def': 'Any process that decreases the rate, frequency, or extent of dauer larval development, the process whose specific outcome is the progression of the dauer larva over time, through the facultative diapause of the dauer (enduring) larval stage, with specialized traits adapted for dispersal and long-term survival, with elevated stress resistance and without feeding. [GOC:dph, GOC:kmv]' - }, - 'GO:0061068': { - 'name': 'urethra development', - 'def': 'The progression of the urethra over time from its initial formation to the mature structure. The urethra is a renal system organ that carries urine from the bladder to outside the body. [GOC:dph]' - }, - 'GO:0061069': { - 'name': 'male urethra development', - 'def': 'The progression of the male urethra over time from its initial formation to the mature structure. The male urethra is a renal system organ that carries urine from the bladder through the penis to outside the body. [GOC:dph]' - }, - 'GO:0061070': { - 'name': 'female urethra development', - 'def': 'The progression of the female urethra over time from its initial formation to the mature structure. The female urethra is a renal system organ that carries urine from the bladder to outside the body, exiting above the vaginal opening. [GOC:dph]' - }, - 'GO:0061071': { - 'name': 'urethra epithelium development', - 'def': 'The progression of the urethra epithelium over time from its initial formation to the mature structure. The urethra is a renal system organ that carries urine from the bladder to outside the body. The epithelium is the tubular, planar layer of cells through which the urine passes. [GOC:dph]' - }, - 'GO:0061072': { - 'name': 'iris morphogenesis', - 'def': 'The process in which the iris is generated and organized. The iris is an anatomical structure in the eye whose opening forms the pupil. The iris is responsible for controlling the diameter and size of the pupil and the amount of light reaching the retina. [GOC:dph]' - }, - 'GO:0061073': { - 'name': 'ciliary body morphogenesis', - 'def': 'The process in which the ciliary body generated and organized. The ciliary body is the circumferential tissue inside the eye composed of the ciliary muscle and ciliary processes. [GOC:dph]' - }, - 'GO:0061074': { - 'name': 'regulation of neural retina development', - 'def': 'Any process that modulates the rate, frequency, or extent of neural retina development, the progression of the neural retina over time from its initial formation to the mature structure. The neural retina is the part of the retina that contains neurons and photoreceptor cells. [GOC:dph]' - }, - 'GO:0061075': { - 'name': 'positive regulation of neural retina development', - 'def': 'Any process that increases the rate, frequency, or extent of neural retina development, the progression of the neural retina over time from its initial formation to the mature structure. The neural retina is the part of the retina that contains neurons and photoreceptor cells. [GOC:dph]' - }, - 'GO:0061076': { - 'name': 'negative regulation of neural retina development', - 'def': 'Any process that decreases the rate, frequency, or extent of neural retina development, the progression of the neural retina over time from its initial formation to the mature structure. The neural retina is the part of the retina that contains neurons and photoreceptor cells. [GOC:dph]' - }, - 'GO:0061077': { - 'name': 'chaperone-mediated protein folding', - 'def': 'The process of inhibiting aggregation and assisting in the covalent and noncovalent assembly of single chain polypeptides or multisubunit complexes into the correct tertiary structure that is dependent on interaction with a chaperone. [GOC:dph, GOC:vw]' - }, - 'GO:0061078': { - 'name': 'positive regulation of prostaglandin secretion involved in immune response', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of a prostaglandin from a cell and contributes to the immune response. [GOC:BHF, GOC:dph]' - }, - 'GO:0061079': { - 'name': 'left horn of sinus venosus development', - 'def': 'The progression of the left horn of the sinus venosus from its initial formation to the mature structure. [GOC:dph]' - }, - 'GO:0061080': { - 'name': 'right horn of sinus venosus development', - 'def': 'The progression of the right horn of the sinus venosus from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061081': { - 'name': 'positive regulation of myeloid leukocyte cytokine production involved in immune response', - 'def': 'Any process that modulates the rate, frequency, or extent of the production of a cytokine that contributes to the immune response. [GOC:BHF, GOC:dph]' - }, - 'GO:0061082': { - 'name': 'myeloid leukocyte cytokine production', - 'def': 'Any process that contributes to cytokine production by a myeloid cell. [GOC:dph]' - }, - 'GO:0061083': { - 'name': 'regulation of protein refolding', - 'def': 'Any process that regulates the rate, frequency, or extent of protein refolding. Protein refolding is the process carried out by a cell that restores the biological activity of an unfolded or misfolded protein, using helper proteins such as chaperones. [GOC:dph, GOC:tb]' - }, - 'GO:0061084': { - 'name': 'negative regulation of protein refolding', - 'def': 'Any process that decreases the rate, frequency, or extent of protein refolding. Protein refolding is the process carried out by a cell that restores the biological activity of an unfolded or misfolded protein, using helper proteins such as chaperones. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0061085': { - 'name': 'regulation of histone H3-K27 methylation', - 'def': 'Any process that modulates the rate, frequency, or extent of histone H3-K27 methylation. Histone H3-K27 methylation is the modification of histone H3 by addition of a methyl group to lysine at position 27 of the histone. [GOC:dph, GOC:tb]' - }, - 'GO:0061086': { - 'name': 'negative regulation of histone H3-K27 methylation', - 'def': 'Any process that decreases the rate, frequency, or extent of histone H3-K27 methylation. Histone H3-K27 methylation is the modification of histone H3 by addition of a methyl group to lysine at position 27 of the histone. [GOC:dph, GOC:tb]' - }, - 'GO:0061087': { - 'name': 'positive regulation of histone H3-K27 methylation', - 'def': 'Any process that increases the rate, frequency, or extent of histone H3-K27 methylation. Histone H3-K27 methylation is the modification of histone H3 by addition of a methyl group to lysine at position 27 of the histone. [GOC:dph, GOC:tb]' - }, - 'GO:0061088': { - 'name': 'regulation of sequestering of zinc ion', - 'def': 'Any process that modulates the rate, frequency, or extent of sequestering of zinc ion. Sequestering of zinc ion is the process of binding or confining zinc ions such that they are separated from other components of a biological system. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0061089': { - 'name': 'negative regulation of sequestering of zinc ion', - 'def': 'Any process that decreases the rate, frequency, or extent of sequestering of zinc ion. Sequestering of zinc ion is the process of binding or confining zinc ions such that they are separated from other components of a biological system. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0061090': { - 'name': 'positive regulation of sequestering of zinc ion', - 'def': 'Any process that increases the rate, frequency, or extent of sequestering of zinc ion. Sequestering of zinc ion is the process of binding or confining zinc ions such that they are separated from other components of a biological system. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0061091': { - 'name': 'regulation of phospholipid translocation', - 'def': 'Any process that modulates the frequency, rate or extent of the translocation, or flipping, of phospholipid molecules from one monolayer of a membrane bilayer to the opposite monolayer. [GOC:dph, GOC:jh, GOC:tb, PMID:19966303]' - }, - 'GO:0061092': { - 'name': 'positive regulation of phospholipid translocation', - 'def': 'Any process that increases the frequency, rate or extent of the translocation, or flipping, of phospholipid molecules from one monolayer of a membrane bilayer to the opposite monolayer. [GOC:dph, GOC:jh, GOC:tb, PMID:19966303]' - }, - 'GO:0061093': { - 'name': 'negative regulation of phospholipid translocation', - 'def': 'Any process that decreases the frequency, rate or extent of the translocation, or flipping, of phospholipid molecules from one monolayer of a membrane bilayer to the opposite monolayer. [GOC:dph, GOC:jh, GOC:tb, PMID:19966303]' - }, - 'GO:0061094': { - 'name': 'regulation of turning behavior involved in mating', - 'def': "Any process that modulates the rate, frequency or extent of turning behavior involved in mating. Turning behavior is the sharp ventral turn performed by the male as he approaches either the hermaphrodite head or tail, whilst trying to locate his partner's vulva. Turning occurs via a sharp ventral coil of the male's tail. [GOC:dph, GOC:tb]" - }, - 'GO:0061095': { - 'name': 'positive regulation of turning behavior involved in mating', - 'def': "Any process that increases the rate, frequency or extent of turning behavior involved in mating. Turning behavior is the sharp ventral turn performed by the male as he approaches either the hermaphrodite head or tail, whilst trying to locate his partner's vulva. Turning occurs via a sharp ventral coil of the male's tail. [GOC:dph, GOC:tb]" - }, - 'GO:0061096': { - 'name': 'negative regulation of turning behavior involved in mating', - 'def': "Any process that decreases the rate, frequency or extent of turning behavior involved in mating. Turning behavior is the sharp ventral turn performed by the male as he approaches either the hermaphrodite head or tail, whilst trying to locate his partner's vulva. Turning occurs via a sharp ventral coil of the male's tail. [GOC:dph, GOC:tb]" - }, - 'GO:0061097': { - 'name': 'regulation of protein tyrosine kinase activity', - 'def': 'Any process that modulates the rate, frequency, or extent of protein tyrosine kinase activity. [GOC:dph, GOC:tb]' - }, - 'GO:0061098': { - 'name': 'positive regulation of protein tyrosine kinase activity', - 'def': 'Any process that increases the rate, frequency, or extent of protein tyrosine kinase activity. [GOC:dph, GOC:tb]' - }, - 'GO:0061099': { - 'name': 'negative regulation of protein tyrosine kinase activity', - 'def': 'Any process that decreases the rate, frequency, or extent of protein tyrosine kinase activity. [GOC:dph, GOC:tb]' - }, - 'GO:0061100': { - 'name': 'lung neuroendocrine cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuroendocrine cell of the lung epithelium. [GOC:dph, PMID:9126746]' - }, - 'GO:0061101': { - 'name': 'neuroendocrine cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of a neuroendocrine cell. A neuroendocrine cell is a cell that receives input form a neuron which controls the secretion of an endocrine substance. [GOC:dph]' - }, - 'GO:0061102': { - 'name': 'stomach neuroendocrine cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuroendocrine cell of the stomach epithelium. [GOC:dph, PMID:18173746]' - }, - 'GO:0061103': { - 'name': 'carotid body glomus cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of a glomus cell of the carotid body. The carotid body is a specialized chemosensory organ that helps respond to hypoxia. [GOC:dph, PMID:6243386]' - }, - 'GO:0061104': { - 'name': 'adrenal chromaffin cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of an adrenal chromaffin cell. An adrenal chromaffin cell is a neuroendocrine cell that stores epinephrine secretory vesicles. [GOC:dph]' - }, - 'GO:0061105': { - 'name': 'regulation of stomach neuroendocrine cell differentiation', - 'def': 'Any process that modulates the rate, frequency or extent of the differentiation of a neuroendocrine cell in the stomach. [GOC:dph]' - }, - 'GO:0061106': { - 'name': 'negative regulation of stomach neuroendocrine cell differentiation', - 'def': 'Any process that decreases the rate, frequency or extent of the differentiation of a neuroendocrine cell in the stomach. [GOC:dph]' - }, - 'GO:0061107': { - 'name': 'seminal vesicle development', - 'def': 'The progression of the seminal vesicle over time, from its formation to the mature structure. The seminal vesicle is a gland that contributes to the production of semen. [GOC:dph]' - }, - 'GO:0061108': { - 'name': 'seminal vesicle epithelium development', - 'def': 'The progression of the seminal vesicle epithelium over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061109': { - 'name': 'dense core granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a dense core granule. A dense core granule is a secretory organelle found in endocrine cells. [GOC:dph]' - }, - 'GO:0061110': { - 'name': 'dense core granule biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a dense core granule. Includes biosynthesis of constituent macromolecules, and those macromolecular modifications that are involved in synthesis or assembly of the dense core granule. [GOC:dph]' - }, - 'GO:0061111': { - 'name': 'epithelial-mesenchymal cell signaling involved in lung development', - 'def': 'Any process that results in the transfer of information from an epithelial cell to a mesenchymal cell and contributes to the progression of the lung over time from its initial formation to the mature organ. [GOC:dph]' - }, - 'GO:0061112': { - 'name': 'negative regulation of bud outgrowth involved in lung branching', - 'def': 'Any process that decreases the rate, frequency, or extent of bud outgrowth involved in lung branching. [GOC:dph]' - }, - 'GO:0061113': { - 'name': 'pancreas morphogenesis', - 'def': 'Morphogenesis of the pancreas. Morphogenesis is the process in which anatomical structures are generated and organized. [GOC:dph]' - }, - 'GO:0061114': { - 'name': 'branching involved in pancreas morphogenesis', - 'def': 'The process in which the branches of the pancreas are generated and organized. [GOC:dph]' - }, - 'GO:0061115': { - 'name': 'lung proximal/distal axis specification', - 'def': 'The establishment, maintenance and elaboration of the proximal/distal axis of the lung. The proximal/distal axis of the lung is defined by a line that runs from the trachea to the alveoli. [GOC:dph]' - }, - 'GO:0061116': { - 'name': 'ductus venosus closure', - 'def': 'The morphogenesis process in which the ductus venosus changes to no longer permit blood flow after birth. [GOC:dph]' - }, - 'GO:0061117': { - 'name': 'negative regulation of heart growth', - 'def': 'Any process that decreases the rate or extent of heart growth. Heart growth is the increase in size or mass of the heart. [GOC:dph, GOC:hjd]' - }, - 'GO:0061118': { - 'name': 'regulation of positive chemotaxis to cAMP', - 'def': "Any process that modulates the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP. [GOC:dph]" - }, - 'GO:0061119': { - 'name': 'regulation of positive chemotaxis to cAMP by chlorinated alkylphenone', - 'def': "Any process that modulates the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP by the action of a chlorinated alkylphenone. An alkylphenone is an aromatic polyketide with methyl and chlorine substitutions. [GOC:dph, PMID:19684855]" - }, - 'GO:0061120': { - 'name': 'regulation of positive chemotaxis to cAMP by DIF-1', - 'def': "Any process that modulates the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP by the action of DIF-1. DIF-1 is a chlorinated alkylphenone. [GOC:dph]" - }, - 'GO:0061121': { - 'name': 'regulation of positive chemotaxis to cAMP by DIF-2', - 'def': "Any process that modulates the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP by the action of DIF-2. DIF-2 is a chlorinated alkylphenone. [GOC:dph]" - }, - 'GO:0061122': { - 'name': 'positive regulation of positive chemotaxis to cAMP', - 'def': "Any process that increases the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP. [GOC:dph]" - }, - 'GO:0061123': { - 'name': 'negative regulation of positive chemotaxis to cAMP', - 'def': "Any process that decreases the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP. [GOC:dph]" - }, - 'GO:0061124': { - 'name': 'positive regulation of positive chemotaxis to cAMP by chlorinated alkylphenone', - 'def': "Any process that increases the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP by the action of a chlorinated alkylphenone. An alkylphenone is an aromatic polyketide with methyl and chlorine substitutions. [GOC:dph]" - }, - 'GO:0061125': { - 'name': 'negative regulation of positive chemotaxis to cAMP by chlorinated alkylphenone', - 'def': "Any process that decreases the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP by the action of a chlorinated alkylphenone. An alkylphenone is an aromatic polyketide with methyl and chlorine substitutions. [GOC:dph]" - }, - 'GO:0061126': { - 'name': 'positive regulation of positive chemotaxis to cAMP by DIF-1', - 'def': "Any process that increases the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP by the action of DIF-1. DIF-1 is a chlorinated alkylphenone. [GOC:dph]" - }, - 'GO:0061127': { - 'name': 'negative regulation of positive chemotaxis to cAMP by DIF-1', - 'def': "Any process that decreases the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP by the action of DIF-1. DIF-1 is a chlorinated alkylphenone. [GOC:dph]" - }, - 'GO:0061128': { - 'name': 'positive regulation of chemotaxis to cAMP by DIF-2', - 'def': "Any process that increases the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP by the action of DIF-2. DIF-2 is a chlorinated alkylphenone. [GOC:dph]" - }, - 'GO:0061129': { - 'name': 'negative regulation of positive chemotaxis to cAMP by DIF-2', - 'def': "Any process that decreases the rate, frequency, or extent of directed movement of a motile cell or organism up a concentration gradient of 3',5'-cAMP by the action of DIF-2. DIF-2 is a chlorinated alkylphenone. [GOC:dph]" - }, - 'GO:0061130': { - 'name': 'pancreatic bud formation', - 'def': 'The morphogenetic process in which the foregut region specified to become the pancreas forms a bud. [GOC:dph]' - }, - 'GO:0061131': { - 'name': 'pancreas field specification', - 'def': 'The process in which a specific region of the gut is delineated into the area in which the pancreas will develop. [GOC:dph]' - }, - 'GO:0061132': { - 'name': 'pancreas induction', - 'def': 'The close range interaction of two or more cells or tissues that causes the cells of the gut to change their fates and specify the development of the pancreas. [GOC:dph]' - }, - 'GO:0061133': { - 'name': 'endopeptidase activator activity', - 'def': 'Increases the activity of an endopeptidase, any enzyme that hydrolyzes nonterminal peptide bonds in polypeptides. [GOC:dph, GOC:tb]' - }, - 'GO:0061134': { - 'name': 'peptidase regulator activity', - 'def': 'Modulates the activity of a peptidase, any enzyme that catalyzes the hydrolysis peptide bonds. [GOC:dph, GOC:tb]' - }, - 'GO:0061135': { - 'name': 'endopeptidase regulator activity', - 'def': 'Modulates the activity of a peptidase, any enzyme that hydrolyzes nonterminal peptide bonds in polypeptides. [GOC:dph, GOC:tb]' - }, - 'GO:0061136': { - 'name': 'regulation of proteasomal protein catabolic process', - 'def': 'Any process that modulates the rate, frequency, or extent of the chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds that is mediated by the proteasome. [GOC:dph, GOC:tb]' - }, - 'GO:0061137': { - 'name': 'bud dilation', - 'def': 'The process in which a branch bud increases radially. A branch bud is the initial area of outgrowth in the formation of a new branch. [GOC:dph]' - }, - 'GO:0061138': { - 'name': 'morphogenesis of a branching epithelium', - 'def': 'The process in which the anatomical structures of a branched epithelium are generated and organized. [GOC:dph]' - }, - 'GO:0061139': { - 'name': 'bud field specification', - 'def': 'The regionalization process in which the identity of a bud primordium is specified. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:dph]' - }, - 'GO:0061140': { - 'name': 'lung secretory cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a lung secretory cell. A lung secretory cell is a specialized epithelial cell of the lung that contains large secretory granules in its apical part. [GOC:dph]' - }, - 'GO:0061141': { - 'name': 'lung ciliated cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a lung ciliated cell. A lung ciliated cell is a specialized lung epithelial cell that contains cilia for moving substances released from lung secretory cells. [GOC:cilia, GOC:dph, GOC:krc]' - }, - 'GO:0061142': { - 'name': 'mesothelial-mesenchymal cell signaling involved in early lung development', - 'def': 'Any process that mediates the transfer of information from a mesothelial cell to an epithelial cell and contributes to the development of the lung. [GOC:dph]' - }, - 'GO:0061143': { - 'name': 'alveolar primary septum development', - 'def': 'The progression of a primary alveolar septum over time, from its formation to the mature structure. A primary alveolar septum is a specialized epithelium that surrounds the saccule as it forms. [GOC:dph]' - }, - 'GO:0061144': { - 'name': 'alveolar secondary septum development', - 'def': 'The progression of a secondary alveolar septum over time, from its formation to the mature structure. A secondary alveolar septum is a specialized epithelium that subdivides the initial saccule. [GOC:dph]' - }, - 'GO:0061145': { - 'name': 'lung smooth muscle development', - 'def': 'The process whose specific outcome is the progression of smooth muscle in the lung over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061146': { - 'name': "Peyer's patch morphogenesis", - 'def': "The process in which a Peyer's patch is generated and organized. Peyer's patches are typically found as nodules associated with gut epithelium with distinct internal structures including B- and T-zones for the activation of lymphocytes. [GOC:dph]" - }, - 'GO:0061147': { - 'name': 'endocardial endothelium development', - 'def': 'The progression of the endocardial endothelium over time, from its initial formation to the mature structure. The endocardium is an anatomical structure comprised of an endothelium and an extracellular matrix that forms the innermost layer of tissue of the heart, and lines the heart chambers. [GOC:dph]' - }, - 'GO:0061148': { - 'name': 'extracellular matrix organization involved in endocardium development', - 'def': 'A process which results in the assembly, arrangement of constituent parts, or disassembly of an extracellular matrix of the endocardium. The endocardium is an anatomical structure comprised of an endothelium and an extracellular matrix that forms the innermost layer of tissue of the heart, and lines the heart chambers. [GOC:dph]' - }, - 'GO:0061149': { - 'name': 'BMP signaling pathway involved in ureter morphogenesis', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the shaping of the ureter. The ureter is a tube that extends from the kidney to the bladder. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061150': { - 'name': 'renal system segmentation', - 'def': 'The regionalization process that divides an the renal system into a series of segments along its proximal/distal axis. [GOC:dph, GOC:yaf]' - }, - 'GO:0061151': { - 'name': 'BMP signaling pathway involved in renal system segmentation', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the segmentation of the renal system. [GOC:dph, GOC:yaf]' - }, - 'GO:0061152': { - 'name': 'trachea submucosa development', - 'def': 'The progression of the trachea submucosa over time from its formation to the mature structure. The trachea submucosa is made up of the glands and elastic tissue that lie under the mucosa in the trachea. [GOC:dph, GOC:yaf]' - }, - 'GO:0061153': { - 'name': 'trachea gland development', - 'def': 'The progression of a trachea gland over time, from its formation to the mature structure. Trachea glands are found under the mucus of the trachea and secrete mucus, and agents that help protect the lung from injury and infection. [GOC:dph]' - }, - 'GO:0061154': { - 'name': 'endothelial tube morphogenesis', - 'def': 'The process in which the anatomical structures of a tube are generated and organized from an endothelium. Endothelium refers to the layer of cells lining blood vessels, lymphatics, the heart, and serous cavities, and is derived from bone marrow or mesoderm. Corneal endothelium is a special case, derived from neural crest cells. [GOC:dph, GOC:yaf]' - }, - 'GO:0061155': { - 'name': 'pulmonary artery endothelial tube morphogenesis', - 'def': 'The process in which the anatomical structures of a tube are generated and organized from the pulmonary artery endothelium. An pulmonary artery endothelium is an epithelium that lines the pulmonary artery. [GOC:dph, GOC:yaf]' - }, - 'GO:0061156': { - 'name': 'pulmonary artery morphogenesis', - 'def': 'The process in which the anatomical structures of the pulmonary artery are generated and organized. The pulmonary artery is the artery that carries blood from the heart to the lungs. [GOC:dph, GOC:yaf]' - }, - 'GO:0061157': { - 'name': 'mRNA destabilization', - 'def': 'Any process that decreases the stability of an mRNA molecule, making it more vulnerable to degradative processes. Messenger RNA is the intermediate molecule between DNA and protein. It includes UTR and coding sequences. It does not contain introns. [GOC:dph, GOC:jh]' - }, - 'GO:0061158': { - 'name': "3'-UTR-mediated mRNA destabilization", - 'def': "An mRNA destabilization process in which one or more RNA-binding proteins associate with the 3'-untranslated region (UTR) of an mRNA. [GOC:dph, GOC:jh]" - }, - 'GO:0061159': { - 'name': 'establishment of bipolar cell polarity involved in cell morphogenesis', - 'def': 'The specification and formation of bipolar intracellular organization or cell growth patterns that contribute to cell morphogenesis. Bipolar organization is the organization that is a mirror image along an axis from a plane. [GOC:dph, GOC:vw]' - }, - 'GO:0061160': { - 'name': 'regulation of establishment of bipolar cell polarity regulating cell shape', - 'def': 'Any process that modulates the rate, frequency or extent of the establishment of bipolar cell polarity that contributes to the shape of a cell. [GOC:dph, GOC:vw]' - }, - 'GO:0061161': { - 'name': 'positive regulation of establishment of bipolar cell polarity regulating cell shape', - 'def': 'Any process that increases the rate, frequency or extent of the establishment of bipolar cell polarity that regulates the shape of a cell. [GOC:dph, GOC:vw]' - }, - 'GO:0061162': { - 'name': 'establishment of monopolar cell polarity', - 'def': 'The specification and formation of monopolar intracellular organization or cell growth patterns. Monopolar cell organization is directional organization along an axis. [GOC:dph, GOC:vw]' - }, - 'GO:0061163': { - 'name': 'endoplasmic reticulum polarization', - 'def': 'The endoplasmic reticulum organization process that results in the structure of the endoplasmic reticulum being oriented in the cell. [GOC:dph, GOC:vw]' - }, - 'GO:0061164': { - 'name': 'transitional endoplasmic reticulum polarization at cell division site', - 'def': 'The endoplasmic reticulum polarization process that results in the structure being polarized at the site of future cell division. [GOC:dph, GOC:vw]' - }, - 'GO:0061165': { - 'name': 'endoplasmic reticulum localization involved in endoplasmic reticulum polarization at cell division site', - 'def': 'The process in which endoplasmic reticulum is transiently localized to the site where a cell will divide. [GOC:dph, GOC:vw]' - }, - 'GO:0061166': { - 'name': 'establishment of endoplasmic reticulum localization involved in endoplasmic reticulum polarization at cell division site', - 'def': 'The directed movement of the endoplasmic reticulum to the site where a cell will divide. [GOC:dph, GOC:vw]' - }, - 'GO:0061167': { - 'name': 'maintenance of endoplasmic reticulum location involved in endoplasmic reticulum polarization at cell division site', - 'def': 'The process in which the endoplasmic reticulum is maintained at the site of cell division and is prevented from moving elsewhere. [GOC:dph, GOC:vw]' - }, - 'GO:0061168': { - 'name': 'regulation of hair follicle placode formation', - 'def': 'Any process that modulates the rate, frequency, or extent of hair follicle placode formation, the developmental process in which a hair placode forms. An hair follicle placode is a thickening of the ectoderm that will give rise to the hair follicle bud. [GOC:dph]' - }, - 'GO:0061169': { - 'name': 'positive regulation of hair placode formation', - 'def': 'Any process that increases the rate, frequency, or extent of hair follicle placode formation, the developmental process in which a hair placode forms. An hair follicle placode is a thickening of the ectoderm that will give rise to the hair follicle bud. [GOC:dph]' - }, - 'GO:0061170': { - 'name': 'negative regulation of hair follicle placode formation', - 'def': 'Any process that decreases the rate, frequency, or extent of hair follicle placode formation, the developmental process in which a hair placode forms. An hair follicle placode is a thickening of the ectoderm that will give rise to the hair follicle bud. [GOC:dph]' - }, - 'GO:0061171': { - 'name': 'establishment of bipolar cell polarity', - 'def': 'The specification and formation of bipolar intracellular organization or cell growth patterns. Bipolar organization is the organization that is a mirror image along an axis from a plane. [GOC:dph, GOC:vw]' - }, - 'GO:0061172': { - 'name': 'regulation of establishment of bipolar cell polarity', - 'def': 'Any process that modulates the rate, frequency or extent of the establishment of bipolar cell polarity. Bipolar organization is the organization that is a mirror image along an axis from a plane. [GOC:dph, GOC:vw]' - }, - 'GO:0061173': { - 'name': 'positive regulation of establishment of bipolar cell polarity', - 'def': 'Any process that increases the rate, frequency or extent of the establishment of bipolar cell polarity. [GOC:dph, GOC:vw]' - }, - 'GO:0061174': { - 'name': 'type I terminal bouton', - 'def': 'Terminal inflated portion of the axon of a glutamatergic neuron, containing the specialized apparatus necessary to release neurotransmitters that will induce the contraction of muscle. The axon terminus is considered to be the whole region of thickening and the terminal bouton is a specialized region of it. [GOC:dph, GOC:mc]' - }, - 'GO:0061175': { - 'name': 'type II terminal bouton', - 'def': 'Terminal inflated portion of the axon of a non-glutamatergic neuron, containing the specialized apparatus necessary to release neurotransmitters at a regulatory synapse. The axon terminus is considered to be the whole region of thickening and the terminal bouton is a specialized region of it. [GOC:dph, GOC:mc]' - }, - 'GO:0061176': { - 'name': 'type Ib terminal bouton', - 'def': 'Terminal inflated portion of the axon of a glutamatergic neuron, containing the specialized apparatus necessary for the tonic release neurotransmitters that will induce the contraction of muscle. Type Ib terminal boutons are larger than type Is terminal boutons. [GOC:dph, GOC:mc]' - }, - 'GO:0061177': { - 'name': 'type Is terminal bouton', - 'def': 'Terminal inflated portion of the axon of a glutamatergic neuron, containing the specialized apparatus necessary for the phasic release neurotransmitters that will induce the contraction of muscle. Type Is terminal boutons are smaller than type Ib terminal boutons. [GOC:dph, GOC:mc]' - }, - 'GO:0061178': { - 'name': 'regulation of insulin secretion involved in cellular response to glucose stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of insulin that contributes to the response of a cell to glucose. [GOC:BHF, GOC:dph]' - }, - 'GO:0061179': { - 'name': 'negative regulation of insulin secretion involved in cellular response to glucose stimulus', - 'def': 'Any process that decreases the frequency, rate or extent of the regulated release of insulin that contributes to the response of a cell to glucose. [GOC:BHF, GOC:dph]' - }, - 'GO:0061180': { - 'name': 'mammary gland epithelium development', - 'def': 'The process whose specific outcome is the progression of the mammary gland epithelium over time, from its formation to the mature structure. The mammary gland is a large compound sebaceous gland that in female mammals is modified to secrete milk. [GOC:dph, GOC:yaf]' - }, - 'GO:0061181': { - 'name': 'regulation of chondrocyte development', - 'def': 'Any process that modulates the rate, frequency, or extent of the process whose specific outcome is the progression of a chondrocyte over time, from its commitment to its mature state. Chondrocyte development does not include the steps involved in committing a chondroblast to a chondrocyte fate. [GOC:BHF, GOC:dph]' - }, - 'GO:0061182': { - 'name': 'negative regulation of chondrocyte development', - 'def': 'Any process that decreases the rate, frequency, or extent of the process whose specific outcome is the progression of a chondrocyte over time, from its commitment to its mature state. Chondrocyte development does not include the steps involved in committing a chondroblast to a chondrocyte fate. [GOC:BHF, GOC:dph]' - }, - 'GO:0061183': { - 'name': 'regulation of dermatome development', - 'def': 'Any process that modulates the rate, frequency, or extent of the progression of the dermatome over time, from its initial formation to the mature structure. The dermatome is the portion of a somite that will form skin. [GOC:BHF, GOC:dph]' - }, - 'GO:0061184': { - 'name': 'positive regulation of dermatome development', - 'def': 'Any process that increases the rate, frequency, or extent of the progression of the dermatome over time, from its initial formation to the mature structure. The dermatome is the portion of a somite that will form skin. [GOC:BHF, GOC:dph]' - }, - 'GO:0061185': { - 'name': 'negative regulation of dermatome development', - 'def': 'Any process that decreases the rate, frequency, or extent of the progression of the dermatome over time, from its initial formation to the mature structure. The dermatome is the portion of a somite that will form skin. [GOC:BHF, GOC:dph]' - }, - 'GO:0061186': { - 'name': 'negative regulation of chromatin silencing at silent mating-type cassette', - 'def': 'Any process that decreases the frequency, rate, or extent of chromatin silencing at silent mating-type cassette. Chromatin silencing at silent mating-type cassette is the repression of transcription at silent mating-type loci by altering the structure of chromatin. [GOC:dph, PMID:10388812]' - }, - 'GO:0061187': { - 'name': 'regulation of chromatin silencing at rDNA', - 'def': 'Any process that modulates the rate, frequency, or extent of the repression of transcription of ribosomal DNA by altering the structure of chromatin. [GOC:dph, PMID:10388812]' - }, - 'GO:0061188': { - 'name': 'negative regulation of chromatin silencing at rDNA', - 'def': 'Any process that decreases the rate, frequency, or extent of the repression of transcription of ribosomal DNA by altering the structure of chromatin. [GOC:dph, PMID:10388812]' - }, - 'GO:0061189': { - 'name': 'positive regulation of sclerotome development', - 'def': 'Any process that increases the rate, frequency, or extent of the progression of the sclerotome over time, from its initial formation to the mature structure. The sclerotome is the portion of the somite that will give rise to a vertebra. [GOC:BHF, GOC:dph]' - }, - 'GO:0061190': { - 'name': 'regulation of sclerotome development', - 'def': 'Any process that modulates the rate, frequency, or extent of the progression of the sclerotome over time, from its initial formation to the mature structure. The sclerotome is the portion of the somite that will give rise to a vertebra. [GOC:dph]' - }, - 'GO:0061191': { - 'name': 'positive regulation of vacuole fusion, non-autophagic', - 'def': 'Any process that increases the frequency, rate or extent of the fusion of two vacuole membranes to form a single vacuole. [GOC:dph]' - }, - 'GO:0061192': { - 'name': 'negative regulation of vacuole fusion, non-autophagic', - 'def': 'Any process that decreases the frequency, rate or extent of the fusion of two vacuole membranes to form a single vacuole. [GOC:dph]' - }, - 'GO:0061193': { - 'name': 'taste bud development', - 'def': 'The progression of the taste bud over time, from its formation to the mature state. The taste bud is a specialized area of the tongue that contains taste receptors. [GOC:dph]' - }, - 'GO:0061194': { - 'name': 'taste bud morphogenesis', - 'def': 'The process in which the anatomical structures of the taste bud are generated and organized. The taste bud is a specialized area of the tongue that contains taste receptors. [GOC:dph]' - }, - 'GO:0061195': { - 'name': 'taste bud formation', - 'def': 'The developmental process pertaining to the initial formation of the taste bud from unspecified parts. The taste bud is a specialized area of the tongue that contains taste receptors. [GOC:dph]' - }, - 'GO:0061196': { - 'name': 'fungiform papilla development', - 'def': 'The progression of the fungiform papilla over time, from its formation to the mature structure. The fungiform papilla is a mushroom-shaped papilla of the tongue. [GOC:dph]' - }, - 'GO:0061197': { - 'name': 'fungiform papilla morphogenesis', - 'def': 'The process in which the anatomical structures of the fungiform papilla are generated and organized. The fungiform papilla is a mushroom-shaped papilla of the tongue. [GOC:dph]' - }, - 'GO:0061198': { - 'name': 'fungiform papilla formation', - 'def': 'The developmental process pertaining to the initial formation of a spongiform papilla from unspecified parts. The fungiform papilla is a mushroom-shaped papilla of the tongue. [GOC:dph]' - }, - 'GO:0061199': { - 'name': 'striated muscle contraction involved in embryonic body morphogenesis', - 'def': "The process in which force is generated within striated embryonic muscle tissue, resulting in a contraction of the muscle that contributes to the formation of an embryo's characteristic body morphology. [GOC:dph, GOC:kmv]" - }, - 'GO:0061200': { - 'name': 'clathrin-sculpted gamma-aminobutyric acid transport vesicle', - 'def': 'A clathrin-sculpted lipid bilayer membrane-enclosed vesicle after clathrin release and containing gamma-aminobutyric acid transport vesicle. [GOC:dph]' - }, - 'GO:0061201': { - 'name': 'clathrin-sculpted gamma-aminobutyric acid transport vesicle lumen', - 'def': 'The volume enclosed by the membrane of the clathrin-sculpted gamma-aminobutyric acid transport vesicle. [GOC:dph]' - }, - 'GO:0061202': { - 'name': 'clathrin-sculpted gamma-aminobutyric acid transport vesicle membrane', - 'def': 'The lipid bilayer surrounding a clathrin-sculpted gamma-aminobutyric acid transport vesicle. [GOC:dph]' - }, - 'GO:0061203': { - 'name': 'striated muscle paramyosin thick filament assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins to form the paramyosin-based thick filaments of myofibrils in striated muscle. [GOC:dph, GOC:kmv]' - }, - 'GO:0061204': { - 'name': 'paramyosin filament assembly or disassembly', - 'def': 'The formation or disassembly of a filament composed of paramyosin molecules. [GOC:dph, GOC:kmv]' - }, - 'GO:0061205': { - 'name': 'paramesonephric duct development', - 'def': 'The process whose specific outcome is the progression of the paramesonephric duct over time, from its formation to the mature structure. Mullerian ducts (or paramesonephric ducts) are paired ducts of the embryo that run down the lateral sides of the urogenital ridge and terminate at the mullerian eminence in the primitive urogenital sinus. In the female, they will develop to form the fallopian tubes, uterus, cervix, and the upper portion of the vagina; in the male, they are lost. These ducts are made of tissue of mesodermal origin. [GOC:dph, GOC:yaf]' - }, - 'GO:0061206': { - 'name': 'mesonephros morphogenesis', - 'def': 'The process in which the anatomical structures of the mesonephros are generated and organized. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061207': { - 'name': 'mesonephric juxtaglomerulus cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the juxtaglomerulus cells of the mesonephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061208': { - 'name': 'cell differentiation involved in mesonephros development', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells of the mesonephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061209': { - 'name': 'cell proliferation involved in mesonephros development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of the population in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061210': { - 'name': 'cell-cell signaling involved in mesonephros development', - 'def': 'Any process that mediates the transfer of information from one cell to another and contributes to the progression of the mesonephros over time, from its formation to the mature organ. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061211': { - 'name': 'mesonephric collecting duct development', - 'def': 'The process whose specific outcome is the progression of a collecting duct in the mesonephros over time, from its formation to the mature structure. The collecting duct regulates water, electrolyte and acid-base balance. The collecting duct is the final common path through which urine flows before entering the ureter and then emptying into the bladder. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061212': { - 'name': 'mesonephric juxtaglomerular apparatus development', - 'def': 'The process whose specific outcome is the progression of the juxtaglomerular apparatus in the mesonephros over time, from its formation to the mature structure. The juxtaglomerular apparatus is an anatomical structure which consists of juxtaglomerular cells, extraglomerular mesangial cells and the macula densa. The juxtaglomerular apparatus lies adjacent to the glomerulus and regulates kidney function by maintaining the blood flow to the kidney and the filtration rate. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061213': { - 'name': 'positive regulation of mesonephros development', - 'def': 'Any process that increases the rate, frequency or extent of mesonephros development. Mesonephros development is the process whose specific outcome is the progression of the mesonephros over time, from its formation to the mature structure. The mesonephros is an organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061214': { - 'name': 'mesonephric smooth muscle tissue development', - 'def': 'The process whose specific outcome is the progression of smooth muscle in the mesonephros over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061215': { - 'name': 'mesonephric nephron development', - 'def': 'The process whose specific outcome is the progression of a nephron in the mesonephros over time, from its formation to the mature structure. A nephron is the functional unit of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061216': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in mesonephros development', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the mesonephros progressing from its initial formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061217': { - 'name': 'regulation of mesonephros development', - 'def': 'Any process that modulates the rate, frequency or extent of mesonephros development. Mesonephros development is the process whose specific outcome is the progression of the mesonephros over time, from its formation to the mature structure. The mesonephros is an endocrine and metabolic organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061218': { - 'name': 'negative regulation of mesonephros development', - 'def': 'Any process that decreases the rate, frequency or extent of mesonephros development. Mesonephros development is the process whose specific outcome is the progression of the mesonephros over time, from its formation to the mature structure. The mesonephros is an organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061219': { - 'name': 'mesonephric mesenchyme development', - 'def': 'The biological process whose specific outcome is the progression of a mesonephric mesenchyme from an initial condition to its mature state. This process begins with the formation of mesonephric mesenchyme and ends with the mature structure. Mesonephric mesenchyme is the tissue made up of loosely connected mesenchymal cells in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061220': { - 'name': 'mesonephric macula densa development', - 'def': 'The process whose specific outcome is the progression of the mesonephric macula densa over time, from its formation to the mature structure. The mesonephric macula densa is an area of specialized cells in the distal tubule of the mesonephros that makes contact with the vascular pole of the glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061221': { - 'name': 'mesonephric mesenchyme morphogenesis', - 'def': 'The process in which the anatomical structures of a mesonephric mesenchymal tissue are generated and organized. Mesonephric mesenchyme is the tissue made up of loosely connected mesenchymal cells in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061222': { - 'name': 'mesonephric mesenchymal cell proliferation involved in mesonephros development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a mesonephric mesenchymal cell population. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061223': { - 'name': 'mesonephric mesenchymal cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the mesenchymal cells of the mesonephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061224': { - 'name': 'mesonephric glomerulus development', - 'def': "The progression of the mesonephric glomerulus over time from its initial formation until its mature state. The mesonephric glomerulus is a capillary tuft which forms a close network with the visceral epithelium (podocytes) and the mesangium to form the filtration barrier and is surrounded by Bowman's capsule in nephrons of the mature vertebrate kidney, or mesonephros. [GOC:mtg_kidney_jan10]" - }, - 'GO:0061225': { - 'name': 'mesonephric extraglomerular mesangial cell proliferation involved in mesonephros development', - 'def': 'The multiplication or reproduction of extraglomerular glomerular mesangium cells in the mesonephros by cell division, resulting in the expansion of their population. Extraglomerular mesangial cells (also known as lacis cells, Goormaghtigh cells) are light-staining cells in the kidney found outside the glomerulus, near the vascular pole and macula densa. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061226': { - 'name': 'proximal/distal pattern formation involved in mesonephric nephron development', - 'def': 'The regionalization process in which specific areas of cell differentiation are determined along a proximal/distal axis of a nephron in the mesonephros. The proximal/distal axis is defined by a line that runs from the glomerulus (proximal end) outward toward the mesonephric duct (distal end). [GOC:mtg_kidney_jan10]' - }, - 'GO:0061227': { - 'name': 'pattern specification involved in mesonephros development', - 'def': 'Any developmental process that results in the creation of defined areas or spaces within the mesonephros to which cells respond and eventually are instructed to differentiate. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061228': { - 'name': 'mesonephric nephron morphogenesis', - 'def': 'The process in which the anatomical structures of the mesonephric nephron are generated and organized. A mesonephric nephron is the functional unit of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061229': { - 'name': 'mesonephric juxtaglomerulus cell development', - 'def': 'The process whose specific outcome is the progression of a mesonephric juxtaglomerulus cell over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061230': { - 'name': 'mesonephric juxtaglomerulus cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a mesonephric juxtaglomerulus cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061231': { - 'name': 'mesonephric glomerulus vasculature development', - 'def': 'The biological process whose specific outcome is the progression of a mesonephric glomerulus vasculature from an initial condition to its mature state. This process begins with the formation of the mesonephric glomerulus vasculature and ends with the mature structure. The mesonephric glomerulus vasculature is composed of the tubule structures that carry blood or lymph in the mesonephric glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061232': { - 'name': 'mesonephric glomerular epithelium development', - 'def': 'The process whose specific outcome is the progression of the mesonephric glomerular epithelium over time, from its formation to the mature structure. The mesonephric glomerular epithelium is an epithelial tissue that covers the outer surfaces of the glomerulus in the mesonephros. The mesonephric glomerular epithelium consists of both parietal and visceral epithelium. Mesonephric glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. A mesonephric glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061233': { - 'name': 'mesonephric glomerular basement membrane development', - 'def': 'The process whose specific outcome is the progression of the mesonephric glomerular basement membrane over time, from its formation to the mature structure. The mesonephric glomerular basement membrane is the basal laminal portion of the mesonephric glomerulus which performs the actual filtration. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061234': { - 'name': 'mesonephric glomerulus morphogenesis', - 'def': "The process in which the anatomical structures of the mesonephric glomerulus are generated and organized. The mesonephric glomerulus is a capillary tuft surrounded by Bowman's capsule in nephrons of the vertebrate mesonephros. [GOC:mtg_kidney_jan10]" - }, - 'GO:0061235': { - 'name': 'mesenchymal stem cell maintenance involved in mesonephric nephron morphogenesis', - 'def': 'The process in which an organism retains a population of mesenchymal stem cells that contributes to the shaping of a nephron in the mesonephros. A mesenchymal stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061236': { - 'name': 'mesonephric comma-shaped body morphogenesis', - 'def': 'The process in which the mesonephric comma-shaped body is generated and organized. The mesonephric comma-shaped body is the precursor structure to the mesonephric S-shaped body that contributes to the morphogenesis of a nephron in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061237': { - 'name': 'convergent extension involved in mesonephric nephron morphogenesis', - 'def': 'The morphogenetic process in which the renal epithelium narrows along one axis and lengthens in a perpendicular axis that contributes to the shaping of a nephron in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061238': { - 'name': 'establishment of planar polarity involved in mesonephric nephron morphogenesis', - 'def': 'Coordinated organization of groups of cells in the plane of an epithelium that contributes to the shaping of a nephron in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061239': { - 'name': 'mesenchymal stem cell differentiation involved in mesonephric nephron morphogenesis', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesenchymal stem cell that contributes to the shaping of a nephronin the mesonephros. A mesenchymal stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061240': { - 'name': 'mesonephric nephron tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a mesonephric nephron tubule are generated and organized. A mesonephric nephron tubule is an epithelial tube that is part of the mesonephric nephron, the functional part of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061241': { - 'name': 'mesonephric nephron epithelium development', - 'def': 'The process whose specific outcome is the progression of the mesonephric nephron epithelium over time, from its formation to the mature structure. An epithelium is a tissue that covers the internal or external surfaces of an anatomical structure. The mesonephric nephron epithelium is a tissue that covers the surface of a nephron in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061242': { - 'name': 'mesonephric nephron tubule development', - 'def': 'The progression of a mesonephric nephron tubule over time, from its initial formation to the mature structure. A mesonephric nephron tubule is an epithelial tube that is part of the mesonephric nephron, the functional part of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061243': { - 'name': 'mesonephric renal vesicle morphogenesis', - 'def': 'The process in which the anatomical structures of the mesonephric renal vesicle are generated and organized. The renal vesicle is the primordial structure of the mesonephric nephron epithelium, and is formed by the condensation of mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061244': { - 'name': 'mesonephric S-shaped body morphogenesis', - 'def': 'The process in which the mesonephric S-shaped body is generated and organized. The mesonephric S-shaped body is the successor of the mesonephric comma-shaped body that contributes to the morphogenesis of a nephron in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061245': { - 'name': 'establishment or maintenance of bipolar cell polarity', - 'def': 'Any cellular process that results in the specification, formation or maintenance of a bipolar intracellular organization or cell growth patterns. [GOC:dph, GOC:vw]' - }, - 'GO:0061246': { - 'name': 'establishment or maintenance of bipolar cell polarity regulating cell shape', - 'def': 'Any cellular process that results in the specification, formation or maintenance of a bipolar intracellular organization or cell growth patterns that regulates the shaping of a cell. [GOC:dph, GOC:vw]' - }, - 'GO:0061247': { - 'name': 'mesonephric glomerular mesangium development', - 'def': 'The process whose specific outcome is the progression of the mesonephric glomerular mesangium over time, from its formation to the mature structure. The mesonephric glomerular mesangium is the thin membrane connective tissue composed of mesangial cells in the mesonephros, which helps to support the capillary loops in a renal glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061248': { - 'name': 'mesonephric glomerulus vasculature morphogenesis', - 'def': 'The process in which the anatomical structures of the mesonephric glomerulus vasculature are generated and organized. The mesonephric glomerulus vasculature is composed of the tubule structures that carry blood or lymph in the mesonephric glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061249': { - 'name': 'mesonephric glomerular capillary formation', - 'def': 'The process that gives rise to a mesonephric glomerular capillary. This process pertains to the initial formation of a structure from unspecified parts. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061250': { - 'name': 'mesonephric glomerular epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesonephric glomerular epithelial cell. Mesonephric glomerular epithelial cells are specialized epithelial cells that form part of the mesonephric glomerulus; there are two types, mesonephric glomerular parietal epithelial cells and mesonephric glomerular visceral epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061251': { - 'name': 'mesonephric glomerular epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a mesonephric glomerular epithelial cell over time, from its formation to the mature structure. Mesonephric glomerular epithelial cells are specialized epithelial cells that form part of the mesonephric glomerulus; there are two types, mesonephric glomerular parietal epithelial cells and mesonephric glomerular visceral epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061252': { - 'name': 'mesonephric glomerular epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a mesonephric glomerular epithelial cell. Mesonephric glomerular epithelial cells are specialized epithelial cells that form part of the mesonephric glomerulus; there are two types, mesonephric glomerular parietal epithelial cells and mesonephric glomerular visceral epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061253': { - 'name': 'mesonephric glomerular parietal epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesonephric glomerular parietal epithelial cell. Mesonephric glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061254': { - 'name': 'mesonephric glomerular parietal epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a mesonephric glomerular parietal epithelial cell over time, from its formation to the mature structure. Mesonephric glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061255': { - 'name': 'mesonephric glomerular parietal epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a mesonephric glomerular parietal epithelial cell. Mesonephric glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. These cells may also give rise to podocytes. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061256': { - 'name': 'mesonephric glomerular visceral epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesonephric glomerular visceral epithelial cell. A mesonephric glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061257': { - 'name': 'mesonephric glomerular visceral epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a mesonephric glomerular visceral epithelial cell over time, from its formation to the mature structure. A mesonephric glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061258': { - 'name': 'mesonephric glomerular visceral epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a mesonephric glomerular visceral epithelial cell. A mesonephric glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061259': { - 'name': 'mesonephric glomerular mesangial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the glomerular mesangial cells of the mesonephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061260': { - 'name': 'mesonephric mesangial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the mesangial cells of the mesonephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061261': { - 'name': 'mesenchymal to epithelial transition involved in mesonephros morphogenesis', - 'def': 'A transition where a mesenchymal cell establishes apical/basolateral polarity, forms intercellular adhesive junctions, synthesizes basement membrane components and becomes an epithelial cell that will contribute to the shaping of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061262': { - 'name': 'mesonephric renal vesicle formation', - 'def': 'The developmental process pertaining to the initial formation of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061263': { - 'name': 'mesonephric glomerular mesangial cell development', - 'def': 'The process whose specific outcome is the progression of a glomerular mesangial cell in the mesonephros over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061264': { - 'name': 'mesonephric glomerular mesangial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a mesonephric glomerular mesangial cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061265': { - 'name': 'mesonephric nephron tubule epithelial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells of the mesonephric nephron tubule as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061266': { - 'name': 'mesonephric interstitial fibroblast differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the interstitial fibroblasts of the mesonephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061267': { - 'name': 'mesonephric interstitial fibroblast development', - 'def': 'The process whose specific outcome is the progression of a mesonephric interstitial fibroblast over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061268': { - 'name': 'mesonephric interstitial fibroblast fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a mesonephric interstitial fibroblast. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061269': { - 'name': 'mesonephric glomerular mesangial cell proliferation involved in mesonephros development', - 'def': 'The multiplication or reproduction of glomerular mesangial cells in the mesonephros, resulting in the expansion of the population. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061270': { - 'name': 'mesonephric intraglomerular mesangial cell proliferation', - 'def': 'The multiplication or reproduction of intraglomerular glomerular mesangium cells in the mesonephros by cell division, resulting in the expansion of their population. Intraglomerular mesangial cells are specialized pericytes located among the glomerular capillaries within a renal corpuscle of a kidney. They are required for filtration, structural support and phagocytosis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061271': { - 'name': 'mesenchymal to epithelial transition involved in mesonephric renal vesicle formation', - 'def': 'A transition where a mesenchymal cell establishes apical/basolateral polarity,forms intercellular adhesive junctions, synthesizes basement membrane components and becomes an epithelial cell that will contribute to the shaping of the mesonephric renal vesicle. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061272': { - 'name': 'mesonephric connecting tubule development', - 'def': 'The process whose specific outcome is the progression of the mesonephric connecting tubule over time, from its formation to the mature structure. The mesonephric connecting tubule is a tubular segment of the mesonephric nephron; it connects the distal tubule to the collecting duct in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061273': { - 'name': 'mesonephric distal tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a mesonephric distal tubule are generated and organized. The mesonephric distal tubule is a mesonephric nephron tubule that begins at the macula densa and extends to the mesonephric connecting tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061274': { - 'name': 'mesonephric distal tubule development', - 'def': 'The process whose specific outcome is the progression of the mesonephric distal tubule over time, from its formation to the mature structure. The mesonephric distal tubule is a mesonephric nephron tubule that begins at the terminal segment of the proximal tubule and ends at the mesonephric connecting tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061275': { - 'name': 'mesonephric proximal tubule development', - 'def': 'The progression of the mesonephric proximal tubule over time, from its formation to the mature structure. The mesonephric proximal tubule extends from the capsule to the distal tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061276': { - 'name': 'mesonephric proximal tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a mesonephric proximal tubule are generated and organized. The mesonephric proximal tubule extends from the capsule to the distal tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061277': { - 'name': 'mesonephric nephron tubule formation', - 'def': 'The developmental process pertaining to the initial formation of a mesonephric nephron tubule from unspecified parts. A mesonephric nephron tubule is an epithelial tube that is part of a nephron in the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061278': { - 'name': 'epithelial cell migration involved in mesonephric nephron tubule morphogenesis', - 'def': 'The orderly movement of epithelial cells within a renal tubule that contributes to mesonephric nephron tubule morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061279': { - 'name': 'epithelial cell migration involved in mesonephric distal tubule morphogenesis', - 'def': 'The orderly movement of epithelial cells within a renal tubule that contributes to mesonephric distal tubule morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061280': { - 'name': 'epithelial cell migration involved in mesonephric proximal tubule morphogenesis', - 'def': 'The orderly movement of epithelial cells within a renal tubule that contributes to mesonephric proximal tubule morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061281': { - 'name': 'specification of mesonephric connecting tubule identity', - 'def': 'The process in which the connecting tubule of the mesonephric nephron acquires its identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061282': { - 'name': 'specification of mesonephric nephron tubule identity', - 'def': 'The process in which the tubules arranged along the proximal/distal axis of the mesonephric nephron acquire their identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061283': { - 'name': 'specification of mesonephric distal tubule identity', - 'def': 'The process in which the distal tubule of the mesonephric nephron acquires its identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061284': { - 'name': 'specification of mesonephric proximal tubule identity', - 'def': 'The process in which the proximal tubule of the mesonephric nephron acquires its identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061285': { - 'name': 'mesonephric capsule development', - 'def': 'The progression of the mesonephric capsule over time, from its formation to the mature structure. The mesonephric capsule is the tough fibrous layer surrounding the mesonephros, covered in a thick layer of perinephric adipose tissue. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061286': { - 'name': 'mesonephric capsule morphogenesis', - 'def': 'The process in which the anatomical structures of the mesonephric capsule are generated and organized. The mesonephric capsule is the tough fibrous layer surrounding the mesonephros, covered in a thick layer of perinephric adipose tissue. It provides some protection from trauma and damage. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061287': { - 'name': 'mesonephric capsule formation', - 'def': 'The developmental process pertaining to the initial formation of a mesonephric capsule from unspecified parts. The mesonephric capsule is the tough fibrous layer surrounding the mesonephros, covered in a thick layer of perinephric adipose tissue. It provides some protection from trauma and damage. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061288': { - 'name': 'mesonephric capsule specification', - 'def': 'The regionalization process in which the identity of the mesonephric capsule is specified. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061289': { - 'name': 'Wnt signaling pathway involved in kidney development', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a receptor on the surface of the target cell, resulting a change in cell state that contributes to the progression of the kidney over time. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061290': { - 'name': 'canonical Wnt signaling pathway involved in metanephric kidney development', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes that contribute to the progression of the metanephric kidney over time. In this pathway, the activated receptor signals via downstream effectors that result in the inhibition of beta-catenin phosphorylation, thereby preventing degradation of beta-catenin. Stabilized beta-catenin can then accumulate and travel to the nucleus to trigger changes in transcription of target genes. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061291': { - 'name': 'canonical Wnt signaling pathway involved in ureteric bud branching', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes that contributes to the branching of the ureteric bud. In this pathway, the activated receptor signals via downstream effectors that result in the inhibition of beta-catenin phosphorylation, thereby preventing degradation of beta-catenin. Stabilized beta-catenin can then accumulate and travel to the nucleus to trigger changes in transcription of target genes. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061292': { - 'name': 'canonical Wnt signaling pathway involved in mesonephros development', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes that contributes to the progression of the mesonephros over time. In this pathway, the activated receptor signals via downstream effectors that result in the inhibition of beta-catenin phosphorylation, thereby preventing degradation of beta-catenin. Stabilized beta-catenin can then accumulate and travel to the nucleus to trigger changes in transcription of target genes. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061293': { - 'name': 'canonical Wnt signaling pathway involved in mesonephric nephron development', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes that contribute to the progression of the mesonephric nephron over time. In this pathway, the activated receptor signals via downstream effectors that result in the inhibition of beta-catenin phosphorylation, thereby preventing degradation of beta-catenin. Stabilized beta-catenin can then accumulate and travel to the nucleus to trigger changes in transcription of target genes. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061294': { - 'name': 'mesonephric renal vesicle induction', - 'def': 'Signaling at short range between cells of the ureteric bud terminus and the kidney mesenchyme that positively regulates the formation of the mesonephric renal vesicle. [GOC:mtg_kidney_jan10]' - }, - 'GO:0061295': { - 'name': 'regulation of mesenchymal cell apoptotic process involved in mesonephric nephron morphogenesis', - 'def': 'Any process that modulates the occurrence or rate of mesenchymal stem cell death by apoptotic process that contributes to the shaping of the nephron in the mesonephros. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10]' - }, - 'GO:0061296': { - 'name': 'negative regulation of mesenchymal cell apoptotic process involved in mesonephric nephron morphogenesis', - 'def': 'Any process that reduces the occurrence or rate of mesenchymal stem cell death by apoptotic process that contributes to the shaping of the nephron in the mesonephros. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10]' - }, - 'GO:0061297': { - 'name': 'positive regulation of mesenchymal cell apoptotic process involved in mesonephric nephron morphogenesis', - 'def': 'Any process that increases the occurrence or rate of mesenchymal stem cell death by apoptotic process that contributes to the shaping of the nephron in the mesonephros. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10]' - }, - 'GO:0061298': { - 'name': 'retina vasculature development in camera-type eye', - 'def': 'The process whose specific outcome is the progression of the vasculature of the retina over time, from its formation to the mature structure. [GOC:BHF, GOC:dph]' - }, - 'GO:0061299': { - 'name': 'retina vasculature morphogenesis in camera-type eye', - 'def': 'The process in which the vasculature of the retina is generated and organized. [GOC:BHF, GOC:dph]' - }, - 'GO:0061300': { - 'name': 'cerebellum vasculature development', - 'def': 'The process whose specific outcome is the progression of the vasculature of the cerebellum over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061301': { - 'name': 'cerebellum vasculature morphogenesis', - 'def': 'The process in which the vasculature of the cerebellum is generated and organized. [GOC:BHF, GOC:dph]' - }, - 'GO:0061302': { - 'name': 'smooth muscle cell-matrix adhesion', - 'def': 'The binding of a smooth muscle cell to the extracellular matrix via adhesion molecules. [GOC:BHF, GOC:dph, PMID:8837777]' - }, - 'GO:0061303': { - 'name': 'cornea development in camera-type eye', - 'def': 'The progression of the cornea over time, from its formation to the mature structure. The cornea is the transparent structure that covers the anterior of the eye. [GOC:dph]' - }, - 'GO:0061304': { - 'name': 'retinal blood vessel morphogenesis', - 'def': 'The process whose specific outcome is the progression of a blood vessel of the retina over time, from its formation to the mature structure. [GOC:BHF, GOC:dph]' - }, - 'GO:0061305': { - 'name': 'maintenance of bipolar cell polarity regulating cell shape', - 'def': 'The maintenance of established bipolar anisotropic intracellular organization or cell growth patterns that results in the shaping of a cell. [GOC:dph, GOC:vw]' - }, - 'GO:0061306': { - 'name': 'DNA strand renaturation involved in double-strand break repair', - 'def': 'The identification and annealing of complementary base pairs in single-strand DNA that contributes to double-strand break repair. [GOC:dph]' - }, - 'GO:0061307': { - 'name': 'cardiac neural crest cell differentiation involved in heart development', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a cardiac neural crest cell that will migrate to the heart and contribute to its development. Cardiac neural crest cells are specialized cells that migrate toward the heart from the third, fourth and sixth pharyngeal arches. [GOC:dph, GOC:mtg_heart, PMID:19705442]' - }, - 'GO:0061308': { - 'name': 'cardiac neural crest cell development involved in heart development', - 'def': 'The process aimed at the progression of a cardiac neural crest cell over time, from initial commitment of the cell to its specific fate, to the fully functional differentiated cell that contributes to the development of the heart. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0061309': { - 'name': 'cardiac neural crest cell development involved in outflow tract morphogenesis', - 'def': 'The process aimed at the progression of a cardiac neural crest cell over time, from initial commitment of the cell to its specific fate, to the fully functional differentiated cell that contributes to the shaping of the outflow tract. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0061310': { - 'name': 'canonical Wnt signaling pathway involved in cardiac neural crest cell differentiation involved in heart development', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes involved in cardiac neural crest cell differentiation. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0061311': { - 'name': 'cell surface receptor signaling pathway involved in heart development', - 'def': 'Any series of molecular signals initiated by the binding of a receptor on the surface of a cell to a physiological ligand, which contributes to the progression of the heart over time. [GOC:dph, GOC:mtg_heart, GOC:signaling]' - }, - 'GO:0061312': { - 'name': 'BMP signaling pathway involved in heart development', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the progression of the heart over time. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0061313': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in heart development', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands and contributing to the progression of the heart over time. [GOC:mtg_heart]' - }, - 'GO:0061314': { - 'name': 'Notch signaling involved in heart development', - 'def': 'The series of molecular signals initiated by binding of an extracellular ligand to a Notch receptor on the surface of the target cell and contributing to the progression of the heart over time. [GOC:mtg_heart]' - }, - 'GO:0061315': { - 'name': 'canonical Wnt signaling pathway involved in positive regulation of cardiac muscle cell proliferation', - 'def': 'The canonical Wnt signaling pathway that contributes to an expansion of the population of cardiac muscle cells. [GOC:mtg_heart]' - }, - 'GO:0061316': { - 'name': 'canonical Wnt signaling pathway involved in heart development', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes that contributes to the progression of the heart over time. In this pathway, the activated receptor signals via downstream effectors that result in the inhibition of beta-catenin phosphorylation, thereby preventing degradation of beta-catenin. Stabilized beta-catenin can then accumulate and travel to the nucleus to trigger changes in transcription of target genes. [GOC:mtg_heart]' - }, - 'GO:0061317': { - 'name': 'canonical Wnt signaling pathway involved in cardiac muscle cell fate commitment', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes. In this pathway, the activated receptor signals via downstream effectors that result in the inhibition of beta-catenin phosphorylation, thereby preventing degradation of beta-catenin and contributing to cardiac muscle cell fate commitment. Stabilized beta-catenin can then accumulate and travel to the nucleus to trigger changes in transcription of target genes. [GOC:mtg_heart, PMID:17576928]' - }, - 'GO:0061318': { - 'name': 'renal filtration cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized structural and/or functional features of a renal filtration cell. Renal filtration cells are specialized cells of the renal system that filter fluids by charge, size or both. Differentiation includes the processes involved in commitment of a cell to a specific fate and its subsequent development to the mature state. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061319': { - 'name': 'nephrocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a nephrocyte. A nephrocyte is an insect renal cell that filters hemolymph. Differentiation includes the processes involved in commitment of a cell to a specific fate and its subsequent development to the mature state. [CL:0002520, GOC:dph, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0061320': { - 'name': 'pericardial nephrocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a pericardial nephrocyte. A pericardial nephrocyte is an insect renal cell that filters hemolymph and is found with other pericardial nephrocytes in two rows flanking the dorsal vessel. Differentiation includes the processes involved in commitment of a cell to a specific fate and its subsequent development to the mature state. [CL:0000474, GOC:dph, GOC:mtg_kidney_jan10, GOC:sart, PMID:19783135]' - }, - 'GO:0061321': { - 'name': 'garland nephrocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a garland nephrocyte. A garland nephrocyte is an insect renal cell that filters hemolymph and forms a ring with other garland nephrocytes around the esophagus. Differentiation includes the processes involved in commitment of a cell to a specific fate and its subsequent development to the mature state. [CL:0000486, GOC:dph, GOC:mtg_kidney_jan10, GOC:sart, PMID:19783135]' - }, - 'GO:0061322': { - 'name': 'disseminated nephrocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a disseminated nephrocyte. A disseminated nephrocyte is an insect renal cell that filters hemolymph and is found at scattered locations in the fat body or other tissues. Differentiation includes the processes involved in commitment of a cell to a specific fate and its subsequent development to the mature state. [CL:0002524, GOC:19783135, GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061323': { - 'name': 'cell proliferation involved in heart morphogenesis', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a cell population that contributes to the shaping of the heart. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0061324': { - 'name': 'canonical Wnt signaling pathway involved in positive regulation of cardiac outflow tract cell proliferation', - 'def': 'The canonical Wnt signaling pathway that contributes to the modulation of the expansion of a population of cardiac outflow tract cells. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0061325': { - 'name': 'cell proliferation involved in outflow tract morphogenesis', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a cell population that contributes to the shaping of the outflow tract. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0061326': { - 'name': 'renal tubule development', - 'def': 'The progression of the renal tubule over time from its formation to the mature form. A renal tubule is a tube that filters, re-absorbs and secretes substances to rid an organism of waste and to play a role in fluid homeostasis. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061327': { - 'name': 'anterior Malpighian tubule development', - 'def': 'The process whose specific outcome is the progression of the anterior Malpighian tubule over time, from its formation to the mature structure. The pair of anterior tubules arise from a dorsal region of the embryonic hindgut and projects forwards through the body cavity. A Malpighian tubule is a fine, thin-walled excretory tubule in insects which connects with the posterior part of the gut. [GOC:dph, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0061328': { - 'name': 'posterior Malpighian tubule development', - 'def': 'The process whose specific outcome is the progression of the posterior Malpighian tubule over time, from its formation to the mature structure. The pair of posterior tubules arise from a ventrolateral region of the embryonic hindgut and project backwards through the body cavity. A Malpighian tubule is a fine, thin-walled excretory tubule in insects which connects with the posterior part of the gut. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061329': { - 'name': 'Malpighian tubule principal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a Malpighian tubule principal cell. A Malpighian tubule principal cell is an epithelial secretory cell that transports cations into the lumen of the tubule. [GOC:dph, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0061330': { - 'name': 'Malpighian tubule stellate cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a Malpighian tubule stellate cell. A Malpighian tubule stellate cell is a specialized epithelial secretory cell that moves chloride ions and water across the tubule epithelium. [GOC:dph, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0061331': { - 'name': 'epithelial cell proliferation involved in Malpighian tubule morphogenesis', - 'def': 'The multiplication or reproduction of epithelial cells, resulting in the expansion of a cell population and contributing to the shaping of a Malpighian tubule. [GOC:dph, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0061332': { - 'name': 'Malpighian tubule bud morphogenesis', - 'def': 'The morphogenetic process in which a bud forms from the embryonic hindgut tube to form the Malpighian tubule. A bud is a protrusion that forms from the tube by localized changes in cell shape and position. [GOC:dph, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0061333': { - 'name': 'renal tubule morphogenesis', - 'def': 'The process in which the renal tubule is generated by specification of cell fate, through the maintenance of cell polarity, regulated cell proliferation and morphogenetic cell rearrangements, shape changes and growth. A renal tubule is a tube that filters, re-absorbs and secretes substances to rid an organism of waste and to play a role in fluid homeostasis. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061334': { - 'name': 'cell rearrangement involved in Malpighian tubule morphogenesis', - 'def': 'The movement of an epithelial cell with respect to other epithelial cells that contributes to the shaping of the Malpighian tubule. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061335': { - 'name': 'cell growth involved in Malpighian tubule morphogenesis', - 'def': 'The growth of an epithelial cell dependent on cycles of endoreplication, where growth contributes to the shaping of the Malpighian tubule. [GOC:dph, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0061336': { - 'name': 'cell morphogenesis involved in Malpighian tubule morphogenesis', - 'def': 'The shape change of an epithelial cell from a columnar to squamous cell morphology that contributes to the shaping of the Malpighian tubule. [GOC:dph, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0061337': { - 'name': 'cardiac conduction', - 'def': 'Transfer of an organized electrical impulse across the heart to coordinate the contraction of cardiac muscles. The process begins with generation of an action potential (in the sinoatrial node (SA) in humans) and ends with a change in the rate, frequency, or extent of the contraction of the heart muscles. [GOC:dph]' - }, - 'GO:0061338': { - 'name': 'obsolete atrioventricular node impulse conduction delay', - 'def': 'Obsolete. A heart process that modulates the propagation of the signal that causes the heart muscle to contract. [GOC:dph]' - }, - 'GO:0061339': { - 'name': 'establishment or maintenance of monopolar cell polarity', - 'def': 'Any cellular process that results in the specification, formation or maintenance of monopolar intracellular organization or cell growth patterns. Monopolar cell organization is directional organization along an axis. [GOC:dph, GOC:vw]' - }, - 'GO:0061340': { - 'name': 'establishment or maintenance of monopolar cell polarity regulating cell shape', - 'def': 'Any cellular process that results in the specification, formation or maintenance of a monopolar intracellular organization or cell growth patterns that regulate the shape of a cell. [GOC:dph, GOC:vw]' - }, - 'GO:0061341': { - 'name': 'non-canonical Wnt signaling pathway involved in heart development', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via effectors other than beta-catenin and contributing to the progression of the heart over time. [GOC:dph, GOC:mtg_heart, PMID:16860783]' - }, - 'GO:0061342': { - 'name': 'regulation of cell adhesion involved in heart morphogenesis by non-canonical Wnt signaling pathway', - 'def': 'Any process that decreased the extent of cell adhesion that contributes to the shaping of the heart. [PMID:16860783]' - }, - 'GO:0061343': { - 'name': 'cell adhesion involved in heart morphogenesis', - 'def': 'The attachment of a cell, either to another cell or to an underlying substrate such as the extracellular matrix, via cell adhesion molecules that contributes to the shaping of the heart. [GOC:dph, GOC:mtg_heart, PMID:16860783]' - }, - 'GO:0061344': { - 'name': 'regulation of cell adhesion involved in heart morphogenesis', - 'def': 'Any process that modulates the extent of cell adhesion contributing to the shaping of the heart. [GOC:dph, GOC:mtg_heart, PMID:16860783]' - }, - 'GO:0061345': { - 'name': 'planar cell polarity pathway involved in cardiac muscle cell fate commitment', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via effectors other than beta-catenin and contributing to a cardioblast being committed to a cardiac muscle cell fate. [GOC:dph, GOC:mtg_heart, PMID:16860783]' - }, - 'GO:0061346': { - 'name': 'planar cell polarity pathway involved in heart morphogenesis', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal via downstream effectors including C-Jun N-terminal kinase (JNK) to modulate cytoskeletal elements and control cell polarity that contributes to the shaping of the heart. [GOC:dph, GOC:mtg_heart, PMID:16860783]' - }, - 'GO:0061347': { - 'name': 'planar cell polarity pathway involved in outflow tract morphogenesis', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal via downstream effectors including C-Jun N-terminal kinase (JNK) to modulate cytoskeletal elements and control cell polarity that contributes to the shaping of the outflow tract. [GOC:dph, GOC:mtg_heart, PMID:19056682]' - }, - 'GO:0061348': { - 'name': 'planar cell polarity pathway involved in ventricular septum morphogenesis', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal via downstream effectors including C-Jun N-terminal kinase (JNK) to modulate cytoskeletal elements and control cell polarity that contributes to the shaping of the ventricular septum. [GOC:dph, GOC:mtg_heart, PMID:19056682]' - }, - 'GO:0061349': { - 'name': 'planar cell polarity pathway involved in cardiac right atrium morphogenesis', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal via downstream effectors including C-Jun N-terminal kinase (JNK) to modulate cytoskeletal elements and control cell polarity that contributes to the shaping of the cardiac right atrium. [GOC:dph, GOC:mtg_heart, PMID:19056682]' - }, - 'GO:0061350': { - 'name': 'planar cell polarity pathway involved in cardiac muscle tissue morphogenesis', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal via downstream effectors including C-Jun N-terminal kinase (JNK) to modulate cytoskeletal elements and control cell polarity that contributes to the shaping of the cardiac muscle tissue. [GOC:dph, GOC:mtg_heart, PMID:19056682]' - }, - 'GO:0061351': { - 'name': 'neural precursor cell proliferation', - 'def': 'The multiplication or reproduction of neural precursor cells, resulting in the expansion of a cell population. A neural precursor cell is either a nervous system stem cell or a nervous system progenitor cell. [GOC:dph, GOC:yaf]' - }, - 'GO:0061352': { - 'name': 'cell chemotaxis involved in Malpighian tubule morphogenesis', - 'def': 'The directed movement of the outgrowing Malpighian tubule guided by specific chemical cues/signals. Movement may be towards a guidance cue (positive chemotaxis) or away from it (negative chemotaxis). Guidance contributes to the final positioning of the tubule. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061353': { - 'name': 'BMP signaling pathway involved in Malpighian tubule cell chemotaxis', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to the directed movement of a Malpighian tubule cell toward a stimulus, thereby contributing to the shaping of the tubule. [GOC:dph, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0061354': { - 'name': 'planar cell polarity pathway involved in pericardium morphogenesis', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal via downstream effectors including C-Jun N-terminal kinase (JNK) to modulate cytoskeletal elements and control cell polarity that contributes to the shaping of the pericardium. [GOC:dph, GOC:mtg_heart, PMID:19056682]' - }, - 'GO:0061355': { - 'name': 'Wnt protein secretion', - 'def': 'The controlled release of a Wnt protein from a cell. [GOC:bf, PMID:19223472]' - }, - 'GO:0061356': { - 'name': 'regulation of Wnt protein secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the controlled release of a Wnt protein from a cell. [GOC:bf, PMID:19223472]' - }, - 'GO:0061357': { - 'name': 'positive regulation of Wnt protein secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the controlled release of a Wnt protein from a cell. [GOC:bf, PMID:19223472]' - }, - 'GO:0061358': { - 'name': 'negative regulation of Wnt protein secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the controlled release of a Wnt protein from a cell. [GOC:bf, PMID:19223472]' - }, - 'GO:0061359': { - 'name': 'regulation of Wnt signaling pathway by Wnt protein secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the activity of the Wnt signaling pathway by the controlled release of a Wnt protein from a cell. [GOC:bf, GOC:jl, PMID:19223472]' - }, - 'GO:0061360': { - 'name': 'optic chiasma development', - 'def': 'The developmental process pertaining to the progression of the optic chiasm from its initial formation to the mature structure. The process begins when the pathfinding of the axons of the developing optic nerve cause some axons to cross at the midline of the brain and ends when the axons are mature. [GOC:dph]' - }, - 'GO:0061361': { - 'name': 'positive regulation of maintenance of bipolar cell polarity regulating cell shape', - 'def': 'Any process that increases the frequency, rate or extent of maintenance of bipolar cell polarity regulating cell shape. [GOC:dph]' - }, - 'GO:0061362': { - 'name': 'negative regulation of maintenance of bipolar cell polarity regulating cell shape', - 'def': 'Any process that decreases the frequency, rate or extent of maintenance of bipolar cell polarity regulating cell shape. [GOC:dph]' - }, - 'GO:0061363': { - 'name': 'negative regulation of progesterone biosynthesis involved in luteolysis', - 'def': 'Any process that decreases the rate, frequency or extent of the biosynthesis of progesterone biosynthesis that contributes to luteolysis. [GOC:dph]' - }, - 'GO:0061364': { - 'name': 'apoptotic process involved in luteolysis', - 'def': 'The apoptotic process that contributes to luteolysis. [GOC:mtg_apoptosis, PMID:18566128]' - }, - 'GO:0061365': { - 'name': 'positive regulation of triglyceride lipase activity', - 'def': 'Any process that increases the activity of triglyceride lipase. [GOC:dph]' - }, - 'GO:0061366': { - 'name': 'behavioral response to chemical pain', - 'def': 'Any process that results in a change in the behaviour of an organism as a result of a chemical pain stimulus. [GOC:dph]' - }, - 'GO:0061367': { - 'name': 'behavioral response to acetic acid induced pain', - 'def': 'Any process that results in a change in the behaviour of an organism as a result of an acetic acid pain stimulus. [GOC:dph]' - }, - 'GO:0061368': { - 'name': 'behavioral response to formalin induced pain', - 'def': 'Any process that results in a change in the behaviour of an organism as a result of a formalin pain stimulus. [GOC:dph]' - }, - 'GO:0061369': { - 'name': 'negative regulation of testicular blood vessel morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of blood vessel morphogenesis in the testicle. [GOC:BHF, GOC:dph]' - }, - 'GO:0061370': { - 'name': 'testosterone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of testosterone, an androgen having 17beta-hydroxy and 3-oxo groups, together with unsaturation at C-4 C-5. [GOC:dph, GOC:yaf]' - }, - 'GO:0061371': { - 'name': 'determination of heart left/right asymmetry', - 'def': 'Determination of the asymmetric location of the heart with respect to the left and right halves of the organism. [GOC:dph, GOC:mtg_heart]' - }, - 'GO:0061372': { - 'name': 'activin receptor signaling pathway involved in heart jogging', - 'def': 'A series of molecular signals initiated by the binding of a member of the activin family to a receptor on the surface of a target cell, and contributing to the process of heart jogging. [GOC:dph, GOC:mtg_heart, GOC:signaling]' - }, - 'GO:0061373': { - 'name': 'mammillary axonal complex development', - 'def': 'The progression of the mammillary axonal complex over time, from its formation to the mature structure. The mammillary axonal complex is formed by the axons from the lateral, medial mammillary and the dorsal premammillary nuclei which share a branching pattern. Every neuron gives off one axonal stem that bifurcates into 2 branches. One of the branches is directed dorsally to the thalamus and another caudally to the midbrain. [GOC:dph, GOC:yaf, PMID:10662642]' - }, - 'GO:0061374': { - 'name': 'mammillothalamic axonal tract development', - 'def': 'The progression of the mammillothalamic axonal tract, from its formation to the mature structure. The mammillothalamic tract is the collection of axons that connects the two major subdivisions of the diencephalon (hypothalamus and thalamus) and closes the diencephalic circuit. [GOC:dph, GOC:yaf, PMID:10662642]' - }, - 'GO:0061375': { - 'name': 'mammillotectal axonal tract development', - 'def': 'The progression of the mammillotectal tract over time, from its formation to the mature structure. The mammillotectal tract is the collection of axons that connects the ventral diencephalon to the superior colliculus. [GOC:dph, GOC:yaf, PMID:10662642]' - }, - 'GO:0061376': { - 'name': 'mammillotegmental axonal tract development', - 'def': 'The process in which the mammillotegmental tract progresses over time, from its formation to the mature structure. The mammillotegmental tract is the collection of axons that connects the ventral diencephalon to the tegmentum and pons. [GOC:dph, GOC:yaf, PMID:10662642]' - }, - 'GO:0061377': { - 'name': 'mammary gland lobule development', - 'def': 'The progression of the mammary gland lobule over time, from its formation to the mature structure. A mammary gland lobule is a small rounded projection of the mammary gland. [GOC:dph, GOC:yaf]' - }, - 'GO:0061378': { - 'name': 'corpora quadrigemina development', - 'def': 'The progression of the corpora quadrigemina over time, from its formation to the mature structure. The corpora quadrigemina is a part of the midbrain that is made up of the superior and inferior colliculi. [GOC:dph, GOC:yaf]' - }, - 'GO:0061379': { - 'name': 'inferior colliculus development', - 'def': 'The process whose specific outcome is the progression of the inferior colliculus over time, from its formation to the mature structure. The inferior colliculus (IC) (Latin, lower hill) is the principal midbrain nucleus of the auditory pathway and receives input from several more peripheral brainstem nuclei in the auditory pathway, as well as inputs from the auditory cortex. The inferior colliculus has three subdivisions: the central nucleus (CIC), a dorsal cortex (DCIC) by which it is surrounded, and an external cortex (ICX) which is located laterally. [GOC:dph, GOC:yaf]' - }, - 'GO:0061380': { - 'name': 'superior colliculus development', - 'def': 'The process whose specific outcome is the progression of the superior colliculus over time, from its formation to the mature structure. The superior colliculus is also known as the optic tectum or simply tectum and is a paired structure that forms a major component of the vertebrate midbrain. [GOC:dph, GOC:yaf]' - }, - 'GO:0061381': { - 'name': 'cell migration in diencephalon', - 'def': 'The orderly movement of a cell that will reside in the diencephalon. [GOC:dph]' - }, - 'GO:0061382': { - 'name': 'Malpighian tubule tip cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a Malpighian tubule tip cell. A Malpighian tubule tip cell is a mitogenic signaling cell that controls the proliferation of its neighboring cells. [GOC:dph, GOC:mtg_kidney_jan10, PMID:7821213]' - }, - 'GO:0061383': { - 'name': 'trabecula morphogenesis', - 'def': 'The process of shaping a trabecula in an organ. A trabecula is a small, often microscopic, tissue element in the form of a small beam, strut or rod, which generally has a mechanical function. Trabecula are usually but not necessarily, composed of dense collagenous tissue. [GOC:dph]' - }, - 'GO:0061384': { - 'name': 'heart trabecula morphogenesis', - 'def': 'The process of shaping a trabecula in the heart. A trabecula is a small, often microscopic, tissue element in the form of a small beam, strut or rod, which generally has a mechanical function. Trabecula are usually but not necessarily, composed of dense collagenous tissue. [GOC:dph]' - }, - 'GO:0061385': { - 'name': 'fibroblast proliferation involved in heart morphogenesis', - 'def': 'The multiplication or reproduction of fibroblasts, resulting in the expansion of a fibroblast population that contributes to the shaping of the heart. [GOC:dph]' - }, - 'GO:0061386': { - 'name': 'closure of optic fissure', - 'def': 'The closure of the temporary ventral gap in the optic cup that contributes to its shaping. [GOC:dph]' - }, - 'GO:0061387': { - 'name': 'regulation of extent of cell growth', - 'def': 'Any process that modulates the extent of cell growth. [GOC:mah, GOC:vw]' - }, - 'GO:0061388': { - 'name': 'regulation of rate of cell growth', - 'def': 'Any process that modulates the rate of cell growth. [GOC:mah, GOC:vw]' - }, - 'GO:0061389': { - 'name': 'regulation of direction of cell growth', - 'def': 'Any process that modulates the direction of cell growth. [GOC:mah, GOC:vw]' - }, - 'GO:0061390': { - 'name': 'positive regulation of direction of cell growth', - 'def': 'Any process that increases the direction of cell growth. [GOC:mah, GOC:vw]' - }, - 'GO:0061391': { - 'name': 'negative regulation of direction of cell growth', - 'def': 'Any process that decreases the direction of cell growth. [GOC:mah, GOC:vw]' - }, - 'GO:0061392': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to osmotic stress', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:dph, PMID:12086627, PMID:9858577]' - }, - 'GO:0061393': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to osmotic stress', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:dph, PMID:12086627, PMID:9858577]' - }, - 'GO:0061394': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to arsenic-containing substance', - 'def': 'Modulation of the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of an arsenic stimulus from compounds containing arsenic, including arsenates, arsenites, and arsenides. [GOC:dph]' - }, - 'GO:0061395': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to arsenic-containing substance', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of an arsenic stimulus from compounds containing arsenic, including arsenates, arsenites, and arsenides. [GOC:dph]' - }, - 'GO:0061396': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to copper ion', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter in response to an copper ion stimulus. [GOC:dph]' - }, - 'GO:0061397': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to copper ion', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter in response to an copper ion stimulus. [GOC:dph]' - }, - 'GO:0061398': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to copper ion', - 'def': 'Any process that decreases the frequency, rate or extent of transcription from an RNA polymerase II promoter in response to an copper ion stimulus. [GOC:dph]' - }, - 'GO:0061399': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to cobalt ion', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter in response to a cobalt ion stimulus. [GOC:dph]' - }, - 'GO:0061400': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to calcium ion', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter in response to a calcium ion stimulus. [GOC:dph]' - }, - 'GO:0061401': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to a hypotonic environment', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of detection of, or exposure to, a decrease in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:dph]' - }, - 'GO:0061402': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to acidic pH', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a pH stimulus with pH < 7. [GOC:dph, GOC:go_curators]' - }, - 'GO:0061403': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to nitrosative stress', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a nitrosative stress stimulus. Nitrosative stress is a state often resulting from exposure to high levels of nitric oxide (NO) or the highly reactive oxidant peroxynitrite, which is produced following interaction of NO with superoxide anions. [GOC:dph]' - }, - 'GO:0061404': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to increased salt', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of detection of, or exposure to, an increase in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:dph]' - }, - 'GO:0061405': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to hydrostatic pressure', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a hydrostatic pressure stimulus. Hydrostatic pressure is the force acting on an object in a system where the fluid is at rest (as opposed to moving). The weight of the fluid above the object creates pressure on it. [GOC:dph]' - }, - 'GO:0061406': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to glucose starvation', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of deprivation of glucose. [GOC:dph]' - }, - 'GO:0061407': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to hydrogen peroxide', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a hydrogen peroxide (H2O2) stimulus. [GOC:dph]' - }, - 'GO:0061408': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to heat stress', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a heat stimulus, a temperature stimulus above the optimal temperature for that organism. [GOC:dph]' - }, - 'GO:0061409': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to freezing', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a freezing stimulus, temperatures below 0 degrees Celsius. [GOC:dph]' - }, - 'GO:0061410': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to ethanol', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of an ethanol stimulus. [GOC:dph]' - }, - 'GO:0061411': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to cold', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a cold stimulus, a temperature stimulus below the optimal temperature for that organism. [GOC:dph]' - }, - 'GO:0061412': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to amino acid starvation', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of deprivation of amino acids. [GOC:dph]' - }, - 'GO:0061413': { - 'name': 'regulation of transcription from RNA polymerase II promoter by a nonfermentable carbon source', - 'def': 'A transcription regulation process in which the presence of a nonfermentable carbon source leads to the modulation of the frequency, rate, or extent of transcription, from an RNA polymerase II promoter, of specific genes involved in the metabolism of other carbon sources. [GOC:dph, PMID:19686338]' - }, - 'GO:0061414': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter by a nonfermentable carbon source', - 'def': 'A transcription regulation process in which the presence of a nonfermentable carbon source leads to an increase of the frequency, rate, or extent of transcription, from an RNA polymerase II promoter, of specific genes involved in the metabolism of other carbon sources. [GOC:dph, PMID:19686338]' - }, - 'GO:0061415': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter by a nonfermentable carbon source', - 'def': 'A transcription regulation process in which the presence of a nonfermentable carbon source leads to a decrease of the frequency, rate, or extent of transcription, from an RNA polymerase II promoter, of specific genes involved in the metabolism of other carbon sources. [GOC:dph, PMID:19686338]' - }, - 'GO:0061416': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to salt stress', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is under salt stress. The stress is usually an increase or decrease in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:dph, PMID:18667581]' - }, - 'GO:0061417': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to oxidative stress', - 'def': 'Any process that decreases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is under oxidative stress, a state often resulting from exposure to high levels of reactive oxygen species, e.g. superoxide anions, hydrogen peroxide (H2O2), and hydroxyl radicals. [GOC:dph, PMID:9767597]' - }, - 'GO:0061418': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to hypoxia', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a hypoxia stimulus. [GOC:dph, PMID:12511571]' - }, - 'GO:0061419': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to hypoxia', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a hypoxia stimulus. [GOC:dph]' - }, - 'GO:0061420': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to biotin starvation', - 'def': 'Modulation of the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of deprivation of biotin. [GOC:dph, PMID:16533810]' - }, - 'GO:0061421': { - 'name': 'positive regulation of transcription by oleic acid', - 'def': 'Any process involving oleic acid that activates or increases the rate of transcription. [GOC:dph, PMID:20395639]' - }, - 'GO:0061422': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to alkaline pH', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a pH >7.0. [GOC:dph, PMID:11523797, PMID:15299026, PMID:21749328]' - }, - 'GO:0061423': { - 'name': 'positive regulation of sodium ion transport by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter resulting in the increased frequency, rate or extent of the directed movement of sodium ions (Na+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, PMID:11523797]' - }, - 'GO:0061424': { - 'name': 'positive regulation of peroxisome organization by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter and activates or increases the frequency, rate or extent of peroxisome organization. [GOC:dph, PMID:7500953]' - }, - 'GO:0061425': { - 'name': 'positive regulation of ethanol catabolic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter and activates or increases the frequency, rate or extent of an ethanol catabolic process. [GOC:dph, PMID:10608811, PMID:7760841]' - }, - 'GO:0061426': { - 'name': 'positive regulation of sulfite transport by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter and activates or increases the frequency, rate or extent of sulfite transport. [GOC:dph, PMID:10234785, PMID:10870099]' - }, - 'GO:0061427': { - 'name': 'negative regulation of ceramide biosynthetic process by negative regulation of transcription from RNA Polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase II promoter and stops, prevents or reduces the frequency, rate or extent of a ceramide biosynthetic process. [GOC:dph, PMID:15302821]' - }, - 'GO:0061428': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to hypoxia', - 'def': 'Any process that decreases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a hypoxia stimulus. [GOC:dph, PMID:17785431]' - }, - 'GO:0061429': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter by oleic acid', - 'def': 'Any process involving oleic acid that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dph, PMID:20395639]' - }, - 'GO:0061430': { - 'name': 'bone trabecula morphogenesis', - 'def': 'The process of shaping a trabecula in bone. A trabecula is a tissue element in the form of a small beam, strut or rod. [GOC:BHF, GOC:dph, GOC:vk]' - }, - 'GO:0061431': { - 'name': 'cellular response to methionine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methionine stimulus. [GOC:dph, PMID:7891681]' - }, - 'GO:0061432': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to methionine', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a methionine stimulus. [GOC:dph, PMID:7891681]' - }, - 'GO:0061433': { - 'name': 'cellular response to caloric restriction', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a of caloric restriction, insufficient food energy intake. [GOC:dph, PMID:17914901]' - }, - 'GO:0061434': { - 'name': 'regulation of replicative cell aging by regulation of transcription from RNA polymerase II promoter in response to caloric restriction', - 'def': 'Any process that modulates the frequency, rate or extent of replicative cell aging through a mechanism that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a caloric restriction stimulus. [GOC:dph, PMID:17914901]' - }, - 'GO:0061435': { - 'name': 'positive regulation of transcription from a mobile element promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from a mobile element promoter. [GOC:dph, PMID:12230120, PMID:9271107]' - }, - 'GO:0061436': { - 'name': 'establishment of skin barrier', - 'def': 'Establishment of the epithelial barrier, the functional barrier in the skin that limits its permeability. [GOC:dph]' - }, - 'GO:0061437': { - 'name': 'renal system vasculature development', - 'def': 'The process whose specific outcome is the progression of vasculature of the renal system over time, from its formation to the mature structure. [GOC:dph, GOC:mtg_kidney_jan10, PMID:11891195]' - }, - 'GO:0061438': { - 'name': 'renal system vasculature morphogenesis', - 'def': 'The process in which the renal system vasculature is generated and organized. Morphogenesis pertains to the creation of form. [GOC:dph, GOC:mtg_kidney_jan10, PMID:11891195]' - }, - 'GO:0061439': { - 'name': 'kidney vasculature morphogenesis', - 'def': 'The process in which the kidney vasculature is generated and organized. Morphogenesis pertains to the creation of form. [GOC:dph, GOC:mtg_kidney_jan10]' - }, - 'GO:0061440': { - 'name': 'kidney vasculature development', - 'def': 'The process whose specific outcome is the progression of the vasculature of the kidney over time, from its formation to the mature structure. [GOC:dph, GOC:mtg_kidney_jan10, PMID:11891195]' - }, - 'GO:0061441': { - 'name': 'renal artery morphogenesis', - 'def': 'The process in which the anatomical structure of a renal artery is generated and organized. Renal arteries supply the kidneys with blood. [GOC:mtg_kidney_jan10, PMID:11891195]' - }, - 'GO:0061442': { - 'name': 'cardiac muscle cell fate determination', - 'def': 'The process involved in cardiac muscle cell fate commitment. Once determination has taken place, a cell becomes committed to differentiate down a particular pathway regardless of its environment. [GOC:BHF, GOC:dph]' - }, - 'GO:0061443': { - 'name': 'endocardial cushion cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of an endocardial cushion cell. [GOC:BHF, GOC:dph]' - }, - 'GO:0061444': { - 'name': 'endocardial cushion cell development', - 'def': 'The process whose specific outcome is the progression of an endocardial cushion cell over time, from its formation to the mature state. [GOC:BHF, GOC:dph]' - }, - 'GO:0061445': { - 'name': 'endocardial cushion cell fate commitment', - 'def': 'The commitment of a cell to an endocardial cushion cell fate and its capacity to differentiate into an endocardial cushion cell. [GOC:BHF, GOC:dph]' - }, - 'GO:0061446': { - 'name': 'endocardial cushion cell fate determination', - 'def': 'The process involved in endocardial cushion cell fate commitment. Once determination has taken place, a cell becomes committed to differentiate down a particular pathway regardless of its environment. [GOC:BHF, GOC:dph]' - }, - 'GO:0061447': { - 'name': 'endocardial cushion cell fate specification', - 'def': 'The process involved in the specification of endocardial cushion cell identity. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. [GOC:BHF, GOC:dph]' - }, - 'GO:0061448': { - 'name': 'connective tissue development', - 'def': 'The progression of a connective tissue over time, from its formation to the mature structure. [GOC:BHF]' - }, - 'GO:0061449': { - 'name': 'olfactory bulb tufted cell development', - 'def': 'The process whose specific outcome is the progression of an olfactory bulb tufted cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dph]' - }, - 'GO:0061450': { - 'name': 'trophoblast cell migration', - 'def': 'Trophoblast cell migration that is accomplished by extension and retraction of a pseudopodium. Trophoblast cells line the outside of the blastocyst. [GOC:dph]' - }, - 'GO:0061451': { - 'name': 'retrotrapezoid nucleus development', - 'def': "The progression of the retrotrapezoid nucleus (RTN) over time from it's initial formation to its mature state. The retrotrapezoid nucleus is a group of neurons in the rostral medulla, which are responsible regulating respiration. [GOC:dph]" - }, - 'GO:0061452': { - 'name': 'retrotrapezoid nucleus neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a neuron whose cell body resides in the retrotrapezoid nucleus. [GOC:dph]' - }, - 'GO:0061453': { - 'name': 'interstitial cell of Cajal differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an interstitial cell of Cajal. An interstitial cell of Cajal is an intestinal neuroepithelial cell that serves as a pacemaker to trigger gut contraction. [GOC:dph]' - }, - 'GO:0061454': { - 'name': 'Golgi calcium ion export', - 'def': 'The directed movement of calcium ions (Ca2+) out of the Golgi apparatus into the cytosol. [GOC:dph, GOC:tb]' - }, - 'GO:0061455': { - 'name': 'integral component of muscle cell projection membrane', - 'def': 'The component of the muscle cell projection membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:dph, GOC:tb]' - }, - 'GO:0061456': { - 'name': 'mesenchymal stem cell migration involved in uteric bud morphogenesis', - 'def': 'The orderly movement of a mesenchymal stem cell from one site to another contributing to the shaping of the ureteric bud. A mesenchymal stem cell, or MSC, is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized mesenchymal cells. [GOC:dph, GOC:tb]' - }, - 'GO:0061457': { - 'name': 'mesonephric cell migration involved in male gonad development', - 'def': 'The orderly movement of a cell from the mesonephros to the male gonad, contributing to its development. [GOC:dph, GOC:tb]' - }, - 'GO:0061458': { - 'name': 'reproductive system development', - 'def': 'The progression of the reproductive system over time from its formation to the mature structure. The reproductive system consists of the organs that function in reproduction. [GOC:dph]' - }, - 'GO:0061459': { - 'name': 'L-arginine transmembrane transporter activity', - 'def': 'Enables the stereospecific transfer of L-arginine, 2-amino-5-guanidinopentanoic acid, across a biological membrane. [GOC:dph]' - }, - 'GO:0061460': { - 'name': 'L-histidine import', - 'def': 'The directed movement of L-histidine into a cell or organelle. [GOC:dph]' - }, - 'GO:0061461': { - 'name': 'L-lysine import', - 'def': 'The directed movement of L-lysine into a cell or organelle. [GOC:dph]' - }, - 'GO:0061462': { - 'name': 'protein localization to lysosome', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a lysosome. [GOC:dph]' - }, - 'GO:0061463': { - 'name': 'O-acetyl-ADP-ribose deacetylase activity', - 'def': 'Catalysis of the reaction O-acetyl-ADP-ribose + H2O = ADP-ribose + acetate. [GOC:dph]' - }, - 'GO:0061464': { - 'name': 'plasma membrane part of cell-substrate junction.', - 'def': 'The part of the plasma membrane that contributes to the structure of a cell-substrate junction. [GOC:dph]' - }, - 'GO:0061465': { - 'name': 'plasma membrane part of hemidesmosome', - 'def': 'The part of the plasma membrane that contributes to the structure of a hemidesmosome. [GOC:dph]' - }, - 'GO:0061466': { - 'name': 'plasma membrane part of cell junction', - 'def': 'The part of the plasma membrane that contributes to the structure of a cell junction. [GOC:dph]' - }, - 'GO:0061467': { - 'name': 'basolateral protein localization', - 'def': 'Any process in which a protein is transported to, or maintained in, basolateral regions of the cell. [GOC:dph]' - }, - 'GO:0061468': { - 'name': 'karyomere', - 'def': 'A membrane-bound intermediate cleavage-stage structure of individual or groups of chromosomes that coalesces and fuses with other karyomeres to form a nucleus during interphase. Karyomere formation occurs in blastomeres undergoing rapid cell division. [GOC:dph, PMID:12734396, PMID:22863006]' - }, - 'GO:0061469': { - 'name': 'regulation of type B pancreatic cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of type B pancreatic cell proliferation. [GOC:dph]' - }, - 'GO:0061470': { - 'name': 'T follicular helper cell differentiation', - 'def': 'The process in which a relatively unspecialized T cell acquires specialized features of a mature T follicular helper cell. [GOC:dph, PMID:21572431]' - }, - 'GO:0061471': { - 'name': 'karyomere assembly', - 'def': 'The process where the nuclear membrane engulfs condensed chromosomes to form karyomeres during M phase of the mitotic cell cycle. [GOC:dph, PMID:9732278]' - }, - 'GO:0061472': { - 'name': 'karyomere membrane fusion', - 'def': 'Process whereby karyomere membranes fuse during interphase to form a single lobed nucleus. [GOC:dph, PMID:2734396]' - }, - 'GO:0061473': { - 'name': 'murein tripeptide carboxypeptidase activity', - 'def': 'Catalysis of the reaction L-Ala-gamma;-D-Glu-meso-Dap (murein tripeptide) + H2O = L-Ala-γ-D-Glu + meso-diaminopimelate. [GOC:dph, PMID:22970852]' - }, - 'GO:0061474': { - 'name': 'phagolysosome membrane', - 'def': 'The lipid bilayer surrounding a phagolysosome. [GOC:dph, PMID:22073313]' - }, - 'GO:0061475': { - 'name': 'cytosolic valyl-tRNA aminoacylation', - 'def': "The process of coupling valine to valyl-tRNA in the cytosol, catalyzed by valyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:dph]" - }, - 'GO:0061476': { - 'name': 'response to anticoagulant', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an anticoagulant stimulus. [GOC:dph]' - }, - 'GO:0061477': { - 'name': 'response to aromatase inhibitor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an aromatase inhibitor stimulus. [GOC:dph]' - }, - 'GO:0061478': { - 'name': 'response to platelet aggregation inhibitor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a platelet aggregation inhibitor stimulus. [GOC:dph]' - }, - 'GO:0061479': { - 'name': 'response to reverse transcriptase inhibitor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a reverse transcriptase inhibitor stimulus. [GOC:dph]' - }, - 'GO:0061480': { - 'name': 'response to asparaginase', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an asparaginase stimulus. [GOC:dph]' - }, - 'GO:0061481': { - 'name': 'response to TNF agonist', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a TNF agonist stimulus. [GOC:dph]' - }, - 'GO:0061482': { - 'name': 'response to irinotecan', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an irinotecan stimulus. [GOC:dph]' - }, - 'GO:0061483': { - 'name': 'sulfinylpropanyl adenylate synthase', - 'def': 'Catalysis of the reaction: cysteine sulfanate + GTP + IMP = sulfinylpropanyl adenylate + GDP + 3 H(+) + phosphate. [GOC:dph, PMID:8346915]' - }, - 'GO:0061484': { - 'name': 'hematopoietic stem cell homeostasis', - 'def': 'Any biological process involved in the maintenance of the steady-state number of hematopoietic stem cells within a population of cells. [GOC:dph, PMID:21508411]' - }, - 'GO:0061485': { - 'name': 'memory T cell proliferation', - 'def': 'The expansion of a memory T cell population by cell division. [GOC:dph, PMID:14647273]' - }, - 'GO:0061486': { - 'name': 'high-affinity fructose transmembrane transporter activity', - 'def': 'Catalysis of the transfer of fructose from one side of a membrane to the other. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:dph, PMID:10735857]' - }, - 'GO:0061487': { - 'name': 'DNA replication initiation from late origin', - 'def': 'The process in which DNA-dependent DNA replication is started at a late origin of replication. A late origin of replication refers to an origin that is activated late in S phase. [GOC:dph, PMID:19221029]' - }, - 'GO:0061488': { - 'name': 'adenine import into cell', - 'def': 'The directed movement of adenine from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:dph, GOC:mah]' - }, - 'GO:0061489': { - 'name': 'guanine import into cell', - 'def': 'The directed movement of guanine from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:dph, GOC:mah]' - }, - 'GO:0061490': { - 'name': 'glucose import into cell', - 'def': 'The directed movement of glucose from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:dph, GOC:mah]' - }, - 'GO:0061491': { - 'name': 'serine import into cell', - 'def': 'The directed movement of serine from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:dph, GOC:mah]' - }, - 'GO:0061492': { - 'name': 'asymmetric protein localization to old or new spindle pole body', - 'def': 'Any process in which a protein is transported to, or maintained to either the old or new spindle pole body resulting in its being distributed asymmetrically. [GOC:dph, PMID:22119525]' - }, - 'GO:0061493': { - 'name': 'central plaque of mitotic spindle pole body', - 'def': 'One of three laminate structures that form the mitotic spindle pole body; the central plaque is embedded in the nuclear envelope. [GOC:dph]' - }, - 'GO:0061494': { - 'name': 'gamma-tubulin large complex, mitotic spindle pole body', - 'def': 'A complex of gamma tubulin and associated proteins thought to be formed by multimerization of gamma-tubulin small complexes located in the mitotic spindle pole body. [GOC:dph]' - }, - 'GO:0061495': { - 'name': 'gamma-tubulin small complex, mitotic spindle pole body', - 'def': 'A complex composed of two gamma-tubulin molecules and conserved non-tubulin proteins located in the mitotic spindle pole body and isolated by fractionation from cells. The complex, approximately 6S-9S, is analogous to the small complex in animal cells but contains fewer subunits, and is not thought to multimerize into larger functional units, like complexes in those organisms. An example of this structure is found in Saccharomyces cerevisiae. [GOC:dph]' - }, - 'GO:0061496': { - 'name': 'half bridge of mitotic spindle pole body', - 'def': 'Structure adjacent to the plaques of the mitotic spindle pole body. [GOC:dph]' - }, - 'GO:0061497': { - 'name': 'inner plaque of mitotic spindle pole body', - 'def': 'One of three laminate structures that form the mitotic spindle pole body; the inner plaque is in the nucleus. [GOC:dph, GOC:vw]' - }, - 'GO:0061498': { - 'name': 'intermediate layer of mitotic spindle pole body', - 'def': 'Structure between the central and outer plaques of the mitotic spindle pole body. [GOC:dph]' - }, - 'GO:0061499': { - 'name': 'outer plaque of mitotic spindle pole body', - 'def': 'One of three laminate structures that form the mitotic spindle pole body; the outer plaque is in the cytoplasm. [GOC:dph]' - }, - 'GO:0061500': { - 'name': 'gene conversion at mating-type locus, termination of copy-synthesis', - 'def': 'A DNA replication termination process that is part of gene conversion at a mating-type locus and takes place at a specific termination site. [GOC:dph, PMID:10716938]' - }, - 'GO:0061501': { - 'name': 'cyclic-GMP-AMP synthase activity', - 'def': 'Catalysis of the reaction: ATP + GTP = 2 diphosphate + cyclic GMP-AMP. [GOC:dph, PMID:23258413]' - }, - 'GO:0061502': { - 'name': 'early endosome to recycling endosome transport', - 'def': 'The directed movement of substances, in membrane-bounded vesicles, from the early sorting endosomes to the recycling endosomes. [GOC:dph, GOC:kmv, PMID:21474295]' - }, - 'GO:0061503': { - 'name': 'tRNA threonylcarbamoyladenosine dehydratase', - 'def': 'Catalysis of the ATP-dependent dehydration of t6A to form cyclic t6A. [GOC:dph, PMID:23242255]' - }, - 'GO:0061504': { - 'name': 'cyclic threonylcarbamoyladenosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cyclic threonylcarbamoyladenosine, a modified nucleoside found in some tRNA molecules. [PMID:23242255]' - }, - 'GO:0061505': { - 'name': 'DNA topoisomerase II activity', - 'def': 'Catalysis of a DNA topological transformation by transiently cleaving a pair of complementary DNA strands to form a gate through which a second double-stranded DNA segment is passed, after which the severed strands in the first DNA segment are rejoined; changes the linking number in multiples of 2. [GOC:dph]' - }, - 'GO:0061506': { - 'name': 'DNA topoisomerase type II (ATP-independent) activity', - 'def': 'Catalysis of a DNA topological transformation by transiently cleaving a pair of complementary DNA strands to form a gate through which a second double-stranded DNA segment is passed, after which the severed strands in the first DNA segment are rejoined; product release is not coupled to ATP binding and hydrolysis; changes the linking number in multiples of 2. [GOC:dph]' - }, - 'GO:0061507': { - 'name': 'cyclic-GMP-AMP binding', - 'def': 'Interacting selectively and non-covalently with cyclic-GMP-AMP (cGAMP) cyclic nucleotide. [GOC:dph, PMID:23258412]' - }, - 'GO:0061508': { - 'name': 'CDP phosphorylation', - 'def': 'The process of introducing a phosphate group into CDP to produce a CTP. [PMID:7499258]' - }, - 'GO:0061509': { - 'name': 'asymmetric protein localization to old mitotic spindle pole body', - 'def': 'Any process in which a protein is transported to, or maintained to the old mitotic spindle pole body resulting in its being distributed asymmetrically. [GOC:dph, GOC:vw]' - }, - 'GO:0061510': { - 'name': 'asymmetric protein localization to new mitotic spindle pole body', - 'def': 'Any process in which a protein is transported to, or maintained to the new mitotic spindle pole body resulting in its being distributed asymmetrically. [GOC:dph, GOC:vw]' - }, - 'GO:0061511': { - 'name': 'centriole elongation', - 'def': 'The centrosome organization process by which a centriole increases in length as part of the process of replication. [GOC:dph, PMID:21576394]' - }, - 'GO:0061512': { - 'name': 'protein localization to cilium', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cilium. [GOC:dph]' - }, - 'GO:0061513': { - 'name': 'glucose 6-phosphate:inorganic phosphate antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucose 6-phosphate(out) + inorganic phosphate(in) = glucose 6-phosphate(in) + inorganic phosphate(out). [GOC:dph, PMID:18337460]' - }, - 'GO:0061514': { - 'name': 'interleukin-34-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-34 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:dph, PMID:18467591]' - }, - 'GO:0061515': { - 'name': 'myeloid cell development', - 'def': 'The process whose specific outcome is the progression of a myeloid cell over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061516': { - 'name': 'monocyte proliferation', - 'def': 'The expansion of a monocyte population by cell division. [GOC:dph, PMID:18467591]' - }, - 'GO:0061517': { - 'name': 'macrophage proliferation', - 'def': 'The expansion of a macrophage population by cell division. [GOC:dph, PMID:12614284, PMID:19466391]' - }, - 'GO:0061518': { - 'name': 'microglial cell proliferation', - 'def': 'The expansion of a microglial cell population by cell division. [GOC:dph, PMID:17344397]' - }, - 'GO:0061519': { - 'name': 'macrophage homeostasis', - 'def': 'The process of regulating the proliferation and elimination of macrophage cells such that the total number of myeloid cells within a whole or part of an organism is stable over time in the absence of an outside stimulus. [GOC:dph, PMID:21727904]' - }, - 'GO:0061520': { - 'name': 'Langerhans cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a Langerhans cell. [GOC:dph, PMID:22729249]' - }, - 'GO:0061521': { - 'name': 'hepatic stellate cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized structural and/or functional features of a hepatic stellate cell. [GOC:dph, PMID:9407545]' - }, - 'GO:0061522': { - 'name': '1,4-dihydroxy-2-naphthoyl-CoA thioesterase activity', - 'def': 'Catalysis of the reaction 1,4-dihydroxy-2-naphthoyl-CoA + H2O = 1,4-dihydroxy-2-naphthoate + CoA. [GOC:dph]' - }, - 'GO:0061523': { - 'name': 'cilium disassembly', - 'def': 'A cellular process that results in the breakdown of a cilium. [GOC:cilia, GOC:dph, PMID:17604723, PMID:27350441]' - }, - 'GO:0061524': { - 'name': 'central canal development', - 'def': 'The process whose specific outcome is the formation of the central canal of the spinal cord from its formation to the mature structure. The central canal is a spinal cord structure that is part of the ventricular system and is filled with cerebral-spinal fluid and runs the length of the spinal cord. [GOC:cvs, GOC:dph, PMID:23409159]' - }, - 'GO:0061525': { - 'name': 'hindgut development', - 'def': 'The process whose specific outcome is the progression of the hindgut over time, from its formation to the mature structure. The hindgut is part of the alimentary canal that lies posterior to the midgut. [GOC:dph]' - }, - 'GO:0061526': { - 'name': 'acetylcholine secretion', - 'def': 'The regulated release of acetylcholine by a cell. [GOC:dph]' - }, - 'GO:0061527': { - 'name': 'dopamine secretion, neurotransmission', - 'def': 'The regulated release of dopamine by a cell in which the dopamine acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061528': { - 'name': 'aspartate secretion', - 'def': 'The regulated release of aspartate by a cell. [GOC:dph]' - }, - 'GO:0061529': { - 'name': 'epinephrine secretion, neurotransmission', - 'def': 'The regulated release of epinephrine by a cell in which the epinephrine acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061530': { - 'name': 'aspartate secretion, neurotransmission', - 'def': 'The regulated release of aspartate by a cell in which the aspartate acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061531': { - 'name': 'primary amine secretion', - 'def': 'The regulated release of a primary amine by a cell. [GOC:dph]' - }, - 'GO:0061532': { - 'name': 'primary amine secretion, neurotransmission', - 'def': 'The regulated release of a primary amine by a cell, in which the primary amine acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061533': { - 'name': 'norepinephrine secretion, neurotransmission', - 'def': 'The regulated release of norepinephrine by a cell, in which the norepinephrine acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061534': { - 'name': 'gamma-aminobutyric acid secretion, neurotransmission', - 'def': 'The regulated release of gamma-aminobutyric acid by a cell, in which the gamma-aminobutyric acid acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061535': { - 'name': 'glutamate secretion, neurotransmission', - 'def': 'The controlled release of glutamate by a cell, in which the glutamate acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061536': { - 'name': 'glycine secretion', - 'def': 'The controlled release of glycine by a cell. [GOC:dph]' - }, - 'GO:0061537': { - 'name': 'glycine secretion, neurotransmission', - 'def': 'The controlled release of glycine by a cell, in which glycine acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061538': { - 'name': 'histamine secretion, neurotransmission', - 'def': 'The controlled release of histamine by a cell, in which the histamine acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061539': { - 'name': 'octopamine secretion', - 'def': 'The controlled release of octopamine by a cell. [GOC:dph]' - }, - 'GO:0061540': { - 'name': 'octopamine secretion, neurotransmission', - 'def': 'The controlled release of octopamine by a cell, in which the octopamine acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061541': { - 'name': 'rhabdomere morphogenesis', - 'def': 'The process in which the anatomical structures of a rhabdomere are generated and organized. The rhabdomere is the organelle on the apical surface of a photoreceptor cell that contains the visual pigments. [GOC:dph, PMID:22113834]' - }, - 'GO:0061542': { - 'name': '3-demethylubiquinone-n 3-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 3-demethylubiquinone-n = S-adenosyl-L-homocysteine + ubiquinone-n. [EC:2.1.1.64, GOC:dph]' - }, - 'GO:0061543': { - 'name': '3-demethylubiquinone-6 3-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 3-demethylubiquinone-6 = S-adenosyl-L-homocysteine + ubiquinone-6. [GOC:dph]' - }, - 'GO:0061544': { - 'name': 'peptide secretion, neurotransmission', - 'def': 'The controlled release of a peptide from a cell in which the peptide acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061545': { - 'name': 'tyramine secretion', - 'def': 'The regulated release of a tyramine by a cell. [GOC:dph]' - }, - 'GO:0061546': { - 'name': 'tyramine secretion, neurotransmission', - 'def': 'The regulated release of a tyramine by a cell in which the tyramine acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061547': { - 'name': 'glycogen synthase activity, transferring glucose-1-phosphate', - 'def': 'Catalysis of the reaction: UDP-glucose + (1,4)-alpha-D-glucosyl(n) = UMP + (1,4)-alpha-D-glucosyl(n)-glucose-1-phosphate. [GOC:dph, PMID:21356517]' - }, - 'GO:0061548': { - 'name': 'ganglion development', - 'def': 'The process whose specific outcome is the progression of a ganglion over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061549': { - 'name': 'sympathetic ganglion development', - 'def': 'The process whose specific outcome is the progression of a sympathetic ganglion over time, from its formation to the mature structure. [GOC:BHF, GOC:rl]' - }, - 'GO:0061550': { - 'name': 'cranial ganglion development', - 'def': 'The process whose specific outcome is the progression of a cranial ganglion over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061551': { - 'name': 'trigeminal ganglion development', - 'def': 'The process whose specific outcome is the progression of a trigeminal ganglion over time, from its formation to the mature structure. [GOC:dph]' - }, - 'GO:0061552': { - 'name': 'ganglion morphogenesis', - 'def': 'The process in which the anatomical structures of ganglion are generated and organized. [GOC:dph]' - }, - 'GO:0061553': { - 'name': 'ganglion maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for ganglion to attain its fully functional state. [GOC:dph]' - }, - 'GO:0061554': { - 'name': 'ganglion formation', - 'def': 'The process that gives rise to ganglion. This process pertains to the initial formation of a structure from unspecified parts. [GOC:dph]' - }, - 'GO:0061555': { - 'name': 'ganglion structural organization', - 'def': 'The process that contributes to creating the structural organization of a ganglion. This process pertains to the physical shaping of a rudimentary structure. [GOC:dph]' - }, - 'GO:0061556': { - 'name': 'trigeminal ganglion morphogenesis', - 'def': 'The process in which the anatomical structure of a trigeminal ganglion is generated and organized. [GOC:dph]' - }, - 'GO:0061557': { - 'name': 'trigeminal ganglion maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a trigeminal ganglion to attain its fully functional state. [GOC:dph]' - }, - 'GO:0061558': { - 'name': 'cranial ganglion maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a cranial ganglion to attain its fully functional state. [GOC:dph]' - }, - 'GO:0061559': { - 'name': 'cranial ganglion morphogenesis', - 'def': 'The process in which the anatomical structure of a cranial ganglion is generated and organized. [GOC:dph]' - }, - 'GO:0061560': { - 'name': 'cranial ganglion formation', - 'def': 'The process that gives rise to a cranial ganglion. This process pertains to the initial formation of a structure from unspecified parts. [GOC:dph]' - }, - 'GO:0061561': { - 'name': 'trigeminal ganglion formation', - 'def': 'The process that gives rise to the trigeminal ganglion. This process pertains to the initial formation of a structure from unspecified parts. [GOC:dph]' - }, - 'GO:0061562': { - 'name': 'cranial ganglion structural organization', - 'def': 'The process that contributes to creating the structural organization of a cranial ganglion. This process pertains to the physical shaping of a rudimentary structure. [GOC:dph]' - }, - 'GO:0061563': { - 'name': 'trigeminal ganglion structural organization', - 'def': 'The process that contributes to creating the structural organization of the trigeminal ganglion This process pertains to the physical shaping of a rudimentary structure. [GOC:dph]' - }, - 'GO:0061564': { - 'name': 'axon development', - 'def': 'The progression of an axon over time. Covers axonogenesis (de novo generation of an axon) and axon regeneration (regrowth), as well as processes pertaining to the progression of the axon over time (fasciculation and defasciculation). [GOC:dph, GOC:pg, GOC:pr]' - }, - 'GO:0061565': { - 'name': 'dAMP phosphorylation', - 'def': 'The process of introducing a phosphate group into dAMP, deoxyadenosine monophosphate, to produce dADP. Addition of two phosphate groups produces dATP. [GOC:dph, PMID:23416111]' - }, - 'GO:0061566': { - 'name': 'CMP phosphorylation', - 'def': 'The process of introducing a phosphate group into CMP, cytidine monophosphate, to produce CDP. Addition of two phosphate groups produces CTP. [GOC:dph, PMID:23416111]' - }, - 'GO:0061567': { - 'name': 'dCMP phosphorylation', - 'def': 'The process of introducing a phosphate group into dCMP, deoxycytidine monophosphate, to produce dCDP. Addition of two phosphate groups produces dCTP. [GOC:dph, PMID:23416111]' - }, - 'GO:0061568': { - 'name': 'GDP phosphorylation', - 'def': 'The process of introducing a phosphate group into GDP, guanosine diphosphate, to produce GTP. [GOC:dph, PMID:23416111]' - }, - 'GO:0061569': { - 'name': 'UDP phosphorylation', - 'def': 'The process of introducing a phosphate group into UDP, uridine diphosphate, to produce UTP. [GOC:dph, PMID:23416111]' - }, - 'GO:0061570': { - 'name': 'dCDP phosphorylation', - 'def': 'The process of introducing a phosphate group into dCDP to produce a dCTP. [GOC:dph, PMID:23416111]' - }, - 'GO:0061571': { - 'name': 'TDP phosphorylation', - 'def': 'The process of introducing a phosphate group into TDP to produce a TTP. [GOC:dph, PMID:23416111]' - }, - 'GO:0061572': { - 'name': 'actin filament bundle organization', - 'def': 'A process that results in the assembly, arrangement of constituent parts, or disassembly of an actin filament bundle. [GOC:dph]' - }, - 'GO:0061573': { - 'name': 'actin filament bundle retrograde transport', - 'def': 'A process of actin filament bundle distribution that results in the arrangement of actin filament bundles from the periphery toward the interior of the cell. [GOC:dph]' - }, - 'GO:0061574': { - 'name': 'ASAP complex', - 'def': 'A protein complex involved in regulation of mRNA processing and apoptosis. It binds to RNA in a sequence-independent manner and is recruited to the EJC prior to or during the splicing process. In humans the core proteins are RNPS1, SAP18 and ACIN1. [GOC:dph, PMID:12665594, PMID:16314458, PMID:22388736]' - }, - 'GO:0061575': { - 'name': 'cyclin-dependent protein serine/threonine kinase activator activity', - 'def': 'Binds to and increases the activity of a cyclin-dependent protein serine/threonine kinase. [GOC:dph, PMID:2569363, PMID:3322810]' - }, - 'GO:0061576': { - 'name': 'acyl-CoA ceramide synthase complex', - 'def': 'A protein complex that catalyzes the reaction acyl-CoA + sphingosine = CoA + N-acylsphingosine. In S. cerevisiae it contains three subunits: lag1, lac1 and lip1. [GOC:dph, PMID:15692566]' - }, - 'GO:0061577': { - 'name': 'calcium ion transmembrane transport via high voltage-gated calcium channel', - 'def': 'A process in which a calcium ion is transported from one side of a membrane to the other by means of a high voltage-gated calcium channel. [GOC:dph]' - }, - 'GO:0061578': { - 'name': 'Lys63-specific deubiquitinase activity', - 'def': 'Hydrolysis of Lys63-Linked ubiquitin unit(s) from a ubiquitinated protein. [GOC:dph, GOC:pg, PMID:18313383]' - }, - 'GO:0061579': { - 'name': 'N-acyl homoserine lactone synthase activity', - 'def': "Catalyzing the reaction: acyl-[acyl-carrier-protein] + S-adenosyl-L-methionine -> [acyl-carrier- protein] + S-methyl-5'-thioadenosine + N-acyl-L-homoserine lactone. [GOC:dph]" - }, - 'GO:0061580': { - 'name': 'colon epithelial cell migration', - 'def': 'The orderly movement of a colonic epithelial cell from one site to another, often during the development of a multicellular organism. [GOC:dph]' - }, - 'GO:0061581': { - 'name': 'corneal epithelial cell migration', - 'def': 'The orderly movement of a corneal epithelial cell from one site to another, often during the development of a multicellular organism. [GOC:dph]' - }, - 'GO:0061582': { - 'name': 'intestinal epithelial cell migration', - 'def': 'The orderly movement of an intestinal epithelial cell from one site to another, often during the development of a multicellular organism. [GOC:dph]' - }, - 'GO:0061583': { - 'name': 'colon epithelial cell chemotaxis', - 'def': 'The directed movement of a colon epithelial cell guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). [GOC:dph]' - }, - 'GO:0061584': { - 'name': 'hypocretin secretion', - 'def': 'The controlled release of hypocretin from a cell or a tissue. [GOC:dph]' - }, - 'GO:0061585': { - 'name': 'hypocretin secretion, neurotransmission', - 'def': 'The controlled release of a peptide from a cell or a tissue in which the peptide acts as a neurotransmitter. [GOC:dph]' - }, - 'GO:0061586': { - 'name': 'positive regulation of transcription by transcription factor localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA-dependent transcription using a mechanism that involves the localization of a transcription factor. [GOC:dph]' - }, - 'GO:0061587': { - 'name': 'transfer RNA gene-mediated silencing', - 'def': 'The chromatin silencing that results in the inhibition of RNA polymerase II-transcribed genes located in the vicinity of tRNA genes. [GOC:dph, PMID:23707796]' - }, - 'GO:0061588': { - 'name': 'calcium activated phospholipid scrambling', - 'def': 'The movement of a population of phospholipid molecules from one leaflet of the plasma membrane bilayer to the opposite leaflet as a result of a calcium stimulus. [GOC:krc, PMID:23532839]' - }, - 'GO:0061589': { - 'name': 'calcium activated phosphatidylserine scrambling', - 'def': 'The movement of a population of phosphatidylserine molecules from one leaflet of the plasma membrane bilayer to the opposite leaflet as a result of a calcium stimulus. [GOC:krc, PMID:23532839]' - }, - 'GO:0061590': { - 'name': 'calcium activated phosphatidylcholine scrambling', - 'def': 'The movement of a population of phosphatidylcholine molecules from one leaflet of the plasma membrane bilayer to the opposite leaflet as a result of a calcium stimulus. [GOC:krc, PMID:23532839]' - }, - 'GO:0061591': { - 'name': 'calcium activated galactosylceramide scrambling', - 'def': 'The movement of a population of galactosylceramide molecules from one leaflet of the plasma membrane bilayer to the opposite leaflet as a result of a calcium stimulus. [GOC:krc, PMID:23532839]' - }, - 'GO:0061592': { - 'name': 'phosphatidylserine exposure on osteoblast involved in bone mineralization', - 'def': 'A phospholipid scrambling process that results in the appearance of phosphatidylserine on the surface of osteoblasts, and contributes to bone mineralization. [GOC:krc, PMID:22936354]' - }, - 'GO:0061593': { - 'name': 'sulfoquinovose isomerase activity', - 'def': 'Catalysis of the reaction sulfoquinovose = 6-deoxy-6-sulfofructose. [GOC:dph, PMID:24463506]' - }, - 'GO:0061594': { - 'name': '6-deoxy-6-sulfofructose kinase activity', - 'def': 'Catalysis of the reaction 6-deoxy-6-sulfofructose + ATP = 6-deoxy-6-sulfofructose-1-phosphate + ADP. [PMID:24463506]' - }, - 'GO:0061595': { - 'name': '6-deoxy-6-sulfofructose-1-phosphate aldolase activity', - 'def': 'Catalysis of the reaction 6-deoxy-6-sulfofructose-1-phosphate = 3-sulfolactaldehyde + dihydroxyacetone phosphate. [PMID:24463506]' - }, - 'GO:0061596': { - 'name': '3-sulfolactaldehyde reductase activity', - 'def': 'Catalysis of the reaction 2,3-dihydroxypropane-1-sulfonate + NAD+ = 3-sulfolactaldehyde + NADH + H+. [EC:1.1.1.373, GOC:dph, PMID:24463506]' - }, - 'GO:0061597': { - 'name': 'obsolete cyclic pyranopterin monophosphate synthase activity', - 'def': 'OBSOLETE Catalysis of the reaction GTP = cyclic pyranopterin phosphate + diphosphate. [EC:4.1.99.18, GOC:dph, PMID:18154309]' - }, - 'GO:0061598': { - 'name': 'molybdopterin adenylyltransferase activity', - 'def': 'Catalysis of the reaction ATP + molybdopterin = diphosphate + adenylyl-molybdopterin. [EC:2.7.7.75, GOC:dph]' - }, - 'GO:0061599': { - 'name': 'molybdopterin molybdotransferase activity', - 'def': 'Catalysis of the reaction adenylyl-molybdopterin + molybdate = molybdenum cofactor + AMP. [EC:2.10.1.1, GOC:dph]' - }, - 'GO:0061602': { - 'name': 'molybdenum cofactor cytidylyltransferase activity', - 'def': 'Catalysis of the reaction CTP + molybdenum cofactor = diphosphate + cytidylyl molybdenum cofactor. [EC:2.7.7.76, GOC:dph]' - }, - 'GO:0061603': { - 'name': 'molybdenum cofactor guanylyltransferase activity', - 'def': 'Catalysis of the reaction GTP + molybdenum cofactor = diphosphate + guanylyl molybdenum cofactor. [EC:2.7.7.77, GOC:dph]' - }, - 'GO:0061604': { - 'name': 'molybdopterin-synthase sulfurtransferase activity', - 'def': 'Catalysis of the reaction: [Molybdopterin-synthase sulfur-carrier protein]-Gly-Gly-AMP + [cysteine desulfurase]-S-sulfanyl-L-cysteine <=> AMP [molybdopterin-synthase sulfur-carrier protein]-Gly-NH-CH(2)-C(O)SH + cysteine desulfurase. [EC:2.8.1.11, GOC:dph, PMID:18154309, PMID:22370186]' - }, - 'GO:0061605': { - 'name': 'molybdopterin-synthase adenylyltransferase activity', - 'def': 'Catalysis of the reaction: ATP [molybdopterin-synthase sulfur-carrier protein]-Gly-Gly = diphosphate [molybdopterin-synthase sulfur-carrier protein]-Gly-Gly-AMP. [EC:2.7.7.80, GOC:dph, PMID:18154309, PMID:22370186]' - }, - 'GO:0061606': { - 'name': 'N-terminal protein amino acid propionylation', - 'def': 'The propionylation of the N-terminal amino acid of proteins. [GOC:dph, PMID:17267393, PMID:23043182]' - }, - 'GO:0061607': { - 'name': 'peptide alpha-N-propionyltransferase activity', - 'def': 'Catalysis of the reaction: propionyl-CoA + peptide = CoA + N-alpha-propionylpeptide. This reaction is the propionylation of the N-terminal amino acid residue of a peptide or protein. [GOC:dph, PMID:23043182]' - }, - 'GO:0061608': { - 'name': 'nuclear import signal receptor activity', - 'def': 'Combining with a nuclear import signal (NIS) to mediate transport of the NIS-containing protein through the nuclear pore to the nucleus. [GOC:dph, GOC:vw]' - }, - 'GO:0061609': { - 'name': 'fructose-1-phosphate aldolase activity', - 'def': 'Catalysis of the reaction: D-fructose-1-phosphate = dihydroxyacetone phosphate + D-glyceraldehyde. [GOC:dph, GOC:glycolysis, ISBN:0201090910, RHEA:30854]' - }, - 'GO:0061610': { - 'name': 'glycerol to glycerone phosphate metabolic process', - 'def': 'The chemical reactions and pathways in which glycerol, 1,2,3-propanetriol, is converted to glycerone phosphate. [GOC:dph, ISBN:0201090910]' - }, - 'GO:0061611': { - 'name': 'mannose to fructose-6-phosphate metabolic process', - 'def': 'The chemical reactions and pathways in which mannose, the aldohexose manno-hexose, is converted to fructose-6-phosphate. [GOC:dph, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:0061612': { - 'name': 'galactose to glucose-1-phosphate metabolic process', - 'def': 'The chemical reactions and pathways in which galactose, the aldohexose galacto-hexose, is converted to glucose-1-phosphate. [GOC:dph, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:0061613': { - 'name': 'glycolytic process from glycerol', - 'def': 'The glycolytic process in which glycerol is catabolized to pyruvate generating ATP and NADH. [GOC:dph, ISBN:0201090910]' - }, - 'GO:0061614': { - 'name': 'pri-miRNA transcription from RNA polymerase II promoter', - 'def': 'The cellular synthesis of primary microRNA (pri-miRNA) transcripts from a DNA template by RNA polymerase II, originating at an RNA polymerase II promoter. pri-miRNA transcripts are subsequently processed to produce the ~22nt miRNAs that function in gene regulation. [GOC:dph, GOC:kmv, PMID:18778799]' - }, - 'GO:0061615': { - 'name': 'glycolytic process through fructose-6-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a monosaccharide into pyruvate, occurring through a fructose-6-phosphate intermediate, with the concomitant production of ATP and NADH. [GOC:dph, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:0061616': { - 'name': 'glycolytic process from fructose through fructose-6-phosphate', - 'def': 'The glycolytic process through fructose-6-phosphate in which fructose is catabolized into pyruvate. [GOC:dph, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:0061617': { - 'name': 'MICOS complex', - 'def': 'Mitochondrial inner membrane complex involved in maintenance of crista junctions, inner membrane architecture, and formation of contact sites to the outer membrane. In Saccharomyces cerevisiae the complex has six subunits: MIC10, MIC12, MIC19, MIC26, MIC27, and MIC60. [GOC:dph, PMID:21944719, PMID:21987634, PMID:22009199, PMID:24687277]' - }, - 'GO:0061618': { - 'name': 'sublamina densa', - 'def': 'The part of the basement membrane that lies beneath the lamina densa, containing anchoring fibrils, anchoring plaques, collagen fibers, and elastic fibers. [GOC:BHF, PMID:15623520]' - }, - 'GO:0061619': { - 'name': 'glycolytic process from mannose through fructose-6-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mannose into pyruvate, occurring through a fructose-6-phosphate intermediate, with the concomitant production of ATP and NADH. [GOC:dph, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:0061620': { - 'name': 'glycolytic process through glucose-6-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a carbohydrate into pyruvate, occurring through a glucose-6-phosphate intermediate, with the concomitant production of a small amount of ATP. [GOC:dph, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:0061621': { - 'name': 'canonical glycolysis', - 'def': 'The glycolytic process that begins with the conversion of glucose to glucose-6-phosphate by glucokinase activity. Glycolytic processes are the chemical reactions and pathways resulting in the breakdown of a carbohydrate into pyruvate, with the concomitant production of a small amount of ATP. [GOC:dph, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:0061622': { - 'name': 'glycolytic process through glucose-1-phosphate', - 'def': 'The chemical reactions and pathways through a glucose-1-phosphate intermediate that result in the catabolism of a carbohydrate into pyruvate, with the concomitant production of a small amount of ATP. [GOC:dph, ISBN:0201090910]' - }, - 'GO:0061623': { - 'name': 'glycolytic process from galactose', - 'def': 'The chemical reactions and pathways resulting in the breakdown of galactose into pyruvate, with the concomitant production of a small amount of ATP. [GOC:dph, ISBN:0201090910]' - }, - 'GO:0061624': { - 'name': 'fructose catabolic process to hydroxyacetone phosphate and glyceraldehyde-3-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fructose that results in the formation of dihydroxyacetone phosphate and glyceraldehyde-3-phosphate. [GOC:dph, ISBN:0201090910]' - }, - 'GO:0061625': { - 'name': 'glycolytic process through fructose-1-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fructose into pyruvate through a fructose-1-phosphate intermediate, with the concomitant production of ATP and NADH. [GOC:dph, ISBN:0201090910]' - }, - 'GO:0061626': { - 'name': 'pharyngeal arch artery morphogenesis', - 'def': 'The process in which the anatomical structures of a pharyngeal arch artery is generated and organized. The pharyngeal arch arteries are a series of six paired embryological vascular structures, the development of which give rise to several major arteries, such as the stapedial artery, the middle meningeal artery, the internal carotid artery and the pulmonary artery. [GOC:BHF, GOC:dph, PMID:20122914]' - }, - 'GO:0061627': { - 'name': 'S-methylmethionine-homocysteine S-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-methyl-L-methionine + L-homocysteine = 2 L-methionine + H+. [EC:2.1.1.10, GOC:BHF, GOC:dph]' - }, - 'GO:0061628': { - 'name': 'H3K27me3 modified histone binding', - 'def': 'Interacting selectively and non-covalently with a histone H3 in which the lysine residue at position 27 has been modified by trimethylation. [GOC:dph, PMID:23948251]' - }, - 'GO:0061629': { - 'name': 'RNA polymerase II sequence-specific DNA binding transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a sequence-specific DNA binding RNA polymerase II transcription factor, any of the factors that interact selectively and non-covalently with a specific DNA sequence in order to modulate transcription. [GOC:dph, GOC:vw]' - }, - 'GO:0061630': { - 'name': 'ubiquitin protein ligase activity', - 'def': 'Catalysis of the transfer of ubiquitin to a substrate protein via the reaction X-ubiquitin + S -> X + S-ubiquitin, where X is either an E2 or E3 enzyme, the X-ubiquitin linkage is a thioester bond, and the S-ubiquitin linkage is an amide bond: an isopeptide bond between the C-terminal glycine of ubiquitin and the epsilon-amino group of lysine residues in the substrate or, in the linear extension of ubiquitin chains, a peptide bond the between the C-terminal glycine and N-terminal methionine of ubiquitin residues. [GOC:BioGRID, GOC:dph, GOC:mah, GOC:tb, PMID:22863777]' - }, - 'GO:0061631': { - 'name': 'ubiquitin conjugating enzyme activity', - 'def': 'Isoenergetic transfer of ubiquitin from one protein to another via the reaction X-ubiquitin + Y -> Y-ubiquitin + X, where both the X-ubiquitin and Y-ubiquitin linkages are thioester bonds between the C-terminal glycine of ubiquitin and a sulfhydryl side group of a cysteine residue. [GOC:BioGRID, GOC:dph]' - }, - 'GO:0061632': { - 'name': 'RNA lariat debranching enzyme activator activity', - 'def': "Increases the activity of an enzyme that catalyzes the hydrolysis of branched RNA structures that contain vicinal 2'-5'- and 3'-5'-phosphodiester bonds at a branch point nucleotide. [GOC:dph, PMID:24919400]" - }, - 'GO:0061633': { - 'name': 'transport-coupled glycolytic process through glucose-6-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucose into pyruvate, in which the glucose is converted to glucose-6-phosphate intermediate coupled to transmembrane transport. [GOC:dph]' - }, - 'GO:0061634': { - 'name': 'alpha-D-xyloside xylohydrolase', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing alpha-D-xylose residues with release of alpha-D-xylose. [EC:3.2.1.177]' - }, - 'GO:0061635': { - 'name': 'regulation of protein complex stability', - 'def': 'Any process that affects the structure and integrity of a protein complex by altering the likelihood of its assembly or disassembly. [GOC:dph]' - }, - 'GO:0061638': { - 'name': 'CENP-A containing chromatin', - 'def': 'The specialized chromatin located the centromeric core region or the entire centromeric region in organisms with point centromeres, which is enriched for CENP-A-containing nucleosomes. This chromatin forms a 3-dimensional structure which provides a platform for kinetochore assembly and microtubule attachment. [GOC:vw, PMID:20206496, PMID:22729156]' - }, - 'GO:0061639': { - 'name': 'Cdv-dependent cytokinesis', - 'def': 'A cytokinesis that involves a set of conserved proteins including the Cdv proteins, and results in the formation of two similarly sized and shaped cells. [GOC:dph, PMID:18987308]' - }, - 'GO:0061640': { - 'name': 'cytoskeleton-dependent cytokinesis', - 'def': 'A cytokinesis that involves the function of a set of proteins that are part of the microfilament or microtubule cytoskeleton. [GOC:dph]' - }, - 'GO:0061641': { - 'name': 'CENP-A containing chromatin organization', - 'def': 'Any process that results in the specification, formation or maintenance of the physical structure of CENP-A containing chromatin. [GOC:dph]' - }, - 'GO:0061642': { - 'name': 'chemoattraction of axon', - 'def': 'The process in which a neuron growth cone is directed to a specific target site in response to an attractive chemical signal. [GOC:dph, GOC:krc]' - }, - 'GO:0061643': { - 'name': 'chemorepulsion of axon', - 'def': 'The process in which a neuron growth cone is directed to a specific target site in response to a repulsive chemical cue. [GOC:dph, GOC:krc]' - }, - 'GO:0061644': { - 'name': 'protein localization to CENP-A containing chromatin', - 'def': 'Any process in which a protein is transported to, or maintained at, CENP-A containing chromatin. [GOC:dph, GOC:vw]' - }, - 'GO:0061645': { - 'name': 'endocytic patch', - 'def': 'The part of the cell cortex consisting of an aggregation of proteins that will give rise to an endocytic vesicle. [GOC:dph, PMID:22949647]' - }, - 'GO:0061646': { - 'name': 'positive regulation of glutamate neurotransmitter secretion in response to membrane depolarization', - 'def': 'Any process that activates or increases the frequency, rate or extent of glutamate secretion in response to membrane depolarization, where glutamate acts as a neurotransmitter. [GOC:pad, GOC:PARL]' - }, - 'GO:0061647': { - 'name': 'histone H3-K9 modification', - 'def': 'The modification of histone H3 at a lysine in position 9 of the histone. [GOC:vw]' - }, - 'GO:0061648': { - 'name': 'tooth replacement', - 'def': 'The process whose specific outcome is the replacement of an existing tooth with another tooth. [GOC:dph, PMID:15170864]' - }, - 'GO:0061649': { - 'name': 'ubiquitinated histone binding', - 'def': 'Interacting selectively and non-covalently with a histone protein in which a residue has been modified by ubiquitination. Histones are any of a group of water-soluble proteins found in association with the DNA of plant and animal chromosomes. [GOC:dph, PMID:24526689]' - }, - 'GO:0061650': { - 'name': 'ubiquitin-like protein conjugating enzyme activity', - 'def': 'Isoenergetic transfer of a ubiquitin-like protein (ULP) from one protein to another via the reaction X-SCP + Y -> Y-SCP + X, where both the X-SCP and Y-SCP linkages are thioester bonds between the C-terminal amino acid of SCP and a sulfhydryl side group of a cysteine residue. [GOC:dph]' - }, - 'GO:0061651': { - 'name': 'Atg12 conjugating enzyme activity', - 'def': 'Isoenergetic transfer of Atg12 from one protein to another via the reaction X-Atg12 + Y -> Y-Atg12 + X, where both the X-Atg12 and Y-Atg12 linkages are thioester bonds between the C-terminal amino acid of Atg12 and a sulfhydryl side group of a cysteine residue. [GOC:dph]' - }, - 'GO:0061652': { - 'name': 'FAT10 conjugating enzyme activity', - 'def': 'Isoenergetic transfer of FAT10 from one protein to another via the reaction X-FAT10 + Y -> Y-FAT10 + X, where both the X-FAT10 and Y-FAT10 linkages are thioester bonds between the C-terminal amino acid of FAT10 and a sulfhydryl side group of a cysteine residue. [GOC:dph]' - }, - 'GO:0061653': { - 'name': 'ISG15 conjugating enzyme activity', - 'def': 'Isoenergetic transfer of ISG15 from one protein to another via the reaction X-ISG15 + Y -> Y-ISG15 + X, where both the X-ISG15 and Y-ISG15 linkages are thioester bonds between the C-terminal amino acid of ISG15 and a sulfhydryl side group of a cysteine residue. [GOC:dph]' - }, - 'GO:0061654': { - 'name': 'NEDD8 conjugating enzyme activity', - 'def': 'Isoenergetic transfer of NEDD8 from one protein to another via the reaction X-NEDD8 + Y -> Y-NEDD8 + X, where both the X-NEDD8 and Y-NEDD8 linkages are thioester bonds between the C-terminal amino acid of NEDD8 and a sulfhydryl side group of a cysteine residue. [GOC:dph]' - }, - 'GO:0061655': { - 'name': 'Pup conjugating enzyme activity', - 'def': 'Isoenergetic transfer of Pup from one protein to another via the reaction X-Pup + Y -> Y-Pup + X, where both the X-Pup and Y-Pup linkages are thioester bonds between the C-terminal amino acid of Pup and a sulfhydryl side group of a cysteine residue. [GOC:dph]' - }, - 'GO:0061656': { - 'name': 'SUMO conjugating enzyme activity', - 'def': 'Isoenergetic transfer of SUMO from one protein to another via the reaction X-SUMO + Y -> Y-SUMO + X, where both the X-SUMO and Y-SUMO linkages are thioester bonds between the C-terminal amino acid of SUMO and a sulfhydryl side group of a cysteine residue. [GOC:dph]' - }, - 'GO:0061657': { - 'name': 'UFM1 conjugating enzyme activity', - 'def': 'Isoenergetic transfer of UFM1 from one protein to another via the reaction X-UFM1 + Y -> Y-UFM1 + X, where both the X-UFM1 and Y-UFM1 linkages are thioester bonds between the C-terminal amino acid of UFM1 and a sulfhydryl side group of a cysteine residue. [GOC:dph]' - }, - 'GO:0061658': { - 'name': 'URM1 conjugating enzyme activity', - 'def': 'Isoenergetic transfer of URM1 from one protein to another via the reaction X-URM1 + Y -> Y-URM1 + X, where both the X-URM1 and Y-URM1 linkages are thioester bonds between the C-terminal amino acid of URM1 and a sulfhydryl side group of a cysteine residue. [GOC:dph]' - }, - 'GO:0061659': { - 'name': 'ubiquitin-like protein ligase activity', - 'def': 'Catalysis of the transfer of a ubiquitin-like protein (ULP) to a substrate protein via the reaction X-ULP + S --> X + S-ULP, where X is either an E2 or E3 enzyme, the X-ULP linkage is a thioester bond, and the S-ULP linkage is an isopeptide bond between the C-terminal glycine of ULP and the epsilon-amino group of lysine residues in the substrate. [GOC:dph]' - }, - 'GO:0061660': { - 'name': 'Atg12 ligase activity', - 'def': 'Catalysis of the transfer of Atg12 to a substrate protein via the reaction X-Atg12 + S --> X + S-Atg12, where X is either an E2 or E3 enzyme, the X-Atg12 linkage is a thioester bond, and the S-Atg12 linkage is an isopeptide bond between the C-terminal amino acid of Atg12 and the epsilon-amino group of lysine residues in the substrate. [GOC:dph]' - }, - 'GO:0061661': { - 'name': 'FAT10 ligase activity', - 'def': 'Catalysis of the transfer of FAT10 to a substrate protein via the reaction X-FAT10 + S --> X + S-FAT10, where X is either an E2 or E3 enzyme, the X-FAT10 linkage is a thioester bond, and the S-FAT10 linkage is an isopeptide bond between the C-terminal glycine of FAT10 and the epsilon-amino group of lysine residues in the substrate. [GOC:dph]' - }, - 'GO:0061662': { - 'name': 'ISG15 ligase activity', - 'def': 'Catalysis of the transfer of a ISG15 to a substrate protein via the reaction X-ISG15 + S --> X + S-ISG15, where X is either an E2 or E3 enzyme, the X-ISG15 linkage is a thioester bond, and the S-ISG15 linkage is an isopeptide bond between the C-terminal amino acid of ISG15 and the epsilon-amino group of lysine residues in the substrate. [GOC:dph]' - }, - 'GO:0061663': { - 'name': 'NEDD8 ligase activity', - 'def': 'Catalysis of the transfer of NEDD8 to a substrate protein via the reaction X-NEDD8 + S --> X + S-NEDD8, where X is either an E2 or E3 enzyme, the X-NEDD8 linkage is a thioester bond, and the S-NEDD8 linkage is an isopeptide bond between the C-terminal amino acid of NEDD8 and the epsilon-amino group of lysine residues in the substrate. [GOC:dph]' - }, - 'GO:0061664': { - 'name': 'Pup ligase activity', - 'def': 'Catalysis of the transfer of Pup to a substrate protein via the reaction X-Pup + S --> X + S-Pup, where X is either an E2 or E3 enzyme, the X-Pup linkage is a thioester bond, and the S-Pup linkage is an isopeptide bond between the C-terminal amino acid of Pup and the epsilon-amino group of lysine residues in the substrate. [GOC:dph]' - }, - 'GO:0061665': { - 'name': 'SUMO ligase activity', - 'def': 'Catalysis of the transfer of SUMO to a substrate protein via the reaction X-SUMO + S --> X + S-SUMO, where X is either an E2 or E3 enzyme, the X-SUMO linkage is a thioester bond, and the S-SUMO linkage is an isopeptide bond between the C-terminal amino acid of SUMO and the epsilon-amino group of lysine residues in the substrate. [GOC:dph]' - }, - 'GO:0061666': { - 'name': 'UFM1 ligase activity', - 'def': 'Catalysis of the transfer of UFM1 to a substrate protein via the reaction X-UFM1 + S --> X + S-UFM1, where X is either an E2 or E3 enzyme, the X-UFM1 linkage is a thioester bond, and the S-UFM1 linkage is an isopeptide bond between the C-terminal amino acid of UFM1 and the epsilon-amino group of lysine residues in the substrate. [GOC:dph]' - }, - 'GO:0061667': { - 'name': 'URM1 ligase activity', - 'def': 'Catalysis of the transfer of URM1 to a substrate protein via the reaction X-URM1 + S --> X + S-URM1, where X is either an E2 or E3 enzyme, the X-URM1 linkage is a thioester bond, and the S-URM1 linkage is an isopeptide bond between the C-terminal amino acid of URM1 and the epsilon-amino group of lysine residues in the substrate. [GOC:dph]' - }, - 'GO:0061668': { - 'name': 'mitochondrial ribosome assembly', - 'def': 'The aggregation, arrangement and bonding together of the mitochondrial ribosome and of its subunits. [GOC:dph]' - }, - 'GO:0061669': { - 'name': 'spontaneous neurotransmitter secretion', - 'def': 'Neurotransmitter secretion that occurs in the absence of the action of a secretagogue or a presynaptic action potential. [GOC:dph, GOC:pad, GOC:PARL, PMID:21334193]' - }, - 'GO:0061670': { - 'name': 'evoked neurotransmitter secretion', - 'def': 'Neurotransmitter secretion that occurs in the presence of the action of a secretagogue or a presynaptic action potential. [GOC:dph, GOC:pad, GOC:PARL, PMID:21334193]' - }, - 'GO:0061671': { - 'name': 'Cbp3p-Cbp6 complex', - 'def': 'A protein complex located at the mitochondrial ribosome tunnel exit that is involved in efficient translation and protein complex assembly. [GOC:dph, GOC:rb, PMID:21670217]' - }, - 'GO:0061672': { - 'name': 'glutathione hydrolase complex', - 'def': 'Enzyme complex that in S. cerevisiae has components Dug2/Dug3 and is able to catalyze the cleavage of glutathione into glutamate and Cys-Gly. [GOC:dph]' - }, - 'GO:0061673': { - 'name': 'mitotic spindle astral microtubule', - 'def': 'Any of the mitotic spindle microtubules that radiate in all directions from the spindle poles and are thought to contribute to the forces that separate the poles and position them in relation to the rest of the cell. [GOC:dph]' - }, - 'GO:0061674': { - 'name': 'gap filling involved in double-strand break repair via nonhomologous end joining', - 'def': 'Repair of the gaps in the DNA helix using a discontinuous template during double-strand break repair via nonhomologous end joining. [GOC:dph]' - }, - 'GO:0061675': { - 'name': 'RBL family protein binding', - 'def': 'Interacting selectively and non-covalently with any member of the rhamnose-binding lectin (RBL) family, a family of animal lectins that show specific binding activities to L-rhamnose or D-galactose. [PMID:22312473]' - }, - 'GO:0061676': { - 'name': 'importin-alpha family protein binding', - 'def': 'Interacting selectively and non-covalently with any member of the importin-alpha family. [PMID:15350979, PMID:17170104, PMID:23734157]' - }, - 'GO:0061677': { - 'name': '2-dehydro-3-deoxy-D-gluconate aldolase activity', - 'def': 'Catalysis of the reaction: 2-dehydro-3-deoxy-D-gluconate <=> pyruvate + D-glyceraldehyde. [EC:4.1.2.51, GOC:dph]' - }, - 'GO:0061678': { - 'name': 'Entner-Doudoroff pathway', - 'def': 'A cellular carbohydrate catabolic process that converts a carbohydrate to pyruvate and either glyceraldehyde or glyceraldehyde-3 phosphate by dehydration and aldol cleavage via a gluconate or 6-phosphogluconate intermediate. [GOC:dph, PMID:12921536]' - }, - 'GO:0061679': { - 'name': 'Entner-Doudoroff pathway through gluconate', - 'def': 'The Entner-Doudoroff pathway that proceeds through a D-gluconate intermediate. [GOC:dph, PMID:12921536]' - }, - 'GO:0061680': { - 'name': 'Entner-Doudoroff pathway through gluconate to D-glyceraldehyde', - 'def': 'The Entner-Doudoroff pathway that proceeds through a D-gluconate intermediate and yields pyruvate and D-glyceraldehyde. [GOC:dph, MetaCyc:ENTNER-DOUDOROFF-PWY-II, PMID:12921536]' - }, - 'GO:0061681': { - 'name': 'Entner-Doudoroff pathway through gluconate to D-glyceraldehyde-3-phosphate', - 'def': 'The Entner-Doudoroff pathway that proceeds through a D-gluconate intermediate and yields pyruvate and D-glyceraldehyde-3-phosphate. [GOC:dph, MetaCyc:ENTNER-DOUFDOROFF-PWY-III, PMID:12921536]' - }, - 'GO:0061682': { - 'name': 'seminal vesicle morphogenesis', - 'def': 'The process in which the anatomical structures of a seminal vesicle are generated and organized. [GOC:dph]' - }, - 'GO:0061683': { - 'name': 'branching involved in seminal vesicle morphogenesis', - 'def': 'The process in which the branching structure of the seminal vesicle is generated and organized. A branch is a division or offshoot from a main stem. [GOC:dph, PMID:16916376]' - }, - 'GO:0061684': { - 'name': 'chaperone-mediated autophagy', - 'def': 'The autophagy process which begins when chaperones and co-chaperones recognize a KFERQ-related motif and unfold the substrate protein. The proteins are then transported to the lysosome where they are degraded. [GOC:pad, GOC:PARL, PMID:22743996]' - }, - 'GO:0061685': { - 'name': 'diphthine methylesterase activity', - 'def': 'Catalysis of the reaction: diphthine methyl ester + H2O <=> diphthine + H+ + methanol. [GOC:dph, PMID:24739148, RHEA:42659]' - }, - 'GO:0061686': { - 'name': 'hercynylcysteine sulfoxide synthase', - 'def': 'Catalysis of the reaction: L-cysteine + N-alpha,N-alpha,N-alpha-trimethyl-L-histidine + O2 <=> hercynylcysteine sulfoxide + H2O. [GOC:dph, PMID:28577]' - }, - 'GO:0061687': { - 'name': 'detoxification of inorganic compound', - 'def': 'Any process that reduces or removes the toxicity of inorganic compounds. These include transport of such compounds away from sensitive areas and to compartments or complexes whose purpose is sequestration of inorganic compounds. [GOC:vw]' - }, - 'GO:0061688': { - 'name': 'glycolytic process via Entner-Doudoroff Pathway', - 'def': 'A glycolytic process in which the glucose is catabolized to pyruvate by first entering the Entner-Doudoroff pathway to yield pyruvate and glyceraldehyde-3-phosphate. The glyceraldehyde-3-phosphate is subsequently converted to pyruvate by the core glycolytic enzymes. [GOC:dph, PMID:9657988]' - }, - 'GO:0061689': { - 'name': 'tricellular tight junction', - 'def': 'An specialized occluding junction where three epithelial cells meet. It is composed of a branching network of sealing strands that run perpendicularly to the bicellular tight junction at the point of contact between three epithelial cells in an epithelial sheet. [GOC:dk, GOC:dph, PMID:22520461, PMID:25822906]' - }, - 'GO:0061690': { - 'name': 'lipoamidase activity', - 'def': 'Catalysis of the cleavage of the amide bond to release lipoic acid from a lipoylated protein. [GOC:dph, PMID:14086741]' - }, - 'GO:0061691': { - 'name': 'detoxification of hydrogen peroxide', - 'def': 'Any process that reduces or removes the toxicity of hydrogen peroxide. These include transport of hydrogen peroxide away from sensitive areas and to compartments or complexes whose purpose is sequestration. [GOC:dph]' - }, - 'GO:0061692': { - 'name': 'cellular detoxification of hydrogen peroxide', - 'def': 'Any process that reduces or removes the toxicity of hydrogen peroxide in a cell. These include transport of hydrogen peroxide away from sensitive areas and to compartments or complexes whose purpose is sequestration. [GOC:dph, GOC:vw]' - }, - 'GO:0061693': { - 'name': 'alpha-D-ribose 1-methylphosphonate 5-triphosphate synthase activity', - 'def': 'Catalysis of the reaction: ATP + methylphosphonate = alpha-D-ribose 1-methylphosphonate 5-triphosphate + adenine. [EC:2.7.8.37, GOC:dph, PMID:22089136]' - }, - 'GO:0061694': { - 'name': 'alpha-D-ribose 1-methylphosphonate 5-triphosphate synthase complex', - 'def': 'A catalytic protein complex that is capable of alpha-D-ribose 1-methylphosphonate 5-triphosphate synthase activity. [GOC:dph, PMID:22089136]' - }, - 'GO:0061695': { - 'name': 'transferase complex, transferring phosphorus-containing groups', - 'def': 'A transferase complex capable of catalysis of the transfer of a phosphorus-containing group from one compound (donor) to another (acceptor). [GOC:bhm, GOC:dph]' - }, - 'GO:0061696': { - 'name': 'pituitary gonadotropin complex', - 'def': 'A protein complex that is a protein hormone secreted by gonadotrope cells of the anterior pituitary of vertebrates. capable of regulating normal growth, sexual development, and reproductive function. [GOC:dph, PMID:11420129]' - }, - 'GO:0061697': { - 'name': 'protein-glutaryllysine deglutarylase activity', - 'def': 'Catalysis of the reaction: protein-glutaryllysine + H2O => protein-lysine + glutarate. This reaction is the removal of a glutaryl group from a glutarylated lysine residue of a protein or peptide. [GOC:dph, PMID:24703693]' - }, - 'GO:0061698': { - 'name': 'protein deglutarylation', - 'def': 'The removal of a glutaryl group (CO-CH2-CH2-CH2-CO) from a residue in a peptide or protein. [GOC:dph, PMID:24703693]' - }, - 'GO:0061699': { - 'name': 'peptidyl-lysine deglutarylation', - 'def': 'The removal of a glutaryl group (CO-CH2-CH2--CH2-CO) from a glutarylated lysine residue in a peptide or protein. [GOC:dph, PMID:24703693]' - }, - 'GO:0061700': { - 'name': 'GATOR2 complex', - 'def': 'A multiprotein subcomplex of GATOR that regulates mTOR signaling by interacting with the Rag GTPases. In humans this complex consists of Mios, WDR24, WDR59, Seh1L, Sec13. [GOC:rb, PMID:23723238]' - }, - 'GO:0061701': { - 'name': 'bacterial outer membrane vesicle', - 'def': 'A spherical, bilayered proteolipid vesicle released from gram-negative bacterial outer membranes. [GOC:dph, GOC:pr, PMID:20596524]' - }, - 'GO:0061702': { - 'name': 'inflammasome complex', - 'def': 'A cytosolic protein complex that is capable of activating caspase-1. [GOC:dph, PMID:17599095]' - }, - 'GO:0061703': { - 'name': 'pyroptosome complex', - 'def': 'A protein complex that consists of an assemble of ASC dimers that is capable of inducing pyroptosis. [GOC:dph, PMID:17599095]' - }, - 'GO:0061704': { - 'name': 'glycolytic process from sucrose', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a sucrose into pyruvate, with the concomitant production of a small amount of ATP and the reduction of NAD(P) to NAD(P)H. Glycolysis begins with the metabolism of a carbohydrate to generate products that can enter the pathway and ends with the production of pyruvate. Pyruvate may be converted to acetyl-coenzyme A, ethanol, lactate, or other small molecules. [GOC:dph, GOC:glycolysis, PMID:15012287]' - }, - 'GO:0061705': { - 'name': 'sucrose catabolic process to fructose-6-phosphate through glucose and fructose', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sucrose, to yield fructose-6-phosphate through both glucose and fructose intermediates. [GOC:dph, GOC:glycolysis, MetaCyc:PWY-621, PMID:15012287]' - }, - 'GO:0061706': { - 'name': 'glycolytic process from sucrose through glucose and fructose', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sucrose into pyruvate through both glucose and fructose intermediates, with the concomitant production of a small amount of ATP and the reduction of NAD(P) to NAD(P)H. Glycolysis begins with the metabolism of a carbohydrate to generate products that can enter the pathway and ends with the production of pyruvate. Pyruvate may be converted to acetyl-coenzyme A, ethanol, lactate, or other small molecules. [GOC:dph, GOC:glycolysis, MetaCyc:PWY-1042, PMID:15012287]' - }, - 'GO:0061707': { - 'name': 'extracellular exosome macropinocytosis', - 'def': 'The single-organism macropinocytosis process that results in the uptake of an extracellular exosome. [GOC:dph, PMID:24951588]' - }, - 'GO:0061708': { - 'name': 'tRNA-5-taurinomethyluridine 2-sulfurtransferase', - 'def': 'Catalysis of 5-taurinomethyluridine in tRNA + a [protein]-S-sulfanylcysteine + ATP + a reduced electron acceptor = a 5-taurinomethyl-2-thiouridine in tRNA + a [protein]-L-cysteine + AMP + an oxidized electron acceptor + diphosphate + H+. [GOC:dph, PMID:15509579]' - }, - 'GO:0061709': { - 'name': 'reticulophagy', - 'def': 'The autophagic process in which parts of the endoplasmic reticulum are loaded into autophagosomes, delivered to the vacuole, and degraded in response to changing cellular conditions. [GOC:autophagy, GOC:dph, PMID:22481944, PMID:24060720, PMID:26040717]' - }, - 'GO:0061710': { - 'name': 'L-threonylcarbamoyladenylate synthase', - 'def': 'Catalysis of the reaction: L-threonine + ATP + bicarbonate = L-threonylcarbamoyladenylate + diphosphate + H(2)O. [EC:2.7.7.87]' - }, - 'GO:0061711': { - 'name': 'N(6)-L-threonylcarbamoyladenine synthase', - 'def': 'Catalysis of the reaction: L-threonylcarbamoyladenylate + adenine(37) in tRNA = AMP + N(6)-L-threonylcarbamoyladenine(37) in tRNA. [EC:2.3.1.234]' - }, - 'GO:0061712': { - 'name': 'tRNA (N(6)-L-threonylcarbamoyladenosine(37)-C(2))-methylthiotransferase', - 'def': "Catalysis of the reaction: N(6)-L-threonylcarbamoyladenine(37) in tRNA + sulfur-(sulfur carrier) + 2 S-adenosyl-L-methionine = 2-methylthio-N(6)-L-threonylcarbamoyladenine(37) in tRNA + S-adenosyl-L-homocysteine + (sulfur carrier) + L-methionine + 5'-deoxyadenosine. [EC:2.8.4.5]" - }, - 'GO:0061713': { - 'name': 'anterior neural tube closure', - 'def': 'The step in the formation of the neural tube, where the paired anterior neural folds are brought together and fuse at the dorsal midline. [GOC:BHF, GOC:dph, GOC:hal, PMID:17286298]' - }, - 'GO:0061714': { - 'name': 'folic acid receptor activity', - 'def': 'Combining selectively with extracellular folic acid and delivering it into the cell via endocytosis. [GOC:BHF, GOC:hal]' - }, - 'GO:0061715': { - 'name': "miRNA 2'-O-methylation", - 'def': "The posttranscriptional addition of a methyl group to the 2' oxygen atom of a nucleotide residue in an miRNA molecule. [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:20705645]" - }, - 'GO:0061716': { - 'name': 'miRNA export from nucleus', - 'def': 'The directed movement of a processed miRNA from the nucleus to the cytoplasm. [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:15738428, PMID:21554756]' - }, - 'GO:0061717': { - 'name': 'miRNA transporter activity', - 'def': 'Enables the directed movement of cleaved miRNAs between the nucleus and the cytoplasm of a cell. [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:15738428, PMID:21554756]' - }, - 'GO:0061718': { - 'name': 'glucose catabolic process to pyruvate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucose, with the production of pyruvate. [GOC:dph]' - }, - 'GO:0061719': { - 'name': 'glucose catabolic process to pyruvate utilizing ADP', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucose into pyruvate, with the concomitant production of a small amount of ATP and the utilization of ADP in the initial kinase reactions. [GOC:dph, MetaCyc:P341-PWY]' - }, - 'GO:0061720': { - 'name': '6-sulfoquinovose(1-) catabolic process to glycerone phosphate and 3-sulfolactaldehyde', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 6-sulfoquinovose(1-) resulting in the formation of glycerone phosphate (DHAP) and 3-sulfolactaldehyde (SLA). [GOC:dph, PMID:24463506]' - }, - 'GO:0061721': { - 'name': '6-sulfoquinovose(1-) catabolic process to 3-sulfopropanediol(1-)', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 6-sulfoquinovose(1-) resulting in the formation of glycerone phosphate (DHAP) and 3-sulfopropanediol(1-). [GOC:dph, PMID:14602517, PMID:24463506]' - }, - 'GO:0061722': { - 'name': 'sulphoglycolysis', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 6-sulfoquinovose(1-) resulting in the formation of glycerone phosphate (DHAP) and pyruvate. [GOC:dph, PMID:24463506]' - }, - 'GO:0061723': { - 'name': 'glycophagy', - 'def': 'The autophagic process in which cellular glycogen is delivered to the vacuole and degraded in response to changing cellular conditions. [GOC:autophagy, PMID:21893048]' - }, - 'GO:0061724': { - 'name': 'lipophagy', - 'def': 'The autophagic process in which lipid droplets are delivered to the vacuole and degraded in response to changing cellular conditions. [GOC:autophagy, PMID:23708524, PMID:26076903]' - }, - 'GO:0061725': { - 'name': 'cytosolic lipolysis', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lipid droplets and hydrolysis of stored triglycerides occurring through the orchestrated activation of cytosolic lipases. [GOC:autophagy]' - }, - 'GO:0061726': { - 'name': 'mitochondrion disassembly', - 'def': 'The disaggregation of a mitochondrion into its constituent components. [GOC:autophagy, PMID:25009776]' - }, - 'GO:0061727': { - 'name': 'methylglyoxal catabolic process to lactate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of methylglyoxal, CH3-CO-CHO, into lactate. [GOC:dph, PMID:2198020]' - }, - 'GO:0061728': { - 'name': 'GDP-mannose biosynthetic process from mannose', - 'def': 'The chemical reactions and pathways resulting in the formation of GDP-mannose from mannose. [GOC:dph, PMID:16339137, PMID:24218558]' - }, - 'GO:0061729': { - 'name': 'GDP-mannose biosynthetic process from fructose-6-phosphate', - 'def': 'The chemical reactions and pathways resulting in the formation of GDP-mannose from fructose-6-phosphate. [GOC:dph, PMID:16339137]' - }, - 'GO:0061730': { - 'name': 'C-rich strand telomeric DNA binding', - 'def': 'Interacting selectively and non-covalently with C-rich, single-stranded, telomere-associated DNA. [GOC:dph, GOC:kmv, PMID:18329362]' - }, - 'GO:0061731': { - 'name': 'ribonucleoside-diphosphate reductase activity', - 'def': "Catalysis of the formation of 2'-deoxyribonucleoside diphosphate from ribonucleoside diphosphate, using either thioredoxin disulfide or glutaredoxin disulfide as an acceptor. [GOC:dph, GOC:vw, PMID:16756507]" - }, - 'GO:0061732': { - 'name': 'mitochondrial acetyl-CoA biosynthetic process from pyruvate', - 'def': 'The chemical reactions and pathways resulting in the formation of acetyl-CoA from pyruvate in the mitochondrion. The process begins with the transport of pyruvate from the cytosol to the mitochondrion where it is subsequently decarboxylated to form acetyl-CoA. [GOC:dph, ISBN:0201090910]' - }, - 'GO:0061733': { - 'name': 'peptide-lysine-N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + lysine in peptide = CoA + N-acetyl-lysine-peptide. [GOC:dph]' - }, - 'GO:0061734': { - 'name': 'parkin-mediated stimulation of mitophagy in response to mitochondrial depolarization', - 'def': 'A positive regulation of the macromitophagy pathway that is triggered by mitochondrial depolarization and requires the function of a parkin-family molecule. [GOC:autophagy, GOC:dph, GOC:pad, GOC:PARL, PMID:25349190]' - }, - 'GO:0061735': { - 'name': 'dynamin-like protein-mediated stimulation of mitophagy in response to mitochondrial depolarization', - 'def': 'A positive regulation of the macromitophagy pathway that is triggered by mitochondrial depolarization and requires the function of a dynamin-like molecule. [GOC:autophagy, GOC:dph, GOC:pad, GOC:PARL, PMID:25349190]' - }, - 'GO:0061736': { - 'name': 'engulfment of target by autophagosome', - 'def': 'The membrane invagination process by which an autophagosomal membrane surrounds an object that will be degraded by macroautophagy. [GOC:autophagy, GOC:dph, GOC:pad, GOC:PARL]' - }, - 'GO:0061737': { - 'name': 'leukotriene signaling pathway', - 'def': 'A series of molecular signals that proceeds with an activated receptor promoting the exchange of GDP for GTP on the alpha-subunit of an associated heterotrimeric G-protein complex. The GTP-bound activated alpha-G-protein then dissociates from the beta- and gamma-subunits to further transmit the signal within the cell. The pathway begins with receptor-leukotriene interaction and ends with regulation of a downstream cellular process, e.g. transcription. [GOC:dph, PMID:21771892]' - }, - 'GO:0061738': { - 'name': 'late endosomal microautophagy', - 'def': 'The autophagy process by which cytosolic proteins targeted for degradation are tagged with a chaperone and are directly transferred into and degraded in a late endosomal compartment. [GOC:autophagy, GOC:dph, GOC:pad, GOC:PARL, PMID:21238931]' - }, - 'GO:0061739': { - 'name': 'protein lipidation involved in autophagosome assembly', - 'def': 'The protein lipidation process by which phosphatidylethanolamine is conjugated to a protein of the ATG8 family, leading to membrane insertion of the protein as a step in autophagosome assembly. [GOC:autophagy, GOC:dph, PMID:11096062, PMID:11100732, PMID:15277523]' - }, - 'GO:0061740': { - 'name': 'protein targeting to lysosome involved in chaperone-mediated autophagy', - 'def': 'The targeting of a protein to the lysosome process in which an input protein binds to a chaperone and subsequently to a lysosomal receptor. [GOC:dph, GOC:pad, GOC:PARL, PMID:22748206]' - }, - 'GO:0061741': { - 'name': 'chaperone-mediated protein transport involved in chaperone-mediated autophagy', - 'def': 'The chaperone-mediated protein transport process in which a protein that is bound to a chaperone and a lysosomal receptor is unfolded and transported into the lysosome as part of chaperone-mediated autophagy. [GOC:autophagy, GOC:dph, GOC:pad, GOC:PARL, PMID:22748206]' - }, - 'GO:0061742': { - 'name': 'chaperone-mediated autophagy translocation complex', - 'def': 'A lysosomal membrane protein complex that enables the translocation of a target protein across the lysosomal membrane as part of chaperone-mediated autophagy. [GOC:dph, GOC:pad, GOC:PARL, PMID:20797626]' - }, - 'GO:0061743': { - 'name': 'motor learning', - 'def': 'Any process in which an organism acquires a novel neuromuscular action or movement as the result of experience. [GOC:bf, GOC:PARL, Wikipedia:Motor_learning]' - }, - 'GO:0061744': { - 'name': 'motor behavior', - 'def': 'The specific neuromuscular movement of a single organism in response to external or internal stimuli. [GOC:bf, GOC:PARL, PMID:25318560]' - }, - 'GO:0061745': { - 'name': 'GTPase activity, coupled', - 'def': 'Catalysis of the reaction: GTP + H2O = GDP + phosphate; this reaction directly drives some other reaction. [GOC:dph, PMID:26277776]' - }, - 'GO:0061746': { - 'name': 'single-stranded DNA-dependent GTPase activity', - 'def': 'Catalysis of the reaction: GTP + H2O = GDP + phosphate; this reaction requires the presence of single-stranded DNA, and it drives another reaction. [GOC:dph, PMID:26277776]' - }, - 'GO:0061747': { - 'name': 'CTPase activity, coupled', - 'def': 'Catalysis of the reaction: CTP + H2O = CDP + phosphate; this reaction directly drives some other reaction. [GOC:dph, PMID:26277776]' - }, - 'GO:0061748': { - 'name': 'single-stranded DNA-dependent CTPase activity', - 'def': 'Catalysis of the reaction: CTP + H2O = CDP + phosphate; this reaction requires the presence of single-stranded DNA, and it drives another reaction. [GOC:dph, PMID:26277776]' - }, - 'GO:0061749': { - 'name': 'forked DNA-dependent helicase activity', - 'def': 'Catalysis of the reaction: NTP + H2O = NDP + phosphate, to drive the unwinding of a DNA helix containing forked DNA. [GOC:dph, PMID:26277776]' - }, - 'GO:0061750': { - 'name': 'acid sphingomyelin phosphodiesterase activity', - 'def': 'Catalysis of the reaction: H(2)O + sphingomyelin = ceramide + choline phosphate + H(+) in an acidic environment. [GOC:dph, PMID:26493087]' - }, - 'GO:0061751': { - 'name': 'neutral sphingomyelin phosphodiesterase activity', - 'def': 'Catalysis of the reaction: H(2)O + sphingomyelin = ceramide + choline phosphate + H(+) in a neutral environment. [GOC:dph, PMID:26493087]' - }, - 'GO:0061752': { - 'name': 'telomeric repeat-containing RNA binding', - 'def': 'Interacting selectively and non-covalently with long non-coding RNA molecules transcribed from subtelomeric regions in most eukaryotes. Telomeric repeat-containing RNA (TERRA) molecules consist of subtelomeric-derived sequences and G-rich telomeric repeats. [GOC:BHF, GOC:BHF_telomere, GOC:dph, GOC:jbu, PMID:20655916]' - }, - 'GO:0061753': { - 'name': 'substrate localization to autophagosome', - 'def': 'The localization process by which an autophagic substrate is delivered to a forming autophagosome. [GOC:dph, GOC:pad, GOC:PARL, PMID:23545414]' - }, - 'GO:0061754': { - 'name': 'negative regulation of circulating fibrinogen levels', - 'def': 'Any process that reduces the quantity of fibrinogen circulating in the bloodstream. [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:20570858]' - }, - 'GO:0061755': { - 'name': 'positive regulation of circulating fibrinogen levels', - 'def': 'Any process that increases the quantity of fibrinogen circulating in the bloodstream. [GOC:bf, GOC:BHF, GOC:BHF_miRNA, PMID:20570858]' - }, - 'GO:0061756': { - 'name': 'leukocyte adhesion to vascular endothelial cell', - 'def': 'The attachment of a leukocyte to vascular endothelial cell via adhesion molecules. [GOC:add, GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:23897866]' - }, - 'GO:0061757': { - 'name': 'leukocyte adhesion to arterial endothelial cell', - 'def': 'The attachment of a leukocyte to an arterial endothelial cell via adhesion molecules. [GOC:add, GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:22267480]' - }, - 'GO:0061758': { - 'name': '2-hydroxyglutarate dehydrogenase activity, forward reaction', - 'def': 'Catalysis of the reaction: (S)-2-hydroxyglutarate + acceptor -> 2-oxoglutarate + reduced acceptor. [EC:1.1.99.2, GOC:dph, MetaCyc:2-HYDROXYGLUTARATE-DEHYDROGENASE-RXN]' - }, - 'GO:0061759': { - 'name': 'alpha-ketoglutarate reductase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + reduced acceptor -> (S)-2-hydroxyglutarate + acceptor. [EC:1.1.99.2, GOC:dph, PMID:26774271]' - }, - 'GO:0061760': { - 'name': 'antifungal innate immune response', - 'def': 'An defense response against a fungus mediated through an innate immune response. An innate immune response is mediated by germline encoded components that directly recognize components of potential pathogens. [GOC:dph, PMID:22470487]' - }, - 'GO:0061761': { - 'name': 'alpha-latrotoxin receptor binding', - 'def': 'Interacting selectively and non-covalently with an alpha-latrotoxin receptor. [GOC:dph, PMID:21724987]' - }, - 'GO:0061762': { - 'name': 'CAMKK-AMPK signaling cascade', - 'def': 'A series of molecular signals in which calmodulin-dependent protein kinase activity enabled by a CAMKK directly activates an AMPK. The cascade begins with calmodulin binding calcium which in turn binds CAMKK enabling its calmodulin-dependent protein kinase activity. The cascade ends with AMP-activated protein kinase activity. [GOC:dph, GOC:pad, GOC:PARL, PMID:23010169, PMID:24709372]' - }, - 'GO:0061763': { - 'name': 'multivesicular body-lysosome fusion', - 'def': 'The organelle membrane fusion process in which the membrane of a multivesicular body fuses with a lysosome to create a hybrid organelle. [GOC:dph, GOC:pad, GOC:PARL, PMID:21118109]' - }, - 'GO:0061764': { - 'name': 'late endosome to lysosome transport via multivesicular body sorting pathway', - 'def': 'The directed movement of substances from late endosomes to lysosomes by a pathway in which molecules are sorted into multivesicular bodies, which then fuse with the lysosome. [GOC:dph]' - }, - 'GO:0061765': { - 'name': 'modulation by virus of host NIK/NF-kappaB signaling', - 'def': 'Any process in which a virus effect a change in the frequency, rate or extent of NIK/NF-kappaB signaling in the host. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:26764146]' - }, - 'GO:0061766': { - 'name': 'positive regulation of lung blood pressure', - 'def': 'The process that increases the force with which blood travels through the lungs. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:22161164]' - }, - 'GO:0061767': { - 'name': 'negative regulation of lung blood pressure', - 'def': 'The process that decreases the force with which blood travels through the lungs. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:dph, PMID:22161164]' - }, - 'GO:0061768': { - 'name': 'magnesium:sodium antiporter activity', - 'def': 'Catalysis of the reaction: Na+(in) + Mg2+(out) = Na+(out) + Mg2+(in). [GOC:pad, GOC:PARL, PMID:22031603]' - }, - 'GO:0061769': { - 'name': 'ribosylnicotinate kinase activity', - 'def': 'Catalysis of the reaction: N-ribosylnicotinate + ATP = ADP + 2 H(+) + nicotinate mononucleotide. [GOC:dph, PMID:17914902]' - }, - 'GO:0061770': { - 'name': 'translation elongation factor binding', - 'def': 'Interacting selectively and non-covalently with a translation elongation factor, any polypeptide factor involved in the peptide elongation in ribosome-mediated translation. [GOC:dph]' - }, - 'GO:0061771': { - 'name': 'response to caloric restriction', - 'def': 'A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a caloric restriction, insufficient food energy intake. [GOC:dph, PMID:15520862]' - }, - 'GO:0061772': { - 'name': 'drug transport across blood-nerve barrier', - 'def': 'The directed movement of drugs passing through the blood-nerve barrier. [GOC:dph, PMID:22733753]' - }, - 'GO:0061773': { - 'name': 'eNoSc complex', - 'def': 'A chromatin silencing complex that recruits histone-modifying enzymes and upregulates silencing of rDNA in response to glucose starvation. [GOC:BHM, Intact:EBI-11789632, Intact:EBI-11790279, PMID:18485871]' - }, - 'GO:0061774': { - 'name': 'cohesin unloading', - 'def': 'Negative regulation of sister chromatid cohesion by the topological unlinking of a cohesin ring to DNA. [GOC:dph, GOC:vw, PMID:26687354]' - }, - 'GO:0061775': { - 'name': 'cohesin ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate; this reaction drives the topological linking or unlinking of chromatin from a cohesin ring complex. [GOC:dph, GOC:vw, PMID:26687354]' - }, - 'GO:0061776': { - 'name': 'topological DNA entrapment activity', - 'def': 'The DNA binding activity by which a protein complex interacts selectively and non-covalently with more than one DNA duplex to encircle the DNA molecules with a loose fitting ring. [GOC:dph, GOC:vw, PMID:16179255, PMID:26687354, PMID:27797071]' - }, - 'GO:0061777': { - 'name': 'DNA clamp activity', - 'def': 'A DNA binding activity in which a protein complex interacts selectively and non-covalently with single DNA duplex to tightly encircle the DNA. [GOC:dph, GOC:vw, PMID:1349852]' - }, - 'GO:0061778': { - 'name': 'intracellular chloride channel activity', - 'def': 'Enables the transmembrane transfer of chloride across the membrane of an intracellular compartment. Transport by a channel involves catalysis of facilitated diffusion of a solute (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel, without evidence for a carrier-mediated mechanism. [GOC:dph, PMID:23092411]' - }, - 'GO:0061779': { - 'name': 'Tapasin-ERp57 complex', - 'def': 'Subunit of the MHC class I peptide loading complex (GO:0042824) (=PLC) involved in the assembly of the heavy-chain-beta2-microglobulin dimers of the MHC class I molecules that fold with eight to ten residue peptides in the endoplasmic reticulum. Required for the inhibition of the reduction of the disulfide bonds of the heavy chains and the assembly and stabilization of the PLC, suggesting it may play a structural rather than a catalytic role. [GOC:bhm, GOC:dph, Intact:EBI-11896237, Intact:EBI-9013963, PMID:17603487]' - }, - 'GO:0061780': { - 'name': 'mitotic cohesin loading', - 'def': 'The protein localization to chromatin by which a cohesin ring complex is topologically linked to DNA as part of the mitotic cell cycle. [GOC:dph, GOC:vw]' - }, - 'GO:0061781': { - 'name': 'mitotic cohesin unloading', - 'def': 'Negative regulation of sister chromatid cohesion by the topological unlinking of a cohesin ring to DNA as part of the mitotic cell cycle. [GOC:dph, GOC:mah, GOC:vw]' - }, - 'GO:0061782': { - 'name': 'vesicle fusion with vesicle', - 'def': 'Fusion of the membrane of a transport vesicle with a target membrane on another vesicle. [GOC:bf, GOC:PARL, PMID:16618809]' - }, - 'GO:0061783': { - 'name': 'peptidoglycan muralytic activity', - 'def': 'A catalytic activity that contributes to the degradation of peptidoglycan. [GOC:dph, GOC:jh, PMID:22748813]' - }, - 'GO:0061784': { - 'name': 'peptidoglycan N-acetylglucosaminidase activity', - 'def': 'Catalysis of the hydrolysis of (1->4)-beta linkages of N-acetyl-D-glucosamine (GlcNAc) from peptidoglycan. [GOC:dph, GOC:jh, PMID:22748813]' - }, - 'GO:0061785': { - 'name': 'peptidoglycan endopeptidase activity', - 'def': 'An endopeptidase activity that uses peptidoglycan as a substrate. [GOC:dph, GOC:jh, PMID:22748813]' - }, - 'GO:0061786': { - 'name': 'peptidoglycan stem peptide endopeptidase activity', - 'def': 'A peptidoglycan endopeptidase activity that acts on a stem peptide of peptidoglycan. [GOC:dph, GOC:jh, PMID:22748813]' - }, - 'GO:0061787': { - 'name': 'peptidoglycan cross-bridge peptide endopeptidase activity', - 'def': 'A peptidoglycan endopeptidase activity that acts on a peptidoglycan cross-bridge. [GOC:dph, GOC:jh, PMID:22748813]' - }, - 'GO:0061788': { - 'name': 'EGF repeat binding', - 'def': 'Interacting selectively and non-covalently with Epidermal Growth Factor (EGF) repeats. [GOC:25700513, GOC:dph, PMID:25155514]' - }, - 'GO:0061789': { - 'name': 'dense core granule priming', - 'def': 'A process that converts unprimed dense core granules (DCVs) to a pool of primed vesicles that are capable of fusing with the plasma membrane (fusion-competent) and thereby releasing their contents. Priming typically occurs after docking. [GOC:bf, GOC:PARL, PMID:10899113, PMID:26575293]' - }, - 'GO:0061790': { - 'name': 'dense core granule docking', - 'def': 'The initial attachment of a dense core granule membrane to the plasma membrane. [GOC:bf, GOC:PARL, PMID:26575293]' - }, - 'GO:0061791': { - 'name': 'GTPase motor activity', - 'def': 'Catalysis of the generation of force resulting either in movement along a microfilament or microtubule, or in torque resulting in membrane scission, coupled to the hydrolysis of GTP. [GOC:dph, GOC:vw]' - }, - 'GO:0061792': { - 'name': 'secretory granule maturation', - 'def': 'Steps required to transform an immature secretory vesicle into a mature secretory vesicle. Typically proceeds through homotypic membrane fusion and membrane remodelling. [GOC:bf, GOC:dph, GOC:PARL, PMID:16618809]' - }, - 'GO:0061793': { - 'name': 'chromatin lock complex', - 'def': 'A chromatin silencing complex that binds and bridges separate nucleosomal histones resulting in heterochromatin assembly and chromatin looping. [GOC:bhm, GOC:dph, IntAct:EBI-11790939, IntAct:EBI-11792170, PMID:17540172]' - }, - 'GO:0061794': { - 'name': 'conidium development', - 'def': 'The process whose specific outcome is the progression of conidium over time, from its formation to the mature structure. Conidia are non-motile spores produced via mitotic asexual reproduction in higher fungi; they are haploid cells genetically identical to their haploid parent. They are produced by conversion of hyphal elements, or are borne on sporogenous cells on or within specialized structures termed conidiophores, and participate in dispersal of the fungus. [GOC:di, GOC:dph]' - }, - 'GO:0061795': { - 'name': 'Golgi lumen acidification', - 'def': 'Any process that reduces the pH of the Golgi lumen, measured by the concentration of the hydrogen ion. [GOC:dph, PMID:23447592]' - }, - 'GO:0061796': { - 'name': 'membrane addition at site of mitotic cytokinesis', - 'def': 'A mitotic cell cycle process involved in the net addition of membrane at the site of cytokinesis; includes vesicle recruitment and fusion, local lipid synthesis and insertion. [GOC:dph, GOC:vw]' - }, - 'GO:0061797': { - 'name': 'pH-gated chloride channel activity', - 'def': 'A gated channel activity that enables the transmembrane transfer of a chloride ion by a channel that opens in response to a change in pH. [GOC:dph, PMID:27358471]' - }, - 'GO:0061798': { - 'name': "GTP 3',8'-cyclase activity", - 'def': "Catalysis of the reaction: GTP=(8S)-3',8-cyclo-7,8-dihydroguanosine 5'-triphosphate. [GOC:dph, GOC:ik, PMID:25896388]" - }, - 'GO:0061799': { - 'name': 'cyclic pyranopterin monophosphate synthase activity', - 'def': "Catalysis of the reaction: (8S)-3',8-cyclo-7,8-dihydroguanosine 5'-triphosphate = cyclic pyranopterin phosphate + diphosphate. [GOC:dph, GOC:ik, PMID:25896388]" - }, - 'GO:0061800': { - 'name': 'fibronectin fibril', - 'def': 'A supramolecular fiber formed from fibronectin molecules. The fibrils are 5 to 25nm in diameter and can form branched meshworks. [GOC:dph, PMID:20690820]' - }, - 'GO:0061801': { - 'name': 'laminin-5B complex', - 'def': 'A laminin complex composed of alpha3B, beta3 and gamma2 polypeptide chains. [GOC:dph, PMID:15979864]' - }, - 'GO:0061802': { - 'name': 'anterior cell cortex', - 'def': 'The region that lies just beneath the plasma membrane in the part of a cell that is closest to the anterior as defined by the developing, or existing, anterior/posterior axis. [GOC:15666355, GOC:17981131, GOC:dph, GOC:kmv]' - }, - 'GO:0061803': { - 'name': 'posterior cell cortex', - 'def': 'The region that lies just beneath the plasma membrane in the part of a cell that is closest to the posterior as defined by the developing, or existing, anterior/posterior axis. [GOC:dph, GOC:kmv, PMID:15666355, PMID:17981131]' - }, - 'GO:0061804': { - 'name': 'mitotic spindle elongation during mitotic prophase', - 'def': 'The cell cycle process in which the distance is lengthened between poles of the mitotic spindle during mitotic prophase. [GOC:dph, GOC:vw, PMID:21920317]' - }, - 'GO:0061805': { - 'name': 'mitotic spindle elongation during mitotic anaphase', - 'def': 'The cell cycle process in which the distance is lengthened between poles of the mitotic spindle during mitotic anaphase B. [GOC:dph, GOC:vw, PMID:21920317]' - }, - 'GO:0061806': { - 'name': 'regulation of DNA recombination at centromere', - 'def': 'Any process that modulates the frequency, rate or extent of DNA recombination within centromeric DNA. [GOC:dph, GOC:mah, PMID:27697832]' - }, - 'GO:0061807': { - 'name': 'positive regulation of DNA recombination at centromere', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA recombination at the centromere. [GOC:dph, GOC:mah]' - }, - 'GO:0061808': { - 'name': 'negative regulation of DNA recombination at centromere', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of genetic recombination at the centromere. [GOC:dph, GOC:mah]' - }, - 'GO:0061809': { - 'name': 'NAD+ nucleotidase, cyclic ADP-ribose generating', - 'def': 'Catalysis of the reaction: NAD+ + H2O = nicotinamide + ADP-ribose that proceeds in a stepwise fashion by ADP-ribosyl cyclase activity followed by cyclic ADP-ribose hydrolase activity. [GOC:dph, GOC:pad, GOC:PARL, GOC:pde, PMID:11866528]' - }, - 'GO:0061810': { - 'name': 'NAD glycohydrolase activity', - 'def': 'Catalysis of the reaction: NAD+ + H2O = nicotinamide + ADP-ribose without proceeding through a cyclic ADP-ribose intermediate. [GOC:dph, GOC:pad, GOC:PARL, GOC:pde, PMID:11866528]' - }, - 'GO:0061811': { - 'name': 'ADP-ribosyl cyclase activity', - 'def': 'Catalysis of the reaction: NAD = cyclic ADP-ribose + nicotinamide. [GOC:dph, GOC:pad, GOC:PARL, PMID:11866528]' - }, - 'GO:0061812': { - 'name': 'cyclic ADP-ribose hydrolase', - 'def': 'Catalysis of the reaction: cyclic ADP-ribose + H20 = ADP-ribose (ADPR). [GOC:dph, GOC:pad, GOC:PARL, PMID:11866528]' - }, - 'GO:0061813': { - 'name': 'obsolete ARID domain binding', - 'def': 'Interacting selectively and non-covalently with a ARID domain. The AT-rich interaction domain (ARID) is an ~100-amino acid DNA-binding module found in a large number of eukaryotic transcription factors. [GOC:dph, InterPro:IPR001606, PMID:18270511]' - }, - 'GO:0061814': { - 'name': 'condensin I complex', - 'def': 'A condensin complex that associates with chromosomes after nuclear envelope breakdown. [GOC:dph, PMID:21795393]' - }, - 'GO:0061815': { - 'name': 'ubiquitinyl hydrolase activity, acting on linear ubiquitin', - 'def': 'Catalysis of the hydrolysis of ubiquitin units from linear ubiquitin chains. [GOC:dph, PMID:26503766, PMID:27702987]' - }, - 'GO:0061816': { - 'name': 'proteaphagy', - 'def': 'The macroautophagy process that clears 26S proteasomes; homeostatic mechanism within the ubiquitin system that modulates proteolytic capacity and eliminates damaged particles. [GOC:dph, GOC:se, PMID:26670610, PMID:27477278]' - }, - 'GO:0061817': { - 'name': 'endoplasmic reticulum-plasma membrane tethering', - 'def': 'The attachment of a the endoplasmic reticulum to the plasma membrane. [GOC:dph, GOC:vw, PMID:23237950, PMID:26877082]' - }, - 'GO:0061818': { - 'name': 'tRNA folding', - 'def': 'The process of assisting in the folding of tRNAs into the correct tertiary structure. [GOC:dph, PMID:27849601]' - }, - 'GO:0061819': { - 'name': 'telomeric DNA-containing double minutes formation', - 'def': 'A telomere maintenance process that results in the formation of small fragments of circular extrachromosomal DNA elements which contain telomeric DNA. It is speculated that telomeric DNA-containing double minutes are formed through a recombination event between the telomere and chromosome-internal TTAGGG-like sequences. Telomeric DNA-containing double minutes appear as two closely positioned dots in metaphase. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:14690602, PMID:2397458]' - }, - 'GO:0061820': { - 'name': 'telomeric D-loop disassembly', - 'def': "A telomere loop disassembly process that results in the disassembly of telomeric D-loops. A telomeric D-loop is a three-stranded DNA displacement loop that forms at the site where the telomeric 3' single-stranded DNA overhang (formed of the repeat sequence TTAGGG in mammals) is tucked back inside the double-stranded component of telomeric DNA molecule, thus forming a t-loop or telomeric-loop and protecting the chromosome terminus. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:10338204, PMID:24012755]" - }, - 'GO:0061821': { - 'name': 'telomeric D-loop binding', - 'def': "Interacting selectively and non-covalently with a telomeric D-loop. A telomeric D-loop is a three-stranded DNA displacement loop that forms at the site where the telomeric 3' single-stranded DNA overhang (formed of the repeat sequence TTAGGG in mammals) is tucked back inside the double-stranded component of telomeric DNA molecule, thus forming a t-loop or telomeric-loop and protecting the chromosome terminus. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:19734539]" - }, - 'GO:0061822': { - 'name': 'ciliary cap', - 'def': 'An intracellular compartmentalized cilium structure found in insect spermatids which is bounded by a membrane derived from the invagination of the cell membrane that remains associated with the primary cilium as it is internalized. The ciliary cap is maintained at the end of the axoneme distal to the centriole and is separated from the cytosolic axoneme/cytoplasm by a putative transition zone, which may extend into the ciliary cap, and include a structure at the base of the ciliary cap termed the ring centriole. [PMID:25447994, PMID:27646273]' - }, - 'GO:0061823': { - 'name': 'ring centriole', - 'def': 'A ring-like structure observed at the base of the ciliary cap of insect spermatids. This structure may anchor the axoneme to the ciliary cap membrane and/or act as a diffusion barrier, proposed to be analogous to the annulus of mammalian sperm flagellum. [PMID:25447994, PMID:4903810]' - }, - 'GO:0061824': { - 'name': 'cytosolic ciliogenesis', - 'def': 'The process in which an axoneme is exposed entirely or partially to the cytoplasm or by which the cytoplasmic portion is assembled or extended. Cytosolic ciliogenesis can occur following compartmentalized ciliogenesis, in which the cilium is formed within a compartment separated from the cytoplasm. [PMID:25447994, PMID:26654377]' - }, - 'GO:0061825': { - 'name': 'podosome core', - 'def': 'The F-actin-rich core of an adhesion structure characterized by formation upon cell substrate contact and localization at the substrate-attached part of the cell. [PMID:23158496]' - }, - 'GO:0061826': { - 'name': 'podosome ring', - 'def': 'The ring structure surrounding the podosome core, containing proteins such as vinculin and talin. [PMID:23158496]' - }, - 'GO:0061827': { - 'name': 'sperm head', - 'def': 'The part of the late spermatid or spermatozoon that contains the nucleus and acrosome. [PMID:22797892, PMID:24665388]' - }, - 'GO:0061828': { - 'name': 'apical tubulobulbar complex', - 'def': 'Actin-based structures involved in establishing close contact between mature spermatids and Sertoli cells at the luminal end of the Sertoli cell. [PMID:20403871, PMID:22510523]' - }, - 'GO:0061829': { - 'name': 'basal tubulobulbar complex', - 'def': 'Actin-based structures involved in establishing the blood-testis barrier of the Sertoli cell. [PMID:20403871, PMID:22510523]' - }, - 'GO:0061830': { - 'name': 'concave side of sperm head', - 'def': 'The concave part of the late spermatid head or spermatozoon head that forms the ventral portion of the head, particularly in some rodent species. [PMID:22332112, PMID:23403943, PMID:26990065]' - }, - 'GO:0061831': { - 'name': 'apical ectoplasmic specialization', - 'def': 'Testis-specific adherens junction between mature spermatids and Sertoli cells at the luminal end of the Sertoli cell. [GOC:dph, PMID:22332112, PMID:23546604]' - }, - 'GO:0061832': { - 'name': 'basal ectoplasmic specialization', - 'def': 'Testis-specific adherens junction between mature Sertoli cells involved in establishing the blood-testis barrier of the Sertoli cell. [GOC:dph, PMID:22332112, PMID:23546604]' - }, - 'GO:0061833': { - 'name': 'protein localization to tricellular tight junction', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a tricellular tight junction. [PMID:24889144]' - }, - 'GO:0061834': { - 'name': 'actin filament branch point', - 'def': 'The part of an actin filament where the structure forks. [PMID:18256280]' - }, - 'GO:0061835': { - 'name': 'ventral surface of cell', - 'def': 'The surface of a migrating cell that is in contact with the substratum or cell layer. [PMID:11598004]' - }, - 'GO:0061836': { - 'name': 'intranuclear rod', - 'def': 'A macromolecular fiber consisting of actin and cofilin that is formed in the nucleus as a consequence of chemical or mechanical stress conditions. [PMID:28074884]' - }, - 'GO:0061837': { - 'name': 'neuropeptide processing', - 'def': 'Any protein maturation process achieved by the cleavage of a peptide bond or bonds within a neuropeptide precursor. Processing leads to the attainment of the full functional capacity of the neuropeptide. [PMID:12657671, PMID:17564681]' - }, - 'GO:0061838': { - 'name': 'CENP-T-W-S-X complex', - 'def': 'A histone-variant containing protein complex which forms a centromere specific nucleosomal structure, involved in centromeric chromatin organization. [PMID:22304909, PMID:22304917]' - }, - 'GO:0061839': { - 'name': 'high-affinity ferrous ion transmembrane transport', - 'def': 'The directed, high-affinity movement of ferrous iron (Fe(II) or Fe2+) ions from one side of a membrane to the other by means of some agent such as a transporter or pore. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:bhm, PMID:9413439]' - }, - 'GO:0061840': { - 'name': 'high-affinity ferrous iron uptake transmembrane transporter activity', - 'def': 'A ferrous iron uptake transmembrane transporter activity in which the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:bhm, PMID:9413439]' - }, - 'GO:0061841': { - 'name': 'high-affinity iron exporter complex', - 'def': 'A protein complex which transports ferrous iron (Fe(III) or Fe3+) ions from the vacuole, the main storage component of intracellular free iron, into the cytoplasm in a low iron environment. [GOC:bhm, IntAct:EBI-12592993, PMID:10608875, PMID:9413439]' - }, - 'GO:0061842': { - 'name': 'microtubule organizing center localization', - 'def': 'Any process in which the microtubule organizing center is transported to, and/or maintained in, a specific location within the cell. [PMID:21281821]' - }, - 'GO:0061843': { - 'name': 'Sertoli cell barrier remodeling', - 'def': 'The tissue remodeling process by which the Sertoli cell barrier is temporarily disrupted and reorganized to accommodate the transit of preleptotene spermatocytes at stage VIII of the epithelial cycle. [PMID:20534520, PMID:24467744]' - }, - 'GO:0061844': { - 'name': 'antimicrobial humoral immune response mediated by antimicrobial peptide', - 'def': 'An immune response against microbes mediated by anti-microbial peptides in body fluid. [PMID:15761415, PMID:24287494]' - }, - 'GO:0061845': { - 'name': 'neuron projection branch point', - 'def': 'The location where a secondary projection arises from a neuron projection. [PMID:25586189]' - }, - 'GO:0061846': { - 'name': 'dendritic spine cytoplasm', - 'def': 'The region of the neuronal cytoplasm located in dendritic spines. [PMID:15673667]' - }, - 'GO:0061847': { - 'name': 'response to cholecystokinin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cholecystokinin stimulus. [PMID:14622258]' - }, - 'GO:0061848': { - 'name': 'cellular response to cholecystokinin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cholecystokinin stimulus. [PMID:14622258]' - }, - 'GO:0061849': { - 'name': 'telomeric G-quadruplex DNA binding', - 'def': 'Interacting selectively and non-covalently with telomeric G-quadruplex DNA structures, in which groups of four guanines adopt a flat, cyclic Hoogsteen hydrogen-bonding arrangement known as a guanine tetrad. The stacking of guanine tetrads results in G-quadruplex DNA structures in telomeres. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:16142245, PMID:9512530]' - }, - 'GO:0061850': { - 'name': 'growth cone leading edge', - 'def': 'That part of the growth cone which represents the distal part of the structure. [PMID:10797548]' - }, - 'GO:0061851': { - 'name': 'leading edge of lamellipodium', - 'def': 'That part of the lamellipodium which represents the distal part of the structure. [PMID:22339865]' - }, - 'GO:0061852': { - 'name': 'retrograte transporter complex, Golgi to ER', - 'def': 'Transporter complex that recognises, binds and returns endoplasmic reticulum (ER) resident proteins that have trafficked to Golgi compartments. Targets proteins lacking the HDEL motif recognised by COPI-coated vesicles. [GOC:bhm, PMID:16093310]' - }, - 'GO:0065001': { - 'name': 'specification of axis polarity', - 'def': 'The pattern specification process in which the polarity of a body or organ axis is established and maintained. [GOC:mah]' - }, - 'GO:0065002': { - 'name': 'intracellular protein transmembrane transport', - 'def': 'The directed movement of proteins in a cell, from one side of a membrane to another by means of some agent such as a transporter or pore. [GOC:isa_complete]' - }, - 'GO:0065003': { - 'name': 'macromolecular complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of macromolecules to form a complex. [GOC:jl]' - }, - 'GO:0065004': { - 'name': 'protein-DNA complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and DNA molecules to form a protein-DNA complex. [GOC:jl]' - }, - 'GO:0065005': { - 'name': 'protein-lipid complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and lipids to form a protein-lipid complex. [GOC:jl]' - }, - 'GO:0065006': { - 'name': 'protein-carbohydrate complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and carbohydrates to form a protein-carbohydrate complex. [GOC:jl]' - }, - 'GO:0065007': { - 'name': 'biological regulation', - 'def': 'Any process that modulates a measurable attribute of any biological process, quality or function. [GOC:dph, GOC:isa_complete, GOC:mah, GOC:pr, GOC:vw]' - }, - 'GO:0065008': { - 'name': 'regulation of biological quality', - 'def': 'Any process that modulates a qualitative or quantitative trait of a biological quality. A biological quality is a measurable attribute of an organism or part of an organism, such as size, mass, shape, color, etc. [GOC:dph, GOC:isa_complete, GOC:mah, GOC:pr, GOC:vw]' - }, - 'GO:0065009': { - 'name': 'regulation of molecular function', - 'def': 'Any process that modulates the frequency, rate or extent of a molecular function, an elemental biological activity occurring at the molecular level, such as catalysis or binding. [GOC:isa_complete]' - }, - 'GO:0065010': { - 'name': 'extracellular membrane-bounded organelle', - 'def': 'Organized structure of distinctive morphology and function, bounded by a lipid bilayer membrane and occurring outside the cell. [GOC:isa_complete]' - }, - 'GO:0070001': { - 'name': 'aspartic-type peptidase activity', - 'def': 'Catalysis of the hydrolysis of peptide bonds in a polypeptide chain by a mechanism in which a water molecule bound by the side chains of aspartic residues at the active center acts as a nucleophile. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE]' - }, - 'GO:0070002': { - 'name': 'glutamic-type peptidase activity', - 'def': 'Catalysis of the hydrolysis of peptide bonds in a polypeptide chain by a mechanism involving a glutamate/glutamine catalytic dyad. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE]' - }, - 'GO:0070003': { - 'name': 'threonine-type peptidase activity', - 'def': 'Catalysis of the hydrolysis of peptide bonds in a polypeptide chain by a mechanism in which the hydroxyl group of a threonine residue at the active center acts as a nucleophile. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE]' - }, - 'GO:0070004': { - 'name': 'cysteine-type exopeptidase activity', - 'def': 'Catalysis of the hydrolysis of C- or N-terminal peptide bonds in a polypeptide chain by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, http://merops.sanger.ac.uk/about/glossary.htm#EXOPEPTIDASE]' - }, - 'GO:0070005': { - 'name': 'cysteine-type aminopeptidase activity', - 'def': 'Catalysis of the hydrolysis of N-terminal peptide bonds in a polypeptide chain by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#AMINOPEPTIDASE, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE]' - }, - 'GO:0070006': { - 'name': 'metalloaminopeptidase activity', - 'def': 'Catalysis of the hydrolysis of N-terminal amino acid residues from a polypeptide chain by a mechanism in which water acts as a nucleophile, one or two metal ions hold the water molecule in place, and charged amino acid side chains are ligands for the metal ions. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#AMINOPEPTIDASE, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE]' - }, - 'GO:0070007': { - 'name': 'glutamic-type endopeptidase activity', - 'def': 'Catalysis of the hydrolysis of internal peptide bonds in a polypeptide chain by a mechanism involving a glutamate/glutamine catalytic dyad. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, http://merops.sanger.ac.uk/about/glossary.htm#ENDOPEPTIDASE]' - }, - 'GO:0070008': { - 'name': 'serine-type exopeptidase activity', - 'def': 'Catalysis of the hydrolysis of a peptide bond not more than three residues from the N- or C-terminus of a polypeptide chain by a catalytic mechanism that involves a catalytic triad consisting of a serine nucleophile that is activated by a proton relay involving an acidic residue (e.g. aspartate or glutamate) and a basic residue (usually histidine). [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, http://merops.sanger.ac.uk/about/glossary.htm#EXOPEPTIDASE, ISBN:0716720094]' - }, - 'GO:0070009': { - 'name': 'serine-type aminopeptidase activity', - 'def': 'Catalysis of the hydrolysis of a peptide bond not more than three residues from the N-terminus of a polypeptide chain by a catalytic mechanism that involves a catalytic triad consisting of a serine nucleophile that is activated by a proton relay involving an acidic residue (e.g. aspartate or glutamate) and a basic residue (usually histidine). [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#AMINOPEPTIDASE, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE, ISBN:0716720094]' - }, - 'GO:0070010': { - 'name': 'peptidase activity, acting on D-amino acid peptides', - 'def': 'Catalysis of the hydrolysis of peptide bonds formed between D-amino acids. [GOC:mah]' - }, - 'GO:0070011': { - 'name': 'peptidase activity, acting on L-amino acid peptides', - 'def': 'Catalysis of the hydrolysis of peptide bonds formed between L-amino acids. [GOC:mah]' - }, - 'GO:0070012': { - 'name': 'oligopeptidase activity', - 'def': 'Catalysis of the hydrolysis of a peptide bond in an oligopeptide, i.e. a molecule containing a small number (2 to 20) of amino acid residues connected by peptide bonds. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0070013': { - 'name': 'intracellular organelle lumen', - 'def': 'An organelle lumen that is part of an intracellular organelle. [GOC:mah]' - }, - 'GO:0070014': { - 'name': 'sucrase-isomaltase complex', - 'def': 'A protein complex that possesses oligo-1,6-glucosidase activity; the complex is a heterodimer located in the cell membrane, and is formed by proteolytic cleavage of a single precursor polypeptide. The two subunits have different substrate specificities. [PMID:3366777]' - }, - 'GO:0070016': { - 'name': 'armadillo repeat domain binding', - 'def': 'Interacting selectively and non-covalently with the armadillo repeat domain of a protein, an approximately 40 amino acid long tandemly repeated sequence motif first identified in the Drosophila segment polarity protein armadillo. Arm-repeat proteins are involved in various processes, including intracellular signalling and cytoskeletal regulation. [GOC:BHF, GOC:mah, GOC:vk, InterPro:IPR000225]' - }, - 'GO:0070017': { - 'name': 'alphav-beta3 integrin-thrombospondin complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to thrombospondin. [PMID:2478219]' - }, - 'GO:0070018': { - 'name': 'transforming growth factor beta type I receptor homodimeric complex', - 'def': 'A receptor complex that consists of two transforming growth factor beta (TGF-beta) type I receptor monomers. TGF-beta type I receptor dimers form in the presence or absence of ligand, and can associate with ligand-bound TGF-beta type II receptor dimers. [Reactome:REACT_7737]' - }, - 'GO:0070019': { - 'name': 'transforming growth factor beta type II receptor homodimeric complex', - 'def': 'A receptor complex that consists of two transforming growth factor beta (TGF-beta) type II receptor monomers. TGF-beta type II receptor dimers form in the presence or absence of ligand, and upon ligand binding can associate with TGF-beta type I receptor dimers. [Reactome:REACT_7415]' - }, - 'GO:0070020': { - 'name': 'transforming growth factor beta1-type II receptor complex', - 'def': 'A protein complex that consists of a dimeric transforming growth factor beta (TGF-beta) type II receptor bound to a TGF-beta1 dimer. [Reactome:REACT_7218]' - }, - 'GO:0070021': { - 'name': 'transforming growth factor beta1-type II receptor-type I receptor complex', - 'def': 'A protein complex that is formed by the association of a ligand-bound TGF-beta type II receptor dimer with a TGF-beta type I receptor dimer. [Reactome:REACT_7425]' - }, - 'GO:0070022': { - 'name': 'transforming growth factor beta receptor complex', - 'def': 'A homodimeric receptor complex that consists of two TGF-beta receptor monomers. [GOC:mah, Reactome:REACT_7415, Reactome:REACT_7737]' - }, - 'GO:0070023': { - 'name': 'interleukin-12-interleukin-12 receptor complex', - 'def': 'A protein complex that is formed by the association of a heterodimeric interleukin-12 receptor complex with an interleukin-12 heterodimer. [PMID:11900991]' - }, - 'GO:0070024': { - 'name': 'CD19-Vav-PIK3R1 complex', - 'def': 'A protein complex that contains the cell surface signaling molecule CD19, the Ras guanine nucleotide exchange factor Vav, and the regulatory subunit alpha of phosphatidylinositol 3-kinase (PI3K). [PMID:7528218]' - }, - 'GO:0070025': { - 'name': 'carbon monoxide binding', - 'def': 'Interacting selectively and non-covalently with carbon monoxide (CO). [GOC:ecd]' - }, - 'GO:0070026': { - 'name': 'nitric oxide binding', - 'def': 'Interacting selectively and non-covalently with nitric oxide (NO). [GOC:ecd]' - }, - 'GO:0070027': { - 'name': 'carbon monoxide sensor activity', - 'def': 'Interacting selectively and non-covalently with and responding, e.g. by conformational change, to changes in the cellular level of carbon monoxide (CO). [GOC:ecd]' - }, - 'GO:0070028': { - 'name': 'regulation of transcription by carbon monoxide', - 'def': 'Any process involving carbon monoxide that modulates the frequency, rate or extent of transcription. [GOC:ecd]' - }, - 'GO:0070029': { - 'name': 'alphav-beta3 integrin-osteopontin complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to osteopontin. [PMID:7532190]' - }, - 'GO:0070030': { - 'name': 'alphav-beta1 integrin-osteopontin complex', - 'def': 'A protein complex that consists of an alphav-beta1 integrin complex bound to osteopontin. [PMID:7592829]' - }, - 'GO:0070031': { - 'name': 'alphav-beta5 integrin-osteopontin complex', - 'def': 'A protein complex that consists of an alphav-beta5 integrin complex bound to osteopontin. [PMID:7592829]' - }, - 'GO:0070032': { - 'name': 'synaptobrevin 2-SNAP-25-syntaxin-1a-complexin I complex', - 'def': 'A SNARE complex that contains synaptobrevin 2 (VAMP2), SNAP-25, syntaxin 1a, and complexin I (or orthologs thereof). [PMID:7553862]' - }, - 'GO:0070033': { - 'name': 'synaptobrevin 2-SNAP-25-syntaxin-1a-complexin II complex', - 'def': 'A SNARE complex that contains synaptobrevin 2 (VAMP2), SNAP-25, syntaxin 1a, and complexin II (or orthologs thereof). [PMID:7553862]' - }, - 'GO:0070034': { - 'name': 'telomerase RNA binding', - 'def': 'Interacting selectively and non-covalently with the telomerase RNA template. [GOC:krc, PMID:16884717]' - }, - 'GO:0070035': { - 'name': 'purine NTP-dependent helicase activity', - 'def': 'Catalysis of the reaction: purine NTP + H2O = purine NDP + phosphate, to drive the unwinding of a DNA or RNA helix. [GOC:mah]' - }, - 'GO:0070036': { - 'name': 'GTP-dependent helicase activity', - 'def': 'Catalysis of the reaction: GTP + H2O = GDP + phosphate, to drive the unwinding of a DNA or RNA helix. [GOC:mah]' - }, - 'GO:0070037': { - 'name': 'rRNA (pseudouridine) methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to a pseudouridine residue in an rRNA molecule. [GOC:imk, GOC:mah]' - }, - 'GO:0070038': { - 'name': 'rRNA (pseudouridine-N3-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing N3-methylpseudouridine. [GOC:imk, GOC:mah]' - }, - 'GO:0070039': { - 'name': "rRNA (guanosine-2'-O-)-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing 2'-O-methylguanosine. [GOC:imk, GOC:mah]" - }, - 'GO:0070040': { - 'name': 'rRNA (adenine-C2-)-methyltransferase activity', - 'def': "Catalysis of the reaction: 2 S-adenosyl-L-methionine + adenine(2503) in 23S rRNA = S-adenosyl-L-homocysteine + 5'-deoxyadenosine + L-methionine + rRNA containing C2-methyladenine(2503) in 23S rRNA. [GOC:imk, PMID:20007606, PMID:20184321, PMID:21368151, PMID:21415317, PMID:21527678]" - }, - 'GO:0070041': { - 'name': 'rRNA (uridine-C5-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing C5-methyluridine. [GOC:imk, GOC:mah]' - }, - 'GO:0070042': { - 'name': 'rRNA (uridine-N3-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing N3-methyluridine. [GOC:imk, GOC:mah]' - }, - 'GO:0070043': { - 'name': 'rRNA (guanine-N7-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing N7-methylguanine. [GOC:imk, GOC:mah]' - }, - 'GO:0070044': { - 'name': 'synaptobrevin 2-SNAP-25-syntaxin-1a complex', - 'def': 'A SNARE complex that contains synaptobrevin 2 (VAMP2), SNAP-25, and syntaxin 1a (or orthologs thereof). [PMID:10336434]' - }, - 'GO:0070045': { - 'name': 'synaptobrevin 2-SNAP-25-syntaxin-2 complex', - 'def': 'A SNARE complex that contains synaptobrevin 2 (VAMP2), SNAP-25, and syntaxin 2 (or orthologs thereof). [PMID:10336434]' - }, - 'GO:0070046': { - 'name': 'synaptobrevin 2-SNAP-25-syntaxin-3 complex', - 'def': 'A SNARE complex that contains synaptobrevin 2 (VAMP2), SNAP-25, and syntaxin 3 (or orthologs thereof). [PMID:10336434]' - }, - 'GO:0070047': { - 'name': 'synaptobrevin 2-SNAP-25-syntaxin-4 complex', - 'def': 'A SNARE complex that contains synaptobrevin 2 (VAMP2), SNAP-25, and syntaxin 4 (or orthologs thereof). [PMID:10336434]' - }, - 'GO:0070048': { - 'name': 'endobrevin-SNAP-25-syntaxin-1a complex', - 'def': 'A SNARE complex that contains endobrevin (VAMP8), SNAP-25, and syntaxin 1a (or orthologs thereof). [PMID:10336434]' - }, - 'GO:0070049': { - 'name': 'endobrevin-SNAP-25-syntaxin-2 complex', - 'def': 'A SNARE complex that contains endobrevin (VAMP8), SNAP-25, and syntaxin 2 (or orthologs thereof). [PMID:10336434]' - }, - 'GO:0070050': { - 'name': 'neuron cellular homeostasis', - 'def': 'The cellular homeostatic process that preserves a neuron in a stable, differentiated functional and structural state. [GOC:BHF, GOC:mah]' - }, - 'GO:0070051': { - 'name': 'fibrinogen binding', - 'def': 'Interacting selectively and non-covalently with fibrinogen, a highly soluble hexameric glycoprotein complex that is found in blood plasma and is converted to fibrin by thrombin in the coagulation cascade. [GOC:BHF, GOC:mah, GOC:vk]' - }, - 'GO:0070052': { - 'name': 'collagen V binding', - 'def': 'Interacting selectively and non-covalently with a type V collagen trimer. [GOC:BHF, GOC:mah]' - }, - 'GO:0070053': { - 'name': 'thrombospondin receptor activity', - 'def': 'Combining with thrombospondin and transmitting the signal to initiate a change in cell activity. [GOC:BHF, GOC:signaling, GOC:vk]' - }, - 'GO:0070054': { - 'name': 'mRNA splicing, via endonucleolytic cleavage and ligation', - 'def': "Splicing of mRNA substrates via recognition of the folded RNA structure that brings the 5' and 3' splice sites into proximity and cleavage of the RNA at both the 3' and 5' splice sites by an endonucleolytic mechanism, followed by ligation of the exons. [GOC:krc, GOC:mah]" - }, - 'GO:0070055': { - 'name': 'mRNA endonucleolytic cleavage involved in unfolded protein response', - 'def': "The endonucleolytic cleavage of a mRNA containing an HAC1-type intron at the 5' and 3' splice sites. The cleavage step is part of unconventional mRNA splicing, and contributes to the endoplasmic reticulum unfolded protein response. [GOC:bf, GOC:krc, GOC:mah, PMID:10357823]" - }, - 'GO:0070056': { - 'name': 'prospore membrane leading edge', - 'def': 'The region of the prospore membrane that extends to surround the spore nucleus; coated with specific proteins that are thought to play a role in prospore membrane organization. [GOC:mah, PMID:14702385]' - }, - 'GO:0070057': { - 'name': 'prospore membrane spindle pole body attachment site', - 'def': 'The region of the prospore membrane to which the spindle pole body (SPB) is anchored; the prospore membrane extends from the SPB attachment site to surround the spore nucleus. [GOC:mah, PMID:14702385]' - }, - 'GO:0070058': { - 'name': 'tRNA gene clustering', - 'def': 'The process in which tRNA genes, which are not linearly connected on the chromosome, are transported in three dimensions to, and maintained together in, the nucleolus. This clustered positioning leads to transcriptional silencing of nearby RNA polymerase II promoters (termed tRNA gene mediated (tgm) silencing) in S. cerevisiae. [GOC:jh, GOC:mah, PMID:18708579]' - }, - 'GO:0070059': { - 'name': 'intrinsic apoptotic signaling pathway in response to endoplasmic reticulum stress', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced in response to a stimulus indicating endoplasmic reticulum (ER) stress, and ends when the execution phase of apoptosis is triggered. ER stress usually results from the accumulation of unfolded or misfolded proteins in the ER lumen. [GOC:mah, GOC:mtg_apoptosis, PMID:18701708]' - }, - 'GO:0070060': { - 'name': "'de novo' actin filament nucleation", - 'def': 'The actin nucleation process in which actin monomers combine in the absence of any existing actin filaments; elongation of the actin oligomer formed by nucleation leads to the formation of an unbranched filament. [GOC:mah, PMID:17477841]' - }, - 'GO:0070061': { - 'name': 'fructose binding', - 'def': 'Interacting selectively and non-covalently with the D- or L-enantiomer of fructose, the ketohexose arabino-hex-2-ulose. [CHEBI:28757, GOC:BHF, GOC:mah]' - }, - 'GO:0070062': { - 'name': 'extracellular exosome', - 'def': 'A vesicle that is released into the extracellular region by fusion of the limiting endosomal membrane of a multivesicular body with the plasma membrane. Extracellular exosomes, also simply called exosomes, have a diameter of about 40-100 nm. [GOC:BHF, GOC:mah, GOC:vesicles, PMID:15908444, PMID:17641064, PMID:19442504, PMID:19498381, PMID:22418571, PMID:24009894]' - }, - 'GO:0070063': { - 'name': 'RNA polymerase binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase molecule or complex. [GOC:BHF, GOC:mah, GOC:txnOH]' - }, - 'GO:0070064': { - 'name': 'proline-rich region binding', - 'def': 'Interacting selectively and non-covalently with a proline-rich region, i.e. a region that contains a high proportion of proline residues, in a protein. [GOC:mah]' - }, - 'GO:0070065': { - 'name': 'cellubrevin-VAMP4-syntaxin-16 complex', - 'def': 'A SNARE complex that contains cellubrevin (VAMP3), VAMP4, and syntaxin 16 (or orthologs thereof). [PMID:11839770]' - }, - 'GO:0070066': { - 'name': 'cellubrevin-VAMP4-endobrevin-syntaxin-6 complex', - 'def': 'A SNARE complex that contains cellubrevin (VAMP3), VAMP4, endobrevin (VAMP8), and syntaxin 6 (or orthologs thereof). [PMID:11839770]' - }, - 'GO:0070067': { - 'name': 'syntaxin-6-syntaxin-16-Vti1a complex', - 'def': 'A SNARE complex that contains syntaxin 6, syntaxin 16, and Vti1a (or orthologs thereof). [PMID:11839770]' - }, - 'GO:0070068': { - 'name': 'VAMP4-syntaxin-6-syntaxin-16-Vti1a complex', - 'def': 'A SNARE complex that contains VAMP4, syntaxin 6, syntaxin 16, and Vti1a (or orthologs thereof). [PMID:11839770]' - }, - 'GO:0070069': { - 'name': 'cytochrome complex', - 'def': 'A protein complex in which at least one of the proteins is a cytochrome, i.e. a heme-containing protein involved in catalysis of redox reactions. [GOC:mah]' - }, - 'GO:0070070': { - 'name': 'proton-transporting V-type ATPase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a proton-transporting V-type ATPase complex, proton-transporting two-sector ATPase complex that couples ATP hydrolysis to the transport of protons across a concentration gradient. [GOC:mah]' - }, - 'GO:0070071': { - 'name': 'proton-transporting two-sector ATPase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a proton-transporting two-sector ATPase complex, a large protein complex that catalyzes the synthesis or hydrolysis of ATP by a rotational mechanism, coupled to the transport of protons across a membrane. [GOC:mah]' - }, - 'GO:0070072': { - 'name': 'vacuolar proton-transporting V-type ATPase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a vacuolar proton-transporting V-type ATPase complex, proton-transporting two-sector ATPase complex that couples ATP hydrolysis to the transport of protons across the vacuolar membrane. [GOC:BHF, GOC:mah]' - }, - 'GO:0070073': { - 'name': 'clustering of voltage-gated calcium channels', - 'def': 'The process in which voltage-gated calcium channels become localized together in high densities. [GOC:BHF, GOC:sart, PMID:18385325]' - }, - 'GO:0070074': { - 'name': 'mononeme', - 'def': 'A secretory organelle that forms part of the apical complex; a small, threadlike structure located is close proximity to the subpellicular microtubules. Its contents include a rhomboid protease (PfROM1 in Plasmodium falciparum) that moves from the lateral asymmetric localization to the merozoite apical pole and the posterior pole upon release of merozoites from schizonts. [GOC:BHF, PMID:18048320]' - }, - 'GO:0070075': { - 'name': 'tear secretion', - 'def': 'The regulated release of the aqueous layer of the tear film from the lacrimal glands. Tears are the liquid product of a process of lacrimation to clean and lubricate the eyes. Tear fluid contains water, mucin, lipids, lysozyme, lactoferrin, lipocalin, lacritin, immunoglobulins, glucose, urea, sodium, and potassium. [GOC:rph]' - }, - 'GO:0070076': { - 'name': 'histone lysine demethylation', - 'def': 'The modification of a histone by the removal of a methyl group from a lysine residue. [GOC:mah]' - }, - 'GO:0070077': { - 'name': 'histone arginine demethylation', - 'def': 'The modification of a histone by the removal of a methyl group from an arginine residue. [GOC:mah]' - }, - 'GO:0070078': { - 'name': 'histone H3-R2 demethylation', - 'def': 'The modification of histone H3 by the removal of a methyl group from arginine at position 2 of the histone. [GOC:BHF, GOC:vk]' - }, - 'GO:0070079': { - 'name': 'histone H4-R3 demethylation', - 'def': 'The modification of histone H4 by the removal of a methyl group from arginine at position 3 of the histone. [GOC:BHF, GOC:vk]' - }, - 'GO:0070080': { - 'name': 'titin Z domain binding', - 'def': 'Interacting selectively and non-covalently with the titin Z domain, which recognizes and binds to the C-terminal calmodulin-like domain of alpha-actinin-2 (Act-EF34), adopts a helical structure, and binds in a groove formed by the two planes between the helix pairs of Act-EF34. [GOC:mah, InterPro:IPR015129]' - }, - 'GO:0070081': { - 'name': 'clathrin-sculpted monoamine transport vesicle', - 'def': 'A clathrin-sculpted lipid bilayer membrane-enclosed vesicle after clathrin release and containing monoamines. [GOC:mg2]' - }, - 'GO:0070082': { - 'name': 'clathrin-sculpted monoamine transport vesicle lumen', - 'def': 'The volume enclosed by the membrane of the clathrin-sculpted monoamine transport vesicle. [GOC:mg2]' - }, - 'GO:0070083': { - 'name': 'clathrin-sculpted monoamine transport vesicle membrane', - 'def': 'The lipid bilayer surrounding a clathrin-sculpted monoamine transport vesicle. [GOC:mg2]' - }, - 'GO:0070084': { - 'name': 'protein initiator methionine removal', - 'def': 'The protein modification process in which the translation-initiating methionine or formylmethionine residue is removed from a protein. [GOC:imk, GOC:mah]' - }, - 'GO:0070085': { - 'name': 'glycosylation', - 'def': 'The covalent attachment and further modification of carbohydrate residues to a substrate molecule. [GOC:hjd, GOC:mah]' - }, - 'GO:0070086': { - 'name': 'ubiquitin-dependent endocytosis', - 'def': 'Endocytosis of a protein that requires the substrate to be modified by ubiquitination. Several plasma membrane proteins, including cell surface permeases and some receptors, are targeted for internalization by endocytosis, and are thereafter delivered to the vacuole or lysosome, where they are degraded. [GOC:jp, GOC:mah, PMID:9409540]' - }, - 'GO:0070087': { - 'name': 'chromo shadow domain binding', - 'def': 'Interacting selectively and non-covalently with a chromo shadow domain, a protein domain that is distantly related, and found in association with, the chromo domain. [GOC:BHF, GOC:vk, InterPro:IPR008251, PMID:7667093]' - }, - 'GO:0070088': { - 'name': 'PHA granule', - 'def': 'An inclusion body located in the cytoplasm that consists of polyhydroxyalkanoate (PHA) molecules and associated proteins, surrounded by a phospholipid monolayer; the proteins include PHA synthase, PHA depolymerase and 3HB-oligomer hydroxylase, phasins (PhaPs), which are thought to be the major structural proteins of the membrane surrounding the inclusion, and the regulator of phasin expression PhaR. [GOC:mah, PMID:15762612]' - }, - 'GO:0070089': { - 'name': 'chloride-activated potassium channel activity', - 'def': 'Enables the chloride concentration-regulatable energy-independent passage of potassium ions across a lipid bilayer down a concentration gradient. [GOC:kmv, GOC:mtg_transport]' - }, - 'GO:0070090': { - 'name': 'metaphase plate', - 'def': 'The intracellular plane, located halfway between the poles of the spindle, where chromosomes align during metaphase of mitotic or meiotic nuclear division. [GOC:mah]' - }, - 'GO:0070091': { - 'name': 'glucagon secretion', - 'def': 'The regulated release of glucagon from secretory granules in the A (alpha) cells of the pancreas (islets of Langerhans). [GOC:BHF, GOC:rl]' - }, - 'GO:0070092': { - 'name': 'regulation of glucagon secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of glucagon. [GOC:BHF, GOC:mah]' - }, - 'GO:0070093': { - 'name': 'negative regulation of glucagon secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of glucagon. [GOC:BHF, GOC:mah]' - }, - 'GO:0070094': { - 'name': 'positive regulation of glucagon secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of glucagon. [GOC:BHF, GOC:mah]' - }, - 'GO:0070095': { - 'name': 'fructose-6-phosphate binding', - 'def': 'Interacting selectively and non-covalently with fructose 6-phosphate. [GOC:mah]' - }, - 'GO:0070096': { - 'name': 'mitochondrial outer membrane translocase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a mitochondrial outer membrane translocase complex. [GOC:BHF, GOC:vk]' - }, - 'GO:0070097': { - 'name': 'delta-catenin binding', - 'def': 'Interacting selectively and non-covalently with the delta subunit of the catenin complex. [GOC:rph]' - }, - 'GO:0070098': { - 'name': 'chemokine-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a chemokine to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:mah, GOC:signaling]' - }, - 'GO:0070099': { - 'name': 'regulation of chemokine-mediated signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of the series of molecular events generated as a consequence of a chemokine binding to a cell surface receptor. [GOC:mah]' - }, - 'GO:0070100': { - 'name': 'negative regulation of chemokine-mediated signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of the series of molecular events generated as a consequence of a chemokine binding to a cell surface receptor. [GOC:mah]' - }, - 'GO:0070101': { - 'name': 'positive regulation of chemokine-mediated signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of the series of molecular events generated as a consequence of a chemokine binding to a cell surface receptor. [GOC:mah]' - }, - 'GO:0070102': { - 'name': 'interleukin-6-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-6 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:add, GOC:BHF, GOC:mah, GOC:signaling]' - }, - 'GO:0070103': { - 'name': 'regulation of interleukin-6-mediated signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of the series of molecular events generated as a consequence of interleukin-6-mediated binding to a cell surface receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070104': { - 'name': 'negative regulation of interleukin-6-mediated signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of the series of molecular events generated as a consequence of interleukin-6 binding to a cell surface receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070105': { - 'name': 'positive regulation of interleukin-6-mediated signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of the series of molecular events generated as a consequence of interleukin-6 binding to a cell surface receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070106': { - 'name': 'interleukin-27-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-27 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:add, GOC:BHF, GOC:mah, GOC:signaling]' - }, - 'GO:0070107': { - 'name': 'regulation of interleukin-27-mediated signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of the series of molecular events generated as a consequence of interleukin-27-mediated binding to a cell surface receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070108': { - 'name': 'negative regulation of interleukin-27-mediated signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of the series of molecular events generated as a consequence of interleukin-27 binding to a cell surface receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070109': { - 'name': 'positive regulation of interleukin-27-mediated signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of the series of molecular events generated as a consequence of interleukin-27 binding to a cell surface receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070110': { - 'name': 'ciliary neurotrophic factor receptor complex', - 'def': 'A protein complex that acts as a receptor for the cytokine ciliary neurotrophic factor (CNTF). In humans the receptor complex is a hexamer composed of two molecules each of CNTF and CNTFR and one molecule each of gp130 and LIFR. [GOC:BHF, GOC:mah, GOC:rl, PMID:12707266]' - }, - 'GO:0070111': { - 'name': 'organellar chromatophore', - 'def': 'A bacteroid-containing symbiosome in which the bacterial component is a genetically highly reduced cyanobacterium that is photosynthetically active and incapable of an independent existence outside its host. The chromatophore functions as a photosynthetic organelle, and has been found and characterized in the amoeba Paulinella chromatophora. [GOC:expert_mm, PMID:18356055]' - }, - 'GO:0070112': { - 'name': 'organellar chromatophore membrane', - 'def': 'Either of the lipid bilayers that surround an organellar chromatophore. [GOC:mah]' - }, - 'GO:0070113': { - 'name': 'organellar chromatophore inner membrane', - 'def': 'The inner, i.e. lumen-facing, of the two lipid bilayers surrounding an organellar chromatophore. [GOC:mah]' - }, - 'GO:0070114': { - 'name': 'organellar chromatophore outer membrane', - 'def': 'The outer, i.e. cytoplasm-facing, of the two lipid bilayers surrounding an organellar chromatophore. [GOC:mah]' - }, - 'GO:0070115': { - 'name': 'organellar chromatophore intermembrane space', - 'def': 'The region between the inner and outer lipid bilayers that surround an organellar chromatophore. [GOC:mah]' - }, - 'GO:0070116': { - 'name': 'organellar chromatophore thylakoid', - 'def': 'A thylakoid located in an organellar chromatophore. [GOC:mah]' - }, - 'GO:0070117': { - 'name': 'organellar chromatophore thylakoid lumen', - 'def': 'The volume enclosed by an organellar chromatophore thylakoid membrane. [GOC:mah]' - }, - 'GO:0070118': { - 'name': 'organellar chromatophore thylakoid membrane', - 'def': 'The lipid bilayer membrane of any thylakoid within an organellar chromatophore. [GOC:mah]' - }, - 'GO:0070119': { - 'name': 'ciliary neurotrophic factor binding', - 'def': 'Interacting selectively and non-covalently with the cytokine ciliary neurotrophic factor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070120': { - 'name': 'ciliary neurotrophic factor-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of a ciliary neurotrophic factor (CNTF) to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:mah]' - }, - 'GO:0070121': { - 'name': "Kupffer's vesicle development", - 'def': "The progression of the Kupffer's vesicle over time from its initial formation until its mature state. The Kupffer's vesicle is a small but distinctive epithelial sac containing fluid, located midventrally posterior to the yolk cell or its extension, and transiently present during most of the segmentation period. [GOC:dgh]" - }, - 'GO:0070122': { - 'name': 'isopeptidase activity', - 'def': 'Catalysis of the hydrolysis of an isopeptide bond. An isopeptide bond is an amide linkage between a carboxyl group of one amino acid and an amino group of another amino acid in which at least one of these groups is not on the a-carbon of one of the amino acids (for example, the link between an epsilon-amino group of a lysine molecule to a carboxyl group on a second amino acid is an isopeptide bond). [GOC:mah, http://128.240.24.212/cgi-bin/omd?isopeptide+bond]' - }, - 'GO:0070123': { - 'name': 'transforming growth factor beta receptor activity, type III', - 'def': 'Combining with transforming growth factor beta to initiate a change in cell activity; facilitates ligand binding to type I and type II TGF-beta receptors. [GOC:BHF, GOC:mah, PMID:9759503]' - }, - 'GO:0070124': { - 'name': 'mitochondrial translational initiation', - 'def': 'The process preceding formation of the peptide bond between the first two amino acids of a protein in a mitochondrion. This includes the formation of a complex of the ribosome, mRNA, and an initiation complex that contains the first aminoacyl-tRNA. [GOC:mah]' - }, - 'GO:0070125': { - 'name': 'mitochondrial translational elongation', - 'def': 'The successive addition of amino acid residues to a nascent polypeptide chain during protein biosynthesis in a mitochondrion. [GOC:mah]' - }, - 'GO:0070126': { - 'name': 'mitochondrial translational termination', - 'def': 'The process resulting in the release of a polypeptide chain from the ribosome in a mitochondrion, usually in response to a termination codon (note that mitochondria use variants of the universal genetic code that differ between different taxa). [GOC:mah, http://mitogenome.org/index.php/Genetic_Code_of_mitochondria]' - }, - 'GO:0070127': { - 'name': 'tRNA aminoacylation for mitochondrial protein translation', - 'def': "The synthesis of aminoacyl tRNA by the formation of an ester bond between the 3'-hydroxyl group of the most 3' adenosine of the tRNA, to be used in ribosome-mediated polypeptide synthesis in a mitochondrion. [GOC:mah]" - }, - 'GO:0070129': { - 'name': 'regulation of mitochondrial translation', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of proteins by the translation of mRNA in a mitochondrion. [GOC:mah]' - }, - 'GO:0070130': { - 'name': 'negative regulation of mitochondrial translation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of proteins by the translation of mRNA in a mitochondrion. [GOC:mah]' - }, - 'GO:0070131': { - 'name': 'positive regulation of mitochondrial translation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of proteins by the translation of mRNA in a mitochondrion. [GOC:mah]' - }, - 'GO:0070132': { - 'name': 'regulation of mitochondrial translational initiation', - 'def': 'Any process that modulates the frequency, rate or extent of the process preceding formation of the peptide bond between the first two amino acids of a protein in a mitochondrion. [GOC:mah]' - }, - 'GO:0070133': { - 'name': 'negative regulation of mitochondrial translational initiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the process preceding formation of the peptide bond between the first two amino acids of a protein in a mitochondrion. [GOC:mah]' - }, - 'GO:0070134': { - 'name': 'positive regulation of mitochondrial translational initiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the process preceding formation of the peptide bond between the first two amino acids of a protein in a mitochondrion. [GOC:mah]' - }, - 'GO:0070135': { - 'name': 'beta-1,2-oligomannoside metabolic process', - 'def': 'The chemical reactions and pathways involving beta-1,2-linked oligomannosides, which are found in fungal cell wall phosphopeptidomannan and phospholipomannan. [GOC:mah, PMID:18234669]' - }, - 'GO:0070136': { - 'name': 'beta-1,2-oligomannoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-1,2-linked oligomannosides, which are found in fungal cell wall phosphopeptidomannan and phospholipomannan. [GOC:mah, PMID:18234669]' - }, - 'GO:0070137': { - 'name': 'ubiquitin-like protein-specific endopeptidase activity', - 'def': 'Catalysis of the hydrolysis of peptide bonds between an alpha-carboxyl group and an alpha-amino group within a small protein such as ubiquitin or a ubiquitin-like protein (e.g. APG8, ISG15, NEDD8, SUMO). [GOC:mah]' - }, - 'GO:0070138': { - 'name': 'ubiquitin-like protein-specific isopeptidase activity', - 'def': 'Catalysis of the hydrolysis of an isopeptide bond between a small protein such as ubiquitin or a ubiquitin-like protein (e.g. APG8, ISG15, NEDD8, SUMO) and a protein to which the small protein has been conjugated. [GOC:mah]' - }, - 'GO:0070139': { - 'name': 'SUMO-specific endopeptidase activity', - 'def': 'Catalysis of the hydrolysis of peptide bonds between an alpha-carboxyl group and an alpha-amino group within the small conjugating protein SUMO. [GOC:mah]' - }, - 'GO:0070140': { - 'name': 'SUMO-specific isopeptidase activity', - 'def': 'Catalysis of the hydrolysis of an isopeptide bond between the small conjugating protein SUMO and a protein to which SUMO has been conjugated. [GOC:mah]' - }, - 'GO:0070141': { - 'name': 'response to UV-A', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a UV-A radiation stimulus. UV-A radiation (UV-A light) spans the wavelengths 315 to 400 nm. [GOC:BHF, GOC:mah]' - }, - 'GO:0070142': { - 'name': 'synaptic vesicle budding', - 'def': 'Evagination of a membrane to form a synaptic vesicle. [GOC:mah]' - }, - 'GO:0070143': { - 'name': 'mitochondrial alanyl-tRNA aminoacylation', - 'def': "The process of coupling alanine to alanyl-tRNA in a mitochondrion, catalyzed by alanyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070144': { - 'name': 'mitochondrial arginyl-tRNA aminoacylation', - 'def': "The process of coupling arginine to arginyl-tRNA in a mitochondrion, catalyzed by arginyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070145': { - 'name': 'mitochondrial asparaginyl-tRNA aminoacylation', - 'def': "The process of coupling asparagine to asparaginyl-tRNA in a mitochondrion, catalyzed by asparaginyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070146': { - 'name': 'mitochondrial aspartyl-tRNA aminoacylation', - 'def': "The process of coupling aspartate to aspartyl-tRNA in a mitochondrion, catalyzed by aspartyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070147': { - 'name': 'mitochondrial cysteinyl-tRNA aminoacylation', - 'def': "The process of coupling cysteine to cysteinyl-tRNA in a mitochondrion, catalyzed by cysteinyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070148': { - 'name': 'mitochondrial glutaminyl-tRNA aminoacylation', - 'def': "The process of coupling glutamine to glutaminyl-tRNA in a mitochondrion, catalyzed by glutaminyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070149': { - 'name': 'mitochondrial glutamyl-tRNA aminoacylation', - 'def': "The process of coupling glutamate to glutamyl-tRNA in a mitochondrion, catalyzed by glutamyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070150': { - 'name': 'mitochondrial glycyl-tRNA aminoacylation', - 'def': "The process of coupling glycine to glycyl-tRNA in a mitochondrion, catalyzed by glycyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070151': { - 'name': 'mitochondrial histidyl-tRNA aminoacylation', - 'def': "The process of coupling histidine to histidyl-tRNA in a mitochondrion, catalyzed by histidyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070152': { - 'name': 'mitochondrial isoleucyl-tRNA aminoacylation', - 'def': "The process of coupling isoleucine to isoleucyl-tRNA in a mitochondrion, catalyzed by isoleucyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070153': { - 'name': 'mitochondrial leucyl-tRNA aminoacylation', - 'def': "The process of coupling leucine to leucyl-tRNA in a mitochondrion, catalyzed by leucyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070154': { - 'name': 'mitochondrial lysyl-tRNA aminoacylation', - 'def': "The process of coupling lysine to lysyl-tRNA in a mitochondrion, catalyzed by lysyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070155': { - 'name': 'mitochondrial methionyl-tRNA aminoacylation', - 'def': "The process of coupling methionine to methionyl-tRNA in a mitochondrion, catalyzed by methionyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070156': { - 'name': 'mitochondrial phenylalanyl-tRNA aminoacylation', - 'def': "The process of coupling phenylalanine to phenylalanyl-tRNA in a mitochondrion, catalyzed by phenylalanyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070157': { - 'name': 'mitochondrial prolyl-tRNA aminoacylation', - 'def': "The process of coupling proline to prolyl-tRNA in a mitochondrion, catalyzed by prolyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070158': { - 'name': 'mitochondrial seryl-tRNA aminoacylation', - 'def': "The process of coupling serine to seryl-tRNA in a mitochondrion, catalyzed by seryl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070159': { - 'name': 'mitochondrial threonyl-tRNA aminoacylation', - 'def': "The process of coupling threonine to threonyl-tRNA in a mitochondrion, catalyzed by threonyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070160': { - 'name': 'occluding junction', - 'def': 'A cell-cell junction that seals cells together in an epithelium in a way that prevents even small molecules from leaking from one side of the sheet to the other. [ISBN:0815332181]' - }, - 'GO:0070161': { - 'name': 'anchoring junction', - 'def': 'A cell junction that mechanically attaches a cell (and its cytoskeleton) to neighboring cells or to the extracellular matrix. [ISBN:0815332181]' - }, - 'GO:0070162': { - 'name': 'adiponectin secretion', - 'def': 'The regulated release of adiponectin, a protein hormone, by adipose tissue. [GOC:BHF, GOC:rl]' - }, - 'GO:0070163': { - 'name': 'regulation of adiponectin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of adiponectin from a cell. [GOC:mah]' - }, - 'GO:0070164': { - 'name': 'negative regulation of adiponectin secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of adiponectin from a cell. [GOC:BHF, GOC:mah]' - }, - 'GO:0070165': { - 'name': 'positive regulation of adiponectin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of adiponectin from a cell. [GOC:BHF, GOC:mah]' - }, - 'GO:0070166': { - 'name': 'enamel mineralization', - 'def': 'The process in which calcium salts, mainly carbonated hydroxyapatite, are deposited in tooth enamel. [GOC:BHF, GOC:mah, GOC:sl, PMID:10206335, PMID:16931858, PMID:21196346]' - }, - 'GO:0070167': { - 'name': 'regulation of biomineral tissue development', - 'def': 'Any process that modulates the frequency, rate or extent of biomineral tissue development, the formation of hard tissues that consist mainly of inorganic compounds. [GOC:mah]' - }, - 'GO:0070168': { - 'name': 'negative regulation of biomineral tissue development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of biomineral tissue development, the formation of hard tissues that consist mainly of inorganic compounds. [GOC:mah]' - }, - 'GO:0070169': { - 'name': 'positive regulation of biomineral tissue development', - 'def': 'Any process that activates or increases the frequency, rate or extent of biomineral tissue development, the formation of hard tissues that consist mainly of inorganic compounds. [GOC:mah]' - }, - 'GO:0070170': { - 'name': 'regulation of tooth mineralization', - 'def': 'Any process that modulates the frequency, rate or extent of tooth mineralization, the deposition of calcium salts in tooth structures. [GOC:BHF, GOC:mah]' - }, - 'GO:0070171': { - 'name': 'negative regulation of tooth mineralization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of tooth mineralization, the deposition of calcium salts in tooth structures. [GOC:BHF, GOC:mah]' - }, - 'GO:0070172': { - 'name': 'positive regulation of tooth mineralization', - 'def': 'Any process that activates or increases the frequency, rate or extent of tooth mineralization, the deposition of calcium salts in tooth structures. [GOC:BHF, GOC:mah]' - }, - 'GO:0070173': { - 'name': 'regulation of enamel mineralization', - 'def': 'Any process that modulates the frequency, rate or extent of enamel mineralization, the deposition of calcium salts in tooth enamel. [GOC:BHF, GOC:mah]' - }, - 'GO:0070174': { - 'name': 'negative regulation of enamel mineralization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of enamel mineralization, the deposition of calcium salts in tooth enamel. [GOC:BHF, GOC:mah]' - }, - 'GO:0070175': { - 'name': 'positive regulation of enamel mineralization', - 'def': 'Any process that activates or increases the frequency, rate or extent of enamel mineralization, the deposition of calcium salts in tooth enamel. [GOC:BHF, GOC:mah]' - }, - 'GO:0070176': { - 'name': 'DRM complex', - 'def': 'A transcriptional repressor complex that contains the lin-9, lin-35, lin-37, lin-52, lin-53, lin-5is involved in 4-, dpl-1 and efl-1 proteins, and is involved in cell fate specification. [PMID:17075059]' - }, - 'GO:0070177': { - 'name': 'contractile vacuole discharge', - 'def': 'The regulated release of water from a contractile vacuole to the outside of a cell by fusion of the contractile vacuole membrane with the plasma membrane. [GOC:mah, PMID:10369671]' - }, - 'GO:0070178': { - 'name': 'D-serine metabolic process', - 'def': 'The chemical reactions and pathways involving D-serine, the D-enantiomer of serine, i.e. (2R)-2-amino-3-hydroxypropanoic acid. [CHEBI:16523, GOC:jsg, GOC:mah]' - }, - 'GO:0070179': { - 'name': 'D-serine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-serine, the D-enantiomer of serine, i.e. (2R)-2-amino-3-hydroxypropanoic acid. D-serine is often formed by racemization of L-serine. [CHEBI:16523, GOC:jsg, GOC:mah]' - }, - 'GO:0070180': { - 'name': 'large ribosomal subunit rRNA binding', - 'def': 'Interacting selectively and non-covalently with the large ribosomal subunit RNA (LSU rRNA), a constituent of the large ribosomal subunit. In S. cerevisiae, this is the 25S rRNA. [GOC:elh]' - }, - 'GO:0070181': { - 'name': 'small ribosomal subunit rRNA binding', - 'def': 'Interacting selectively and non-covalently with the small ribosomal subunit RNA (SSU rRNA), a constituent of the small ribosomal subunit. In S. cerevisiae, this is the 18S rRNA. [GOC:elh]' - }, - 'GO:0070182': { - 'name': 'DNA polymerase binding', - 'def': 'Interacting selectively and non-covalently with a DNA polymerase. [GOC:BHF, GOC:mah]' - }, - 'GO:0070183': { - 'name': 'mitochondrial tryptophanyl-tRNA aminoacylation', - 'def': "The process of coupling tryptophan to tryptophanyl-tRNA in a mitochondrion, catalyzed by tryptophanyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070184': { - 'name': 'mitochondrial tyrosyl-tRNA aminoacylation', - 'def': "The process of coupling tyrosine to tyrosyl-tRNA in a mitochondrion, catalyzed by tyrosyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070185': { - 'name': 'mitochondrial valyl-tRNA aminoacylation', - 'def': "The process of coupling valine to valyl-tRNA in a mitochondrion, catalyzed by valyl-tRNA synthetase. In tRNA aminoacylation, the amino acid is first activated by linkage to AMP and then transferred to either the 2'- or the 3'-hydroxyl group of the 3'-adenosine residue of the tRNA. [GOC:mah, GOC:mcc]" - }, - 'GO:0070186': { - 'name': 'growth hormone activity', - 'def': 'The action characteristic of growth hormone, a peptide hormone that is secreted by the anterior pituitary or the placenta into the circulation, and binds to membrane receptors in target tissues to stimulate body growth. [GOC:BHF, GOC:mah, PMID:11445442]' - }, - 'GO:0070187': { - 'name': 'shelterin complex', - 'def': 'A nuclear telomere cap complex that is formed by the association of telomeric ssDNA- and dsDNA-binding proteins with telomeric DNA, and is involved in telomere protection and recruitment of telomerase. The complex is known to contain TERF1, TERF2, POT1, RAP1, TINF2 and ACD in mammalian cells, and Pot1, Tpz1, Rap1, Rif1, Rif2 and Taz1 in Schizosaccharomyces. Taz1 and Rap1 (or their mammalian equivalents) form a dsDNA-binding subcomplex, Pot1 and Tpz1 form an ssDNA-binding subcomplex, and the two subcomplexes are bridged by Poz1, which acts as an effector molecule along with Ccq1. [GOC:expert_mf, GOC:mah, GOC:vw, PMID:18828880]' - }, - 'GO:0070188': { - 'name': 'obsolete Stn1-Ten1 complex', - 'def': 'OBSOLETE. A nuclear telomere cap complex that is formed by the association of the Stn1 and Ten1 proteins with telomeric DNA; in some species a third protein is present. [GOC:mah, GOC:vw, PMID:17715303, PMID:19064932]' - }, - 'GO:0070189': { - 'name': 'kynurenine metabolic process', - 'def': 'The chemical reactions and pathways involving kynurenine, the amino acid 3-(2-aminobenzoyl)-alanine. [CHEBI:28683, GOC:mah, GOC:rph]' - }, - 'GO:0070190': { - 'name': 'obsolete inositol hexakisphosphate 1-kinase or 3-kinase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + 1D-myo-inositol hexakisphosphate = ADP + 1-diphospho-1D-myo-inositol (2,3,4,5,6)pentakisphosphate, and ATP + 1D-myo-inositol hexakisphosphate = ADP + 3-diphospho-1D-myo-inositol (1,2,4,5,6)pentakisphosphate. [GOC:jp, PMID:18981179]' - }, - 'GO:0070191': { - 'name': 'methionine-R-sulfoxide reductase activity', - 'def': 'Catalysis of the reaction: L-methionine R-oxide + thioredoxin = L-methionine + thioredoxin disulfide; can act on free oxidized methionine with specificity for the R enantiomer; does not act on oxidized methionine in peptide linkage. Thioredoxin disulfide is the oxidized form of thioredoxin. [GOC:mcc, PMID:17535911, PMID:19049972]' - }, - 'GO:0070192': { - 'name': 'chromosome organization involved in meiotic cell cycle', - 'def': 'A process of chromosome organization that is involved in a meiotic cell cycle. [GOC:mah]' - }, - 'GO:0070193': { - 'name': 'synaptonemal complex organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a synaptonemal complex. A synaptonemal complex is a proteinaceous scaffold formed between homologous chromosomes during meiosis. [GOC:mah]' - }, - 'GO:0070194': { - 'name': 'synaptonemal complex disassembly', - 'def': 'The controlled breakdown of a synaptonemal complex. [GOC:mah]' - }, - 'GO:0070195': { - 'name': 'growth hormone receptor complex', - 'def': 'A receptor complex that consists of two identical subunits and binds growth hormone. [GOC:BHF, GOC:mah, GOC:vk, PMID:11445442]' - }, - 'GO:0070196': { - 'name': 'eukaryotic translation initiation factor 3 complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the eukaryotic translation initiation factor 3 complex. [GOC:mah]' - }, - 'GO:0070197': { - 'name': 'meiotic attachment of telomere to nuclear envelope', - 'def': 'The meiotic cell cycle process in which physical connections are formed between telomeric heterochromatin and the nuclear envelope, facilitating bouquet formation. [GOC:jp, GOC:pr, GOC:vw, PMID:18818742]' - }, - 'GO:0070198': { - 'name': 'protein localization to chromosome, telomeric region', - 'def': 'Any process in which a protein is transported to, or maintained at, the telomeric region of a chromosome. [GOC:BHF, GOC:mah]' - }, - 'GO:0070199': { - 'name': 'establishment of protein localization to chromosome', - 'def': 'The directed movement of a protein to a specific location on a chromosome. [GOC:BHF, GOC:mah]' - }, - 'GO:0070200': { - 'name': 'establishment of protein localization to telomere', - 'def': 'The directed movement of a protein to a specific location in the telomeric region of a chromosome. [GOC:BHF, GOC:mah]' - }, - 'GO:0070201': { - 'name': 'regulation of establishment of protein localization', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a protein to a specific location. [GOC:BHF, GOC:mah]' - }, - 'GO:0070202': { - 'name': 'regulation of establishment of protein localization to chromosome', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a protein to a specific location on a chromosome. [GOC:BHF, GOC:mah]' - }, - 'GO:0070203': { - 'name': 'regulation of establishment of protein localization to telomere', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a protein to a specific location in the telomeric region of a chromosome. [GOC:BHF, GOC:mah]' - }, - 'GO:0070204': { - 'name': '2-succinyl-5-enolpyruvyl-6-hydroxy-3-cyclohexene-1-carboxylic-acid synthase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate + H(+) + isochorismate = 5-enolpyruvoyl-6-hydroxy-2-succinyl-cyclohex-3-ene-1-carboxylate + CO(2). [EC:2.2.1.9, RHEA:25596]' - }, - 'GO:0070205': { - 'name': '2-succinyl-6-hydroxy-2,4-cyclohexadiene-1-carboxylate synthase activity', - 'def': 'Catalysis of the reaction: 5-enolpyruvoyl-6-hydroxy-2-succinyl-cyclohex-3-ene-1-carboxylate = (1R,6R)-2-succinyl-6-hydroxycyclohexa-2,4-diene-1-carboxylate + pyruvate. [EC:4.2.99.20, RHEA:25600]' - }, - 'GO:0070206': { - 'name': 'protein trimerization', - 'def': 'The formation of a protein trimer, a macromolecular structure consisting of three noncovalently associated identical or nonidentical subunits. [GOC:hjd]' - }, - 'GO:0070207': { - 'name': 'protein homotrimerization', - 'def': 'The formation of a protein homotrimer, a macromolecular structure consisting of three noncovalently associated identical subunits. [GOC:hjd]' - }, - 'GO:0070208': { - 'name': 'protein heterotrimerization', - 'def': 'The formation of a protein heterotrimer, a macromolecular structure consisting of three noncovalently associated subunits, of which not all are identical. [GOC:hjd]' - }, - 'GO:0070209': { - 'name': 'ASTRA complex', - 'def': 'A protein complex that is part of the chromatin remodeling machinery; the acronym stands for ASsembly of Tel, Rvb and Atm-like kinase. In Saccharomyces cerevisiae this complex includes Rvb1p, Rvb2p, Tra1p, Tel2p, Asa1p, Ttilp and Tti2p. [GOC:rb, PMID:19040720]' - }, - 'GO:0070210': { - 'name': 'Rpd3L-Expanded complex', - 'def': 'A protein complex that contains a histone deacetylase and is part of the chromatin remodeling machinery. In Saccharomyces cerevisiae this complex contains the Rpd3p, Sin3p, Ume1p, Pho23p, Sap30p, Sds3p, Cti6p, Rxt2p, Rxt3p, Dep1p, Ume6p, Ash1p, Dot6p, Snt1, Sif2p, Set3p, Hos2p, Tos4p and Tod6p proteins. [GOC:rb, PMID:19040720]' - }, - 'GO:0070211': { - 'name': 'Snt2C complex', - 'def': 'A histone deacetylase complex that is part of the chromatin remodeling machinery. In Saccharomyces cerevisiae this complex contains Snt2p, Ecm5p and Rpd3p. [GOC:rb, PMID:19040720]' - }, - 'GO:0070212': { - 'name': 'protein poly-ADP-ribosylation', - 'def': 'The transfer of multiple ADP-ribose residues from NAD to a protein amino acid, forming a poly(ADP-ribose) chain. [GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0070213': { - 'name': 'protein auto-ADP-ribosylation', - 'def': 'The ADP-ribosylation by a protein of one or more of its own amino acid residues, or residues on an identical protein. [GOC:BHF, GOC:rl]' - }, - 'GO:0070214': { - 'name': 'CSK-GAP-A.p62 complex', - 'def': 'A protein complex that contains the protein-tyrosine kinase CSK and the GTPase-activating protein (GAP)-associated p62 (GAP-A.p62); may mediate translocation of proteins, including GAP and CSK, to membrane or cytoskeletal regions upon c-Src activation. [PMID:7544435]' - }, - 'GO:0070215': { - 'name': 'obsolete MDM2 binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with any isoform of the MDM2 protein, a negative regulator of p53. [GOC:mah, GOC:nln]' - }, - 'GO:0070216': { - 'name': 'obsolete MDM4 binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with any isoform of the MDM4 protein, a negative regulator of p53. [GOC:mah, GOC:nln]' - }, - 'GO:0070217': { - 'name': 'transcription factor TFIIIB complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a transcription factor TFIIIB complex. [GOC:mah]' - }, - 'GO:0070218': { - 'name': 'sulfide ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of sulfide ions within an organism or cell. [GOC:mah]' - }, - 'GO:0070219': { - 'name': 'cellular sulfide ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of sulfide ions at the level of a cell. [GOC:mah]' - }, - 'GO:0070220': { - 'name': 'aerobic sulfur oxidation', - 'def': 'A sulfur oxidation process that proceeds via the reaction catalyzed by sulfur dioxygenase, and requires the presence of oxygen. [MetaCyc:SULFUROX-PWY]' - }, - 'GO:0070221': { - 'name': 'sulfide oxidation, using sulfide:quinone oxidoreductase', - 'def': 'A sulfide oxidation process that proceeds via the reaction catalyzed by sulfide:quinone oxidoreductase. [MetaCyc:P222-PWY]' - }, - 'GO:0070222': { - 'name': 'sulfide oxidation, using sulfide dehydrogenase', - 'def': 'A sulfide oxidation process that proceeds via the reaction catalyzed by sulfide dehydrogenase. [MetaCyc:PWY-5274]' - }, - 'GO:0070223': { - 'name': 'sulfide oxidation, using sulfur dioxygenase', - 'def': 'A sulfide oxidation process that proceeds via the reaction catalyzed by sulfur dioxygenase. [MetaCyc:PWY-5285]' - }, - 'GO:0070224': { - 'name': 'sulfide:quinone oxidoreductase activity', - 'def': 'Catalysis of the reaction: hydrogen sulfide + a quinone = S0 + a hydroquinone. [MetaCyc:R17-RXN]' - }, - 'GO:0070225': { - 'name': 'sulfide dehydrogenase activity', - 'def': 'Catalysis of the reaction: hydrogen sulfide + oxidized cytochrome c = S0 + reduced cytochrome c. [MetaCyc:RXN-8156]' - }, - 'GO:0070226': { - 'name': 'sulfur:ferric ion oxidoreductase activity', - 'def': 'Catalysis of the reaction: a perthiol + 4 Fe3+ + 3 H2O = sulfite + a thiol + 4 Fe2+ + 8 H+. [MetaCyc:SULFFEOXIDO-RXN]' - }, - 'GO:0070227': { - 'name': 'lymphocyte apoptotic process', - 'def': 'Any apoptotic process in a lymphocyte, a leukocyte commonly found in the blood and lymph that has the characteristics of a large nucleus, a neutral staining cytoplasm, and prominent heterochromatin. [CL:0000542, GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070228': { - 'name': 'regulation of lymphocyte apoptotic process', - 'def': 'Any process that modulates the occurrence or rate of lymphocyte death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070229': { - 'name': 'negative regulation of lymphocyte apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of lymphocyte death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070230': { - 'name': 'positive regulation of lymphocyte apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of lymphocyte death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070231': { - 'name': 'T cell apoptotic process', - 'def': 'Any apoptotic process in a T cell, a type of lymphocyte whose defining characteristic is the expression of a T cell receptor complex. [CL:0000084, GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070232': { - 'name': 'regulation of T cell apoptotic process', - 'def': 'Any process that modulates the occurrence or rate of T cell death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070233': { - 'name': 'negative regulation of T cell apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of T cell death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070234': { - 'name': 'positive regulation of T cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of T cell death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070235': { - 'name': 'regulation of activation-induced cell death of T cells', - 'def': 'Any process that modulates the occurrence or rate of activation-induced cell death of T cells. [GOC:add, ISBN:0781765196]' - }, - 'GO:0070236': { - 'name': 'negative regulation of activation-induced cell death of T cells', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of activation-induced cell death of T cells. [GOC:add, ISBN:0781765196]' - }, - 'GO:0070237': { - 'name': 'positive regulation of activation-induced cell death of T cells', - 'def': 'Any process that activates or increases the frequency, rate or extent of activation-induced cell death of T cells. [GOC:add, ISBN:0781765196]' - }, - 'GO:0070238': { - 'name': 'activated T cell autonomous cell death', - 'def': 'A T cell apoptotic process that occurs towards the end of the expansion phase following the initial activation of mature T cells by antigen via the accumulation of pro-apoptotic gene products and decrease in anti-apoptotic gene products. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070239': { - 'name': 'regulation of activated T cell autonomous cell death', - 'def': 'Any process that modulates the occurrence or rate of activated T cell autonomous cell death. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070240': { - 'name': 'negative regulation of activated T cell autonomous cell death', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of activated T cell autonomous cell death. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070241': { - 'name': 'positive regulation of activated T cell autonomous cell death', - 'def': 'Any process that activates or increases the frequency, rate or extent of activated T cell autonomous cell death. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070242': { - 'name': 'thymocyte apoptotic process', - 'def': 'Any apoptotic process in a thymocyte, an immature T cell located in the thymus. [CL:0000893, GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070243': { - 'name': 'regulation of thymocyte apoptotic process', - 'def': 'Any process that modulates the occurrence or rate of thymocyte death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070244': { - 'name': 'negative regulation of thymocyte apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of thymocyte death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070245': { - 'name': 'positive regulation of thymocyte apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of thymocyte death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070246': { - 'name': 'natural killer cell apoptotic process', - 'def': 'Any apoptotic process in a natural killer cell, a lymphocyte that can spontaneously kill a variety of target cells without prior antigenic activation. [CL:0000623, GOC:add, GOC:mtg_apoptosis, PMID:15728472]' - }, - 'GO:0070247': { - 'name': 'regulation of natural killer cell apoptotic process', - 'def': 'Any process that modulates the occurrence or rate of natural killer cell death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070248': { - 'name': 'negative regulation of natural killer cell apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of natural killer cell death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070249': { - 'name': 'positive regulation of natural killer cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer cell death by apoptotic process. [GOC:add, GOC:mtg_apoptosis, ISBN:0781765196]' - }, - 'GO:0070250': { - 'name': 'mating projection membrane', - 'def': 'The portion of the plasma membrane surrounding a mating projection, the projection formed by unicellular fungi in response to mating pheromone. [GOC:jp]' - }, - 'GO:0070251': { - 'name': 'pristanate-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + pristanate + CoA = AMP + diphosphate + pristanoyl-CoA. [GOC:pde, PMID:10198260]' - }, - 'GO:0070252': { - 'name': 'actin-mediated cell contraction', - 'def': 'The actin filament-based process in which cytoplasmic actin filaments slide past one another resulting in contraction of all or part of the cell body. [GOC:mah]' - }, - 'GO:0070253': { - 'name': 'somatostatin secretion', - 'def': 'The regulated release of somatostatin from secretory granules in the D cells of the pancreas. [GOC:mah]' - }, - 'GO:0070254': { - 'name': 'mucus secretion', - 'def': 'The regulated release of mucus by the mucosa. Mucus is a viscous slimy secretion consisting of mucins and various inorganic salts dissolved in water, with suspended epithelial cells and leukocytes. The mucosa, or mucous membrane, is the membrane covered with epithelium that lines the tubular organs of the body. Mucins are carbohydrate-rich glycoproteins that have a lubricating and protective function. [GOC:add, ISBN:068340007X, ISBN:0721662544]' - }, - 'GO:0070255': { - 'name': 'regulation of mucus secretion', - 'def': 'Any process that modulates the frequency, rate or extent of the regulated release of mucus from a cell or a tissue. [GOC:add]' - }, - 'GO:0070256': { - 'name': 'negative regulation of mucus secretion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the regulated release of mucus from a cell or a tissue. [GOC:add]' - }, - 'GO:0070257': { - 'name': 'positive regulation of mucus secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of the regulated release of mucus from a cell or a tissue. [GOC:add]' - }, - 'GO:0070258': { - 'name': 'inner membrane complex', - 'def': 'A membrane structure formed of two closely aligned lipid bilayers that lie beneath the plasma membrane and form part of the pellicle surrounding an apicomplexan parasite cell. [GOC:mah, PMID:12456714]' - }, - 'GO:0070259': { - 'name': 'tyrosyl-DNA phosphodiesterase activity', - 'def': 'Catalysis of the hydrolysis of phosphotyrosyl groups formed as covalent intermediates (in DNA backbone breakage) between a DNA topoisomerase and DNA. [GOC:elh, PMID:16751265]' - }, - 'GO:0070260': { - 'name': "5'-tyrosyl-DNA phosphodiesterase activity", - 'def': "Catalysis of the hydrolysis of 5'-phosphotyrosyl groups formed as covalent intermediates (in DNA backbone breakage) between DNA topoisomerase II and DNA. [PMID:16751265]" - }, - 'GO:0070262': { - 'name': 'peptidyl-serine dephosphorylation', - 'def': 'The removal of phosphoric residues from peptidyl-O-phospho-L-serine to form peptidyl-serine. [GOC:bf]' - }, - 'GO:0070263': { - 'name': 'external side of fungal-type cell wall', - 'def': 'The side of the fungal-type cell wall that is opposite to the side that faces the cell and its contents. [GOC:mah]' - }, - 'GO:0070264': { - 'name': 'transcription factor TFIIIE complex', - 'def': 'A transcription factor complex that is involved in regulating transcription from RNA polymerase III (Pol III) promoters. TFIIIE contains a specific subset of ribosomal proteins. [GOC:jp, PMID:19116144]' - }, - 'GO:0070265': { - 'name': 'necrotic cell death', - 'def': 'A type of cell death that is morphologically characterized by an increasingly translucent cytoplasm, swelling of organelles, minor ultrastructural modifications of the nucleus (specifically, dilatation of the nuclear membrane and condensation of chromatin into small, irregular, circumscribed patches) and increased cell volume (oncosis), culminating in the disruption of the plasma membrane and subsequent loss of intracellular contents. Necrotic cells do not fragment into discrete corpses as their apoptotic counterparts do. Moreover, their nuclei remain intact and can aggregate and accumulate in necrotic tissues. [GOC:mtg_apoptosis, PMID:18846107, PMID:20823910]' - }, - 'GO:0070266': { - 'name': 'necroptotic process', - 'def': 'A programmed necrotic cell death process which begins when a cell receives a signal (e.g. a ligand binding to a death receptor or to a Toll-like receptor), and proceeds through a series of biochemical events (signaling pathways), characterized by activation of receptor-interacting serine/threonine-protein kinase 1 and/or 3 (RIPK1/3, also called RIP1/3) and by critical dependence on mixed lineage kinase domain-like (MLKL), and which typically lead to common morphological features of necrotic cell death. The process ends when the cell has died. The process is divided into a signaling phase, and an execution phase, which is triggered by the former. [GOC:BHF, GOC:dph, GOC:mah, GOC:mtg_apoptosis, GOC:tb, PMID:18846107, PMID:20823910, PMID:21737330, PMID:21760595, PMID:21876153]' - }, - 'GO:0070267': { - 'name': 'oncosis', - 'def': 'A cellular process that results in swelling of the cell body, and that is morphologically characteristic of necrotic cell death. [PMID:17873035, PMID:18846107]' - }, - 'GO:0070268': { - 'name': 'cornification', - 'def': 'A type of programmed cell death that occurs in the epidermis, morphologically and biochemically distinct from apoptosis. It leads to the formation of corneocytes, i.e. dead keratinocytes containing an amalgam of specific proteins (e.g., keratin, loricrin, SPR and involucrin) and lipids (e.g., fatty acids and ceramides), which are necessary for the function of the cornified skin layer (mechanical resistance, elasticity, water repellence and structural stability). [GOC:krc, PMID:18846107]' - }, - 'GO:0070269': { - 'name': 'pyroptosis', - 'def': 'A caspase-1-dependent cell death subroutine that is associated with the generation of pyrogenic mediators such as IL-1beta and IL-18. [GOC:mtg_apoptosis, PMID:18846107, PMID:21760595]' - }, - 'GO:0070270': { - 'name': 'obsolete mitotic catastrophe', - 'def': 'OBSOLETE. A type of programmed cell death that occurs during or shortly after a dysregulated or failed mitosis and can be accompanied by morphological alterations including micronucleation and multinucleation. [PMID:18846107]' - }, - 'GO:0070271': { - 'name': 'protein complex biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a protein complex. Includes the synthesis of non-protein components, and those protein modifications that are involved in synthesis or assembly of the complex. [GOC:mah]' - }, - 'GO:0070272': { - 'name': 'proton-transporting ATP synthase complex biogenesis', - 'def': 'The biogenesis of a proton-transporting ATP synthase (also known as F-type ATPase), a two-sector ATPase found in the inner membrane of mitochondria and chloroplasts, and in bacterial plasma membranes. Includes the synthesis of constituent proteins and their aggregation, arrangement and bonding together. [GOC:mah, PMID:19103153]' - }, - 'GO:0070273': { - 'name': 'phosphatidylinositol-4-phosphate binding', - 'def': "Interacting selectively and non-covalently with phosphatidylinositol-4-phosphate, a derivative of phosphatidylinositol in which the inositol ring is phosphorylated at the 4' position. [GOC:bf, GOC:mah]" - }, - 'GO:0070274': { - 'name': 'RES complex', - 'def': 'A protein complex that is required for efficient splicing, and prevents leakage of unspliced pre-mRNAs from the nucleus (named for pre-mRNA REtention and Splicing). In Saccharomyces, the complex consists of Ist3p, Bud13p, and Pml1p. [PMID:15565172, PMID:18809678, PMID:19010333, PMID:19033360]' - }, - 'GO:0070275': { - 'name': 'aerobic ammonia oxidation to nitrite via pyruvic oxime', - 'def': 'The metabolic process in which ammonia (NH3) is oxidized to nitrite (NO2) in the presence of oxygen. Hydroxylamine is produced enzymatically, and, in the presence of pyruvate, forms pyruvic oxime in a spontaneous, non-enzymatic reaction; pyruvic oxime is then converted to nitrite. [MetaCyc:PWY-2242]' - }, - 'GO:0070276': { - 'name': 'halogen metabolic process', - 'def': 'The chemical reactions and pathways involving any halogen, elements of Group VII; includes metabolism of halogen-containing compounds. [CHEBI:22473, GOC:mah]' - }, - 'GO:0070277': { - 'name': 'iodide oxidation', - 'def': 'The chemical reactions and pathways by which iodide is converted to diiodine, with the concomitant loss of electrons. [GOC:mah, MetaCyc:IODIDE-PEROXIDASE-RXN]' - }, - 'GO:0070278': { - 'name': 'extracellular matrix constituent secretion', - 'def': 'The controlled release of molecules that form the extracellular matrix, including carbohydrates and glycoproteins by a cell. [GOC:mah]' - }, - 'GO:0070279': { - 'name': 'vitamin B6 binding', - 'def': 'Interacting selectively and non-covalently with any of the vitamin B6 compounds: pyridoxal, pyridoxamine and pyridoxine and the active form, pyridoxal phosphate. [GOC:mah]' - }, - 'GO:0070280': { - 'name': 'pyridoxal binding', - 'def': 'Interacting selectively and non-covalently with pyridoxal, 3-hydroxy-5-(hydroxymethyl)-2-methylpyridine-4-carbaldehyde, a form of vitamin B6. [CHEBI:17310, GOC:mah]' - }, - 'GO:0070281': { - 'name': 'pyridoxamine binding', - 'def': 'Interacting selectively and non-covalently with pyridoxamine, 4-(aminomethyl)-5-(hydroxymethyl)-2-methylpyridin-3-ol, a form of vitamin B6. [CHEBI:16410, GOC:mah]' - }, - 'GO:0070282': { - 'name': 'pyridoxine binding', - 'def': 'Interacting selectively and non-covalently with pyridoxine, 4,5-bis(hydroxymethyl)-2-methylpyridin-3-ol, a form of vitamin B6. [CHEBI:16709, GOC:mah]' - }, - 'GO:0070283': { - 'name': 'radical SAM enzyme activity', - 'def': "Catalysis of a reaction in which S-adenosyl-L-methionine (SAM) undergoes reductive cleavage to serve as a source of the 5'-deoxyadenosyl radical. [PMID:17291766, PMID:18307109]" - }, - 'GO:0070284': { - 'name': '4-amino-5-hydroxymethyl-2-methylpyrimidine phosphate synthase activity', - 'def': "Catalysis of the reaction: 5-aminoimidazole ribonucleotide + S-adenosylmethionine = 4-amino-5-hydroxymethyl-2-methylpyrimidine phosphate + 5'deoxyadenosine. [PMID:18953358]" - }, - 'GO:0070285': { - 'name': 'pigment cell development', - 'def': 'The process whose specific outcome is the progression of a pigment cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a pigment cell fate. [GOC:cvs]' - }, - 'GO:0070286': { - 'name': 'axonemal dynein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an axonemal dynein complex, a dynein complex found in eukaryotic cilia and flagella, in which the motor domain heads interact with adjacent microtubules to generate a sliding force which is converted to a bending motion. [GOC:cilia, GOC:mah, PMID:19052621]' - }, - 'GO:0070287': { - 'name': 'ferritin receptor activity', - 'def': 'Combining with ferritin, and delivering ferritin into the cell via endocytosis. [GOC:bf, PMID:17459943, PMID:19154717]' - }, - 'GO:0070288': { - 'name': 'ferritin complex', - 'def': 'A protein complex that binds iron and acts as a major iron storage system. Intracellular and extracellular ferritin complexes have different ratios of two types of ferritin monomer, the L (light) chain and H (heavy) chain. [GOC:mah, PMID:19154717]' - }, - 'GO:0070289': { - 'name': 'extracellular ferritin complex', - 'def': 'A ferritin complex located in the extracellular region. Extracellular ferritin complexes contain L (light) chains but few or no H (heavy) chains. [GOC:mah, PMID:19154717]' - }, - 'GO:0070290': { - 'name': 'N-acylphosphatidylethanolamine-specific phospholipase D activity', - 'def': 'Catalysis of the release of N-acylethanolamine from N-acyl-phosphatidylethanolamine (NAPE) to generate N-acylethanolamine (NAE). [GOC:elh, PMID:14634025, PMID:15878693]' - }, - 'GO:0070291': { - 'name': 'N-acylethanolamine metabolic process', - 'def': 'The chemical reactions and pathways involving N-acylethanolamines. An N-acylethanolamine is an ethanolamine substituted at nitrogen by an acyl group. [CHEBI:52640, GOC:elh, PMID:14634025, PMID:15878693]' - }, - 'GO:0070292': { - 'name': 'N-acylphosphatidylethanolamine metabolic process', - 'def': 'The chemical reactions and pathways involving N-acylphosphatidylethanolamines. An N-acylphosphatidylethanolamine is a phosphatidylethanolamine substituted at nitrogen by an acyl group. [GOC:elh, GOC:mah, PMID:14634025, PMID:15878693]' - }, - 'GO:0070293': { - 'name': 'renal absorption', - 'def': 'A renal system process in which water, ions, glucose and proteins are taken up from the collecting ducts, glomerulus and proximal and distal loops of the nephron. In non-mammalian species, absorption may occur in related structures (e.g. protein absorption is observed in nephrocytes in Drosophila, see PMID:23264686). [GOC:dph, GOC:mah, GOC:yaf]' - }, - 'GO:0070294': { - 'name': 'renal sodium ion absorption', - 'def': 'A renal system process in which sodium ions are taken up from the collecting ducts and proximal and distal loops of the nephron. In non-mammalian species, absorption may occur in related structures. [GOC:dph, GOC:mah]' - }, - 'GO:0070295': { - 'name': 'renal water absorption', - 'def': 'A renal system process in which water is taken up from the collecting ducts and proximal and distal loops of the nephron. In non-mammalian species, absorption may occur in related structures. [GOC:dph, GOC:mah]' - }, - 'GO:0070296': { - 'name': 'sarcoplasmic reticulum calcium ion transport', - 'def': 'The directed movement of calcium ions (Ca2+) into, out of or within the sarcoplasmic reticulum. [GOC:BHF, GOC:vk]' - }, - 'GO:0070297': { - 'name': 'regulation of phosphorelay signal transduction system', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction via a phosphorelay signal transduction system. [GOC:mah]' - }, - 'GO:0070298': { - 'name': 'negative regulation of phosphorelay signal transduction system', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signal transduction via a phosphorelay signal transduction system. [GOC:mah]' - }, - 'GO:0070299': { - 'name': 'positive regulation of phosphorelay signal transduction system', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction via a phosphorelay signal transduction system. [GOC:mah]' - }, - 'GO:0070300': { - 'name': 'phosphatidic acid binding', - 'def': 'Interacting selectively and non-covalently with phosphatidic acid, any of a class of glycerol phosphate in which both the remaining hydroxyl groups of the glycerol moiety are esterified with fatty acids. [CHEBI:16337, GOC:jp, ISBN:0198506732]' - }, - 'GO:0070301': { - 'name': 'cellular response to hydrogen peroxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydrogen peroxide (H2O2) stimulus. [CHEBI:16240, GOC:mah]' - }, - 'GO:0070302': { - 'name': 'regulation of stress-activated protein kinase signaling cascade', - 'def': 'Any process that modulates the frequency, rate or extent of signaling via a stress-activated protein kinase signaling cascade. [GOC:mah]' - }, - 'GO:0070303': { - 'name': 'negative regulation of stress-activated protein kinase signaling cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signaling via the stress-activated protein kinase signaling cascade. [GOC:mah]' - }, - 'GO:0070304': { - 'name': 'positive regulation of stress-activated protein kinase signaling cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of signaling via the stress-activated protein kinase signaling cascade. [GOC:mah]' - }, - 'GO:0070305': { - 'name': 'response to cGMP', - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cGMP (cyclic GMP, guanosine 3',5'-cyclophosphate) stimulus. [GOC:sl]" - }, - 'GO:0070306': { - 'name': 'lens fiber cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a lens fiber cell, any of the elongated, tightly packed cells that make up the bulk of the mature lens in the camera-type eye. The cytoplasm of a lens fiber cell is devoid of most intracellular organelles including the cell nucleus, and contains primarily crystallins, a group of water-soluble proteins expressed in vary large quantities. [GOC:mah, PMID:7693735]' - }, - 'GO:0070307': { - 'name': 'lens fiber cell development', - 'def': 'The process whose specific outcome is the progression of a lens fiber cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a lens fiber cell fate. A lens fiber cell is any of the elongated, tightly packed cells that make up the bulk of the mature lens in a camera-type eye. [GOC:mah, PMID:7693735]' - }, - 'GO:0070308': { - 'name': 'lens fiber cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a lens fiber cell. A lens fiber cell is any of the elongated, tightly packed cells that make up the bulk of the mature lens in a camera-type eye. [GOC:mah, PMID:7693735]' - }, - 'GO:0070309': { - 'name': 'lens fiber cell morphogenesis', - 'def': 'The process in which the structures of a lens fiber cell are generated and organized. This process occurs while the initially relatively unspecialized cell is acquiring the specialized features of a lens fiber cell. A lens fiber cell is any of the elongated, tightly packed cells that make up the bulk of the mature lens in a camera-type eye. [GOC:mah, PMID:7693735]' - }, - 'GO:0070310': { - 'name': 'ATR-ATRIP complex', - 'def': 'A protein complex that contains the protein kinase ATR and ATR-interacting protein (ATRIP) and binds single-stranded DNA; ssDNA binding affinity is increased in the presence of replication protein A. [GOC:mah, PMID:14724280]' - }, - 'GO:0070311': { - 'name': 'nucleosomal methylation activator complex', - 'def': 'A protein complex that contains eight subunits in common with the SWI/SNF complex, plus the ATPase BRG1 (SMARCA4) and the histone methyltransferase CARM1; the complex is involved in regulating nuclear receptor-dependent transcription. [GOC:mah, PMID:14729568]' - }, - 'GO:0070312': { - 'name': 'RAD52-ERCC4-ERCC1 complex', - 'def': 'A nucleotide-excision repair complex formed by the association of the heterodimeric endonuclease XPF/ERCC4-ERCC1 (Rad1p and Rad10p in S. cerevisiae) with the RAD52 protein. [PMID:14734547]' - }, - 'GO:0070313': { - 'name': 'RGS6-DNMT1-DMAP1 complex', - 'def': 'A protein complex formed by the association of RGS6, a negative regulator of heterotrimeric G protein signaling, with the DMAP1-Dnmt1 transcriptional repressor complex; in the complex, RGS6 inhibits the transcriptional repressor activity of DMAP1. [GOC:mah, PMID:14734556]' - }, - 'GO:0070314': { - 'name': 'G1 to G0 transition', - 'def': 'A cell cycle arrest process that results in arrest during G1 phase, whereupon the cell enters a specialized resting state known as G0 or quiescence. [GOC:mah, GOC:mtg_cell_cycle, ISBN:0815316194]' - }, - 'GO:0070315': { - 'name': 'G1 to G0 transition involved in cell differentiation', - 'def': 'A cell cycle arrest process that results in arrest during G1 phase, whereupon the cell enters G0 phase, in the context of cell differentiation. [GOC:mah, ISBN:0815316194]' - }, - 'GO:0070316': { - 'name': 'regulation of G0 to G1 transition', - 'def': 'A cell cycle process that modulates the rate or extent of the transition from the G0 quiescent state to the G1 phase. [GOC:mah]' - }, - 'GO:0070317': { - 'name': 'negative regulation of G0 to G1 transition', - 'def': 'A cell cycle process that stops, prevents, or reduces the rate or extent of the transition from the G0 quiescent state to the G1 phase. [GOC:mah]' - }, - 'GO:0070318': { - 'name': 'positive regulation of G0 to G1 transition', - 'def': 'A cell cycle process that activates or increases the rate or extent of the transition from the G0 quiescent state to the G1 phase. [GOC:mah]' - }, - 'GO:0070319': { - 'name': 'Golgi to plasma membrane transport vesicle', - 'def': 'A transport vesicle that mediates transport from the Golgi to the plasma membrane, and fuses with the plasma membrane to release various cargo molecules, such as proteins or hormones, by exocytosis. [GOC:kad, GOC:mah]' - }, - 'GO:0070320': { - 'name': 'inward rectifier potassium channel inhibitor activity', - 'def': 'Stops, prevents, or reduces the activity of an inwardly rectifying potassium channel. [GOC:mah]' - }, - 'GO:0070321': { - 'name': 'regulation of translation in response to nitrogen starvation', - 'def': 'Any process that modulates the frequency, rate or extent of the frequency, rate or extent of translation as a result of a stimulus indicating deprivation of nitrogen. [GOC:mah]' - }, - 'GO:0070322': { - 'name': 'negative regulation of translation in response to nitrogen starvation', - 'def': 'Any process that stops, prevents or reduces the rate of translation as a result of a stimulus indicating deprivation of nitrogen. [GOC:mah]' - }, - 'GO:0070323': { - 'name': 'positive regulation of translation in response to nitrogen starvation', - 'def': 'Any process that activates or increases the frequency, rate or extent of translation as a result of a stimulus indicating deprivation of nitrogen. [GOC:mah]' - }, - 'GO:0070324': { - 'name': 'thyroid hormone binding', - 'def': 'Interacting selectively and non-covalently with thyroxine (T4) or triiodothyronine (T3), tyrosine-based hormones produced by the thyroid gland. [GOC:rph]' - }, - 'GO:0070325': { - 'name': 'lipoprotein particle receptor binding', - 'def': 'Interacting selectively and non-covalently with a lipoprotein particle receptor. [GOC:BHF, GOC:rl]' - }, - 'GO:0070326': { - 'name': 'very-low-density lipoprotein particle receptor binding', - 'def': 'Interacting selectively and non-covalently with a very-low-density lipoprotein receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070327': { - 'name': 'thyroid hormone transport', - 'def': 'The directed movement of thyroid hormone into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:rph]' - }, - 'GO:0070328': { - 'name': 'triglyceride homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of triglyceride within an organism or cell. [GOC:BHF, GOC:mah]' - }, - 'GO:0070329': { - 'name': 'tRNA seleno-modification', - 'def': 'The substitution of a selenium atom for a sulfur atom in a ribonucleotide in a tRNA molecule. [GOC:jsg, PMID:14594807]' - }, - 'GO:0070330': { - 'name': 'aromatase activity', - 'def': 'Catalysis of the reduction of an aliphatic ring to yield an aromatic ring. [GOC:cb]' - }, - 'GO:0070331': { - 'name': 'CD20-Lck-Fyn complex', - 'def': 'A protein complex that contains the cell-surface protein CD20 and the Src family tyrosine kinases Lck and Fyn. [GOC:mah, PMID:7545683]' - }, - 'GO:0070332': { - 'name': 'CD20-Lck-Lyn-Fyn complex', - 'def': 'A protein complex that contains the cell-surface protein CD20 and the Src family tyrosine kinases Lck, Lyn and Fyn. [GOC:mah, PMID:7545683]' - }, - 'GO:0070333': { - 'name': 'alpha6-beta4 integrin-Shc-Grb2 complex', - 'def': 'A protein complex that consists of an alpha6-beta4 integrin complex bound to the adaptor proteins Shc and Grb2. [PMID:7556090]' - }, - 'GO:0070334': { - 'name': 'alpha6-beta4 integrin-laminin 5 complex', - 'def': 'A protein complex that consists of an alpha6-beta4 integrin complex bound to laminin 5. [GOC:mah, PMID:7556090]' - }, - 'GO:0070335': { - 'name': 'aspartate binding', - 'def': 'Interacting selectively and non-covalently with aspartate, the alpha-amino-acid anion of 2-aminobutanedioic acid that has formula C4H5NO4. [CHEBI:29995, GOC:mah]' - }, - 'GO:0070336': { - 'name': 'flap-structured DNA binding', - 'def': 'Interacting selectively and non-covalently with a flap structure in DNA. A DNA flap structure is one in which a single-stranded length of DNA or RNA protrudes from a double-stranded DNA molecule. [GOC:mah, PMID:15189154]' - }, - 'GO:0070337': { - 'name': "3'-flap-structured DNA binding", - 'def': "Interacting selectively and non-covalently with a 3'-flap structure in DNA. A DNA flap structure is one in which a single-stranded 3'-end of DNA or RNA protrudes from a double-stranded DNA molecule. [GOC:mah, PMID:15189154]" - }, - 'GO:0070338': { - 'name': "5'-flap-structured DNA binding", - 'def': "Interacting selectively and non-covalently with a 5'-flap structure in DNA. A DNA flap structure is one in which a single-stranded 5'-end of DNA or RNA protrudes from a double-stranded DNA molecule. 5'-flap structures can be formed during DNA repair or lagging strand synthesis; in the latter case RNA flaps form from lagging strand RNA primers. [GOC:mah, PMID:15189154]" - }, - 'GO:0070339': { - 'name': 'response to bacterial lipopeptide', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bacterial lipopeptide stimulus. [GOC:add, PMID:12077222]' - }, - 'GO:0070340': { - 'name': 'detection of bacterial lipopeptide', - 'def': 'The series of events in which a bacterial lipopeptide stimulus is received by a cell and converted into a molecular signal. [GOC:add, PMID:12077222]' - }, - 'GO:0070341': { - 'name': 'fat cell proliferation', - 'def': 'The multiplication or reproduction of fat cells by cell division, resulting in the expansion of their population. A fat cell is an animal connective tissue cell specialized for the synthesis and storage of fat. [GOC:mah, GOC:sl]' - }, - 'GO:0070342': { - 'name': 'brown fat cell proliferation', - 'def': 'The multiplication or reproduction of brown fat cells by cell division, resulting in the expansion of their population. A brown fat cell is a fat cell found the thermogenic form of adipose tissue found in newborns of many species. [CL:0000449, GOC:mah, GOC:sl]' - }, - 'GO:0070343': { - 'name': 'white fat cell proliferation', - 'def': 'The multiplication or reproduction of white fat cells by cell division, resulting in the expansion of their population. [CL:0000448, GOC:mah, GOC:sl]' - }, - 'GO:0070344': { - 'name': 'regulation of fat cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of fat cell proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070345': { - 'name': 'negative regulation of fat cell proliferation', - 'def': 'Any process that stops or decreases the rate or extent of fat cell proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070346': { - 'name': 'positive regulation of fat cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of fat cell proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070347': { - 'name': 'regulation of brown fat cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of brown fat cell proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070348': { - 'name': 'negative regulation of brown fat cell proliferation', - 'def': 'Any process that stops or decreases the rate or extent of brown fat cell proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070349': { - 'name': 'positive regulation of brown fat cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of brown fat cell proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070350': { - 'name': 'regulation of white fat cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of white fat cell proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070351': { - 'name': 'negative regulation of white fat cell proliferation', - 'def': 'Any process that stops or decreases the rate or extent of white fat cell proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070352': { - 'name': 'positive regulation of white fat cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of white fat cell proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070353': { - 'name': 'GATA1-TAL1-TCF3-Lmo2 complex', - 'def': 'A protein complex that contains the zinc finger transcription factor GATA1, the LIM domain protein Lmo2 (RBTN2), the basic helix-loop-helix protein TAL1 and its binding partner TCF3. The complex is involved transcriptional regulation in hematopoiesis. [PMID:7568177]' - }, - 'GO:0070354': { - 'name': 'GATA2-TAL1-TCF3-Lmo2 complex', - 'def': 'A protein complex that contains the zinc finger transcription factor GATA2, the LIM domain protein Lmo2 (RBTN2), the basic helix-loop-helix protein TAL1 and its binding partner TCF3. The complex is involved transcriptional regulation in hematopoiesis. [PMID:7568177]' - }, - 'GO:0070355': { - 'name': 'synaptotagmin-synaptobrevin 2-SNAP-25-syntaxin-1a-syntaxin-1b-Rab3a-complexin II complex', - 'def': 'A SNARE complex that contains synaptotagmin, synaptobrevin 2 (VAMP2), SNAP-25, syntaxin 1a, syntaxin1b, Rab3a, and complexin II (or orthologs thereof). [PMID:7654227]' - }, - 'GO:0070356': { - 'name': 'synaptotagmin-synaptobrevin 2-SNAP-25-syntaxin-1a-syntaxin-1b-Rab3a complex', - 'def': 'A SNARE complex that contains synaptotagmin, synaptobrevin 2 (VAMP2), SNAP-25, syntaxin 1a, syntaxin1b, and Rab3a (or orthologs thereof). [PMID:7654227]' - }, - 'GO:0070357': { - 'name': 'alphav-beta3 integrin-CD47 complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to CD47 (also known as IAP). [PMID:2277087, PMID:7691831]' - }, - 'GO:0070358': { - 'name': 'actin polymerization-dependent cell motility', - 'def': 'A process involved in the controlled movement of a bacterial cell powered by the continuous polymerization of actin at one pole of the cell. [GOC:mah, PMID:15773977]' - }, - 'GO:0070359': { - 'name': 'actin polymerization-dependent cell motility involved in migration of symbiont in host', - 'def': 'A process involved in the controlled movement of a bacterial cell within a host cell, powered by the continuous polymerization of host actin at one pole of the cell. [GOC:jl, GOC:mah, PMID:15773977]' - }, - 'GO:0070360': { - 'name': 'migration of symbiont within host by polymerization of host actin', - 'def': 'The directional movement of an organism, usually a bacterial cell, from one place to another within its host organism, by a process involving continuous polymerization of host actin at one pole of the symbiont cell. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:mah]' - }, - 'GO:0070361': { - 'name': 'mitochondrial light strand promoter anti-sense binding', - 'def': 'Interacting selectively and non-covalently with the anti-sense strand of the light strand promoter, a promoter located on the light, or cytosine-rich, strand of mitochondrial DNA. [GOC:mah, PMID:9485316]' - }, - 'GO:0070362': { - 'name': 'mitochondrial heavy strand promoter anti-sense binding', - 'def': 'Interacting selectively and non-covalently with the anti-sense strand of the heavy strand promoter, a promoter located on the heavy, or guanine-rich, strand of mitochondrial DNA. [GOC:mah, PMID:9485316]' - }, - 'GO:0070363': { - 'name': 'mitochondrial light strand promoter sense binding', - 'def': 'Interacting selectively and non-covalently with the sense strand of the light strand promoter, a promoter located on the light, or cytosine-rich, strand of mitochondrial DNA. [GOC:mah, PMID:9485316]' - }, - 'GO:0070364': { - 'name': 'mitochondrial heavy strand promoter sense binding', - 'def': 'Interacting selectively and non-covalently with the sense strand of the heavy strand promoter, a promoter located on the heavy, or guanine-rich, strand of mitochondrial DNA. [GOC:mah, PMID:9485316]' - }, - 'GO:0070365': { - 'name': 'hepatocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a hepatocyte. A hepatocyte is specialized epithelial cell that is organized into interconnected plates called lobules, and is the main structural component of the liver. [CL:0000182, PMID:7588884]' - }, - 'GO:0070366': { - 'name': 'regulation of hepatocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of hepatocyte differentiation. [GOC:mah, GOC:sl]' - }, - 'GO:0070367': { - 'name': 'negative regulation of hepatocyte differentiation', - 'def': 'Any process that stops or decreases the rate or extent of hepatocyte differentiation. [GOC:mah, GOC:sl]' - }, - 'GO:0070368': { - 'name': 'positive regulation of hepatocyte differentiation', - 'def': 'Any process that activates or increases the rate or extent of hepatocyte differentiation. [GOC:mah, GOC:sl]' - }, - 'GO:0070369': { - 'name': 'beta-catenin-TCF7L2 complex', - 'def': 'A protein complex that contains beta-catenin and TCF7L2 (TCF4), binds to the TCF DNA motif within a promoter element, and is involved in the regulation of WNT target gene transcription. [GOC:BHF, GOC:rl, PMID:9065401, PMID:9065402]' - }, - 'GO:0070370': { - 'name': 'cellular heat acclimation', - 'def': 'Any process that increases heat tolerance of a cell in response to high temperatures. [GOC:jp]' - }, - 'GO:0070371': { - 'name': 'ERK1 and ERK2 cascade', - 'def': 'An intracellular protein kinase cascade containing at least ERK1 or ERK2 (MAPKs), a MEK (a MAPKK) and a MAP3K. The cascade can also contain two additional tiers: the upstream MAP4K and the downstream MAP Kinase-activated kinase (MAPKAPK). The kinases in each tier phosphorylate and activate the kinases in the downstream tier to transmit a signal within a cell. [GOC:add, GOC:signaling, ISBN:0121245462, ISBN:0896039986, PMID:20811974]' - }, - 'GO:0070372': { - 'name': 'regulation of ERK1 and ERK2 cascade', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction mediated by the ERK1 and ERK2 cascade. [GOC:add, ISBN:0121245462, ISBN:0896039986]' - }, - 'GO:0070373': { - 'name': 'negative regulation of ERK1 and ERK2 cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signal transduction mediated by the ERK1 and ERK2 cascade. [GOC:add, ISBN:0121245462, ISBN:0896039986]' - }, - 'GO:0070374': { - 'name': 'positive regulation of ERK1 and ERK2 cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction mediated by the ERK1 and ERK2 cascade. [GOC:mah]' - }, - 'GO:0070375': { - 'name': 'ERK5 cascade', - 'def': 'An intracellular protein kinase cascade containing at least ERK5 (also called BMK1; a MAPK), a MEK (a MAPKK) and a MAP3K. The cascade can also contain two additional tiers: the upstream MAP4K and the downstream MAP Kinase-activated kinase (MAPKAPK). The kinases in each tier phosphorylate and activate the kinases in the downstream tier to transmit a signal within a cell. [GOC:add, GOC:signaling, ISBN:0896039986, PMID:16376520, PMID:16880823, PMID:20811974]' - }, - 'GO:0070376': { - 'name': 'regulation of ERK5 cascade', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction mediated by the ERK5 cascade. [GOC:add, ISBN:0121245462, ISBN:0896039986]' - }, - 'GO:0070377': { - 'name': 'negative regulation of ERK5 cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of signal transduction mediated by the ERK5 cascade. [GOC:add, ISBN:0121245462, ISBN:0896039986]' - }, - 'GO:0070378': { - 'name': 'positive regulation of ERK5 cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction mediated by the ERK5 cascade. [GOC:mah]' - }, - 'GO:0070379': { - 'name': 'high mobility group box 1 binding', - 'def': 'Interacting selectively and non-covalently with high mobility group box 1 (HMBGB1). [GOC:add, PMID:18431461]' - }, - 'GO:0070380': { - 'name': 'high mobility group box 1 receptor activity', - 'def': 'Combining with high mobility group box 1 (HMBGB1) and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling, PMID:18431461]' - }, - 'GO:0070381': { - 'name': 'endosome to plasma membrane transport vesicle', - 'def': 'A transport vesicle that mediates transport from the endosome to the plasma membrane, and fuses with the plasma membrane to deliver lipids and membrane proteins to the plasma membrane and to release various cargo molecules, such as proteins or hormones, by exocytosis. [GOC:kad, GOC:mah, PMID:10679016, PMID:12110576]' - }, - 'GO:0070382': { - 'name': 'exocytic vesicle', - 'def': 'A transport vesicle that mediates transport from an intracellular compartment to the plasma membrane, and fuses with the plasma membrane to release various cargo molecules, such as proteins or hormones, by exocytosis. [GOC:kad, GOC:mah]' - }, - 'GO:0070383': { - 'name': 'DNA cytosine deamination', - 'def': 'The removal of an amino group from a cytosine residue in DNA, forming a uracil residue. [GOC:mah]' - }, - 'GO:0070384': { - 'name': 'Harderian gland development', - 'def': 'The process whose specific outcome is the progression of the Harderian gland over time, from its formation to the mature structure. The Harderian gland is an anterior orbital structure usually associated with the nictitating membrane, and produces and secretes a variety of substances to the eye, depending upon the species. [GOC:hjd, PMID:16856596, PMID:7559104]' - }, - 'GO:0070385': { - 'name': 'egasyn-beta-glucuronidase complex', - 'def': 'A protein complex that contains beta-glucuronidase and the carboxyl esterase egasyn; formation of the complex causes beta-glucuronidase to be retained in the endoplasmic reticulum. [PMID:7744842]' - }, - 'GO:0070386': { - 'name': 'procollagen-proline 4-dioxygenase complex, alpha(I) type', - 'def': 'A procollagen-proline 4-dioxygenase complex that contains alpha subunits of the type I isoform; its activity is readily inhibited by poly(L-proline). [PMID:14500733, PMID:7753822]' - }, - 'GO:0070387': { - 'name': 'procollagen-proline 4-dioxygenase complex, alpha(II) type', - 'def': 'A procollagen-proline 4-dioxygenase complex that contains alpha subunits of the type II isoform; its activity is inhibited by poly(L-proline) only at high concentrations. [PMID:14500733, PMID:7753822]' - }, - 'GO:0070388': { - 'name': 'procollagen-proline 4-dioxygenase complex, alpha(III) type', - 'def': 'A procollagen-proline 4-dioxygenase complex that contains alpha subunits of the type III isoform. [PMID:14500733]' - }, - 'GO:0070389': { - 'name': 'chaperone cofactor-dependent protein refolding', - 'def': 'The process of assisting in the restoration of the biological activity of an unfolded or misfolded protein, which is dependent on additional protein cofactors. This process occurs over one or several cycles of nucleotide hydrolysis-dependent binding and release. [GOC:mah, GOC:rb]' - }, - 'GO:0070390': { - 'name': 'transcription export complex 2', - 'def': 'A protein complex that couples SAGA-dependent gene expression to mRNA export at the inner side of the nuclear pore complex (NPC). The TREX-2 complex is tethered to the inner side of the NPC via the nucleoporins Nup1 and Nup60; in S. cerevisiae it contains Sac3p, Thp1p, Sus1p and Cdc31p. [GOC:dgf, GOC:mah, PMID:17786152]' - }, - 'GO:0070391': { - 'name': 'response to lipoteichoic acid', - 'def': 'Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipoteichoic acid stimulus; lipoteichoic acid is a major component of the cell wall of gram-positive bacteria and typically consists of a chain of glycerol-phosphate repeating units linked to a glycolipid anchor. [GOC:add, PMID:14665680, PMID:16020688]' - }, - 'GO:0070392': { - 'name': 'detection of lipoteichoic acid', - 'def': 'The series of events in which a lipoteichoic acid stimulus is received by a cell and converted into a molecular signal; lipoteichoic acid is a major component of the cell wall of gram-positive bacteria and typically consists of a chain of glycerol-phosphate repeating units linked to a glycolipid anchor. [GOC:add, PMID:14665680, PMID:16020688]' - }, - 'GO:0070393': { - 'name': 'teichoic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of teichoic acid, which is a major component of the cell wall of Gram-positive bacteria and typically consists of a polymer of glycerol-phosphate or ribitol-phosphate to which are attached glycosyl and D-alanyl ester residues. [GOC:add, PMID:14665680]' - }, - 'GO:0070394': { - 'name': 'lipoteichoic acid metabolic process', - 'def': 'The chemical reactions and pathways involving lipoteichoic acid, which is a major component of the cell wall of gram-positive bacteria and typically consists of a chain of glycerol-phosphate repeating units linked to a glycolipid anchor. [GOC:add, PMID:14665680, PMID:16020688]' - }, - 'GO:0070395': { - 'name': 'lipoteichoic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lipoteichoic acid, which is a major component of the cell wall of gram-positive bacteria and typically consists of a chain of glycerol-phosphate repeating units linked to a glycolipid anchor. [GOC:add, PMID:14665680, PMID:16020688]' - }, - 'GO:0070396': { - 'name': 'lipoteichoic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lipoteichoic acid, which is a major component of the cell wall of gram-positive bacteria and typically consists of a chain of glycerol-phosphate repeating units linked to a glycolipid anchor. [GOC:add, PMID:14665680]' - }, - 'GO:0070397': { - 'name': 'wall teichoic acid metabolic process', - 'def': 'The chemical reactions and pathways involving wall teichoic acid, which is a major component of the cell wall of Gram-positive bacteria and typically consists of a polymer of glycerol-phosphate or ribitol-phosphate to which are attached glycosyl and D-alanyl ester residues and which is covalently linked to peptidoglycan. [GOC:add, PMID:14665680, PMID:16020688]' - }, - 'GO:0070398': { - 'name': 'wall teichoic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of wall teichoic acid, which is a major component of the cell wall of Gram-positive bacteria and typically consists of a polymer of glycerol-phosphate or ribitol-phosphate to which are attached glycosyl and D-alanyl ester residues and which is covalently linked to peptidoglycan. [GOC:add, PMID:14665680, PMID:16020688]' - }, - 'GO:0070399': { - 'name': 'wall teichoic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of wall teichoic acid, which is a major component of the cell wall of Gram-positive bacteria and typically consists of a polymer of glycerol-phosphate or ribitol-phosphate to which are attached glycosyl and D-alanyl ester residues and which is covalently linked to peptidoglycan. [GOC:add, PMID:14665680]' - }, - 'GO:0070400': { - 'name': 'teichoic acid D-alanylation', - 'def': 'The formation of a D-alanyl ester of teichoic acid. Alanylation of teichoic acids modulates the properties of the bacterial cell wall and modulates the inflammatory properties of the teichoic acid. [GOC:add, PMID:14665680, PMID:16020688]' - }, - 'GO:0070401': { - 'name': 'NADP+ binding', - 'def': 'Interacting selectively and non-covalently with the oxidized form, NADP+, of nicotinamide-adenine dinucleotide phosphate, a coenzyme involved in many redox and biosynthetic reactions. [GOC:mah]' - }, - 'GO:0070402': { - 'name': 'NADPH binding', - 'def': 'Interacting selectively and non-covalently with the reduced form, NADPH, of nicotinamide-adenine dinucleotide phosphate, a coenzyme involved in many redox and biosynthetic reactions. [GOC:mah]' - }, - 'GO:0070403': { - 'name': 'NAD+ binding', - 'def': 'Interacting selectively and non-covalently with the oxidized form, NAD, of nicotinamide adenine dinucleotide, a coenzyme involved in many redox and biosynthetic reactions. [GOC:mah]' - }, - 'GO:0070404': { - 'name': 'NADH binding', - 'def': 'Interacting selectively and non-covalently with the reduced form, NADH, of nicotinamide adenine dinucleotide, a coenzyme involved in many redox and biosynthetic reactions. [GOC:mah]' - }, - 'GO:0070405': { - 'name': 'ammonium ion binding', - 'def': 'Interacting selectively and non-covalently with ammonium ions (NH4+). [CHEBI:28938, GOC:ecd]' - }, - 'GO:0070406': { - 'name': 'glutamine binding', - 'def': 'Interacting selectively and non-covalently with glutamine, 2,5-diamino-5-oxopentanoic acid. [CHEBI:28300, GOC:ecd]' - }, - 'GO:0070407': { - 'name': 'oxidation-dependent protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide by hydrolysis of its peptide bonds, initiated by the oxidation of one or more amino acid residues in the protein. [GOC:mah]' - }, - 'GO:0070408': { - 'name': 'carbamoyl phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving carbamoyl phosphate, an intermediate in the urea cycle and other nitrogen compound metabolic pathways. [CHEBI:17672, GOC:mah, GOC:rph]' - }, - 'GO:0070409': { - 'name': 'carbamoyl phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of carbamoyl phosphate, an intermediate in the urea cycle and other nitrogen compound metabolic pathways. [CHEBI:17672, GOC:mah, GOC:rph]' - }, - 'GO:0070410': { - 'name': 'co-SMAD binding', - 'def': 'Interacting selectively and non-covalently with a common mediator SMAD signaling protein. [GOC:BHF, GOC:vk, PMID:19114992]' - }, - 'GO:0070411': { - 'name': 'I-SMAD binding', - 'def': 'Interacting selectively and non-covalently with an inhibitory SMAD signaling protein. [GOC:BHF, GOC:vk, PMID:19114992]' - }, - 'GO:0070412': { - 'name': 'R-SMAD binding', - 'def': 'Interacting selectively and non-covalently with a receptor-regulated SMAD signaling protein. [GOC:BHF, GOC:vk, PMID:19114992]' - }, - 'GO:0070413': { - 'name': 'trehalose metabolism in response to stress', - 'def': 'The chemical reactions and pathways involving trehalose that occur as a result of a stimulus indicating the organism is under stress. [GOC:jp, GOC:mah, PMID:9797333]' - }, - 'GO:0070414': { - 'name': 'trehalose metabolism in response to heat stress', - 'def': 'The chemical reactions and pathways involving trehalose that occur as a result of a heat stimulus, a temperature stimulus above the optimal temperature for that organism. [GOC:jp, GOC:mah, PMID:9797333]' - }, - 'GO:0070415': { - 'name': 'trehalose metabolism in response to cold stress', - 'def': 'The chemical reactions and pathways involving trehalose that occur as a result of a cold stimulus, a temperature stimulus below the optimal temperature for that organism. [GOC:jp, GOC:mah, PMID:9797333]' - }, - 'GO:0070416': { - 'name': 'trehalose metabolism in response to water deprivation', - 'def': 'The chemical reactions and pathways involving trehalose that occur as a result of deprivation of water. [GOC:jp, GOC:mah, PMID:9797333]' - }, - 'GO:0070417': { - 'name': 'cellular response to cold', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cold stimulus, a temperature stimulus below the optimal temperature for that organism. [GOC:jp]' - }, - 'GO:0070418': { - 'name': 'DNA-dependent protein kinase complex', - 'def': 'A protein complex that is involved in the repair of DNA double-strand breaks and, in mammals, V(D)J recombination events. It consists of the DNA-dependent protein kinase catalytic subunit (DNA-PKcs) and the DNA end-binding heterodimer Ku. [GOC:mah, PMID:10854421, PMID:12235392]' - }, - 'GO:0070419': { - 'name': 'nonhomologous end joining complex', - 'def': 'A protein complex that plays a role in DNA double-strand break repair via nonhomologous end joining. Such complexes typically contain a specialized DNA ligase (e.g. Lig4 in eukaryotes) and one or more proteins that bind to DNA ends. [GOC:mah, PMID:17072889, PMID:17938628]' - }, - 'GO:0070420': { - 'name': 'Ku-DNA ligase complex', - 'def': 'A nonhomologous end joining complex that contains one or more Ku monomers and one or more DNA ligase molecules from the LigC or LigD family, and mediates nonhomologous end joining in bacteria. [GOC:mah, PMID:17938628]' - }, - 'GO:0070421': { - 'name': 'DNA ligase III-XRCC1 complex', - 'def': 'A protein complex that contains DNA ligase III and XRCC1, and is involved in base excision repair. [PMID:15141024, PMID:7760816]' - }, - 'GO:0070422': { - 'name': 'G-protein beta/gamma-Raf-1 complex', - 'def': 'A protein complex formed by the association of the serine-threonine protein kinase Raf-1 with the beta and gamma subunits of a heterotrimeric G protein. [GOC:mah, PMID:7782277]' - }, - 'GO:0070423': { - 'name': 'nucleotide-binding oligomerization domain containing signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to a nucleotide-binding oligomerization domain containing (NOD) protein. [GOC:add, PMID:17944960, PMID:18585455]' - }, - 'GO:0070424': { - 'name': 'regulation of nucleotide-binding oligomerization domain containing signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of a nucleotide-binding oligomerization domain containing (NOD) pathway. [GOC:add]' - }, - 'GO:0070425': { - 'name': 'negative regulation of nucleotide-binding oligomerization domain containing signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of the nucleotide-binding oligomerization domain containing (NOD) pathway. [GOC:add]' - }, - 'GO:0070426': { - 'name': 'positive regulation of nucleotide-binding oligomerization domain containing signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of the nucleotide-binding oligomerization domain containing (NOD) pathway. [GOC:add]' - }, - 'GO:0070427': { - 'name': 'nucleotide-binding oligomerization domain containing 1 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to nucleotide-binding oligomerization domain containing 1 (NOD1). [GOC:add, PMID:17944960, PMID:18585455]' - }, - 'GO:0070428': { - 'name': 'regulation of nucleotide-binding oligomerization domain containing 1 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of the nucleotide-binding oligomerization domain containing 1 (NOD1) pathway. [GOC:add]' - }, - 'GO:0070429': { - 'name': 'negative regulation of nucleotide-binding oligomerization domain containing 1 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of the nucleotide-binding oligomerization domain containing 1 (NOD1) pathway. [GOC:add]' - }, - 'GO:0070430': { - 'name': 'positive regulation of nucleotide-binding oligomerization domain containing 1 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of the nucleotide-binding oligomerization domain containing 1 (NOD1) pathway. [GOC:add]' - }, - 'GO:0070431': { - 'name': 'nucleotide-binding oligomerization domain containing 2 signaling pathway', - 'def': 'Any series of molecular signals generated as a consequence of binding to nucleotide-binding oligomerization domain containing 2 (NOD2). [GOC:add, PMID:17944960, PMID:18585455]' - }, - 'GO:0070432': { - 'name': 'regulation of nucleotide-binding oligomerization domain containing 2 signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of the nucleotide-binding oligomerization domain containing 2 (NOD2) pathway. [GOC:add]' - }, - 'GO:0070433': { - 'name': 'negative regulation of nucleotide-binding oligomerization domain containing 2 signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of the nucleotide-binding oligomerization domain containing 2 (NOD2) pathway. [GOC:add]' - }, - 'GO:0070434': { - 'name': 'positive regulation of nucleotide-binding oligomerization domain containing 2 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate, or extent of the nucleotide-binding oligomerization domain containing 2 (NOD2) pathway. [GOC:add]' - }, - 'GO:0070435': { - 'name': 'Shc-EGFR complex', - 'def': 'A protein complex that contains the epidermal growth factor receptor (EGFR) and the adaptor protein Shc, and is involved in linking EGFR activation to the p21-Ras pathway. [GOC:mah, PMID:7798267]' - }, - 'GO:0070436': { - 'name': 'Grb2-EGFR complex', - 'def': 'A protein complex that contains the epidermal growth factor receptor (EGFR) and Grb2, and is involved in linking EGFR activation to the p21-Ras pathway. [GOC:mah, PMID:7798267]' - }, - 'GO:0070437': { - 'name': 'Grb2-Shc complex', - 'def': 'A protein complex that contains Grb2 and the adaptor protein Shc, and is involved in linking epidermal growth factor receptor (EGFR) activation to the p21-Ras pathway. [GOC:mah, PMID:7798267]' - }, - 'GO:0070438': { - 'name': 'obsolete mTOR-FKBP12-rapamycin complex', - 'def': 'OBSOLETE. A protein complex that contains the mTOR (mammalian target of rapamycin) serine/threonine kinase, the peptidyl-prolyl cis-trans isomerase FKBP12 (FKBP1A) and rapamycin (sirolimus). [GOC:sl, PMID:20005306, PMID:7822316]' - }, - 'GO:0070439': { - 'name': 'Mad-Max-mSin3A complex', - 'def': 'A transcriptional repressor complex that contains a heterodimer of the bHLH-ZIP proteins Mad and Max, plus mSin3A, a homolog of the yeast Sin3p. [PMID:7889570]' - }, - 'GO:0070440': { - 'name': 'Mad-Max-mSin3B complex', - 'def': 'A transcriptional repressor complex that contains a heterodimer of the bHLH-ZIP proteins Mad and Max, plus mSin3B, a homolog of the yeast Sin3p. [PMID:7889570]' - }, - 'GO:0070441': { - 'name': 'G-protein beta/gamma-Btk complex', - 'def': 'A protein complex formed by the association of the Bruton tyrosine protein kinase Btk, which is implicated in mammalian X-linked immunodeficiencies, with the beta and gamma subunits of a heterotrimeric G protein. [GOC:mah, PMID:7972043]' - }, - 'GO:0070442': { - 'name': 'integrin alphaIIb-beta3 complex', - 'def': 'An integrin complex that comprises one alphaIIb subunit and one beta3 subunit. [PMID:12297042]' - }, - 'GO:0070443': { - 'name': 'Mad-Max complex', - 'def': 'A transcriptional repressor complex that consists of a heterodimer of the bHLH-ZIP proteins Mad and Max. [PMID:8224841]' - }, - 'GO:0070444': { - 'name': 'oligodendrocyte progenitor proliferation', - 'def': 'The multiplication or reproduction of oligodendrocyte progenitor cells by cell division, resulting in the expansion of their population. Oligodendrocyte progenitors give rise to oligodendrocytes, which form the insulating myelin sheath of axons in the central nervous system. [GOC:mah, GOC:sl, PMID:15504915]' - }, - 'GO:0070445': { - 'name': 'regulation of oligodendrocyte progenitor proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of oligodendrocyte progenitor proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070446': { - 'name': 'negative regulation of oligodendrocyte progenitor proliferation', - 'def': 'Any process that stops or decreases the rate or extent of oligodendrocyte progenitor proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070447': { - 'name': 'positive regulation of oligodendrocyte progenitor proliferation', - 'def': 'Any process that activates or increases the rate or extent of oligodendrocyte progenitor proliferation. [GOC:mah, GOC:sl]' - }, - 'GO:0070448': { - 'name': "laricitrin 5'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + laricitrin = S-adenosyl-L-homocysteine + syringetin. [MetaCyc:RXN-8452]' - }, - 'GO:0070449': { - 'name': 'elongin complex', - 'def': "A transcription elongation factor complex that suppresses RNA polymerase II pausing, and may act by promoting proper alignment of the 3'-end of nascent transcripts with the polymerase catalytic site. Consists of a transcriptionally active Elongin A subunit (abut 100 kDa)and two smaller Elongin B (about 18 kDa) and Elongin C (about 15 kDa)subunits. [PMID:12676794]" - }, - 'GO:0070450': { - 'name': 'interleukin4-interleukin-4 receptor complex', - 'def': 'A protein complex that is formed by the association of a heterodimeric interleukin-4 receptor complex with an interleukin-4 molecule. [GOC:mah, PMID:10358772]' - }, - 'GO:0070451': { - 'name': 'cell hair', - 'def': 'A long, thin cell projection that contains F-actin and tubulin, with microtubules centrally located and F-actin peripherally located. [PMID:11526084]' - }, - 'GO:0070452': { - 'name': 'positive regulation of ergosterol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of ergosterol. [GOC:mah]' - }, - 'GO:0070453': { - 'name': 'regulation of heme biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of heme. [GOC:mah]' - }, - 'GO:0070454': { - 'name': 'negative regulation of heme biosynthetic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of heme. [GOC:mah]' - }, - 'GO:0070455': { - 'name': 'positive regulation of heme biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of heme. [GOC:mah]' - }, - 'GO:0070456': { - 'name': 'galactose-1-phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: galactose-1-phosphate + H2O = galactose + phosphate. [GOC:mah]' - }, - 'GO:0070457': { - 'name': 'D-galactose-1-phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: D-galactose-1-phosphate + H2O = D-galactose + phosphate. [GOC:mah, PMID:9462881]' - }, - 'GO:0070458': { - 'name': 'cellular detoxification of nitrogen compound', - 'def': 'Any cellular process that reduces or removes the toxicity of nitrogenous compounds which are dangerous or toxic. This includes the aerobic conversion of toxic compounds to harmless substances. [GOC:mah]' - }, - 'GO:0070459': { - 'name': 'prolactin secretion', - 'def': 'The regulated release of prolactin, a peptide hormone that stimulates lactation, from secretory granules in the anterior pituitary. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0070460': { - 'name': 'thyroid-stimulating hormone secretion', - 'def': 'The regulated release of thyroid-stimulating hormone, a peptide hormone that stimulates the activity of the thyroid gland, from secretory granules in the anterior pituitary. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0070461': { - 'name': 'SAGA-type complex', - 'def': 'A histone acetyltransferase complex that acetylates nucleosomal H3 and H2B and is required for the expression of a subset of Pol II-transcribed genes. The budding yeast complex includes the acetyltransferase Gcn5p, several proteins of the Spt and Ada families, and several TBP-associate proteins (TAFs); analogous complexes in other species have analogous compositions, and usually contain homologs of the yeast proteins. [GOC:mah, PMID:10637607, PMID:17337012]' - }, - 'GO:0070462': { - 'name': 'plus-end specific microtubule depolymerization', - 'def': 'The removal of tubulin heterodimers from the plus end of a microtubule. [GOC:krc, PMID:16906145, PMID:16906148]' - }, - 'GO:0070463': { - 'name': 'tubulin-dependent ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate. This reaction requires the presence of a tubulin dimer to accelerate release of ADP and phosphate. [GOC:mah, PMID:16906148]' - }, - 'GO:0070464': { - 'name': 'alphav-beta3 integrin-collagen alpha3(VI) complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to the alpha3 chain of type VI collagen; the integrin binds most strongly to unfolded collagen. [PMID:8387021]' - }, - 'GO:0070465': { - 'name': 'alpha1-beta1 integrin-alpha3(VI) complex', - 'def': 'A protein complex that consists of an alpha1-beta1 integrin complex bound to a type VI collagen triple helix containing an alpha3(VI) chain. [PMID:8387021]' - }, - 'GO:0070466': { - 'name': 'alpha2-beta1 integrin-alpha3(VI) complex', - 'def': 'A protein complex that consists of an alpha2-beta1 integrin complex bound to a type VI collagen triple helix containing an alpha3(VI) chain. [PMID:8387021]' - }, - 'GO:0070467': { - 'name': 'RC-1 DNA recombination complex', - 'def': "A protein complex that contains DNA ligase III, DNA polymerase epsilon, a 5'-3' exonuclease, and the SMC1 and SMC2 proteins, and is involved in recombinational repair of deletions and gaps in DNA. [PMID:8392064, PMID:8670910]" - }, - 'GO:0070468': { - 'name': 'dentin secretion', - 'def': 'The regulated release by odontoblasts of the extracellular matrix constituents, including collagen, that form the basis of dentin. [GOC:mah, http://herkules.oulu.fi/isbn9514270355/html/i259726.html, PMID:12856968]' - }, - 'GO:0070469': { - 'name': 'respiratory chain', - 'def': 'The protein complexes that form the electron transport system (the respiratory chain), associated with a cell membrane, usually the plasma membrane (in prokaryotes) or the inner mitochondrial membrane (on eukaryotes). The respiratory chain complexes transfer electrons from an electron donor to an electron acceptor and are associated with a proton pump to create a transmembrane electrochemical gradient. [GOC:ecd, GOC:mah, ISBN:0198547684]' - }, - 'GO:0070470': { - 'name': 'plasma membrane respiratory chain', - 'def': 'A respiratory chain located in the plasma membrane of a cell; made up of the protein complexes that form the electron transport system (the respiratory chain), associated with the plasma membrane. The respiratory chain complexes transfer electrons from an electron donor to an electron acceptor and are associated with a proton pump to create a transmembrane electrochemical gradient. [GOC:curators, GOC:imk, GOC:mah, ISBN:0198547684]' - }, - 'GO:0070471': { - 'name': 'uterine smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry. This process occurs in the uterus. Force generation involves a chemo-mechanical energy conversion step that is carried out by the actin/myosin complex activity, which generates force through ATP hydrolysis. The uterus is a muscular organ of the female mammal for containing and usually for nourishing the young during development prior to birth. [GOC:sl]' - }, - 'GO:0070472': { - 'name': 'regulation of uterine smooth muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of uterine smooth muscle contraction. [GOC:go_curators]' - }, - 'GO:0070473': { - 'name': 'negative regulation of uterine smooth muscle contraction', - 'def': 'Any process that decreases the frequency, rate or extent of uterine smooth muscle contraction. [GOC:go_curators]' - }, - 'GO:0070474': { - 'name': 'positive regulation of uterine smooth muscle contraction', - 'def': 'Any process that increases the frequency, rate or extent of uterine smooth muscle contraction. [GOC:go_curators]' - }, - 'GO:0070475': { - 'name': 'rRNA base methylation', - 'def': 'The addition of a methyl group to an atom in the nucleoside base portion of a nucleotide residue in an rRNA molecule. [GOC:mah]' - }, - 'GO:0070476': { - 'name': 'rRNA (guanine-N7)-methylation', - 'def': 'The addition of a methyl group to the N7 atom in the base portion of a guanine nucleotide residue in an rRNA molecule. [GOC:mah]' - }, - 'GO:0070477': { - 'name': 'endospore core', - 'def': 'An intracellular part that represents the innermost portion of an endospore; the endospore core is dehydrated, enriched in dipicolinic acid and divalent cations, and metabolically inactive. [GOC:mah, PMID:15035041, PMID:18035610]' - }, - 'GO:0070478': { - 'name': "nuclear-transcribed mRNA catabolic process, 3'-5' exonucleolytic nonsense-mediated decay", - 'def': "The chemical reactions and pathways resulting in the breakdown of the nuclear-transcribed mRNA transcript body of an mRNA in which an amino-acid codon has changed to a nonsense codon; occurs when the 3' end is not protected by a 3'-poly(A) tail; degradation proceeds in the 3' to 5' direction. [PMID:12769863]" - }, - 'GO:0070479': { - 'name': "nuclear-transcribed mRNA catabolic process, 5'-3' exonucleolytic nonsense-mediated decay", - 'def': "The chemical reactions and pathways resulting in the breakdown of the nuclear-transcribed mRNA transcript body of an mRNA in which an amino-acid codon has changed to a nonsense codon; occurs when the 5' end is not protected by a 5'-cap; degradation proceeds in the 5' to 3' direction. [PMID:18554525]" - }, - 'GO:0070480': { - 'name': 'exonucleolytic nuclear-transcribed mRNA catabolic process involved in deadenylation-independent decay', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the transcript body of a nuclear-transcribed mRNA that occurs independent of deadenylation, but requires decapping followed by transcript decay. [GOC:jp]' - }, - 'GO:0070481': { - 'name': 'nuclear-transcribed mRNA catabolic process, non-stop decay', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the transcript body of a nuclear-transcribed mRNA that is lacking a stop codon. [PMID:11910110]' - }, - 'GO:0070482': { - 'name': 'response to oxygen levels', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting the presence, absence, or concentration of oxygen. [GOC:BHF, GOC:mah]' - }, - 'GO:0070483': { - 'name': 'detection of hypoxia', - 'def': 'The series of events in which a stimulus indicating lowered oxygen tension is received by a cell and converted into a molecular signal. Hypoxia, defined as a decline in O2 levels below normoxic levels of 20.8 - 20.95%, results in metabolic adaptation at both the cellular and organismal level. [GOC:BHF, GOC:mah]' - }, - 'GO:0070484': { - 'name': 'dehydro-D-arabinono-1,4-lactone metabolic process', - 'def': 'The chemical reactions and pathways involving dehydro-D-arabinono-1,4-lactone, the gamma-lactone (5R)-3,4-dihydroxy-5-(hydroxymethyl)furan-2(5H)-one. [CHEBI:17803, GOC:cjk, GOC:mah]' - }, - 'GO:0070485': { - 'name': 'dehydro-D-arabinono-1,4-lactone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dehydro-D-arabinono-1,4-lactone, the gamma-lactone (5R)-3,4-dihydroxy-5-(hydroxymethyl)furan-2(5H)-one. [CHEBI:17803, GOC:cjk, GOC:mah]' - }, - 'GO:0070486': { - 'name': 'leukocyte aggregation', - 'def': 'The adhesion of one leukocyte to one or more other leukocytes via adhesion molecules. [GOC:sl, PMID:12972508]' - }, - 'GO:0070487': { - 'name': 'monocyte aggregation', - 'def': 'The adhesion of one monocyte to one or more other monocytes via adhesion molecules. [GOC:sl, PMID:12972508]' - }, - 'GO:0070488': { - 'name': 'neutrophil aggregation', - 'def': 'The adhesion of one neutrophil to one or more other neutrophils via adhesion molecules. [GOC:sl, PMID:12972508]' - }, - 'GO:0070489': { - 'name': 'T cell aggregation', - 'def': 'The adhesion of one T cell to one or more other T cells via adhesion molecules. [GOC:sl, PMID:12972508]' - }, - 'GO:0070490': { - 'name': 'protein pupylation', - 'def': 'The process in which a Pup protein is conjugated to a target protein via an isopeptide bond between the carboxyl terminus of Pup and the epsilon-amino group of a lysine residue of the target protein. [PMID:18980670]' - }, - 'GO:0070491': { - 'name': 'repressing transcription factor binding', - 'def': 'Interacting selectively and non-covalently with a transcription repressor, any protein whose activity is required to prevent or downregulate transcription. [GOC:mah, GOC:txnOH]' - }, - 'GO:0070492': { - 'name': 'oligosaccharide binding', - 'def': 'Interacting selectively and non-covalently with any oligosaccharide, a molecule with between two and (about) 20 monosaccharide residues connected by glycosidic linkages. [GOC:mah]' - }, - 'GO:0070493': { - 'name': 'thrombin-activated receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a thrombin-activated receptor binding to one of its physiological ligands. [GOC:mah, PMID:1672265]' - }, - 'GO:0070494': { - 'name': 'regulation of thrombin-activated receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of a thrombin-activated receptor signaling pathway activity. A thrombin receptor signaling pathway is the series of molecular signals generated as a consequence of a thrombin-activated receptor binding to one of its physiological ligands. [GOC:mah]' - }, - 'GO:0070495': { - 'name': 'negative regulation of thrombin-activated receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of thrombin-activated receptor protein signaling pathway activity. A thrombin receptor signaling pathway is the series of molecular signals generated as a consequence of a thrombin-activated receptor binding to one of its physiological ligands. [GOC:mah]' - }, - 'GO:0070496': { - 'name': 'positive regulation of thrombin-activated receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of thrombin-activated receptor protein signaling pathway activity. A thrombin receptor signaling pathway is the series of molecular signals generated as a consequence of a thrombin-activated receptor binding to one of its physiological ligands. [GOC:mah]' - }, - 'GO:0070497': { - 'name': '6-carboxy-5,6,7,8-tetrahydropterin synthase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydroneopterin triphosphate + H2O = 6-carboxy-5,6,7,8-tetrahydropterin + triphosphate + acetaldehyde + 2 H+. [GOC:imk, MetaCyc:RXN0-5507, PMID:19231875]' - }, - 'GO:0070498': { - 'name': 'interleukin-1-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-1 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:mah, GOC:signaling]' - }, - 'GO:0070499': { - 'name': 'exosporium assembly', - 'def': 'A process that is carried out at the cellular level which results in the formation of an exosporium, the outermost layer of a bacterial endospore. [GOC:mah]' - }, - 'GO:0070500': { - 'name': 'poly-gamma-glutamate metabolic process', - 'def': 'The chemical reactions and pathways involving poly-gamma-glutamate, a polymer of D- and/or L-glutamic acid residues linked by gamma-peptidyl bonds. [GOC:mah, PMID:16689787]' - }, - 'GO:0070501': { - 'name': 'poly-gamma-glutamate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly-gamma-glutamate, a polymer of D- and/or L-glutamic acid residues linked by gamma-peptidyl bonds. [GOC:mah, PMID:16689787]' - }, - 'GO:0070502': { - 'name': 'capsule poly-gamma-glutamate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly-gamma-glutamate, a polymer of D- and/or L-glutamic acid residues linked by gamma-peptidyl bonds, that forms all or part of a bacterial capsule. [GOC:mah, PMID:16689787]' - }, - 'GO:0070503': { - 'name': 'selenium-containing prosthetic group metabolic process', - 'def': 'The chemical reactions and pathways involving a prosthetic group that contains selenium, as in the selenium-dependent molybdenum hydroxylases. The selenium atom in the prosthetic group is required for enzymatic function but is labile to a variety of treatments. [GOC:dh, GOC:mah]' - }, - 'GO:0070504': { - 'name': 'selenium-containing prosthetic group biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a prosthetic group that contains selenium, as in the selenium-dependent molybdenum hydroxylases. The selenium atom in the prosthetic group is required for enzymatic function but is labile to a variety of treatments. [GOC:dh, GOC:mah]' - }, - 'GO:0070505': { - 'name': 'pollen coat', - 'def': 'A layer of extracellular matrix deposited onto the surface of the pollen wall upon disintegration of the tapetal layer of the anther wall in the late stages of pollen development. The composition of this material is highly heterogeneous and includes waxes, lipid droplets, small aromatic molecules, and proteins. The pollen coat is proposed to have many functions, such as holding pollen in the anther until dispersal, facilitation of pollen dispersal, protection of pollen from water loss and UV radiation, and facilitation of adhesion of pollen to the stigma. [GOC:mah, GOC:rph, PMID:12930826, PMID:15012271]' - }, - 'GO:0070506': { - 'name': 'high-density lipoprotein particle receptor activity', - 'def': 'Combining with a high-density lipoprotein particle and delivering the high-density lipoprotein into the cell via endocytosis. [GOC:bf, GOC:BHF, GOC:rl, PMID:9211901]' - }, - 'GO:0070507': { - 'name': 'regulation of microtubule cytoskeleton organization', - 'def': 'Any process that modulates the frequency, rate or extent of the formation, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising microtubules and their associated proteins. [GOC:mah]' - }, - 'GO:0070508': { - 'name': 'cholesterol import', - 'def': 'The directed movement of cholesterol into a cell or organelle. [GOC:BHF, GOC:rl]' - }, - 'GO:0070509': { - 'name': 'calcium ion import', - 'def': 'The directed movement of calcium ions into a cell or organelle. [GOC:mah]' - }, - 'GO:0070510': { - 'name': 'regulation of histone H4-K20 methylation', - 'def': 'Any process that modulates the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 20 of histone H4. [GOC:mah]' - }, - 'GO:0070511': { - 'name': 'negative regulation of histone H4-K20 methylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 20 of histone H4. [GOC:mah]' - }, - 'GO:0070512': { - 'name': 'positive regulation of histone H4-K20 methylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the covalent addition of a methyl group to the lysine at position 20 of histone H4. [GOC:mah]' - }, - 'GO:0070513': { - 'name': 'death domain binding', - 'def': 'Interacting selectively and non-covalently with a death domain of a protein. The death domain (DD) is a homotypic protein interaction module composed of a bundle of six alpha-helices. DD bind each other forming oligomers. Some DD-containing proteins are involved in the regulation of apoptosis and inflammation through their activation of caspases and NF-kappaB. [GOC:BHF, GOC:rl, InterPro:IPR000488, Pfam:PF00531]' - }, - 'GO:0070514': { - 'name': 'SRF-myogenin-E12 complex', - 'def': 'A transcription factor complex that contains the serum response factor (SRF) and the basic helix-loop-helix proteins myogenin and E12, and is involved in activating transcription of muscle-specific genes. [PMID:8617811]' - }, - 'GO:0070515': { - 'name': 'alphaIIb-beta3 integrin-talin complex', - 'def': 'A protein complex that consists of an alphaIIb-beta3 integrin complex bound to talin. [PMID:8663236]' - }, - 'GO:0070516': { - 'name': 'CAK-ERCC2 complex', - 'def': 'A protein complex formed by the association of the cyclin-dependent protein kinase activating kinase (CAK) holoenzyme complex with ERCC2. [PMID:8692841, PMID:8692842]' - }, - 'GO:0070517': { - 'name': 'DNA replication factor C core complex', - 'def': 'A protein complex containing three of the five subunits of eukaryotic replication factor C, those corresponding to human p40, p38, and p37. [PMID:8692848, PMID:9228079, PMID:9582326]' - }, - 'GO:0070518': { - 'name': 'alpha4-beta1 integrin-CD53 complex', - 'def': 'A protein complex that consists of an alpha4-beta1 integrin complex bound to membrane protein CD53, a member of the tetraspan family. [PMID:8757325]' - }, - 'GO:0070519': { - 'name': 'alpha4-beta1 integrin-CD63 complex', - 'def': 'A protein complex that consists of an alpha4-beta1 integrin complex bound to membrane protein CD63, a member of the tetraspan family. [PMID:8757325]' - }, - 'GO:0070520': { - 'name': 'alpha4-beta1 integrin-CD81 complex', - 'def': 'A protein complex that consists of an alpha4-beta1 integrin complex bound to membrane protein CD81, a member of the tetraspan family. [PMID:10229664, PMID:8757325]' - }, - 'GO:0070521': { - 'name': 'alpha4-beta1 integrin-CD82 complex', - 'def': 'A protein complex that consists of an alpha4-beta1 integrin complex bound to membrane protein CD82, a member of the tetraspan family. [PMID:8757325]' - }, - 'GO:0070522': { - 'name': 'ERCC4-ERCC1 complex', - 'def': 'A heterodimeric nucleotide-excision repair complex that has endonuclease activity specific for bubble structures characteristic of certain DNA lesions. The subunits are known as XPF/ERCC4 and ERCC1 in mammals, and Rad1p and Rad10p in S. cerevisiae. [PMID:14734547]' - }, - 'GO:0070523': { - 'name': '11-beta-hydroxysteroid dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: an 11-beta-hydroxysteroid + NAD+ = an 11-oxosteroid + NADH + H+. [PMID:15761036]' - }, - 'GO:0070524': { - 'name': '11-beta-hydroxysteroid dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: an 11-beta-hydroxysteroid + NADP+ = an 11-oxosteroid + NADPH + H+. [EC:1.1.1.146]' - }, - 'GO:0070525': { - 'name': 'tRNA threonylcarbamoyladenosine metabolic process', - 'def': 'The chemical reactions and pathways involving tRNA threonylcarbamoyladenosine, a modified nucleoside found in some tRNA molecules. [GOC:imk, GOC:mah, PMID:19287007]' - }, - 'GO:0070527': { - 'name': 'platelet aggregation', - 'def': 'The adhesion of one platelet to one or more other platelets via adhesion molecules. [GOC:BHF, GOC:vk]' - }, - 'GO:0070528': { - 'name': 'protein kinase C signaling', - 'def': 'A series of reactions, mediated by the intracellular serine/threonine kinase protein kinase C, which occurs as a result of a single trigger reaction or compound. [GOC:BHF, GOC:mah]' - }, - 'GO:0070529': { - 'name': 'L-tryptophan aminotransferase activity', - 'def': 'Catalysis of the transfer of an amino group from L-tryptophan to an acceptor, usually a 2-oxo acid. [GOC:mah]' - }, - 'GO:0070530': { - 'name': 'K63-linked polyubiquitin binding', - 'def': 'Interacting selectively and non-covalently and non-covalently with a polymer of ubiquitin formed by linkages between lysine residues at position 63 of the ubiquitin monomers. [GOC:mah, PMID:15556404, PMID:17525341]' - }, - 'GO:0070531': { - 'name': 'BRCA1-A complex', - 'def': 'A protein complex that contains the BRCA1-BARD1 heterodimer, RAP80/UIMC1, BRCC3/BRCC36, BRE/BRCC45, FAM175A/CCDC98/Abraxas and MERIT40/NBA1, and specifically recognizes and binds K63-linked polyubiquitin chains present on histone H2A and H2AX at DNA damage sites. [GOC:mah, PMID:19261749]' - }, - 'GO:0070532': { - 'name': 'BRCA1-B complex', - 'def': 'A protein complex that contains the BRCA1-BARD1 heterodimer, BACH1 and TopBP1, and binds to DNA during S phase at DNA damage sites. [GOC:mah, PMID:16391231]' - }, - 'GO:0070533': { - 'name': 'BRCA1-C complex', - 'def': 'A protein complex that contains the BRCA1-BARD1 heterodimer, CtIP and Mre11/Rad50/NBS1 (M/R/N) complex, and binds to DNA at DNA damage sites. BRCA1-C binding ta damaged DNA is required for DNA damage-induced Chk1 phosphorylation and the G2/M transition checkpoint. [GOC:mah, PMID:15485915, PMID:16391231]' - }, - 'GO:0070534': { - 'name': 'protein K63-linked ubiquitination', - 'def': 'A protein ubiquitination process in which a polymer of ubiquitin, formed by linkages between lysine residues at position 63 of the ubiquitin monomers, is added to a protein. K63-linked ubiquitination does not target the substrate protein for degradation, but is involved in several pathways, notably as a signal to promote error-free DNA postreplication repair. [GOC:mah, PMID:15556404]' - }, - 'GO:0070535': { - 'name': 'histone H2A K63-linked ubiquitination', - 'def': 'A histone ubiquitination process in which a polymer of ubiquitin, formed by linkages between lysine residues at position 63 of the ubiquitin monomers, is added to a lysine residue in histone H2A or the variant H2AX. [GOC:mah, PMID:18430235]' - }, - 'GO:0070536': { - 'name': 'protein K63-linked deubiquitination', - 'def': 'A protein deubiquitination process in which a K63-linked ubiquitin chain, i.e. a polymer of ubiquitin formed by linkages between lysine residues at position 63 of the ubiquitin monomers, is removed from a protein. [GOC:mah, PMID:19202061, PMID:19214193]' - }, - 'GO:0070537': { - 'name': 'histone H2A K63-linked deubiquitination', - 'def': 'A protein deubiquitination process in which a K63-linked ubiquitin chain, i.e. a polymer of ubiquitin formed by linkages between lysine residues at position 63 of the ubiquitin monomers, is removed from a lysine residue in histone H2A or the variant H2AX. [GOC:mah, PMID:19202061, PMID:19214193]' - }, - 'GO:0070538': { - 'name': 'oleic acid binding', - 'def': 'Interacting selectively and non-covalently with oleic acid, the 18-carbon monounsaturated fatty acid (9Z)-octadec-9-enoic acid. [CHEBI:16196, GOC:lp, GOC:mah]' - }, - 'GO:0070539': { - 'name': 'linoleic acid binding', - 'def': 'Interacting selectively and non-covalently with linoleic acid, the 18-carbon unsaturated fatty acid (9Z,12Z)-octadeca-9,12-dienoic acid. [CHEBI:17351, GOC:lp, GOC:mah]' - }, - 'GO:0070540': { - 'name': 'stearic acid binding', - 'def': 'Interacting selectively and non-covalently with stearic acid, the 18-carbon saturated fatty acid octadecanoic acid. [CHEBI:28842, GOC:lp, GOC:mah]' - }, - 'GO:0070541': { - 'name': 'response to platinum ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a platinum stimulus. [GOC:sl]' - }, - 'GO:0070542': { - 'name': 'response to fatty acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fatty acid stimulus. [CHEBI:35366, GOC:lp]' - }, - 'GO:0070543': { - 'name': 'response to linoleic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a linoleic acid stimulus. [CHEBI:17351, GOC:lp]' - }, - 'GO:0070544': { - 'name': 'histone H3-K36 demethylation', - 'def': 'The modification of histone H3 by the removal of a methyl group from lysine at position 36 of the histone. [GOC:sart, PMID:19061644]' - }, - 'GO:0070545': { - 'name': 'PeBoW complex', - 'def': 'A protein complex that is involved in coordinating ribosome biogenesis with cell cycle progression. In human, it is composed of Pes1, Bop1, and WDR12; in Saccharomyces the proteins are known as Nop7p, Erb1 and Ytm1 respectively. [GOC:ab, GOC:mah, PMID:16043514, PMID:17353269]' - }, - 'GO:0070546': { - 'name': 'L-phenylalanine aminotransferase activity', - 'def': 'Catalysis of the transfer of an amino group from L-phenylalanine to an acceptor, usually a 2-oxo acid. [GOC:mah]' - }, - 'GO:0070547': { - 'name': 'L-tyrosine aminotransferase activity', - 'def': 'Catalysis of the transfer of an amino group from L-tyrosine to an acceptor, usually a 2-oxo acid. [GOC:mah]' - }, - 'GO:0070548': { - 'name': 'L-glutamine aminotransferase activity', - 'def': 'Catalysis of the transfer of an amino group from L-glutamine to an acceptor, usually a 2-oxo acid. [GOC:mah]' - }, - 'GO:0070549': { - 'name': 'negative regulation of translation involved in RNA interference', - 'def': 'A process of negative regulation of translation that is mediated by the association of small interfering RNAs (siRNAs) with a cognate target mRNA. [GOC:mah, PMID:18771919]' - }, - 'GO:0070550': { - 'name': 'rDNA condensation', - 'def': 'The process in which the chromatin structure of the rDNA repeats is compacted. In S. cerevisiae, condensation and resolution of the rDNA occurs during anaphase. [GOC:dgf, PMID:10811823, PMID:15137940]' - }, - 'GO:0070551': { - 'name': 'endoribonuclease activity, cleaving siRNA-paired mRNA', - 'def': "Catalysis of the endonucleolytic cleavage of the mRNA in a double-stranded RNA molecule formed by the base pairing of an mRNA with an siRNA, yielding 5'-phosphomonoesters. [GOC:mah, PMID:15105377]" - }, - 'GO:0070552': { - 'name': 'BRISC complex', - 'def': 'A protein complex that contains the FAM175B/ABRO1, BRCC3/BRCC36, BRE/BRCC45 and MERIT40/NBA1 proteins, and specifically cleaves K63-linked polyubiquitin chains. [GOC:mah, PMID:19214193]' - }, - 'GO:0070553': { - 'name': 'nicotinic acid receptor activity', - 'def': 'Combining with nicotinic acid to initiate a change in cell activity. [CHEBI:15940, GOC:mah, PMID:12522134]' - }, - 'GO:0070554': { - 'name': 'synaptobrevin 2-SNAP-25-syntaxin-3-complexin complex', - 'def': 'A SNARE complex that contains synaptobrevin 2 (VAMP2), SNAP-25, syntaxin 3, and a complexin (or orthologs thereof). [PMID:8824312]' - }, - 'GO:0070555': { - 'name': 'response to interleukin-1', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-1 stimulus. [GOC:BHF, GOC:mah]' - }, - 'GO:0070556': { - 'name': 'TAF4B-containing transcription factor TFIID complex', - 'def': 'A transcription factor TFIID complex that contains the TBP-associated factor TAF4B (also known as TAFII105 in human), a cell-type-specific variant of TAF4. [GOC:mah, PMID:8858156]' - }, - 'GO:0070557': { - 'name': 'PCNA-p21 complex', - 'def': 'A protein complex that contains the cyclin-dependent protein kinase inhibitor p21WAF1/CIP1 bound to PCNA; formation of the complex inhibits DNA replication. [GOC:mah, PMID:7911228, PMID:7915843]' - }, - 'GO:0070558': { - 'name': 'alphaM-beta2 integrin-CD63 complex', - 'def': 'A protein complex that consists of an alphaM-beta2 integrin complex bound to membrane protein CD63, a member of the tetraspan family. [PMID:8871662]' - }, - 'GO:0070559': { - 'name': 'lysosomal multienzyme complex', - 'def': 'A protein complex found in the lysosome that contains beta-galactosidase, cathepsin A, alpha-neuraminidase and N-acetylgalactosamine-6-sulfate sulfatase, and is involved in glycosaminoglycan catabolism. [GOC:mah, PMID:8910459]' - }, - 'GO:0070560': { - 'name': 'protein secretion by platelet', - 'def': 'The regulated release of proteins by a platelet or group of platelets. [GOC:BHF, GOC:mah]' - }, - 'GO:0070561': { - 'name': 'vitamin D receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a vitamin D receptor binding to one of its physiological ligands. [GOC:BHF, GOC:mah, PMID:12637589]' - }, - 'GO:0070562': { - 'name': 'regulation of vitamin D receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of vitamin D receptor signaling pathway activity. [GOC:BHF, GOC:mah]' - }, - 'GO:0070563': { - 'name': 'negative regulation of vitamin D receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the vitamin D receptor signaling pathway activity. [GOC:BHF, GOC:mah]' - }, - 'GO:0070564': { - 'name': 'positive regulation of vitamin D receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of vitamin D receptor signaling pathway activity. [GOC:BHF, GOC:mah]' - }, - 'GO:0070565': { - 'name': 'telomere-telomerase complex', - 'def': 'A complex of DNA and protein located at the end of a linear chromosome that enables replication of the telomeric repeat sequences at the end of a linear chromosome. [GOC:pde, PMID:19179534]' - }, - 'GO:0070566': { - 'name': 'adenylyltransferase activity', - 'def': 'Catalysis of the transfer of an adenylyl group to an acceptor. [GOC:mah]' - }, - 'GO:0070567': { - 'name': 'cytidylyltransferase activity', - 'def': 'Catalysis of the transfer of a cytidylyl group to an acceptor. [GOC:mah]' - }, - 'GO:0070568': { - 'name': 'guanylyltransferase activity', - 'def': 'Catalysis of the transfer of a guanylyl group to an acceptor. [GOC:mah]' - }, - 'GO:0070569': { - 'name': 'uridylyltransferase activity', - 'def': 'Catalysis of the transfer of an uridylyl group to an acceptor. [GOC:mah]' - }, - 'GO:0070570': { - 'name': 'regulation of neuron projection regeneration', - 'def': 'Any process that modulates the rate, frequency or extent of neuron projection regeneration, the regrowth of neuronal processes such as axons or dendrites following their loss or damage. [GOC:mah]' - }, - 'GO:0070571': { - 'name': 'negative regulation of neuron projection regeneration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of neuron projection regeneration, the regrowth of neuronal processes such as axons or dendrites following their loss or damage. [GOC:mah]' - }, - 'GO:0070572': { - 'name': 'positive regulation of neuron projection regeneration', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuron projection regeneration, the regrowth of neuronal processes such as axons or dendrites following their loss or damage. [GOC:mah]' - }, - 'GO:0070573': { - 'name': 'metallodipeptidase activity', - 'def': 'Catalysis of the hydrolysis of a dipeptide by a mechanism in which water acts as a nucleophile, one or two metal ions hold the water molecule in place, and charged amino acid side chains are ligands for the metal ions. [GOC:mah, http://merops.sanger.ac.uk/about/glossary.htm#CATTYPE]' - }, - 'GO:0070574': { - 'name': 'cadmium ion transmembrane transport', - 'def': 'A process in which a cadmium ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0070575': { - 'name': 'peptide mating pheromone maturation involved in pheromone-induced unidirectional conjugation', - 'def': 'The formation of a mature peptide mating pheromone by proteolysis and/or modification of a peptide precursor, occurring in the context of pheromone-induced unidirectional conjugation. [GOC:mah]' - }, - 'GO:0070576': { - 'name': 'vitamin D 24-hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of C-24 of any form of vitamin D. [GOC:BHF, GOC:mah, PMID:15546903]' - }, - 'GO:0070577': { - 'name': 'lysine-acetylated histone binding', - 'def': 'Interacting selectively and non-covalently with a histone in which a lysine residue has been modified by acetylation. [GOC:BHF, GOC:mah, GOC:rl, PMID:17582821]' - }, - 'GO:0070578': { - 'name': 'RISC-loading complex', - 'def': 'A trimeric ribonucleoprotein complex that and is required for the formation of a mature RNA induced silencing complex (RISC). In humans the complex is composed of the endonuclease Dicer (DICER1) and TRBP (TARBP2) in association with the Argonaute protein Ago2 (EIF2C2/AGO2). Within the complex, Dicer and TRBP are required to process precursor miRNAs (pre-miRNAs) to mature miRNAs and then load them onto Ago2. Ago2 bound to the mature miRNA constitutes the minimal RISC and may subsequently dissociate from Dicer and TRBP. This complex has endoribonuclease activity. [GOC:ab, GOC:BHF, GOC:nc, GOC:rph, PMID:18178619, PMID:19820710]' - }, - 'GO:0070579': { - 'name': 'methylcytosine dioxygenase activity', - 'def': 'Catalysis of the reaction: methylcytosine + 2-oxoglutarate + O2 = 5-hydroxymethylcytosine + succinate + CO2. [PMID:19372391]' - }, - 'GO:0070580': { - 'name': 'base J metabolic process', - 'def': 'The chemical reactions and pathways involving base J (beta-D-glucosyl-hydroxymethyluracil), a hypermodified thymidine residue found in the genome of kinetoplastid parasites. This modified base is localized primarily to repetitive DNA, namely the telomeres, and is implicated in the regulation of antigenic variation. The base is synthesized in a two-step pathway. Initially, a thymidine residue in DNA is hydroxylated by a thymidine hydroxylase (TH) to form the intermediate hydroxymethyluracil, which is then glucosylated to form base J. [PMID:19114062]' - }, - 'GO:0070581': { - 'name': 'rolling circle DNA replication', - 'def': 'A DNA-dependent DNA replication process in which a single-stranded DNA molecule is synthesized from a circular duplex template. Replication typically does not cease when one circumference has been replicated, but continues around the circumference several more times, producing a long single strand comprising multimers of the replicon. [GOC:cb, GOC:mah, ISBN:0198506732]' - }, - 'GO:0070582': { - 'name': 'theta DNA replication', - 'def': 'A DNA-dependent DNA replication process in which a double-stranded DNA molecule is synthesized from a circular duplex template. [GOC:cb, GOC:mah, ISBN:0198506732]' - }, - 'GO:0070583': { - 'name': 'spore membrane bending pathway', - 'def': 'The process in which a bending force is generated in the prospore membrane to form the characteristic curved shape of the prospore. [GOC:dgf, PMID:18756268]' - }, - 'GO:0070584': { - 'name': 'mitochondrion morphogenesis', - 'def': 'The process in which the anatomical structures of a mitochondrion are generated and organized. [GOC:mah]' - }, - 'GO:0070585': { - 'name': 'protein localization to mitochondrion', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the mitochondrion. [GOC:ecd]' - }, - 'GO:0070586': { - 'name': 'cell-cell adhesion involved in gastrulation', - 'def': 'The attachment of one cell to another cell affecting gastrulation. [GOC:dsf, PMID:19091770]' - }, - 'GO:0070587': { - 'name': 'regulation of cell-cell adhesion involved in gastrulation', - 'def': 'Any process that modulates the frequency, rate, or extent of attachment of a cell to another cell affecting gastrulation. [GOC:dsf, PMID:19091770]' - }, - 'GO:0070588': { - 'name': 'calcium ion transmembrane transport', - 'def': 'A process in which a calcium ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0070589': { - 'name': 'cellular component macromolecule biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a macromolecule that is destined to form part of a specific cellular component. [GOC:mah]' - }, - 'GO:0070590': { - 'name': 'spore wall biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a spore wall. A spore wall is the specialized cell wall lying outside the cell membrane of a spore. [GOC:mah]' - }, - 'GO:0070591': { - 'name': 'ascospore wall biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of an ascospore wall. [GOC:mah]' - }, - 'GO:0070592': { - 'name': 'cell wall polysaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a polysaccharide destined to form part of a cell wall. [GOC:mah]' - }, - 'GO:0070593': { - 'name': 'dendrite self-avoidance', - 'def': 'The process in which dendrites recognize and avoid contact with sister dendrites from the same cell. [GOC:sart, PMID:17482551]' - }, - 'GO:0070594': { - 'name': 'juvenile hormone response element binding', - 'def': 'Interacting selectively and non-covalently with the juvenile hormone response element (JHRE), a conserved sequence found in the promoters of genes whose expression is regulated in response to juvenile hormone. [GOC:sart, PMID:17956872]' - }, - 'GO:0070595': { - 'name': '(1->3)-alpha-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds. [GOC:mah]' - }, - 'GO:0070596': { - 'name': '(1->3)-alpha-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds. [GOC:mah]' - }, - 'GO:0070597': { - 'name': 'cell wall (1->3)-alpha-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds, found in the walls of cells. [GOC:mah]' - }, - 'GO:0070598': { - 'name': 'cell wall (1->3)-alpha-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-glucosidic bonds, found in the walls of cells. [GOC:mah]' - }, - 'GO:0070599': { - 'name': 'fungal-type cell wall (1->3)-alpha-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds, found in the walls of ascospores. [GOC:mah]' - }, - 'GO:0070600': { - 'name': 'fungal-type cell wall (1->3)-alpha-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds, found in fungal-type cell walls, including those of ascospores. [GOC:mah]' - }, - 'GO:0070601': { - 'name': 'centromeric sister chromatid cohesion', - 'def': 'The cell cycle process in which the sister chromatids of a replicated chromosome are joined along the length of the centromeric region of the chromosome. [GOC:mah]' - }, - 'GO:0070602': { - 'name': 'regulation of centromeric sister chromatid cohesion', - 'def': 'Any process that modulates the frequency, rate or extent of sister chromatid cohesion in the centromeric region of a chromosome. [GOC:mah]' - }, - 'GO:0070603': { - 'name': 'SWI/SNF superfamily-type complex', - 'def': 'A protein complex that contains an ortholog of the Saccharomyces ATPase Swi2/Snf2 as one of the core components and mediates assembly of nucleosomes, changes to the spacing or structure of nucleosomes, or some combination of those activities in a manner that requires ATP. [GOC:krc, GOC:mah, PMID:16155938]' - }, - 'GO:0070604': { - 'name': 'PBAF complex', - 'def': 'A SWI/SNF-type complex that contains the ATPase product of the mammalian BAF180 gene. [GOC:mah, PMID:16155938, PMID:8895581]' - }, - 'GO:0070605': { - 'name': 'regulation of (1->3)-alpha-glucan metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds. [GOC:mah]' - }, - 'GO:0070606': { - 'name': 'regulation of (1->3)-alpha-glucan biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds. [GOC:mah]' - }, - 'GO:0070607': { - 'name': 'regulation of cell wall (1->3)-alpha-glucan metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds, found in the walls of cells. [GOC:mah]' - }, - 'GO:0070608': { - 'name': 'regulation of cell wall (1->3)-alpha-glucan biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds, found in the walls of cells. [GOC:mah]' - }, - 'GO:0070609': { - 'name': 'regulation of fungal-type cell wall (1->3)-alpha-glucan metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving (1->3)-alpha-D-glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds, found in the walls of ascospores. [GOC:mah]' - }, - 'GO:0070610': { - 'name': 'regulation of fungal-type cell wall (1->3)-alpha-glucan biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of (1->3)-alpha glucans, compounds composed of glucose residues linked by (1->3)-alpha-D-glucosidic bonds, found in fungal-type cell walls, including those of ascospores. [GOC:mah]' - }, - 'GO:0070611': { - 'name': 'histone methyltransferase activity (H3-R2 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (histone H3)-arginine (position 2) = S-adenosyl-L-homocysteine + (histone H3)-N-methyl-arginine (position 2). This reaction is the addition of a methyl group to arginine at position 2 of histone H3. [GOC:mah, PMID:17898714]' - }, - 'GO:0070612': { - 'name': 'histone methyltransferase activity (H2A-R3 specific)', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (histone H2A)-arginine (position 3) = S-adenosyl-L-homocysteine + (histone H2A)-N-methyl-arginine (position 3). This reaction is the addition of a methyl group to arginine at position 3 of histone H2A. [GOC:mah, PMID:17898714]' - }, - 'GO:0070613': { - 'name': 'regulation of protein processing', - 'def': 'Any process that modulates the frequency, rate or extent of protein processing, any protein maturation process achieved by the cleavage of a peptide bond or bonds within a protein. [GOC:mah]' - }, - 'GO:0070614': { - 'name': 'tungstate ion transport', - 'def': 'The directed movement of tungstate (WO4 2-) ions into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Tungstate is a bivalent oxoanion of tungsten. [GOC:dh]' - }, - 'GO:0070615': { - 'name': 'nucleosome-dependent ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate. This reaction requires the presence of one or more nucleosomes. [GOC:mah, PMID:19165147]' - }, - 'GO:0070616': { - 'name': 'regulation of thiamine diphosphate biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of thiamine diphosphate. [GOC:mah]' - }, - 'GO:0070617': { - 'name': 'negative regulation of thiamine diphosphate biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of thiamine diphosphate. [GOC:mah]' - }, - 'GO:0070618': { - 'name': 'Grb2-Sos complex', - 'def': 'A protein complex that contains Grb2 and the guanine nucleotide exchange factor Sos (or an ortholog thereof, such as mSos1), and is involved in linking EGFR activation to the p21-Ras pathway. [GOC:mah, PMID:7798267, PMID:8940013]' - }, - 'GO:0070619': { - 'name': 'Shc-Grb2-Sos complex', - 'def': 'A protein complex that contains Grb2, the adaptor protein Shc and the guanine nucleotide exchange factor Sos (or an ortholog thereof, such as mSos1), and is involved in linking EGFR activation to the p21-Ras pathway. [GOC:mah, PMID:7970708, PMID:8940013]' - }, - 'GO:0070620': { - 'name': 'EGFR-Grb2-Sos complex', - 'def': 'A protein complex that contains the epidermal growth factor receptor (EGFR), Grb2 and the guanine nucleotide exchange factor Sos (or an ortholog thereof, such as mSos1), and is involved in linking EGFR activation to the p21-Ras pathway. [GOC:mah, PMID:7798267, PMID:8940013]' - }, - 'GO:0070621': { - 'name': 'EGFR-Shc-Grb2-Sos complex', - 'def': 'A protein complex that contains the epidermal growth factor receptor (EGFR), Grb2, the adaptor protein SHC and the guanine nucleotide exchange factor Sos (or an ortholog thereof, such as mSos1), and is involved in linking EGFR activation to the p21-Ras pathway. [GOC:mah, PMID:7798267, PMID:8940013]' - }, - 'GO:0070622': { - 'name': 'UDP-N-acetylglucosamine-lysosomal-enzyme N-acetylglucosaminephosphotransferase complex', - 'def': 'A protein complex that possesses UDP-N-acetylglucosamine-lysosomal-enzyme N-acetylglucosaminephosphotransferase activity; the bovine complex contains disulfide-linked homodimers of 166- and 51-kDa subunits and two identical, noncovalently associated 56-kDa subunits. [GOC:mah, PMID:8940155]' - }, - 'GO:0070623': { - 'name': 'regulation of thiamine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of thiamine. [GOC:mah]' - }, - 'GO:0070624': { - 'name': 'negative regulation of thiamine biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of thiamine. [GOC:mah]' - }, - 'GO:0070625': { - 'name': 'zymogen granule exocytosis', - 'def': 'The release of intracellular molecules contained within the zymogen granule by fusion of the granule with the plasma membrane of the oocyte, requiring calcium ions. [GOC:BHF, GOC:vk, PMID:17442889]' - }, - 'GO:0070626': { - 'name': '(S)-2-(5-amino-1-(5-phospho-D-ribosyl)imidazole-4-carboxamido)succinate AMP-lyase (fumarate-forming) activity', - 'def': 'Catalysis of the reaction: (S)-2-(5-amino-1-(5-phospho-D-ribosyl)imidazole-4-carboxamido)succinate = fumarate + 5-amino-1-(5-phospho-D-ribosyl)imidazole-4-carboxamide. [GOC:mah, GOC:pde]' - }, - 'GO:0070627': { - 'name': 'ferrous iron import', - 'def': 'The directed movement of ferrous iron (Fe(II) or Fe2+) ions across a membrane into a cell or organelle. [GOC:mah]' - }, - 'GO:0070628': { - 'name': 'proteasome binding', - 'def': 'Interacting selectively and non-covalently with a proteasome, a large multisubunit protein complex that catalyzes protein degradation. [GOC:mah]' - }, - 'GO:0070629': { - 'name': '(1->4)-alpha-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving (1->4)-alpha-glucans, compounds composed of glucose residues linked by (1->4)-alpha-D-glucosidic bonds. [GOC:mah]' - }, - 'GO:0070630': { - 'name': '(1->4)-alpha-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (1->4)-alpha-glucans, compounds composed of glucose residues linked by (1->4)-alpha-D-glucosidic bonds. [GOC:mah]' - }, - 'GO:0070631': { - 'name': 'spindle pole body localization', - 'def': 'Any process in which a spindle pole body is transported to, or maintained in, a specific location. A spindle pole body is a type of microtubule organizing center found in fungal cells. [GOC:mah]' - }, - 'GO:0070632': { - 'name': 'establishment of spindle pole body localization', - 'def': 'Any process in which a spindle pole body is transported to a specific location. A spindle pole body is a type of microtubule organizing center found in fungal cells. [GOC:mah]' - }, - 'GO:0070633': { - 'name': 'transepithelial transport', - 'def': 'The directed movement of a substance from one side of an epithelium to the other. [GOC:mah, GOC:yaf, ISBN:0716731363]' - }, - 'GO:0070634': { - 'name': 'transepithelial ammonium transport', - 'def': 'The directed movement of ammonium ions from one side of an epithelium to the other. [GOC:mah, GOC:yaf]' - }, - 'GO:0070635': { - 'name': 'nicotinamide riboside hydrolase activity', - 'def': 'Catalysis of the reaction: nicotinamide riboside + H2O = nicotinamide + D-ribose. [MetaCyc:RXN-8441, PMID:19001417]' - }, - 'GO:0070636': { - 'name': 'nicotinic acid riboside hydrolase activity', - 'def': 'Catalysis of the reaction: nicotinic acid riboside + H2O = nicotinic acid + D-ribose. [GOC:mah, PMID:19001417]' - }, - 'GO:0070637': { - 'name': 'pyridine nucleoside metabolic process', - 'def': 'The chemical reactions and pathways involving any pyridine nucleoside, a nucleoside in which a pyridine base covalently bonded to a sugar, usually ribose. [CHEBI:47896, GOC:mah]' - }, - 'GO:0070638': { - 'name': 'pyridine nucleoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of any pyridine nucleoside, a nucleoside in which a pyridine base covalently bonded to a sugar, usually ribose. [CHEBI:47896, GOC:mah]' - }, - 'GO:0070639': { - 'name': 'vitamin D2 metabolic process', - 'def': 'The chemical reactions and pathways involving vitamin D2, (3S,5Z,7E,22E)-9,10-secoergosta-5,7,10(19),22-tetraen-3-ol. [CHEBI:28934, GOC:BHF, GOC:mah]' - }, - 'GO:0070640': { - 'name': 'vitamin D3 metabolic process', - 'def': 'The chemical reactions and pathways involving vitamin D3, (3S,5Z,7E)-9,10-secocholesta-5,7,10(19)-trien-3-ol. [CHEBI:28940, GOC:BHF, GOC:mah]' - }, - 'GO:0070641': { - 'name': 'vitamin D4 metabolic process', - 'def': 'The chemical reactions and pathways involving vitamin D4, (3S,5Z,7E)-9,10-secoergosta-5,7,10(19)-trien-3-ol. [CHEBI:33237, GOC:BHF, GOC:mah]' - }, - 'GO:0070642': { - 'name': 'vitamin D5 metabolic process', - 'def': 'The chemical reactions and pathways involving vitamin D5, (1S,3Z)-3-[(2E)-2-[(1R,3aS,7aR)-1-[(1R,4S)-4-ethyl-1,5-dimethylhexyl]-7a-methyl-2,3,3a,5,6,7-hexahydro-1H-inden-4-ylidene]ethylidene]-4-methylene-1-cyclohexanol. [GOC:BHF, GOC:mah, PubChem_Compound:9547700]' - }, - 'GO:0070643': { - 'name': 'vitamin D 25-hydroxylase activity', - 'def': 'Catalysis of the hydroxylation of C-25 of any form of vitamin D. [GOC:BHF, GOC:mah]' - }, - 'GO:0070644': { - 'name': 'vitamin D response element binding', - 'def': 'Interacting selectively and non-covalently with the vitamin D response element (VDRE), a short sequence with dyad symmetry found in the promoters of some of the cellular immediate-early genes, regulated by serum. [GOC:BHF, GOC:vk, PMID:17426122]' - }, - 'GO:0070645': { - 'name': 'Ubisch body', - 'def': 'A small, granular structure that is found in the extracellular matrix of cell of the secretory tapetal layer that surrounds developing pollen grains. Ubisch bodies have a sporopollenin coat, are attached to the peritapetal wall, and may play a role in pollen development. [GOC:ecd, GOC:mah, PMID:14612572, PMID:16524248]' - }, - 'GO:0070646': { - 'name': 'protein modification by small protein removal', - 'def': 'A protein modification process in which one or more covalently attached groups of a small protein, such as ubiquitin or a ubiquitin-like protein, are removed from a target protein. [GOC:mah]' - }, - 'GO:0070647': { - 'name': 'protein modification by small protein conjugation or removal', - 'def': 'A protein modification process in which one or more groups of a small protein, such as ubiquitin or a ubiquitin-like protein, are covalently attached to or removed from a target protein. [GOC:mah]' - }, - 'GO:0070648': { - 'name': 'formin-nucleated actin cable', - 'def': 'An actin filament bundle that consists of short filaments organized into bundles of uniform polarity, and is nucleated by formins. In fungal cells, myosin motors transport cargo along actin cables toward sites of polarized cell growth; actin cables may play a similar role in pollen tube growth. [PMID:14671023, PMID:16959963]' - }, - 'GO:0070649': { - 'name': 'formin-nucleated actin cable assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a formin-nucleated actin cable. A formin-nucleated actin cable is an actin filament bundle that consists of short filaments organized into bundles of uniform polarity, and is nucleated by formins. [GOC:mah, PMID:14671023, PMID:16959963]' - }, - 'GO:0070650': { - 'name': 'actin filament bundle distribution', - 'def': 'Any cellular process that establishes the spatial arrangement of actin filament bundles within the cell. [GOC:mah]' - }, - 'GO:0070651': { - 'name': 'nonfunctional rRNA decay', - 'def': 'An rRNA catabolic process that results in the targeted detection and degradation of aberrant rRNAs contained within translationally defective ribosomes, thereby acting as a quality-control system. [GOC:mah, GOC:rn, PMID:17188037, PMID:19390089]' - }, - 'GO:0070652': { - 'name': 'HAUS complex', - 'def': 'A protein complex that localizes to interphase centrosomes and to mitotic spindle tubules and regulates mitotic spindle assembly and centrosome integrity; in human, the complex consists of eight subunits, some of which are homologous to subunits of the Drosophila Augmin complex. [PMID:19427217]' - }, - 'GO:0070653': { - 'name': 'high-density lipoprotein particle receptor binding', - 'def': 'Interacting selectively and non-covalently with a high-density lipoprotein receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070654': { - 'name': 'sensory epithelium regeneration', - 'def': 'The regrowth of a sensory epithelium following its loss or destruction. [GOC:dsf, PMID:19381250]' - }, - 'GO:0070655': { - 'name': 'mechanosensory epithelium regeneration', - 'def': 'The regrowth of lost or destroyed mechanosensory epithelia. [GOC:dsf, PMID:19381250]' - }, - 'GO:0070656': { - 'name': 'mechanoreceptor differentiation involved in mechanosensory epithelium regeneration', - 'def': 'Differentiation of new mechanoreceptors to replace those lost or destroyed by injury. [GOC:dsf, PMID:19381250]' - }, - 'GO:0070657': { - 'name': 'neuromast regeneration', - 'def': 'The regrowth of a neuromast following its loss or destruction. [GOC:dsf, PMID:19381250]' - }, - 'GO:0070658': { - 'name': 'neuromast hair cell differentiation involved in neuromast regeneration', - 'def': 'Differentiation of new neuromast sensory hair cells to replace those lost or destroyed by injury. [GOC:dsf, PMID:19381250]' - }, - 'GO:0070659': { - 'name': 'inner ear sensory epithelium regeneration', - 'def': 'The regrowth of lost or destroyed inner ear sensory epithelia. [GOC:dsf, PMID:19381250]' - }, - 'GO:0070660': { - 'name': 'inner ear receptor cell differentiation involved in inner ear sensory epithelium regeneration', - 'def': 'Differentiation of new inner ear sensory hair cells to replace those lost or destroyed by injury. [GOC:dsf, PMID:19381250]' - }, - 'GO:0070661': { - 'name': 'leukocyte proliferation', - 'def': 'The expansion of a leukocyte population by cell division. [GOC:add]' - }, - 'GO:0070662': { - 'name': 'mast cell proliferation', - 'def': 'The expansion of a mast cell population by cell division. [GOC:add]' - }, - 'GO:0070663': { - 'name': 'regulation of leukocyte proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of leukocyte proliferation. [GOC:add, GOC:mah]' - }, - 'GO:0070664': { - 'name': 'negative regulation of leukocyte proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of leukocyte proliferation. [GOC:add, GOC:mah]' - }, - 'GO:0070665': { - 'name': 'positive regulation of leukocyte proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of leukocyte proliferation. [GOC:add, GOC:mah]' - }, - 'GO:0070666': { - 'name': 'regulation of mast cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of mast cell proliferation. [GOC:add, GOC:mah]' - }, - 'GO:0070667': { - 'name': 'negative regulation of mast cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of mast cell proliferation. [GOC:add, GOC:mah]' - }, - 'GO:0070668': { - 'name': 'positive regulation of mast cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of mast cell proliferation. [GOC:add, GOC:mah]' - }, - 'GO:0070669': { - 'name': 'response to interleukin-2', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-2 stimulus. [GOC:mah]' - }, - 'GO:0070670': { - 'name': 'response to interleukin-4', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-4 stimulus. [GOC:mah]' - }, - 'GO:0070671': { - 'name': 'response to interleukin-12', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-12 stimulus. [GOC:mah]' - }, - 'GO:0070672': { - 'name': 'response to interleukin-15', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-15 stimulus. [GOC:mah]' - }, - 'GO:0070673': { - 'name': 'response to interleukin-18', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-18 stimulus. [GOC:mah]' - }, - 'GO:0070674': { - 'name': 'hypoxanthine dehydrogenase activity', - 'def': 'Catalysis of the reaction: hypoxanthine + NAD+ + H2O = xanthine + NADH + H+. [GOC:mah, GOC:pde]' - }, - 'GO:0070675': { - 'name': 'hypoxanthine oxidase activity', - 'def': 'Catalysis of the reaction: hypoxanthine + H2O + O2 = xanthine + H2O2. [GOC:mah, GOC:pde]' - }, - 'GO:0070676': { - 'name': 'intralumenal vesicle formation', - 'def': 'The invagination of the endosome membrane and resulting formation of a vesicle within the lumen of the endosome. [GOC:jp, PMID:19234443]' - }, - 'GO:0070677': { - 'name': "rRNA (cytosine-2'-O-)-methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing 2'-O-methylcytosine. [GOC:mah, PMID:19400805]" - }, - 'GO:0070678': { - 'name': 'preprotein binding', - 'def': 'Interacting selectively and non-covalently with a preprotein, the unprocessed form of a protein destined to undergo co- or post-translational processing. [GOC:imk, GOC:mah, PMID:12914940]' - }, - 'GO:0070679': { - 'name': 'inositol 1,4,5 trisphosphate binding', - 'def': 'Interacting selectively and non-covalently with inositol 1,4,5 trisphosphate. [GOC:BHF, GOC:mah]' - }, - 'GO:0070680': { - 'name': 'asparaginyl-tRNAAsn biosynthesis via transamidation', - 'def': 'A tRNA aminoacylation process in which asparaginyl-tRNAAsn is formed by a tRNA-dependent two-step pathway. In the first step a non-discriminating aspartyl-tRNA synthetase generates the misacylated L-aspartyl-tRNAAsn species, and in the second step it is amidated to the correctly charged L-asparaginyl-tRNAAsn by the heterotrimeric aspartyl-tRNAAsn amidotransferase. [GOC:mah, MetaCyc:PWY490-4]' - }, - 'GO:0070681': { - 'name': 'glutaminyl-tRNAGln biosynthesis via transamidation', - 'def': 'A tRNA aminoacylation process in which glutaminyl-tRNAGln is formed by a tRNA-dependent two-step pathway. In the first step a non-discriminating glutamyl-tRNAGlx synthetase generates the misacylated L-glutamyl-tRNAGln species, and in the second step it is amidated to the correctly charged L-glutaminyl-tRNAGln by a glutamyl-tRNAGln amidotransferase. [GOC:mah, MetaCyc:PWY-5921]' - }, - 'GO:0070682': { - 'name': 'proteasome regulatory particle assembly', - 'def': 'The aggregation, arrangement and bonding together of a mature, active proteasome regulatory particle complex. [GOC:mah, GOC:rb, PMID:19412159]' - }, - 'GO:0070684': { - 'name': 'seminal clot liquefaction', - 'def': 'The reproductive process in which coagulated semen becomes liquid following ejaculation, allowing the progressive release of motile spermatozoa. [GOC:mah, PMID:18482984]' - }, - 'GO:0070685': { - 'name': 'macropinocytic cup', - 'def': 'A cell projection that forms at the site of macropinocytosis, a form of endocytosis that results in the uptake of relatively large amounts of extracellular fluid. The macropinocytic cup membrane selectively excludes certain proteins, such as H36 or PM4C4 in Dictyostelium, and the underlying cytoskeleton is enriched in F-actin and coronin. [PMID:12538772, PMID:16968738, PMID:9044041]' - }, - 'GO:0070686': { - 'name': 'macropinocytic cup membrane', - 'def': 'The portion of the plasma membrane surrounding a macropinocytic cup. [GOC:mah]' - }, - 'GO:0070687': { - 'name': 'macropinocytic cup cytoskeleton', - 'def': 'The part of the cortical actin cytoskeleton that forms part of a macropinocytic cup. [GOC:mah]' - }, - 'GO:0070688': { - 'name': 'MLL5-L complex', - 'def': 'A protein complex that can methylate lysine-4 of histone H3 and plays an essential role in retinoic-acid-induced granulopoiesis. MLL5 is the catalytic methyltransferase subunit, and the complex also contains serine/threonine kinase 38 (STK38), protein phosphatase 1 catalytic subunits, the host cell factor-1 N-terminal subunit, beta-actin, and O-GlcNAc transferase; the human genes encoding the subunits are MLL5, STK38, PPP1CA, PPP1CB, PPP1CC, HCFC1, ACTB and OGT, respectively. [GOC:mah, PMID:19377461]' - }, - 'GO:0070689': { - 'name': 'L-threonine catabolic process to propionate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-threonine (the L-enantiomer of 2-amino-3-hydroxybutyric acid) to form the compound propionate. [GOC:bf, GOC:mah, MetaCyc:PWY-5437]' - }, - 'GO:0070690': { - 'name': 'L-threonine catabolic process to acetyl-CoA', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-threonine (the L-enantiomer of 2-amino-3-hydroxybutyric acid) into glycine and acetaldehyde, with acetaldehyde being subsequently converted to acetyl-CoA. [GOC:bf, GOC:mah, MetaCyc:PWY-5436]' - }, - 'GO:0070691': { - 'name': 'P-TEFb complex', - 'def': 'A dimeric positive transcription elongation factor complex b that comprises a cyclin-dependent kinase containing the catalytic subunit, Cdk9, and a regulatory subunit, cyclin T. [GOC:mah, GOC:vw, http://en.wikipedia.org/wiki/P-TEFb, PMID:16721054, PMID:19328067]' - }, - 'GO:0070692': { - 'name': 'CTDK-1 complex', - 'def': 'A positive transcription elongation factor complex that comprises the CDK kinase CTK1 (in budding yeast), Lsk1 (in fission yeast) (corresponding to the Panther PTHR24056:SF39 family), a cyclin and an additional gamma subunit (corresponding to the InterPRO entry IPR024638). [GOC:mah, GOC:vw, PMID:16721054, PMID:19328067]' - }, - 'GO:0070693': { - 'name': 'P-TEFb-cap methyltransferase complex', - 'def': 'A protein complex that is formed by the association of positive transcription elongation factor complex b (P-TEFb) with the mRNA capping methyltransferase. [PMID:17332744, PMID:19328067]' - }, - 'GO:0070694': { - 'name': "deoxyribonucleoside 5'-monophosphate N-glycosidase activity", - 'def': "Catalysis of the reaction: a deoxyribonucleoside 5'-monophosphate + H2O = deoxyribose 5-monophosphate + a purine or pyrimidine base. [GOC:ab, PMID:17234634]" - }, - 'GO:0070695': { - 'name': 'FHF complex', - 'def': 'A protein complex that is composed of AKTIP/FTS, FAM160A2/p107FHIP, and one or more members of the Hook family of proteins, HOOK1, HOOK2, and HOOK3. The complex is thought to promote vesicle trafficking and/or fusion, and associates with the homotypic vesicular sorting complex (the HOPS complex). [GOC:ab, GOC:mah, PMID:18799622]' - }, - 'GO:0070696': { - 'name': 'transmembrane receptor protein serine/threonine kinase binding', - 'def': 'Interacting selectively and non-covalently with a receptor that spans a cell membrane and possesses protein serine/threonine kinase activity. [GOC:BHF, GOC:mah]' - }, - 'GO:0070697': { - 'name': 'activin receptor binding', - 'def': 'Interacting selectively and non-covalently with an activin receptor. [GOC:BHF, GOC:vk]' - }, - 'GO:0070698': { - 'name': 'type I activin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type I activin receptor. [GOC:BHF, GOC:vk]' - }, - 'GO:0070699': { - 'name': 'type II activin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type II activin receptor. [GOC:BHF, GOC:vk]' - }, - 'GO:0070700': { - 'name': 'BMP receptor binding', - 'def': 'Interacting selectively and non-covalently with a BMP receptor. [GOC:BHF, GOC:vk]' - }, - 'GO:0070701': { - 'name': 'mucus layer', - 'def': 'An extracellular region part that consists of a protective layer of mucus secreted by epithelial cells lining tubular organs of the body such as the colon or secreted into fluids such as saliva. Mucus is a viscous slimy secretion consisting of mucins (i.e. highly glycosylated mucin proteins) and various inorganic salts dissolved in water, with suspended epithelial cells and leukocytes. [GOC:krc, GOC:mah, GOC:mm2, http://en.wikipedia.org/wiki/Mucin, PMID:18806221, PMID:19432394]' - }, - 'GO:0070702': { - 'name': 'inner mucus layer', - 'def': 'The inner of two mucus layers secreted by epithelial cells in the colon; the inner mucus layer is firmly attached to the epithelium, is densely packed with a compact stratified appearance and is devoid of bacteria. [GOC:mah, GOC:mm2, PMID:18806221, PMID:19432394]' - }, - 'GO:0070703': { - 'name': 'outer mucus layer', - 'def': 'The outer of two mucus layers secreted by epithelial cells in the colon; the outer mucus layer is loosely packed and can be colonized by bacteria. [GOC:mah, GOC:mm2, PMID:18806221, PMID:19432394]' - }, - 'GO:0070704': { - 'name': 'sterol desaturase activity', - 'def': 'Catalysis of the introduction of a double bond into a sterol molecule. [GOC:mah, GOC:vw]' - }, - 'GO:0070705': { - 'name': 'RNA nucleotide insertion', - 'def': 'The modification of an RNA molecule by insertion of one or more nucleotides. [GOC:cb, GOC:mah]' - }, - 'GO:0070706': { - 'name': 'RNA nucleotide deletion', - 'def': 'The modification of an RNA molecule by removal of a single nucleotide. [GOC:cb, GOC:mah]' - }, - 'GO:0070707': { - 'name': 'RNA dinucleotide insertion', - 'def': 'The modification of an RNA molecule by insertion of a dinucleotide. [GOC:cb, GOC:mah]' - }, - 'GO:0070708': { - 'name': 'RNA cytidine insertion', - 'def': 'The modification of an RNA molecule by insertion of a cytidine nucleotide. [GOC:cb, GOC:mah]' - }, - 'GO:0070709': { - 'name': 'RNA guanosine insertion', - 'def': 'The modification of an RNA molecule by insertion of a guanosine nucleotide. [GOC:cb, GOC:mah]' - }, - 'GO:0070710': { - 'name': 'RNA uridine deletion', - 'def': 'The modification of an RNA molecule by removal of a uridine nucleotide. [GOC:cb, GOC:mah]' - }, - 'GO:0070711': { - 'name': 'RNA adenosine-uridine insertion', - 'def': 'The modification of an RNA molecule by insertion of an adenosine-uridine dinucleotide. [GOC:cb, GOC:mah]' - }, - 'GO:0070712': { - 'name': 'RNA cytidine-uridine insertion', - 'def': 'The modification of an RNA molecule by insertion of an cytidine-uridine dinucleotide. [GOC:cb, GOC:mah]' - }, - 'GO:0070713': { - 'name': 'RNA guanosine-cytidine insertion', - 'def': 'The modification of an RNA molecule by insertion of an guanosine-cytidine dinucleotide. [GOC:cb, GOC:mah]' - }, - 'GO:0070714': { - 'name': 'RNA guanosine-uridine insertion', - 'def': 'The modification of an RNA molecule by insertion of an guanosine-uridine insertion dinucleotide. [GOC:cb, GOC:mah]' - }, - 'GO:0070715': { - 'name': 'sodium-dependent organic cation transport', - 'def': 'The directed, sodium-dependent, movement of organic cations into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:BHF, GOC:mah]' - }, - 'GO:0070716': { - 'name': 'mismatch repair involved in maintenance of fidelity involved in DNA-dependent DNA replication', - 'def': 'A mismatch repair process that corrects errors introduced that ensures the accuracy of DNA replication. [GOC:BHF, GOC:mah]' - }, - 'GO:0070717': { - 'name': 'poly-purine tract binding', - 'def': 'Interacting selectively and non-covalently with any stretch of purines (adenine or guanine) in an RNA molecule. [GOC:mah]' - }, - 'GO:0070718': { - 'name': 'alphaPDGFR-SHP-2 complex', - 'def': 'A protein complex that contains the platelet-derived growth factor alpha receptor (alphaPDGFR; PDGFRA) and the adaptor protein SHP-2, and is involved signaling via the PDGFR signaling pathway. [GOC:mah, PMID:8943348]' - }, - 'GO:0070719': { - 'name': 'alphaPDGFR-PLC-gamma-1-PI3K-SHP-2 complex', - 'def': 'A protein complex that contains the platelet-derived growth factor alpha receptor (alphaPDGFR; PDGFRA), phospholipase C-gamma-1 (PLC-gamma-1), phosphatidylinositol 3-kinase (PI3K) and the adaptor protein SHP-2, and is involved signaling via the PDGFR signaling pathway. [GOC:mah, PMID:8943348]' - }, - 'GO:0070720': { - 'name': 'Grb2-SHP-2 complex', - 'def': 'A protein complex that contains the receptor adaptor proteins Grb2 and SHP-2, and is involved signaling via the PDGFR signaling pathway. [GOC:mah, PMID:8943348]' - }, - 'GO:0070721': { - 'name': 'ISGF3 complex', - 'def': 'A transcription factor complex that consists of a Stat1-Stat2 heterodimer and the IRF9 protein. [GOC:mah, PMID:8943351]' - }, - 'GO:0070722': { - 'name': 'Tle3-Aes complex', - 'def': 'A transcriptional repressor complex that consists of a heterodimer of the proteins Tle3 (also known as Grg3b) and Aes (Grg5), which are homologs of the Drosophila groucho gene product. [GOC:mah, PMID:8955148]' - }, - 'GO:0070723': { - 'name': 'response to cholesterol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cholesterol stimulus. [GOC:BHF, GOC:vk]' - }, - 'GO:0070724': { - 'name': 'BMP receptor complex', - 'def': 'A protein complex that acts as a receptor for bone morphogenetic proteins (BMPs); a homo- or heterodimer of type I and/or type II BMP receptor subunits. [GOC:mah, GOC:mh, PMID:19377468]' - }, - 'GO:0070725': { - 'name': 'Yb body', - 'def': 'A cytoplasmic part that appears as an electron-dense sphere of around 1.5 micron diameter containing Yb protein found in somatic cells of ovary and testis. There are one to two Yb bodies per cell. [GOC:sart, PMID:19433453]' - }, - 'GO:0070726': { - 'name': 'cell wall assembly', - 'def': 'The aggregation, arrangement and bonding together of a cell wall. A cell wall is a rigid or semi-rigid envelope lying outside the cell membrane of plant, fungal, and most prokaryotic cells. [GOC:mah]' - }, - 'GO:0070727': { - 'name': 'cellular macromolecule localization', - 'def': 'Any process in which a macromolecule is transported to, and/or maintained in, a specific location at the level of a cell. Localization at the cellular level encompasses movement within the cell, from within the cell to the cell surface, or from one location to another at the surface of a cell. [GOC:mah]' - }, - 'GO:0070728': { - 'name': 'leucine binding', - 'def': 'Interacting selectively and non-covalently with 2-amino-4-methylpentanoic acid. [CHEBI:25017, GOC:BHF, GOC:mah]' - }, - 'GO:0070729': { - 'name': 'cyclic nucleotide transport', - 'def': 'The directed movement of a cyclic nucleotide, any nucleotide in which phosphate group is in diester linkage to two positions on the sugar residue, into, out of or within a cell. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0070730': { - 'name': 'cAMP transport', - 'def': 'The directed movement of cyclic AMP (cAMP), into, out of or within a cell. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0070731': { - 'name': 'cGMP transport', - 'def': 'The directed movement of cyclic GMP (cGMP), into, out of or within a cell. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0070732': { - 'name': 'spindle envelope', - 'def': 'An organelle envelope that surrounds the chromosomes and the central part of the spindle apparatus during mitosis and meiosis; observed in many invertebrates. The spindle envelope consists of membrane layers, called parafusorial membranes, derived from endoplasmic reticulum membrane; in male meiosis it forms during prometaphase and persists until early in the ensuing interphase. [GOC:mah, GOC:sart, PMID:19417004, PMID:6428889]' - }, - 'GO:0070733': { - 'name': 'protein adenylyltransferase activity', - 'def': "Catalysis of the reaction: ATP + protein = diphosphate + adenylyl-protein; mediates the addition of an adenylyl (adenosine 5'-monophosphate; AMP group) to specific residues of target proteins. [GOC:mah, PMID:19039103, PMID:19362538]" - }, - 'GO:0070734': { - 'name': 'histone H3-K27 methylation', - 'def': 'The modification of histone H3 by addition of one or more methyl groups to lysine at position 27 of the histone. [GOC:mah, GOC:pr]' - }, - 'GO:0070735': { - 'name': 'protein-glycine ligase activity', - 'def': 'Catalysis of the posttranslational transfer of one or more glycine residues to a specific glutamate residue on a target protein. [GOC:mah, PMID:19524510]' - }, - 'GO:0070736': { - 'name': 'protein-glycine ligase activity, initiating', - 'def': 'Catalysis of the posttranslational transfer of a glycine residue to the gamma-carboxyl group(s) of one or more specific glutamate residues on a target protein. [GOC:mah, PMID:19524510]' - }, - 'GO:0070737': { - 'name': 'protein-glycine ligase activity, elongating', - 'def': 'Catalysis of the posttranslational transfer of one or more glycine residues to a glycine residue covalently attached to the gamma-carboxyl group of a glutamate residue on a target protein, resulting in the elongation of a polyglycine side chain. [GOC:mah, PMID:19524510]' - }, - 'GO:0070738': { - 'name': 'tubulin-glycine ligase activity', - 'def': 'Catalysis of the posttranslational transfer of one or more glycine residues to a specific glutamate residue on a target tubulin molecule; acts on alpha or beta tubulin. [GOC:mah, PMID:19524510]' - }, - 'GO:0070739': { - 'name': 'protein-glutamic acid ligase activity', - 'def': 'Catalysis of the posttranslational transfer of one or more glutamate residues to a specific residue on a target protein. [GOC:mah, PMID:19524510]' - }, - 'GO:0070740': { - 'name': 'tubulin-glutamic acid ligase activity', - 'def': 'Catalysis of the posttranslational transfer of one or more glutamate residues to the gamma-carboxyl group(s) of one or more specific glutamate residues on a tubulin molecule. [GOC:mah, PMID:19524510]' - }, - 'GO:0070741': { - 'name': 'response to interleukin-6', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-6 stimulus. [GOC:mah]' - }, - 'GO:0070742': { - 'name': 'C2H2 zinc finger domain binding', - 'def': 'Interacting selectively and non-covalently with a C2H2-type zinc finger domain of a protein. The C2H2 zinc finger is the classical zinc finger domain, in which two conserved cysteines and histidines co-ordinate a zinc ion. [GOC:BHF, GOC:mah, Pfam:PF00096]' - }, - 'GO:0070743': { - 'name': 'interleukin-23 complex', - 'def': 'A protein complex that is composed of an interleukin-23 alpha (p19, product of the IL23A gene) and an interleukin-12 beta (p40, product of the IL12B gene) subunit and is secreted into the extracellular space. [GOC:add, PMID:11114383, PMID:15999093]' - }, - 'GO:0070744': { - 'name': 'interleukin-27 complex', - 'def': 'A protein complex that is composed of an interleukin-27p28 subunit (product of the IL27 gene) and an EBI3 subunit and is secreted into the extracellular space. [GOC:add, PMID:15999093, PMID:19161428]' - }, - 'GO:0070745': { - 'name': 'interleukin-35 complex', - 'def': 'A protein complex that is composed of an interleukin-12 alpha subunit (p35, product of the IL12A gene) and an EBI3 subunit and is secreted into the extracellular space. [GOC:add, PMID:19161428, PMID:19161429]' - }, - 'GO:0070746': { - 'name': 'interleukin-35 binding', - 'def': 'Interacting selectively and non-covalently with interleukin-35. [GOC:add]' - }, - 'GO:0070747': { - 'name': 'interleukin-35 receptor activity', - 'def': 'Combining with interleukin-35 and transmitting the signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:add, GOC:signaling]' - }, - 'GO:0070748': { - 'name': 'interleukin-35 receptor binding', - 'def': 'Interacting selectively and non-covalently with the interleukin-35 receptor. [GOC:add]' - }, - 'GO:0070749': { - 'name': 'interleukin-35 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of interleukin-35. [GOC:add]' - }, - 'GO:0070750': { - 'name': 'regulation of interleukin-35 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-35. [GOC:add]' - }, - 'GO:0070751': { - 'name': 'negative regulation of interleukin-35 biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-35. [GOC:add]' - }, - 'GO:0070752': { - 'name': 'positive regulation of interleukin-35 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of interleukin-35. [GOC:add]' - }, - 'GO:0070753': { - 'name': 'interleukin-35 production', - 'def': 'The appearance of interleukin-35 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah]' - }, - 'GO:0070754': { - 'name': 'regulation of interleukin-35 production', - 'def': 'Any process that modulates the frequency, rate, or extent of interleukin-35 production. [GOC:mah]' - }, - 'GO:0070755': { - 'name': 'negative regulation of interleukin-35 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of interleukin-35 production. [GOC:mah]' - }, - 'GO:0070756': { - 'name': 'positive regulation of interleukin-35 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of interleukin-35 production. [GOC:mah]' - }, - 'GO:0070757': { - 'name': 'interleukin-35-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-35 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:add, GOC:mah, GOC:signaling]' - }, - 'GO:0070758': { - 'name': 'regulation of interleukin-35-mediated signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of the series of molecular events generated as a consequence of interleukin-35-mediated binding to a cell surface receptor. [GOC:mah]' - }, - 'GO:0070759': { - 'name': 'negative regulation of interleukin-35-mediated signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of the series of molecular events generated as a consequence of interleukin-35 binding to a cell surface receptor. [GOC:mah]' - }, - 'GO:0070760': { - 'name': 'positive regulation of interleukin-35-mediated signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of the series of molecular events generated as a consequence of interleukin-35 binding to a cell surface receptor. [GOC:mah]' - }, - 'GO:0070761': { - 'name': 'pre-snoRNP complex', - 'def': 'A ribonucleoprotein complex that contains a precursor small nucleolar RNA (pre-snoRNA) and associated proteins, and forms during small nucleolar ribonucleoprotein complex (snoRNP) assembly. Pre-snoRNP complexes may contain proteins not found in the corresponding mature snoRNP complexes. [GOC:BHF, GOC:mah, GOC:rl, PMID:17636026, PMID:17709390]' - }, - 'GO:0070762': { - 'name': 'nuclear pore transmembrane ring', - 'def': "A subcomplex of the nuclear pore complex (NPC) that spans the nuclear membrane and anchors the NPC to the nuclear envelope. In S. cerevisiae, the transmembrane ring is composed of Pom152p, Pom34p, and Ndc1p. In vertebrates, it is composed of Gp210, Ndc1, and Pom121. Components are arranged in 8-fold symmetrical 'spokes' around the central transport channel. A single 'spoke', can be isolated and is sometime referred to as the Ndc1 complex. [GOC:dgf, PMID:18046406, PMID:19524430, PMID:20947011, PMID:22419078]" - }, - 'GO:0070763': { - 'name': 'Delta1 complex', - 'def': 'A protein complex that consists of homodimer of the Notch ligand Delta1. [PMID:12794186]' - }, - 'GO:0070764': { - 'name': 'gamma-secretase-Delta1 complex', - 'def': 'A protein complex that is formed by the association of the Notch ligand Delta1 with the gamma-secretase complex. [PMID:12794186]' - }, - 'GO:0070765': { - 'name': 'gamma-secretase complex', - 'def': 'A protein complex that has aspartic-type endopeptidase activity, and contains a catalytic subunit, presenilin (PS), that is a prototypical member of the GxGD-type aspartyl peptidases. The complex also contains additional subunits, including nicastrin, APH-1, PEN-2, and a regulatory subunit, CD147. Gamma-secretase cleaves several transmembrane proteins including the cell surface receptor Notch and the beta-amyloid precursor protein. [GOC:mah, PMID:15286082, PMID:15890777, PMID:17047368]' - }, - 'GO:0070766': { - 'name': 'endobrevin-synaptobrevin 2-alpha-SNAP-NSF-syntaxin-4 complex', - 'def': 'A SNARE complex that contains endobrevin (VAMP8), synaptobrevin 2 (VAMP2), alpha-SNAP, NSF, and syntaxin 4 (or orthologs thereof). [PMID:8973549]' - }, - 'GO:0070767': { - 'name': 'BRCA1-Rad51 complex', - 'def': 'A protein complex that contains BRCA1 and Rad 51, and is involved in the control of recombination and of genome integrity. [GOC:mah, PMID:9008167]' - }, - 'GO:0070768': { - 'name': 'synaptotagmin-synaptobrevin 2-SNAP-25-syntaxin-1a-syntaxin-1b-Unc13 complex', - 'def': 'A SNARE complex that contains synaptotagmin, synaptobrevin 2 (VAMP2), SNAP-25, syntaxin 1a, syntaxin1b, and Unc13b (or orthologs thereof). [PMID:8999968]' - }, - 'GO:0070769': { - 'name': 'alphaIIb-beta3 integrin-CIB complex', - 'def': 'A protein complex that consists of an alphaIIb-beta3 integrin complex bound to CIB, a protein that binds calcium as well as the alphaIIb-beta3 integrin. [PMID:9030514]' - }, - 'GO:0070770': { - 'name': 'alphaIIb-beta3 integrin-CD47-FAK complex', - 'def': 'A protein complex that consists of an alphaIIb-beta3 integrin complex bound to the cell surface antigen CD47 and the kinase FAK. [PMID:9169439]' - }, - 'GO:0070771': { - 'name': 'alphaIIb-beta3 integrin-CD47-Src complex', - 'def': 'A protein complex that consists of an alphaIIb-beta3 integrin complex bound to the cell surface antigen CD47 and the kinase c-Src. [PMID:9169439]' - }, - 'GO:0070772': { - 'name': 'PAS complex', - 'def': 'A class III phosphatidylinositol 3-kinase complex that contains a phosphatidylinositol-3-phosphate 5-kinase subunit (Fab1p in yeast; PIKfyve in mammals), a kinase activator, and a phosphatase, and may also contain additional proteins; it is involved in regulating the synthesis and turnover of phosphatidylinositol 3,5-bisphosphate. In mammals the complex is composed of PIKFYVE, FIG4 and VAC14. In yeast it is composed of Atg18p, Fig4p, Fab1p, Vac14p and Vac7p. [PMID:18950639, PMID:19037259, PMID:19158662]' - }, - 'GO:0070773': { - 'name': 'protein-N-terminal glutamine amidohydrolase activity', - 'def': 'Catalysis of the reaction: protein-N-terminal-L-glutamine + H2O = protein-N-terminal-L-glutamate + NH3. This reaction is the deamidation of an N-terminal glutamine residue of a protein. [PMID:19560421]' - }, - 'GO:0070774': { - 'name': 'phytoceramidase activity', - 'def': 'Catalysis of the reaction: a phytoceramide + H2O = a fatty acid + phytosphingosine. [GOC:pde, PMID:11356846]' - }, - 'GO:0070775': { - 'name': 'H3 histone acetyltransferase complex', - 'def': 'A multisubunit complex that catalyzes the acetylation of histone H3. [GOC:mah]' - }, - 'GO:0070776': { - 'name': 'MOZ/MORF histone acetyltransferase complex', - 'def': 'A histone acetyltransferase complex that has histone H3 acetyltransferase and coactivator activities. Subunits of the human complex include MYST3/MOZ, MYST4/MORF, ING5, EAF6 and one of BRPF1, BRD1/BRPF2 and BRPF3. [PMID:18794358]' - }, - 'GO:0070777': { - 'name': 'D-aspartate transport', - 'def': 'The directed movement of D-aspartate, the D-enantiomer of the anion of (2R)-2-aminobutanedioic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:17364, GOC:mah, GOC:rph]' - }, - 'GO:0070778': { - 'name': 'L-aspartate transport', - 'def': 'The directed movement of L-aspartate, the L-enantiomer of the anion of (2R)-2-aminobutanedioic acid, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:17053, GOC:mah]' - }, - 'GO:0070779': { - 'name': 'D-aspartate import', - 'def': 'The directed movement of D-aspartate, the L-enantiomer of the anion of 2-aminopentanedioic acid, into a cell or organelle. [GOC:rph]' - }, - 'GO:0070780': { - 'name': 'dihydrosphingosine-1-phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: dihydrosphingosine 1-phosphate + H2O = dihydrosphingosine + phosphate. [GOC:pde, PMID:12815058]' - }, - 'GO:0070781': { - 'name': 'response to biotin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a biotin stimulus. [GOC:sl]' - }, - 'GO:0070782': { - 'name': 'phosphatidylserine exposure on apoptotic cell surface', - 'def': "A phospholipid scrambling process that results in the appearance of phosphatidylserine on the outer leaflet of the plasma membrane of an apoptotic cell, which acts as an 'eat-me' signal for engulfing cells. Phosphatidylserine is exposed on the apoptotic cell surface by a phospholipid scramblase activity. [GOC:mah, GOC:mtg_apoptosis, GOC:rk, PMID:11536005]" - }, - 'GO:0070783': { - 'name': 'growth of unicellular organism as a thread of attached cells', - 'def': 'A filamentous growth process in which cells remain attached after division and form thread-like filaments that may penetrate into a solid growth medium such as an agar plate, exhibited by unicellular fungi under certain growth conditions. [GOC:mah, GOC:mcc]' - }, - 'GO:0070784': { - 'name': 'regulation of growth of unicellular organism as a thread of attached cells', - 'def': 'Any process that modulates the frequency, rate or extent of the process in which cells remain attached after division and form thread-like filaments that may penetrate into a solid growth medium. [GOC:mah]' - }, - 'GO:0070785': { - 'name': 'negative regulation of growth of unicellular organism as a thread of attached cells', - 'def': 'Any process that decreases the frequency, rate or extent of the process in which cells remain attached after division and form thread-like filaments that may penetrate into a solid growth medium. [GOC:mah]' - }, - 'GO:0070786': { - 'name': 'positive regulation of growth of unicellular organism as a thread of attached cells', - 'def': 'Any process that activates or increases the frequency, rate or extent of the process in which cells remain attached after division and form thread-like filaments that may penetrate into a solid growth medium. [GOC:mah]' - }, - 'GO:0070787': { - 'name': 'conidiophore development', - 'def': 'The process whose specific outcome is the progression of the conidiophore over time, from its formation to the mature structure. The conidiophore is a specialized hypha that extends aerially from the growth substrate and bears conidia, or asexual spores. [PMID:9529886]' - }, - 'GO:0070788': { - 'name': 'conidiophore stalk development', - 'def': 'The process whose specific outcome is the progression of the conidiophore stalk over time, from its formation to the mature structure. The conidiophore stalk is part of a specialized hypha that extends aerially from the growth substrate and supports structures from which conidia, or asexual spores, develop. [PMID:9529886]' - }, - 'GO:0070789': { - 'name': 'metula development', - 'def': 'The process whose specific outcome is the progression of metulae over time, from its formation to the mature structure. Metulae are elongated mononucleate cells that bud from the surface of the conidiophore tip. [PMID:9529886]' - }, - 'GO:0070790': { - 'name': 'phialide development', - 'def': 'The process whose specific outcome is the progression of phialides over time, from its formation to the mature structure. Phialides are specialized cells that bud from the ends of metulae on the conidiophore tip. Chains of conidia, or asexual spores, develop from the phialide tips. [PMID:9529886]' - }, - 'GO:0070791': { - 'name': 'cleistothecium development', - 'def': 'The process whose specific outcome is the progression of the cleistothecium over time, from its formation to the mature structure. The cleistothecium is a closed sexual fruiting body that contains ascospores in linear asci, characteristic of some filamentous Ascomycete fungi such as members of the genera Aspergillus and Emericella. [ISBN:0471522295, PMID:17446882]' - }, - 'GO:0070792': { - 'name': 'Hulle cell development', - 'def': 'The process whose specific outcome is the progression of Hulle cells over time, from their formation to the mature structures. Hulle cells are specialized multinucleate cells that originate from a nest-like aggregation of hyphae during sexual development and serve as nurse cells to the developing cleistothecium, or fruiting body. [PMID:19210625]' - }, - 'GO:0070793': { - 'name': 'regulation of conidiophore development', - 'def': 'Any process that modulates the frequency, rate or extent of conidiophore development, a process that leads to the formation of a conidiophore. The conidiophore is a specialized hypha that extends aerially from the growth substrate and bears conidia, or asexual spores. [GOC:mah]' - }, - 'GO:0070794': { - 'name': 'negative regulation of conidiophore development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of conidiophore development, a process that leads to the formation of a conidiophore. The conidiophore is a specialized hypha that extends aerially from the growth substrate and bears conidia, or asexual spores. [GOC:mah]' - }, - 'GO:0070795': { - 'name': 'positive regulation of conidiophore development', - 'def': 'Any process that activates or increases the frequency, rate or extent of conidiophore development, a process that leads to the formation of a conidiophore. The conidiophore is a specialized hypha that extends aerially from the growth substrate and bears conidia, or asexual spores. [GOC:mah]' - }, - 'GO:0070796': { - 'name': 'regulation of cleistothecium development', - 'def': 'Any process that modulates the frequency, rate or extent of cleistothecium development, a process that leads to the formation of a cleistothecium. The cleistothecium is a closed sexual fruiting body that contains ascospores in linear asci, characteristic of some filamentous Ascomycete fungi such as members of the genera Aspergillus and Emericella. [GOC:mah]' - }, - 'GO:0070797': { - 'name': 'negative regulation of cleistothecium development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cleistothecium development, a process that leads to the formation of a cleistothecium. The cleistothecium is a closed sexual fruiting body that contains ascospores in linear asci, characteristic of some filamentous Ascomycete fungi such as members of the genera Aspergillus and Emericella. [GOC:mah]' - }, - 'GO:0070798': { - 'name': 'positive regulation of cleistothecium development', - 'def': 'Any process that activates or increases the frequency, rate or extent of cleistothecium development, a process that leads to the formation of a cleistothecium. The cleistothecium is a closed sexual fruiting body that contains ascospores in linear asci, characteristic of some filamentous Ascomycete fungi such as members of the genera Aspergillus and Emericella. [GOC:mah]' - }, - 'GO:0070799': { - 'name': 'regulation of conidiophore stalk development', - 'def': 'Any process that modulates the frequency, rate or extent of conidiophore stalk development, a process that leads to the formation of a conidiophore stalk. The conidiophore stalk is part of a specialized hypha that extends aerially from the growth substrate and supports structures from which conidia, or asexual spores, develop. [GOC:mah]' - }, - 'GO:0070800': { - 'name': 'negative regulation of conidiophore stalk development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of conidiophore stalk development, a process that leads to the formation of a conidiophore stalk. The conidiophore stalk is part of a specialized hypha that extends aerially from the growth substrate and supports structures from which conidia, or asexual spores, develop. [GOC:mah]' - }, - 'GO:0070801': { - 'name': 'positive regulation of conidiophore stalk development', - 'def': 'Any process that activates or increases the frequency, rate or extent of conidiophore stalk development, a process that leads to the formation of a conidiophore stalk. The conidiophore stalk is part of a specialized hypha that extends aerially from the growth substrate and supports structures from which conidia, or asexual spores, develop. [GOC:mah]' - }, - 'GO:0070802': { - 'name': 'regulation of metula development', - 'def': 'Any process that modulates the frequency, rate or extent of metula development, a process that leads to the formation of metulae. Metulae are elongated mononucleate cells that bud from the surface of the conidiophore tip. [GOC:mah]' - }, - 'GO:0070803': { - 'name': 'negative regulation of metula development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of metula development, a process that leads to the formation of metulae. Metulae are elongated mononucleate cells that bud from the surface of the conidiophore tip. [GOC:mah]' - }, - 'GO:0070804': { - 'name': 'positive regulation of metula development', - 'def': 'Any process that activates or increases the frequency, rate or extent of metula development, a process that leads to the formation of metulae. Metulae are elongated mononucleate cells that bud from the surface of the conidiophore tip. [GOC:mah]' - }, - 'GO:0070805': { - 'name': 'regulation of phialide development', - 'def': 'Any process that modulates the frequency, rate or extent of phialide development, a process that leads to the formation of phialides. Phialides are specialized cells that bud from the ends of metulae on the conidiophore tip. [GOC:mah]' - }, - 'GO:0070806': { - 'name': 'negative regulation of phialide development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of phialide development, a process that leads to the formation of phialides. Phialides are specialized cells that bud from the ends of metulae on the conidiophore tip. [GOC:mah]' - }, - 'GO:0070807': { - 'name': 'positive regulation of phialide development', - 'def': 'Any process that activates or increases the frequency, rate or extent of phialide development, a process that leads to the formation of phialides. Phialides are specialized cells that bud from the ends of metulae on the conidiophore tip. [GOC:mah]' - }, - 'GO:0070808': { - 'name': 'regulation of Hulle cell development', - 'def': 'Any process that modulates the frequency, rate or extent of Hulle cell development, a process that leads to the formation of Hulle cells. Hulle cells are specialized multinucleate cells that originate from a nest-like aggregation of hyphae during sexual development and serve as nurse cells to the developing cleistothecium, or fruiting body. [GOC:mah]' - }, - 'GO:0070809': { - 'name': 'negative regulation of Hulle cell development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Hulle cell development, a process that leads to the formation of Hulle cells. Hulle cells are specialized multinucleate cells that originate from a nest-like aggregation of hyphae during sexual development and serve as nurse cells to the developing cleistothecium, or fruiting body. [GOC:mah]' - }, - 'GO:0070810': { - 'name': 'positive regulation of Hulle cell development', - 'def': 'Any process that activates or increases the frequency, rate or extent of Hulle cell development, a process that leads to the formation of Hulle cells. Hulle cells are specialized multinucleate cells that originate from a nest-like aggregation of hyphae during sexual development and serve as nurse cells to the developing cleistothecium, or fruiting body. [GOC:mah]' - }, - 'GO:0070811': { - 'name': 'glycerol-2-phosphate transport', - 'def': 'The directed movement of glycerol-2-phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Glycerol-2-phosphate is a phosphoric monoester of glycerol. [GOC:mah]' - }, - 'GO:0070812': { - 'name': 'glycerol-2-phosphate-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + glycerol-2-phosphate(out) = ADP + phosphate + glycerol-2-phosphate(in). [GOC:mah]' - }, - 'GO:0070813': { - 'name': 'hydrogen sulfide metabolic process', - 'def': 'The chemical reactions and pathways involving hydrogen sulfide, H2S. [CHEBI:16136, GOC:mah]' - }, - 'GO:0070814': { - 'name': 'hydrogen sulfide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hydrogen sulfide, H2S. [CHEBI:16136, GOC:mah]' - }, - 'GO:0070815': { - 'name': 'peptidyl-lysine 5-dioxygenase activity', - 'def': 'Catalysis of the reaction: protein L-lysine + 2-oxoglutarate + O2 = protein 5-hydroxy-L-lysine + succinate + CO2. [PMID:19574390]' - }, - 'GO:0070816': { - 'name': 'phosphorylation of RNA polymerase II C-terminal domain', - 'def': "The process of introducing a phosphate group on to an amino acid residue in the C-terminal domain of RNA polymerase II. Typically, this occurs during the transcription cycle and results in production of an RNA polymerase II enzyme where the carboxy-terminal domain (CTD) of the largest subunit is extensively phosphorylated, often referred to as hyperphosphorylated or the II(0) form. Specific types of phosphorylation within the CTD are usually associated with specific regions of genes, though there are exceptions. The phosphorylation state regulates the association of specific complexes such as the capping enzyme or 3'-RNA processing machinery to the elongating RNA polymerase complex. [GOC:krc, GOC:mah, PMID:17079683]" - }, - 'GO:0070817': { - 'name': 'P-TEFb-cap methyltransferase complex localization', - 'def': 'Any process in which the P-TEFb-cap methyltransferase complex is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0070818': { - 'name': 'protoporphyrinogen oxidase activity', - 'def': 'Catalysis of the reaction: protoporphyrinogen IX + acceptor = protoporphyrin IX + reduced acceptor. [EC:1.3.3.4, GOC:mah, PMID:19583219]' - }, - 'GO:0070819': { - 'name': 'menaquinone-dependent protoporphyrinogen oxidase activity', - 'def': 'Catalysis of the reaction: protoporphyrinogen IX + menaquinone = protoporphyrin IX + reduced menaquinone. [GOC:mah, PMID:19583219]' - }, - 'GO:0070820': { - 'name': 'tertiary granule', - 'def': 'A secretory granule that contains cathepsin and gelatinase and is readily exocytosed upon cell activation; found primarily in mature neutrophil cells. [GOC:BHF, GOC:mah, GOC:rl, PMID:12070036]' - }, - 'GO:0070821': { - 'name': 'tertiary granule membrane', - 'def': 'The lipid bilayer surrounding a tertiary granule. [GOC:BHF, GOC:mah, GOC:rl, PMID:12070036]' - }, - 'GO:0070822': { - 'name': 'Sin3-type complex', - 'def': 'Any of a number of evolutionarily conserved histone deacetylase complexes (HDACs) containing a core consisting of a paired amphipathic helix motif protein (e.g. Sin3p in S. cerevisiae, Pst1 in S. pombe or Sin3A in mammals) at least one class I histone deacetylase (e.g. Rpd3p in S. cerevisiae, Clr6 in S. pombe, or HDAC1 and HDAC2 in mammals), and at least one WD40 repeat protein (e.g. Ume1p in S. cerevisiae, Prw1 in S. pombe, or RbAp46 and RbAp48 in mammals). These complexes also contain a variable number of other proteins that direct histone binding, DNA binding, or add other functionality to the complex. [PMID:15565322, PMID:18292778]' - }, - 'GO:0070823': { - 'name': 'HDA1 complex', - 'def': 'A tetrameric histone deacetylase complex that contains a Class II deacetylase catalytic subunit. In S. cerevisiae it is composed of two Hda1p subunits along with Hda2p and Hda3p. [GOC:dgf, GOC:mah, PMID:11287668, PMID:8663039]' - }, - 'GO:0070824': { - 'name': 'SHREC complex', - 'def': 'A histone deacetylase complex that contains a core of four proteins -- Clr1, Clr2, Clr3, and Mit1 in fission yeast -- and localizes to all heterochromatic regions in the genome as well as some euchromatic sites. The complex is involved in regulating nucleosome positioning to assemble higher-order chromatin structures. [GOC:mah, PMID:17289569]' - }, - 'GO:0070825': { - 'name': 'micropyle', - 'def': 'An external encapsulating structure part of the chorion. A single cone-shaped specialization that forms an opening in the chorion that allows sperm entry into the egg prior to fertilization. [GOC:cvs, GOC:mah, PMID:18649270]' - }, - 'GO:0070826': { - 'name': 'paraferritin complex', - 'def': 'A cytoplasmic protein complex that contains integrin, mobilferrin and a flavin monooxygenase, is capable of reducing Fe(III) to Fe(II) utilizing NADPH, and is involved in iron transport. Fe(II) is required in the cell as the substrate for ferrochelatase in the synthesis of heme. [GOC:mah, GOC:rph, PMID:11842004, PMID:8639593]' - }, - 'GO:0070827': { - 'name': 'chromatin maintenance', - 'def': 'The chromatin organization process that preserves chromatin in a stable functional or structural state. [GOC:mah]' - }, - 'GO:0070828': { - 'name': 'heterochromatin organization', - 'def': 'Any process that results in the specification, formation or maintenance of the physical structure of eukaryotic heterochromatin, a compact and highly condensed form of chromatin. [GOC:mah]' - }, - 'GO:0070829': { - 'name': 'heterochromatin maintenance', - 'def': 'The chromatin organization process that preserves heterochromatin in a stable functional or structural state. [GOC:mah]' - }, - 'GO:0070830': { - 'name': 'bicellular tight junction assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a tight junction, an occluding cell-cell junction that is composed of a branching network of sealing strands that completely encircles the apical end of each cell in an epithelial sheet. [GOC:mah]' - }, - 'GO:0070831': { - 'name': 'basement membrane assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a basement membrane, a part of the extracellular region that consists of a thin layer of dense material found in various animal tissues interposed between the cells and the adjacent connective tissue. [GOC:mah]' - }, - 'GO:0070832': { - 'name': 'phosphatidylcholine biosynthesis from phosphoryl-ethanolamine via N-dimethylethanolamine phosphate and CDP-choline', - 'def': 'The phosphatidylcholine biosynthetic process that begins with three consecutive N-methylation steps that are carried out on phospho-bases, phosphoethanolamine, phospho-N-methylethanolamine, and phospho-N-dimethylethanolamine; the process ends with the conversion of a phosphatidyl-N-dimethylethanolamine to a phosphatidylcholine. [MetaCyc:PWY4FS-2]' - }, - 'GO:0070833': { - 'name': 'phosphatidylcholine biosynthesis from phosphoryl-ethanolamine via CDP-N-methylethanolamine', - 'def': 'The phosphatidylcholine biosynthetic process that begins with an initial N-methylation with phospho-base phosphoethanolamine, followed by two downstream N-methylations on phosphatidyl-bases, phosphatidyl-N-methylethanolamine and phosphatidyl-N-dimethylethanolamine. The process ends with the conversion of a phosphatidyl-N-dimethylethanolamine to a phosphatidylcholine. [MetaCyc:PWY4FS-3]' - }, - 'GO:0070834': { - 'name': 'phosphatidylcholine biosynthesis from phosphoryl-ethanolamine via N-dimethylethanolamine phosphate and CDP-N-dimethylethanolamine', - 'def': 'The phosphatidylcholine biosynthetic process that begins with two N-methylations with phospho-base phosphoethanolamine and phospho-N-methylethanolamine, followed by a downstream N-methylation on phosphatidyl-base phosphatidyl-N-dimethylethanolamine; the process ends with the conversion of a phosphatidyl-N-dimethylethanolamine to a phosphatidylcholine. [MetaCyc:PWY4FS-4]' - }, - 'GO:0070835': { - 'name': 'chromium ion transmembrane transporter activity', - 'def': 'Enables the transfer of chromium (Cr) ions from one side of a membrane to the other. [GOC:mah, GOC:yaf]' - }, - 'GO:0070836': { - 'name': 'caveola assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a caveola. A caveola is a plasma membrane raft that forms a small pit, depression, or invagination that communicates with the outside of a cell and extends inward, indenting the cytoplasm and the cell membrane. [GOC:BHF, GOC:mah, GOC:vk, PMID:12633858]' - }, - 'GO:0070837': { - 'name': 'dehydroascorbic acid transport', - 'def': 'The directed movement of dehydroascorbate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Dehydroascorbate, 5-(1,2-dihydroxyethyl)furan-2,3,4(5H)-trione, is an oxidized form of vitamin C. [GOC:sl]' - }, - 'GO:0070838': { - 'name': 'divalent metal ion transport', - 'def': 'The directed movement of divalent metal cations, any metal ion with a +2 electric charge, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0070839': { - 'name': 'divalent metal ion export', - 'def': 'The directed movement of divalent metal cations, any metal ion with a +2 electric charge, out of a cell or organelle. [GOC:mah]' - }, - 'GO:0070840': { - 'name': 'dynein complex binding', - 'def': 'Interacting selectively and non-covalently with a dynein complex, a protein complex that contains two or three dynein heavy chains and several light chains, and has microtubule motor activity. [GOC:bf, GOC:BHF, GOC:mah]' - }, - 'GO:0070841': { - 'name': 'inclusion body assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an inclusion body. [GOC:BHF, GOC:mah]' - }, - 'GO:0070842': { - 'name': 'aggresome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an aggresome; requires the microtubule cytoskeleton and dynein. [GOC:BHF, GOC:rl, PMID:14675537]' - }, - 'GO:0070843': { - 'name': 'misfolded protein transport', - 'def': 'The directed movement of misfolded proteins in a cell, including the movement of proteins between specific compartments or structures within a cell. [GOC:BHF, GOC:mah, PMID:14675537]' - }, - 'GO:0070844': { - 'name': 'polyubiquitinated protein transport', - 'def': 'The directed movement of polyubiquitinated proteins in a cell, including the movement of proteins between specific compartments or structures within a cell. [GOC:BHF, GOC:mah, PMID:14675537]' - }, - 'GO:0070845': { - 'name': 'polyubiquitinated misfolded protein transport', - 'def': 'The directed movement of misfolded polyubiquitinated proteins in a cell, including the movement of proteins between specific compartments or structures within a cell. [GOC:BHF, GOC:mah, PMID:14675537]' - }, - 'GO:0070846': { - 'name': 'Hsp90 deacetylation', - 'def': 'The modification of an Hsp90 protein by removal of acetyl groups. [GOC:BHF, GOC:mah]' - }, - 'GO:0070847': { - 'name': 'core mediator complex', - 'def': 'A protein complex that interacts with the carboxy-terminal domain of the largest subunit of RNA polymerase II and plays an active role in transducing the signal from a transcription factor to the transcriptional machinery. The core mediator complex has a stimulatory effect on basal transcription, and contains most of the same subdomains as the larger form of mediator complex -- a head domain comprising proteins known in Saccharomyces as Srb2, -4, and -5, Med6, -8, and -11, and Rox3 proteins; a middle domain comprising Med1, -4, and -7, Nut1 and -2, Cse2, Rgr1, Soh1, and Srb7 proteins; and a tail consisting of Gal11p, Med2p, Pgd1p, and Sin4p -- but lacks the regulatory subcomplex comprising Ssn2, -3, and -8, and Srb8 proteins. Metazoan core mediator complexes have similar modular structures and include homologs of yeast Srb and Med proteins. [PMID:11454195, PMID:16168358, PMID:17870225]' - }, - 'GO:0070848': { - 'name': 'response to growth factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a growth factor stimulus. [GOC:BHF, GOC:mah]' - }, - 'GO:0070849': { - 'name': 'response to epidermal growth factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an epidermal growth factor stimulus. [GOC:BHF, GOC:mah]' - }, - 'GO:0070850': { - 'name': 'TACC/TOG complex', - 'def': 'A protein complex that contains the transforming acidic coiled coil (TACC) protein and the TOG protein (Mia1p/Alp7p and Alp14, respectively, in fission yeast), and is involved in microtubule array remodeling as cells progress through the cell cycle. The TACC/TOG complex is conserved in eukaryotes, associates with microtubules, and shuttles between the nucleus and the cytoplasm during interphase. [GOC:mah, GOC:vw, PMID:19606211]' - }, - 'GO:0070851': { - 'name': 'growth factor receptor binding', - 'def': 'Interacting selectively and non-covalently with a growth factor receptor. [GOC:mah, GOC:vw]' - }, - 'GO:0070852': { - 'name': 'cell body fiber', - 'def': 'A neuron projection that is found in unipolar neurons and corresponds to the region between the cell body and the point at which the single projection branches. [GOC:dos, GOC:mah]' - }, - 'GO:0070853': { - 'name': 'myosin VI binding', - 'def': 'Interacting selectively and non-covalently with a class VI myosin. The myosin VI heavy chain has a single IQ motif in the neck and a tail region with a coiled coil domain followed by a unique globular domain, a unique insertion that enables myosin VI to move towards the pointed or minus end of actin filaments. [GOC:mah, http://www.mrc-lmb.cam.ac.uk/myosin/Review/Reviewframeset.html, PMID:15473855]' - }, - 'GO:0070854': { - 'name': 'myosin VI heavy chain binding', - 'def': 'Interacting selectively and non-covalently with a heavy chain of a myosin VI complex. [GOC:sart]' - }, - 'GO:0070855': { - 'name': 'myosin VI head/neck binding', - 'def': 'Interacting selectively and non-covalently with the head/neck region of a myosin VI heavy chain. [GOC:sart]' - }, - 'GO:0070856': { - 'name': 'myosin VI light chain binding', - 'def': 'Interacting selectively and non-covalently with a light chain of a myosin VI complex. [GOC:sart]' - }, - 'GO:0070857': { - 'name': 'regulation of bile acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of bile acids. [GOC:BHF, GOC:mah]' - }, - 'GO:0070858': { - 'name': 'negative regulation of bile acid biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of bile acids. [GOC:BHF, GOC:mah]' - }, - 'GO:0070859': { - 'name': 'positive regulation of bile acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of bile acids. [GOC:BHF, GOC:mah]' - }, - 'GO:0070860': { - 'name': 'RNA polymerase I core factor complex', - 'def': 'A RNA polymerase I-specific transcription factor complex that is required for the transcription of rDNA by RNA polymerase I. In yeast the complex consists of Rrn6p, Rrn7p, and Rrn11p. [PMID:8702872]' - }, - 'GO:0070861': { - 'name': 'regulation of protein exit from endoplasmic reticulum', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of proteins from the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0070862': { - 'name': 'negative regulation of protein exit from endoplasmic reticulum', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of proteins from the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0070863': { - 'name': 'positive regulation of protein exit from endoplasmic reticulum', - 'def': 'Any process that activates or increases the frequency, rate or extent of directed movement of proteins from the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0070864': { - 'name': 'sperm individualization complex', - 'def': 'A macromolecular complex that includes cytoskeletal components and part of the cell membrane. Forms at the nuclear end of a male germline syncytium, or cyst, and translocates the over the length of the syncytium in the course of sperm individualization. Each complex contains an array of 64 investment cones, one per nucleus, that move synchronously along the spermatogenic cyst. [GOC:sart, PMID:10588662, PMID:9550716]' - }, - 'GO:0070865': { - 'name': 'investment cone', - 'def': 'A cytoskeletal part that consists of a microfilament-rich cone that forms round each nucleus in a spermatogenic cyst and translocates the length of the cyst during sperm individualization. [GOC:sart, PMID:15829565, PMID:9550716]' - }, - 'GO:0070866': { - 'name': 'sterol-dependent protein binding', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex (a complex of two or more proteins that may include other nonprotein molecules) in the presence of sterols. [GOC:ecd]' - }, - 'GO:0070867': { - 'name': 'mating projection tip membrane', - 'def': 'The portion of the plasma membrane surrounding a mating projection tip. [GOC:mah]' - }, - 'GO:0070868': { - 'name': 'heterochromatin organization involved in chromatin silencing', - 'def': 'Any process that results in the specification, formation or maintenance of the physical structure of eukaryotic heterochromatin and contributes to chromatin silencing. [GOC:mah]' - }, - 'GO:0070869': { - 'name': 'heterochromatin assembly involved in chromatin silencing', - 'def': 'Any process that results in the assembly of chromatin into heterochromatin and contributes to chromatin silencing. [GOC:mah]' - }, - 'GO:0070870': { - 'name': 'heterochromatin maintenance involved in chromatin silencing', - 'def': 'A chromatin organization process that preserves heterochromatin in a stable functional or structural state, and that contributes to chromatin silencing. [GOC:mah]' - }, - 'GO:0070871': { - 'name': 'cell wall organization involved in conjugation with cellular fusion', - 'def': 'A process of cell wall organization that contributes to conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0070872': { - 'name': 'plasma membrane organization involved in conjugation with cellular fusion', - 'def': 'A process of plasma membrane organization that contributes to conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0070873': { - 'name': 'regulation of glycogen metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving glycogen. [GOC:mah]' - }, - 'GO:0070874': { - 'name': 'negative regulation of glycogen metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways involving glycogen. [GOC:mah]' - }, - 'GO:0070875': { - 'name': 'positive regulation of glycogen metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways involving glycogen. [GOC:mah]' - }, - 'GO:0070876': { - 'name': 'SOSS complex', - 'def': 'A protein complex that functions downstream of the MRN complex to promote DNA repair and the G2/M checkpoint. The SOSS complex associates with single-stranded DNA at DNA lesions and is composed of SOSS-B (SOSS-B1/OBFC2B or SOSS-B2/OBFC2A), SOSS-A/INTS3 and SOSS-C/C9orf80. [PMID:19683501]' - }, - 'GO:0070877': { - 'name': 'microprocessor complex', - 'def': "A protein complex that binds to heme and to pri-miRNAs, and is required for the formation of a pre-microRNA (pre-miRNA), the initial step of microRNA (miRNA) biogenesis. The complex is composed of the double-stranded-RNA-specific RNase Drosha (also called RNASEN) and the RNA-binding protein DGCR8 (heme-free or heme-bound forms). Within the complex, DGCR8 function as a molecular anchor necessary for the recognition of pri-miRNA at dsRNA-ssRNA junction and directs RNASEN/Drosha to cleave the 3' and 5' strands of a stem-loop to release hairpin-shaped pre-miRNAs. [PMID:16963499, PMID:17159994]" - }, - 'GO:0070878': { - 'name': 'primary miRNA binding', - 'def': 'Interacting selectively and non-covalently with a primary microRNA (pri-miRNA) transcript, an RNA molecule that is processed into a short hairpin-shaped structure called a pre-miRNA and finally into a functional miRNA. Both double-stranded and single-stranded regions of a pri-miRNA are required for binding. [GOC:sl, PMID:15531877, PMID:15574589]' - }, - 'GO:0070879': { - 'name': 'fungal-type cell wall beta-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving beta-glucans, compounds composed of glucose residues linked by beta-D-glucosidic bonds, found in the walls of fungal cells. [GOC:mah, GOC:vw]' - }, - 'GO:0070880': { - 'name': 'fungal-type cell wall beta-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-glucans, compounds composed of glucose residues linked by beta-D-glucosidic bonds, found in the walls of fungal cells. [GOC:mah]' - }, - 'GO:0070881': { - 'name': 'regulation of proline transport', - 'def': 'Any process that modulates the frequency, rate or extent of proline transport. [GOC:mah]' - }, - 'GO:0070883': { - 'name': 'pre-miRNA binding', - 'def': 'Interacting selectively and non-covalently with a precursor microRNA (pre-miRNA) transcript, a stem-loop-containing precursor of microRNA. [PMID:18951094]' - }, - 'GO:0070884': { - 'name': 'regulation of calcineurin-NFAT signaling cascade', - 'def': 'Any process that modulates the frequency, rate or extent of the calcineurin-NFAT signaling cascade. [GOC:ai]' - }, - 'GO:0070885': { - 'name': 'negative regulation of calcineurin-NFAT signaling cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the calcineurin-NFAT signaling cascade. [GOC:mah]' - }, - 'GO:0070886': { - 'name': 'positive regulation of calcineurin-NFAT signaling cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of signaling via the calcineurin-NFAT signaling cascade. [GOC:mah]' - }, - 'GO:0070887': { - 'name': 'cellular response to chemical stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chemical stimulus. [GOC:mah]' - }, - 'GO:0070888': { - 'name': 'E-box binding', - 'def': 'Interacting selectively and non-covalently with an E-box, a DNA motif with the consensus sequence CANNTG that is found in the promoters of a wide array of genes expressed in neurons, muscle and other tissues. [GOC:BHF, GOC:vk, PMID:11812799]' - }, - 'GO:0070889': { - 'name': 'platelet alpha granule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a platelet alpha granule. A platelet alpha granule is a secretory organelle found in blood platelets. [GOC:rph, PMID:16123220]' - }, - 'GO:0070890': { - 'name': 'sodium-dependent L-ascorbate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: L-ascorbate(out) + Na+(out) = L-ascorbate(in) + Na+(in). [GOC:mah, GOC:yaf, PMID:18094143]' - }, - 'GO:0070891': { - 'name': 'lipoteichoic acid binding', - 'def': 'Interacting selectively and non-covalently with lipoteichoic acid. [GOC:add, PMID:14665680]' - }, - 'GO:0070892': { - 'name': 'lipoteichoic acid receptor activity', - 'def': 'Combining with lipoteichoic acid and transmitting the signal to initiate a change in cell activity. [GOC:add, PMID:14665680]' - }, - 'GO:0070893': { - 'name': 'transposon integration', - 'def': 'Any process in which a transposable element is incorporated into another DNA molecule such as a chromosome. [GOC:jp, PMID:10882723]' - }, - 'GO:0070894': { - 'name': 'regulation of transposon integration', - 'def': 'Any process that modulates the frequency, rate or extent of regulation of transposon integration, a process in which a transposable element is incorporated into another DNA molecule. [GOC:mah]' - }, - 'GO:0070895': { - 'name': 'negative regulation of transposon integration', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transposon integration, a process in which a transposable element is incorporated into another DNA molecule. [GOC:mah]' - }, - 'GO:0070896': { - 'name': 'positive regulation of transposon integration', - 'def': 'Any process that activates or increases the frequency, rate or extent of transposon integration, a process in which a transposable element is incorporated into another DNA molecule. [GOC:mah]' - }, - 'GO:0070897': { - 'name': 'DNA-templated transcriptional preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription. [GOC:jp, GOC:txnOH]' - }, - 'GO:0070898': { - 'name': 'RNA polymerase III transcriptional preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins on promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription from an RNA polymerase III promoter. [GOC:jp, GOC:txnOH, PMID:11387215]' - }, - 'GO:0070899': { - 'name': 'mitochondrial tRNA wobble uridine modification', - 'def': 'The process in which a uridine in position 34 of a mitochondrial tRNA is post-transcriptionally modified. [GOC:mah, GOC:mcc]' - }, - 'GO:0070900': { - 'name': 'mitochondrial tRNA modification', - 'def': 'The covalent alteration of one or more nucleotides within a mitochondrial tRNA molecule to produce a mitochondrial tRNA molecule with a sequence that differs from that coded genetically. [GOC:mah, GOC:mcc]' - }, - 'GO:0070901': { - 'name': 'mitochondrial tRNA methylation', - 'def': 'The posttranscriptional addition of methyl groups to specific residues in a mitochondrial tRNA molecule. [GOC:mah, GOC:mcc]' - }, - 'GO:0070902': { - 'name': 'mitochondrial tRNA pseudouridine synthesis', - 'def': 'The intramolecular conversion of uridine to pseudouridine in a mitochondrial tRNA molecule. [GOC:mah, GOC:mcc]' - }, - 'GO:0070903': { - 'name': 'mitochondrial tRNA thio-modification', - 'def': 'The addition a sulfur atom to a nucleotide in a mitochondrial tRNA molecule. [GOC:mah, GOC:mcc]' - }, - 'GO:0070904': { - 'name': 'transepithelial L-ascorbic acid transport', - 'def': 'The directed movement of L-ascorbic acid from one side of an epithelium to the other. [GOC:mah, GOC:yaf]' - }, - 'GO:0070905': { - 'name': 'serine binding', - 'def': 'Interacting selectively and non-covalently with 2-amino-3-hydroxypropanoic acid. [CHEBI:17822, GOC:rph]' - }, - 'GO:0070906': { - 'name': 'aspartate:alanine antiporter activity', - 'def': 'Catalysis of the reaction: aspartate(out) + alanine(in) = aspartate(in) + alanine(out). [GOC:dh]' - }, - 'GO:0070907': { - 'name': 'histidine:histamine antiporter activity', - 'def': 'Catalysis of the reaction: histidine(out) + histamine(in) = histidine(in) + histamine(out). [GOC:dh]' - }, - 'GO:0070908': { - 'name': 'tyrosine:tyramine antiporter activity', - 'def': 'Catalysis of the reaction: tyrosine(out) + tyramine(in) = tyrosine(in) + tyramine(out). [GOC:dh]' - }, - 'GO:0070909': { - 'name': 'glutamate:gamma-aminobutyric acid antiporter activity', - 'def': 'Catalysis of the reaction: glutamate(out) + gamma-aminobutyric acid(in) = glutamate(in) + gamma-aminobutyric acid(out). [GOC:dh]' - }, - 'GO:0070910': { - 'name': 'cell wall macromolecule catabolic process involved in cell wall disassembly', - 'def': 'The chemical reactions and pathways that result in the breakdown of macromolecules that form part of a cell wall, and contributes to the breakdown of the cell wall. [GOC:mah]' - }, - 'GO:0070911': { - 'name': 'global genome nucleotide-excision repair', - 'def': 'The nucleotide-excision repair process in which DNA lesions are removed from nontranscribed strands and from transcriptionally silent regions over the entire genome. [PMID:10197977, PMID:18794354]' - }, - 'GO:0070912': { - 'name': 'Ddb1-Ckn1 complex', - 'def': 'A heterodimeric nucleotide-excision repair complex that is involved in transcription-coupled repair. The subunits are known as Ddb1 and Ckn1 in S. pombe; Ddb1 contains a motif called the DDB-box that interacts with adaptor proteins for DDB1/cullin 4 ubiquitin ligases. [PMID:18794354]' - }, - 'GO:0070913': { - 'name': 'Ddb1-Wdr21 complex', - 'def': 'A heterodimeric nucleotide-excision repair complex that is involved in transcription-coupled repair. The subunits are known as Ddb1 and Wdr21 in S. pombe; Ddb1 contains a motif called the DDB-box that interacts with adaptor proteins for DDB1/cullin 4 ubiquitin ligases. [PMID:18794354]' - }, - 'GO:0070914': { - 'name': 'UV-damage excision repair', - 'def': "A DNA repair process that is initiated by an endonuclease that introduces a single-strand incision immediately 5' of a UV-induced damage site. UV-damage excision repair acts on both cyclobutane pyrimidine dimers (CPDs) and pyrimidine-pyrimidone 6-4 photoproducts (6-4PPs). [GOC:mah, PMID:9619100]" - }, - 'GO:0070915': { - 'name': 'lysophosphatidic acid receptor activity', - 'def': 'Combining with the phospholipid derivative lysophosphatidic acid, and transmitting the signal across the membrane by activating an associated G-protein. [CHEBI:52288, GOC:bf, GOC:mah, PMID:15755723]' - }, - 'GO:0070916': { - 'name': 'inositol phosphoceramide synthase complex', - 'def': 'A protein complex that possesses inositol phosphoceramide synthase activity and contains a catalytic subunit and a regulatory subunit (Aur1p and Kei1p, respectively, in Saccharomyces). [GOC:mah, PMID:19726565]' - }, - 'GO:0070917': { - 'name': 'inositol phosphoceramide synthase regulator activity', - 'def': 'Modulates the activity of inositol phosphoceramide synthase. [GOC:mah]' - }, - 'GO:0070918': { - 'name': 'production of small RNA involved in gene silencing by RNA', - 'def': 'The process in which a double-stranded RNA precursor is processed into short (20-30 nt) fragments. RNA cleavage is catalyzed by a Dicer endonuclease. [GOC:mah, PMID:19239886]' - }, - 'GO:0070919': { - 'name': 'production of siRNA involved in chromatin silencing by small RNA', - 'def': 'Cleavage of double-stranded RNA to form small interfering RNA molecules (siRNAs) of 21-23 nucleotides, in the context of chromatin silencing by small RNA. [GOC:mah, PMID:19239886]' - }, - 'GO:0070920': { - 'name': 'regulation of production of small RNA involved in gene silencing by RNA', - 'def': 'Any process that modulates the frequency, rate or extent of the production of small RNA involved in gene silencing by RNA. [GOC:mah]' - }, - 'GO:0070921': { - 'name': 'regulation of production of siRNA involved in chromatin silencing by small RNA', - 'def': 'Any process that modulates the frequency, rate or extent of the production of siRNA, the cleavage of double-stranded RNA to form small interfering RNA molecules (siRNAs) of 21-23 nucleotides, in the context of chromatin silencing by small RNA. [GOC:mah]' - }, - 'GO:0070922': { - 'name': 'small RNA loading onto RISC', - 'def': 'The process in which a single-stranded small RNA associates with the RNA-initiated silencing complex (RISC); occurs as part of a process of gene silencing by small RNA. [GOC:mah, PMID:19239886]' - }, - 'GO:0070923': { - 'name': 'siRNA loading onto RISC involved in chromatin silencing by small RNA', - 'def': 'The process in which a single-stranded small RNA associates with the RNA-initiated silencing complex (RISC); occurs as part of a process of chromatin silencing by small RNA. [GOC:mah, PMID:19239886]' - }, - 'GO:0070924': { - 'name': 'heterochromatin assembly involved in chromatin silencing by small RNA', - 'def': 'The process in which an siRNA-associated RNA-induced silencing complex (siRISC) associates with nascent transcripts and RNA polymerase to induce the formation of heterochromatin. [GOC:mah, PMID:19239886]' - }, - 'GO:0070925': { - 'name': 'organelle assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an organelle. An organelle is an organized structure of distinctive morphology and function. Includes the nucleus, mitochondria, plastids, vacuoles, vesicles, ribosomes and the cytoskeleton. Excludes the plasma membrane. [GOC:mah]' - }, - 'GO:0070926': { - 'name': 'regulation of ATP:ADP antiporter activity', - 'def': 'Any process that modulates the activity of an ATP:ADP antiporter. [GOC:BHF, GOC:mah]' - }, - 'GO:0070927': { - 'name': 'negative regulation of ATP:ADP antiporter activity', - 'def': 'Any process that stops or reduces the activity of an ATP:ADP antiporter. [GOC:BHF, GOC:mah]' - }, - 'GO:0070928': { - 'name': 'regulation of mRNA stability, ncRNA-mediated', - 'def': 'Any process, mediated by small non-coding RNAs, that modulates the propensity of mRNA molecules to degradation. Includes processes that both stabilize and destabilize mRNAs. [GOC:jh2]' - }, - 'GO:0070929': { - 'name': 'trans-translation', - 'def': 'A translational elongation process in which transfer of a translating ribosome from one mRNA to another RNA template takes place. Trans-translation occurs during tmRNA release of stalled ribosomes. [GOC:jh2, GOC:mah]' - }, - 'GO:0070930': { - 'name': 'trans-translation-dependent protein tagging', - 'def': 'A protein modification process in which a polypeptide is added to a nascent polypeptide cotranslationally by trans-translation. [GOC:jh2, GOC:jsg, GOC:mah]' - }, - 'GO:0070931': { - 'name': 'Golgi-associated vesicle lumen', - 'def': 'The volume enclosed by the membrane of a Golgi-associated vesicle. [GOC:mah]' - }, - 'GO:0070932': { - 'name': 'histone H3 deacetylation', - 'def': 'The modification of histone H3 by the removal of one or more acetyl groups. [GOC:BHF, GOC:rl]' - }, - 'GO:0070933': { - 'name': 'histone H4 deacetylation', - 'def': 'The modification of histone H4 by the removal of one or more acetyl groups. [GOC:BHF, GOC:rl]' - }, - 'GO:0070934': { - 'name': 'CRD-mediated mRNA stabilization', - 'def': 'An mRNA stabilization process in which one or more RNA-binding proteins associate with a sequence in the open reading frame called the coding region instability determinant (CRD). [GOC:mah, PMID:19029303]' - }, - 'GO:0070935': { - 'name': "3'-UTR-mediated mRNA stabilization", - 'def': "An mRNA stabilization process in which one or more RNA-binding proteins associate with the 3'-untranslated region (UTR) of an mRNA. [GOC:mah, PMID:19029303]" - }, - 'GO:0070936': { - 'name': 'protein K48-linked ubiquitination', - 'def': 'A protein ubiquitination process in which a polymer of ubiquitin, formed by linkages between lysine residues at position 48 of the ubiquitin monomers, is added to a protein. K48-linked ubiquitination targets the substrate protein for degradation. [GOC:cvs, PMID:15556404]' - }, - 'GO:0070937': { - 'name': 'CRD-mediated mRNA stability complex', - 'def': 'A protein complex that binds to, and promotes stabilization of, mRNA molecules containing the coding region instability determinant (CRD). In human, IGF2BP1 and at least four additional proteins: HNRNPU, SYNCRIP, YBX1, and DHX9. [GOC:mah, PMID:19029303]' - }, - 'GO:0070938': { - 'name': 'contractile ring', - 'def': 'A cytoskeletal structure composed of filamentous protein that forms beneath the membrane of many cells or organelles, in the plane of cell or organelle division. Ring contraction is associated with centripetal growth of the membrane that divides the cytoplasm of the two daughter cells or organelles. [GOC:mah, ISBN:0123645859, ISBN:0792354923, PMID:10791428, PMID:17913889]' - }, - 'GO:0070939': { - 'name': 'Dsl1/NZR complex', - 'def': 'A multisubunit tethering complex, i.e. a protein complex involved in mediating the initial interaction between vesicles and the membranes with which they fuse, that is involved in trafficking from the Golgi apparatus to the ER. In Saccharomyces cerevisiae the Dsl1p complex contains Dsl1p, Tip20p, and Sec39p. [GOC:jh, GOC:mah, PMID:19151722, PMID:21550981]' - }, - 'GO:0070940': { - 'name': 'dephosphorylation of RNA polymerase II C-terminal domain', - 'def': 'The process of removing a phosphate group from an amino acid residue in the C-terminal domain of RNA polymerase II. Some dephosphorylation occurs during transcription while some may occur after the enzyme is released from the template in order to prepare it for the beginning of the transcription cycle again. RNA polymerase II with little or no phosphorylation is referred to as the hypophosphorylated or II(A) form. [GOC:krc, GOC:mah, PMID:17079683]' - }, - 'GO:0070941': { - 'name': 'eisosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an eisosome, a cell part that is composed of the eisosome membrane or MCC domain, a furrow-like plasma membrane sub-domain and associated integral transmembrane proteins, and the proteins (eisosome filaments) that form a scaffolding lattice on the cytoplasmic face. [GOC:al, GOC:jp, PMID:19564405]' - }, - 'GO:0070942': { - 'name': 'neutrophil mediated cytotoxicity', - 'def': 'The directed killing of a target cell by a neutrophil. [GOC:add, ISBN:0781765196]' - }, - 'GO:0070943': { - 'name': 'neutrophil mediated killing of symbiont cell', - 'def': 'The directed killing of a symbiont target cell by a neutrophil. [GOC:add, ISBN:0781765196]' - }, - 'GO:0070944': { - 'name': 'neutrophil mediated killing of bacterium', - 'def': 'The directed killing of a bacterium by a neutrophil. [GOC:add, ISBN:0781765196]' - }, - 'GO:0070945': { - 'name': 'neutrophil mediated killing of gram-negative bacterium', - 'def': 'The directed killing of a gram-negative bacterium by a neutrophil. [GOC:add, ISBN:0781765196]' - }, - 'GO:0070946': { - 'name': 'neutrophil mediated killing of gram-positive bacterium', - 'def': 'The directed killing of a gram-positive bacterium by a neutrophil. [GOC:add, ISBN:0781765196]' - }, - 'GO:0070947': { - 'name': 'neutrophil mediated killing of fungus', - 'def': 'The directed killing of a fungal cell by a neutrophil. [GOC:add, ISBN:0781765196]' - }, - 'GO:0070948': { - 'name': 'regulation of neutrophil mediated cytotoxicity', - 'def': 'Any process that modulates the rate, frequency or extent of neutrophil mediated killing of a target cell, the directed killing of a target cell by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070949': { - 'name': 'regulation of neutrophil mediated killing of symbiont cell', - 'def': 'Any process that modulates the rate, frequency or extent of neutrophil mediated killing of a symbiont cell, the directed killing of a symbiont target cell by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070950': { - 'name': 'regulation of neutrophil mediated killing of bacterium', - 'def': 'Any process that modulates the rate, frequency or extent of neutrophil mediated killing of a bacterium, the directed killing of a bacterium by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070951': { - 'name': 'regulation of neutrophil mediated killing of gram-negative bacterium', - 'def': 'Any process that modulates the rate, frequency or extent of neutrophil mediated killing of a gram-negative bacterium, the directed killing of a gram-negative bacterium by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070952': { - 'name': 'regulation of neutrophil mediated killing of gram-positive bacterium', - 'def': 'Any process that modulates the rate, frequency or extent of neutrophil mediated killing of a gram-positive bacterium, the directed killing of a gram-positive bacterium by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070953': { - 'name': 'regulation of neutrophil mediated killing of fungus', - 'def': 'Any process that modulates the rate, frequency or extent of neutrophil mediated killing of a fungal cell, the directed killing of a fungal cell by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070954': { - 'name': 'negative regulation of neutrophil mediated cytotoxicity', - 'def': 'Any process that decreases the frequency, rate or extent of the directed killing of a target cell by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070955': { - 'name': 'negative regulation of neutrophil mediated killing of symbiont cell', - 'def': 'Any process that decreases the frequency, rate or extent of the directed killing of a symbiont target cell by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070956': { - 'name': 'negative regulation of neutrophil mediated killing of bacterium', - 'def': 'Any process that decreases the frequency, rate or extent of the directed killing of a bacterium by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070957': { - 'name': 'negative regulation of neutrophil mediated killing of gram-negative bacterium', - 'def': 'Any process that decreases the frequency, rate or extent of the directed killing of a gram-negative bacterium by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070958': { - 'name': 'negative regulation of neutrophil mediated killing of gram-positive bacterium', - 'def': 'Any process that decreases the frequency, rate or extent of the directed killing of a gram-positive bacterium by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070959': { - 'name': 'negative regulation of neutrophil mediated killing of fungus', - 'def': 'Any process that decreases the frequency, rate or extent of the directed killing of a fungal cell by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070960': { - 'name': 'positive regulation of neutrophil mediated cytotoxicity', - 'def': 'Any process that increases the frequency, rate or extent of the directed killing of a target cell by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070961': { - 'name': 'positive regulation of neutrophil mediated killing of symbiont cell', - 'def': 'Any process that increases the frequency, rate or extent of the directed killing of a symbiont target cell by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070962': { - 'name': 'positive regulation of neutrophil mediated killing of bacterium', - 'def': 'Any process that increases the frequency, rate or extent of the directed killing of a bacterium by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070963': { - 'name': 'positive regulation of neutrophil mediated killing of gram-negative bacterium', - 'def': 'Any process that increases the frequency, rate or extent of the directed killing of a gram-negative bacterium by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070964': { - 'name': 'positive regulation of neutrophil mediated killing of gram-positive bacterium', - 'def': 'Any process that increases the frequency, rate or extent of the directed killing of a gram-positive bacterium by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070965': { - 'name': 'positive regulation of neutrophil mediated killing of fungus', - 'def': 'Any process that increases the frequency, rate or extent of the directed killing of a fungal cell by a neutrophil. [GOC:add, GOC:mah]' - }, - 'GO:0070966': { - 'name': 'nuclear-transcribed mRNA catabolic process, no-go decay', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the transcript body of a nuclear-transcribed mRNA with stalls in translation elongation. [GOC:jp, PMID:16554824]' - }, - 'GO:0070967': { - 'name': 'coenzyme F420 binding', - 'def': 'Interacting selectively and non-covalently with F420, the coenzyme or the prosthetic group of various flavoprotein oxidoreductase enzymes. [CHEBI:16848, GOC:dh]' - }, - 'GO:0070968': { - 'name': 'pyrroloquinoline quinone binding', - 'def': 'Interacting selectively and non-covalently with pyrroloquinoline quinone, PQQ, the coenzyme or the prosthetic group of certain alcohol dehydrogenases and glucose dehydrogenases. [CHEBI:18315, GOC:dh]' - }, - 'GO:0070970': { - 'name': 'interleukin-2 secretion', - 'def': 'The regulated release of interleukin-2 from a cell. [GOC:mah, PMID:16930574]' - }, - 'GO:0070971': { - 'name': 'endoplasmic reticulum exit site', - 'def': 'An endoplasmic reticulum part at which COPII-coated vesicles are produced. [NIF_Subcellular:sao124393998, PMID:15623529, PMID:16957052]' - }, - 'GO:0070972': { - 'name': 'protein localization to endoplasmic reticulum', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0070973': { - 'name': 'protein localization to endoplasmic reticulum exit site', - 'def': 'A process in which a protein is transported to, or maintained in, a location at an endoplasmic reticulum exit site. [GOC:mah]' - }, - 'GO:0070974': { - 'name': 'POU domain binding', - 'def': 'Interacting selectively and non-covalently with a POU domain of a protein. The POU domain is a bipartite DNA binding domain composed of two subunits separated by a non-conserved region of 15-55 amino acids; it is found in several eukaryotic transcription factors. [GOC:mah, GOC:yaf, InterPro:IPR000327]' - }, - 'GO:0070975': { - 'name': 'FHA domain binding', - 'def': 'Interacting selectively and non-covalently with a FHA domain of a protein. The FHA domain is a phosphopeptide recognition domain found in many regulatory proteins, and consists of approximately 80-100 amino acid residues folded into an 11-stranded beta sandwich. [GOC:mah, InterPro:IPR000253]' - }, - 'GO:0070976': { - 'name': 'TIR domain binding', - 'def': 'Interacting selectively and non-covalently with a Toll-Interleukin receptor (TIR) domain of a protein. The TIR domain is an intracellular 200 residue domain that is found in the Toll protein, the interleukin-1 receptor (IL-1R), and MyD88; it contains three highly-conserved regions, and mediates protein-protein interactions between the Toll-like receptors (TLRs) and signal-transduction components. [GOC:mah, InterPro:IPR000157]' - }, - 'GO:0070977': { - 'name': 'bone maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for bone to attain its fully functional state. [GOC:dph, GOC:mah]' - }, - 'GO:0070978': { - 'name': 'voltage-gated calcium channel complex assembly', - 'def': 'Cellular protein complex assembly that results in the formation of a voltage-gated calcium channel complex. [GOC:mh]' - }, - 'GO:0070979': { - 'name': 'protein K11-linked ubiquitination', - 'def': 'A protein ubiquitination process in which ubiquitin monomers are attached to a protein, and then ubiquitin polymers are formed by linkages between lysine residues at position 11 of the ubiquitin monomers. K11-linked polyubiquitination targets the substrate protein for degradation. The anaphase-promoting complex promotes the degradation of mitotic regulators by assembling K11-linked polyubiquitin chains. [GOC:jsg, GOC:pr, GOC:sp, PMID:18485873, PMID:20655260, PMID:21113135]' - }, - 'GO:0070980': { - 'name': 'biphenyl catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of biphenyl, a toxic aromatic hydrocarbon used as a heat transfer agent, as a fungistat in packaging citrus fruits and in plant disease control. Biphenyl can be chlorinated with 1-10 chlorine molecules to form polychlorinated biphenyls (PCBs). [CHEBI:17097, PMID:16310831, PMID:16339959, UniPathway:UPA00155]' - }, - 'GO:0070981': { - 'name': 'L-asparagine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of asparagine, (2S)-2-amino-3-carbamoylpropanoic acid. [CHEBI:17196, GOC:mah]' - }, - 'GO:0070982': { - 'name': 'L-asparagine metabolic process', - 'def': 'The chemical reactions and pathways involving L-asparagine, (2S)-2-amino-3-carbamoylpropanoic acid. [CHEBI:17196, GOC:mah]' - }, - 'GO:0070983': { - 'name': 'dendrite guidance', - 'def': 'The process in which the migration of a dendrite is directed to a specific target site in response to a combination of attractive and repulsive cues. [GOC:sart, PMID:15046878]' - }, - 'GO:0070984': { - 'name': 'SET domain binding', - 'def': 'Interacting selectively and non-covalently with a SET domain of a protein. SET domains are named after three Drosophila proteins that contain this domain: Su(var), E(z) and trithorax. SET domains are associated with histone lysine methylation. [GOC:sart, Pfam:PF00856, PMID:12575990]' - }, - 'GO:0070985': { - 'name': 'TFIIK complex', - 'def': 'A transcription factor complex that forms part of the holo TFIIH complex. In Saccharomyces/human, TFIIK contains Ccl1p/Cyclin H, Tfb3p/MAT1 and Kin2p/CDK7. [GOC:mah, PMID:19818408, PMID:22572993]' - }, - 'GO:0070986': { - 'name': 'left/right axis specification', - 'def': 'The establishment, maintenance and elaboration of the left/right axis. The left/right axis is defined by a line that runs orthogonal to both the anterior/posterior and dorsal/ventral axes. Each side is defined from the viewpoint of the organism rather of the observer (as per anatomical axes). [GOC:dph, GOC:gvg, GOC:mah]' - }, - 'GO:0070987': { - 'name': 'error-free translesion synthesis', - 'def': 'The conversion of DNA-damage induced single-stranded gaps into large molecular weight DNA after replication by using a specialized DNA polymerase or replication complex to insert a defined nucleotide across the lesion. This process does not remove the replication-blocking lesions but does not causes an increase in the endogenous mutation level. For S. cerevisiae, RAD30 encodes DNA polymerase eta, which incorporates two adenines. When incorporated across a thymine-thymine dimer, it does not increase the endogenous mutation level. [GOC:elh]' - }, - 'GO:0070988': { - 'name': 'demethylation', - 'def': 'The process of removing one or more methyl groups from a molecule. [GOC:BHF, GOC:rl]' - }, - 'GO:0070989': { - 'name': 'oxidative demethylation', - 'def': 'The process of removing one or more methyl groups from a molecule, involving the oxidation (i.e. electron loss) of one or more atoms in the substrate. [GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0070990': { - 'name': 'snRNP binding', - 'def': 'Interacting selectively and non-covalently with any part of a small nuclear ribonucleoprotein particle. [GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0070991': { - 'name': 'medium-chain-acyl-CoA dehydrogenase activity', - 'def': 'Catalysis of the reaction: acyl-CoA + acceptor = 2,3-dehydroacyl-CoA + reduced acceptor, where the acyl group is a medium-chain fatty acid residue. A medium chain fatty acid is any fatty acid with a chain length of between C6 and C12. [CHEBI:59554, GOC:BHF, GOC:mah]' - }, - 'GO:0070992': { - 'name': 'translation initiation complex', - 'def': 'A ribonucleoprotein complex that contains a ribosome, mRNA, and initiator tRNA; the functional ribosome is at the AUG, with the methionyl/formyl-methionyl-tRNA positioned at the P site. [GOC:hjd, GOC:mah]' - }, - 'GO:0070993': { - 'name': 'translation preinitiation complex', - 'def': 'A ribonucleoprotein complex that contains the small ribosomal subunit, a translation initiation ternary complex (i.e. an initiator tRNA, GTP, and an IF2 or eIF2 complex), and an mRNA. [GOC:hjd, GOC:mah]' - }, - 'GO:0070994': { - 'name': 'detection of oxidative stress', - 'def': 'The series of events in which a stimulus indicating oxidative stress is received and converted into a molecular signal. [GOC:mah]' - }, - 'GO:0070995': { - 'name': 'NADPH oxidation', - 'def': 'A metabolic process that results in the oxidation of reduced nicotinamide adenine dinucleotide, NADPH, to the oxidized form, NADP. [GOC:BHF, GOC:mah]' - }, - 'GO:0070996': { - 'name': 'type 1 melanocortin receptor binding', - 'def': 'Interacting selectively and non-covalently with a type 1 melanocortin receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0070997': { - 'name': 'neuron death', - 'def': 'The process of cell death in a neuron. [GOC:BHF, GOC:mah]' - }, - 'GO:0070998': { - 'name': 'sensory perception of gravity', - 'def': 'The series of events required for an organism to receive a gravitational stimulus, convert it to a molecular signal, and recognize and characterize the signal. This is a neurological process. [GOC:mah]' - }, - 'GO:0070999': { - 'name': 'detection of mechanical stimulus involved in sensory perception of gravity', - 'def': 'The series of events involved in the perception of gravity in which a sensory mechanical stimulus is received and converted into a molecular signal. [GOC:dos, GOC:mah]' - }, - 'GO:0071000': { - 'name': 'response to magnetism', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a magnetic stimulus. [GOC:sl]' - }, - 'GO:0071001': { - 'name': 'U4/U6 snRNP', - 'def': 'A ribonucleoprotein complex that contains base-paired U4 and U6 small nuclear RNAs. [GOC:mah, PMID:14685174]' - }, - 'GO:0071002': { - 'name': 'U4atac/U6atac snRNP', - 'def': 'A ribonucleoprotein complex that contains base-paired U4atac and U6atac small nuclear RNAs. [GOC:mah, PMID:14685174]' - }, - 'GO:0071003': { - 'name': 'penta-snRNP complex', - 'def': 'A ribonucleoprotein complex formed by the association of the U1, U2, U4/U6 and U5 small nuclear ribonucleoproteins. [GOC:mah, PMID:11804584, PMID:12724403]' - }, - 'GO:0071004': { - 'name': 'U2-type prespliceosome', - 'def': "A spliceosomal complex that is formed by association of the 5' splice site with the U1 snRNP, while the branch point sequence is recognized by the U2 snRNP. The prespliceosome includes many proteins in addition to those found in the U1 and U2 snRNPs. Commitment to a given pair of 5' and 3' splice sites occurs at the time of prespliceosome formation. [GOC:ab, GOC:krc, GOC:mah, PMID:17332742, PMID:19239890]" - }, - 'GO:0071005': { - 'name': 'U2-type precatalytic spliceosome', - 'def': 'A spliceosomal complex that is formed by the recruitment of the preassembled U4/U6.U5 tri-snRNP to the prespliceosome. Although all 5 snRNPs are present, the precatalytic spliceosome is catalytically inactive. The precatalytic spliceosome includes many proteins in addition to those found in the U1, U2 and U4/U6.U5 snRNPs. [GOC:ab, GOC:krc, GOC:mah, PMID:18322460, PMID:19239890]' - }, - 'GO:0071006': { - 'name': 'U2-type catalytic step 1 spliceosome', - 'def': 'A spliceosomal complex that is formed by the displacement of the U1 and U4 snRNPs from the precatalytic spliceosome; the U2, U5 and U6 snRNPs remain associated with the mRNA. This complex, sometimes called the activated spliceosome, is the catalytically active form of the spliceosome, and includes many proteins in addition to those found in the U2, and U5 and U6 snRNPs. [GOC:ab, GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393, PMID:18322460, PMID:19239890]' - }, - 'GO:0071007': { - 'name': 'U2-type catalytic step 2 spliceosome', - 'def': "A spliceosomal complex that contains the U2, U5 and U6 snRNPs bound to a splicing intermediate in which the first catalytic cleavage of the 5' splice site has occurred. The precise subunit composition differs significantly from that of the catalytic step 1, or activated, spliceosome, and includes many proteins in addition to those found in the U2, U5 and U6 snRNPs. [GOC:ab, GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393, PMID:18322460, PMID:19239890]" - }, - 'GO:0071008': { - 'name': 'U2-type post-mRNA release spliceosomal complex', - 'def': 'A spliceosomal complex that is formed following the release of the spliced product from the post-spliceosomal complex and contains the excised intron and the U2, U5 and U6 snRNPs. [GOC:ab, GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393, PMID:19239890]' - }, - 'GO:0071009': { - 'name': 'U4atac/U6atac x U5 tri-snRNP complex', - 'def': 'A ribonucleoprotein complex formed by the association of the U4atac/U6atac and U5 small nuclear ribonucleoproteins. [GOC:krc, GOC:mah, GOC:pr, PMID:16201866]' - }, - 'GO:0071010': { - 'name': 'prespliceosome', - 'def': "A spliceosomal complex that is formed by association of the 5' splice site and the branch point sequence with specific snRNPs. The prespliceosome includes many proteins in addition to those found in the bound snRNPs. Commitment to a given pair of 5' and 3' splice sites occurs at the time of prespliceosome formation. Prespliceosome complexes are not active for splicing, but are instead an early step in the assembly of a spliceosomal complex. [GOC:ab, GOC:krc, GOC:mah, PMID:17332742, PMID:19239890]" - }, - 'GO:0071011': { - 'name': 'precatalytic spliceosome', - 'def': 'A spliceosomal complex that is formed by the recruitment of a preassembled U5-containing tri-snRNP to the prespliceosome. Although all 5 snRNPs are present, the precatalytic spliceosome is catalytically inactive. The precatalytic spliceosome includes many proteins in addition to those found in the associated snRNPs. [GOC:ab, GOC:krc, GOC:mah, PMID:18322460, PMID:19239890]' - }, - 'GO:0071012': { - 'name': 'catalytic step 1 spliceosome', - 'def': 'A spliceosomal complex that is formed by the displacement of the two snRNPs from the precatalytic spliceosome; three snRNPs including U5 remain associated with the mRNA. This complex, sometimes called the activated spliceosome, is the catalytically active form of the spliceosome, and includes many proteins in addition to those found in the associated snRNPs. [GOC:ab, GOC:krc, GOC:mah, PMID:18322460, PMID:19239890]' - }, - 'GO:0071013': { - 'name': 'catalytic step 2 spliceosome', - 'def': "A spliceosomal complex that contains three snRNPs, including U5, bound to a splicing intermediate in which the first catalytic cleavage of the 5' splice site has occurred. The precise subunit composition differs significantly from that of the catalytic step 1, or activated, spliceosome, and includes many proteins in addition to those found in the associated snRNPs. [GOC:ab, GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393, PMID:18322460, PMID:19239890]" - }, - 'GO:0071014': { - 'name': 'post-mRNA release spliceosomal complex', - 'def': 'A spliceosomal complex that is formed following the release of the spliced product from the post-spliceosomal complex and contains the excised intron and three snRNPs, including U5. [GOC:ab, GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393, PMID:19239890]' - }, - 'GO:0071015': { - 'name': 'U12-type prespliceosome', - 'def': "A spliceosomal complex that is formed by the cooperative binding of the heterodimeric U11/U12 snRNP to the 5' splice site and the branch point sequence. The U12-type prespliceosome includes many proteins in addition to those found in the U11/U12 heterodimeric snRNPs. Commitment to a given pair of 5' and 3' splice sites occurs at the time of prespliceosome formation. [GOC:ab, GOC:krc, GOC:mah, PMID:10197985, PMID:16201866]" - }, - 'GO:0071016': { - 'name': 'U12-type precatalytic spliceosome', - 'def': 'A spliceosomal complex that is formed by the recruitment of the preassembled U4atac/U6atac.U5 tri-snRNP to the U12-type prespliceosome. Although all 5 snRNPs are present, the precatalytic spliceosome is catalytically inactive. The precatalytic spliceosome includes many proteins in addition to those found in the U11, U12 and U4atac/U6atac.U5 snRNPs. [GOC:ab, GOC:krc, GOC:mah, PMID:16201866]' - }, - 'GO:0071017': { - 'name': 'U12-type catalytic step 1 spliceosome', - 'def': 'A spliceosomal complex that is formed by the displacement of the U11 and U4atac snRNPs from the precatalytic spliceosome; the U12, U5 and U6atac snRNPs remain associated with the mRNA. This complex, sometimes called the activated spliceosome, is the catalytically active form of the spliceosome, and includes many proteins in addition to those found in the U12, and U5 and U6atac snRNPs. [GOC:ab, GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393, PMID:16201866]' - }, - 'GO:0071018': { - 'name': 'U12-type catalytic step 2 spliceosome', - 'def': "A spliceosomal complex that contains the U12, U5 and U6atac snRNPs bound to a splicing intermediate in which the first catalytic cleavage of the 5' splice site has occurred. The precise subunit composition differs significantly from that of the catalytic step 1, or activated, spliceosome, and includes many proteins in addition to those found in the U12, U5 and U6atac snRNPs. [GOC:ab, GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393, PMID:16201866]" - }, - 'GO:0071019': { - 'name': 'U12-type post-mRNA release spliceosomal complex', - 'def': 'A spliceosomal complex that is formed following the release of the spliced product from the post-spliceosomal complex and contains the excised intron and the U12, U5 and U6atac snRNPs. [GOC:ab, GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393, PMID:16201866]' - }, - 'GO:0071020': { - 'name': 'post-spliceosomal complex', - 'def': 'A spliceosomal complex that is formed following the second splicing event and contains the spliced product, the excised intron, and three snRNPs, including U5. [GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393]' - }, - 'GO:0071021': { - 'name': 'U2-type post-spliceosomal complex', - 'def': 'A spliceosomal complex that is formed following the second splicing event and contains the spliced product, the excised intron, and three snRNPs, U5, U2 and U6. [GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393]' - }, - 'GO:0071022': { - 'name': 'U12-type post-spliceosomal complex', - 'def': 'A spliceosomal complex that is formed following the second splicing event and contains the spliced product, the excised intron, and three snRNPs, U5, U12 and U6atac. [GOC:krc, GOC:mah, ISBN:0879695897, ISBN:0879697393]' - }, - 'GO:0071023': { - 'name': 'trans spliceosomal complex', - 'def': "A spliceosomal complex that forms during the addition of a specific spliced leader (SL) sequence to the 5'-end of a messenger RNA primary transcript, a process which occurs in a number of eukaryotic organisms, including trypanosomatid protozoans, euglenoids, nematodes, trematodes, and chordates. [GOC:krc, ISBN:0879697393]" - }, - 'GO:0071024': { - 'name': 'SL snRNP', - 'def': 'A ribonucleoprotein complex that contains spliced leader (SL) RNA. [GOC:krc, ISBN:0879697393]' - }, - 'GO:0071025': { - 'name': 'RNA surveillance', - 'def': 'The set of processes involved in identifying and degrading defective or aberrant RNAs. [GOC:dgf, GOC:krc, PMID:18644474]' - }, - 'GO:0071026': { - 'name': 'cytoplasmic RNA surveillance', - 'def': 'The set of processes involved in identifying and degrading defective or aberrant RNAs within the cytoplasm. [GOC:dgf, GOC:krc, PMID:18644474]' - }, - 'GO:0071027': { - 'name': 'nuclear RNA surveillance', - 'def': 'The set of processes involved in identifying and degrading defective or aberrant RNAs within the nucleus. [GOC:dgf, GOC:krc, PMID:18644474]' - }, - 'GO:0071028': { - 'name': 'nuclear mRNA surveillance', - 'def': 'The set of processes involved in identifying and degrading defective or aberrant mRNAs within the nucleus. [GOC:dgf, GOC:krc, PMID:18644474]' - }, - 'GO:0071029': { - 'name': 'nuclear ncRNA surveillance', - 'def': 'The set of processes involved in identifying and degrading defective or aberrant ncRNAs within the nucleus. [GOC:dgf, GOC:krc, PMID:18644474]' - }, - 'GO:0071030': { - 'name': 'nuclear mRNA surveillance of spliceosomal pre-mRNA splicing', - 'def': 'The set of processes involved in identifying and degrading incorrectly spliced pre-mRNAs within the nucleus. [GOC:dgf, GOC:krc, PMID:18644474]' - }, - 'GO:0071031': { - 'name': "nuclear mRNA surveillance of mRNA 3'-end processing", - 'def': "The set of processes involved in identifying and degrading mRNAs with incorrectly formed 3'-ends within the nucleus. [GOC:dgf, GOC:krc, PMID:18644474]" - }, - 'GO:0071032': { - 'name': 'nuclear mRNA surveillance of mRNP export', - 'def': 'The set of processes involved in identifying and degrading incorrectly formed or aberrant nuclear mRNPs docked at the nuclear pore complex prior to export to the cytoplasm. [GOC:dgf, GOC:krc, PMID:18644474]' - }, - 'GO:0071033': { - 'name': 'nuclear retention of pre-mRNA at the site of transcription', - 'def': "The process involved in retention of aberrant or improperly formed mRNAs, e.g. those that are incorrectly or incompletely spliced or that have incorrectly formed 3'-ends, within the nucleus at the site of transcription. [GOC:dgf, GOC:krc, PMID:11586364, PMID:12417728, PMID:14718167, PMID:18644474]" - }, - 'GO:0071034': { - 'name': 'CUT catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cryptic unstable transcripts (CUTs). [GOC:dgf, GOC:krc]' - }, - 'GO:0071035': { - 'name': 'nuclear polyadenylation-dependent rRNA catabolic process', - 'def': "The chemical reactions and pathways occurring in the nucleus and resulting in the breakdown of a ribosomal RNA (rRNA) molecule, including RNA fragments released as part of processing the primary transcript into multiple mature rRNA species, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target rRNA. [GOC:dgf, GOC:krc, PMID:15173578, PMID:15572680, PMID:15935758, PMID:17652137, PMID:18591258]" - }, - 'GO:0071036': { - 'name': 'nuclear polyadenylation-dependent snoRNA catabolic process', - 'def': "The chemical reactions and pathways occurring in the nucleus and resulting in the breakdown of a small nucleolar RNA (snoRNA) molecule, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target snoRNA. [GOC:dgf, GOC:krc, PMID:15935758]" - }, - 'GO:0071037': { - 'name': 'nuclear polyadenylation-dependent snRNA catabolic process', - 'def': "The chemical reactions and pathways occurring in the nucleus and resulting in the breakdown of a small nuclear RNA (snRNA) molecule, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target snRNA. [GOC:dgf, GOC:krc]" - }, - 'GO:0071038': { - 'name': 'nuclear polyadenylation-dependent tRNA catabolic process', - 'def': "The chemical reactions and pathways occurring in the nucleus and resulting in the breakdown of an aberrant or incorrectly modified transfer RNA (tRNA) molecule, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target tRNA. [GOC:dgf, GOC:krc]" - }, - 'GO:0071039': { - 'name': 'nuclear polyadenylation-dependent CUT catabolic process', - 'def': "The chemical reactions and pathways occurring in the nucleus and resulting in the breakdown of a cryptic unstable transcript (CUT), initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target CUT. [GOC:dgf, GOC:krc, PMID:15935759, PMID:16973436, PMID:16973437, PMID:18007593, PMID:18591258]" - }, - 'GO:0071040': { - 'name': 'nuclear polyadenylation-dependent antisense transcript catabolic process', - 'def': "The chemical reactions and pathways occurring in the nucleus and resulting in the breakdown of an antisense transcript, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target antisense transcript. [GOC:dgf, GOC:krc, PMID:18022365]" - }, - 'GO:0071041': { - 'name': 'antisense RNA transcript catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of antisense transcripts, i.e. transcripts that were produced from the antisense strand of a gene that produces a gene product and which often have a regulatory effect on the transcription of that gene product. [GOC:dgf, GOC:krc]' - }, - 'GO:0071042': { - 'name': 'nuclear polyadenylation-dependent mRNA catabolic process', - 'def': "The chemical reactions and pathways occurring in the nucleus and resulting in the breakdown of a messenger RNA (mRNA) molecule, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target mRNA. [GOC:dgf, GOC:krc, PMID:15145828, PMID:15828860, PMID:16431988, PMID:17643380, PMID:18000032, PMID:18644474]" - }, - 'GO:0071043': { - 'name': 'CUT metabolic process', - 'def': 'The chemical reactions and pathways involving cryptic unstable transcripts (CUTs), which are transcribed from intergenic regions. Many intergenic regions are heavily transcribed, but the transcripts are rarely detected due to rapid degradation by the nuclear exosome. [GOC:dgf, GOC:krc, PMID:15935759, PMID:16973436]' - }, - 'GO:0071044': { - 'name': 'histone mRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of histone messenger RNA (mRNA). [GOC:dgf, GOC:krc, PMID:17179095, PMID:17855393]' - }, - 'GO:0071045': { - 'name': 'nuclear histone mRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of histone messenger RNA (mRNA) within the nucleus. [GOC:dgf, GOC:krc, PMID:17179095, PMID:17855393]' - }, - 'GO:0071046': { - 'name': 'nuclear polyadenylation-dependent ncRNA catabolic process', - 'def': "The chemical reactions and pathways occurring in the nucleus and resulting in the breakdown of a noncoding RNA (ncRNA) molecule, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target ncRNA. [GOC:dgf, GOC:jl, GOC:krc, PMID:17410208]" - }, - 'GO:0071047': { - 'name': 'polyadenylation-dependent mRNA catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a messenger RNA (mRNA) molecule, initiated by the enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end the target mRNA. [GOC:dgf, GOC:krc]" - }, - 'GO:0071048': { - 'name': 'nuclear retention of unspliced pre-mRNA at the site of transcription', - 'def': 'The process involved in retention of incorrectly or incompletely spliced pre-mRNA within the nucleus at the site of transcription. [GOC:dgf, GOC:krc, PMID:14718167]' - }, - 'GO:0071049': { - 'name': "nuclear retention of pre-mRNA with aberrant 3'-ends at the site of transcription", - 'def': "The process involved in retention of mRNAs that have incorrectly formed 3'-ends within the nucleus at the site of transcription. [GOC:dgf, GOC:krc, PMID:11586364, PMID:12417728]" - }, - 'GO:0071050': { - 'name': 'snoRNA polyadenylation', - 'def': "The enzymatic addition of a sequence of adenylyl residues at the 3' end of snoRNA molecule. In eukaryotes, this occurs in conjunction with termination of transcription of precursor snoRNA molecules and may occur post-transcriptionally on incorrectly processed molecules targeted for degradation. [GOC:dgf, GOC:krc, PMID:18951092]" - }, - 'GO:0071051': { - 'name': "polyadenylation-dependent snoRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of a snoRNA molecule linked to prior polyadenylation of the 3'-end of the precursor snoRNA. [GOC:dgf, GOC:krc, PMID:18951092]" - }, - 'GO:0071052': { - 'name': 'alpha9-beta1 integrin-ADAM1 complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to the transmembrane metallopeptidase ADAM1. [PMID:11882657]' - }, - 'GO:0071053': { - 'name': 'alpha9-beta1 integrin-ADAM2 complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to the transmembrane metallopeptidase ADAM2. [PMID:11882657]' - }, - 'GO:0071054': { - 'name': 'alpha9-beta1 integrin-ADAM3 complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to the transmembrane metallopeptidase ADAM3. [PMID:11882657]' - }, - 'GO:0071055': { - 'name': 'alpha9-beta1 integrin-ADAM9 complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to the transmembrane metallopeptidase ADAM9. [PMID:11882657]' - }, - 'GO:0071056': { - 'name': 'alpha9-beta1 integrin-ADAM15 complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to the transmembrane metallopeptidase ADAM15. [PMID:11882657]' - }, - 'GO:0071057': { - 'name': 'alphav-beta3 integrin-ADAM15 complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to the transmembrane metallopeptidase ADAM15. [PMID:10944520, PMID:11882657]' - }, - 'GO:0071058': { - 'name': 'alpha3-beta1 integrin-CD151 complex', - 'def': 'A protein complex that consists of an alpha3-beta1 integrin complex bound to the tetraspanin CD151. [PMID:10811835, PMID:11884516]' - }, - 'GO:0071059': { - 'name': 'alpha6-beta1 integrin-CD151 complex', - 'def': 'A protein complex that consists of an alpha6-beta1 integrin complex bound to the tetraspanin CD151. [PMID:11884516]' - }, - 'GO:0071060': { - 'name': 'alpha7-beta1 integrin-CD151 complex', - 'def': 'A protein complex that consists of an alpha7-beta1 integrin complex bound to the tetraspanin CD151. [PMID:11884516]' - }, - 'GO:0071061': { - 'name': 'alpha6-beta4 integrin-CD151 complex', - 'def': 'A protein complex that consists of an alpha6-beta4 integrin complex bound to the tetraspanin CD151. [PMID:10811835]' - }, - 'GO:0071062': { - 'name': 'alphav-beta3 integrin-vitronectin complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to vitronectin. [PMID:10835423]' - }, - 'GO:0071063': { - 'name': 'sensory perception of wind', - 'def': 'The series of events required for an organism to receive sensory mechanical stimulus resulting from air flow, convert it to a molecular signal, and recognize and characterize the signal. [GOC:mah, PMID:19279637]' - }, - 'GO:0071064': { - 'name': 'alphaE-beta7 integrin-E-cadherin complex', - 'def': 'A protein complex that consists of an alphaE-beta7 integrin complex bound to E-cadherin. [PMID:10837471]' - }, - 'GO:0071065': { - 'name': 'alpha9-beta1 integrin-vascular cell adhesion molecule-1 complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to vascular cell adhesion molecule-1. [PMID:10209034]' - }, - 'GO:0071066': { - 'name': 'detection of mechanical stimulus involved in sensory perception of wind', - 'def': 'The series of events involved in the perception of wind in which a mechanical stimulus is received and converted into a molecular signal. [GOC:dos, GOC:mah, PMID:19279637]' - }, - 'GO:0071067': { - 'name': 'alphav-beta3 integrin-ADAM23 complex', - 'def': 'A protein complex that consists of an alphav-beta3 integrin complex bound to the transmembrane metallopeptidase ADAM23. [PMID:10749942]' - }, - 'GO:0071068': { - 'name': 'alpha9-beta1 integrin-ADAM12 complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to the transmembrane metallopeptidase ADAM12. [PMID:10944520]' - }, - 'GO:0071069': { - 'name': 'alpha4-beta1 integrin-thrombospondin-1 complex', - 'def': 'A protein complex that consists of an alpha4-beta1 integrin complex bound to thrombospondin-1. [PMID:11980922]' - }, - 'GO:0071070': { - 'name': 'alpha4-beta1 integrin-thrombospondin-2 complex', - 'def': 'A protein complex that consists of an alpha4-beta1 integrin complex bound to thrombospondin-2. [PMID:11980922]' - }, - 'GO:0071071': { - 'name': 'regulation of phospholipid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of phospholipids. [GOC:mah]' - }, - 'GO:0071072': { - 'name': 'negative regulation of phospholipid biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of phospholipids. [GOC:mah]' - }, - 'GO:0071073': { - 'name': 'positive regulation of phospholipid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of phospholipids. [GOC:mah]' - }, - 'GO:0071074': { - 'name': 'eukaryotic initiation factor eIF2 binding', - 'def': 'Interacting selectively and non-covalently with eukaryotic initiation factor eIF2, a protein complex involved in the initiation of ribosome-mediated translation. [GOC:hjd]' - }, - 'GO:0071075': { - 'name': 'CUGBP1-eIF2 complex', - 'def': 'A protein complex that contains the eukaryotic translation initiation factor 2 complex (EIF2), CUG binding protein 1, and several endoplasmic reticulum proteins; the complex is involved in the regulation of translation. [PMID:16931514]' - }, - 'GO:0071076': { - 'name': "RNA 3' uridylation", - 'def': "The enzymatic addition of a sequence of uridylyl residues at the 3' end of an RNA molecule. [GOC:vw, PMID:19430462]" - }, - 'GO:0071077': { - 'name': "adenosine 3',5'-bisphosphate transmembrane transporter activity", - 'def': "Enables the transfer of adenosine 3',5'-bisphosphate from one side of a membrane to the other. [CHEBI:37240, GOC:mah, PubChem_Compound:159296]" - }, - 'GO:0071078': { - 'name': 'fibronectin-tissue transglutaminase complex', - 'def': 'A protein complex that consists of fibronectin bound to tissue transglutaminase, and is involved in cell adhesion. [PMID:10684262]' - }, - 'GO:0071079': { - 'name': 'alpha2-beta1 integrin-chondroadherin complex', - 'def': 'A protein complex that consists of an alpha2-beta1 integrin complex bound to the cartilage matrix protein chondroadherin. [PMID:9281592]' - }, - 'GO:0071080': { - 'name': 'alpha3-beta1 integrin-basigin complex', - 'def': 'A protein complex that consists of an alpha3-beta1 integrin complex bound to the cell surface protein basigin. [PMID:9360995]' - }, - 'GO:0071081': { - 'name': 'alpha3-beta1 integrin-CD63 complex', - 'def': 'A protein complex that consists of an alpha3-beta1 integrin complex bound to the tetraspanin CD63. [PMID:7629079]' - }, - 'GO:0071082': { - 'name': 'alpha9-beta1 integrin-tenascin complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to the extracellular matrix protein tenascin. [PMID:9565552]' - }, - 'GO:0071083': { - 'name': 'alphaV-beta3 integrin-CD47-FCER2 complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to the cell surface protein CD47 and the low-affinity immunoglobulin epsilon Fc receptor (FCER2). [PMID:10037797]' - }, - 'GO:0071084': { - 'name': 'alpha2-beta1 integrin-CD47 complex', - 'def': 'A protein complex that consists of an alpha2-beta1 integrin complex bound to the cell surface protein CD47. [PMID:10397731]' - }, - 'GO:0071085': { - 'name': 'alphaIIb-beta3 integrin-CD9 complex', - 'def': 'A protein complex that consists of an alphaIIb-beta3 integrin complex bound to the cell surface protein CD9. [PMID:10429193]' - }, - 'GO:0071086': { - 'name': 'alphaIIb-beta3 integrin-CD9-CD47-platelet glycoprotein Ib complex', - 'def': 'A protein complex that consists of an alphaIIb-beta3 integrin complex bound to the cell surface proteins CD9 and CD47, and the heterodimeric platelet glycoprotein Ib. [PMID:10429193]' - }, - 'GO:0071087': { - 'name': 'alpha11-beta1 integrin-collagen type I complex', - 'def': 'A protein complex that consists of an alpha11-beta1 integrin complex bound to a type I collagen. [PMID:10464311]' - }, - 'GO:0071088': { - 'name': 'alpha5-beta1 integrin-tissue transglutaminase complex', - 'def': 'A protein complex that consists of an alpha5-beta1 integrin complex bound to tissue transglutaminase. [PMID:10684262]' - }, - 'GO:0071089': { - 'name': 'alphaV-beta3 integrin-tissue transglutaminase complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to tissue transglutaminase. [PMID:10684262]' - }, - 'GO:0071090': { - 'name': 'alphaIIb-beta3 integrin-fibronectin-tissue transglutaminase complex', - 'def': 'A protein complex that consists of an alphaIIb-beta3 integrin complex bound to fibronectin and tissue transglutaminase. [PMID:10684262]' - }, - 'GO:0071091': { - 'name': 'alpha1-beta1 integrin-tissue transglutaminase complex', - 'def': 'A protein complex that consists of an alpha1-beta1 integrin complex bound to tissue transglutaminase. [PMID:10684262]' - }, - 'GO:0071092': { - 'name': 'alpha3-beta1 integrin-tissue transglutaminase complex', - 'def': 'A protein complex that consists of an alpha3-beta1 integrin complex bound to tissue transglutaminase. [PMID:10684262]' - }, - 'GO:0071093': { - 'name': 'alpha5-beta1 integrin-fibronectin-tissue transglutaminase complex', - 'def': 'A protein complex that consists of an alpha5-beta1 integrin complex bound to fibronectin and tissue transglutaminase. [PMID:10684262]' - }, - 'GO:0071094': { - 'name': 'alpha6-beta4 integrin-CD9 complex', - 'def': 'A protein complex that consists of an alpha6-beta4 integrin complex bound to the cell surface protein CD9. [PMID:10711425]' - }, - 'GO:0071095': { - 'name': 'alpha3-beta1 integrin-thrombospondin complex', - 'def': 'A protein complex that consists of an alpha3-beta1 integrin complex bound to thrombospondin. [PMID:11358957]' - }, - 'GO:0071096': { - 'name': 'alphaV-beta3 integrin-gelsolin complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to gelsolin. [PMID:11577104]' - }, - 'GO:0071097': { - 'name': 'alphaV-beta3 integrin-paxillin-Pyk2 complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to paxillin and the FAK-related kinase Pyk2. [PMID:11683411]' - }, - 'GO:0071098': { - 'name': 'alpha6-beta4 integrin-Fyn complex', - 'def': 'A protein complex that consists of an alpha6-beta4 integrin complex bound to the Src family tyrosine kinase Fyn. [PMID:11684709]' - }, - 'GO:0071099': { - 'name': 'alphaV-beta6 integrin-TGFbeta-3 complex', - 'def': 'A protein complex that consists of an alphaV-beta6 integrin complex bound to transforming growth factor beta-3 (TGFbeta-3). [PMID:11821050]' - }, - 'GO:0071100': { - 'name': 'alphaV-beta8 integrin-MMP14-TGFbeta-1 complex', - 'def': 'A protein complex that consists of an alphaV-beta8 integrin complex bound to matrix metalloproteinase 14 and transforming growth factor beta-1 (TGFbeta-1). [PMID:11970960]' - }, - 'GO:0071101': { - 'name': 'alpha4-beta1 integrin-JAM2 complex', - 'def': 'A protein complex that consists of an alpha4-beta1 integrin complex bound to the cell adhesion molecule JAM2. [PMID:12070135]' - }, - 'GO:0071102': { - 'name': 'alpha4-beta1 integrin-paxillin complex', - 'def': 'A protein complex that consists of an alpha4-beta1 integrin complex bound to paxillin. [PMID:12221126]' - }, - 'GO:0071103': { - 'name': 'DNA conformation change', - 'def': 'A cellular process that results in a change in the spatial configuration of a DNA molecule. A conformation change can bend DNA, or alter the, twist, writhe, or linking number of a DNA molecule. [GOC:mah]' - }, - 'GO:0071104': { - 'name': 'response to interleukin-9', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-9 stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071105': { - 'name': 'response to interleukin-11', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-11 stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071106': { - 'name': "adenosine 3',5'-bisphosphate transmembrane transport", - 'def': "The directed movement of adenosine 3',5'-bisphosphate across a membrane into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:37240, GOC:mah, PubChem_Compound:159296]" - }, - 'GO:0071107': { - 'name': 'response to parathyroid hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a parathyroid hormone stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071108': { - 'name': 'protein K48-linked deubiquitination', - 'def': 'A protein deubiquitination process in which a K48-linked ubiquitin chain, i.e. a polymer of ubiquitin formed by linkages between lysine residues at position 48 of the ubiquitin monomers, is removed from a protein. [GOC:mah]' - }, - 'GO:0071109': { - 'name': 'superior temporal gyrus development', - 'def': 'The process whose specific outcome is the progression of the superior temporal gyrus over time, from its formation to the mature structure. The superior temporal gyrus is a portion of the cerebral cortex that extends from the lateral sulcus to the superior temporal sulcus. [FMA:61905, GOC:BHF, GOC:mah, PMID:11484000]' - }, - 'GO:0071110': { - 'name': 'histone biotinylation', - 'def': 'The modification of a histone by the addition of a biotinyl group. [GOC:rph, PMID:14613969, PMID:19019041]' - }, - 'GO:0071111': { - 'name': 'cyclic-guanylate-specific phosphodiesterase activity', - 'def': "Catalysis of the reaction: cyclic di-3',5'-guanylate + H(2)O = 5'-phosphoguanylyl(3'->5')guanosine + H(+). [EC:3.1.4.52, RHEA:24905]" - }, - 'GO:0071112': { - 'name': 'alpha4-beta4 integrin-EMILIN-1 complex', - 'def': 'A protein complex that consists of an alpha4-beta4 integrin complex bound to EMILIN-1 (ElastinMicrofibril Interface Located ProteIN). [PMID:12456677]' - }, - 'GO:0071113': { - 'name': 'alphaIIb-beta3 integrin-ICAM-4 complex', - 'def': 'A protein complex that consists of an alphaIIb-beta3 integrin complex bound to the cell adhesion molecule ICAM-4. [PMID:12477717]' - }, - 'GO:0071114': { - 'name': 'alphaV-beta3 integrin-tumstatin complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to tumstatin, the NC1 domain of the alpha3 chain of type IV collagen. [PMID:12682293]' - }, - 'GO:0071115': { - 'name': 'alpha5-beta1 integrin-endostatin complex', - 'def': 'A protein complex that consists of an alpha5-beta1 integrin complex bound to endostatin, the NC1 domain of the alpha1 chain of type XVIII collagen. [PMID:12682293]' - }, - 'GO:0071116': { - 'name': 'alpha6-beta1 integrin-CYR61 complex', - 'def': 'A protein complex that consists of an alpha6-beta1 integrin complex bound to CYR61, a cysteine-rich protein involved in angiogenesis. [PMID:12826661]' - }, - 'GO:0071117': { - 'name': 'alpha5-beta1 integrin-fibronectin-NOV complex', - 'def': 'A protein complex that consists of an alpha5-beta1 integrin complex bound to fibronectin and the extracellular matrix protein NOV. [PMID:12902636]' - }, - 'GO:0071118': { - 'name': 'alphaV-beta3 integrin-NOV complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to the extracellular matrix protein NOV. [PMID:12902636]' - }, - 'GO:0071119': { - 'name': 'alpha7-beta1 integrin-nicotinamide riboside kinase complex', - 'def': 'A protein complex that consists of an alpha7-beta1 integrin complex bound to nicotinamide riboside kinase 2 (also known as muscle integrin binding protein, MIBP). [PMID:12941630]' - }, - 'GO:0071120': { - 'name': 'alpha4-beta1 integrin-CD47 complex', - 'def': 'A protein complex that consists of an alpha4-beta1 integrin complex bound to the cell surface antigen CD47. [PMID:15292185]' - }, - 'GO:0071121': { - 'name': 'alpha9-beta1 integrin-VEGF-D complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to vascular endothelial growth factor D. [PMID:15590642]' - }, - 'GO:0071122': { - 'name': 'alpha9-beta1 integrin-VEGF-A complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to vascular endothelial growth factor A. [PMID:17363377]' - }, - 'GO:0071123': { - 'name': 'alpha9-beta1 integrin-VEGF-C complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to vascular endothelial growth factor C. [PMID:15590642]' - }, - 'GO:0071124': { - 'name': 'alpha1-beta1 integrin-tyrosine-protein phosphatase non-receptor type 2 complex', - 'def': 'A protein complex that consists of an alpha1-beta1 integrin complex bound to tyrosine-protein phosphatase non-receptor type 2. [PMID:15592458]' - }, - 'GO:0071125': { - 'name': 'alphaV-beta3 integrin-EGFR complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to epidermal growth factor receptor. [PMID:15834425]' - }, - 'GO:0071126': { - 'name': 'alphaV-beta6 integrin-osteopontin complex', - 'def': 'A protein complex that consists of an alphaV-beta6 integrin complex bound to osteopontin. [PMID:16005200]' - }, - 'GO:0071127': { - 'name': 'alpha9-beta1 integrin-osteopontin complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to osteopontin. [PMID:16005200]' - }, - 'GO:0071128': { - 'name': 'alpha5-beta1 integrin-osteopontin complex', - 'def': 'A protein complex that consists of an alpha5-beta1 integrin complex bound to osteopontin. [PMID:16005200]' - }, - 'GO:0071129': { - 'name': 'alphaV-beta3 integrin-LPP3 complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to lipid phosphate phosphohydrolase-3. [PMID:16099422]' - }, - 'GO:0071130': { - 'name': 'alpha5-beta1 integrin-LPP3 complex', - 'def': 'A protein complex that consists of an alpha5-beta1 integrin complex bound to lipid phosphate phosphohydrolase-3. [PMID:16099422]' - }, - 'GO:0071131': { - 'name': 'alphaV-beta3 integrin-laminin alpha-4 complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to laminin alpha-4. [PMID:16824487]' - }, - 'GO:0071132': { - 'name': 'alphaX-beta2 integrin-ICAM-4 complex', - 'def': 'A protein complex that consists of an alphaX-beta2 integrin complex bound to intercellular adhesion molecule 4. [PMID:16985175]' - }, - 'GO:0071133': { - 'name': 'alpha9-beta1 integrin-ADAM8 complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to the transmembrane metallopeptidase ADAM8. [PMID:16995821]' - }, - 'GO:0071134': { - 'name': 'alpha9-beta1 integrin-thrombospondin-1 complex', - 'def': 'A protein complex that consists of an alpha9-beta1 integrin complex bound to thrombospondin-1. [PMID:17413041]' - }, - 'GO:0071135': { - 'name': 'alpha7-beta1 integrin-focal adhesion kinase complex', - 'def': 'A protein complex that consists of an alpha7-beta1 integrin complex bound to focal adhesion kinase. [PMID:17598176]' - }, - 'GO:0071136': { - 'name': 'alpha7-beta1 integrin-laminin alpha-2 complex', - 'def': 'A protein complex that consists of an alpha7-beta1 integrin complex bound to laminin alpha-2. [PMID:17598176]' - }, - 'GO:0071137': { - 'name': 'alphaV-beta3 integrin-CD98 complex', - 'def': 'A protein complex that consists of an alphaV-beta3 integrin complex bound to the cell surface antigen CD98. [PMID:18032696]' - }, - 'GO:0071138': { - 'name': 'alpha5-beta5-fibronectin-SFRP2 complex', - 'def': 'A protein complex that consists of an alpha5-beta5 integrin complex bound to fibronectin and secreted frizzled-related protein 2. [PMID:14709558]' - }, - 'GO:0071139': { - 'name': 'resolution of recombination intermediates', - 'def': 'The cleavage and rejoining of intermediates, such as Holliday junctions, formed during DNA recombination to produce two intact molecules in which genetic material has been exchanged. [GOC:elh, GOC:mah, GOC:vw]' - }, - 'GO:0071140': { - 'name': 'resolution of mitotic recombination intermediates', - 'def': 'The cleavage and rejoining of intermediates, mitotic recombination to produce two intact molecules in which genetic material has been exchanged. [GOC:elh, GOC:mah, GOC:vw]' - }, - 'GO:0071141': { - 'name': 'SMAD protein complex', - 'def': 'A protein complex that consists of only SMAD proteins; may be homomeric or heteromeric. [GOC:mah, PMID:9670020]' - }, - 'GO:0071142': { - 'name': 'SMAD2 protein complex', - 'def': 'A protein complex that consists of a SMAD2 homotrimer. [GOC:mah, PMID:9670020]' - }, - 'GO:0071143': { - 'name': 'SMAD3 protein complex', - 'def': 'A protein complex that consists of a SMAD3 homotrimer. [GOC:mah, PMID:9670020]' - }, - 'GO:0071144': { - 'name': 'SMAD2-SMAD3 protein complex', - 'def': 'A heteromeric SMAD protein complex that contains SMAD2 and SMAD3. [GOC:mah, PMID:9670020]' - }, - 'GO:0071145': { - 'name': 'SMAD2-SMAD4 protein complex', - 'def': 'A heteromeric SMAD protein complex that contains SMAD2 and SMAD4. [GOC:mah, PMID:9670020]' - }, - 'GO:0071146': { - 'name': 'SMAD3-SMAD4 protein complex', - 'def': 'A heteromeric SMAD protein complex that contains SMAD3 and SMAD4. [GOC:mah, PMID:9670020]' - }, - 'GO:0071147': { - 'name': 'TEAD-2 multiprotein complex', - 'def': 'A protein complex that consists of the DNA binding protein TEAD-2 bound to 12 other polypeptides including the transcriptional coactivator YAP, the multi-PDZ domain protein MPDZ (also called MUPP1), a 14-3-3 domain protein, and others. [CORUM:2870, GOC:mah, PMID:11358867]' - }, - 'GO:0071148': { - 'name': 'TEAD-1-YAP complex', - 'def': 'A transcription factor complex that is composed of the DNA binding protein TEAD-1 and the transcriptional coactivator YAP. [GOC:mah, PMID:11358867]' - }, - 'GO:0071149': { - 'name': 'TEAD-2-YAP complex', - 'def': 'A transcription factor complex that is composed of the DNA binding protein TEAD-2 and the transcriptional coactivator YAP. [GOC:mah, PMID:11358867]' - }, - 'GO:0071150': { - 'name': 'TEAD-3-YAP complex', - 'def': 'A transcription factor complex that is composed of the DNA binding protein TEAD-3 and the transcriptional coactivator YAP. [GOC:mah, PMID:11358867]' - }, - 'GO:0071151': { - 'name': 'TEAD-4-YAP complex', - 'def': 'A transcription factor complex that is composed of the DNA binding protein TEAD-4 and the transcriptional coactivator YAP. [GOC:mah, PMID:11358867]' - }, - 'GO:0071152': { - 'name': 'G-protein alpha(q)-synembrin complex', - 'def': 'A protein complex formed by the association of the guanine nucleotide exchange factor synembrin with the alpha(q) subunit of a heterotrimeric G protein. [GOC:mah, PMID:12509430]' - }, - 'GO:0071153': { - 'name': 'G-protein alpha(o)-synembrin complex', - 'def': 'A protein complex formed by the association of the guanine nucleotide exchange factor synembrin with the alpha(o) subunit of a heterotrimeric G protein. [GOC:mah, PMID:12509430]' - }, - 'GO:0071154': { - 'name': 'G-protein alpha(i)1-synembrin complex', - 'def': 'A protein complex formed by the association of the guanine nucleotide exchange factor synembrin with the alpha(i)1 subunit of a heterotrimeric G protein. [GOC:mah, PMID:12509430]' - }, - 'GO:0071155': { - 'name': 'G-protein alpha(13)-synembrin complex', - 'def': 'A protein complex formed by the association of the guanine nucleotide exchange factor synembrin with the alpha(13) subunit of a heterotrimeric G protein. [GOC:mah, PMID:12509430]' - }, - 'GO:0071156': { - 'name': 'regulation of cell cycle arrest', - 'def': 'Any process that modulates the rate, frequency, or extent of cell cycle arrest, the process in which the cell cycle is halted during one of the normal phases. [GOC:mah]' - }, - 'GO:0071157': { - 'name': 'negative regulation of cell cycle arrest', - 'def': 'Any process that decreases the rate, frequency, or extent of cell cycle arrest, the process in which the cell cycle is halted during one of the normal phases. [GOC:mah]' - }, - 'GO:0071158': { - 'name': 'positive regulation of cell cycle arrest', - 'def': 'Any process that increases the rate, frequency, or extent of cell cycle arrest, the process in which the cell cycle is halted during one of the normal phases. [GOC:mah]' - }, - 'GO:0071159': { - 'name': 'NF-kappaB complex', - 'def': 'A protein complex that consists of a homo- or heterodimer of members of a family of structurally related proteins that contain a conserved N-terminal region called the Rel homology domain (RHD). In the nucleus, NF-kappaB complexes act as transcription factors. In unstimulated cells, NF-kappaB dimers are sequestered in the cytoplasm by IkappaB monomers; signals that induce NF-kappaB activity cause degradation of IkappaB, allowing NF-kappaB dimers to translocate to the nucleus and induce gene expression. [ISBN:0849327946]' - }, - 'GO:0071160': { - 'name': 'cyanophycin synthetase activity (L-aspartate-adding)', - 'def': 'Catalysis of the reaction: ATP + [L-Asp(4-L-Arg)]n + L-Asp = ADP + phosphate + [L-Asp(4-L-Arg)]n-L-Asp. [EC:6.3.2.29]' - }, - 'GO:0071161': { - 'name': 'cyanophycin synthetase activity (L-arginine-adding)', - 'def': 'Catalysis of the reaction: ATP + [L-Asp(4-L-Arg)]n-L-Asp + L-arginine = ADP + phosphate + [L-Asp(4-L-Arg)]n+1. [EC:6.3.2.30]' - }, - 'GO:0071162': { - 'name': 'CMG complex', - 'def': 'A protein complex that contains the GINS complex, Cdc45p, and the heterohexameric MCM complex, and that is involved in unwinding DNA during replication. [GOC:rb, PMID:19228417]' - }, - 'GO:0071163': { - 'name': 'DNA replication preinitiation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the DNA replication preinitiation complex, a protein-DNA complex that is assembled at eukaryotic DNA replication origins immediately prior to the initiation of DNA replication, by the assembly of additional proteins onto an existing prereplicative complex. [GOC:mah]' - }, - 'GO:0071164': { - 'name': 'RNA trimethylguanosine synthase activity', - 'def': 'Catalysis of two successive methyl transfer reactions from AdoMet to the N-2 atom of guanosine, thereby converting 7-methylguanosine in an RNA cap to 2,2,7 trimethylguanosine. [GOC:BHF, PMID:11983179, PMID:18775984]' - }, - 'GO:0071165': { - 'name': 'GINS complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a GINS complex, a heterotetrameric protein complex that associates with DNA replication origins and replication forks. [GOC:mah, PMID:16990792]' - }, - 'GO:0071166': { - 'name': 'ribonucleoprotein complex localization', - 'def': 'Any process in which a ribonucleoprotein complex is transported to, or maintained in, a specific location within a cell. [GOC:mah]' - }, - 'GO:0071167': { - 'name': 'ribonucleoprotein complex import into nucleus', - 'def': 'The directed movement of a ribonucleoprotein complex from the cytoplasm to the nucleus. [GOC:BHF, GOC:mah]' - }, - 'GO:0071168': { - 'name': 'protein localization to chromatin', - 'def': 'Any process in which a protein is transported to, or maintained at, a part of a chromosome that is organized into chromatin. [GOC:mah]' - }, - 'GO:0071169': { - 'name': 'establishment of protein localization to chromatin', - 'def': 'The directed movement of a protein to a part of a chromosome that is organized into chromatin. [GOC:mah]' - }, - 'GO:0071170': { - 'name': 'site-specific DNA replication termination', - 'def': 'A DNA replication termination process that takes place at a specific termination site. [GOC:mah, PMID:12009298, PMID:18723894]' - }, - 'GO:0071171': { - 'name': 'site-specific DNA replication termination at RTS1 barrier', - 'def': 'A DNA replication termination process that takes place at the RTS1 termination site in the mating type locus, in a specific direction required for subsequent imprinting and mating-type switching. [GOC:vw, PMID:12009298, PMID:18723894]' - }, - 'GO:0071172': { - 'name': 'dihydromonapterin reductase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydromonapterin + NADPH = tetrahydromonapterin + NADP+. [GOC:imk, PMID:19897652]' - }, - 'GO:0071173': { - 'name': 'spindle assembly checkpoint', - 'def': 'A cell cycle checkpoint that delays the metaphase/anaphase transition until the spindle is correctly assembled and chromosomes are attached to the spindle. [GOC:mah]' - }, - 'GO:0071174': { - 'name': 'mitotic spindle checkpoint', - 'def': 'A mitotic cell cycle checkpoint that originates from the spindle and delays the metaphase/anaphase transition of a mitotic nuclear division until the spindle is correctly assembled and oriented, the completion of anaphase until chromosomes are attached to the spindle, or mitotic exit and cytokinesis when the spindle does not form. [GOC:mtg_cell_cycle]' - }, - 'GO:0071175': { - 'name': 'MAML2-RBP-Jkappa-ICN1 complex', - 'def': 'A protein complex that consists of the intracellular domain of Notch1 (ICN1), the DNA-binding transcription factor RBP-Jkappa, and the transcriptional coactivator Mastermind-like-2 (MAML2); the complex is involved in transcriptional activation in response to Notch-mediated signaling. [PMID:12370315]' - }, - 'GO:0071176': { - 'name': 'MAML2-RBP-Jkappa-ICN2 complex', - 'def': 'A protein complex that consists of the intracellular domain of Notch2 (ICN2), the DNA-binding transcription factor RBP-Jkappa, and the transcriptional coactivator Mastermind-like-2 (MAML2); the complex is involved in transcriptional activation in response to Notch-mediated signaling. [PMID:12370315]' - }, - 'GO:0071177': { - 'name': 'MAML2-RBP-Jkappa-ICN3 complex', - 'def': 'A protein complex that consists of the intracellular domain of Notch3 (ICN3), the DNA-binding transcription factor RBP-Jkappa, and the transcriptional coactivator Mastermind-like-2 (MAML2); the complex is involved in transcriptional activation in response to Notch-mediated signaling. [PMID:12370315]' - }, - 'GO:0071178': { - 'name': 'MAML2-RBP-Jkappa-ICN4 complex', - 'def': 'A protein complex that consists of the intracellular domain of Notch4 (ICN4), the DNA-binding transcription factor RBP-Jkappa, and the transcriptional coactivator Mastermind-like-2 (MAML2); the complex is involved in transcriptional activation in response to Notch-mediated signaling. [PMID:12370315]' - }, - 'GO:0071179': { - 'name': 'MAML3-RBP-Jkappa-ICN1 complex', - 'def': 'A protein complex that consists of the intracellular domain of Notch1 (ICN1), the DNA-binding transcription factor RBP-Jkappa, and the transcriptional coactivator Mastermind-like-3 (MAML3); the complex is involved in transcriptional activation in response to Notch-mediated signaling. [PMID:12370315]' - }, - 'GO:0071180': { - 'name': 'MAML3-RBP-Jkappa-ICN2 complex', - 'def': 'A protein complex that consists of the intracellular domain of Notch2 (ICN2), the DNA-binding transcription factor RBP-Jkappa, and the transcriptional coactivator Mastermind-like-3 (MAML3); the complex is involved in transcriptional activation in response to Notch-mediated signaling. [PMID:12370315]' - }, - 'GO:0071181': { - 'name': 'MAML3-RBP-Jkappa-ICN3 complex', - 'def': 'A protein complex that consists of the intracellular domain of Notch3 (ICN3), the DNA-binding transcription factor RBP-Jkappa, and the transcriptional coactivator Mastermind-like-3 (MAML3); the complex is involved in transcriptional activation in response to Notch-mediated signaling. [PMID:12370315]' - }, - 'GO:0071182': { - 'name': 'MAML3-RBP-Jkappa-ICN4 complex', - 'def': 'A protein complex that consists of the intracellular domain of Notch4 (ICN4), the DNA-binding transcription factor RBP-Jkappa, and the transcriptional coactivator Mastermind-like-3 (MAML3); the complex is involved in transcriptional activation in response to Notch-mediated signaling. [PMID:12370315]' - }, - 'GO:0071183': { - 'name': 'protocadherin-alpha-protocadherin-gamma complex', - 'def': 'A protein complex that contains two cell adhesion molecules, a protocadherin-alpha and a protocadherin-gamma, and is involved in the regulation of protein localization to the plasma membrane. [PMID:15347688]' - }, - 'GO:0071184': { - 'name': 'protocadherin-alpha-v4-protocadherin-gamma-a1 complex', - 'def': 'A protein complex that contains the cell adhesion molecules protocadherin-alpha-v4 and protocadherin-gamma-a1, and is involved in the regulation of protein localization to the plasma membrane. [PMID:15347688]' - }, - 'GO:0071185': { - 'name': 'protocadherin-alpha-v4-protocadherin-gamma-a3 complex', - 'def': 'A protein complex that contains the cell adhesion molecules protocadherin-alpha-v4 and protocadherin-gamma-a3, and is involved in the regulation of protein localization to the plasma membrane. [PMID:15347688]' - }, - 'GO:0071186': { - 'name': 'protocadherin-alpha-v4-protocadherin-gamma-b2 complex', - 'def': 'A protein complex that contains the cell adhesion molecules protocadherin-alpha-v4 and protocadherin-gamma-b2, and is involved in the regulation of protein localization to the plasma membrane. [PMID:15347688]' - }, - 'GO:0071187': { - 'name': 'protocadherin-alpha-v4-protocadherin-gamma-b4 complex', - 'def': 'A protein complex that contains the cell adhesion molecules protocadherin-alpha-v4 and protocadherin-gamma-b4, and is involved in the regulation of protein localization to the plasma membrane. [PMID:15347688]' - }, - 'GO:0071188': { - 'name': 'protocadherin-alpha-v7-protocadherin-gamma-a1 complex', - 'def': 'A protein complex that contains the cell adhesion molecules protocadherin-alpha-v7 and protocadherin-gamma-a1, and is involved in the regulation of protein localization to the plasma membrane. [PMID:15347688]' - }, - 'GO:0071189': { - 'name': 'protocadherin-alpha-v7-protocadherin-gamma-a3 complex', - 'def': 'A protein complex that contains the cell adhesion molecules protocadherin-alpha-v7 and protocadherin-gamma-a3, and is involved in the regulation of protein localization to the plasma membrane. [PMID:15347688]' - }, - 'GO:0071190': { - 'name': 'protocadherin-alpha-v7-protocadherin-gamma-b2 complex', - 'def': 'A protein complex that contains the cell adhesion molecules protocadherin-alpha-v7 and protocadherin-gamma-b2, and is involved in the regulation of protein localization to the plasma membrane. [PMID:15347688]' - }, - 'GO:0071191': { - 'name': 'protocadherin-alpha-v7-protocadherin-gamma-b4 complex', - 'def': 'A protein complex that contains the cell adhesion molecules protocadherin-alpha-v7 and protocadherin-gamma-b4, and is involved in the regulation of protein localization to the plasma membrane. [PMID:15347688]' - }, - 'GO:0071192': { - 'name': 'Kv4.2-KChIP1 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the Kv channel interacting protein KChIP1 associated with the channel via interaction with the Kv alpha subunit 4.2. [PMID:15356203]' - }, - 'GO:0071193': { - 'name': 'Kv4.2-KChIP2 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the Kv channel interacting protein KChIP2 associated with the channel via interaction with the Kv alpha subunit 4.2. [PMID:15356203]' - }, - 'GO:0071194': { - 'name': 'Kv4.2-KChIP3 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the Kv channel interacting protein KChIP3 associated with the channel via interaction with the Kv alpha subunit 4.2. [PMID:15356203]' - }, - 'GO:0071195': { - 'name': 'Kv4.2-KChIP4 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the Kv channel interacting protein KChIP4 associated with the channel via interaction with the Kv alpha subunit 4.2. [PMID:15356203]' - }, - 'GO:0071196': { - 'name': 'Kv4.3-KChIP1 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the Kv channel interacting protein KChIP1 associated with the channel via interaction with the Kv alpha subunit 4.3. [PMID:15356203]' - }, - 'GO:0071197': { - 'name': 'Kv4.2-Kv4.3 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the Kv alpha subunits 4.2 and 4.3. [PMID:15356203]' - }, - 'GO:0071198': { - 'name': 'Kv4.1-DPP6 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the peptidase-related protein DPP6 associated with the channel via interaction with the Kv alpha subunit 4.1. [PMID:15911355]' - }, - 'GO:0071199': { - 'name': 'Kv4.1-DPP10 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the peptidase-related protein DPP10 associated with the channel via interaction with the Kv alpha subunit 4.1. [PMID:15911355]' - }, - 'GO:0071200': { - 'name': 'Kv4.2-DPP6 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the peptidase-related protein DPP6 associated with the channel via interaction with the Kv alpha subunit 4.2. [PMID:12575952, PMID:15911355]' - }, - 'GO:0071201': { - 'name': 'Kv4.3-DPP6 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the peptidase-related protein DPP6 associated with the channel via interaction with the Kv alpha subunit 4.3. [PMID:12575952, PMID:15911355]' - }, - 'GO:0071202': { - 'name': 'Kv4.3-DPP10 channel complex', - 'def': 'A voltage-gated potassium channel complex that contains the peptidase-related protein DPP10 associated with the channel via interaction with the Kv alpha subunit 4.3. [PMID:15911355]' - }, - 'GO:0071203': { - 'name': 'WASH complex', - 'def': 'A protein complex that localizes at the surface of endosomes, where it recruits and activates the Arp2/3 complex to induce actin polymerization. In human, the WASH complex is composed of F-actin-capping protein subunits alpha and beta, WASH1, FAM21, KIAA1033, KIAA0196 and CCDC53. [GOC:sp, PMID:19922875]' - }, - 'GO:0071204': { - 'name': "histone pre-mRNA 3'end processing complex", - 'def': "A ribonucleoprotein that binds to specific sites in, and is required for cleavage of, the 3'-end of histone pre-mRNAs. The complex contains the U7 snRNP and additional proteins, including the stem-loop binding protein (SLBP) and the exonuclease 3'hExo/Eri-1. [GOC:mah, PMID:19470752]" - }, - 'GO:0071205': { - 'name': 'protein localization to juxtaparanode region of axon', - 'def': 'Any process in which a protein is transported to, or maintained at, the juxtaparanode region of an axon. [GOC:BHF, GOC:mah]' - }, - 'GO:0071206': { - 'name': 'establishment of protein localization to juxtaparanode region of axon', - 'def': 'The directed movement of a protein to the juxtaparanode region of an axon. [GOC:BHF, GOC:mah]' - }, - 'GO:0071207': { - 'name': 'histone pre-mRNA stem-loop binding', - 'def': 'Interacting selectively and non-covalently with a conserved stem-loop structure found in histone pre-mRNAs. [PMID:19470752]' - }, - 'GO:0071208': { - 'name': 'histone pre-mRNA DCP binding', - 'def': "Interacting selectively and non-covalently with the downstream cleavage product (DCP) generated by histone pre-mRNA 3'-end processing. [PMID:19470752]" - }, - 'GO:0071209': { - 'name': 'U7 snRNA binding', - 'def': 'Interacting selectively and non-covalently with the U7 small nuclear RNA (U7 snRNA). [GOC:mah, PMID:12975319]' - }, - 'GO:0071210': { - 'name': 'protein insertion into membrane raft', - 'def': 'The process in which a protein is incorporated into a membrane raft. Membrane rafts are small (10-200 nm), heterogeneous, highly dynamic, sterol- and sphingolipid-enriched membrane domains that compartmentalize cellular processes. [GOC:mah]' - }, - 'GO:0071211': { - 'name': 'protein targeting to vacuole involved in autophagy', - 'def': 'The process of directing proteins towards the vacuole using signals contained within the protein, occurring as part of autophagy, the process in which cells digest parts of their own cytoplasm. [GOC:mah]' - }, - 'GO:0071212': { - 'name': 'subsynaptic reticulum', - 'def': 'An elaborate tubulolamellar membrane system that underlies the postsynaptic cell membrane. [PMID:1460464, PMID:18171947, PMID:19244343, PMID:7946331]' - }, - 'GO:0071213': { - 'name': 'cellular response to 1-aminocyclopropane-1-carboxylic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 1-aminocyclopropane-1-carboxylic acid stimulus. [GOC:mah]' - }, - 'GO:0071214': { - 'name': 'cellular response to abiotic stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an abiotic (non-living) stimulus. [GOC:mah]' - }, - 'GO:0071215': { - 'name': 'cellular response to abscisic acid stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an abscisic acid stimulus. [GOC:mah]' - }, - 'GO:0071216': { - 'name': 'cellular response to biotic stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a biotic stimulus, a stimulus caused or produced by a living organism. [GOC:mah]' - }, - 'GO:0071217': { - 'name': 'cellular response to external biotic stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an external biotic stimulus, an external stimulus caused by, or produced by living things. [GOC:mah]' - }, - 'GO:0071218': { - 'name': 'cellular response to misfolded protein', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a misfolded protein stimulus. [GOC:mah]' - }, - 'GO:0071219': { - 'name': 'cellular response to molecule of bacterial origin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus by molecules of bacterial origin such as peptides derived from bacterial flagellin. [GOC:mah]' - }, - 'GO:0071220': { - 'name': 'cellular response to bacterial lipoprotein', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bacterial lipoprotein stimulus. [GOC:mah]' - }, - 'GO:0071221': { - 'name': 'cellular response to bacterial lipopeptide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bacterial lipopeptide stimulus. [GOC:mah]' - }, - 'GO:0071222': { - 'name': 'cellular response to lipopolysaccharide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipopolysaccharide stimulus; lipopolysaccharide is a major component of the cell wall of gram-negative bacteria. [GOC:mah]' - }, - 'GO:0071223': { - 'name': 'cellular response to lipoteichoic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipoteichoic acid stimulus; lipoteichoic acid is a major component of the cell wall of gram-positive bacteria and typically consists of a chain of glycerol-phosphate repeating units linked to a glycolipid anchor. [GOC:mah]' - }, - 'GO:0071224': { - 'name': 'cellular response to peptidoglycan', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a peptidoglycan stimulus. Peptidoglycan is a bacterial cell wall macromolecule. [GOC:mah]' - }, - 'GO:0071225': { - 'name': 'cellular response to muramyl dipeptide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a muramyl dipeptide stimulus. Muramyl dipeptide is derived from peptidoglycan. [GOC:mah]' - }, - 'GO:0071226': { - 'name': 'cellular response to molecule of fungal origin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus by molecules of fungal origin such as chito-octamer oligosaccharide. [GOC:mah]' - }, - 'GO:0071227': { - 'name': 'cellular response to molecule of oomycetes origin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus by molecules of oomycetes origin. [GOC:mah]' - }, - 'GO:0071228': { - 'name': 'cellular response to tumor cell', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a tumor cell. [GOC:mah]' - }, - 'GO:0071229': { - 'name': 'cellular response to acid chemical', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus by the chemical structure of the anion portion of the dissociated acid (rather than the acid acting as a proton donor). The acid chemical may be in gaseous, liquid or solid form. [GOC:go_curators, GOC:mah, http://en.wikipedia.org/wiki/Acid]' - }, - 'GO:0071230': { - 'name': 'cellular response to amino acid stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amino acid stimulus. An amino acid is a carboxylic acids containing one or more amino groups. [CHEBI:33709, GOC:mah]' - }, - 'GO:0071231': { - 'name': 'cellular response to folic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a folic acid stimulus. [GOC:mah]' - }, - 'GO:0071232': { - 'name': 'cellular response to histidine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a histidine stimulus. [GOC:mah]' - }, - 'GO:0071233': { - 'name': 'cellular response to leucine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leucine stimulus. [GOC:mah]' - }, - 'GO:0071234': { - 'name': 'cellular response to phenylalanine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a phenylalanine stimulus. [GOC:mah]' - }, - 'GO:0071235': { - 'name': 'cellular response to proline', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a proline stimulus. [GOC:mah]' - }, - 'GO:0071236': { - 'name': 'cellular response to antibiotic', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an antibiotic stimulus. An antibiotic is a chemical substance produced by a microorganism which has the capacity to inhibit the growth of or to kill other microorganisms. [GOC:mah]' - }, - 'GO:0071237': { - 'name': 'cellular response to bacteriocin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bacteriocin stimulus. A bacteriocin is a protein substance released by certain bacteria that kills but does not lyse closely related strains of bacteria. Specific bacteriocins attach to specific receptors on cell walls and induce specific metabolic block, e.g. cessation of nucleic acid or protein synthesis of oxidative phosphorylation. [GOC:mah]' - }, - 'GO:0071238': { - 'name': 'cellular response to brefeldin A', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a brefeldin A stimulus. [GOC:mah]' - }, - 'GO:0071239': { - 'name': 'cellular response to streptomycin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a streptomycin stimulus. Streptomycin is a commonly used antibiotic in cell culture media which acts only on prokaryotes and blocks transition from initiation complex to chain elongating ribosome. [GOC:mah]' - }, - 'GO:0071240': { - 'name': 'cellular response to food', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a food stimulus; food is anything which, when taken into the body, serves to nourish or build up the tissues or to supply body heat. [GOC:mah]' - }, - 'GO:0071241': { - 'name': 'cellular response to inorganic substance', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an inorganic substance stimulus. [GOC:mah]' - }, - 'GO:0071242': { - 'name': 'cellular response to ammonium ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ammonium ion stimulus. [GOC:mah]' - }, - 'GO:0071243': { - 'name': 'cellular response to arsenic-containing substance', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an arsenic stimulus from compounds containing arsenic, including arsenates, arsenites, and arsenides. [GOC:mah]' - }, - 'GO:0071244': { - 'name': 'cellular response to carbon dioxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carbon dioxide (CO2) stimulus. [GOC:mah]' - }, - 'GO:0071245': { - 'name': 'cellular response to carbon monoxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carbon monoxide (CO) stimulus. [GOC:mah]' - }, - 'GO:0071246': { - 'name': 'cellular response to chlorate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chlorate stimulus. [GOC:mah]' - }, - 'GO:0071247': { - 'name': 'cellular response to chromate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chromate stimulus. [GOC:mah]' - }, - 'GO:0071248': { - 'name': 'cellular response to metal ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a metal ion stimulus. [GOC:mah]' - }, - 'GO:0071249': { - 'name': 'cellular response to nitrate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrate stimulus. [GOC:mah]' - }, - 'GO:0071250': { - 'name': 'cellular response to nitrite', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrite stimulus. [GOC:mah]' - }, - 'GO:0071251': { - 'name': 'cellular response to silicon dioxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a silicon dioxide stimulus. [GOC:mah]' - }, - 'GO:0071252': { - 'name': 'cellular response to sulfur dioxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sulfur dioxide (SO2) stimulus. [GOC:mah]' - }, - 'GO:0071253': { - 'name': 'connexin binding', - 'def': 'Interacting selectively and non-covalently with a connexin, any of a group of related proteins that assemble to form gap junctions. [GOC:mah, PMID:19864490]' - }, - 'GO:0071254': { - 'name': 'cytoplasmic U snRNP body', - 'def': 'A ribonucleoprotein complex that can be visualized as a focus in the cytoplasm, and contains uridine-rich small nuclear ribonucleoproteins (U snRNPs) and essential snRNP assembly factors. These U bodies are invariably found in association with P bodies. [GOC:sart, PMID:17595295]' - }, - 'GO:0071255': { - 'name': 'CVT vesicle assembly', - 'def': 'A vesicle organization process that takes place as part of the CVT pathway, and results in the formation of a double membrane-bounded cytosolic structure that sequesters precursor aminopeptidase I (prAPI). [GOC:rb, PMID:10966461, PMID:11085977]' - }, - 'GO:0071256': { - 'name': 'translocon complex', - 'def': 'A protein complex that constitutes a specific site of protein translocation across the endoplasmic reticulum, which involves the signal recognition particle receptor. The complex contains a core heterotrimer of alpha, beta and gamma subunits, and may contain additional proteins. [GOC:mah, PMID:10611978, PMID:18166647, PMID:8612571]' - }, - 'GO:0071257': { - 'name': 'cellular response to electrical stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an electrical stimulus. [GOC:mah]' - }, - 'GO:0071258': { - 'name': 'cellular response to gravity', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gravitational stimulus. [GOC:mah]' - }, - 'GO:0071259': { - 'name': 'cellular response to magnetism', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a magnetic stimulus. [GOC:mah]' - }, - 'GO:0071260': { - 'name': 'cellular response to mechanical stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mechanical stimulus. [GOC:mah]' - }, - 'GO:0071261': { - 'name': 'Ssh1 translocon complex', - 'def': 'A translocon complex that contains a core heterotrimer of alpha, beta and gamma subunits, and may contain additional proteins (translocon-associated proteins or TRAPs); in budding yeast the core proteins are Ssh1p, Sbh2p, and Sss1p. The Ssh1 translocon complex is involved in the cotranslational pathway of protein transport across the ER membrane, and recognizes proteins bearing strongly hydrophobic signal sequences. [GOC:mah, PMID:12134063, PMID:8612571]' - }, - 'GO:0071262': { - 'name': 'regulation of translational initiation in response to starvation', - 'def': 'Any process that modulates the frequency, rate or extent of translation initiation, as a result of deprivation of nourishment. [GOC:mah]' - }, - 'GO:0071263': { - 'name': 'negative regulation of translational initiation in response to starvation', - 'def': 'Any process that stops, prevents or reduces the rate of translation initiation, as a result of deprivation of nourishment. [GOC:mah]' - }, - 'GO:0071264': { - 'name': 'positive regulation of translational initiation in response to starvation', - 'def': 'Any process that activates or increases the frequency, rate or extent of translation initiation, as a result of deprivation of nourishment. [GOC:mah]' - }, - 'GO:0071265': { - 'name': 'L-methionine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-methionine, the L-enantiomer of (2S)-2-amino-4-(methylsulfanyl)butanoic acid. [CHEBI:16643, GOC:ecd]' - }, - 'GO:0071266': { - 'name': "'de novo' L-methionine biosynthetic process", - 'def': 'The chemical reactions and pathways resulting in the formation of L-methionine, the L-enantiomer of (2S)-2-amino-4-(methylsulfanyl)butanoic acid, from simpler components. [CHEBI:16643, GOC:ecd]' - }, - 'GO:0071267': { - 'name': 'L-methionine salvage', - 'def': 'Any process that generates L-methionine from derivatives of it, without de novo synthesis. [CHEBI:16643, GOC:ecd]' - }, - 'GO:0071268': { - 'name': 'homocysteine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of homocysteine, 2-amino-4-sulfanylbutanoic acid. [CHEBI:17230, GOC:ecd, GOC:mah]' - }, - 'GO:0071269': { - 'name': 'L-homocysteine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-homocysteine, the L-enantiomer of 2-amino-4-sulfanylbutanoic acid. [CHEBI:17588, GOC:ecd, GOC:mah]' - }, - 'GO:0071270': { - 'name': '1-butanol metabolic process', - 'def': 'The chemical reactions and pathways involving 1-butanol, an alkyl primary alcohol with the formula C4H10O. [CHEBI:28885, GOC:ecd, GOC:mah]' - }, - 'GO:0071271': { - 'name': '1-butanol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 1-butanol, an alkyl primary alcohol with the formula C4H10O. [CHEBI:28885, GOC:ecd, GOC:mah]' - }, - 'GO:0071272': { - 'name': 'morphine metabolic process', - 'def': 'The chemical reactions and pathways involving morphine, 17-methyl-7,8-didehydro-4,5alpha-epoxymorphinan-3,6alpha-diol. Morphine is a highly potent opiate analgesic psychoactive drug obtained form the opium poppy, Papaver somniferum. [CHEBI:17303, GOC:mah]' - }, - 'GO:0071273': { - 'name': 'morphine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of morphine, 17-methyl-7,8-didehydro-4,5alpha-epoxymorphinan-3,6alpha-diol. Morphine is a highly potent opiate analgesic psychoactive drug obtained form the opium poppy, Papaver somniferum. [CHEBI:17303, GOC:ecd, GOC:mah]' - }, - 'GO:0071274': { - 'name': 'isoquinoline alkaloid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of isoquinoline alkaloids, alkaloid compounds that contain bicyclic N-containing aromatic rings and are derived from a 3,4-dihydroxytyramine (dopamine) precursor that undergoes a Schiff base addition with aldehydes of different origin. [GOC:mah, http://www.life.uiuc.edu/ib/425/lecture32.html]' - }, - 'GO:0071275': { - 'name': 'cellular response to aluminum ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an aluminum ion stimulus. [GOC:mah]' - }, - 'GO:0071276': { - 'name': 'cellular response to cadmium ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cadmium (Cd) ion stimulus. [GOC:mah]' - }, - 'GO:0071277': { - 'name': 'cellular response to calcium ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a calcium ion stimulus. [GOC:mah]' - }, - 'GO:0071278': { - 'name': 'cellular response to cesium ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cesium stimulus. [GOC:mah]' - }, - 'GO:0071279': { - 'name': 'cellular response to cobalt ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cobalt ion stimulus. [GOC:mah]' - }, - 'GO:0071280': { - 'name': 'cellular response to copper ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a copper ion stimulus. [GOC:mah]' - }, - 'GO:0071281': { - 'name': 'cellular response to iron ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an iron ion stimulus. [GOC:mah]' - }, - 'GO:0071282': { - 'name': 'cellular response to iron(II) ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an iron(II) ion stimulus. [GOC:mah]' - }, - 'GO:0071283': { - 'name': 'cellular response to iron(III) ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an iron(III) ion stimulus. [GOC:mah]' - }, - 'GO:0071284': { - 'name': 'cellular response to lead ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lead ion stimulus. [GOC:mah]' - }, - 'GO:0071285': { - 'name': 'cellular response to lithium ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lithium (Li+) ion stimulus. [GOC:mah]' - }, - 'GO:0071286': { - 'name': 'cellular response to magnesium ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a magnesium ion stimulus. [GOC:mah]' - }, - 'GO:0071287': { - 'name': 'cellular response to manganese ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a manganese ion stimulus. [GOC:mah]' - }, - 'GO:0071288': { - 'name': 'cellular response to mercury ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mercury ion stimulus. [GOC:mah]' - }, - 'GO:0071289': { - 'name': 'cellular response to nickel ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nickel ion stimulus. [GOC:mah]' - }, - 'GO:0071290': { - 'name': 'cellular response to platinum ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a platinum stimulus. [GOC:mah]' - }, - 'GO:0071291': { - 'name': 'cellular response to selenium ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from selenium ion. [GOC:mah]' - }, - 'GO:0071292': { - 'name': 'cellular response to silver ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a silver ion stimulus. [GOC:mah]' - }, - 'GO:0071293': { - 'name': 'cellular response to tellurium ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tellurium ion stimulus. [GOC:mah]' - }, - 'GO:0071294': { - 'name': 'cellular response to zinc ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a zinc ion stimulus. [GOC:mah]' - }, - 'GO:0071295': { - 'name': 'cellular response to vitamin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin stimulus. [GOC:mah]' - }, - 'GO:0071296': { - 'name': 'cellular response to biotin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a biotin stimulus. [GOC:mah]' - }, - 'GO:0071297': { - 'name': 'cellular response to cobalamin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cobalamin (vitamin B12) stimulus. [GOC:mah]' - }, - 'GO:0071298': { - 'name': 'cellular response to L-ascorbic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an L-ascorbic acid (vitamin C) stimulus. [GOC:mah]' - }, - 'GO:0071299': { - 'name': 'cellular response to vitamin A', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin A stimulus. [GOC:mah]' - }, - 'GO:0071300': { - 'name': 'cellular response to retinoic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a retinoic acid stimulus. [GOC:mah]' - }, - 'GO:0071301': { - 'name': 'cellular response to vitamin B1', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin B1 stimulus. [GOC:mah]' - }, - 'GO:0071302': { - 'name': 'cellular response to vitamin B2', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin B2 stimulus. [GOC:mah]' - }, - 'GO:0071303': { - 'name': 'cellular response to vitamin B3', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin B3 stimulus. [GOC:mah]' - }, - 'GO:0071304': { - 'name': 'cellular response to vitamin B6', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin B6 stimulus. Vitamin B6 encompasses pyridoxal, pyridoxamine and pyridoxine and the active form, pyridoxal phosphate. [GOC:mah]' - }, - 'GO:0071305': { - 'name': 'cellular response to vitamin D', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin D stimulus. [GOC:mah]' - }, - 'GO:0071306': { - 'name': 'cellular response to vitamin E', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin E stimulus. [GOC:mah]' - }, - 'GO:0071307': { - 'name': 'cellular response to vitamin K', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vitamin K stimulus. [GOC:mah]' - }, - 'GO:0071308': { - 'name': 'cellular response to menaquinone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a menaquinone (vitamin K2) stimulus. [GOC:mah]' - }, - 'GO:0071309': { - 'name': 'cellular response to phylloquinone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a phylloquinone (vitamin K1) stimulus. [GOC:mah]' - }, - 'GO:0071310': { - 'name': 'cellular response to organic substance', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an organic substance stimulus. [GOC:mah]' - }, - 'GO:0071311': { - 'name': 'cellular response to acetate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acetate stimulus. [GOC:mah]' - }, - 'GO:0071312': { - 'name': 'cellular response to alkaloid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an alkaloid stimulus. Alkaloids are a large group of nitrogenous substances found in naturally in plants, many of which have extracts that are pharmacologically active. [GOC:mah]' - }, - 'GO:0071313': { - 'name': 'cellular response to caffeine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a caffeine stimulus. Caffeine is an alkaloid found in numerous plant species, where it acts as a natural pesticide that paralyzes and kills certain insects feeding upon them. [GOC:mah]' - }, - 'GO:0071314': { - 'name': 'cellular response to cocaine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cocaine stimulus. Cocaine is a crystalline alkaloid obtained from the leaves of the coca plant. [GOC:mah]' - }, - 'GO:0071315': { - 'name': 'cellular response to morphine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a morphine stimulus. Morphine is an opioid alkaloid, isolated from opium, with a complex ring structure. [GOC:mah]' - }, - 'GO:0071316': { - 'name': 'cellular response to nicotine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nicotine stimulus. [GOC:mah]' - }, - 'GO:0071317': { - 'name': 'cellular response to isoquinoline alkaloid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an isoquinoline alkaloid stimulus. An isoquinoline alkaloid is any member of a group of compounds with the heterocyclic ring structure of benzo(c)pyridine which is a structure characteristic of the group of opium alkaloids. [GOC:mah]' - }, - 'GO:0071318': { - 'name': 'cellular response to ATP', - 'def': "Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ATP (adenosine 5'-triphosphate) stimulus. [GOC:mah]" - }, - 'GO:0071319': { - 'name': 'cellular response to benzoic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a benzoic acid stimulus. [GOC:mah]' - }, - 'GO:0071320': { - 'name': 'cellular response to cAMP', - 'def': "Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cAMP (cyclic AMP, adenosine 3',5'-cyclophosphate) stimulus. [GOC:mah]" - }, - 'GO:0071321': { - 'name': 'cellular response to cGMP', - 'def': "Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cGMP (cyclic GMP, guanosine 3',5'-cyclophosphate) stimulus. [GOC:mah]" - }, - 'GO:0071322': { - 'name': 'cellular response to carbohydrate stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carbohydrate stimulus. [GOC:mah]' - }, - 'GO:0071323': { - 'name': 'cellular response to chitin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chitin stimulus. [GOC:mah]' - }, - 'GO:0071324': { - 'name': 'cellular response to disaccharide stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disaccharide stimulus. [GOC:mah]' - }, - 'GO:0071325': { - 'name': 'cellular response to mannitol stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mannitol stimulus. [GOC:mah]' - }, - 'GO:0071326': { - 'name': 'cellular response to monosaccharide stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a monosaccharide stimulus. [GOC:mah]' - }, - 'GO:0071327': { - 'name': 'cellular response to trehalose stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a trehalose stimulus. [GOC:mah]' - }, - 'GO:0071328': { - 'name': 'cellular response to maltose stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a maltose stimulus. [GOC:mah]' - }, - 'GO:0071329': { - 'name': 'cellular response to sucrose stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sucrose stimulus. [GOC:mah]' - }, - 'GO:0071330': { - 'name': 'cellular response to trehalose-6-phosphate stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a trehalose-6-phosphate stimulus. [GOC:mah]' - }, - 'GO:0071331': { - 'name': 'cellular response to hexose stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hexose stimulus. [GOC:mah]' - }, - 'GO:0071332': { - 'name': 'cellular response to fructose stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fructose stimulus. [GOC:mah]' - }, - 'GO:0071333': { - 'name': 'cellular response to glucose stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glucose stimulus. [GOC:mah]' - }, - 'GO:0071334': { - 'name': 'cellular response to rhamnose stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a rhamnose stimulus. [GOC:mah]' - }, - 'GO:0071335': { - 'name': 'hair follicle cell proliferation', - 'def': 'The multiplication or reproduction of hair follicle cells, resulting in the expansion of a cell population. [GOC:rph, PMID:16086254]' - }, - 'GO:0071336': { - 'name': 'regulation of hair follicle cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of hair follicle cell proliferation. [GOC:mah]' - }, - 'GO:0071337': { - 'name': 'negative regulation of hair follicle cell proliferation', - 'def': 'Any process that stops, prevents or reduces the rate or extent of hair follicle cell proliferation. [GOC:mah]' - }, - 'GO:0071338': { - 'name': 'positive regulation of hair follicle cell proliferation', - 'def': 'Any process that activates or increases the rate or extent of hair follicle cell proliferation. [GOC:mah]' - }, - 'GO:0071339': { - 'name': 'MLL1 complex', - 'def': 'A protein complex that can methylate lysine-4 of histone H3. MLL1/MLL is the catalytic methyltransferase subunit, and the complex also contains the core components ASH2L, HCFC1/HCF1 WDR5 and RBBP5. [GOC:sp, PMID:15960975]' - }, - 'GO:0071340': { - 'name': 'skeletal muscle acetylcholine-gated channel clustering', - 'def': 'The accumulation of acetylcholine-gated cation channels in a narrow, central region of muscle fibers, in apposition to nerve terminals. [GOC:bf, GOC:dsf, PMID:19285469]' - }, - 'GO:0071341': { - 'name': 'medial cortical node', - 'def': 'A component of the cell division site that contains the mid1, cdr2, wee1, klp8, and blt1 proteins, and is involved in contractile ring localization. Medial cortical node complexes appear as cortical dots in the middle of the cell during interphase, and function to recruit other ring components in early mitosis. [GOC:mah, GOC:vw, PMID:19474789, PMID:19959363]' - }, - 'GO:0071342': { - 'name': 'regulation of establishment of actomyosin contractile ring localization', - 'def': 'Any process that modulates the frequency, rate or extent of the process in which a contractile ring is assembled in a specific location that contributes to cytokinesis during cell cycle. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0071343': { - 'name': 'obsolete negative regulation of establishment of actomyosin contractile ring localization', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the process in which a contractile ring is assembled in a specific location. [GOC:mah]' - }, - 'GO:0071344': { - 'name': 'diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving diphosphate, the anion or salt of diphosphoric acid. [CHEBI:35782, GOC:pde]' - }, - 'GO:0071345': { - 'name': 'cellular response to cytokine stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cytokine stimulus. [GOC:mah]' - }, - 'GO:0071346': { - 'name': 'cellular response to interferon-gamma', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interferon-gamma stimulus. Interferon gamma is the only member of the type II interferon found so far. [GOC:mah, PR:000000017]' - }, - 'GO:0071347': { - 'name': 'cellular response to interleukin-1', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-1 stimulus. [GOC:mah]' - }, - 'GO:0071348': { - 'name': 'cellular response to interleukin-11', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-11 stimulus. [GOC:mah]' - }, - 'GO:0071349': { - 'name': 'cellular response to interleukin-12', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-12 stimulus. [GOC:mah]' - }, - 'GO:0071350': { - 'name': 'cellular response to interleukin-15', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-15 stimulus. [GOC:mah]' - }, - 'GO:0071351': { - 'name': 'cellular response to interleukin-18', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-18 stimulus. [GOC:mah]' - }, - 'GO:0071352': { - 'name': 'cellular response to interleukin-2', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-2 stimulus. [GOC:mah]' - }, - 'GO:0071353': { - 'name': 'cellular response to interleukin-4', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-4 stimulus. [GOC:mah]' - }, - 'GO:0071354': { - 'name': 'cellular response to interleukin-6', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-6 stimulus. [GOC:mah]' - }, - 'GO:0071355': { - 'name': 'cellular response to interleukin-9', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-9 stimulus. [GOC:mah]' - }, - 'GO:0071356': { - 'name': 'cellular response to tumor necrosis factor', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tumor necrosis factor stimulus. [GOC:mah]' - }, - 'GO:0071357': { - 'name': 'cellular response to type I interferon', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a type I interferon stimulus. Type I interferons include the interferon-alpha, beta, delta, episilon, zeta, kappa, tau, and omega gene families. [GOC:mah, PR:000025848]' - }, - 'GO:0071358': { - 'name': 'cellular response to type III interferon', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a type III interferon stimulus. Interferon lambda is the only member of the type III interferon found so far. [GOC:mah]' - }, - 'GO:0071359': { - 'name': 'cellular response to dsRNA', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a double-stranded RNA stimulus. [GOC:mah]' - }, - 'GO:0071360': { - 'name': 'cellular response to exogenous dsRNA', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an exogenous double-stranded RNA stimulus. [GOC:mah]' - }, - 'GO:0071361': { - 'name': 'cellular response to ethanol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ethanol stimulus. [GOC:mah]' - }, - 'GO:0071362': { - 'name': 'cellular response to ether', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ether stimulus. [GOC:mah]' - }, - 'GO:0071363': { - 'name': 'cellular response to growth factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a growth factor stimulus. [GOC:mah]' - }, - 'GO:0071364': { - 'name': 'cellular response to epidermal growth factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an epidermal growth factor stimulus. [GOC:mah]' - }, - 'GO:0071365': { - 'name': 'cellular response to auxin stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an auxin stimulus. [GOC:mah]' - }, - 'GO:0071366': { - 'name': 'cellular response to indolebutyric acid stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an indolebutyric acid stimulus. [GOC:mah]' - }, - 'GO:0071367': { - 'name': 'cellular response to brassinosteroid stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a brassinosteroid stimulus. [GOC:mah]' - }, - 'GO:0071368': { - 'name': 'cellular response to cytokinin stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cytokinin stimulus. [GOC:mah]' - }, - 'GO:0071369': { - 'name': 'cellular response to ethylene stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ethylene (ethene) stimulus. [GOC:mah]' - }, - 'GO:0071370': { - 'name': 'cellular response to gibberellin stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gibberellin stimulus. [GOC:mah]' - }, - 'GO:0071371': { - 'name': 'cellular response to gonadotropin stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gonadotropin stimulus. [GOC:mah]' - }, - 'GO:0071372': { - 'name': 'cellular response to follicle-stimulating hormone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a follicle-stimulating hormone stimulus. [GOC:mah]' - }, - 'GO:0071373': { - 'name': 'cellular response to luteinizing hormone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a luteinizing hormone stimulus. [GOC:mah]' - }, - 'GO:0071374': { - 'name': 'cellular response to parathyroid hormone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a parathyroid hormone stimulus. [GOC:mah]' - }, - 'GO:0071375': { - 'name': 'cellular response to peptide hormone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a peptide hormone stimulus. A peptide hormone is any of a class of peptides that are secreted into the blood stream and have endocrine functions in living animals. [GOC:mah]' - }, - 'GO:0071376': { - 'name': 'cellular response to corticotropin-releasing hormone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a corticotropin-releasing hormone stimulus. Corticotropin-releasing hormone is a peptide hormone involved in the stress response. [GOC:mah]' - }, - 'GO:0071377': { - 'name': 'cellular response to glucagon stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glucagon stimulus. [GOC:mah]' - }, - 'GO:0071378': { - 'name': 'cellular response to growth hormone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a growth hormone stimulus. Growth hormone is a peptide hormone that binds to the growth hormone receptor and stimulates growth. [GOC:mah]' - }, - 'GO:0071379': { - 'name': 'cellular response to prostaglandin stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin stimulus. [GOC:mah]' - }, - 'GO:0071380': { - 'name': 'cellular response to prostaglandin E stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin E stimulus. [GOC:mah]' - }, - 'GO:0071381': { - 'name': 'cellular response to prostaglandin F stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin F stimulus. [GOC:mah]' - }, - 'GO:0071382': { - 'name': 'cellular response to prostaglandin I stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin I stimulus. [GOC:mah]' - }, - 'GO:0071383': { - 'name': 'cellular response to steroid hormone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a steroid hormone stimulus. [GOC:mah]' - }, - 'GO:0071384': { - 'name': 'cellular response to corticosteroid stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a corticosteroid hormone stimulus. A corticosteroid is a steroid hormone that is produced in the adrenal cortex. Corticosteroids are involved in a wide range of physiologic systems such as stress response, immune response and regulation of inflammation, carbohydrate metabolism, protein catabolism, blood electrolyte levels, and behavior. They include glucocorticoids and mineralocorticoids. [GOC:mah]' - }, - 'GO:0071385': { - 'name': 'cellular response to glucocorticoid stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glucocorticoid stimulus. Glucocorticoids are hormonal C21 corticosteroids synthesized from cholesterol with the ability to bind with the cortisol receptor and trigger similar effects. Glucocorticoids act primarily on carbohydrate and protein metabolism, and have anti-inflammatory effects. [GOC:mah]' - }, - 'GO:0071386': { - 'name': 'cellular response to corticosterone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a corticosterone stimulus. Corticosterone is a 21 carbon steroid hormone of the corticosteroid type, produced in the cortex of the adrenal glands. In many species, corticosterone is the principal glucocorticoid, involved in regulation of fuel metabolism, immune reactions, and stress responses. [GOC:mah]' - }, - 'GO:0071387': { - 'name': 'cellular response to cortisol stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cortisol stimulus. Cortisol is the major natural glucocorticoid synthesized in the zona fasciculata of the adrenal cortex; it affects the metabolism of glucose, protein, and fats and has appreciable mineralocorticoid activity. It also regulates the immune system and affects many other functions. [GOC:mah]' - }, - 'GO:0071388': { - 'name': 'cellular response to cortisone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cortisone stimulus. Cortisone is a natural glucocorticoid steroid hormone that is metabolically convertible to cortisol. Cortisone is synthesized from cholesterol in the cortex of the adrenal gland under the stimulation of adrenocorticotropin hormone (ACTH). The main physiological effect of cortisone is on carbohydrate metabolism; it can stimulate increased glucose release from the liver, increased liver glycogen synthesis, and decreased utilization of glucose by the tissues. [GOC:mah]' - }, - 'GO:0071389': { - 'name': 'cellular response to mineralocorticoid stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mineralocorticoid stimulus. Mineralocorticoids are hormonal C21 corticosteroids synthesized from cholesterol and characterized by their similarity to aldosterone. Mineralocorticoids act primarily on water and electrolyte balance. [GOC:mah]' - }, - 'GO:0071390': { - 'name': 'cellular response to ecdysone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ecdysone stimulus. [GOC:mah]' - }, - 'GO:0071391': { - 'name': 'cellular response to estrogen stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of stimulus by an estrogen, C18 steroid hormones that can stimulate the development of female sexual characteristics. [GOC:mah]' - }, - 'GO:0071392': { - 'name': 'cellular response to estradiol stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of stimulus by estradiol, a C18 steroid hormone hydroxylated at C3 and C17 that acts as a potent estrogen. [GOC:mah]' - }, - 'GO:0071393': { - 'name': 'cellular response to progesterone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a progesterone stimulus. [GOC:mah]' - }, - 'GO:0071394': { - 'name': 'cellular response to testosterone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a testosterone stimulus. [GOC:mah]' - }, - 'GO:0071395': { - 'name': 'cellular response to jasmonic acid stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a jasmonic acid stimulus. [GOC:mah]' - }, - 'GO:0071396': { - 'name': 'cellular response to lipid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipid stimulus. [GOC:mah]' - }, - 'GO:0071397': { - 'name': 'cellular response to cholesterol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cholesterol stimulus. [GOC:mah]' - }, - 'GO:0071398': { - 'name': 'cellular response to fatty acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fatty acid stimulus. [GOC:mah]' - }, - 'GO:0071399': { - 'name': 'cellular response to linoleic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a linoleic acid stimulus. [GOC:mah]' - }, - 'GO:0071400': { - 'name': 'cellular response to oleic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an oleic acid stimulus. [GOC:mah]' - }, - 'GO:0071401': { - 'name': 'cellular response to triglyceride', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a triglyceride stimulus. [GOC:mah]' - }, - 'GO:0071402': { - 'name': 'cellular response to lipoprotein particle stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipoprotein particle stimulus. [GOC:mah]' - }, - 'GO:0071403': { - 'name': 'cellular response to high density lipoprotein particle stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a high density lipoprotein particle stimulus. [GOC:mah]' - }, - 'GO:0071404': { - 'name': 'cellular response to low-density lipoprotein particle stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a low-density lipoprotein particle stimulus. [GOC:mah]' - }, - 'GO:0071405': { - 'name': 'cellular response to methanol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methanol stimulus. [GOC:mah]' - }, - 'GO:0071406': { - 'name': 'cellular response to methylmercury', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methylmercury stimulus. [GOC:mah]' - }, - 'GO:0071407': { - 'name': 'cellular response to organic cyclic compound', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an organic cyclic compound stimulus. [GOC:mah]' - }, - 'GO:0071408': { - 'name': 'cellular response to cycloalkane', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cycloalkane stimulus. A cycloalkane is a cyclic saturated hydrocarbon having the general formula CnH2n. [GOC:mah]' - }, - 'GO:0071409': { - 'name': 'cellular response to cycloheximide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cycloheximide stimulus. Cycloheximide (actidione) is an antibiotic produced by some Streptomyces species which interferes with protein synthesis in eukaryotes. [GOC:mah]' - }, - 'GO:0071410': { - 'name': 'cellular response to cyclopentenone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cyclopentenone stimulus. Cyclopentenones are oxylipins derived from polyunsaturated fatty acids. They are structurally similar to jasmonic acid, but contain a reactive unsaturated carbonyl structure in the cyclo-ring. Cyclopentenones include phytoprostanes and 12-oxo-phytodienoic acid. [GOC:mah]' - }, - 'GO:0071411': { - 'name': 'cellular response to fluoxetine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fluoxetine stimulus. Fluoxetine increases the extracellular level of the neurotransmitter serotonin by inhibiting its reuptake into the presynaptic cell, increasing the level of serotonin available to bind to the postsynaptic receptor. [GOC:mah, GOC:pr]' - }, - 'GO:0071412': { - 'name': 'cellular response to genistein', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a genistein stimulus. [GOC:mah]' - }, - 'GO:0071413': { - 'name': 'cellular response to hydroxyisoflavone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydroxyisoflavone stimulus. [GOC:mah]' - }, - 'GO:0071414': { - 'name': 'cellular response to methotrexate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methotrexate stimulus. Methotrexate is 4-amino-10-methylformic acid, a folic acid analogue that is a potent competitive inhibitor of dihydrofolate reductase. [GOC:mah]' - }, - 'GO:0071415': { - 'name': 'cellular response to purine-containing compound', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a purine-containing compound stimulus. [CHEBI:26401, GOC:mah]' - }, - 'GO:0071416': { - 'name': 'cellular response to tropane', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tropane stimulus. Tropane is a nitrogenous bicyclic organic compound mainly known for a group of alkaloids derived from it (called tropane alkaloids), which include, among others, atropine and cocaine. [GOC:mah]' - }, - 'GO:0071417': { - 'name': 'cellular response to organonitrogen compound', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an organonitrogen stimulus. An organonitrogen compound is formally a compound containing at least one carbon-nitrogen bond. [CHEBI:35352, GOC:mah]' - }, - 'GO:0071418': { - 'name': 'cellular response to amine stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amine stimulus. An amine is a compound formally derived from ammonia by replacing one, two or three hydrogen atoms by hydrocarbyl groups. [GOC:mah]' - }, - 'GO:0071419': { - 'name': 'cellular response to amphetamine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amphetamine stimulus. Amphetamines consist of a group of compounds related to alpha-methylphenethylamine. [GOC:mah]' - }, - 'GO:0071420': { - 'name': 'cellular response to histamine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a histamine stimulus. Histamine, the biogenic amine 2-(1H-imidazol-4-yl)ethanamine, is involved in local immune responses as well as regulating physiological function in the gut and acting as a neurotransmitter. [GOC:mah]' - }, - 'GO:0071421': { - 'name': 'manganese ion transmembrane transport', - 'def': 'A process in which a manganese ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0071422': { - 'name': 'succinate transmembrane transport', - 'def': 'A process in which a succinate ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0071423': { - 'name': 'malate transmembrane transport', - 'def': 'A process in which a malate ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0071424': { - 'name': 'rRNA (cytosine-N4-)-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + rRNA = S-adenosyl-L-homocysteine + rRNA containing N4-methylcytosine. [GOC:imk, PMID:19965768]' - }, - 'GO:0071425': { - 'name': 'hematopoietic stem cell proliferation', - 'def': 'The expansion of a hematopoietic stem cell population by cell division. A hematopoietic stem cell is a stem cell from which all cells of the lymphoid and myeloid lineages develop. [CL:0000037, GOC:add, GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0071426': { - 'name': 'ribonucleoprotein complex export from nucleus', - 'def': 'The directed movement of a ribonucleoprotein complex from the nucleus to the cytoplasm. [GOC:mah]' - }, - 'GO:0071427': { - 'name': 'mRNA-containing ribonucleoprotein complex export from nucleus', - 'def': 'The directed movement of a ribonucleoprotein complex that contains messenger RNA from the nucleus to the cytoplasm. [GOC:mah]' - }, - 'GO:0071428': { - 'name': 'rRNA-containing ribonucleoprotein complex export from nucleus', - 'def': 'The directed movement of a ribonucleoprotein complex that contains ribosomal RNA from the nucleus to the cytoplasm. [GOC:mah]' - }, - 'GO:0071429': { - 'name': 'snRNA-containing ribonucleoprotein complex export from nucleus', - 'def': 'The directed movement of a ribonucleoprotein complex that contains small nuclear RNA from the nucleus to the cytoplasm. [GOC:mah]' - }, - 'GO:0071430': { - 'name': 'pre-miRNA-containing ribonucleoprotein complex export from nucleus', - 'def': 'The directed movement of a ribonucleoprotein complex that contains pre-microRNA from the nucleus to the cytoplasm. [GOC:mah, GOC:sl]' - }, - 'GO:0071431': { - 'name': 'tRNA-containing ribonucleoprotein complex export from nucleus', - 'def': 'The directed movement of a ribonucleoprotein complex that contains transfer RNA from the nucleus to the cytoplasm. [GOC:mah]' - }, - 'GO:0071432': { - 'name': 'peptide mating pheromone maturation involved in conjugation with cellular fusion', - 'def': 'The formation of a mature peptide mating pheromone by proteolysis and/or modification of a peptide precursor, occurring in the context of conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0071433': { - 'name': 'cell wall repair', - 'def': 'A process of cell wall organization that results in the restoration of the cell wall following damage. [GOC:mah, GOC:vw]' - }, - 'GO:0071434': { - 'name': 'cell chemotaxis to angiotensin', - 'def': 'The directed movement of a motile cell in response to the presence of angiotensin. [GOC:mah]' - }, - 'GO:0071435': { - 'name': 'potassium ion export', - 'def': 'The directed movement of potassium ions out of a cell or organelle. [GOC:mah]' - }, - 'GO:0071436': { - 'name': 'sodium ion export', - 'def': 'The directed movement of sodium ions out of a cell or organelle. [GOC:mah]' - }, - 'GO:0071437': { - 'name': 'invadopodium', - 'def': 'A cell projection that emerges from the ECM-facing surface of a cell, is enriched in actin and associated cytoskeletal proteins, and displays localized proteolytic activity toward the substrate. [GOC:mah, PMID:16651416, PMID:19491051, PMID:19931459]' - }, - 'GO:0071438': { - 'name': 'invadopodium membrane', - 'def': 'The portion of the plasma membrane surrounding an invadopodium. [GOC:mah]' - }, - 'GO:0071439': { - 'name': 'clathrin complex', - 'def': 'A protein complex that consists of three clathrin heavy chains and three clathrin light chains, organized into a symmetrical three-legged structure called a triskelion. In clathrin-coated vesicles clathrin is the main component of the coat and forms a polymeric mechanical scaffold on the vesicle surface. [GOC:mah, PMID:16493411]' - }, - 'GO:0071440': { - 'name': 'regulation of histone H3-K14 acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of the addition of an acetyl group to histone H3 at position 14 of the histone. [GOC:mah]' - }, - 'GO:0071441': { - 'name': 'negative regulation of histone H3-K14 acetylation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the addition of an acetyl group to histone H3 at position 14 of the histone. [GOC:mah]' - }, - 'GO:0071442': { - 'name': 'positive regulation of histone H3-K14 acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of the addition of an acetyl group to histone H3 at position 14 of the histone. [GOC:mah]' - }, - 'GO:0071443': { - 'name': 'tDNA binding', - 'def': 'Interacting selectively and non-covalently with DNA sequences encoding transfer RNA. [GOC:mah]' - }, - 'GO:0071444': { - 'name': 'cellular response to pheromone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pheromone stimulus. [GOC:mah]' - }, - 'GO:0071445': { - 'name': 'obsolete cellular response to protein stimulus', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a protein stimulus. [GOC:mah]' - }, - 'GO:0071446': { - 'name': 'cellular response to salicylic acid stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a salicylic acid stimulus. [GOC:mah]' - }, - 'GO:0071447': { - 'name': 'cellular response to hydroperoxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydroperoxide stimulus. Hydroperoxides are monosubstitution products of hydrogen peroxide, HOOH. [GOC:mah]' - }, - 'GO:0071448': { - 'name': 'cellular response to alkyl hydroperoxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an alkyl hydroperoxide stimulus. Alkyl hydroperoxides are monosubstitution products of hydrogen peroxide, HOOH, where the substituent is an alkyl group. [GOC:mah]' - }, - 'GO:0071449': { - 'name': 'cellular response to lipid hydroperoxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipid hydroperoxide stimulus. Lipid hydroperoxide is the highly reactive primary oxygenated products of polyunsaturated fatty acids. [GOC:mah]' - }, - 'GO:0071450': { - 'name': 'cellular response to oxygen radical', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an oxygen radical stimulus. An oxygen radical is any oxygen species that carries a free electron; examples include hydroxyl radicals and the superoxide anion. [GOC:mah]' - }, - 'GO:0071451': { - 'name': 'cellular response to superoxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a superoxide stimulus. Superoxide is the anion, oxygen-, formed by addition of one electron to dioxygen (O2) or any compound containing the superoxide anion. [GOC:mah]' - }, - 'GO:0071452': { - 'name': 'cellular response to singlet oxygen', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a singlet oxygen stimulus. Singlet oxygen is a dioxygen (O2) molecule in which two 2p electrons have similar spin. Singlet oxygen is more highly reactive than the form in which these electrons are of opposite spin, and it is produced in mutant chloroplasts lacking carotenoids and by leukocytes during metabolic burst. [GOC:mah]' - }, - 'GO:0071453': { - 'name': 'cellular response to oxygen levels', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting the presence, absence, or concentration of oxygen. [GOC:mah]' - }, - 'GO:0071454': { - 'name': 'cellular response to anoxia', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating a decline in oxygen levels to trace amounts, <0.1%. [GOC:mah]' - }, - 'GO:0071455': { - 'name': 'cellular response to hyperoxia', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating increased oxygen tension. [GOC:mah]' - }, - 'GO:0071456': { - 'name': 'cellular response to hypoxia', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating lowered oxygen tension. Hypoxia, defined as a decline in O2 levels below normoxic levels of 20.8 - 20.95%, results in metabolic adaptation at both the cellular and organismal level. [GOC:mah]' - }, - 'GO:0071457': { - 'name': 'cellular response to ozone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ozone stimulus. [GOC:mah]' - }, - 'GO:0071458': { - 'name': 'integral component of cytoplasmic side of endoplasmic reticulum membrane', - 'def': 'The component of the endoplasmic reticulum membrane consisting of the gene products that penetrate only the cytoplasmic side of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0071459': { - 'name': 'protein localization to chromosome, centromeric region', - 'def': 'Any process in which a protein is transported to, or maintained at, the centromeric region of a chromosome. [GOC:mah]' - }, - 'GO:0071460': { - 'name': 'cellular response to cell-matrix adhesion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of cell-matrix adhesion. [GOC:sl, PMID:11425869]' - }, - 'GO:0071461': { - 'name': 'cellular response to redox state', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating redox state. Redox state refers to the balance of oxidized versus reduced forms of electron donors and acceptors in an organelle, cell or organ; plastoquinone, glutathione (GSH/GSSG), and nicotinamide nucleotides (NAD+/NADH and NADP+/NADPH) are among the most important. [GOC:mah]' - }, - 'GO:0071462': { - 'name': 'cellular response to water stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting the presence, absence, or concentration of water. [GOC:mah]' - }, - 'GO:0071463': { - 'name': 'cellular response to humidity', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a humidity stimulus, moisture in the atmosphere. [GOC:mah]' - }, - 'GO:0071464': { - 'name': 'cellular response to hydrostatic pressure', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydrostatic pressure stimulus. Hydrostatic pressure is the force acting on an object in a system where the fluid is at rest (as opposed to moving). The weight of the fluid above the object creates pressure on it. [GOC:mah]' - }, - 'GO:0071465': { - 'name': 'cellular response to desiccation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a desiccation stimulus, extreme dryness resulting from the prolonged deprivation of water. [GOC:mah]' - }, - 'GO:0071466': { - 'name': 'cellular response to xenobiotic stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a xenobiotic compound stimulus. Xenobiotic compounds are compounds foreign to living organisms. [GOC:mah]' - }, - 'GO:0071467': { - 'name': 'cellular response to pH', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pH stimulus. pH is a measure of the acidity or basicity of an aqueous solution. [GOC:mah, http://en.wikipedia.org/wiki/PH]' - }, - 'GO:0071468': { - 'name': 'cellular response to acidic pH', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pH stimulus with pH < 7. pH is a measure of the acidity or basicity of an aqueous solution. [GOC:go_curators, GOC:mah, http://en.wikipedia.org/wiki/PH]' - }, - 'GO:0071469': { - 'name': 'cellular response to alkaline pH', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pH stimulus with pH > 7. pH is a measure of the acidity or basicity of an aqueous solution. [GOC:go_curators, GOC:mah, http://en.wikipedia.org/wiki/PH]' - }, - 'GO:0071470': { - 'name': 'cellular response to osmotic stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating an increase or decrease in the concentration of solutes outside the organism or cell. [GOC:mah]' - }, - 'GO:0071471': { - 'name': 'cellular response to non-ionic osmotic stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating an increase or decrease in the concentration of non-ionic solutes (e.g. mannitol, sorbitol) in the environment. [GOC:mah]' - }, - 'GO:0071472': { - 'name': 'cellular response to salt stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating an increase or decrease in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:mah]' - }, - 'GO:0071473': { - 'name': 'cellular response to cation stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of cation stress, an increase or decrease in the concentration of positively charged ions in the environment. [GOC:mah]' - }, - 'GO:0071474': { - 'name': 'cellular hyperosmotic response', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, a hyperosmotic environment, i.e. an environment with a higher concentration of solutes than the organism or cell. [GOC:mah]' - }, - 'GO:0071475': { - 'name': 'cellular hyperosmotic salinity response', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, an increase in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:mah]' - }, - 'GO:0071476': { - 'name': 'cellular hypotonic response', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, a hypotonic environment, i.e. an environment with a lower concentration of solutes than the organism or cell. [GOC:mah]' - }, - 'GO:0071477': { - 'name': 'cellular hypotonic salinity response', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detection of, or exposure to, a decrease in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:mah]' - }, - 'GO:0071478': { - 'name': 'cellular response to radiation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an electromagnetic radiation stimulus. Electromagnetic radiation is a propagating wave in space with electric and magnetic components. These components oscillate at right angles to each other and to the direction of propagation. [GOC:mah]' - }, - 'GO:0071479': { - 'name': 'cellular response to ionizing radiation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ionizing radiation stimulus. Ionizing radiation is radiation with sufficient energy to remove electrons from atoms and may arise from spontaneous decay of unstable isotopes, resulting in alpha and beta particles and gamma rays. Ionizing radiation also includes X-rays. [GOC:mah]' - }, - 'GO:0071480': { - 'name': 'cellular response to gamma radiation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gamma radiation stimulus. Gamma radiation is a form of electromagnetic radiation (EMR) or light emission of a specific frequency produced from sub-atomic particle interaction, such as electron-positron annihilation and radioactive decay. Gamma rays are generally characterized as EMR having the highest frequency and energy, and also the shortest wavelength, within the electromagnetic radiation spectrum. [GOC:mah]' - }, - 'GO:0071481': { - 'name': 'cellular response to X-ray', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of X-ray radiation. An X-ray is a form of electromagnetic radiation with a wavelength in the range of 10 nanometers to 100 picometers (corresponding to frequencies in the range 30 PHz to 3 EHz). [GOC:mah]' - }, - 'GO:0071482': { - 'name': 'cellular response to light stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a light stimulus, electromagnetic radiation of wavelengths classified as infrared, visible or ultraviolet light. [GOC:mah]' - }, - 'GO:0071483': { - 'name': 'cellular response to blue light', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a blue light stimulus. Blue light is electromagnetic radiation with a wavelength of between 440 and 500nm. [GOC:mah]' - }, - 'GO:0071484': { - 'name': 'cellular response to light intensity', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a light intensity stimulus. [GOC:mah]' - }, - 'GO:0071485': { - 'name': 'cellular response to absence of light', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an absence of light stimuli. [GOC:mah]' - }, - 'GO:0071486': { - 'name': 'cellular response to high light intensity', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a high light intensity stimulus. [GOC:mah]' - }, - 'GO:0071487': { - 'name': 'cellular response to low light intensity stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a low light intensity stimulus. Low light intensity is defined as a level of electromagnetic radiation at or below 0.1 micromols/m2. [GOC:mah]' - }, - 'GO:0071488': { - 'name': 'cellular response to very low light intensity stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a very low light intensity stimulus. A very low light intensity stimulus is defined as a level of electromagnetic radiation below 0.001 mmol/m2/sec. [GOC:mah]' - }, - 'GO:0071489': { - 'name': 'cellular response to red or far red light', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a red or far red light stimulus. Red light is electromagnetic radiation of wavelength of 580-700nm. Far red light is electromagnetic radiation of wavelength 700-800nm. An example of this response is seen at the beginning of many plant species developmental stages. These include germination, and the point when cotyledon expansion is triggered. In certain species these processes take place in response to absorption of red light by the pigment molecule phytochrome, but the signal can be reversed by exposure to far red light. During the initial phase the phytochrome molecule is only present in the red light absorbing form, but on absorption of red light it changes to a far red light absorbing form, triggering progress through development. An immediate short period of exposure to far red light entirely returns the pigment to its initial state and prevents triggering of the developmental process. A thirty minute break between red and subsequent far red light exposure renders the red light effect irreversible, and development then occurs regardless of whether far red light exposure subsequently occurs. [GOC:mah]' - }, - 'GO:0071490': { - 'name': 'cellular response to far red light', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of far red light stimulus. Far red light is electromagnetic radiation of wavelength 700-800nm. An example of this response is seen at the beginning of many plant species developmental stages. These include germination, and the point when cotyledon expansion is triggered. In certain species these processes take place in response to absorption of red light by the pigment molecule phytochrome, but the signal can be reversed by exposure to far red light. During the initial phase the phytochrome molecule is only present in the red light absorbing form, but on absorption of red light it changes to a far red light absorbing form, triggering progress through development. An immediate short period of exposure to far red light entirely returns the pigment to its initial state and prevents triggering of the developmental process. A thirty minute break between red and subsequent far red light exposure renders the red light effect irreversible, and development then occurs regardless of whether far red light exposure subsequently occurs. [GOC:mah]' - }, - 'GO:0071491': { - 'name': 'cellular response to red light', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a red light stimulus. Red light is electromagnetic radiation of wavelength of 580-700nm. An example of this response is seen at the beginning of many plant species developmental stages. These include germination, and the point when cotyledon expansion is triggered. In certain species these processes take place in response to absorption of red light by the pigment molecule phytochrome, but the signal can be reversed by exposure to far red light. During the initial phase the phytochrome molecule is only present in the red light absorbing form, but on absorption of red light it changes to a far red light absorbing form, triggering progress through development. An immediate short period of exposure to far red light entirely returns the pigment to its initial state and prevents triggering of the developmental process. A thirty minute break between red and subsequent far red light exposure renders the red light effect irreversible, and development then occurs regardless of whether far red light exposure subsequently occurs. [GOC:mah]' - }, - 'GO:0071492': { - 'name': 'cellular response to UV-A', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a UV-A radiation stimulus. UV-A radiation (UV-A light) spans the wavelengths 315 to 400 nm. [GOC:mah]' - }, - 'GO:0071493': { - 'name': 'cellular response to UV-B', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a UV-B radiation stimulus. UV-B radiation (UV-B light) spans the wavelengths 280 to 315 nm. [GOC:mah]' - }, - 'GO:0071494': { - 'name': 'cellular response to UV-C', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a UV-C radiation stimulus. UV-C radiation (UV-C light) spans the wavelengths 100 to 280 nm. [GOC:mah]' - }, - 'GO:0071495': { - 'name': 'cellular response to endogenous stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus arising within the organism. [GOC:mah]' - }, - 'GO:0071496': { - 'name': 'cellular response to external stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an external stimulus. [GOC:mah]' - }, - 'GO:0071497': { - 'name': 'cellular response to freezing', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a freezing stimulus, temperatures below 0 degrees Celsius. [GOC:mah]' - }, - 'GO:0071498': { - 'name': 'cellular response to fluid shear stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fluid shear stress stimulus. Fluid shear stress is the force acting on an object in a system where the fluid is moving across a solid surface. [GOC:mah]' - }, - 'GO:0071499': { - 'name': 'cellular response to laminar fluid shear stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a laminar fluid shear stress stimulus. Laminar fluid flow is the force acting on an object in a system where the fluid is moving across a solid surface in parallel layers. [GOC:mah]' - }, - 'GO:0071500': { - 'name': 'cellular response to nitrosative stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrosative stress stimulus. Nitrosative stress is a state often resulting from exposure to high levels of nitric oxide (NO) or the highly reactive oxidant peroxynitrite, which is produced following interaction of NO with superoxide anions. [GOC:mah]' - }, - 'GO:0071501': { - 'name': 'cellular response to sterol depletion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating deprivation of sterols. Sterols are a group of steroids characterized by the presence of one or more hydroxyl groups and a hydrocarbon side-chain in the molecule. [GOC:mah]' - }, - 'GO:0071502': { - 'name': 'cellular response to temperature stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a temperature stimulus. [GOC:mah]' - }, - 'GO:0071503': { - 'name': 'response to heparin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a heparin stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071504': { - 'name': 'cellular response to heparin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a heparin stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071505': { - 'name': 'response to mycophenolic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mycophenolic acid stimulus. [CHEBI:168396, GOC:mah, GOC:yaf]' - }, - 'GO:0071506': { - 'name': 'cellular response to mycophenolic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mycophenolic acid stimulus. [CHEBI:168396, GOC:mah, GOC:yaf]' - }, - 'GO:0071507': { - 'name': 'MAPK cascade involved in conjugation with cellular fusion', - 'def': 'A MAPK cascade that contributes to conjugation with cellular fusion. [GOC:mah, GOC:vw]' - }, - 'GO:0071508': { - 'name': 'activation of MAPK activity involved in conjugation with cellular fusion', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase in the context of conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0071509': { - 'name': 'activation of MAPKK activity involved in conjugation with cellular fusion', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase kinase in the context of conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0071510': { - 'name': 'activation of MAPKKK activity involved in conjugation with cellular fusion', - 'def': 'Any process that initiates the activity of the inactive enzyme MAP kinase kinase kinase in the context of conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0071511': { - 'name': 'inactivation of MAPK activity involved in conjugation with cellular fusion', - 'def': 'Any process that terminates the activity of the active enzyme MAP kinase in the context of conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0071512': { - 'name': 'MAPK import into nucleus involved in conjugation with cellular fusion', - 'def': 'The directed movement of a MAP kinase to the nucleus that occurs in the context of conjugation with cellular fusion. [GOC:mah]' - }, - 'GO:0071513': { - 'name': 'phosphopantothenoylcysteine decarboxylase complex', - 'def': "A protein complex that catalyzes decarboxylation of 4'-phosphopantothenoylcysteine to yield 4'-phosphopantetheine; this is the third step in the biosynthesis of Coenzyme A. The complex is homotrimeric in many eukaryotes, but is a heterotrimer in Saccharomyces. [GOC:jh, PMID:19915539]" - }, - 'GO:0071514': { - 'name': 'genetic imprinting', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving macromolecules by a mechanism that is mediated by DNA, is mitotically or meiotically heritable, or is stably self-propagated in the cytoplasm of a resting cell, and does not entail a change in DNA sequence. [GOC:mah, GOC:vw]' - }, - 'GO:0071515': { - 'name': 'genetic imprinting at mating-type locus', - 'def': 'A genetic imprinting process in which a stable single-strand DNA lesion triggers programmed gene conversion at the mating-type locus, thereby restricting mating-type interconversion to one of the two sister chromatids during DNA replication. [GOC:mah, PMID:14765111, PMID:18723894]' - }, - 'GO:0071516': { - 'name': 'establishment of imprinting at mating-type locus', - 'def': 'The initial formation of a stable single-strand DNA lesion that triggers programmed gene conversion at the mating-type locus, thereby restricting mating-type interconversion to one of the two sister chromatids during DNA replication. [GOC:mah, PMID:18723894]' - }, - 'GO:0071517': { - 'name': 'maintenance of imprinting at mating-type locus', - 'def': 'Any process involved in preserving the structure of a stable single-strand DNA lesion that triggers programmed gene conversion at the mating-type locus, thereby restricting mating-type interconversion to one of the two sister chromatids during DNA replication. [GOC:mah, PMID:14765111, PMID:18723894]' - }, - 'GO:0071518': { - 'name': 'autoinducer-2 kinase activity', - 'def': 'Catalysis of the reaction: 4,5-dihydroxy-pentane-2,3-dione + ATP = 5-phospho-4-hydroxy-pentane-2,3-dione (P-DPD) + ADP. [GOC:imk, PMID:17274596, PMID:20025244]' - }, - 'GO:0071519': { - 'name': 'actomyosin contractile ring actin filament bundle assembly', - 'def': 'A process of actin filament bundle formation that occurs in the context of assembling an actomyosin contractile ring during cytokinesis. [GOC:mah, PMID:19713940]' - }, - 'GO:0071520': { - 'name': 'actomyosin contractile ring assembly actin filament bundle convergence', - 'def': 'A process of actin filament bundle distribution that occurs in the context of assembling an actomyosin contractile ring during cytokinesis, and that results in the compaction of actin filaments into a tight ring. [GOC:mah, PMID:19713940]' - }, - 'GO:0071521': { - 'name': 'Cdc42 GTPase complex', - 'def': 'A protein complex formed by the association of the small GTPase Cdc42 with additional proteins. In Schizosaccharomyces the complex contains the Cdc42, Ras1, Scd1, Scd2, andShk1 proteins, and functions in the Ras1-Scd GTPase signalling pathway. [GOC:mah, GOC:vw, PMID:10567532, PMID:7923372, PMID:8943016]' - }, - 'GO:0071522': { - 'name': 'ureidoglycine aminohydrolase activity', - 'def': 'Catalysis of the reaction: ureidoglycine + H2O = S-ureidoglycolate + NH3. [MetaCyc:URUR-RXN, PMID:19935661, PMID:20038185]' - }, - 'GO:0071523': { - 'name': 'TIR domain-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by a TIR domain interaction. [GOC:amm]' - }, - 'GO:0071524': { - 'name': 'pyrrolysine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrrolysine, N6-{[(2R,3R)-3-methyl-3,4-dihydro-2H-pyrrol-2-yl]carbonyl}-L-lysine. [CHEBI:21860, GOC:dh, PMID:17204561]' - }, - 'GO:0071525': { - 'name': 'pyrrolysine metabolic process', - 'def': 'The chemical reactions and pathways involving pyrrolysine, N6-{[(2R,3R)-3-methyl-3,4-dihydro-2H-pyrrol-2-yl]carbonyl}-L-lysine. [CHEBI:21860, GOC:mah, PMID:17204561]' - }, - 'GO:0071526': { - 'name': 'semaphorin-plexin signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of a semaphorin receptor (composed of a plexin and a neurophilin) binding to a semaphorin ligand. [GOC:BHF, GOC:mah, GOC:vk, PMID:15239959]' - }, - 'GO:0071527': { - 'name': 'semaphorin-plexin signaling pathway involved in outflow tract morphogenesis', - 'def': 'A series of molecular signals generated as a consequence of a semaphorin receptor (composed of a plexin and a neurophilin) binding to a semaphorin ligand that contributes to outflow tract morphogenesis. [GOC:BHF, GOC:mah, GOC:vk, PMID:15239959]' - }, - 'GO:0071528': { - 'name': 'tRNA re-export from nucleus', - 'def': 'The directed movement from the nucleus to the cytoplasm of a tRNA that was previously exported to the cytoplasm and then imported back into the nucleus. The processes of primary tRNA export and secondary export (re-export) can be distinguished because in organisms in which tRNA splicing occurs in the cytoplasm, the export of a mature tRNA must occur by re-export. [GOC:mcc, PMID:17475781, PMID:20032305]' - }, - 'GO:0071529': { - 'name': 'cementum mineralization', - 'def': 'The process in which calcium salts, mainly carbonated hydroxyapatite, are deposited into the initial acellular cementum. [GOC:sl, PMID:17043865]' - }, - 'GO:0071530': { - 'name': 'FHA domain-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by an FHA (forkhead-associated) domain interaction. [GOC:amm, InterPro:IPR000253]' - }, - 'GO:0071531': { - 'name': 'Rel homology domain-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by a Rel homology domain (RHD) interaction. [GOC:amm, InterPro:IPR011539]' - }, - 'GO:0071532': { - 'name': 'ankyrin repeat binding', - 'def': 'Interacting selectively and non-covalently with an ankyrin repeat of a protein. Ankyrin repeats are tandemly repeated modules of about 33 amino acids; each repeat folds into a helix-loop-helix structure with a beta-hairpin/loop region projecting out from the helices at a 90-degree angle, and repeats stack to form an L-shaped structure. [GOC:mah, InterPro:IPR002110]' - }, - 'GO:0071533': { - 'name': 'ankyrin repeat-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by an ankyrin repeat interaction. [GOC:amm, InterPro:IPR002110]' - }, - 'GO:0071534': { - 'name': 'zf-TRAF domain-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by a TRAF-type zinc finger (zf-TRAF) domain interaction. [GOC:amm, InterPro:IPR001293]' - }, - 'GO:0071535': { - 'name': 'RING-like zinc finger domain binding', - 'def': 'Interacting selectively and non-covalently with a RING-like zinc finger domain domain of a protein. The RING-like domain is a zinc finger domain that is related to the C3HC4 RING finger domain. [GOC:mah, InterPro:IPR014857]' - }, - 'GO:0071536': { - 'name': 'RING-like zinc finger domain-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by a RING-like zinc finger domain interaction. [GOC:amm, InterPro:IPR014857]' - }, - 'GO:0071537': { - 'name': 'C3HC4-type RING finger domain-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by a C3HC4-type RING finger domain interaction. [GOC:amm, InterPro:IPR018957]' - }, - 'GO:0071538': { - 'name': 'SH2 domain-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by an SH2 domain interaction. [GOC:amm]' - }, - 'GO:0071539': { - 'name': 'protein localization to centrosome', - 'def': 'A process in which a protein is transported to, or maintained at, the centrosome. [GOC:ecd]' - }, - 'GO:0071540': { - 'name': 'eukaryotic translation initiation factor 3 complex, eIF3e', - 'def': 'An eukaryotic translation initiation factor 3 complex that contains the PCI-domain protein eIF3e. [PMID:15904532, PMID:19061185]' - }, - 'GO:0071541': { - 'name': 'eukaryotic translation initiation factor 3 complex, eIF3m', - 'def': 'An eukaryotic translation initiation factor 3 complex that contains the PCI-domain protein eIF3m. [PMID:15904532, PMID:19061185]' - }, - 'GO:0071542': { - 'name': 'dopaminergic neuron differentiation', - 'def': 'The process in which a neuroblast acquires the specialized structural and functional features of a dopaminergic neuron, a neuron that secretes dopamine. [GOC:rph]' - }, - 'GO:0071543': { - 'name': 'diphosphoinositol polyphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a diphosphoinositol polyphosphate, 1,2,3,4,5,6-cyclohexanehexol with one or more diphosphate groups and multiple monophosphate groups attached. [GOC:mah, PMID:12387729]' - }, - 'GO:0071544': { - 'name': 'diphosphoinositol polyphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a diphosphoinositol polyphosphate, 1,2,3,4,5,6-cyclohexanehexol with one or more diphosphate groups and multiple monophosphate groups attached. [GOC:mah, PMID:12387729]' - }, - 'GO:0071545': { - 'name': 'inositol phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an inositol phosphate, 1,2,3,4,5,6-cyclohexanehexol, with one or more phosphate groups attached. [CHEBI:24848, CHEBI:25448, GOC:mah]' - }, - 'GO:0071546': { - 'name': 'pi-body', - 'def': 'A P granule that contains the PIWIL2-TDRD1 module, a set of proteins that act in the primary piRNA pathway. The pi-body corresponds to the cementing material between mitochondria found in gonocytes. [GOC:sp, PMID:20011505]' - }, - 'GO:0071547': { - 'name': 'piP-body', - 'def': 'A P granule that contains the PIWIL4-TDRD9 module, a set of proteins that act in the secondary piRNA pathway. [GOC:sp, PMID:20011505]' - }, - 'GO:0071548': { - 'name': 'response to dexamethasone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dexamethasone stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071549': { - 'name': 'cellular response to dexamethasone stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dexamethasone stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071550': { - 'name': 'death-inducing signaling complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by a death domain (DD) interaction, as part of the extrinsic apoptotic signaling pathway. [GOC:amm, GOC:mtg_apoptosis, InterPro:IPR000488]' - }, - 'GO:0071551': { - 'name': 'RIP homotypic interaction motif binding', - 'def': 'Interacting selectively and non-covalently with a RIP homotypic interaction motif (RHIM) of a protein. The RHIM is a 16-amino-acid motif found in some members, including RIP3, of a family of related kinases. [GOC:mah, PMID:11734559]' - }, - 'GO:0071552': { - 'name': 'RIP homotypic interaction motif-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by a RIP homotypic interaction motif (RHIM) interaction. [GOC:amm, PMID:11734559]' - }, - 'GO:0071553': { - 'name': 'G-protein coupled pyrimidinergic nucleotide receptor activity', - 'def': 'Combining with a pyrimidine nucleotide and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:sl, PMID:10736418, PMID:12369950, PMID:15796906]' - }, - 'GO:0071554': { - 'name': 'cell wall organization or biogenesis', - 'def': 'A process that results in the biosynthesis of constituent macromolecules, assembly, arrangement of constituent parts, or disassembly of a cell wall. [GOC:mah]' - }, - 'GO:0071555': { - 'name': 'cell wall organization', - 'def': 'A process that results in the assembly, arrangement of constituent parts, or disassembly of the cell wall, the rigid or semi-rigid envelope lying outside the cell membrane of plant, fungal and most prokaryotic cells, maintaining their shape and protecting them from osmotic lysis. [GOC:mah]' - }, - 'GO:0071556': { - 'name': 'integral component of lumenal side of endoplasmic reticulum membrane', - 'def': 'The component of the endoplasmic reticulum membrane consisting of the gene products that penetrate only the lumenal side of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0071557': { - 'name': 'histone H3-K27 demethylation', - 'def': 'The modification of histone H3 by the removal of a methyl group from lysine at position 27 of the histone. [GOC:sp, PMID:20023638]' - }, - 'GO:0071558': { - 'name': 'histone demethylase activity (H3-K27 specific)', - 'def': 'Catalysis of the removal of a methyl group from lysine at position 27 of the histone H3 protein. [GOC:sp, PMID:20622853]' - }, - 'GO:0071559': { - 'name': 'response to transforming growth factor beta', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a transforming growth factor beta stimulus. [GOC:mah]' - }, - 'GO:0071560': { - 'name': 'cellular response to transforming growth factor beta stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a transforming growth factor beta stimulus. [GOC:ecd, PMID:15451575]' - }, - 'GO:0071561': { - 'name': 'nucleus-vacuole junction', - 'def': 'An organelle membrane contact site formed between the vacuole membrane and the outer nuclear membrane. In S. cerevisiae these contacts are mediated through direct physical interaction between Vac8p and Nvj1p. [GOC:jp, PMID:16709156, PMID:16806880]' - }, - 'GO:0071562': { - 'name': 'nucleus-vacuole junction assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a nucleus-vacuole junction, which are membrane contact sites formed between the vacuole membrane and the outer nuclear membrane. In S. cerevisiae these contacts are mediated through direct physical interaction between Vac8p and Nvj1p. [GOC:jp, PMID:16709156]' - }, - 'GO:0071563': { - 'name': 'Myo2p-Vac17p-Vac8p transport complex', - 'def': 'A protein complex that is involved in transport of vacuoles to a newly formed daughter cell. In yeast, this complex is composed of Myo2p, Vac17p, and Vac8p. [GOC:jp, PMID:12594460]' - }, - 'GO:0071564': { - 'name': 'npBAF complex', - 'def': 'A SWI/SNF-type complex that is found in neural stem or progenitor cells, and in human contains actin and proteins encoded by the ARID1A/BAF250A or ARID1B/BAF250B, SMARCD1/BAF60A, SMARCD3/BAF60C, SMARCA2/BRM/BAF190B, SMARCA4/BRG1/BAF190A, SMARCB1/BAF47, SMARCC1/BAF155, SMARCE1/BAF57, SMARCC2/BAF170, PHF10/BAF45A, ACTL6A/BAF53A genes. The npBAF complex is essential for the self-renewal/proliferative capacity of the multipotent neural stem cells. [GOC:mah, GOC:ss, PMID:17640523]' - }, - 'GO:0071565': { - 'name': 'nBAF complex', - 'def': 'A SWI/SNF-type complex that is found in post-mitotic neurons, and in human contains actin and proteins encoded by the ARID1A/BAF250A or ARID1B/BAF250B, SMARCD1/BAF60A, SMARCD3/BAF60C, SMARCA2/BRM/BAF190B, SMARCA4/BRG1/BAF190A, SMARCB1/BAF47, SMARCC1/BAF155, SMARCE1/BAF57, SMARCC2/BAF170, DPF1/BAF45B, DPF3/BAF45C, ACTL6B/BAF53B genes. The nBAF complex along with CREST plays a role regulating the activity of genes essential for dendrite growth. [GOC:mah, GOC:ss, PMID:17640523]' - }, - 'GO:0071566': { - 'name': 'UFM1 activating enzyme activity', - 'def': 'Catalysis of the activation of the small ubiquitin-related modifier UFM1, through the formation of an ATP-dependent high-energy thiolester bond. [GOC:sp, PMID:20018847]' - }, - 'GO:0071567': { - 'name': 'UFM1 hydrolase activity', - 'def': 'Catalysis of the hydrolysis of UFM1, a small ubiquitin-related modifier, from previously modified substrates. [GOC:sp, PMID:20018847]' - }, - 'GO:0071568': { - 'name': 'UFM1 transferase activity', - 'def': 'Catalysis of the transfer of UFM1 from one protein to another via the reaction X-UFM1 + Y --> Y-UFM1 + X, where both X-UFM1 and Y-UFM1 are covalent linkages. [GOC:sp, PMID:20018847]' - }, - 'GO:0071569': { - 'name': 'protein ufmylation', - 'def': 'Covalent attachment of the ubiquitin-like protein UFM1 to another protein. [GOC:vw, PMID:20018847]' - }, - 'GO:0071570': { - 'name': 'cement gland development', - 'def': 'The process whose specific outcome is the progression of the cement gland over time, from its formation to the mature structure. The cement gland is a simple mucus-secreting organ positioned at the anterior of amphibious embryos. The cement gland attaches the newly hatched embryo to a support before the hatchling can swim well or feed. [GOC:bf]' - }, - 'GO:0071571': { - 'name': 'LRR domain-mediated complex assembly', - 'def': 'A process of protein complex assembly in which the arrangement and bonding together of the set of components that form the protein complex is mediated by an LRR (leucine-rich repeat) domain interaction. [GOC:amm, InterPro:IPR001611]' - }, - 'GO:0071572': { - 'name': 'histone H3-K56 deacetylation', - 'def': 'The modification of histone H3 by the removal of an acetyl group from lysine at position 56 of the histone. [GOC:mah]' - }, - 'GO:0071573': { - 'name': 'shelterin complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a shelterin complex. A shelterin complex is a nuclear telomere cap complex that is formed by the association of telomeric ssDNA- and dsDNA-binding proteins with telomeric DNA, and is involved in telomere protection and recruitment of telomerase. [GOC:mah, GOC:vw]' - }, - 'GO:0071574': { - 'name': 'protein localization to medial cortex', - 'def': 'A process in which a protein is transported to, or maintained in, the medial cortex. [GOC:mah]' - }, - 'GO:0071575': { - 'name': 'integral component of external side of plasma membrane', - 'def': 'The component of the plasma membrane consisting of the gene products that penetrate only the external side of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0071576': { - 'name': 'tetrahydrodictyopterin binding', - 'def': 'Interacting selectively and non-covalently with tetrahydrodictyopterin, the pterin 2-amino-6-[(1R,2R)-1,2-dihydroxypropyl]-5,6,7,8-tetrahydropteridin-4(3H)-one. [CHEBI:52447, GOC:mah, GOC:vw]' - }, - 'GO:0071577': { - 'name': 'zinc II ion transmembrane transport', - 'def': 'A process in which a zinc II ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:BHF, GOC:mah]' - }, - 'GO:0071578': { - 'name': 'zinc II ion transmembrane import', - 'def': 'The directed movement of zinc II ions across a membrane into a cell or organelle. [GOC:BHF, GOC:mah]' - }, - 'GO:0071579': { - 'name': 'regulation of zinc ion transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of zinc ions (Zn2+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:BHF, GOC:mah]' - }, - 'GO:0071580': { - 'name': 'regulation of zinc ion transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of zinc ions (Zn2+) from one side of a membrane to the other. [GOC:BHF, GOC:mah]' - }, - 'GO:0071581': { - 'name': 'regulation of zinc ion transmembrane import', - 'def': 'Any process that modulates the frequency, rate or extent of zinc ion import. [GOC:BHF, GOC:mah]' - }, - 'GO:0071582': { - 'name': 'negative regulation of zinc ion transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of zinc ions (Zn2+) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:BHF, GOC:mah]' - }, - 'GO:0071583': { - 'name': 'negative regulation of zinc ion transmembrane transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the directed movement of zinc ions (Zn2+) from one side of a membrane to the other. [GOC:BHF, GOC:mah]' - }, - 'GO:0071584': { - 'name': 'negative regulation of zinc ion transmembrane import', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of zinc ion import. [GOC:BHF, GOC:mah]' - }, - 'GO:0071585': { - 'name': 'detoxification of cadmium ion', - 'def': 'Any process that reduces or removes the toxicity of cadmium ion. These may include transport of cadmium away from sensitive areas and to compartments or complexes whose purpose is sequestration of cadmium ion. [GOC:BHF, GOC:kmv, PMID:16741752]' - }, - 'GO:0071586': { - 'name': 'CAAX-box protein processing', - 'def': 'The second process in a series of specific posttranslational modifications to the CAAX box region of CAAX box proteins, in which the last three amino acids of the protein (AAX) are removed by proteolysis. [GOC:mah]' - }, - 'GO:0071587': { - 'name': 'CAAX-box protein modification', - 'def': 'The covalent alteration of one or more amino acid residues within the CAAX box region of CAAX box proteins. [GOC:mah]' - }, - 'GO:0071588': { - 'name': 'hydrogen peroxide mediated signaling pathway', - 'def': 'A series of molecular signals mediated by the detection of hydrogen peroxide (H2O2). [GOC:mah, PMID:17043891]' - }, - 'GO:0071589': { - 'name': 'pyridine nucleoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of any pyridine nucleoside, one of a family of organic molecules consisting of a pyridine base covalently bonded to a sugar, usually ribose. [CHEBI:47896, GOC:mah]' - }, - 'GO:0071590': { - 'name': 'nicotinamide riboside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinamide riboside, the product of the formation of a glycosidic bond between ribose and nicotinamide. [CHEBI:15927, GOC:mah, PMID:19846558]' - }, - 'GO:0071591': { - 'name': 'nicotinic acid riboside metabolic process', - 'def': 'The chemical reactions and pathways involving nicotinic acid riboside, the product of the formation of a glycosidic bond between ribose and nicotinic acid. [CHEBI:27748, GOC:mah, PMID:19846558]' - }, - 'GO:0071592': { - 'name': 'nicotinic acid riboside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinic acid riboside, the product of the formation of a glycosidic bond between ribose and nicotinic acid. [CHEBI:27748, GOC:mah, PMID:19846558]' - }, - 'GO:0071593': { - 'name': 'lymphocyte aggregation', - 'def': 'The adhesion of one lymphocyte to one or more other lymphocytes via adhesion molecules. [GOC:sl]' - }, - 'GO:0071594': { - 'name': 'thymocyte aggregation', - 'def': 'The adhesion of one thymocyte (an immature T cell) to one or more other thymocytes via adhesion molecules. [GOC:sl, PMID:1382990]' - }, - 'GO:0071595': { - 'name': 'Nem1-Spo7 phosphatase complex', - 'def': 'A protein serine/threonine phosphatase complex that is involved in nuclear envelope organization, and contains proteins known in budding yeast as Nem1p and Spo7p. [GOC:mah, PMID:9822591]' - }, - 'GO:0071596': { - 'name': 'ubiquitin-dependent protein catabolic process via the N-end rule pathway', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide covalently tagged with ubiquitin, via the N-end rule pathway. In the N-end rule pathway, destabilizing N-terminal residues (N-degrons) in substrates are recognized by E3 ligases (N-recognins), whereupon the substrates are linked to ubiquitin and then delivered to the proteasome for degradation. [GOC:mah, GOC:rb, PMID:19246002, PMID:9112437]' - }, - 'GO:0071597': { - 'name': 'cellular birth scar', - 'def': 'Crater-like ring of chitinous scar tissue located on the surface of the daughter cell, in budding fungi, at the site of separation from the mother cell. It is formed after the newly emerged daughter cell separates, thereby marking the site of cytokinesis and septation. [GOC:mcc, PMID:16672383, PMID:7730409]' - }, - 'GO:0071598': { - 'name': 'neuronal ribonucleoprotein granule', - 'def': 'A ribonucleoprotein complex that is found in the cytoplasm of axons and dendrites, and transports translationally silenced mRNAs to dendritic synapses, where they are released and translated in response to specific exogenous stimuli. [GOC:BHF, GOC:go_curators, GOC:mah, PMID:19015237, PMID:20368989]' - }, - 'GO:0071599': { - 'name': 'otic vesicle development', - 'def': 'The process whose specific outcome is the progression of the otic vesicle over time, from its formation to the mature structure. The otic vesicle is a transient embryonic structure formed during development of the vertebrate inner ear. [GOC:mah]' - }, - 'GO:0071600': { - 'name': 'otic vesicle morphogenesis', - 'def': 'The process in which the anatomical structures of the otic vesicle are generated and organized. The otic vesicle is a transient embryonic structure formed during development of the vertebrate inner ear. [GOC:mah]' - }, - 'GO:0071601': { - 'name': 'sphere organelle', - 'def': 'A nuclear body that is found in the germinal vesicles of amphibian oocytes, and consist of three major parts: a remarkably spherical body about 5-10 pm in diameter, smaller spherical or nearly spherical granules on the surface, and inclusions of various sizes that strongly resemble the surface granules. The parts of the sphere organelle have distinct compositions, including splicing snRNAs and proteins. [PMID:7758244, PMID:8349728]' - }, - 'GO:0071602': { - 'name': 'phytosphingosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phytosphingosine, (2S,3S,4R)-2-aminooctadecane-1,3,4-triol. [CHEBI:46961, GOC:mah]' - }, - 'GO:0071603': { - 'name': 'endothelial cell-cell adhesion', - 'def': 'The attachment of an endothelial cell to another endothelial cell via adhesion molecules. [GOC:BHF]' - }, - 'GO:0071604': { - 'name': 'transforming growth factor beta production', - 'def': 'The appearance of any member of the transforming growth factor-beta family of cytokines due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. Transforming growth factor-beta family members include TGF-B1, TGF-B2, and TGF-B3. [GOC:add, GOC:rv]' - }, - 'GO:0071605': { - 'name': 'monocyte chemotactic protein-1 production', - 'def': 'The appearance of monocyte chemotactic protein-1 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:rv]' - }, - 'GO:0071606': { - 'name': 'chemokine (C-C motif) ligand 4 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 4 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:rv]' - }, - 'GO:0071607': { - 'name': 'macrophage inflammatory protein-1 gamma production', - 'def': 'The appearance of macrophage inflammatory protein-1 gamma due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:rv]' - }, - 'GO:0071608': { - 'name': 'macrophage inflammatory protein-1 alpha production', - 'def': 'The appearance of macrophage inflammatory protein 1 alpha due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:rv]' - }, - 'GO:0071609': { - 'name': 'chemokine (C-C motif) ligand 5 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 5 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:rv]' - }, - 'GO:0071610': { - 'name': 'chemokine (C-C motif) ligand 1 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 1 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:rv]' - }, - 'GO:0071611': { - 'name': 'granulocyte colony-stimulating factor production', - 'def': 'The appearance of granulocyte colony-stimulating factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:rv]' - }, - 'GO:0071612': { - 'name': 'IP-10 production', - 'def': 'The appearance of IP-10 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:rv]' - }, - 'GO:0071613': { - 'name': 'granzyme B production', - 'def': 'The appearance of granzyme B due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add, GOC:rv]' - }, - 'GO:0071614': { - 'name': 'linoleic acid epoxygenase activity', - 'def': 'Catalysis of an NADPH- and oxygen-dependent reaction that converts linoleic acid to a cis-epoxyoctadecenoic acid. [GOC:BHF, PMID:11042099]' - }, - 'GO:0071615': { - 'name': 'oxidative deethylation', - 'def': 'The process of removing one or more ethyl groups from a molecule, involving the oxidation (i.e. electron loss) of one or more atoms in the substrate. [GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0071616': { - 'name': 'acyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of acyl-CoA, any derivative of coenzyme A in which the sulfhydryl group is in thiolester linkage with an acyl group. [GOC:cjk]' - }, - 'GO:0071617': { - 'name': 'lysophospholipid acyltransferase activity', - 'def': 'Catalysis of the transfer of acyl groups from an acyl-CoA to a lysophospholipid. [GOC:cjk]' - }, - 'GO:0071618': { - 'name': 'lysophosphatidylethanolamine acyltransferase activity', - 'def': 'Catalysis of the transfer of acyl groups from an acyl-CoA to lysophosphatidylethanolamine. [GOC:cjk]' - }, - 'GO:0071619': { - 'name': 'phosphorylation of RNA polymerase II C-terminal domain serine 2 residues', - 'def': "The process of introducing a phosphate group onto a serine residue at position 2 within the heptapeptide repeat (YSPTSPS) of the C-terminal domain of RNA polymerase II. Typically, phosphorylation of serine 2 (Ser2) occurs subsequent to phosphorylation of serine 5 and is thus seen in the middle and 3' ends of genes. In vivo, Ser2 phosphorylation is primarily performed by CTDK-I in S. cerevisiae or CDK9 in metazoans. [GOC:krc, PMID:17079683]" - }, - 'GO:0071620': { - 'name': 'phosphorylation of RNA polymerase II C-terminal domain serine 5 residues', - 'def': "The process of introducing a phosphate group onto a serine residue at position 5 within the heptapeptide repeat (YSPTSPS) of the C-terminal domain of RNA polymerase II. Typically, phosphorylation of serine 5 (Ser5) occurs near the 5' ends of genes. It is generally still observed in the middle of genes, overlapping with phosphorylation of serine 2, but is generally not present at the 3' ends of genes. In vivo, Ser5 phosphorylation occurs primarily through the action of TFIIH (KIN28 in S. cerevisiae, CKD7 in metazoans). [GOC:krc, PMID:17079683]" - }, - 'GO:0071621': { - 'name': 'granulocyte chemotaxis', - 'def': 'The movement of a granulocyte in response to an external stimulus. [GOC:rph]' - }, - 'GO:0071622': { - 'name': 'regulation of granulocyte chemotaxis', - 'def': 'Any process that modulates the rate, frequency or extent of granulocyte chemotaxis. Granulocyte chemotaxis is the movement of a granulocyte in response to an external stimulus. [GOC:mah]' - }, - 'GO:0071623': { - 'name': 'negative regulation of granulocyte chemotaxis', - 'def': 'Any process that decreases the rate, frequency or extent of granulocyte chemotaxis. Granulocyte chemotaxis is the movement of a granulocyte in response to an external stimulus. [GOC:mah]' - }, - 'GO:0071624': { - 'name': 'positive regulation of granulocyte chemotaxis', - 'def': 'Any process that increases the rate, frequency or extent of granulocyte chemotaxis. Granulocyte chemotaxis is the movement of a granulocyte in response to an external stimulus. [GOC:mah]' - }, - 'GO:0071625': { - 'name': 'vocalization behavior', - 'def': 'The behavior in which an organism produces sounds by a mechanism involving its respiratory system. [GOC:mah]' - }, - 'GO:0071626': { - 'name': 'mastication', - 'def': 'The process of biting and mashing food with the teeth prior to swallowing. [GOC:gvg]' - }, - 'GO:0071627': { - 'name': 'integral component of fungal-type vacuolar membrane', - 'def': 'The component of the fungal-type vacuole membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0071628': { - 'name': 'intrinsic component of fungal-type vacuolar membrane', - 'def': 'The component of a fungal-type vacuole membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0071629': { - 'name': 'ubiquitin-dependent catabolism of misfolded proteins by cytoplasm-associated proteasome', - 'def': 'The chemical reactions and pathways resulting in the breakdown of misfolded proteins in the cytoplasm, which are targeted to cytoplasmic proteasomes for degradation. [GOC:mah, GOC:rb, PMID:20080635]' - }, - 'GO:0071630': { - 'name': 'ubiquitin-dependent catabolism of misfolded proteins by nucleus-associated proteasome', - 'def': 'The chemical reactions and pathways resulting in the breakdown of misfolded proteins via a mechanism in which the proteins are transported to the nucleus for ubiquitination, and then targeted to proteasomes for degradation. [GOC:mah, GOC:rb, PMID:20080635]' - }, - 'GO:0071631': { - 'name': 'mating pheromone secretion involved in conjugation with cellular fusion', - 'def': 'The regulated release of a mating pheromone, a peptide hormone that induces a behavioral or physiological response(s) from a responding organism or cell, that contributes to a conjugation process that results in the union of cellular and genetic information from compatible mating types. [GOC:elh, GOC:jh, GOC:mah]' - }, - 'GO:0071632': { - 'name': 'optomotor response', - 'def': 'Eye, head or whole body movements that help to compensate movements of the environment in order to stabilize its image on the retina. In the case of whole body movements, these motor actions may also stabilize a locomotor course in response to some disturbance. Examples include: the optokinetic reflex, which allows human eyes to follow objects in motion while the head remains stationary reflex; the optomotor responses of flying insects and swimming fish. [GOC:dos, PMID:12726833, PMID:2469195]' - }, - 'GO:0071633': { - 'name': 'dihydroceramidase activity', - 'def': 'Catalysis of the reaction: a dihydroceramide + H2O = a fatty acid + dihydrosphingosine. [GOC:mah, PMID:10900202]' - }, - 'GO:0071634': { - 'name': 'regulation of transforming growth factor beta production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of transforming growth factor-beta. [GOC:mah]' - }, - 'GO:0071635': { - 'name': 'negative regulation of transforming growth factor beta production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of transforming growth factor-beta. [GOC:mah]' - }, - 'GO:0071636': { - 'name': 'positive regulation of transforming growth factor beta production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of transforming growth factor-beta. [GOC:mah]' - }, - 'GO:0071637': { - 'name': 'regulation of monocyte chemotactic protein-1 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of monocyte chemotactic protein-1. [GOC:mah]' - }, - 'GO:0071638': { - 'name': 'negative regulation of monocyte chemotactic protein-1 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of monocyte chemotactic protein-1. [GOC:mah]' - }, - 'GO:0071639': { - 'name': 'positive regulation of monocyte chemotactic protein-1 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of monocyte chemotactic protein-1. [GOC:mah]' - }, - 'GO:0071640': { - 'name': 'regulation of macrophage inflammatory protein 1 alpha production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of macrophage inflammatory protein 1 alpha. [GOC:mah]' - }, - 'GO:0071641': { - 'name': 'negative regulation of macrophage inflammatory protein 1 alpha production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of macrophage inflammatory protein 1 alpha. [GOC:mah]' - }, - 'GO:0071642': { - 'name': 'positive regulation of macrophage inflammatory protein 1 alpha production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of macrophage inflammatory protein 1 alpha. [GOC:mah]' - }, - 'GO:0071643': { - 'name': 'regulation of chemokine (C-C motif) ligand 4 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of chemokine (C-C motif) ligand 4. [GOC:mah]' - }, - 'GO:0071644': { - 'name': 'negative regulation of chemokine (C-C motif) ligand 4 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of chemokine (C-C motif) ligand 4. [GOC:mah]' - }, - 'GO:0071645': { - 'name': 'positive regulation of chemokine (C-C motif) ligand 4 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of chemokine (C-C motif) ligand 4. [GOC:mah]' - }, - 'GO:0071646': { - 'name': 'regulation of macrophage inflammatory protein-1 gamma production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of macrophage inflammatory protein-1 gamma. [GOC:mah]' - }, - 'GO:0071647': { - 'name': 'negative regulation of macrophage inflammatory protein-1 gamma production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of macrophage inflammatory protein-1 gamma. [GOC:mah]' - }, - 'GO:0071648': { - 'name': 'positive regulation of macrophage inflammatory protein-1 gamma production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of macrophage inflammatory protein-1 gamma. [GOC:mah]' - }, - 'GO:0071649': { - 'name': 'regulation of chemokine (C-C motif) ligand 5 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of chemokine (C-C motif) ligand 5. [GOC:mah]' - }, - 'GO:0071650': { - 'name': 'negative regulation of chemokine (C-C motif) ligand 5 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of chemokine (C-C motif) ligand 5. [GOC:mah]' - }, - 'GO:0071651': { - 'name': 'positive regulation of chemokine (C-C motif) ligand 5 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of chemokine (C-C motif) ligand 5. [GOC:mah]' - }, - 'GO:0071652': { - 'name': 'regulation of chemokine (C-C motif) ligand 1 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of chemokine (C-C motif) ligand 1. [GOC:mah]' - }, - 'GO:0071653': { - 'name': 'negative regulation of chemokine (C-C motif) ligand 1 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of chemokine (C-C motif) ligand 1. [GOC:mah]' - }, - 'GO:0071654': { - 'name': 'positive regulation of chemokine (C-C motif) ligand 1 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of chemokine (C-C motif) ligand 1. [GOC:mah]' - }, - 'GO:0071655': { - 'name': 'regulation of granulocyte colony-stimulating factor production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of granulocyte colony-stimulating factor. [GOC:mah]' - }, - 'GO:0071656': { - 'name': 'negative regulation of granulocyte colony-stimulating factor production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of granulocyte colony stimulating factor. [GOC:mah]' - }, - 'GO:0071657': { - 'name': 'positive regulation of granulocyte colony-stimulating factor production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of granulocyte colony-stimulating factor. [GOC:mah]' - }, - 'GO:0071658': { - 'name': 'regulation of IP-10 production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of IP-10. [GOC:mah]' - }, - 'GO:0071659': { - 'name': 'negative regulation of IP-10 production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of IP-10. [GOC:mah]' - }, - 'GO:0071660': { - 'name': 'positive regulation of IP-10 production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of IP-10. [GOC:mah]' - }, - 'GO:0071661': { - 'name': 'regulation of granzyme B production', - 'def': 'Any process that modulates the frequency, rate, or extent of production of granzyme B. [GOC:mah]' - }, - 'GO:0071662': { - 'name': 'negative regulation of granzyme B production', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of production of granzyme B. [GOC:mah]' - }, - 'GO:0071663': { - 'name': 'positive regulation of granzyme B production', - 'def': 'Any process that activates or increases the frequency, rate, or extent of production of granzyme B. [GOC:mah]' - }, - 'GO:0071664': { - 'name': 'catenin-TCF7L2 complex', - 'def': 'A protein complex that contains a catenin and TCF7L2 (TCF4), binds to the TCF DNA motif within a promoter element, and is involved in the regulation of WNT target gene transcription. [GOC:BHF, GOC:rl, GOC:vk, PMID:14661054]' - }, - 'GO:0071665': { - 'name': 'gamma-catenin-TCF7L2 complex', - 'def': 'A protein complex that contains gamma-catenin and TCF7L2 (TCF4), binds to the TCF DNA motif within a promoter element, and is involved in the regulation of WNT target gene transcription. [GOC:BHF, GOC:vk, PMID:14661054]' - }, - 'GO:0071666': { - 'name': 'Slit-Robo signaling complex', - 'def': 'A protein-carbohydrate complex that consists of a transmembrane roundabout (Robo) receptor, an extracellular Slit ligand and heparin/heparan sulfate. [GOC:sart, PMID:17062560, PMID:18359766]' - }, - 'GO:0071667': { - 'name': 'DNA/RNA hybrid binding', - 'def': 'Interacting selectively and non-covalently with a RNA/DNA hybrid. [GOC:ecd]' - }, - 'GO:0071668': { - 'name': 'plant-type cell wall assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a cellulose- and pectin-containing cell wall. [GOC:mah]' - }, - 'GO:0071669': { - 'name': 'plant-type cell wall organization or biogenesis', - 'def': 'A process that results in the biosynthesis of constituent macromolecules, assembly, arrangement of constituent parts, or disassembly of a cellulose- and pectin-containing cell wall. [GOC:ecd, GOC:mah]' - }, - 'GO:0071670': { - 'name': 'smooth muscle cell chemotaxis', - 'def': 'The directed movement of a smooth muscle cell in response to an external stimulus. [GOC:mah]' - }, - 'GO:0071671': { - 'name': 'regulation of smooth muscle cell chemotaxis', - 'def': 'Any process that modulates the frequency, rate, or extent of smooth muscle cell chemotaxis. [GOC:mah]' - }, - 'GO:0071672': { - 'name': 'negative regulation of smooth muscle cell chemotaxis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate, or extent of smooth muscle cell chemotaxis. [GOC:mah]' - }, - 'GO:0071673': { - 'name': 'positive regulation of smooth muscle cell chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate, or extent of smooth muscle cell chemotaxis. [GOC:mah]' - }, - 'GO:0071674': { - 'name': 'mononuclear cell migration', - 'def': 'The movement of a mononuclear cell within or between different tissues and organs of the body. [GOC:mah]' - }, - 'GO:0071675': { - 'name': 'regulation of mononuclear cell migration', - 'def': 'Any process that modulates the rate, frequency or extent of mononuclear cell migration. Mononuclear cell migration is the movement of a mononuclear cell within or between different tissues and organs of the body. [GOC:mah]' - }, - 'GO:0071676': { - 'name': 'negative regulation of mononuclear cell migration', - 'def': 'Any process that decreases the rate, frequency or extent of mononuclear cell migration. Mononuclear cell migration is the movement of a mononuclear cell within or between different tissues and organs of the body. [GOC:mah]' - }, - 'GO:0071677': { - 'name': 'positive regulation of mononuclear cell migration', - 'def': 'Any process that increases the rate, frequency or extent of mononuclear cell migration. Mononuclear cell migration is the movement of a mononuclear cell within or between different tissues and organs of the body. [GOC:mah]' - }, - 'GO:0071678': { - 'name': 'olfactory bulb axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a neuron in the olfactory bulb is directed to its target in the brain in response to a combination of attractive and repulsive cues. [GOC:BHF, GOC:mah]' - }, - 'GO:0071679': { - 'name': 'commissural neuron axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a commissural neuron is directed to its target in the brain in response to a combination of attractive and repulsive cues. [GOC:BHF, GOC:mah]' - }, - 'GO:0071680': { - 'name': 'response to indole-3-methanol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an indole-3-methanol stimulus. [CHEBI:24814, GOC:mah, GOC:yaf]' - }, - 'GO:0071681': { - 'name': 'cellular response to indole-3-methanol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an indole-3-methanol stimulus. [CHEBI:24814, GOC:mah, GOC:yaf]' - }, - 'GO:0071682': { - 'name': 'endocytic vesicle lumen', - 'def': 'The volume enclosed by the membrane of an endocytic vesicle. [GOC:pde]' - }, - 'GO:0071683': { - 'name': 'sensory dendrite', - 'def': 'A dendrite that is found on a sensory neuron, and directly transduces a sensory signal from the sensory neuron to another neuron. [GOC:dos, GOC:kmv, GOC:mah]' - }, - 'GO:0071684': { - 'name': 'organism emergence from protective structure', - 'def': 'The developmental process in which an organism emerges from a surrounding protective structure such as an egg or pupa case. [GOC:mah]' - }, - 'GO:0071685': { - 'name': 'NADH dehydrogenase complex (plastoquinone)', - 'def': 'An NADH dehydrogenase complex that catalyzes the transfer of electrons to plastoquinone. The complex is involved in the non-photochemical reduction of plastoquinones and the cyclic electron transport around photosystem I, and is found in plastid thylakoids. [DOI:10.1078/0176-1617-00593, GOC:mah]' - }, - 'GO:0071686': { - 'name': 'horsetail nucleus', - 'def': 'The elongated nucleus which forms during the rapid oscillatory movement at meiotic prophase; characterized in Schizosaccharomyces pombe. [GOC:vw, PMID:15030757]' - }, - 'GO:0071687': { - 'name': 'horsetail nucleus leading edge', - 'def': 'The part of the horsetail nucleus where telomeres cluster under the SPB and that leads horsetail movement. The horsetail nucleus is the elongated nucleus which forms during the rapid oscillatory movement at meiotic prophase; characterized in Schizosaccharomyces pombe. [GOC:mah, GOC:vw, PMID:15030757]' - }, - 'GO:0071688': { - 'name': 'striated muscle myosin thick filament assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins to form the myosin-based thick filaments of myofibrils in striated muscle. [GOC:mah]' - }, - 'GO:0071689': { - 'name': 'muscle thin filament assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins to form the actin-based thin filaments of myofibrils in striated muscle. [GOC:mah]' - }, - 'GO:0071690': { - 'name': 'cardiac muscle myosin thick filament assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins to form the myosin-based thick filaments of myofibrils in cardiac muscle. [GOC:mah]' - }, - 'GO:0071691': { - 'name': 'cardiac muscle thin filament assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins to form the actin-based thin filaments of myofibrils in cardiac muscle. [GOC:mah]' - }, - 'GO:0071692': { - 'name': 'protein localization to extracellular region', - 'def': 'Any process in which a protein is transported from one specific location in the extracellular region to another, or maintained in a specific extracellular location. [GOC:mah]' - }, - 'GO:0071693': { - 'name': 'protein transport within extracellular region', - 'def': 'The directed movement of proteins in the extracellular region, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0071694': { - 'name': 'maintenance of protein location in extracellular region', - 'def': 'Any process in which a protein is maintained in a specific location within the extracellular region and is prevented from moving elsewhere. [GOC:mah]' - }, - 'GO:0071695': { - 'name': 'anatomical structure maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for an anatomical structure to attain its fully functional state. [GOC:mah]' - }, - 'GO:0071696': { - 'name': 'ectodermal placode development', - 'def': 'The progression of an ectodermal placode over time from its initial formation until its mature state. An ectodermal placode is a thickening of the ectoderm that is the primordium of many structures derived from the ectoderm. [GOC:mah]' - }, - 'GO:0071697': { - 'name': 'ectodermal placode morphogenesis', - 'def': 'The process in which the anatomical structures of an ectodermal placode are generated and organized. An ectodermal placode is a thickening of the ectoderm that is the primordium of many structures derived from the ectoderm. [GOC:mah]' - }, - 'GO:0071698': { - 'name': 'olfactory placode development', - 'def': 'The progression of the olfactory placode over time from its initial formation until its mature state. The olfactory placode is a thickening of the neural ectoderm in the head region of the vertebrate embryo which develops into the olfactory region of the nasal cavity. [GOC:mah]' - }, - 'GO:0071699': { - 'name': 'olfactory placode morphogenesis', - 'def': 'The process in which the anatomical structures of the olfactory placode are generated and organized. The olfactory placode is a thickening of the neural ectoderm in the head region of the vertebrate embryo which develops into the olfactory region of the nasal cavity. [GOC:mah]' - }, - 'GO:0071700': { - 'name': 'olfactory placode maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the olfactory placode to attain its fully functional state. The olfactory placode is a thickening of the neural ectoderm in the head region of the vertebrate embryo which develops into the olfactory region of the nasal cavity. [GOC:mah]' - }, - 'GO:0071701': { - 'name': 'regulation of MAPK export from nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a MAP kinase from the nucleus to the cytoplasm. [GOC:dgf]' - }, - 'GO:0071702': { - 'name': 'organic substance transport', - 'def': 'The directed movement of organic substances into, out of or within a cell, or between cells, or within a multicellular organism by means of some agent such as a transporter or pore. An organic substance is a molecular entity that contains carbon. [CHEBI:50860, GOC:mah]' - }, - 'GO:0071703': { - 'name': 'detection of organic substance', - 'def': 'The series of events in which an organic substance stimulus is received by a cell and converted into a molecular signal. [GOC:mah]' - }, - 'GO:0071704': { - 'name': 'organic substance metabolic process', - 'def': 'The chemical reactions and pathways involving an organic substance, any molecular entity containing carbon. [CHEBI:50860, GOC:mah]' - }, - 'GO:0071705': { - 'name': 'nitrogen compound transport', - 'def': 'The directed movement of nitrogen-containing compounds into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:51143, GOC:mah]' - }, - 'GO:0071706': { - 'name': 'tumor necrosis factor superfamily cytokine production', - 'def': 'The appearance of any member of the TNF superfamily due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:add]' - }, - 'GO:0071707': { - 'name': 'immunoglobulin heavy chain V-D-J recombination', - 'def': 'The process in which immunoglobulin heavy chain V, D, and J gene segments are recombined within a single locus utilizing the conserved heptamer and nonomer recombination signal sequences (RSS). [GOC:add, ISBN:0781735149]' - }, - 'GO:0071708': { - 'name': 'immunoglobulin light chain V-J recombination', - 'def': 'The process in which immunoglobulin light chain V and J gene segments are recombined within a single locus utilizing the conserved heptamer and nonomer recombination signal sequences (RSS). [GOC:add, ISBN:0781735149]' - }, - 'GO:0071709': { - 'name': 'membrane assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a membrane. [GOC:mah]' - }, - 'GO:0071710': { - 'name': 'membrane macromolecule biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a macromolecule destined to form part of a membrane in a cell. [GOC:mah]' - }, - 'GO:0071711': { - 'name': 'basement membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the basement membrane. [GOC:mah]' - }, - 'GO:0071712': { - 'name': 'ER-associated misfolded protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of misfolded proteins transported from the endoplasmic reticulum and targeted to cytoplasmic proteasomes for degradation. [GOC:mah, GOC:vw, PMID:14607247, PMID:19520858]' - }, - 'GO:0071713': { - 'name': 'para-aminobenzoyl-glutamate hydrolase activity', - 'def': 'Catalysis of the reaction: para-aminobenzoyl-glutamate + H2O = para-aminobenzoate + L-glutamate. [GOC:imk, PMID:20190044]' - }, - 'GO:0071714': { - 'name': 'icosanoid transmembrane transporter activity', - 'def': 'Enables the transfer of icosanoids from one side of the membrane to the other. [GOC:sl]' - }, - 'GO:0071715': { - 'name': 'icosanoid transport', - 'def': 'The directed movement of icosanoids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Icosanoids are unsaturated C20 fatty acids and skeletally related compounds. [CHEBI:23899, GOC:mah]' - }, - 'GO:0071716': { - 'name': 'leukotriene transport', - 'def': 'The directed movement of leukotrienes into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Leukotrienes are linear C20 endogenous metabolites of arachidonic acid (icosa-5,8,11,14-tetraenoic acid) containing a terminal carboxy function and four or more double bonds (three or more of which are conjugated) as well as other functional groups. [CHEBI:25029, GOC:mah]' - }, - 'GO:0071717': { - 'name': 'thromboxane transport', - 'def': 'The directed movement of thromboxanes into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A thromboxane is any of a class of oxygenated oxane derivatives, originally derived from prostaglandin precursors in platelets, that stimulate aggregation of platelets and constriction of blood vessels. [CHEBI:26995, GOC:mah]' - }, - 'GO:0071718': { - 'name': 'sodium-independent icosanoid transport', - 'def': 'The directed, sodium-independent, movement of icosanoids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Icosanoids are unsaturated C20 fatty acids and skeletally related compounds. [CHEBI:23899, GOC:mah, GOC:sl]' - }, - 'GO:0071719': { - 'name': 'sodium-independent leukotriene transport', - 'def': 'The directed, sodium-independent, movement of leukotrienes into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Leukotrienes are linear C20 endogenous metabolites of arachidonic acid (icosa-5,8,11,14-tetraenoic acid) containing a terminal carboxy function and four or more double bonds (three or more of which are conjugated) as well as other functional groups. [CHEBI:25029, GOC:mah]' - }, - 'GO:0071720': { - 'name': 'sodium-independent prostaglandin transport', - 'def': 'The directed, sodium-independent, movement of prostaglandins into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:krc]' - }, - 'GO:0071721': { - 'name': 'sodium-independent thromboxane transport', - 'def': 'The directed, sodium-independent, movement of thromboxanes into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. A thromboxane is any of a class of oxygenated oxane derivatives, originally derived from prostaglandin precursors in platelets, that stimulate aggregation of platelets and constriction of blood vessels. [CHEBI:26995, GOC:mah]' - }, - 'GO:0071722': { - 'name': 'detoxification of arsenic-containing substance', - 'def': 'Any process that reduces or removes the toxicity of compounds containing arsenic, including arsenates, arsenites, and arsenides. These include transport of such compounds away from sensitive areas and to compartments or complexes whose purpose is sequestration of arsenic or arsenic-containing compounds. [GOC:kmv, PMID:11313333, PMID:20221439]' - }, - 'GO:0071723': { - 'name': 'lipopeptide binding', - 'def': 'Interacting selectively and non-covalently with a lipopeptide, any of a group of organic compounds comprising two or more amino acids linked by peptide bonds and containing a nonprotein group consisting of a lipid or lipids. [GOC:add, PMID:12077222, PMID:12524386, PMID:2757794]' - }, - 'GO:0071724': { - 'name': 'response to diacyl bacterial lipopeptide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diacylated bacterial lipopeptide stimulus. [GOC:add, PMID:12077222, PMID:12524386, PMID:2757794]' - }, - 'GO:0071725': { - 'name': 'response to triacyl bacterial lipopeptide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a triacylated bacterial lipopeptide stimulus. [GOC:add, PMID:12077222, PMID:12524386, PMID:2757794]' - }, - 'GO:0071726': { - 'name': 'cellular response to diacyl bacterial lipopeptide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diacylated bacterial lipopeptide stimulus. [GOC:add, PMID:12077222, PMID:12524386, PMID:2757794]' - }, - 'GO:0071727': { - 'name': 'cellular response to triacyl bacterial lipopeptide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a triacylated bacterial lipopeptide stimulus. [GOC:add, PMID:12077222, PMID:12524386, PMID:2757794]' - }, - 'GO:0071728': { - 'name': 'beak development', - 'def': 'The progression of the beak over time from its initial formation until its mature state. The avian beak is an external anatomical structure, in the head region, that is adapted for feeding self and young, catching prey, probing, etc. It encompasses, but is not restricted to, the maxilla, mandible, maxillary rhamphotheca, mandibular rhamphotheca, nostril, nasal fossa, nasal bones, egg tooth and rictus. [GOC:lp, ISBN:0702008729]' - }, - 'GO:0071729': { - 'name': 'beak morphogenesis', - 'def': 'The process in which the anatomical structures of the beak are generated and organized. The avian beak is an external anatomical structure, in the head region, that is adapted for feeding self and young, catching prey, probing, etc. It encompasses, but is not restricted to, the maxilla, mandible, maxillary rhamphotheca, mandibular rhamphotheca, nostril, nasal fossa, nasal bones, egg tooth and rictus. [GOC:lp, ISBN:0702008729]' - }, - 'GO:0071730': { - 'name': 'beak formation', - 'def': 'The process that gives rise to the beak. This process pertains to the initial formation of a structure from unspecified parts. The avian beak is an external anatomical structure, in the head region, that is adapted for feeding self and young, catching prey, probing, etc. It encompasses, but is not restricted to, the maxilla, mandible, maxillary rhamphotheca, mandibular rhamphotheca, nostril, nasal fossa, nasal bones, egg tooth and rictus. [GOC:lp, ISBN:0702008729]' - }, - 'GO:0071731': { - 'name': 'response to nitric oxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitric oxide stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071732': { - 'name': 'cellular response to nitric oxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitric oxide stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071733': { - 'name': 'transcriptional activation by promoter-enhancer looping', - 'def': 'The formation and maintenance of DNA loops that juxtapose the promoter and enhancer regions of RNA polymerase II-transcribed genes and activate transcription from an RNA polymerase II promoter. [GOC:mah, PMID:15060134, PMID:19923429]' - }, - 'GO:0071734': { - 'name': 'biotin-[pyruvate-carboxylase] ligase activity', - 'def': 'Catalysis of the reaction: ATP + biotin + apo-(pyruvate-carboxylase) = AMP + diphosphate + biotin-(pyruvate-carboxylase). [GOC:mah, PMID:10551847]' - }, - 'GO:0071735': { - 'name': 'IgG immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of an IgG isotype and two identical immunoglobulin light chains, held together by disulfide bonds. An IgG immunoglobulin complex may be embedded in the plasma membrane or present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071736': { - 'name': 'IgG immunoglobulin complex, circulating', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of an IgG isotype and two identical immunoglobulin light chains, held together by disulfide bonds, and present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071737': { - 'name': 'IgG B cell receptor complex', - 'def': 'An IgG immunoglobulin complex that is present in the plasma membrane of B cells and is composed of two identical immunoglobulin heavy chains of an IgG isotype and two identical immunoglobulin light chains and a signaling subunit, a heterodimer of the Ig-alpha and Ig-beta proteins. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071738': { - 'name': 'IgD immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgD isotype and two identical immunoglobulin light chains, held together by disulfide bonds. An IgD immunoglobulin complex may be embedded in the plasma membrane or present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196, PMID:11282392]' - }, - 'GO:0071739': { - 'name': 'IgD immunoglobulin complex, circulating', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgD isotype and two identical immunoglobulin light chains, held together by disulfide bonds, and present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196, PMID:11282392]' - }, - 'GO:0071740': { - 'name': 'IgD B cell receptor complex', - 'def': 'An IgD immunoglobulin complex that is present in the plasma membrane of B cells and is composed of two identical immunoglobulin heavy chains of the IgD isotype and two identical immunoglobulin light chains and a signaling subunit, a heterodimer of the Ig-alpha and Ig-beta proteins. [GOC:add, ISBN:0781765196, PMID:11282392]' - }, - 'GO:0071741': { - 'name': 'IgD immunoglobulin complex, GPI-anchored', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgD isotype and two identical immunoglobulin light chains, held together by disulfide bonds, and bound via a GPI-anchor to the plasma membrane of B cells. [GOC:add, ISBN:0781765196, PMID:11282392]' - }, - 'GO:0071742': { - 'name': 'IgE immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgE isotype and two identical immunoglobulin light chains, held together by disulfide bonds. An IgE immunoglobulin complex may be embedded in the plasma membrane or present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071743': { - 'name': 'IgE immunoglobulin complex, circulating', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgE isotype and two identical immunoglobulin light chains, held together by disulfide bonds, and present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071744': { - 'name': 'IgE B cell receptor complex', - 'def': 'An IgE immunoglobulin complex that is present in the plasma membrane of B cells and is composed of two identical immunoglobulin heavy chains of the IgE isotype and two identical immunoglobulin light chains and a signaling subunit, a heterodimer of the Ig-alpha and Ig-beta proteins. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071745': { - 'name': 'IgA immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgA isotype and two identical immunoglobulin light chains, held together by disulfide bonds, and sometimes complexed with J chain or J chain and secretory component. An IgA immunoglobulin complex may be embedded in the plasma membrane or present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196, PMID:16362985]' - }, - 'GO:0071746': { - 'name': 'IgA immunoglobulin complex, circulating', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of an IgA isotype and two identical immunoglobulin light chains, held together by disulfide bonds, sometimes complexed with J chain or J chain and secretory component, and present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196, PMID:16362985]' - }, - 'GO:0071747': { - 'name': 'IgA B cell receptor complex', - 'def': 'An IgA immunoglobulin complex that is present in the plasma membrane of B cells and is composed of two identical immunoglobulin heavy chains of an IgA isotype and two identical immunoglobulin light chains and a signaling subunit, a heterodimer of the Ig-alpha and Ig-beta proteins. [GOC:add, ISBN:0781765196, PMID:16362985]' - }, - 'GO:0071748': { - 'name': 'monomeric IgA immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of an IgA isotype and two identical immunoglobulin light chains, held together by disulfide bonds, and present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196, PMID:16362985]' - }, - 'GO:0071749': { - 'name': 'polymeric IgA immunoglobulin complex', - 'def': 'A protein complex composed of two, three, or four monomeric IgA immunoglobulin complexes linked through both direct disulfide bonds and through disulfide binded monomers of J chain acting as a bridge. Each IgA monomer consists of two identical immunoglobulin heavy chains of an IgA isotype and two identical immunoglobulin light chains, held together by disulfide bonds. Dimeric IgA is sometimes complexed additionally with secretory component, and present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196, PMID:16362985]' - }, - 'GO:0071750': { - 'name': 'dimeric IgA immunoglobulin complex', - 'def': 'A protein complex composed of two monomeric IgA immunoglobulin complexes linked through both direct disulfide bonds and through a disulfide binded monomer of J chain acting as a bridge. Each IgA monomer consists of two identical immunoglobulin heavy chains of an IgA isotype and two identical immunoglobulin light chains, held together by disulfide bonds. Dimeric IgA is sometimes complexed additionally with secretory component, and present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196, PMID:16362985]' - }, - 'GO:0071751': { - 'name': 'secretory IgA immunoglobulin complex', - 'def': 'A polymeric IgA immunoglobulin complex that is complexed with one chain of secretory component (SC). Polymeric IgA is present in mucosal areas, having been transported via a transcytosis mechanism in mucosal epithelial cells relying on the polymeric Ig receptor, a portion of which then remains bound to the polymeric IgA as secretory component. [GOC:add, ISBN:0781765196, PMID:16362985]' - }, - 'GO:0071752': { - 'name': 'secretory dimeric IgA immunoglobulin complex', - 'def': 'A dimeric form of secretory IgA immunoglobulin complex. [GOC:add, ISBN:0781765196, PMID:16362985]' - }, - 'GO:0071753': { - 'name': 'IgM immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgM isotype and two identical immunoglobulin light chains, held together by disulfide bonds, and in its circulating form complexed with J chain in polymeric forms. An IgM immunoglobulin complex may be embedded in the plasma membrane or present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196, PMID:20176268]' - }, - 'GO:0071754': { - 'name': 'IgM immunoglobulin complex, circulating', - 'def': 'A polymer of five or six IgM core units each composed of two identical immunoglobulin heavy chains of the IgM isotype and two identical immunoglobulin light chains, held together by disulfide bonds; the individual IgM core units are held together via disulfide bonds with a single J chain polypeptide acting as a bridge between two of the polymeric units. Circulating IgM is present in the extracellular space, in mucosal areas or other tissues, or in the blood or lymph. [GOC:add, ISBN:0781765196, PMID:20176268]' - }, - 'GO:0071755': { - 'name': 'IgM B cell receptor complex', - 'def': 'An IgM immunoglobulin complex that is present in the plasma membrane of B cells and is composed of two identical immunoglobulin heavy chains of the IgM isotype and two identical immunoglobulin light chains and a signaling subunit, a heterodimer of the Ig-alpha and Ig-beta proteins. [GOC:add, ISBN:0781765196, PMID:20176268]' - }, - 'GO:0071756': { - 'name': 'pentameric IgM immunoglobulin complex', - 'def': 'A circulating form of IgM consisting of a pentamer of IgM core units with a single J chain polypeptide. [GOC:add, ISBN:0781765196, PMID:20176268]' - }, - 'GO:0071757': { - 'name': 'hexameric IgM immunoglobulin complex', - 'def': 'A circulating form of IgM consisting of a hexamer of IgM core units with a single J chain polypeptide. [GOC:add, ISBN:0781765196, PMID:20176268]' - }, - 'GO:0071758': { - 'name': 'IgW immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgW isotype and two identical immunoglobulin light chains, held together by disulfide bonds. An IgW immunoglobulin complex may be embedded in the plasma membrane or present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071759': { - 'name': 'IgX immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgX isotype and two identical immunoglobulin light chains, held together by disulfide bonds. An IgX immunoglobulin complex may be embedded in the plasma membrane or present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071760': { - 'name': 'IgY immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgY isotype and two identical immunoglobulin light chains, held together by disulfide bonds. An IgY immunoglobulin complex may be embedded in the plasma membrane or present in the extracellular space, in mucosal areas or other tissues, or circulating in the blood or lymph. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071761': { - 'name': 'IgZ immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgZ isotype and two identical immunoglobulin light chains, held together by disulfide bonds. The IgZ isotype is also known as the IgT isotype in certain species of fish. [GOC:add, ISBN:0781765196]' - }, - 'GO:0071762': { - 'name': 'heavy chain immunoglobulin complex', - 'def': 'A protein complex composed of two identical immunoglobulin heavy chains of the IgNAR isotype held together by disulfide bonds and lacking immunoglobulin light chains. [GOC:add, ISBN:0781765196, PMID:12543123, PMID:16051357]' - }, - 'GO:0071763': { - 'name': 'nuclear membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nuclear inner or outer membrane. [GOC:mah]' - }, - 'GO:0071764': { - 'name': 'nuclear outer membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nuclear outer membrane. [GOC:mah]' - }, - 'GO:0071765': { - 'name': 'nuclear inner membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nuclear inner membrane. [GOC:mah]' - }, - 'GO:0071766': { - 'name': 'Actinobacterium-type cell wall biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a cell wall of the type found in Actinobacteria. The cell wall is the rigid or semi-rigid envelope lying outside the cell membrane. Actinobacterial cell walls contain characteristic mycolic acids, of which some are covalently linked to the cell wall peptidoglycan and others accumulate at the cell surface. [GOC:mah, PMID:15653820, PMID:3149973]' - }, - 'GO:0071767': { - 'name': 'mycolic acid metabolic process', - 'def': 'The chemical reactions and pathways involving mycolic acids, beta-hydroxy fatty acids with a long alpha-alkyl side chain. [GOC:mah, PMID:15653820]' - }, - 'GO:0071768': { - 'name': 'mycolic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mycolic acids, beta-hydroxy fatty acids with a long alpha-alkyl side chain. [GOC:mah, MetaCyc:PWYG-321, PMID:15653820]' - }, - 'GO:0071769': { - 'name': 'mycolate cell wall layer assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components, including arabinogalactan mycolate and trehalose dimycolate, to form the mycolate layer of the Actinobacterium-type cell wall. The mycolate layer is physically attached to the peptidoglycan layer. [GOC:mah, MetaCyc:PWY-6397, PMID:15653820, PMID:3149973]' - }, - 'GO:0071770': { - 'name': 'DIM/DIP cell wall layer assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components, including (phenyl)phthiocerol, phthiodiolone, phthiotriol dimycocerosate and diphthioceranate, to form the DIM/DIP layer of the Actinobacterium-type cell wall. [GOC:mah, GOC:pr, PMID:15653820, PMID:3149973]' - }, - 'GO:0071771': { - 'name': 'aldehyde decarbonylase activity', - 'def': 'Catalysis of the reaction: a C(n) aldehyde = C(n-1) alkane + CO. [GOC:kad, PMID:6593720, PMID:8718622]' - }, - 'GO:0071772': { - 'name': 'response to BMP', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bone morphogenetic protein (BMP) stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071773': { - 'name': 'cellular response to BMP stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bone morphogenetic protein (BMP) stimulus. [GOC:mah, GOC:yaf]' - }, - 'GO:0071774': { - 'name': 'response to fibroblast growth factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fibroblast growth factor stimulus. [GOC:mah]' - }, - 'GO:0071778': { - 'name': 'obsolete WINAC complex', - 'def': 'OBSOLETE. A SWI/SNF-type complex that directly interacts with the vitamin D receptor (VDR) through the Williams syndrome transcription factor (WSTF), and mediates the recruitment of unliganded VDR to VDR target sites in promoters. The WINAC complex contains at least 13 subunits, including WSTF, several SWI/SNF components, and DNA replication-related factors. [GOC:BHF, PMID:12837248]' - }, - 'GO:0071781': { - 'name': 'endoplasmic reticulum cisternal network', - 'def': 'A subcompartment of the endoplasmic reticulum consisting of flattened, disc-shaped domains known as cisternae. These are typically found close to the nucleus and are generally more prominent in secretory cells. [GOC:vw, PMID:16469703, PMID:20434336]' - }, - 'GO:0071782': { - 'name': 'endoplasmic reticulum tubular network', - 'def': 'A subcompartment of the endoplasmic reticulum consisting of tubules having membranes with high curvature in cross-section. [GOC:vw, PMID:16469703, PMID:20434336]' - }, - 'GO:0071783': { - 'name': 'endoplasmic reticulum cisternal network organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the endoplasmic reticulum (ER) cisternal network. The ER cisternal network is the ER part that comprises the membranes with low curvature in cross-section. [GOC:vw, PMID:16469703, PMID:20434336]' - }, - 'GO:0071784': { - 'name': 'endoplasmic reticulum cisternal network assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the endoplasmic reticulum (ER) cisternal network. The ER cisternal network is the ER part that comprises the membranes with low curvature in cross-section. [GOC:mah, PMID:16469703, PMID:20434336]' - }, - 'GO:0071785': { - 'name': 'endoplasmic reticulum cisternal network maintenance', - 'def': 'The organization process that preserves the endoplasmic reticulum (ER) cisternal network in a stable functional or structural state. The ER cisternal network is the ER part that comprises the membranes with low curvature in cross-section. [GOC:mah, PMID:16469703, PMID:20434336]' - }, - 'GO:0071786': { - 'name': 'endoplasmic reticulum tubular network organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the endoplasmic reticulum (ER) tubular network. The ER tubular network is the ER part that that has membranes with high curvature in cross-section. [GOC:vw, PMID:16469703, PMID:20434336]' - }, - 'GO:0071787': { - 'name': 'endoplasmic reticulum tubular network formation', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the endoplasmic reticulum (ER) tubular network. The ER tubular network is the ER part that comprises the membranes with high curvature in cross-section. [GOC:mah, GOC:vw, PMID:16469703, PMID:20434336]' - }, - 'GO:0071788': { - 'name': 'endoplasmic reticulum tubular network maintenance', - 'def': 'The organization process that preserves the endoplasmic reticulum (ER) tubular network in a stable functional or structural state. The ER tubular network is the ER part that comprises the membranes with high curvature in cross-section. [GOC:mah, PMID:16469703, PMID:20434336]' - }, - 'GO:0071789': { - 'name': 'spindle pole body localization to nuclear envelope', - 'def': 'A process in which a spindle pole body is transported to, or maintained in, a specific location in the nuclear envelope. A spindle pole body is a type of microtubule organizing center found in fungal cells. [GOC:mah, PMID:20434336]' - }, - 'GO:0071790': { - 'name': 'establishment of spindle pole body localization to nuclear envelope', - 'def': 'A process in which a spindle pole body is transported to a specific location in the nuclear envelope. A spindle pole body is a type of microtubule organizing center found in fungal cells. [GOC:mah, PMID:20434336]' - }, - 'GO:0071791': { - 'name': 'chemokine (C-C motif) ligand 5 binding', - 'def': 'Interacting selectively and non-covalently with chemokine (C-C motif) ligand 5. [GOC:add, GOC:amm]' - }, - 'GO:0071792': { - 'name': 'bacillithiol metabolic process', - 'def': 'The chemical reactions and pathways involving bacillithiol, the alpha-anomeric glycoside of L-cysteinyl-D-glucosamine with L-malic acid. Bacillithiol, produced widely in the Firmicutes and sporadically in other bacterial lineages, is a low-molecular-weight thiol analogous to mycothiol in the Actinomycetes and glutathione in many species. [GOC:dh, PMID:20308541]' - }, - 'GO:0071793': { - 'name': 'bacillithiol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of bacillithiol, the alpha-anomeric glycoside of L-cysteinyl-D-glucosamine with L-malic acid. Bacillithiol, produced widely in the Firmicutes and sporadically in other bacterial lineages, is a low-molecular-weight thiol analogous to mycothiol in the Actinomycetes and glutathione in many species. [GOC:dh, PMID:20308541]' - }, - 'GO:0071794': { - 'name': 'CAP-Gly domain binding', - 'def': 'Interacting selectively and non-covalently with a CAP-Gly domain of a protein. The CAP_Gly domain is a conserved, glycine-rich domain of about 42 residues found in some cytoskeleton-associated proteins, and features a novel protein fold containing three beta-sheets. [GOC:mah, InterPro:IPR000938]' - }, - 'GO:0071795': { - 'name': 'K11-linked polyubiquitin binding', - 'def': 'Interacting selectively and non-covalently and non-covalently with a polymer of ubiquitin formed by linkages between lysine residues at position 11 of the ubiquitin monomers. [GOC:sp, PMID:18775313]' - }, - 'GO:0071796': { - 'name': 'K6-linked polyubiquitin binding', - 'def': 'Interacting selectively and non-covalently and non-covalently with a polymer of ubiquitin formed by linkages between lysine residues at position 6 of the ubiquitin monomers. [GOC:sp, PMID:17525341, PMID:20351172]' - }, - 'GO:0071797': { - 'name': 'LUBAC complex', - 'def': 'A ubiquitin ligase complex that catalyzes linear head-to-tail polyubiquitin conjugation on its targets. In human the complex consists of RBCK1, RNF31 and SHARPIN, and has an MW of approximately 600 kDa, suggesting a heteromultimeric assembly of its subunits. LUBAC stands for Linear Ubiquitin Chain Assembly Complex. [GOC:sp, PMID:17006537, PMID:19136968, PMID:21455180]' - }, - 'GO:0071798': { - 'name': 'response to prostaglandin D', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin D stimulus. [GOC:sl]' - }, - 'GO:0071799': { - 'name': 'cellular response to prostaglandin D stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prostagladin D stimulus. [GOC:sl]' - }, - 'GO:0071800': { - 'name': 'podosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a podosome, an actin-rich adhesion structure characterized by formation upon cell substrate contact and localization at the substrate-attached part of the cell. [GOC:mah, GOC:sl]' - }, - 'GO:0071801': { - 'name': 'regulation of podosome assembly', - 'def': 'Any process that modulates the frequency, rate or extent of podosome assembly. [GOC:mah, GOC:sl]' - }, - 'GO:0071802': { - 'name': 'negative regulation of podosome assembly', - 'def': 'Any process that stops, prevents or reduces the rate or extent of podosome assembly. [GOC:mah, GOC:sl]' - }, - 'GO:0071803': { - 'name': 'positive regulation of podosome assembly', - 'def': 'Any process that activates or increases the rate or extent of podosome assembly. [GOC:mah, GOC:sl]' - }, - 'GO:0071804': { - 'name': 'cellular potassium ion transport', - 'def': 'The directed movement of potassium (K) ions into, out of, or within a cell. [GOC:mah, GOC:vw]' - }, - 'GO:0071805': { - 'name': 'potassium ion transmembrane transport', - 'def': 'A process in which a potassium ion is transported from one side of a membrane to the other. [GOC:mah]' - }, - 'GO:0071806': { - 'name': 'protein transmembrane transport', - 'def': 'The directed movement of a protein across a membrane by means of some agent such as a transporter or pore. [GOC:mah, GOC:vw]' - }, - 'GO:0071807': { - 'name': 'replication fork arrest involved in DNA replication termination', - 'def': 'A replication fork arrest process that contributes to the termination of DNA replication. [GOC:mah, PMID:17347517, PMID:20797631]' - }, - 'GO:0071808': { - 'name': 'satellite fibril', - 'def': 'An axoneme part that is found in the flagella of mammalian sperm and is located in the middle piece between the outer dense fibers (on the concave side of outer dense fibers as seen in cross-section). [GOC:mah, GOC:sl, PMID:20108326]' - }, - 'GO:0071809': { - 'name': 'regulation of fever generation by regulation of prostaglandin biosynthesis', - 'def': 'Any process that modulates the rate or extent of fever generation via regulation of the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of prostaglandin. [GOC:BHF, GOC:dph, GOC:mah]' - }, - 'GO:0071810': { - 'name': 'regulation of fever generation by regulation of prostaglandin secretion', - 'def': 'Any process that modulates the rate or extent of fever generation via regulation of the frequency, rate or extent of the regulated release of a prostaglandin from a cell. [GOC:BHF, GOC:dph, GOC:mah]' - }, - 'GO:0071811': { - 'name': 'positive regulation of fever generation by positive regulation of prostaglandin biosynthesis', - 'def': 'Any process that increases the rate or extent of fever generation via positive regulation of the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of prostaglandin. [GOC:BHF, GOC:dph, GOC:mah]' - }, - 'GO:0071812': { - 'name': 'positive regulation of fever generation by positive regulation of prostaglandin secretion', - 'def': 'Any process that increases the rate or extent of fever generation via positive regulation of the frequency, rate or extent of the regulated release of a prostaglandin from a cell. [GOC:BHF, GOC:dph, GOC:mah]' - }, - 'GO:0071813': { - 'name': 'lipoprotein particle binding', - 'def': 'Interacting selectively and non-covalently with a lipoprotein particle. A lipoprotein particle, also known as a lipoprotein, is a clathrate complex consisting of a lipid enwrapped in a protein host without covalent binding in such a way that the complex has a hydrophilic outer surface consisting of all the protein and the polar ends of any phospholipids. [CHEBI:6495, GOC:BHF, GOC:mah]' - }, - 'GO:0071814': { - 'name': 'protein-lipid complex binding', - 'def': 'Interacting selectively and non-covalently with a protein-lipid complex, any macromolecular complex that contains both protein and lipid molecules. [GOC:BHF, GOC:mah]' - }, - 'GO:0071815': { - 'name': 'intermediate-density lipoprotein particle binding', - 'def': 'Interacting selectively and non-covalently with a intermediate-density lipoprotein particle, a triglyceride-rich lipoprotein particle that typically contains APOB100, APOE and APOCs and has a density of 1.006-1.019 g/ml and a diameter of between 25-30 nm. [GOC:BHF, GOC:mah]' - }, - 'GO:0071816': { - 'name': 'tail-anchored membrane protein insertion into ER membrane', - 'def': 'A process of protein insertion into the endoplasmic reticulum (ER) membrane in which a tail-anchored (TA) transmembrane protein is incorporated into an endoplasmic reticulum (ER) membrane. TA transmembrane protein, also named type II transmembrane proteins, contain a single C- terminal transmembrane region. [GOC:mah, GOC:sp, PMID:20516149, PMID:20676083]' - }, - 'GO:0071817': { - 'name': 'MMXD complex', - 'def': 'A protein complex that contains the proteins MMS19, MIP18 and XPD, localizes to mitotic spindle during mitosis, and is required for proper chromosome segregation. [GOC:sp, PMID:20797633]' - }, - 'GO:0071818': { - 'name': 'BAT3 complex', - 'def': 'A protein complex consisting of BAT3 (BAG6) and its cofactors. In mammals these cofactors are TRC35 (GET4) and UBL4A. It facilitates tail-anchored protein capture by ASNA1/TRC4 and also chaperones polypeptides from the endoplasmic reticulum retrotranslocation machinery to the proteasome, maintaining the solubility of substrates to improve ER-associated protein degradation (ERAD). [GOC:bf, GOC:mah, GOC:sp, PMID:20676083, PMID:21636303]' - }, - 'GO:0071819': { - 'name': 'DUBm complex', - 'def': 'A protein complex that forms part of SAGA-type complexes SAGA and SLIK, and mediates deubiquitination of histone H2B. In S. cerevisiae, the DUBm consists of the proteins Ubp8p, Sgf11p, Sus1p, and Sgf73p. [PMID:19226466, PMID:20395473]' - }, - 'GO:0071820': { - 'name': 'N-box binding', - 'def': 'Interacting selectively and non-covalently with an N-box, a DNA motif with the consensus sequence CACNAG that is found in the promoters of genes expressed preferentially at synapses. [GOC:yaf, PMID:11498047]' - }, - 'GO:0071821': { - 'name': 'FANCM-MHF complex', - 'def': 'A protein complex contains the proteins FANCM and MHF, or their orthologs, plays an essential role in DNA remodeling, protects replication forks, and is conserved in eukaryotes. [GOC:mah, GOC:vw, PMID:20347428]' - }, - 'GO:0071822': { - 'name': 'protein complex subunit organization', - 'def': 'Any process in which macromolecules aggregate, disaggregate, or are modified, resulting in the formation, disassembly, or alteration of a protein complex. [GOC:mah]' - }, - 'GO:0071823': { - 'name': 'protein-carbohydrate complex subunit organization', - 'def': 'Any process in which macromolecules aggregate, disaggregate, or are modified, resulting in the formation, disassembly, or alteration of a protein-carbohydrate complex. [GOC:mah]' - }, - 'GO:0071824': { - 'name': 'protein-DNA complex subunit organization', - 'def': 'Any process in which macromolecules aggregate, disaggregate, or are modified, resulting in the formation, disassembly, or alteration of a protein-DNA complex. [GOC:mah]' - }, - 'GO:0071825': { - 'name': 'protein-lipid complex subunit organization', - 'def': 'Any process in which macromolecules aggregate, disaggregate, or are modified, resulting in the formation, disassembly, or alteration of a protein-lipid complex. [GOC:mah]' - }, - 'GO:0071826': { - 'name': 'ribonucleoprotein complex subunit organization', - 'def': 'Any process in which macromolecules aggregate, disaggregate, or are modified, resulting in the formation, disassembly, or alteration of a ribonucleoprotein complex. [GOC:mah]' - }, - 'GO:0071827': { - 'name': 'plasma lipoprotein particle organization', - 'def': 'A protein-lipid complex subunit organization process that results in the formation, disassembly, or alteration of a plasma lipoprotein particle. A plasma lipoprotein particle is a spherical particle with a hydrophobic core of triglycerides and/or cholesterol esters, surrounded by an amphipathic monolayer of phospholipids, cholesterol and apolipoproteins. [GOC:BHF, GOC:mah]' - }, - 'GO:0071828': { - 'name': 'apolipoprotein E recycling', - 'def': 'The process in which chylomicron remnant-associated apolipoprotein E is internalized by endocytosis, localized to recycling endosomes and then secreted in association with a high-density lipoprotein particle. [GOC:BHF, PMID:16373604]' - }, - 'GO:0071829': { - 'name': 'plasma lipoprotein particle disassembly', - 'def': 'The disaggregation of a plasma lipoprotein particle into its constituent components. [GOC:mah]' - }, - 'GO:0071830': { - 'name': 'triglyceride-rich lipoprotein particle clearance', - 'def': 'The process in which a triglyceride-rich lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF]' - }, - 'GO:0071831': { - 'name': 'intermediate-density lipoprotein particle clearance', - 'def': 'The process in which a intermediate-density lipoprotein particle is removed from the blood via receptor-mediated endocytosis and its constituent parts degraded. [GOC:BHF]' - }, - 'GO:0071832': { - 'name': 'peptide pheromone export involved in conjugation', - 'def': 'The directed movement of a peptide pheromone out of a cell by a secretion or export pathway used solely for the export of peptide pheromones that contributes to the union or introduction of genetic information from compatible mating types that results in a genetically different individual. Conjugation requires direct cellular contact between the organisms. [GOC:elh, GOC:jh, GOC:mah]' - }, - 'GO:0071833': { - 'name': 'peptide pheromone export involved in conjugation with cellular fusion', - 'def': 'The directed movement of a peptide pheromone out of a cell by a secretion or export pathway used solely for the export of peptide pheromones that contributes to a conjugation process that results in the union of cellular and genetic information from compatible mating types. [GOC:elh, GOC:jh, GOC:mah]' - }, - 'GO:0071834': { - 'name': 'mating pheromone secretion', - 'def': 'The regulated release of a mating pheromone, a peptide hormone that induces a behavioral or physiological response(s) from a responding organism or cell, that contributes to a process of sexual reproduction. [GOC:mah]' - }, - 'GO:0071835': { - 'name': 'mating pheromone secretion involved in conjugation', - 'def': 'The regulated release of a mating pheromone, a peptide hormone that induces a behavioral or physiological response(s) from a responding organism or cell, that contributes to the union or introduction of genetic information from compatible mating types that results in a genetically different individual. Conjugation requires direct cellular contact between the organisms. [GOC:elh, GOC:jh, GOC:mah]' - }, - 'GO:0071836': { - 'name': 'nectar secretion', - 'def': 'The controlled release of a nectar by a cell or a tissue. Nectar is a fluid secreted by many angiosperms to promote pollination by providing a reward to pollinators. Nectar may also deter certain organisms from visiting or play other biological roles. Nectar is a complex solution that may include the following types of compounds: sugars, amino acids, organic acids, alkaloids, flavonoids, glycosides, vitamins, phenolics, metal ions, oils, free fatty acids, and proteins. [GOC:kad, PMID:19861655]' - }, - 'GO:0071837': { - 'name': 'HMG box domain binding', - 'def': 'Interacting selectively and non-covalently with an HMG box domain, a protein domain that consists of three helices in an irregular array. HMG-box domains are found in one or more copies in HMG-box proteins, which form a large, diverse family involved in the regulation of DNA-dependent processes such as transcription, replication, and strand repair, all of which require the bending and unwinding of chromatin. [GOC:yaf, InterPro:IPR009071, PMID:18445004]' - }, - 'GO:0071838': { - 'name': 'cell proliferation in bone marrow', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a cell population in the bone marrow. [GOC:mah, GOC:yaf, PMID:17063141]' - }, - 'GO:0071839': { - 'name': 'apoptotic process in bone marrow', - 'def': 'The apoptotic process in cells in the bone marrow. [GOC:mah, GOC:mtg_apoptosis, PMID:17063141]' - }, - 'GO:0071840': { - 'name': 'cellular component organization or biogenesis', - 'def': 'A process that results in the biosynthesis of constituent macromolecules, assembly, arrangement of constituent parts, or disassembly of a cellular component. [GOC:mah]' - }, - 'GO:0071846': { - 'name': 'actin filament debranching', - 'def': 'An actin filament severing process that results in the removal of actin filament branches specifically at the branch points. [GOC:jh, GOC:mah, PMID:20362448]' - }, - 'GO:0071847': { - 'name': 'TNFSF11-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of tumor necrosis factor ligand superfamily member 11 (TNFSF11) to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:BHF, GOC:signaling, PMID:18606301, PR:000002107]' - }, - 'GO:0071848': { - 'name': 'positive regulation of ERK1 and ERK2 cascade via TNFSF11-mediated signaling', - 'def': 'Any TNFSF11-mediated signaling process that increases the rate, frequency, or extent of the ERK1 and ERK2 cascade. [GOC:BHF, PMID:18606301]' - }, - 'GO:0071849': { - 'name': 'G1 cell cycle arrest in response to nitrogen starvation', - 'def': 'The process in which the cell cycle is halted during G1 phase, as a result of deprivation of nitrogen. [GOC:vw]' - }, - 'GO:0071850': { - 'name': 'mitotic cell cycle arrest', - 'def': 'The process in which the mitotic cell cycle is halted during one of the normal phases (G1, S, G2, M). [GOC:mah]' - }, - 'GO:0071851': { - 'name': 'mitotic G1 cell cycle arrest in response to nitrogen starvation', - 'def': 'The process in which the mitotic cell cycle is halted during G1 phase, as a result of deprivation of nitrogen. [GOC:vw]' - }, - 'GO:0071852': { - 'name': 'fungal-type cell wall organization or biogenesis', - 'def': 'A process that results in the biosynthesis of constituent macromolecules, assembly, arrangement of constituent parts, or disassembly of a fungal-type cell wall. [GOC:mah]' - }, - 'GO:0071853': { - 'name': 'fungal-type cell wall disassembly', - 'def': 'A cellular process that results in the breakdown of a fungal-type cell wall. [GOC:mah]' - }, - 'GO:0071854': { - 'name': 'cell wall macromolecule catabolic process involved in fungal-type cell wall disassembly', - 'def': 'The chemical reactions and pathways that result in the breakdown of macromolecules that form part of a cell wall, and contributes to the breakdown of the fungal-type cell wall. [GOC:mah]' - }, - 'GO:0071855': { - 'name': 'neuropeptide receptor binding', - 'def': 'Interacting selectively and non-covalently with a neuropeptide receptor. [GOC:kmv, GOC:mah]' - }, - 'GO:0071857': { - 'name': 'beta-endorphin receptor binding', - 'def': 'Interacting selectively and non-covalently with a beta-endorphin receptor. [GOC:kmv, GOC:mah]' - }, - 'GO:0071858': { - 'name': 'corazonin receptor binding', - 'def': 'Interacting selectively and non-covalently with a corazonin receptor. [GOC:kmv, GOC:mah]' - }, - 'GO:0071859': { - 'name': 'neuropeptide F receptor binding', - 'def': 'Interacting selectively and non-covalently with a neuropeptide F receptor. [GOC:kmv, GOC:mah]' - }, - 'GO:0071860': { - 'name': 'proctolin receptor binding', - 'def': 'Interacting selectively and non-covalently with a proctolin receptor. [GOC:kmv, GOC:mah]' - }, - 'GO:0071861': { - 'name': 'tachykinin receptor binding', - 'def': 'Interacting selectively and non-covalently with a tachykinin receptor. [GOC:kmv, GOC:mah]' - }, - 'GO:0071863': { - 'name': 'regulation of cell proliferation in bone marrow', - 'def': 'A process that modulates the frequency, rate or extent of cell proliferation in the bone marrow. [GOC:mah, GOC:yaf, PMID:17063141]' - }, - 'GO:0071864': { - 'name': 'positive regulation of cell proliferation in bone marrow', - 'def': 'A process that activates or increases the frequency, rate or extent of cell proliferation in the bone marrow. [GOC:mah, GOC:yaf, PMID:17063141]' - }, - 'GO:0071865': { - 'name': 'regulation of apoptotic process in bone marrow', - 'def': 'Any process that modulates the occurrence or rate of cell death by apoptotic process in the bone marrow. [GOC:mah, GOC:mtg_apoptosis, GOC:yaf, PMID:17063141]' - }, - 'GO:0071866': { - 'name': 'negative regulation of apoptotic process in bone marrow', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the occurrence or rate of cell death by apoptotic process in the bone marrow. [GOC:mah, GOC:mtg_apoptosis, GOC:yaf, PMID:17063141]' - }, - 'GO:0071867': { - 'name': 'response to monoamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a monoamine stimulus. A monoamine is any of a group of molecular messengers that contain one amino group that is connected to an aromatic ring by ethylene group (-CH2-CH2-). Monoamines are derived from the aromatic amino acids phenylalanine, tyrosine, histidine and tryptophan. [CHEBI:35375, GOC:mah]' - }, - 'GO:0071868': { - 'name': 'cellular response to monoamine stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a monoamine stimulus. A monoamine is any of a group of molecular messengers that contain one amino group that is connected to an aromatic ring by ethylene group (-CH2-CH2-). Monoamines are derived from the aromatic amino acids phenylalanine, tyrosine, histidine and tryptophan. [CHEBI:35375, GOC:mah]' - }, - 'GO:0071869': { - 'name': 'response to catecholamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a catecholamine stimulus. A catecholamine is any of a group of biogenic amines that includes 4-(2-aminoethyl)pyrocatechol [4-(2-aminoethyl)benzene-1,2-diol] and derivatives formed by substitution. [CHEBI:33567, GOC:BHF, GOC:mah]' - }, - 'GO:0071870': { - 'name': 'cellular response to catecholamine stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a catecholamine stimulus. A catecholamine is any of a group of biogenic amines that includes 4-(2-aminoethyl)pyrocatechol [4-(2-aminoethyl)benzene-1,2-diol] and derivatives formed by substitution. [CHEBI:33567, GOC:BHF, GOC:mah]' - }, - 'GO:0071871': { - 'name': 'response to epinephrine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an epinephrine stimulus. Epinephrine is a catecholamine that has the formula C9H13NO3; it is secreted by the adrenal medulla to act as a hormone, and released by certain neurons to act as a neurotransmitter active in the central nervous system. [CHEBI:33568, GOC:BHF, GOC:mah]' - }, - 'GO:0071872': { - 'name': 'cellular response to epinephrine stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an epinephrine stimulus. Epinephrine is a catecholamine that has the formula C9H13NO3; it is secreted by the adrenal medulla to act as a hormone, and released by certain neurons to act as a neurotransmitter active in the central nervous system. [CHEBI:33568, GOC:BHF, GOC:mah]' - }, - 'GO:0071873': { - 'name': 'response to norepinephrine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a norepinephrine stimulus. Norepinephrine is a catecholamine that has the formula C8H11NO3; it acts as a hormone, and as a neurotransmitter in most of the sympathetic nervous system. [CHEBI:33569, GOC:BHF, GOC:mah]' - }, - 'GO:0071874': { - 'name': 'cellular response to norepinephrine stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a norepinephrine stimulus. Norepinephrine is a catecholamine that has the formula C8H11NO3; it acts as a hormone, and as a neurotransmitter in most of the sympathetic nervous system. [CHEBI:33569, GOC:BHF, GOC:mah]' - }, - 'GO:0071875': { - 'name': 'adrenergic receptor signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of an adrenergic receptor binding to one of its physiological ligands. [GOC:BHF]' - }, - 'GO:0071876': { - 'name': 'obsolete initiation of adrenergic receptor signal transduction', - 'def': 'OBSOLETE. A process of signal initiation in which epinephrine or norepinephrine causes activation of an adrenergic receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0071877': { - 'name': 'regulation of adrenergic receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of an adrenergic receptor signaling pathway activity. An adrenergic receptor signaling pathway is the series of molecular signals generated as a consequence of an adrenergic receptor binding to one of its physiological ligands. [GOC:BHF, GOC:mah]' - }, - 'GO:0071878': { - 'name': 'negative regulation of adrenergic receptor signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of adrenergic receptor protein signaling pathway activity. An adrenergic receptor signaling pathway is the series of molecular signals generated as a consequence of an adrenergic receptor binding to one of its physiological ligands. [GOC:BHF, GOC:mah]' - }, - 'GO:0071879': { - 'name': 'positive regulation of adrenergic receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the adrenergic receptor protein signaling pathway. An adrenergic receptor signaling pathway is the series of molecular signals generated as a consequence of an adrenergic receptor binding to one of its physiological ligands. [GOC:BHF, GOC:mah]' - }, - 'GO:0071880': { - 'name': 'adenylate cyclase-activating adrenergic receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an adrenergic receptor binding to its physiological ligand, where the pathway proceeds with activation of adenylyl cyclase and a subsequent increase in the concentration of cyclic AMP (cAMP). [GOC:BHF, GOC:mah, GOC:signaling]' - }, - 'GO:0071881': { - 'name': 'adenylate cyclase-inhibiting adrenergic receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an adrenergic receptor binding to its physiological ligand, where the pathway proceeds with inhibition of adenylyl cyclase and a subsequent decrease in the concentration of cyclic AMP (cAMP). [GOC:BHF, GOC:mah, GOC:signaling]' - }, - 'GO:0071882': { - 'name': 'phospholipase C-activating adrenergic receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an adrenergic receptor binding to its physiological ligand, where the pathway proceeds with activation of phospholipase C (PLC) and a subsequent release of inositol trisphosphate (IP3) and diacylglycerol (DAG). [GOC:BHF, GOC:mah, GOC:signaling]' - }, - 'GO:0071883': { - 'name': 'activation of MAPK activity by adrenergic receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an adrenergic receptor binding to its physiological ligand, followed by the activation of a MAP kinase. [GOC:BHF, GOC:mah]' - }, - 'GO:0071884': { - 'name': 'vitamin D receptor activator activity', - 'def': 'Interacting (directly or indirectly) with vitamin D receptors such that the proportion of receptors in the active form is increased. [GOC:BHF, GOC:vk]' - }, - 'GO:0071885': { - 'name': 'N-terminal protein N-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine (AdoMet) to the alpha-amino group of the N-terminal amino or imino acid residue of a protein substrate. For example, yeast Tae1p and mammalian family member METTL11A preferentially modify the N-terminal residue of substrates with the N-terminal sequence X-Pro-Lys, where X can be Pro, Ala, or Ser. [PMID:20481588]' - }, - 'GO:0071886': { - 'name': '1-(4-iodo-2,5-dimethoxyphenyl)propan-2-amine binding', - 'def': 'Interacting selectively and non-covalently with the amine 1-(4-iodo-2,5-dimethoxyphenyl)propan-2-amine, a serotonin receptor agonist that can act as a psychedelic drug. [CHEBI:100436, GOC:yaf, PMID:19057895]' - }, - 'GO:0071887': { - 'name': 'leukocyte apoptotic process', - 'def': 'Any apoptotic process in a leukocyte, an achromatic cell of the myeloid or lymphoid lineages capable of ameboid movement, found in blood or other tissue. [CL:0000738, GOC:BHF, GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0071888': { - 'name': 'macrophage apoptotic process', - 'def': 'Any apoptotic process in a macrophage, a mononuclear phagocyte present in a variety of tissues. [CL:0000235, GOC:BHF, GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0071889': { - 'name': '14-3-3 protein binding', - 'def': 'Interacting selectively and non-covalently with a 14-3-3 protein. A 14-3-3 protein is any of a large family of approximately 30kDa acidic proteins which exist primarily as homo- and heterodimers within all eukaryotic cells, and have been implicated in the modulation of distinct biological processes by binding to specific phosphorylated sites on diverse target proteins, thereby forcing conformational changes or influencing interactions between their targets and other molecules. Each 14-3-3 protein sequence can be roughly divided into three sections: a divergent amino terminus, the conserved core region and a divergent carboxyl terminus. The conserved middle core region of the 14-3-3s encodes an amphipathic groove that forms the main functional domain, a cradle for interacting with client proteins. [GOC:cna, GOC:mah, InterPro:IPR000308, PMID:15167810, PMID:19575580, PR:000003237]' - }, - 'GO:0071890': { - 'name': 'bicarbonate binding', - 'def': 'Interacting selectively and non-covalently with bicarbonate (CHO3-) ions. [CHEBI:17544]' - }, - 'GO:0071891': { - 'name': 'N-terminal peptidyl-proline dimethylation involved in translation', - 'def': 'An N-terminal peptidyl-proline dimethylation process that contributes to translation. [GOC:mah]' - }, - 'GO:0071892': { - 'name': 'thrombocyte activation', - 'def': 'A cell activation process that occurs in thrombocytes and consists of a series of progressive, overlapping events including shape change, adhesiveness, and aggregation, which, when carried through to completion, lead to the formation of a stable hemostatic plug. Thrombocytes are nucleated cells found in non-mammalian vertebrates and are involved in hemostasis. They are the functional equivalent of the non-nucleated platelets found in mammals. [GOC:lb, GOC:mah, PMID:10606877, PMID:15634265, PMID:20180901]' - }, - 'GO:0071893': { - 'name': 'BMP signaling pathway involved in nephric duct formation', - 'def': 'A series of molecular signals initiated by the binding of a member of the BMP (bone morphogenetic protein) family to a receptor on the surface of a target cell, which contributes to nephric duct formation. [GOC:mah, GOC:mtg_kidney_jan10]' - }, - 'GO:0071894': { - 'name': 'histone H2B conserved C-terminal lysine ubiquitination', - 'def': 'A histone ubiquitination process in which a ubiquitin monomer is added to a conserved lysine residue in the C-terminus of histone H2B. The conserved lysine residue is K119 in fission yeast, K123 in budding yeast, or K120 in mammals. [GOC:mah, GOC:vw]' - }, - 'GO:0071895': { - 'name': 'odontoblast differentiation', - 'def': 'The process in which a relatively unspecialized cell of neural crest origin acquires the specialized features of an odontoblast, a cell on the outer surface of the dental pulp whose biological function is the creation of dentin. [GOC:sl, PMID:20425127]' - }, - 'GO:0071896': { - 'name': 'protein localization to adherens junction', - 'def': 'Any process in which a protein is transported to, and/or maintained at the adherens junction. [GOC:BHF, GOC:mah]' - }, - 'GO:0071897': { - 'name': 'DNA biosynthetic process', - 'def': "The cellular DNA metabolic process resulting in the formation of DNA, deoxyribonucleic acid, one of the two main types of nucleic acid, consisting of a long unbranched macromolecule formed from one or two strands of linked deoxyribonucleotides, the 3'-phosphate group of each constituent deoxyribonucleotide being joined in 3',5'-phosphodiester linkage to the 5'-hydroxyl group of the deoxyribose moiety of the next one. [GOC:mah]" - }, - 'GO:0071898': { - 'name': 'regulation of estrogen receptor binding', - 'def': 'Any process that modulates the frequency, rate or extent of estrogen receptor binding, interacting selectively with a an estrogen receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0071899': { - 'name': 'negative regulation of estrogen receptor binding', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of estrogen receptor binding, interacting selectively with an estrogen receptor. [GOC:BHF, GOC:mah]' - }, - 'GO:0071900': { - 'name': 'regulation of protein serine/threonine kinase activity', - 'def': 'Any process that modulates the rate, frequency, or extent of protein serine/threonine kinase activity. [GOC:mah]' - }, - 'GO:0071901': { - 'name': 'negative regulation of protein serine/threonine kinase activity', - 'def': 'Any process that decreases the rate, frequency, or extent of protein serine/threonine kinase activity. [GOC:BHF, GOC:mah]' - }, - 'GO:0071902': { - 'name': 'positive regulation of protein serine/threonine kinase activity', - 'def': 'Any process that increases the rate, frequency, or extent of protein serine/threonine kinase activity. [GOC:mah]' - }, - 'GO:0071903': { - 'name': 'protein N-linked N-acetylglucosaminylation via asparagine', - 'def': 'A process of protein N-linked glycosylation via asparagine in which N-acetylglucosamine is added to the N4 of asparagine, forming an (S)-2-amino-4-(2-acetamido-2-deoxy-beta-D-glucopyranosyl)amino-4-oxobutanoic acid residue. [GOC:pr, RESID:AA0151]' - }, - 'GO:0071904': { - 'name': 'protein N-linked N-acetylgalactosaminylation via asparagine', - 'def': 'A process of protein N-linked glycosylation via asparagine in which N-acetylgalactosamine is added to the N4 of asparagine, forming an (S)-2-amino-4-(2-acetamido-2-deoxy-beta-D-galactopyranosyl)amino-4-oxobutanoic acid residue. [GOC:pr, RESID:AA0420]' - }, - 'GO:0071905': { - 'name': 'protein N-linked glucosylation via asparagine', - 'def': 'A process of protein N-linked glycosylation via asparagine in which glucose is added to the N4 of asparagine, forming an (S)-2-amino-4-(D-glucopyranosyl)amino-4-oxobutanoic acid residue. [GOC:pr, RESID:AA0421]' - }, - 'GO:0071906': { - 'name': 'CRD domain binding', - 'def': 'Interacting selectively and non-covalently with a CRD (context dependent regulatory) domain, a domain of about 130 residues that is the most divergent region among the LEF/TCF proteins. [GOC:yaf, PMID:19460168]' - }, - 'GO:0071907': { - 'name': 'determination of digestive tract left/right asymmetry', - 'def': 'Determination of the asymmetric location of various parts of the digestive tract with respect to the left and right halves of the organism. The digestive tract is the anatomical structure through which food passes and is processed. [GOC:cvs]' - }, - 'GO:0071908': { - 'name': 'determination of intestine left/right asymmetry', - 'def': 'Determination of the asymmetric location of the intestine loops with respect to the left and right halves of the organism. [GOC:cvs]' - }, - 'GO:0071909': { - 'name': 'determination of stomach left/right asymmetry', - 'def': 'Determination of the asymmetric location of the stomach with respect to the left and right halves of the organism. [GOC:cvs]' - }, - 'GO:0071910': { - 'name': 'determination of liver left/right asymmetry', - 'def': 'Determination of the asymmetric location of the liver with respect to the left and right halves of the organism. [GOC:cvs]' - }, - 'GO:0071911': { - 'name': 'synchronous neurotransmitter secretion', - 'def': 'Release of neurotransmitter at the synapse that lasts for just a few milliseconds after action potential invasion. [GOC:dsf, PMID:19477156, PMID:20643933]' - }, - 'GO:0071912': { - 'name': 'asynchronous neurotransmitter secretion', - 'def': 'Release of neurotransmitter at the synapse that persists for tens to hundreds of milliseconds after action potential invasion. [GOC:dsf, PMID:19477156, PMID:20643933]' - }, - 'GO:0071913': { - 'name': 'citrate secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of citrate from one side of a membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:mah, GOC:mtg_transport, GOC:vw]' - }, - 'GO:0071914': { - 'name': 'prominosome', - 'def': 'An extracellular membrane-bounded vesicle that contains prominin proteins (in mouse Prom1/CD33 or Prom2) and are found in body fluids including ventricular fluid, saliva, urine and seminal fluid. In the ventricular fluid of the developing mouse brain two major classes of these particles have been observed (P2 particles of 500-1000 nm and P4 particles of 50-80 nm) which likely originate from microvilli, primary cilia and/or the midbody of neuroepithelial cells. The physiological role is not known. [GOC:vesicles, PMID:15976444, PMID:17109118, PMID:17283184]' - }, - 'GO:0071915': { - 'name': 'protein-lysine lysylation', - 'def': 'The addition of lysine group to a lysine residue in a protein, producing N6-(lysyl)-L-lysine. This modification is observed in, and is probably unique to, translation elongation factor P (EF-P). [GOC:imk, GOC:jsg, PMID:20729861]' - }, - 'GO:0071916': { - 'name': 'dipeptide transmembrane transporter activity', - 'def': 'Enables the directed movement of a dipeptide across a membrane into, out of or within a cell, or between cells. A dipeptide is a combination of two amino acids linked together by a peptide (-CO-NH-) bond. [GOC:mah]' - }, - 'GO:0071917': { - 'name': 'triose-phosphate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a triose phosphate from one side of a membrane to the other. [GOC:mah, GOC:vw]' - }, - 'GO:0071918': { - 'name': 'urea transmembrane transport', - 'def': 'The process in which urea, the water-soluble compound H2N-CO-NH2, is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0071919': { - 'name': 'G-quadruplex DNA formation', - 'def': 'A DNA metabolic process that results in the formation of G-quadruplex DNA structures, in which groups of four guanines adopt a flat, cyclic Hoogsteen hydrogen-bonding arrangement known as a guanine tetrad or G-quartet. The stacking of several layers of G-quartets forms G-quadruplexes, in which one or more DNA single strands are assembled in parallel and/or antiparallel, with interactions that can be either intra- or intermolecular in nature. [GOC:sre, PMID:20098422]' - }, - 'GO:0071920': { - 'name': 'cleavage body', - 'def': "A nuclear body that contains proteins involved in pre-mRNA 3'-end cleavage and polyadenylation, such as DDX1, CSTF2 and CPSFs, as well as the transcription factors TFIIE and TFIIF. Cleavage bodies are localized adjacent to Cajal bodies and are involved in mRNA3'-end processing. [PMID:10564273, PMID:11598190, PMID:8654386]" - }, - 'GO:0071921': { - 'name': 'cohesin loading', - 'def': 'The protein localization to chromatin by which a cohesin ring complex is topologically linked to DNA. [GOC:dph, GOC:mah, GOC:vw, PMID:10882066, PMID:17113138, PMID:26687354]' - }, - 'GO:0071922': { - 'name': 'regulation of cohesin loading', - 'def': 'Any process that modulates the frequency, rate or extent of a process in which a cohesin complex is transported to, or maintained at, a part of a chromosome that is organized into chromatin. [GOC:lb, GOC:mah, PMID:17113138]' - }, - 'GO:0071923': { - 'name': 'negative regulation of cohesin loading', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a process in which a cohesin complex is transported to, or maintained at, a part of a chromosome that is organized into chromatin. [GOC:lb, GOC:mah, PMID:17113138]' - }, - 'GO:0071924': { - 'name': 'chemokine (C-C motif) ligand 22 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 22 (CCL22) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah, PMID:18832724]' - }, - 'GO:0071925': { - 'name': 'thymic stromal lymphopoietin production', - 'def': 'The appearance of thymic stromal lymphopoietin (TSLP) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah, PMID:17129180]' - }, - 'GO:0071926': { - 'name': 'endocannabinoid signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an endocannabinoid binding to a cell surface receptor. The pathway proceeds with the receptor transmitting the signal to a heterotrimeric G-protein complex and ends with regulation of a downstream cellular process, e.g. transcription. Endocannabinoids are small molecules derived from arachidonic acid, anandamide (arachidonoylethanolamide) and 2-arachidonoylglycerol. [GOC:bf, GOC:mah, PMID:15550444]' - }, - 'GO:0071927': { - 'name': 'octopamine signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of octopamine binding to a cell surface receptor. [GOC:mah, PMID:15355245]' - }, - 'GO:0071928': { - 'name': 'tyramine signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of tyramine binding to a cell surface receptor. [GOC:mah, PMID:15355245]' - }, - 'GO:0071929': { - 'name': 'alpha-tubulin acetylation', - 'def': 'The addition of an acetyl group to the lysine 40 residue of alpha-tubulin. [GOC:kmv, PMID:17786050]' - }, - 'GO:0071930': { - 'name': 'negative regulation of transcription involved in G1/S transition of mitotic cell cycle', - 'def': 'Any process that stop, prevents or decreases transcription as part of the G1/S transition of the mitotic cell cycle. [GOC:mah, GOC:vw]' - }, - 'GO:0071931': { - 'name': 'positive regulation of transcription involved in G1/S transition of mitotic cell cycle', - 'def': 'Any process that activates or increases transcription as part of the G1/S transition of the mitotic cell cycle. [GOC:mah, GOC:vw]' - }, - 'GO:0071932': { - 'name': 'replication fork reversal', - 'def': 'Replication fork processing that involves the unwinding of blocked forks to form four-stranded structures resembling Holliday junctions, which are subsequently resolved. [PMID:19406929]' - }, - 'GO:0071933': { - 'name': 'Arp2/3 complex binding', - 'def': 'Interacting selectively and non-covalently with an Arp2/3 complex, a protein complex that contains two actin-related proteins, Arp2 and Arp3, and five novel proteins (ARPC1-5). [GOC:mah]' - }, - 'GO:0071934': { - 'name': 'thiamine transmembrane transport', - 'def': 'The directed movement of thiamine across a membrane into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Thiamine is vitamin B1, a water soluble vitamin present in fresh vegetables and meats, especially liver. [GOC:mah]' - }, - 'GO:0071935': { - 'name': 'octopamine signaling pathway involved in response to food', - 'def': 'The series of molecular signals initiated by binding of octopamine to a receptor on the surface of the target cell that contributes to a response to a food stimulus. [GOC:mah, PMID:19609300]' - }, - 'GO:0071936': { - 'name': 'coreceptor activity involved in Wnt signaling pathway', - 'def': 'In cooperation with a primary Wnt receptor, initiating a change in cell activity through the Wnt signaling pathway. [GOC:BHF, GOC:mah]' - }, - 'GO:0071938': { - 'name': 'vitamin A transport', - 'def': 'The directed movement any form of vitamin A into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Vitamin A is any of several retinoid derivatives of beta-carotene, primarily retinol, retinal, or retinoic acid. [GOC:mah, PMID:16011460, PMID:1924551]' - }, - 'GO:0071939': { - 'name': 'vitamin A import', - 'def': 'The directed movement of vitamin A into a cell or organelle. Vitamin A is any of several retinoid derivatives of beta-carotene, primarily retinol, retinal, or retinoic acid. [GOC:mah, PMID:16011460, PMID:1924551]' - }, - 'GO:0071940': { - 'name': 'fungal-type cell wall assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a fungal-type cell wall. [GOC:mah, GOC:vw, PMID:19646873]' - }, - 'GO:0071941': { - 'name': 'nitrogen cycle metabolic process', - 'def': 'A nitrogen compound metabolic process that contributes to the nitrogen cycle. The nitrogen cycle is a series of metabolic pathways by which nitrogen is converted between various forms and redox states; it encompasses pathways in which nitrogen is acted upon directly, such as nitrification, denitrification, nitrogen fixation, and mineralization. [GOC:mah, PMID:16675690, Wikipedia:Nitrogen_cycle]' - }, - 'GO:0071942': { - 'name': 'XPC complex', - 'def': 'A nucleotide-excision repair complex that is involved in damage sensing during global genome nucleotide excision repair (GG-NER). It is part of the pre-incision (or initial recognition) complex bound to sites of DNA damage. In human, it is composed of XPC, RAD23B and CETN2. [PMID:11279143, PMID:15964821, PMID:19941824]' - }, - 'GO:0071943': { - 'name': 'Myc-Max complex', - 'def': 'A transcription factor complex that consists of a heterodimer of the bHLH-ZIP proteins Myc and Max. [GOC:cna, PMID:16620027, PMID:16620031, PMID:20170194]' - }, - 'GO:0071944': { - 'name': 'cell periphery', - 'def': 'The part of a cell encompassing the cell cortex, the plasma membrane, and any external encapsulating structures. [GOC:mah]' - }, - 'GO:0071945': { - 'name': 'regulation of bacterial-type flagellum-dependent cell motility by regulation of motor speed', - 'def': 'A process that modulates flagellum-dependent motility in bacteria by modulating the speed or direction of rotation of a rotary flagellar motor, mediated by interactions between the braking protein. [GOC:cilia, GOC:jl, PMID:20371342]' - }, - 'GO:0071946': { - 'name': 'cis-acting DNA replication termination', - 'def': 'A DNA replication termination process that is initiated by protein binding to a binding site on the same chromosome, but remote from the termination site, via DNA looping or chromosome kissing. [GOC:vw, PMID:20850009]' - }, - 'GO:0071947': { - 'name': 'protein deubiquitination involved in ubiquitin-dependent protein catabolic process', - 'def': 'The removal of one or more ubiquitin groups from a protein as part of a process of ubiquitin-dependent protein catabolism. [GOC:mah]' - }, - 'GO:0071948': { - 'name': 'activation-induced B cell apoptotic process', - 'def': 'B cell apoptotic process that occurs upon engagement of either the B cell receptor or CD40. Engagement of either receptor, but not both, leads to expression of fas or related receptors that make the B cell susceptible to fas-ligand mediated death. [GOC:mtg_apoptosis, GOC:tfm, PMID:11032170, PMID:19300454]' - }, - 'GO:0071949': { - 'name': 'FAD binding', - 'def': 'Interacting selectively and non-covalently with the oxidized form, FAD, of flavin-adenine dinucleotide, the coenzyme or the prosthetic group of various flavoprotein oxidoreductase enzymes. [GOC:mah]' - }, - 'GO:0071950': { - 'name': 'FADH2 binding', - 'def': 'Interacting selectively and non-covalently with the reduced form, FADH2, of flavin-adenine dinucleotide, the coenzyme or the prosthetic group of various flavoprotein oxidoreductase enzymes. [GOC:mah]' - }, - 'GO:0071951': { - 'name': 'conversion of methionyl-tRNA to N-formyl-methionyl-tRNA', - 'def': 'The modification process that results in the conversion of methionine charged on a tRNA(fMet) to N-formyl-methionine-tRNA(fMet). [GOC:jsg, PMID:5337045]' - }, - 'GO:0071952': { - 'name': 'conversion of O-phosphoseryl-tRNA to cysteinyl-tRNA', - 'def': 'The modification process that results in the conversion of O-phosphoserine charged on a tRNA(Cys) to cysteinyl-tRNA. [GOC:jsg, PMID:17351629, PMID:18559341]' - }, - 'GO:0071953': { - 'name': 'elastic fiber', - 'def': 'An extracellular matrix part that consists of an insoluble core of polymerized tropoelastin monomers and a surrounding mantle of microfibrils. Elastic fibers provide elasticity and recoiling to tissues and organs, and maintain structural integrity against mechanical strain. [GOC:BHF, GOC:mah, PMID:20236620]' - }, - 'GO:0071954': { - 'name': 'chemokine (C-C motif) ligand 11 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 11 (CCL11, also known as eotaxin-1) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:mah, PMID:9600955]' - }, - 'GO:0071955': { - 'name': 'recycling endosome to Golgi transport', - 'def': 'The directed movement of substances from recycling endosomes to the Golgi. [GOC:lb]' - }, - 'GO:0071957': { - 'name': 'old mitotic spindle pole body', - 'def': 'The spindle pole body that exists in a cell prior to spindle pole body duplication. An old spindle pole body segregates to the daughter cell upon mitosis, and lacks active proteins involved in signaling exit from mitosis. [GOC:mah, GOC:vw, PMID:15132994]' - }, - 'GO:0071958': { - 'name': 'new mitotic spindle pole body', - 'def': 'The spindle pole body that is formed by spindle pole body duplication, and to which proteins involved in mitotic exit signaling (for example, the septation initiation network in fission yeast) localize. [GOC:mah, GOC:vw, PMID:15132994]' - }, - 'GO:0071959': { - 'name': 'maintenance of mitotic sister chromatid cohesion, arms', - 'def': 'The process in which the association between sister chromatids of a replicated chromosome along the length of the chromosome arms, is maintained as chromosomes condense, attach to the spindle in a bipolar orientation, and congress to the metaphase plate during a mitotic cell cycle. [GOC:mah, PMID:1708436]' - }, - 'GO:0071960': { - 'name': 'maintenance of mitotic sister chromatid cohesion, centromeric', - 'def': 'The process in which the association between sister chromatids of a replicated chromosome along the length of the centromeric region is maintained as chromosomes condense, attach to the spindle in a bipolar orientation, and congress to the metaphase plate during a mitotic cell cycle. [GOC:mah, PMID:1708436]' - }, - 'GO:0071961': { - 'name': 'mitotic sister chromatid cohesion, arms', - 'def': 'The cell cycle process in which the sister chromatids of a replicated chromosome are joined along the length of the chromosome arms during mitosis. [GOC:mah]' - }, - 'GO:0071962': { - 'name': 'mitotic sister chromatid cohesion, centromeric', - 'def': 'The cell cycle process in which centromeres of sister chromatids are joined during mitosis. [GOC:mah]' - }, - 'GO:0071963': { - 'name': 'establishment or maintenance of cell polarity regulating cell shape', - 'def': 'Any cellular process that results in the specification, formation or maintenance of a polarized intracellular organization or cell growth patterns that regulate the shape of a cell. [GOC:mah]' - }, - 'GO:0071964': { - 'name': 'establishment of cell polarity regulating cell shape', - 'def': 'Any cellular process that results in the specification or formation of a polarized intracellular organization or cell growth pattern that regulates the shape of a cell. [GOC:mah]' - }, - 'GO:0071965': { - 'name': 'multicellular organismal locomotion', - 'def': 'Locomotion in a multicellular organism, i.e. self-propelled movement of a multicellular organism from one location to another. [GOC:mah]' - }, - 'GO:0071966': { - 'name': 'fungal-type cell wall polysaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving the polysaccharides which make up the fungal-type cell wall. [GOC:mah]' - }, - 'GO:0071967': { - 'name': 'lipopolysaccharide core heptosyltransferase activity', - 'def': 'Catalysis of the reaction: glucosyl-heptosyl2-KDO2-lipid A-phosphate + ADP-L-glycero-beta-D-manno-heptose = glucosyl-heptosyl3-KDO2-lipid A-phosphate + ADP + H+. [MetaCyc:RXN0-5122]' - }, - 'GO:0071968': { - 'name': 'lipid A-core heptosyltransferase activity', - 'def': 'Catalysis of the reaction: galactosyl-glucosyl3-heptosyl3-KDO2-lipid A-bisphosphate + ADP-L-glycero-beta-D-manno-heptose = lipid A-core + ADP + H+. [MetaCyc:RXN0-5127]' - }, - 'GO:0071969': { - 'name': 'fungal-type cell wall (1->3)-beta-D-glucan metabolic process', - 'def': 'The chemical reactions and pathways involving (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D-glucosidic bonds, found in the walls of fungi. [GOC:mah]' - }, - 'GO:0071970': { - 'name': 'fungal-type cell wall (1->3)-beta-D-glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D-glucosidic bonds, found in fungal cell walls. [GOC:mah]' - }, - 'GO:0071971': { - 'name': 'extracellular exosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an extracellular vesicular exosome, a membrane-bounded vesicle that is released into the extracellular region by fusion of the limiting endosomal membrane of a multivesicular body with the plasma membrane. [GOC:mah, GOC:tfm, PMID:19442504]' - }, - 'GO:0071972': { - 'name': 'peptidoglycan L,D-transpeptidase activity', - 'def': 'Catalysis of the reaction: 2 a peptidoglycan dimer (tetrapeptide) + 3 H2O = a peptidoglycan tetramer with L,D cross-links (L-Lys-D-Asn-L-Lys) + di-trans,poly-cis-undecaprenyl diphosphate + 4 D-alanine. [MetaCyc:RXN-11349]' - }, - 'GO:0071973': { - 'name': 'bacterial-type flagellum-dependent cell motility', - 'def': 'Cell motility due to the motion of one or more bacterial-type flagella. A bacterial-type flagellum is a motor complex composed of an extracellular helical protein filament coupled to a rotary motor embedded in the cell envelope. [GOC:cilia, GOC:krc, GOC:mah]' - }, - 'GO:0071975': { - 'name': 'cell swimming', - 'def': 'Cell motility that results in the smooth movement of a cell through a liquid medium. [PMID:18461074]' - }, - 'GO:0071976': { - 'name': 'cell gliding', - 'def': 'Cell motility that results in the smooth movement of a cell along a solid surface. [PMID:18461074]' - }, - 'GO:0071977': { - 'name': 'bacterial-type flagellum-dependent swimming motility', - 'def': 'Bacterial-type flagellum-dependent cell motility that results in the smooth movement of a cell through a liquid medium. [GOC:cilia, PMID:18461074]' - }, - 'GO:0071978': { - 'name': 'bacterial-type flagellum-dependent swarming motility', - 'def': 'Bacterial-type flagellum-dependent cell motility in which the action of numerous flagella results in the smooth movement of a group of cells along a solid surface. Swarming motility is observed in groups of bacteria. [GOC:cilia, PMID:14527279, PMID:18461074]' - }, - 'GO:0071979': { - 'name': 'cytoskeleton-mediated cell swimming', - 'def': 'Cell motility in which contractile cytoskeletal elements alter cell shape, resulting in the smooth movement of a cell through a liquid medium. [PMID:18461074]' - }, - 'GO:0071980': { - 'name': 'cell surface adhesin-mediated gliding motility', - 'def': 'Cell gliding that results from the actions of cell surface adhesin proteins that are propelled by membrane motor proteins. [PMID:18461074]' - }, - 'GO:0071981': { - 'name': 'exit from diapause', - 'def': 'The dormancy process that results in exit from diapause. Diapause is a neurohormonally mediated, dynamic state of low metabolic activity. Associated characteristics of this form of dormancy include reduced morphogenesis, increased resistance to environmental extremes, and altered or reduced behavioral activity. Full expression develops in a species-specific manner, usually in response to a number of environmental stimuli that precede unfavorable conditions. Once diapause has begun, metabolic activity is suppressed even if conditions favorable for development prevail. Once initiated, only certain stimuli are capable of releasing the organism from this state, and this characteristic is essential in distinguishing diapause from hibernation. [GOC:mah]' - }, - 'GO:0071982': { - 'name': 'maintenance of diapause', - 'def': 'The dormancy process that results an organism remaining in diapause. Diapause is a neurohormonally mediated, dynamic state of low metabolic activity. Associated characteristics of this form of dormancy include reduced morphogenesis, increased resistance to environmental extremes, and altered or reduced behavioral activity. Full expression develops in a species-specific manner, usually in response to a number of environmental stimuli that precede unfavorable conditions. Once diapause has begun, metabolic activity is suppressed even if conditions favorable for development prevail. Once initiated, only certain stimuli are capable of releasing the organism from this state, and this characteristic is essential in distinguishing diapause from hibernation. [GOC:mah]' - }, - 'GO:0071983': { - 'name': 'exit from reproductive diapause', - 'def': 'The dormancy process that results in exit from reproductive diapause. Reproductive diapause is a form of diapause where the organism itself will remain fully active, including feeding and other routine activities, but the reproductive organs experience a tissue-specific reduction in metabolism, with characteristic triggering and releasing stimuli. [GOC:mah]' - }, - 'GO:0071984': { - 'name': 'maintenance of reproductive diapause', - 'def': 'The dormancy process that results an organism remaining in reproductive diapause. Reproductive diapause is a form of diapause where the organism itself will remain fully active, including feeding and other routine activities, but the reproductive organs experience a tissue-specific reduction in metabolism, with characteristic triggering and releasing stimuli. [GOC:mah]' - }, - 'GO:0071985': { - 'name': 'multivesicular body sorting pathway', - 'def': 'A vesicle-mediated transport process in which transmembrane proteins are ubiquitylated to facilitate their entry into luminal vesicles of multivesicular bodies (MVBs); upon subsequent fusion of MVBs with lysosomes or vacuoles, the cargo proteins are degraded. [GOC:mah, PMID:17603537]' - }, - 'GO:0071986': { - 'name': 'Ragulator complex', - 'def': 'A protein complex that contains MAPKSP1 (MP1, Map2k1ip1), ROBLD3 (p14, Mapbpip), C11orf59 (p18), LAMTOR4 and LAMTOR5. The complex is anchored to lipid rafts in late endosome membranes via C11orf59, recruits mTORC1 to lysosomal membranes in amino acid signaling to mTORC1, constitutes a guanine nucleotide exchange factor (GEF) for the Rag GTPases, and is also involved in ERK/MAPK signaling. [GOC:lb, PMID:19177150, PMID:20381137, PMID:22980980]' - }, - 'GO:0071987': { - 'name': 'WD40-repeat domain binding', - 'def': 'Interacting selectively and non-covalently with a WD40 repeat domain of a protein. The WD40 repeat is a short structural motif of approximately 40 amino acids, often terminating in a tryptophan-aspartic acid (W-D) dipeptide. Several of these repeats are combined to form a type of protein domain called the WD domain. [GOC:yaf, InterPro:IPR017986]' - }, - 'GO:0071988': { - 'name': 'protein localization to spindle pole body', - 'def': 'A process in which a protein is transported to, or maintained at, the spindle pole body. [GOC:mah]' - }, - 'GO:0071989': { - 'name': 'establishment of protein localization to spindle pole body', - 'def': 'The directed movement of a protein to a specific location at the spindle pole body. [GOC:mah]' - }, - 'GO:0071990': { - 'name': 'maintenance of protein location to spindle pole body', - 'def': 'Any process in which a protein is maintained in a specific location at the spindle pole body, and is prevented from moving elsewhere. [GOC:mah, GOC:vw]' - }, - 'GO:0071991': { - 'name': 'phytochelatin transporter activity', - 'def': 'Enables the directed movement of a phytochelatin into, out of or within a cell, or between cells. Phytochelatins are a group of peptides that bind metals (Cd, Zn, Cu, Pb, Hg) in thiolate coordination complexes. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0071992': { - 'name': 'phytochelatin transmembrane transporter activity', - 'def': 'Enables the directed movement of a phytochelatin across a membrane into, out of or within a cell, or between cells. Phytochelatins are a group of peptides that bind metals (Cd, Zn, Cu, Pb, Hg) in thiolate coordination complexes. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0071993': { - 'name': 'phytochelatin transport', - 'def': 'The directed movement of a phytochelatin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Phytochelatins are a group of peptides that bind metals (Cd, Zn, Cu, Pb, Hg) in thiolate coordination complexes. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0071994': { - 'name': 'phytochelatin transmembrane transport', - 'def': 'The directed movement of a phytochelatin across a membrane into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Phytochelatins are a group of peptides that bind metals (Cd, Zn, Cu, Pb, Hg) in thiolate coordination complexes. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0071995': { - 'name': 'phytochelatin import into vacuole', - 'def': 'The directed movement of phytochelatins into the vacuole. Phytochelatins are a group of peptides that bind metals (Cd, Zn, Cu, Pb, Hg) in thiolate coordination complexes. [GOC:mah, ISBN:0198506732]' - }, - 'GO:0071996': { - 'name': 'glutathione transmembrane import into vacuole', - 'def': 'The directed movement of glutathione into the vacuole across the vacuolar membrane. [GOC:mah]' - }, - 'GO:0071997': { - 'name': 'glutathione S-conjugate-transporting ATPase activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O = ADP + phosphate, to directly drive the transport of glutathione S-conjugate across a membrane. [GOC:mah]' - }, - 'GO:0071998': { - 'name': 'ascospore release from ascus', - 'def': 'A developmental process that results in the discharge of ascospores from the ascus. Ascospore release may be active or passive. [DOI:10.1016/S0953-7562(96)80057-8, GOC:mah]' - }, - 'GO:0071999': { - 'name': 'extracellular polysaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of polysaccharides used in extracellular structures. [GOC:mah, GOC:vw]' - }, - 'GO:0072000': { - 'name': 'extracellular polysaccharide catabolic process involved in ascospore release from ascus', - 'def': 'The chemical reactions and pathways resulting in the breakdown of polysaccharides in the ascus wall that contributes to the release of ascospores from the ascus. [GOC:mah, GOC:vw]' - }, - 'GO:0072001': { - 'name': 'renal system development', - 'def': 'The process whose specific outcome is the progression of the renal system over time, from its formation to the mature structure. The renal system maintains fluid balance and contributes to electrolyte balance, acid/base balance, and disposal of nitrogenous waste products. In humans, the renal system comprises a pair of kidneys, a pair of ureters, urinary bladder, urethra, sphincter muscle and associated blood vessels. [GOC:mtg_kidney_jan10, GOC:yaf, http://en.wikibooks.org/wiki/Human_Physiology/The_Urinary_System]' - }, - 'GO:0072002': { - 'name': 'Malpighian tubule development', - 'def': 'The process whose specific outcome is the progression of the Malpighian tubule over time, from its formation to the mature structure. A Malpighian tubule is a fine, thin-walled excretory tubule in insects which leads into the posterior part of the gut. [FBbt:00005786, GOC:mtg_kidney_jan10, PMID:19783135]' - }, - 'GO:0072003': { - 'name': 'kidney rudiment formation', - 'def': 'The developmental process pertaining to the initial formation of a kidney rudiment from unspecified parts. A kidney is an organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072004': { - 'name': 'kidney field specification', - 'def': 'The process that results in the delineation of regions of the embryo into the area in which the kidney rudiment will develop. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072005': { - 'name': 'maintenance of kidney identity', - 'def': 'The process in which the identity of a kidney is maintained. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072006': { - 'name': 'nephron development', - 'def': 'The process whose specific outcome is the progression of the nephron over time, from its formation to the mature structure. A nephron is the functional unit of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072007': { - 'name': 'mesangial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the mesangial cells of the kidney as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072008': { - 'name': 'glomerular mesangial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the glomerular mesangial cells of the kidney as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072009': { - 'name': 'nephron epithelium development', - 'def': 'The process whose specific outcome is the progression of the nephron epithelium over time, from its formation to the mature structure. An epithelium is a tissue that covers the internal or external surfaces of an anatomical structure. The nephron epithelium is a tissue that covers the surface of a nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072010': { - 'name': 'glomerular epithelium development', - 'def': 'The process whose specific outcome is the progression of the glomerular epithelium over time, from its formation to the mature structure. The glomerular epithelium is an epithelial tissue that covers the outer surfaces of the glomerulus. The glomerular epithelium consists of both parietal and visceral epithelium. Metanephric glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. A metanephric glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072011': { - 'name': 'glomerular endothelium development', - 'def': 'The process whose specific outcome is the progression of the glomerular endothelium over time, from its formation to the mature structure. The glomerular endothelium is an epithelial tissue that covers the internal surfaces of the glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072012': { - 'name': 'glomerulus vasculature development', - 'def': 'The biological process whose specific outcome is the progression of a glomerulus vasculature from an initial condition to its mature state. This process begins with the formation of the glomerulus vasculature and ends with the mature structure. The glomerulus vasculature is composed of the tubule structures that carry blood or lymph in the glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072013': { - 'name': 'glomus development', - 'def': 'The progression of the glomus over time from its initial formation until its mature state. The glomus forms from the splanchnic intermediate mesoderm and is the vascularized filtration unit, filtering the blood before it enters the tubules. The glomus is external to the nephron and extends over more than one body segment. [GOC:mtg_kidney_jan10, PMID:10572058, PMID:15647339, PMID:9268568, XAO:0000318]' - }, - 'GO:0072014': { - 'name': 'proximal tubule development', - 'def': "The process whose specific outcome is the progression of the proximal tubule over time, from its formation to the mature structure. In mammals, the proximal tubule is a nephron tubule that connects Bowman's capsule to the descending thin limb of the loop of Henle. It has a brush border epithelial morphology. [GOC:mtg_kidney_jan10]" - }, - 'GO:0072015': { - 'name': 'glomerular visceral epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a glomerular visceral epithelial cell over time, from its formation to the mature structure. A glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072016': { - 'name': 'glomerular parietal epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a glomerular parietal epithelial cell over time, from its formation to the mature structure. Glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072017': { - 'name': 'distal tubule development', - 'def': 'The process whose specific outcome is the progression of the distal tubule over time, from its formation to the mature structure. In mammals, the distal tubule is a nephron tubule that begins at the macula densa and extends to the connecting tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072019': { - 'name': 'proximal convoluted tubule development', - 'def': 'The process whose specific outcome is the progression of the proximal convoluted tubule over time, from its formation to the mature structure. The proximal convoluted tubule is the most proximal portion of the proximal tubule and extends from the glomerular capsule to the proximal straight tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072020': { - 'name': 'proximal straight tubule development', - 'def': 'The process whose specific outcome is the progression of the proximal straight tubule over time, from its formation to the mature structure. The proximal straight tubule is the part of the descending limb that extends from the proximal convoluted tubule to the descending thin tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072021': { - 'name': 'ascending thin limb development', - 'def': 'The process whose specific outcome is the progression of an ascending thin limb over time, from its formation to the mature structure. The ascending thin limb is a segment of a nephron tubule lying in the inner medulla that is permeable to ions but not to water and has a simple epithelium; active transepithelial solute transport is absent. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072022': { - 'name': 'descending thin limb development', - 'def': 'The process whose specific outcome is the progression of the descending thin limb over time, from its formation to the mature structure. The descending thin limb is a part of the loop of Henle situated just after the proximal straight tubule (S3). It extends to the tip of the loop of Henle. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072023': { - 'name': 'thick ascending limb development', - 'def': 'The process whose specific outcome is the progression of the thick ascending limb over time, from its formation to the mature structure. The thick ascending limb is the last part of the loop of Henle. Its thick, mitochondria-rich epithelium characterizes the outer medulla, and is responsible for very avid active salt transport. At the macula densa, the thick ascending limb connects to the distal convoluted tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072024': { - 'name': 'macula densa development', - 'def': 'The process whose specific outcome is the progression of the macula densa over time, from its formation to the mature structure. The macula densa is an area of specialized cells in the distal tubule that makes contact with the vascular pole of the glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072025': { - 'name': 'distal convoluted tubule development', - 'def': 'The process whose specific outcome is the progression of the distal convoluted tubule over time, from its formation to the mature structure. The distal convoluted tubule is the first segment of the nephron lying just downstream from the loop of Henle, immediately after the macula densa. Among other functions, in humans it is responsible for the reabsorption of about 5% of filtered sodium via the thiazide-sensitive Na-Cl symporter. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072027': { - 'name': 'connecting tubule development', - 'def': 'The process whose specific outcome is the progression of the connecting tubule over time, from its formation to the mature structure. The connecting tubule is a tubular segment of the nephron; it connects the distal convoluted tubule to the collecting duct. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072028': { - 'name': 'nephron morphogenesis', - 'def': 'The process in which the anatomical structures of the nephron are generated and organized. A nephron is the functional unit of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072029': { - 'name': 'long nephron development', - 'def': 'The process whose specific outcome is the progression of a long nephron over time, from its formation to the mature structure. Long nephrons are associated with juxtamedullary glomeruli and extend into the inner medulla. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072030': { - 'name': 'short nephron development', - 'def': 'The process whose specific outcome is the progression of a short nephron over time, from its formation to the mature structure. Short nephrons are associated with mid-cortical and superficial glomeruli, are situated entirely in the outer medulla, and have no thin ascending limb. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072031': { - 'name': 'proximal convoluted tubule segment 1 development', - 'def': 'The process whose specific outcome is the progression of the S1 portion of the proximal convoluted tubule over time, from its formation to the mature structure. The S1 portion is the initial portion of the proximal convoluted tubule and is responsible for avid reabsorption of water and solutes. [GOC:mtg_kidney_jan10, MA:0002612]' - }, - 'GO:0072032': { - 'name': 'proximal convoluted tubule segment 2 development', - 'def': 'The process whose specific outcome is the progression of the S2 portion of the proximal convoluted tubule over time, from its formation to the mature structure. The S2 portion of the tubule is involved in reabsorption of water and sodium chloride. [GOC:mtg_kidney_jan10, MA:0002613]' - }, - 'GO:0072033': { - 'name': 'renal vesicle formation', - 'def': 'The developmental process pertaining to the initial formation of the renal vesicle from condensed mesenchymal cells. The renal vesicle is the primordial structure of the nephron epithelium, and is formed by the condensation of mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072034': { - 'name': 'renal vesicle induction', - 'def': 'Signaling at short range between cells of the ureteric bud terminus and the kidney mesenchyme that positively regulates the formation of the renal vesicle. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072035': { - 'name': 'pre-tubular aggregate formation', - 'def': 'The cell adhesion process in which mesenchyme cells adhere to one another in the initial stages of the formation of the pre-tubular aggregate, the earliest recognizable structure of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072036': { - 'name': 'mesenchymal to epithelial transition involved in renal vesicle formation', - 'def': 'A transition where a mesenchymal cell establishes apical/basolateral polarity,forms intercellular adhesive junctions, synthesizes basement membrane components and becomes an epithelial cell that will contribute to the shaping of the renal vesicle. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072037': { - 'name': 'mesenchymal stem cell differentiation involved in nephron morphogenesis', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesenchymal stem cell that contributes to the shaping of a nephron. A mesenchymal stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072038': { - 'name': 'mesenchymal stem cell maintenance involved in nephron morphogenesis', - 'def': 'The process in which an organism retains a population of mesenchymal stem cells that contributes to the shaping of a nephron. A mesenchymal stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072039': { - 'name': 'regulation of mesenchymal cell apoptotic process involved in nephron morphogenesis', - 'def': 'Any process that modulates the occurrence or rate of mesenchymal stem cell death by apoptotic process that contributes to the shaping of the nephron. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10]' - }, - 'GO:0072040': { - 'name': 'negative regulation of mesenchymal cell apoptotic process involved in nephron morphogenesis', - 'def': 'Any process that reduces the occurrence or rate of mesenchymal stem cell death by apoptotic process that contributes to the shaping of the nephron. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10]' - }, - 'GO:0072041': { - 'name': 'positive regulation of mesenchymal cell apoptotic process involved in nephron morphogenesis', - 'def': 'Any process that increases the occurrence or rate of mesenchymal stem cell death by apoptotic process that contributes to the shaping of the nephron. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10]' - }, - 'GO:0072042': { - 'name': 'regulation of mesenchymal stem cell proliferation involved in nephron morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal stem cell proliferation and contributes to the shaping of a nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072043': { - 'name': 'regulation of pre-tubular aggregate formation by cell-cell signaling', - 'def': 'Any process that mediates the transfer of information from one cell to another that modulates the rate, frequency, or extent of pre-tubular aggregate formation. Pre-tubular aggregate formation is the cell adhesion process in which mesenchymal cells adhere to one another in the initial stages of the formation of the pre-tubular aggregate, the earliest recognizable structure of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072044': { - 'name': 'collecting duct development', - 'def': 'The process whose specific outcome is the progression of a collecting duct over time, from its formation to the mature structure. The collecting duct responds to vasopressin and aldosterone to regulate water, electrolyte and acid-base balance. It is the final common path through which urine flows before entering the ureter and then emptying into the bladder. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072045': { - 'name': 'convergent extension involved in nephron morphogenesis', - 'def': 'The morphogenetic process in which the renal epithelium narrows along one axis and lengthens in a perpendicular axis that contributes to the shaping of a nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072046': { - 'name': 'establishment of planar polarity involved in nephron morphogenesis', - 'def': 'Coordinated organization of groups of cells in the plane of an epithelium that contributes to the shaping of a nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072047': { - 'name': 'proximal/distal pattern formation involved in nephron development', - 'def': 'The regionalization process in which specific areas of cell differentiation are determined along a proximal/distal axis of a nephron. The proximal/distal axis is defined by a line that runs from the center of the kidney (proximal end) outward (distal end). [GOC:mtg_kidney_jan10]' - }, - 'GO:0072048': { - 'name': 'renal system pattern specification', - 'def': 'Any developmental process that results in the creation of defined areas or spaces within an organism to which cells respond and eventually are instructed to differentiate into the anatomical structures of the renal system. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072049': { - 'name': 'comma-shaped body morphogenesis', - 'def': 'The process in which the comma-shaped body is generated and organized. The comma-shaped body is the precursor structure to the S-shaped body that contributes to the morphogenesis of the nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072050': { - 'name': 'S-shaped body morphogenesis', - 'def': 'The process in which the S-shaped body is generated and organized. The S-shaped body is the successor of the comma-shaped body that contributes to the morphogenesis of the nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072051': { - 'name': 'juxtaglomerular apparatus development', - 'def': 'The process whose specific outcome is the progression of the juxtaglomerular apparatus over time, from its formation to the mature structure. The juxtaglomerular apparatus is an anatomical structure that lies adjacent to the glomerulus and regulates kidney function. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072052': { - 'name': 'juxtaglomerulus cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the juxtaglomerulus cells of the kidney as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072053': { - 'name': 'renal inner medulla development', - 'def': 'The process whose specific outcome is the progression of the renal inner medulla over time, from its formation to the mature structure. The renal inner medulla is unique to mammalian kidneys and is the innermost region of the mammalian kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072054': { - 'name': 'renal outer medulla development', - 'def': 'The process whose specific outcome is the progression of the renal outer medulla over time, from its formation to the mature structure. The renal outer medulla is the region of the kidney that lies between the renal cortex and the renal inner medulla. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072055': { - 'name': 'renal cortex development', - 'def': 'The process whose specific outcome is the progression of the renal cortex over time, from its formation to the mature structure. The renal cortex is the outer region of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072056': { - 'name': 'pyramid development', - 'def': 'The process whose specific outcome is the progression of the kidney pyramids over time, from its formation to the mature structure. Kidney pyramids are the conical masses that constitute the renal medulla in a multi-lobed mammalian kidney; they contain the loops of Henle and the medullary collecting ducts. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072057': { - 'name': 'inner stripe development', - 'def': 'The process whose specific outcome is the progression of the inner stripe over time, from its formation to the mature structure. The inner stripe is a deep, centrally located portion of the renal outer medulla and is traversed by thin descending and thick ascending portions of the loops of Henle. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072058': { - 'name': 'outer stripe development', - 'def': 'The process whose specific outcome is the progression of the outer stripe over time, from its formation to the mature structure. The outer stripe is the region of the kidney outer medulla that lies just below the cortex. The proximal straight tubules (S3) characterize this region. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072059': { - 'name': 'cortical collecting duct development', - 'def': 'The process whose specific outcome is the progression of the cortical collecting duct over time, from its formation to the mature structure. The cortical collecting duct is the portion of the collecting duct that resides in the renal cortex. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072060': { - 'name': 'outer medullary collecting duct development', - 'def': 'The process whose specific outcome is the progression of the outer medullary collecting duct over time, from its formation to the mature structure. The outer medullary collecting duct is the portion of the collecting duct that lies in the renal outer medulla. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072061': { - 'name': 'inner medullary collecting duct development', - 'def': 'The process whose specific outcome is the progression of the inner medullary collecting duct over time, from its formation to the mature structure. The inner medullary collecting duct is the portion of the collecting duct that lies in the renal inner medulla. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072062': { - 'name': 'proximal convoluted tubule segment 1 cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the S1 cells of the kidney as it progresses from its formation to the mature state. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072063': { - 'name': 'short descending thin limb development', - 'def': 'The process whose specific outcome is the progression of the short descending thin limb over time, from its formation to the mature structure. The short descending thin limb is the descending thin limb of a short nephron that has a squamous epithelial morphology. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072064': { - 'name': 'long descending thin limb development', - 'def': 'The process whose specific outcome is the progression of the long descending thin limb over time, from its formation to the mature structure. The long descending thin limb is the descending thin limb of a long nephron that has a squamous epithelial morphology. The long descending limb starts in the inner stripe of the outer medulla and extends into the inner medulla. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072065': { - 'name': 'long descending thin limb bend development', - 'def': 'The process whose specific outcome is the progression of the long descending thin limb bend over time, from its formation to the mature structure. The long descending thin limb bend is a part of the descending thin limb of a long nephron that lies beyond the prebend segment. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072066': { - 'name': 'prebend segment development', - 'def': 'The process whose specific outcome is the progression of the prebend segment over time, from its formation to the mature structure. The prebend segment is a part of the descending thin limb that lies before the bend and exhibits permeabilities characteristic of the ascending limb, especially negligible water permeability. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072067': { - 'name': 'early distal convoluted tubule development', - 'def': 'The process whose specific outcome is the progression of the early distal convoluted tubule over time, from its formation to the mature structure. The early distal convoluted tubule contains DCT cells and is vasopressin-insensitive. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072068': { - 'name': 'late distal convoluted tubule development', - 'def': 'The process whose specific outcome is the progression of the late distal convoluted tubule over time, from its formation to the mature structure. The late distal convoluted tubule contains DCT cells and intercalated (IC) alpha and beta cells and is vasopressin-sensitive. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072069': { - 'name': 'DCT cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the distal convoluted tubule cells of the kidney as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072070': { - 'name': 'loop of Henle development', - 'def': 'The process whose specific outcome is the progression of the loop of Henle over time, from its formation to the mature structure. The loop of Henle is a nephron tubule that connects the proximal convoluted tubule to the distal convoluted tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072071': { - 'name': 'kidney interstitial fibroblast differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the interstitial fibroblast of the kidney as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072072': { - 'name': 'kidney stroma development', - 'def': 'The process whose specific outcome is the progression of the kidney stroma over time, from its formation to the mature structure. The kidney stroma is the mesenchyme of the mature kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072073': { - 'name': 'kidney epithelium development', - 'def': 'The process whose specific outcome is the progression of an epithelium in the kidney over time, from its formation to the mature structure. An epithelium is a tissue that covers the internal or external surfaces of an anatomical structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072074': { - 'name': 'kidney mesenchyme development', - 'def': 'The biological process whose specific outcome is the progression of a kidney mesenchyme from an initial condition to its mature state. This process begins with the formation of kidney mesenchyme and ends with the mature structure. Kidney mesenchyme is the tissue made up of loosely connected mesenchymal cells in the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072075': { - 'name': 'metanephric mesenchyme development', - 'def': 'The biological process whose specific outcome is the progression of a metanephric mesenchyme from an initial condition to its mature state. This process begins with the formation of metanephric mesenchyme and ends with the mature structure. Metanephric mesenchyme is the tissue made up of loosely connected mesenchymal cells in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072076': { - 'name': 'nephrogenic mesenchyme development', - 'def': 'The biological process whose specific outcome is the progression of a nephrogenic mesenchyme from an initial condition to its mature state. This process begins with the formation of nephrogenic mesenchyme and ends with the mature structure. Nephrogenic mesenchyme is the tissue made up of loosely connected mesenchymal cells in the nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072077': { - 'name': 'renal vesicle morphogenesis', - 'def': 'The process in which the anatomical structures of the renal vesicle are generated and organized. The renal vesicle is the primordial structure of the nephron epithelium, and is formed by the condensation of mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072078': { - 'name': 'nephron tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a nephron tubule are generated and organized. A nephron tubule is an epithelial tube that is part of the nephron, the functional part of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072079': { - 'name': 'nephron tubule formation', - 'def': 'The developmental process pertaining to the initial formation of a nephron tubule from unspecified parts. A nephron tubule is an epithelial tube that is part of the nephron, the functional part of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072080': { - 'name': 'nephron tubule development', - 'def': 'The progression of a nephron tubule over time, from its initial formation to the mature structure. A nephron tubule is an epithelial tube that is part of the nephron, the functional part of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072081': { - 'name': 'specification of nephron tubule identity', - 'def': 'The process in which the tubules arranged along the proximal/distal axis of the nephron acquire their identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072082': { - 'name': 'specification of proximal tubule identity', - 'def': 'The process in which the proximal tubule of the kidney nephron acquires its identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072084': { - 'name': 'specification of distal tubule identity', - 'def': 'The process in which the distal tubule of the kidney nephron acquires its identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072085': { - 'name': 'specification of connecting tubule identity', - 'def': 'The process in which the connecting tubule of the kidney nephron acquires its identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072086': { - 'name': 'specification of loop of Henle identity', - 'def': 'The process in which the loop of Henle of the kidney nephron acquires its identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072087': { - 'name': 'renal vesicle development', - 'def': 'The process whose specific outcome is the progression of the renal vesicle over time, from its formation to the mature structure. An epithelium is a tissue that covers the internal or external surfaces of an anatomical structure. The renal vesicle is the primordial structure of the nephron epithelium, and is formed by the condensation of mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072088': { - 'name': 'nephron epithelium morphogenesis', - 'def': 'The process in which the anatomical structures of the nephron epithelium are generated and organized. The nephron epithelium is a tissue that covers the surface of a nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072089': { - 'name': 'stem cell proliferation', - 'def': 'The multiplication or reproduction of stem cells, resulting in the expansion of a stem cell population. A stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072090': { - 'name': 'mesenchymal stem cell proliferation involved in nephron morphogenesis', - 'def': 'The multiplication or reproduction of mesenchymal stem cells, resulting in the expansion of a stem cell population, that contributes to the shaping of a nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072091': { - 'name': 'regulation of stem cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of stem cell proliferation. A stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072092': { - 'name': 'ureteric bud invasion', - 'def': 'The process in which the ureteric bud grows along its axis and contributes to the formation of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072093': { - 'name': 'metanephric renal vesicle formation', - 'def': 'The developmental process pertaining to the initial formation of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072094': { - 'name': 'metanephric renal vesicle induction', - 'def': 'Signaling at short range between cells of the ureteric bud terminus and the kidney mesenchyme that positively regulates the formation of the metanephric renal vesicle. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072095': { - 'name': 'regulation of branch elongation involved in ureteric bud branching', - 'def': 'Any process that modulates the frequency, rate or extent of branch elongation involved in ureteric bud branching, the growth of a branch of the ureteric bud along its axis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072096': { - 'name': 'negative regulation of branch elongation involved in ureteric bud branching', - 'def': 'Any process that reduces the frequency, rate or extent of branch elongation involved in ureteric bud branching, the growth of a branch of the ureteric bud along its axis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072097': { - 'name': 'negative regulation of branch elongation involved in ureteric bud branching by BMP signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of any member of the BMP (bone morphogenetic protein) family binding to a cell surface receptor resulting in the reduction of the frequency, rate or extent of branch elongation involved in ureteric bud branching, the growth of a branch of the ureteric bud along its axis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072098': { - 'name': 'anterior/posterior pattern specification involved in kidney development', - 'def': 'The developmental process that results in the creation of defined areas or spaces within the kidney along the anterior/posterior axis to which cells respond and eventually are instructed to differentiate. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072099': { - 'name': 'anterior/posterior pattern specification involved in ureteric bud development', - 'def': 'The developmental process that results in the creation of defined areas or spaces within the ureteric bud along the anterior/posterior axis to which cells respond and eventually are instructed to differentiate. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072100': { - 'name': 'specification of ureteric bud anterior/posterior symmetry', - 'def': 'The establishment of the ureteric bud such that there is a similar arrangement in form and relationship of parts along its anterior/posterior axis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072101': { - 'name': 'specification of ureteric bud anterior/posterior symmetry by BMP signaling pathway', - 'def': 'A series of molecular signals generated as a consequence of any member of the BMP (bone morphogenetic protein) family binding to a cell surface receptor that results in the establishment of the ureteric bud such that there is a similar arrangement in form and relationship of parts along its anterior/posterior axis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072102': { - 'name': 'glomerulus morphogenesis', - 'def': "The process in which the anatomical structures of the glomerulus are generated and organized. The glomerulus is a capillary tuft surrounded by Bowman's capsule in nephrons of the vertebrate kidney. [GOC:mtg_kidney_jan10]" - }, - 'GO:0072103': { - 'name': 'glomerulus vasculature morphogenesis', - 'def': 'The process in which the anatomical structures of the glomerulus vasculature are generated and organized. The glomerulus vasculature is composed of the tubule structures that carry blood or lymph in the glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072104': { - 'name': 'glomerular capillary formation', - 'def': 'The process that gives rise to a glomerular capillary. This process pertains to the initial formation of a structure from unspecified parts. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072105': { - 'name': 'ureteric peristalsis', - 'def': 'A wavelike sequence of involuntary muscular contraction and relaxation that passes along the ureter, impelling the contents onwards. The ureter is one of a pair of thick-walled tubes that transports urine from the kidney pelvis to the urinary bladder. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072106': { - 'name': 'regulation of ureteric bud formation', - 'def': 'Any process that modulates the developmental process pertaining to the initial formation of the ureteric bud from the Wolffian duct. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072107': { - 'name': 'positive regulation of ureteric bud formation', - 'def': 'Any process that increases the rate or extent of the developmental process pertaining to the initial formation of the ureteric bud from the Wolffian duct. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072108': { - 'name': 'positive regulation of mesenchymal to epithelial transition involved in metanephros morphogenesis', - 'def': 'Any process that increases the rate, frequency or extent of the transition where a mesenchymal cell establishes apical/basolateral polarity, forms intercellular adhesive junctions, synthesizes basement membrane components and becomes an epithelial cell that will contribute to the shaping of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072109': { - 'name': 'glomerular mesangium development', - 'def': 'The process whose specific outcome is the progression of the glomerular mesangium over time, from its formation to the mature structure. The glomerular mesangium is the thin membrane connective tissue composed of mesangial cells, which helps to support the capillary loops in a renal glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072110': { - 'name': 'glomerular mesangial cell proliferation', - 'def': 'The multiplication or reproduction of glomerular mesangial cells, resulting in the expansion of the population. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072111': { - 'name': 'cell proliferation involved in kidney development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of the population in the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072112': { - 'name': 'glomerular visceral epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a glomerular visceral epithelial cell. A glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072113': { - 'name': 'head kidney development', - 'def': 'The process whose specific outcome is the progression of the head kidney over time, from its formation to the mature structure. The head kidney is a pronephros that consists of fused bilateral lobes located in the anterior part of the kidney. It is analogous to the mammalian bone marrow and the primary site of definitive hematopoiesis. [GOC:mtg_kidney_jan10, ZFA:0000669]' - }, - 'GO:0072114': { - 'name': 'pronephros morphogenesis', - 'def': 'The process in which the anatomical structures of the pronephros are generated and organized. In mammals, the pronephros is the first of the three embryonic kidneys to be established and exists only transiently. In lower vertebrates such as fish and amphibia, the pronephros is the fully functional embryonic kidney and is indispensable for larval life. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072115': { - 'name': 'head kidney morphogenesis', - 'def': 'The process in which the anatomical structures of the head kidney are generated and organized. The head kidney is a pronephros that consists of fused bilateral lobes located in the anterior part of the kidney. [GOC:mtg_kidney_jan10, ZFA:0000669]' - }, - 'GO:0072116': { - 'name': 'pronephros formation', - 'def': 'The developmental process pertaining to the initial formation of the pronephros. In mammals, the pronephros is the first of the three embryonic kidneys to be established and exists only transiently. In lower vertebrates such as fish and amphibia, the pronephros is the fully functional embryonic kidney and is indispensable for larval life. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072117': { - 'name': 'head kidney formation', - 'def': 'The developmental process pertaining to the initial formation of the head kidney. The head kidney is a pronephros that consists of fused bilateral lobes located in the anterior part of the kidney. [GOC:mtg_kidney_jan10, ZFA:0000669]' - }, - 'GO:0072118': { - 'name': 'pronephros structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the pronephros. This process pertains to the physical shaping of a rudimentary structure. In mammals, the pronephros is the first of the three embryonic kidneys to be established and exists only transiently. In lower vertebrates such as fish and amphibia, the pronephros is the fully functional embryonic kidney and is indispensable for larval life. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072119': { - 'name': 'head kidney structural organization', - 'def': 'The process that contributes to the act of creating the structural organization of the head kidney. This process pertains to the physical shaping of a rudimentary structure. The head kidney is a pronephros that consists of fused bilateral lobes located in the anterior part of the kidney. [GOC:mtg_kidney_jan10, ZFA:0000669]' - }, - 'GO:0072120': { - 'name': 'pronephros maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the pronephros to attain its fully functional state. In mammals, the pronephros is the first of the three embryonic kidneys to be established and exists only transiently. In lower vertebrates such as fish and amphibia, the pronephros is the fully functional embryonic kidney and is indispensable for larval life. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072121': { - 'name': 'head kidney maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for the head kidney to attain its fully functional state. The head kidney is a pronephros that consists of fused bilateral lobes located in the anterior part of the kidney. [GOC:mtg_kidney_jan10, ZFA:0000669]' - }, - 'GO:0072122': { - 'name': 'extraglomerular mesangial cell proliferation', - 'def': 'The multiplication or reproduction of extraglomerular glomerular mesangium cells by cell division, resulting in the expansion of their population. Extraglomerular mesangial cells (also known as lacis cells, Goormaghtigh cells) are light-staining cells in the kidney found outside the glomerulus, near the vascular pole and macula densa. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072123': { - 'name': 'intraglomerular mesangial cell proliferation', - 'def': 'The multiplication or reproduction of intraglomerular glomerular mesangium cells by cell division, resulting in the expansion of their population. Intraglomerular mesangial cells are specialized pericytes located among the glomerular capillaries within a renal corpuscle of a kidney. They are required for filtration, structural support and phagocytosis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072124': { - 'name': 'regulation of glomerular mesangial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of glomerular mesangial cell proliferation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072125': { - 'name': 'negative regulation of glomerular mesangial cell proliferation', - 'def': 'Any process that decreases the frequency, rate or extent of glomerular mesangial cell proliferation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072126': { - 'name': 'positive regulation of glomerular mesangial cell proliferation', - 'def': 'Any process that increases the frequency, rate or extent of glomerular mesangial cell proliferation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072127': { - 'name': 'renal capsule development', - 'def': 'The process whose specific outcome is the progression of the renal capsule over time, from its formation to the mature structure. The renal capsule is the tough fibrous layer surrounding the kidney, covered in a thick layer of perinephric adipose tissue. It provides some protection from trauma and damage. During development, it comprises a single layer of flattened cells that lie just above the cortical stroma and the condensed mesenchyme of the nephrogenic zone. It is in this region that the early stages of nephron induction and formation of new generations ureteric bud branches occur, as the kidney expands. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072128': { - 'name': 'renal capsule morphogenesis', - 'def': 'The process in which the anatomical structures of the renal capsule are generated and organized. The renal capsule is the tough fibrous layer surrounding the kidney, covered in a thick layer of perinephric adipose tissue. It provides some protection from trauma and damage. During development, it comprises a single layer of flattened cells that lie just above the cortical stroma and the condensed mesenchyme of the nephrogenic zone. It is in this region that the early stages of nephron induction and formation of new generations ureteric bud branches occur, as the kidney expands. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072129': { - 'name': 'renal capsule formation', - 'def': 'The developmental process pertaining to the initial formation of a renal capsule from unspecified parts. The renal capsule is the tough fibrous layer surrounding the kidney, covered in a thick layer of perinephric adipose tissue. It provides some protection from trauma and damage. During development, it comprises a single layer of flattened cells that lie just above the cortical stroma and the condensed mesenchyme of the nephrogenic zone. It is in this region that the early stages of nephron induction and formation of new generations ureteric bud branches occur, as the kidney expands. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072130': { - 'name': 'renal capsule specification', - 'def': 'The regionalization process in which the identity of the renal capsule is specified. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072131': { - 'name': 'kidney mesenchyme morphogenesis', - 'def': 'The process in which the anatomical structures of a kidney mesenchymal tissue are generated and organized. Kidney mesenchyme is the tissue made up of loosely connected mesenchymal cells in the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072132': { - 'name': 'mesenchyme morphogenesis', - 'def': 'The process in which the anatomical structures of a mesenchymal tissue are generated and organized. A mesenchymal tissue is made up of loosely packed stellate cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072133': { - 'name': 'metanephric mesenchyme morphogenesis', - 'def': 'The process in which the anatomical structures of a metanephric mesenchymal tissue are generated and organized. Metanephric mesenchyme is the tissue made up of loosely connected mesenchymal cells in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072134': { - 'name': 'nephrogenic mesenchyme morphogenesis', - 'def': 'The process in which the anatomical structures of a nephrogenic mesenchymal tissue are generated and organized. Nephrogenic mesenchyme is the tissue made up of loosely connected mesenchymal cells in the nephron. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072135': { - 'name': 'kidney mesenchymal cell proliferation', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a mesenchymal cell population in the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072136': { - 'name': 'metanephric mesenchymal cell proliferation involved in metanephros development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a metanephric mesenchymal cell population. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072137': { - 'name': 'condensed mesenchymal cell proliferation', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a condensed mesenchymal cell population. A condensed mesenchymal cell population is a population of adherent mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072138': { - 'name': 'mesenchymal cell proliferation involved in ureteric bud development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a mesenchymal cell population of the ureteric bud, that contributes to ureteric bud development. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072139': { - 'name': 'glomerular parietal epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a glomerular parietal epithelial cell. Glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072140': { - 'name': 'DCT cell development', - 'def': 'The process whose specific outcome is the progression of a distal convoluted tubule cell over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072141': { - 'name': 'renal interstitial fibroblast development', - 'def': 'The process whose specific outcome is the progression of a renal interstitial fibroblast over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072142': { - 'name': 'juxtaglomerulus cell development', - 'def': 'The process whose specific outcome is the progression of a juxtaglomerulus cell over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072143': { - 'name': 'mesangial cell development', - 'def': 'The process whose specific outcome is the progression of a mesangial cell in the kidney over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072144': { - 'name': 'glomerular mesangial cell development', - 'def': 'The process whose specific outcome is the progression of a glomerular mesangial cell in the kidney over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072145': { - 'name': 'proximal convoluted tubule segment 1 cell development', - 'def': 'The process whose specific outcome is the progression of an S1 cell in the kidney over time, from its formation to the mature structure. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072146': { - 'name': 'DCT cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a distal convoluted tubule cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072147': { - 'name': 'glomerular parietal epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a glomerular parietal epithelial cell. Glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. These cells may also give rise to podocytes. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072148': { - 'name': 'epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into an epithelial cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072149': { - 'name': 'glomerular visceral epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a glomerular visceral epithelial cell. A glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072150': { - 'name': 'juxtaglomerulus cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a juxtaglomerulus cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072151': { - 'name': 'mesangial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a mesangial cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072152': { - 'name': 'glomerular mesangial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a glomerular mesangial cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072153': { - 'name': 'renal interstitial fibroblast fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a renal fibroblast. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072154': { - 'name': 'proximal convoluted tubule segment 1 cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into an S1 cell in the kidney. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072155': { - 'name': 'epithelial cell migration involved in nephron tubule morphogenesis', - 'def': 'The orderly movement of epithelial cells within a renal tubule that contributes to nephron tubule morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072156': { - 'name': 'distal tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a distal tubule are generated and organized. The distal tubule is a nephron tubule that begins at the macula densa and extends to the connecting tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072157': { - 'name': 'epithelial cell migration involved in distal tubule morphogenesis', - 'def': 'The orderly movement of epithelial cells within a renal tubule that contributes to distal tubule morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072158': { - 'name': 'proximal tubule morphogenesis', - 'def': "The process in which the anatomical structures of a proximal tubule are generated and organized. The proximal tubule is a nephron tubule that connects Bowman's capsule to the descending thin limb of the loop of Henle. It has a brush border epithelial morphology. [GOC:mtg_kidney_jan10]" - }, - 'GO:0072159': { - 'name': 'epithelial cell migration involved in proximal tubule morphogenesis', - 'def': 'The orderly movement of epithelial cells within a renal tubule that contributes to proximal tubule morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072160': { - 'name': 'nephron tubule epithelial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells of the nephron tubule as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072161': { - 'name': 'mesenchymal cell differentiation involved in kidney development', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the mesenchymal cells of the kidney as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072162': { - 'name': 'metanephric mesenchymal cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the mesenchymal cells of the metanephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072163': { - 'name': 'mesonephric epithelium development', - 'def': 'The process whose specific outcome is the progression of an epithelium in the mesonephros over time, from its formation to the mature structure. An epithelium is a tissue that covers the internal or external surfaces of an anatomical structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072164': { - 'name': 'mesonephric tubule development', - 'def': 'The progression of a mesonephric tubule over time, from its initial formation to the mature structure. A mesonephric tubule is an epithelial tube that is part of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072165': { - 'name': 'anterior mesonephric tubule development', - 'def': 'The progression of the anterior mesonephric tubule over time, from its initial formation to the mature structure. The anterior mesonephric tubule is an epithelial tube that is part of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072166': { - 'name': 'posterior mesonephric tubule development', - 'def': 'The progression of the posterior mesonephric tubule over time, from its initial formation to the mature structure. The posterior mesonephric tubule is an epithelial tube that is part of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072167': { - 'name': 'specification of mesonephric tubule identity', - 'def': 'The process in which the tubules of the mesonephros acquire their identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072168': { - 'name': 'specification of anterior mesonephric tubule identity', - 'def': 'The process in which the tubules of the anterior mesonephros acquire their identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072169': { - 'name': 'specification of posterior mesonephric tubule identity', - 'def': 'The process in which the tubules of the posterior mesonephros acquire their identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072170': { - 'name': 'metanephric tubule development', - 'def': 'The progression of a metanephric tubule over time, from its initial formation to the mature structure. A metanephric tubule is an epithelial tube that is part of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072171': { - 'name': 'mesonephric tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a mesonephric tubule are generated and organized. A mesonephric tubule is an epithelial tube that is part of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072172': { - 'name': 'mesonephric tubule formation', - 'def': 'The developmental process pertaining to the initial formation of a mesonephric tubule from unspecified parts. A mesonephric tubule is an epithelial tube that is part of the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072173': { - 'name': 'metanephric tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a metanephric tubule are generated and organized from an epithelium. A metanephric tubule is an epithelial tube that is part of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072174': { - 'name': 'metanephric tubule formation', - 'def': 'The developmental process pertaining to the initial formation of a metanephric tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072175': { - 'name': 'epithelial tube formation', - 'def': 'The developmental process pertaining to the initial formation of an epithelial tube. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072176': { - 'name': 'nephric duct development', - 'def': 'The process whose specific outcome is the progression of a nephric duct over time, from its initial formation to a mature structure. A nephric duct is a tube that drains a primitive kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072177': { - 'name': 'mesonephric duct development', - 'def': 'The process whose specific outcome is the progression of a mesonephric duct over time, from its initial formation to a mature structure. A mesonephric duct is a tube drains the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072178': { - 'name': 'nephric duct morphogenesis', - 'def': 'The process in which the anatomical structures of the nephric duct are generated and organized. A nephric duct is a tube that drains a primitive kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072179': { - 'name': 'nephric duct formation', - 'def': 'The developmental process pertaining to the initial formation of a nephric duct. A nephric duct is a tube that drains a primitive kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072180': { - 'name': 'mesonephric duct morphogenesis', - 'def': 'The process in which the anatomical structures of the mesonephric duct are generated and organized. A mesonephric duct is a tube drains the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072181': { - 'name': 'mesonephric duct formation', - 'def': 'The developmental process pertaining to the initial formation of a mesonephric duct. A mesonephric duct is a tube that drains the mesonephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072182': { - 'name': 'regulation of nephron tubule epithelial cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of nephron tubule epithelial cell differentiation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072183': { - 'name': 'negative regulation of nephron tubule epithelial cell differentiation', - 'def': 'Any process that decreases the frequency, rate or extent of nephron tubule epithelial cell differentiation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072184': { - 'name': 'renal vesicle progenitor cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the renal vesicle progenitor cells of the kidney as it progresses from its formation to the mature state. A renal vesicle progenitor cell is a cell that will give rise to terminally differentiated cells of the renal vesicle without self-renewing. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072185': { - 'name': 'metanephric cap development', - 'def': 'The biological process whose specific outcome is the progression of the metanephric cap from an initial condition to its mature state. The metanephric cap is formed by the condensation of metanephric mesenchymal cells surrounding the ureteric bud tip. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072186': { - 'name': 'metanephric cap morphogenesis', - 'def': 'The process in which the anatomical structures of the metanephric cap are generated and organized. The metanephric cap is formed by the condensation of metanephric mesenchymal cells surrounding the ureteric bud tip. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072187': { - 'name': 'metanephric cap formation', - 'def': 'The developmental process pertaining to the initial formation of a metanephric cap from unspecified parts. The metanephric cap is formed by the condensation of metanephric mesenchymal cells surrounding the ureteric bud tip. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072188': { - 'name': 'metanephric cap specification', - 'def': 'The process in which the metanephric cap acquires its identity. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072189': { - 'name': 'ureter development', - 'def': 'The process whose specific outcome is the progression of the ureter over time, from its formation to the mature structure. The ureter is a muscular tube that transports urine from the kidney to the urinary bladder or from the Malpighian tubule to the hindgut. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072190': { - 'name': 'ureter urothelium development', - 'def': 'The process whose specific outcome is the progression of the urothelium of the ureter over time, from its formation to the mature structure. The urothelium is an epithelium that makes up the epithelial tube of the ureter. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072191': { - 'name': 'ureter smooth muscle development', - 'def': 'The process whose specific outcome is the progression of smooth muscle in the ureter over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072192': { - 'name': 'ureter epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of an epithelial cell in the urothelium. The urothelium is the epithelial tube of the ureter. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072193': { - 'name': 'ureter smooth muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a smooth muscle cell in the ureter. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072194': { - 'name': 'kidney smooth muscle tissue development', - 'def': 'The process whose specific outcome is the progression of smooth muscle in the kidney over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072195': { - 'name': 'kidney smooth muscle cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a smooth muscle cell in the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072196': { - 'name': 'proximal/distal pattern formation involved in pronephric nephron development', - 'def': 'The regionalization process in which specific areas of cell differentiation are determined along a proximal/distal axis of the pronephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072197': { - 'name': 'ureter morphogenesis', - 'def': 'The process in which the anatomical structures of the ureter are generated and organized. The ureter is a muscular tube that transports urine from the kidney to the urinary bladder. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072198': { - 'name': 'mesenchymal cell proliferation involved in ureter development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a mesenchymal cell population of the ureter, that contributes to ureter development. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072199': { - 'name': 'regulation of mesenchymal cell proliferation involved in ureter development', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal cell proliferation that contributes to the progression of the ureter gland over time. A mesenchymal cell is a cell that normally gives rise to other cells that are organized as three-dimensional masses, rather than sheets. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072200': { - 'name': 'negative regulation of mesenchymal cell proliferation involved in ureter development', - 'def': 'Any process that decreases the frequency, rate or extent of mesenchymal cell proliferation that contributes to the progression of the ureter gland over time. A mesenchymal cell is a cell that normally gives rise to other cells that are organized as three-dimensional masses, rather than sheets. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072201': { - 'name': 'negative regulation of mesenchymal cell proliferation', - 'def': 'Any process that decreases the frequency, rate or extent of mesenchymal cell proliferation. A mesenchymal cell is a cell that normally gives rise to other cells that are organized as three-dimensional masses, rather than sheets. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072202': { - 'name': 'cell differentiation involved in metanephros development', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells of the metanephros as it progresses from its formation to the mature state. [GOC:mah, GOC:mtg_kidney_jan10]' - }, - 'GO:0072203': { - 'name': 'cell proliferation involved in metanephros development', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of the population in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072204': { - 'name': 'cell-cell signaling involved in metanephros development', - 'def': 'Any process that mediates the transfer of information from one cell to another and contributes to the progression of the metanephros over time, from its formation to the mature organ. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072205': { - 'name': 'metanephric collecting duct development', - 'def': 'The process whose specific outcome is the progression of a collecting duct in the metanephros over time, from its formation to the mature structure. The collecting duct responds to vasopressin and aldosterone to regulate water, electrolyte and acid-base balance. The collecting duct is the final common path through which urine flows before entering the ureter and then emptying into the bladder. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072206': { - 'name': 'metanephric juxtaglomerular apparatus development', - 'def': 'The process whose specific outcome is the progression of the juxtaglomerular apparatus in the metanephros over time, from its formation to the mature structure. The juxtaglomerular apparatus is an anatomical structure which consists of juxtaglomerular cells, extraglomerular mesangial cells and the macula densa. The juxtaglomerular apparatus lies adjacent to the glomerulus and regulates kidney function by maintaining the blood flow to the kidney and the filtration rate. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072207': { - 'name': 'metanephric epithelium development', - 'def': 'The process whose specific outcome is the progression of an epithelium in the metanephros over time, from its formation to the mature structure. An epithelium is a tissue that covers the internal or external surfaces of an anatomical structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072208': { - 'name': 'metanephric smooth muscle tissue development', - 'def': 'The process whose specific outcome is the progression of smooth muscle in the metanephros over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072209': { - 'name': 'metanephric mesangial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the mesangial cells of the metanephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072210': { - 'name': 'metanephric nephron development', - 'def': 'The process whose specific outcome is the progression of a nephron in the metanephros over time, from its formation to the mature structure. A nephron is the functional unit of the kidney. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072211': { - 'name': 'metanephric pyramids development', - 'def': 'The process whose specific outcome is the progression of the metanephric pyramids over time, from their formation to the mature structures. Metanephric pyramids are the conical masses that constitute the renal medulla in a metanephros; they contain the loops of Henle and the medullary collecting ducts. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072212': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in metanephros development', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the branching morphogenesis by which the metanephros progresses from its initial formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072213': { - 'name': 'metanephric capsule development', - 'def': 'The process whose specific outcome is the progression of the metanephric capsule over time, from its formation to the mature structure. The metanephric capsule is the tough fibrous layer surrounding the metanephros, covered in a thick layer of perinephric adipose tissue. It provides some protection from trauma and damage. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072214': { - 'name': 'metanephric cortex development', - 'def': 'The process whose specific outcome is the progression of the metanephric cortex over time, from its formation to the mature structure. The metanephric cortex is the outer region of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072215': { - 'name': 'regulation of metanephros development', - 'def': 'Any process that modulates the rate, frequency or extent of metanephros development. Metanephros development is the process whose specific outcome is the progression of the metanephros over time, from its formation to the mature structure. The metanephros is an endocrine and metabolic organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072216': { - 'name': 'positive regulation of metanephros development', - 'def': 'Any process that increases the rate, frequency or extent of metanephros development. Metanephros development is the process whose specific outcome is the progression of the metanephros over time, from its formation to the mature structure. The metanephros is an organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072217': { - 'name': 'negative regulation of metanephros development', - 'def': 'Any process that decreases the rate, frequency or extent of metanephros development. Metanephros development is the process whose specific outcome is the progression of the metanephros over time, from its formation to the mature structure. The metanephros is an organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072218': { - 'name': 'metanephric ascending thin limb development', - 'def': 'The process whose specific outcome is the progression of a metanephric ascending thin limb over time, from its formation to the mature structure. The metanephric ascending thin limb is a segment of a nephron tubule in the metanephros lying in the inner medulla that is permeable to ions but not to water and has a simple epithelium; active transepithelial solute transport is absent. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072219': { - 'name': 'metanephric cortical collecting duct development', - 'def': 'The process whose specific outcome is the progression of the metanephric cortical collecting duct over time, from its formation to the mature structure. The metanephric cortical collecting duct is the portion of the metanephric collecting duct that resides in the renal cortex. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072220': { - 'name': 'metanephric descending thin limb development', - 'def': 'The process whose specific outcome is the progression of the metanephric descending thin limb over time, from its formation to the mature structure. The metanephric descending thin limb is a part of the metanephric loop of Henle situated just after the proximal straight tubule (S3). It extends to the tip of the metanephric loop of Henle. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072221': { - 'name': 'metanephric distal convoluted tubule development', - 'def': 'The process whose specific outcome is the progression of the metanephric distal convoluted tubule over time, from its formation to the mature structure. The metanephric distal convoluted tubule is the first segment of the metanephric nephron lying just downstream from the loop of Henle, immediately after the macula densa. Among other functions, in humans it is responsible for the reabsorption of about 5% of filtered sodium via the thiazide-sensitive Na-Cl symporter. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072222': { - 'name': 'metanephric early distal convoluted tubule development', - 'def': 'The process whose specific outcome is the progression of the metanephric early distal convoluted tubule over time, from its formation to the mature structure. The metanephric early distal convoluted tubule contains metanephric DCT cells and is vasopressin-insensitive. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072223': { - 'name': 'metanephric glomerular mesangium development', - 'def': 'The process whose specific outcome is the progression of the metanephric glomerular mesangium over time, from its formation to the mature structure. The metanephric glomerular mesangium is the thin membrane connective tissue composed of mesangial cells in the metanephros, which helps to support the capillary loops in a renal glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072224': { - 'name': 'metanephric glomerulus development', - 'def': "The progression of the metanephric glomerulus over time from its initial formation until its mature state. The metanephric glomerulus is a capillary tuft which forms a close network with the visceral epithelium (podocytes) and the mesangium to form the filtration barrier and is surrounded by Bowman's capsule in nephrons of the mature vertebrate kidney, or metanephros. [GOC:mah]" - }, - 'GO:0072225': { - 'name': 'metanephric late distal convoluted tubule development', - 'def': 'The process whose specific outcome is the progression of the metanephric late distal convoluted tubule over time, from its formation to the mature structure. The metanephric late distal convoluted tubule contains metanephric DCT cells and intercalated (IC) alpha and beta cells and is vasopressin-sensitive. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072226': { - 'name': 'metanephric long descending thin limb bend development', - 'def': 'The process whose specific outcome is the progression of the metanephric long descending thin limb bend over time, from its formation to the mature structure. The metanephric long descending thin limb bend is a part of the descending thin limb of a long nephron that lies beyond the prebend segment in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072227': { - 'name': 'metanephric macula densa development', - 'def': 'The process whose specific outcome is the progression of the metanephric macula densa over time, from its formation to the mature structure. The metanephric macula densa is an area of specialized cells in the distal tubule of the metanephros that makes contact with the vascular pole of the glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072228': { - 'name': 'metanephric prebend segment development', - 'def': 'The process whose specific outcome is the progression of the metanephric prebend segment over time, from its formation to the mature structure. The metanephric prebend segment is a part of the metanephric descending thin limb that lies before the bend and exhibits permeabilities characteristic of the ascending limb, especially negligible water permeability. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072229': { - 'name': 'metanephric proximal convoluted tubule development', - 'def': 'The process whose specific outcome is the progression of the metanephric proximal convoluted tubule over time, from its formation to the mature structure. The metanephric proximal convoluted tubule is the most proximal portion of the metanephric proximal tubule and extends from the metanephric glomerular capsule to the metanephric proximal straight tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072230': { - 'name': 'metanephric proximal straight tubule development', - 'def': 'The process whose specific outcome is the progression of the metanephric proximal straight tubule over time, from its formation to the mature structure. The metanephric proximal straight tubule is the part of the metanephric descending limb that extends from the metanephric proximal convoluted tubule to the metanephric descending thin tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072231': { - 'name': 'metanephric proximal convoluted tubule segment 1 development', - 'def': 'The process whose specific outcome is the progression of the S1 portion of the metanephric proximal convoluted tubule over time, from its formation to the mature structure. The S1 portion is the initial portion of the metanephric proximal convoluted tubule and is responsible for avid reabsorption of water and solutes. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072232': { - 'name': 'metanephric proximal convoluted tubule segment 2 development', - 'def': 'The process whose specific outcome is the progression of the S2 portion of the metanephric proximal convoluted tubule over time, from its formation to the mature structure. The S2 portion of the metanephric proximal tubule is involved in reabsorption of water and sodium chloride. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072233': { - 'name': 'metanephric thick ascending limb development', - 'def': 'The process whose specific outcome is the progression of the metanephric thick ascending limb over time, from its formation to the mature structure. The metanephric thick ascending limb is the last part of the metanephric loop of Henle. Its thick, mitochondria-rich epithelium characterizes the outer medulla, and is responsible for very avid active salt transport. At the macula densa, the thick ascending limb connects to the distal convoluted tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072234': { - 'name': 'metanephric nephron tubule development', - 'def': 'The progression of a metanephric nephron tubule over time, from its initial formation to the mature structure. A metanephric nephron tubule is an epithelial tube that is part of the metanephric nephron, the functional part of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072235': { - 'name': 'metanephric distal tubule development', - 'def': 'The process whose specific outcome is the progression of the metanephric distal tubule over time, from its formation to the mature structure. The metanephric distal tubule is a metanephric nephron tubule that begins at the metanephric macula densa and extends to the metanephric connecting tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072236': { - 'name': 'metanephric loop of Henle development', - 'def': 'The process whose specific outcome is the progression of the metanephric loop of Henle over time, from its formation to the mature structure. The metanephric loop of Henle is a metanephric nephron tubule that connects the proximal convoluted tubule to the distal convoluted tubule in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072237': { - 'name': 'metanephric proximal tubule development', - 'def': "The process whose specific outcome is the progression of the metanephric proximal tubule over time, from its formation to the mature structure. The metanephric proximal tubule is a metanephric nephron tubule that connects Bowman's capsule to the descending thin limb of the loop of Henle in the metanephros. It has a brush border epithelial morphology. [GOC:mtg_kidney_jan10]" - }, - 'GO:0072238': { - 'name': 'metanephric long nephron development', - 'def': 'The process whose specific outcome is the progression of a metanephric long nephron over time, from its formation to the mature structure. Long nephrons are associated with juxtamedullary glomeruli and extend into the inner medulla in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072239': { - 'name': 'metanephric glomerulus vasculature development', - 'def': 'The biological process whose specific outcome is the progression of a metanephric glomerulus vasculature from an initial condition to its mature state. This process begins with the formation of the metanephric glomerulus vasculature and ends with the mature structure. The metanephric glomerulus vasculature is composed of the tubule structures that carry blood or lymph in the metanephric glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072240': { - 'name': 'metanephric DCT cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the distal convoluted tubule cells of the metanephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072241': { - 'name': 'metanephric DCT cell development', - 'def': 'The process whose specific outcome is the progression of a metanephric distal convoluted tubule cell over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072242': { - 'name': 'metanephric DCT cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a metanephric distal convoluted tubule cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072243': { - 'name': 'metanephric nephron epithelium development', - 'def': 'The process whose specific outcome is the progression of the metanephric nephron epithelium over time, from its formation to the mature structure. An epithelium is a tissue that covers the internal or external surfaces of an anatomical structure. The metanephric nephron epithelium is a tissue that covers the surface of a nephron in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072244': { - 'name': 'metanephric glomerular epithelium development', - 'def': 'The process whose specific outcome is the progression of the metanephric glomerular epithelium over time, from its formation to the mature structure. The metanephric glomerular epithelium is an epithelial tissue that covers the outer surfaces of the glomerulus in the metanephros. The metanephric glomerular epithelium consists of both parietal and visceral epithelium. Metanephric glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. A metanephric glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072245': { - 'name': 'metanephric glomerular parietal epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a metanephric glomerular parietal epithelial cell. Metanephric glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072246': { - 'name': 'metanephric glomerular parietal epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a metanephric glomerular parietal epithelial cell over time, from its formation to the mature structure. Metanephric glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072247': { - 'name': 'metanephric glomerular parietal epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a metanephric glomerular parietal epithelial cell. Metanephric glomerular parietal epithelial cells are specialized epithelial cells that form tight junctions as a barrier to protein transport. These cells may also give rise to podocytes. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072248': { - 'name': 'metanephric glomerular visceral epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a metanephric glomerular visceral epithelial cell. A metanephric glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072249': { - 'name': 'metanephric glomerular visceral epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a metanephric glomerular visceral epithelial cell over time, from its formation to the mature structure. A metanephric glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072250': { - 'name': 'metanephric glomerular visceral epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a metanephric glomerular visceral epithelial cell. A metanephric glomerular visceral epithelial cell is a specialized epithelial cell that contains \\feet\\ that interdigitate with the \\feet\\ of other glomerular epithelial cells in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072251': { - 'name': 'metanephric juxtaglomerulus cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the juxtaglomerulus cells of the metanephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072252': { - 'name': 'metanephric juxtaglomerulus cell development', - 'def': 'The process whose specific outcome is the progression of a metanephric juxtaglomerulus cell over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072253': { - 'name': 'metanephric juxtaglomerulus cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a metanephric juxtaglomerulus cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072254': { - 'name': 'metanephric glomerular mesangial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the glomerular mesangial cells of the metanephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072255': { - 'name': 'metanephric glomerular mesangial cell development', - 'def': 'The process whose specific outcome is the progression of a glomerular mesangial cell in the metanephros over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072256': { - 'name': 'metanephric glomerular mesangial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a metanephric glomerular mesangial cell. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072257': { - 'name': 'metanephric nephron tubule epithelial cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the cells of the metanephric nephron tubule as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072258': { - 'name': 'metanephric interstitial fibroblast differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the interstitial fibroblasts of the metanephros as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072259': { - 'name': 'metanephric interstitial fibroblast development', - 'def': 'The process whose specific outcome is the progression of a metanephric interstitial fibroblast over time, from its formation to the mature structure. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072260': { - 'name': 'metanephric interstitial fibroblast fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a metanephric interstitial fibroblast. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072261': { - 'name': 'metanephric extraglomerular mesangial cell proliferation involved in metanephros development', - 'def': 'The multiplication or reproduction of extraglomerular glomerular mesangium cells in the metanephros by cell division, resulting in the expansion of their population. Extraglomerular mesangial cells (also known as lacis cells, Goormaghtigh cells) are light-staining cells in the kidney found outside the glomerulus, near the vascular pole and macula densa. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072262': { - 'name': 'metanephric glomerular mesangial cell proliferation involved in metanephros development', - 'def': 'The multiplication or reproduction of glomerular mesangial cells in the metanephros, resulting in the expansion of the population. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072263': { - 'name': 'metanephric intraglomerular mesangial cell proliferation', - 'def': 'The multiplication or reproduction of intraglomerular glomerular mesangium cells in the metanephros by cell division, resulting in the expansion of their population. Intraglomerular mesangial cells are specialized pericytes located among the glomerular capillaries within a renal corpuscle of a kidney. They are required for filtration, structural support and phagocytosis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072264': { - 'name': 'metanephric glomerular endothelium development', - 'def': 'The process whose specific outcome is the progression of the metanephric glomerular endothelium over time, from its formation to the mature structure. The metanephric glomerular endothelium is an epithelial tissue that covers the internal surfaces of the glomerulus of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072265': { - 'name': 'metanephric capsule morphogenesis', - 'def': 'The process in which the anatomical structures of the metanephric capsule are generated and organized. The metanephric capsule is the tough fibrous layer surrounding the metanephros, covered in a thick layer of perinephric adipose tissue. It provides some protection from trauma and damage. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072266': { - 'name': 'metanephric capsule formation', - 'def': 'The developmental process pertaining to the initial formation of a metanephric capsule from unspecified parts. The metanephric capsule is the tough fibrous layer surrounding the metanephros, covered in a thick layer of perinephric adipose tissue. It provides some protection from trauma and damage. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072267': { - 'name': 'metanephric capsule specification', - 'def': 'The regionalization process in which the identity of the metanephric capsule is specified. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072268': { - 'name': 'pattern specification involved in metanephros development', - 'def': 'Any developmental process that results in the creation of defined areas or spaces within the metanephros to which cells respond and eventually are instructed to differentiate. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072269': { - 'name': 'metanephric long descending thin limb development', - 'def': 'The process whose specific outcome is the progression of the metanephric long descending thin limb over time, from its formation to the mature structure. The metanephric long descending thin limb is the descending thin limb of a long nephron in the metanephros that has a squamous epithelial morphology. The long descending limb starts in the inner stripe of the outer medulla and extends into the inner medulla. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072270': { - 'name': 'metanephric short nephron development', - 'def': 'The process whose specific outcome is the progression of a short nephron in the metanephros over time, from its formation to the mature structure. Short nephrons are associated with mid-cortical and superficial glomeruli, are situated entirely in the outer medulla, and have no thin ascending limb. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072271': { - 'name': 'metanephric short descending thin limb development', - 'def': 'The process whose specific outcome is the progression of the metanephric short descending thin limb over time, from its formation to the mature structure. The metanephric short descending thin limb is the descending thin limb of a short nephron in the metanephros that has a squamous epithelial morphology. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072272': { - 'name': 'proximal/distal pattern formation involved in metanephric nephron development', - 'def': 'The regionalization process in which specific areas of cell differentiation are determined along a proximal/distal axis of a nephron in the metanephros. The proximal/distal axis is defined by a line that runs from the center of the kidney (proximal end) outward (distal end). [GOC:mtg_kidney_jan10]' - }, - 'GO:0072273': { - 'name': 'metanephric nephron morphogenesis', - 'def': 'The process in which the anatomical structures of the metanephric nephron are generated and organized. A metanephric nephron is the functional unit of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072274': { - 'name': 'metanephric glomerular basement membrane development', - 'def': 'The process whose specific outcome is the progression of the metanephric glomerular basement membrane over time, from its formation to the mature structure. The metanephric glomerular basement membrane is the basal laminal portion of the metanephric glomerulus which performs the actual filtration. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072275': { - 'name': 'metanephric glomerulus morphogenesis', - 'def': "The process in which the anatomical structures of the metanephric glomerulus are generated and organized. The metanephric glomerulus is a capillary tuft surrounded by Bowman's capsule in nephrons of the vertebrate kidney, or metanephros. [GOC:mtg_kidney_jan10]" - }, - 'GO:0072276': { - 'name': 'metanephric glomerulus vasculature morphogenesis', - 'def': 'The process in which the anatomical structures of the metanephric glomerulus vasculature are generated and organized. The metanephric glomerulus vasculature is composed of the tubule structures that carry blood or lymph in the metanephric glomerulus. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072277': { - 'name': 'metanephric glomerular capillary formation', - 'def': 'The process that gives rise to a metanephric glomerular capillary. This process pertains to the initial formation of a structure from unspecified parts. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072278': { - 'name': 'metanephric comma-shaped body morphogenesis', - 'def': 'The process in which the metanephric comma-shaped body is generated and organized. The metanephric comma-shaped body is the precursor structure to the metanephric S-shaped body that contributes to the morphogenesis of a nephron in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072279': { - 'name': 'convergent extension involved in metanephric nephron morphogenesis', - 'def': 'The morphogenetic process in which the renal epithelium narrows along one axis and lengthens in a perpendicular axis that contributes to the shaping of a nephron in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072280': { - 'name': 'establishment of planar polarity involved in metanephric nephron morphogenesis', - 'def': 'Coordinated organization of groups of cells in the plane of an epithelium that contributes to the shaping of a nephron in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072281': { - 'name': 'mesenchymal stem cell differentiation involved in metanephric nephron morphogenesis', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesenchymal stem cell that contributes to the shaping of a nephronin the metanephros. A mesenchymal stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072282': { - 'name': 'metanephric nephron tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a metanephric nephron tubule are generated and organized. A metanephric nephron tubule is an epithelial tube that is part of the metanephric nephron, the functional part of the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072283': { - 'name': 'metanephric renal vesicle morphogenesis', - 'def': 'The process in which the anatomical structures of the metanephric renal vesicle are generated and organized. The renal vesicle is the primordial structure of the metanephric nephron epithelium, and is formed by the condensation of mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072284': { - 'name': 'metanephric S-shaped body morphogenesis', - 'def': 'The process in which the metanephric S-shaped body is generated and organized. The metanephric S-shaped body is the successor of the metanephric comma-shaped body that contributes to the morphogenesis of a nephron in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072285': { - 'name': 'mesenchymal to epithelial transition involved in metanephric renal vesicle formation', - 'def': 'A transition where a mesenchymal cell establishes apical/basolateral polarity,forms intercellular adhesive junctions, synthesizes basement membrane components and becomes an epithelial cell that will contribute to the shaping of the metanephric renal vesicle. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072286': { - 'name': 'metanephric connecting tubule development', - 'def': 'The process whose specific outcome is the progression of the metanephric connecting tubule over time, from its formation to the mature structure. The metanephric connecting tubule is a tubular segment of the metanephric nephron; it connects the distal convoluted tubule to the collecting duct in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072287': { - 'name': 'metanephric distal tubule morphogenesis', - 'def': 'The process in which the anatomical structures of a metanephric distal tubule are generated and organized. The metanephric distal tubule is a metanephric nephron tubule that begins at the macula densa and extends to the metanephric connecting tubule. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072288': { - 'name': 'metanephric proximal tubule morphogenesis', - 'def': "The process in which the anatomical structures of a metanephric proximal tubule are generated and organized. The metanephric proximal tubule is a metanephric nephron tubule that connects Bowman's capsule to the descending thin limb of the loop of Henle in the metanephros. It has a brush border epithelial morphology. [GOC:mtg_kidney_jan10]" - }, - 'GO:0072289': { - 'name': 'metanephric nephron tubule formation', - 'def': 'The developmental process pertaining to the initial formation of a metanephric nephron tubule from unspecified parts. A metanephric nephron tubule is an epithelial tube that is part of a nephron in the metanephros. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072290': { - 'name': 'epithelial cell migration involved in metanephric nephron tubule morphogenesis', - 'def': 'The orderly movement of epithelial cells within a renal tubule that contributes to metanephric nephron tubule morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072291': { - 'name': 'epithelial cell migration involved in metanephric distal tubule morphogenesis', - 'def': 'The orderly movement of epithelial cells within a renal tubule that contributes to metanephric distal tubule morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072292': { - 'name': 'epithelial cell migration involved in metanephric proximal tubule morphogenesis', - 'def': 'The orderly movement of epithelial cells within a renal tubule that contributes to metanephric proximal tubule morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072293': { - 'name': 'specification of metanephric nephron tubule identity', - 'def': 'The process in which the tubules arranged along the proximal/distal axis of the metanephric nephron acquire their identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072294': { - 'name': 'specification of metanephric connecting tubule identity', - 'def': 'The process in which the connecting tubule of the metanephric nephron acquires its identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072295': { - 'name': 'specification of metanephric distal tubule identity', - 'def': 'The process in which the distal tubule of the metanephric nephron acquires its identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072296': { - 'name': 'specification of metanephric loop of Henle identity', - 'def': 'The process in which the loop of Henle of the metanephric nephron acquires its identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072297': { - 'name': 'specification of metanephric proximal tubule identity', - 'def': 'The process in which the proximal tubule of the metanephric nephron acquires its identity. [GOC:bf, GOC:mtg_kidney_jan10]' - }, - 'GO:0072298': { - 'name': 'regulation of metanephric glomerulus development', - 'def': "Any process that modulates the rate, frequency or extent of metanephric glomerulus development, the progression of the metanephric glomerulus over time from its initial formation until its mature state. The metanephric glomerulus is a capillary tuft surrounded by Bowman's capsule in nephrons of the vertebrate kidney, or metanephros. [GOC:mtg_kidney_jan10]" - }, - 'GO:0072299': { - 'name': 'negative regulation of metanephric glomerulus development', - 'def': "Any process that decreases the rate, frequency or extent of metanephric glomerulus development, the progression of the metanephric glomerulus over time from its initial formation until its mature state. The metanephric glomerulus is a capillary tuft surrounded by Bowman's capsule in nephrons of the vertebrate kidney, or metanephros. [GOC:mtg_kidney_jan10]" - }, - 'GO:0072300': { - 'name': 'positive regulation of metanephric glomerulus development', - 'def': "Any process that increases the rate, frequency or extent of metanephric glomerulus development, the progression of the metanephric glomerulus over time from its initial formation until its mature state. The metanephric glomerulus is a capillary tuft surrounded by Bowman's capsule in nephrons of the vertebrate kidney, or metanephros. [GOC:mtg_kidney_jan10]" - }, - 'GO:0072301': { - 'name': 'regulation of metanephric glomerular mesangial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of metanephric glomerular mesangial cell proliferation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072302': { - 'name': 'negative regulation of metanephric glomerular mesangial cell proliferation', - 'def': 'Any process that decreases the frequency, rate or extent of metanephric glomerular mesangial cell proliferation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072303': { - 'name': 'positive regulation of glomerular metanephric mesangial cell proliferation', - 'def': 'Any process that increases the frequency, rate or extent of metanephric glomerular mesangial cell proliferation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072304': { - 'name': 'regulation of mesenchymal cell apoptotic process involved in metanephric nephron morphogenesis', - 'def': 'Any process that modulates the occurrence or rate of mesenchymal stem cell death by apoptotic process that contributes to the shaping of the nephron in the metanephros. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10]' - }, - 'GO:0072305': { - 'name': 'negative regulation of mesenchymal cell apoptotic process involved in metanephric nephron morphogenesis', - 'def': 'Any process that reduces the occurrence or rate of mesenchymal stem cell death by apoptotic process that contributes to the shaping of the nephron in the metanephros. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10]' - }, - 'GO:0072306': { - 'name': 'positive regulation of mesenchymal cell apoptotic process involved in metanephric nephron morphogenesis', - 'def': 'Any process that increases the occurrence or rate of mesenchymal stem cell death by apoptotic process that contributes to the shaping of the nephron in the metanephros. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10]' - }, - 'GO:0072307': { - 'name': 'regulation of metanephric nephron tubule epithelial cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of metanephric nephron tubule epithelial cell differentiation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072308': { - 'name': 'negative regulation of metanephric nephron tubule epithelial cell differentiation', - 'def': 'Any process that decreases the frequency, rate or extent of metanephric nephron tubule epithelial cell differentiation. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072309': { - 'name': 'mesenchymal stem cell maintenance involved in metanephric nephron morphogenesis', - 'def': 'The process in which an organism retains a population of mesenchymal stem cells that contributes to the shaping of a nephron in the metanephros. A mesenchymal stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized mesenchymal cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072310': { - 'name': 'glomerular epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a glomerular epithelial cell over time, from its formation to the mature structure. Glomerular epithelial cells are specialized epithelial cells that form part of the glomerulus; there are two types, glomerular parietal epithelial cells and glomerular visceral epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072311': { - 'name': 'glomerular epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a glomerular epithelial cell. Glomerular epithelial cells are specialized epithelial cells that form part of the glomerulus; there are two types, glomerular parietal epithelial cells and glomerular visceral epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072312': { - 'name': 'metanephric glomerular epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a metanephric glomerular epithelial cell. Metanephric glomerular epithelial cells are specialized epithelial cells that form part of the metanephric glomerulus; there are two types, metanephric glomerular parietal epithelial cells and metanephric glomerular visceral epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072313': { - 'name': 'metanephric glomerular epithelial cell development', - 'def': 'The process whose specific outcome is the progression of a metanephric glomerular epithelial cell over time, from its formation to the mature structure. Metanephric glomerular epithelial cells are specialized epithelial cells that form part of the metanephric glomerulus; there are two types, metanephric glomerular parietal epithelial cells and metanephric glomerular visceral epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072314': { - 'name': 'glomerular epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a glomerular epithelial cell. Glomerular epithelial cells are specialized epithelial cells that form part of the glomerulus; there are two types, glomerular parietal epithelial cells and glomerular visceral epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072315': { - 'name': 'metanephric glomerular epithelial cell fate commitment', - 'def': 'The process in which the developmental fate of a cell becomes restricted such that it will develop into a metanephric glomerular epithelial cell. Metanephric glomerular epithelial cells are specialized epithelial cells that form part of the metanephric glomerulus; there are two types, metanephric glomerular parietal epithelial cells and metanephric glomerular visceral epithelial cells. [GOC:mtg_kidney_jan10]' - }, - 'GO:0072316': { - 'name': 'alpha-glucan catabolic process involved in ascospore release from ascus', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alpha-glucans in the ascus wall that contributes to the release of ascospores from the ascus. [GOC:mah]' - }, - 'GO:0072317': { - 'name': 'glucan endo-1,3-beta-D-glucosidase activity involved in ascospore release from ascus', - 'def': 'Catalysis of the hydrolysis of 1,3-beta-D-glucosidic linkages in 1,3-beta-D-glucans that contributes to the release of ascospores from the ascus. [GOC:jl]' - }, - 'GO:0072318': { - 'name': 'clathrin coat disassembly', - 'def': 'The disaggregation of a clathrin coat into its constituent components; results in stripping or removing the clathrin coat from clathrin-coated vesicles (CCV) before fusing with their targets. CVVs transport cargo from plasma membrane and trans-Golgi to the endosomal system. [PMID:11084334, PMID:11146663, PMID:8524399]' - }, - 'GO:0072319': { - 'name': 'vesicle uncoating', - 'def': 'A protein depolymerization process that results in the disassembly of vesicle coat proteins. [GOC:mah]' - }, - 'GO:0072320': { - 'name': 'volume-sensitive chloride channel activity', - 'def': 'Enables the transmembrane transfer of a chloride ion by a volume-sensitive channel. A volume-sensitive channel is a channel that responds to changes in the volume of a cell. [GOC:mah]' - }, - 'GO:0072321': { - 'name': 'chaperone-mediated protein transport', - 'def': 'The directed movement of proteins into, out of or within a cell, or between cells, mediated by chaperone molecules that bind to the transported proteins. [GOC:mah, PMID:20378773]' - }, - 'GO:0072322': { - 'name': 'protein transport across periplasmic space', - 'def': 'The directed movement of proteins from the plasma membrane across the periplasmic space to the outer membrane or cell wall. [GOC:mah]' - }, - 'GO:0072323': { - 'name': 'chaperone-mediated protein transport across periplasmic space', - 'def': 'The directed movement of proteins from the plasma membrane across the periplasmic space to the outer membrane, mediated by chaperone molecules that bind to the transported proteins. This process has been observed in Gram-negative bacteria. [GOC:mah, PMID:20378773]' - }, - 'GO:0072324': { - 'name': 'ascus epiplasm', - 'def': 'Ascus cytoplasm that is not packaged into ascospores. [DOI:10.1016/S0953-7562(96)80057-8, GOC:mcc]' - }, - 'GO:0072325': { - 'name': 'vulval cell fate commitment', - 'def': 'The process in which the cellular identity of nematode vulval cells is acquired and determined. In nematodes, the vulva is formed from ventral epidermal cells during larval stages to give rise to a fully formed adult vulva, which is the egg-laying organ of female and hermaphrodite nematodes. [GOC:kmv, GOC:mah, ISBN:087969307X, PMID:11236714]' - }, - 'GO:0072326': { - 'name': 'vulval cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a nematode vulval cell regardless of its environment; upon determination, the cell fate cannot be reversed. In nematodes, the vulva is formed from ventral epidermal cells during larval stages to give rise to a fully formed adult vulva, which is the egg-laying organ of female and hermaphrodite nematodes. [GOC:kmv, GOC:mah, ISBN:087969307X, PMID:11236714]' - }, - 'GO:0072327': { - 'name': 'vulval cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a nematode vulval cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. In nematodes, the vulva is formed from ventral epidermal cells during larval stages to give rise to a fully formed adult vulva, which is the egg-laying organ of female and hermaphrodite nematodes. [GOC:kmv, GOC:mah, ISBN:087969307X, PMID:11236714]' - }, - 'GO:0072328': { - 'name': 'alkene binding', - 'def': 'Interacting selectively and non-covalently with an alkene, any acyclic branched or unbranched hydrocarbon having one carbon-carbon double bond and the general formula CnH2n. [CHEBI:32878, GOC:mah]' - }, - 'GO:0072329': { - 'name': 'monocarboxylic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of monocarboxylic acids, any organic acid containing one carboxyl (-COOH) group. [CHEBI:25384, GOC:mah]' - }, - 'GO:0072330': { - 'name': 'monocarboxylic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of monocarboxylic acids, any organic acid containing one carboxyl (-COOH) group. [CHEBI:25384, GOC:mah]' - }, - 'GO:0072331': { - 'name': 'signal transduction by p53 class mediator', - 'def': 'An intracellular signaling process that is induced by the cell cycle regulator phosphoprotein p53 or an equivalent protein. [GOC:mah]' - }, - 'GO:0072332': { - 'name': 'intrinsic apoptotic signaling pathway by p53 class mediator', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, and ends when the execution phase of apoptosis is triggered. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0072333': { - 'name': 'obsolete anoikis by p53 class mediator', - 'def': 'OBSOLETE. A cascade of processes induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, that results in the induction of anoikis. [GOC:BHF, GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0072334': { - 'name': 'UDP-galactose transmembrane transport', - 'def': 'The directed movement of UDP-galactose across a membrane into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0072335': { - 'name': 'regulation of canonical Wnt signaling pathway involved in neural crest cell differentiation', - 'def': 'Any process that modulates the rate, frequency, or extent of the Wnt signaling pathway through beta-catenin involved in neural crest cell differentiation. The Wnt signaling pathway is the series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes. [GOC:dgh]' - }, - 'GO:0072336': { - 'name': 'negative regulation of canonical Wnt signaling pathway involved in neural crest cell differentiation', - 'def': 'Any process that decreases the rate, frequency, or extent of the Wnt signaling pathway through beta-catenin involved in neural crest cell differentiation. The Wnt signaling pathway is the series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes. [GOC:dgh]' - }, - 'GO:0072337': { - 'name': 'modified amino acid transport', - 'def': 'The directed movement of modified amino acids into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [CHEBI:83821, GOC:mah]' - }, - 'GO:0072338': { - 'name': 'cellular lactam metabolic process', - 'def': 'The chemical reactions and pathways involving lactams, any cyclic amides of amino carboxylic acids, having a 1-azacycloalkan-2-one structure, or analogues having unsaturation or heteroatoms replacing one or more carbon atoms of the ring. [CHEBI:24995, GOC:mah]' - }, - 'GO:0072339': { - 'name': 'cellular lactam biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lactams, any cyclic amides of amino carboxylic acids, having a 1-azacycloalkan-2-one structure, or analogues having unsaturation or heteroatoms replacing one or more carbon atoms of the ring. [CHEBI:24995, GOC:mah]' - }, - 'GO:0072340': { - 'name': 'cellular lactam catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lactams, any cyclic amides of amino carboxylic acids, having a 1-azacycloalkan-2-one structure, or analogues having unsaturation or heteroatoms replacing one or more carbon atoms of the ring. [CHEBI:24995, GOC:mah]' - }, - 'GO:0072341': { - 'name': 'modified amino acid binding', - 'def': 'Interacting selectively and non-covalently with a modified amino acid. [CHEBI:83821, GOC:mah]' - }, - 'GO:0072342': { - 'name': 'response to anion stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of anion stress, an increase or decrease in the concentration of negatively charged ions in the environment. [GOC:cvs, PMID:19641131]' - }, - 'GO:0072343': { - 'name': 'pancreatic stellate cell proliferation', - 'def': 'The multiplication or reproduction of pancreatic stellate cells, resulting in the expansion of a pancreatic stellate cell population. Pancreatic stellate cells are found in the periacinar space of the exocrine pancreas and in perivascular and periductal regions of the pancreas, and have long cytoplasmic processes that encircle the base of the acinus. [CL:0002410, GOC:mah, PMID:17200706]' - }, - 'GO:0072344': { - 'name': 'rescue of stalled ribosome', - 'def': 'A process of translational elongation that takes place when a ribosome has stalled during translation, and results in freeing the ribosome from the stalled translation complex. [GOC:jh2, GOC:mah, PMID:18557701, PMID:19170872, PMID:20117091, PMID:20185543]' - }, - 'GO:0072345': { - 'name': 'NAADP-sensitive calcium-release channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a channel that opens when nicotinic acid adenine dinucleotide phosphate (NAADP) has been bound by the channel complex or one of its constituent parts. [PMID:19387438, PMID:19557428]' - }, - 'GO:0072346': { - 'name': 'cADPR-sensitive calcium-release channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by a channel that opens when cyclic adenosine diphosphate ribose (cADPR) has been bound by the channel complex or one of its constituent parts. [PMID:11752598]' - }, - 'GO:0072347': { - 'name': 'response to anesthetic', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an anesthetic stimulus. An anesthetic is a substance that causes loss of feeling, awareness, or sensation. [CHEBI:38867, GOC:sart]' - }, - 'GO:0072348': { - 'name': 'sulfur compound transport', - 'def': 'The directed movement of compounds that contain sulfur, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0072349': { - 'name': 'modified amino acid transmembrane transporter activity', - 'def': 'Enables the transfer of modified amino acids from one side of a membrane to the other. [CHEBI:83821, GOC:mah]' - }, - 'GO:0072350': { - 'name': 'tricarboxylic acid metabolic process', - 'def': 'The chemical reactions and pathways involving dicarboxylic acids, any organic acid containing three carboxyl (COOH) groups or anions (COO-). [CHEBI:27093, GOC:mah]' - }, - 'GO:0072351': { - 'name': 'tricarboxylic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dicarboxylic acids, any organic acid containing three carboxyl (-COOH) groups. [CHEBI:27093, GOC:mah]' - }, - 'GO:0072352': { - 'name': 'tricarboxylic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dicarboxylic acids, any organic acid containing three carboxyl (-COOH) groups. [CHEBI:27093, GOC:mah]' - }, - 'GO:0072353': { - 'name': 'cellular age-dependent response to reactive oxygen species', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of reactive oxygen species, where the change varies according to the age of the cell or organism. [GOC:mah]' - }, - 'GO:0072354': { - 'name': 'histone kinase activity (H3-T3 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the threonine-3 residue of the N-terminal tail of histone H3. [GOC:mah]' - }, - 'GO:0072355': { - 'name': 'histone H3-T3 phosphorylation', - 'def': 'The modification of histone H3 by the addition of an phosphate group to a threonine residue at position 3 of the histone. [GOC:mah]' - }, - 'GO:0072356': { - 'name': 'chromosome passenger complex localization to kinetochore', - 'def': 'A cellular protein complex localization that acts on a chromosome passenger complex; as a result, the complex is transported to, or maintained in, a specific location at the kinetochore. A chromosome passenger complex is a protein complex that contains the BIR-domain-containing protein Survivin, Aurora B kinase, INCENP and Borealin, and coordinates various events based on its location to different structures during the course of mitosis. [GOC:mah]' - }, - 'GO:0072357': { - 'name': 'PTW/PP1 phosphatase complex', - 'def': 'A protein serine/threonine phosphatase complex that contains a catalytic subunit (PPP1CA, PPP1CB or PPP1CC) and the regulatory subunits PPP1R10 (PNUTS), TOX4 and WDR82, and plays a role in the control of chromatin structure and cell cycle progression during the transition from mitosis into interphase. [GOC:mah, PMID:20516061]' - }, - 'GO:0072358': { - 'name': 'cardiovascular system development', - 'def': 'The process whose specific outcome is the progression of the cardiovascular system over time, from its formation to the mature structure. The cardiovascular system is the anatomical system that has as its parts the heart and blood vessels. [GOC:mah, UBERON:0004535]' - }, - 'GO:0072359': { - 'name': 'circulatory system development', - 'def': 'The process whose specific outcome is the progression of the circulatory system over time, from its formation to the mature structure. The circulatory system is the organ system that passes nutrients (such as amino acids and electrolytes), gases, hormones, blood cells, etc. to and from cells in the body to help fight diseases and help stabilize body temperature and pH to maintain homeostasis. [GOC:mah, UBERON:0001009]' - }, - 'GO:0072360': { - 'name': 'vascular cord development', - 'def': 'The progression of the vascular cord over time from its initial formation until its mature state. The vascular cord is the primordial vasculature that will develop into blood vessels by the process of tubulogenesis. [GOC:mah, PMID:7084422, ZFA:0005077]' - }, - 'GO:0072361': { - 'name': 'regulation of glycolytic process by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of glycolysis by modulating the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:mah]' - }, - 'GO:0072362': { - 'name': 'regulation of glycolytic process by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of glycolysis by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:mah]' - }, - 'GO:0072363': { - 'name': 'regulation of glycolytic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of glycolysis by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:mah]' - }, - 'GO:0072364': { - 'name': 'regulation of cellular ketone metabolic process by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of a cellular ketone metabolic process by modulating the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:mah]' - }, - 'GO:0072365': { - 'name': 'regulation of cellular ketone metabolic process by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of a cellular ketone metabolic process by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:mah]' - }, - 'GO:0072366': { - 'name': 'regulation of cellular ketone metabolic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of a cellular ketone metabolic process by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:mah]' - }, - 'GO:0072367': { - 'name': 'regulation of lipid transport by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of lipid transport by modulating the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:mah]' - }, - 'GO:0072368': { - 'name': 'regulation of lipid transport by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of lipid transport by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:mah]' - }, - 'GO:0072369': { - 'name': 'regulation of lipid transport by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of lipid transport by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:mah]' - }, - 'GO:0072370': { - 'name': 'histone H2A-S121 phosphorylation', - 'def': 'The modification of histone H2A by the addition of an phosphate group to a serine residue at position 121 of the histone. [GOC:mah, PMID:19965387]' - }, - 'GO:0072371': { - 'name': 'histone kinase activity (H2A-S121 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the serine-121 residue of the N-terminal tail of histone H2A. [GOC:mah, PMID:19965387]' - }, - 'GO:0072373': { - 'name': 'alpha-carotene epsilon hydroxylase activity', - 'def': 'Catalysis of the reaction: alpha-carotene + NADPH + O2 + H+ = alpha-cryptoxanthin + NADP+ + H2O. [GOC:mah, MetaCyc:CPD-7421, MetaCyc:CPD1F-118, MetaCyc:RXN-5962]' - }, - 'GO:0072374': { - 'name': 'carotene epsilon hydroxylase activity', - 'def': 'Catalysis of the reaction: a carotene + NADPH + O2 + H+ = a beta-ring hydroxylcarotene + NADP+ + H2O. Adds a hydroxyl group to the epsilon ring of the alpha-carotene. [GOC:mah, MetaCyc:CPD-7421, MetaCyc:CPD1F-118, MetaCyc:RXN-5962]' - }, - 'GO:0072375': { - 'name': 'medium-term memory', - 'def': 'The memory process that deals with the storage, retrieval and modification of information received at a time ago that is intermediate between that of short and long term memory (30min - 7hrs in Drosophila melanogaster). [GOC:sart, PMID:14659098, PMID:7923375]' - }, - 'GO:0072376': { - 'name': 'protein activation cascade', - 'def': 'A response to a stimulus that consists of a sequential series of modifications to a set of proteins where the product of one reaction acts catalytically in the following reaction. The magnitude of the response is typically amplified at each successive step in the cascade. Modifications typically include proteolysis or covalent modification, and may also include binding events. [GOC:add, GOC:mah, GOC:pde]' - }, - 'GO:0072377': { - 'name': 'blood coagulation, common pathway', - 'def': 'A protein activation cascade that contributes to blood coagulation and consists of events leading from the formation of activated factor X to the formation of active thrombin, the cleavage of fibrinogen by thrombin, and the formation of cleaved fibrin into a stable multimeric, cross-linked complex. [GOC:add, GOC:mah, GOC:pde, PMID:1931959]' - }, - 'GO:0072378': { - 'name': 'blood coagulation, fibrin clot formation', - 'def': 'A protein activation cascade that contributes to blood coagulation and consists of the cascade of enzymatic reactions initiated by physical damage to the wall of a blood vessel, leading to the formation of a formation of a fibrin clot at the site of the injury. The process also includes numerous positive and negative regulatory events. [GOC:add, GOC:mah, GOC:pde]' - }, - 'GO:0072379': { - 'name': 'ER membrane insertion complex', - 'def': 'A protein complex that is involved in the post-translational delivery of tail-anchored (TA) membrane proteins to the endoplasmic reticulum. TA membrane proteins, also called type II transmembrane proteins, contain a single C-terminal transmembrane region. Some ER membrane insertion complex subunits are conserved between different species such as mammals and budding yeast. [GOC:mah, PMID:20676083, PMID:20850366]' - }, - 'GO:0072380': { - 'name': 'TRC complex', - 'def': 'An ER membrane insertion complex that contains subunits that recognize two types of transmembrane domain signals. In budding yeast the complex contains Get4p, Get5p, Sgt2p, and at least two heat shock proteins (HSPs). [GOC:mah, PMID:20850366]' - }, - 'GO:0072381': { - 'name': 'positive regulation of canonical Wnt signaling pathway involved in neural crest cell differentiation', - 'def': 'Any process that increases the rate, frequency, or extent of the Wnt signaling pathway through beta-catenin involved in neural crest cell differentiation. The Wnt signaling pathway is the series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes. [GOC:mah]' - }, - 'GO:0072382': { - 'name': 'minus-end-directed vesicle transport along microtubule', - 'def': 'The directed movement of a vesicle towards the minus end of a microtubule, mediated by motor proteins. This process begins with the attachment of a vesicle to a microtubule, and ends when the vesicle reaches its final destination. [GOC:BHF, GOC:mah]' - }, - 'GO:0072383': { - 'name': 'plus-end-directed vesicle transport along microtubule', - 'def': 'The directed movement of a vesicle towards the plus end of a microtubule, mediated by motor proteins. This process begins with the attachment of a vesicle to a microtubule, and ends when the vesicle reaches its final destination. [GOC:BHF, GOC:mah]' - }, - 'GO:0072384': { - 'name': 'organelle transport along microtubule', - 'def': 'The directed movement of an organelle along a microtubule, mediated by motor proteins. This process begins with the attachment of an organelle to a microtubule, and ends when the organelle reaches its final destination. [GOC:mah]' - }, - 'GO:0072385': { - 'name': 'minus-end-directed organelle transport along microtubule', - 'def': 'The directed movement of an organelle towards the minus end of a microtubule, mediated by motor proteins. This process begins with the attachment of an organelle to a microtubule, and ends when the organelle reaches its final destination. [GOC:BHF, GOC:mah]' - }, - 'GO:0072386': { - 'name': 'plus-end-directed organelle transport along microtubule', - 'def': 'The directed movement of an organelle towards the plus end of a microtubule, mediated by motor proteins. This process begins with the attachment of an organelle to a microtubule, and ends when the organelle reaches its final destination. [GOC:BHF, GOC:mah]' - }, - 'GO:0072387': { - 'name': 'flavin adenine dinucleotide metabolic process', - 'def': 'The chemical reactions and pathways involving flavin adenine dinucleotide, which acts as a coenzyme or prosthetic group of various flavoprotein oxidoreductase enzymes. [CHEBI:24040, GOC:mah]' - }, - 'GO:0072388': { - 'name': 'flavin adenine dinucleotide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of flavin adenine dinucleotide, which acts as a coenzyme or prosthetic group of various flavoprotein oxidoreductase enzymes. [CHEBI:24040, GOC:mah]' - }, - 'GO:0072389': { - 'name': 'flavin adenine dinucleotide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of flavin adenine dinucleotide, which acts as a coenzyme or prosthetic group of various flavoprotein oxidoreductase enzymes. [CHEBI:24040, GOC:mah]' - }, - 'GO:0072390': { - 'name': 'phenol metabolic process', - 'def': 'The chemical reactions and pathways involving phenol, a compound that consists of a benzene ring with one attached hydroxyl group. [CHEBI:15882, GOC:mah]' - }, - 'GO:0072391': { - 'name': 'phenol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phenol, a compound that consists of a benzene ring with one attached hydroxyl group. [CHEBI:15882, GOC:mah]' - }, - 'GO:0072392': { - 'name': 'phenol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phenol, a compound that consists of a benzene ring with one attached hydroxyl group. [CHEBI:15882, GOC:mah]' - }, - 'GO:0072393': { - 'name': 'microtubule anchoring at microtubule organizing center', - 'def': 'Any process in which a microtubule is maintained in a specific location in a cell by attachment to a microtubule organizing center. [GOC:BHF, PMID:19825938]' - }, - 'GO:0072394': { - 'name': 'detection of stimulus involved in cell cycle checkpoint', - 'def': 'The series of events in which information about a biological process or quality is received and converted into a molecular signal, contributing to a cell cycle checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072395': { - 'name': 'signal transduction involved in cell cycle checkpoint', - 'def': 'A signal transduction process that contributes to a cell cycle checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072396': { - 'name': 'response to cell cycle checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of cell cycle checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072397': { - 'name': 'detection of stimulus involved in cytokinesis checkpoint', - 'def': 'The series of events in which information about the formation and integrity of cytokinetic structures, such as the contractile ring, is received and converted into a molecular signal, contributing to a cytokinesis checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072398': { - 'name': 'signal transduction involved in cytokinesis checkpoint', - 'def': 'A signal transduction process that contributes to a cytokinesis checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072399': { - 'name': 'response to cytokinesis checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of cytokinesis checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072400': { - 'name': 'detection of stimulus involved in mitotic DNA integrity checkpoint', - 'def': 'The series of events in which information about DNA integrity is received and converted into a molecular signal, contributing to a mitotic DNA integrity checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072401': { - 'name': 'signal transduction involved in DNA integrity checkpoint', - 'def': 'A signal transduction process that contributes to a DNA integrity checkpoint. [GOC:mah]' - }, - 'GO:0072402': { - 'name': 'response to DNA integrity checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of DNA integrity checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072409': { - 'name': 'detection of stimulus involved in meiotic cell cycle checkpoint', - 'def': 'The series of events in which information about a biological process or quality is received and converted into a molecular signal, contributing to a meiotic cell cycle checkpoint. [GOC:mah, GOC:mtg_cell_cycle]' - }, - 'GO:0072410': { - 'name': 'response to meiotic cell cycle checkpoint signaling', - 'def': 'A process that acts directly to delay or stop progression through the cell cycle in response to signals generated as a result of meiotic cell cycle checkpoint signaling; contributes to a meiotic cell cycle checkpoint. [GOC:mah]' - }, - 'GO:0072411': { - 'name': 'signal transduction involved in meiotic cell cycle checkpoint', - 'def': 'A signal transduction process that contributes to a meiotic cell cycle checkpoint. [GOC:mah]' - }, - 'GO:0072412': { - 'name': 'detection of stimulus involved in mitotic cell cycle checkpoint', - 'def': 'The series of events in which information about a biological process or quality is received and converted into a molecular signal, contributing to a mitotic cell cycle checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072413': { - 'name': 'signal transduction involved in mitotic cell cycle checkpoint', - 'def': 'A signal transduction process that contributes to a mitotic cell cycle checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072414': { - 'name': 'response to mitotic cell cycle checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of mitotic cell cycle checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072415': { - 'name': 'detection of stimulus involved in spindle checkpoint', - 'def': 'The series of events in which information about the assembly, orientation or integrity of the spindle is received and converted into a molecular signal, contributing to a spindle checkpoint. [GOC:mah, GOC:mtg_cell_cycle]' - }, - 'GO:0072416': { - 'name': 'signal transduction involved in spindle checkpoint', - 'def': 'A signal transduction process that contributes to a spindle checkpoint. [GOC:mah]' - }, - 'GO:0072417': { - 'name': 'response to spindle checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of spindle checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072421': { - 'name': 'detection of DNA damage stimulus involved in DNA damage checkpoint', - 'def': 'The series of events in which information about damage to DNA is received and converted into a molecular signal, contributing to a DNA damage checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072422': { - 'name': 'signal transduction involved in DNA damage checkpoint', - 'def': 'A signal transduction process that contributes to a DNA damage checkpoint. [GOC:mah]' - }, - 'GO:0072423': { - 'name': 'response to DNA damage checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of DNA damage checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072424': { - 'name': 'detection of DNA damage stimulus involved in G2 DNA damage checkpoint', - 'def': 'The series of events in which information about damage to DNA is received and converted into a molecular signal, contributing to a G2/M transition DNA damage checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072425': { - 'name': 'signal transduction involved in G2 DNA damage checkpoint', - 'def': 'A signal transduction process that contributes to a G2/M transition DNA damage checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072426': { - 'name': 'response to G2 DNA damage checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of G2/M transition DNA damage checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072427': { - 'name': 'detection of DNA damage stimulus involved in intra-S DNA damage checkpoint', - 'def': 'The series of events in which information about damage to DNA is received and converted into a molecular signal, contributing to an intra-S DNA damage checkpoint. [GOC:mah]' - }, - 'GO:0072428': { - 'name': 'signal transduction involved in intra-S DNA damage checkpoint', - 'def': 'A signal transduction process that contributes to an intra-S DNA damage checkpoint. [GOC:mah]' - }, - 'GO:0072429': { - 'name': 'response to intra-S DNA damage checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of intra-S DNA damage checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072430': { - 'name': 'detection of DNA damage stimulus involved in mitotic G1 DNA damage checkpoint', - 'def': 'The series of events in which information about damage to DNA is received and converted into a molecular signal, contributing to a mitotic cell cycle G1/S transition DNA damage checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072431': { - 'name': 'signal transduction involved in mitotic G1 DNA damage checkpoint', - 'def': 'A signal transduction process that contributes to a mitotic cell cycle G1/S transition DNA damage checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072432': { - 'name': 'response to G1 DNA damage checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of G1/S transition DNA damage checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072433': { - 'name': 'detection of DNA damage stimulus involved in mitotic G2 DNA damage checkpoint', - 'def': 'The series of events in which information about damage to DNA is received and converted into a molecular signal, contributing to a mitotic G2/M transition DNA damage checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072434': { - 'name': 'signal transduction involved in mitotic G2 DNA damage checkpoint', - 'def': 'A signal transduction process that contributes to a mitotic G2/M transition DNA damage checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072435': { - 'name': 'response to mitotic G2 DNA damage checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of mitotic G2/M transition DNA damage checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072436': { - 'name': 'detection of stimulus involved in DNA replication checkpoint', - 'def': 'The series of events in which information about whether DNA replication is complete is received and converted into a molecular signal, contributing to a DNA replication checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072437': { - 'name': 'signal transduction involved in DNA replication checkpoint', - 'def': 'A signal transduction process that contributes to a DNA replication checkpoint. [GOC:mah]' - }, - 'GO:0072438': { - 'name': 'response to DNA replication checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of DNA replication checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072439': { - 'name': 'detection of stimulus involved in meiotic DNA replication checkpoint', - 'def': 'The series of events in which information about whether DNA replication is complete is received and converted into a molecular signal, contributing to a meiotic DNA replication checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072440': { - 'name': 'signal transduction involved in meiotic DNA replication checkpoint', - 'def': 'A signal transduction process that contributes to a meiotic DNA replication checkpoint. [GOC:mah]' - }, - 'GO:0072441': { - 'name': 'response to meiotic DNA replication checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of meiotic DNA replication checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072442': { - 'name': 'detection of stimulus involved in mitotic DNA replication checkpoint', - 'def': 'The series of events in which information about whether DNA replication is complete is received and converted into a molecular signal, contributing to a mitotic DNA replication checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072443': { - 'name': 'signal transduction involved in mitotic DNA replication checkpoint', - 'def': 'A signal transduction process that contributes to a mitotic DNA replication checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072444': { - 'name': 'response to mitotic DNA replication checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of mitotic DNA replication checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072448': { - 'name': 'detection of stimulus involved in G1 cell size control checkpoint', - 'def': 'The series of events in which information about cell size is received and converted into a molecular signal, contributing to a mitotic cell cycle G1/S transition size control checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072449': { - 'name': 'response to G1 cell size control checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of mitotic cell cycle G1/S transition size control checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072450': { - 'name': 'signal transduction involved in G1 cell size control checkpoint', - 'def': 'A signal transduction process that contributes to a mitotic cell cycle G1/S transition size control checkpoint. [GOC:mah]' - }, - 'GO:0072451': { - 'name': 'detection of stimulus involved in G2 cell size control checkpoint', - 'def': 'The series of events in which information about cell size is received and converted into a molecular signal, contributing to a G2/M transition size control checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072452': { - 'name': 'response to G2 transition size control checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of G2/M transition size control checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072453': { - 'name': 'signal transduction involved in G2 cell size control checkpoint', - 'def': 'A signal transduction process that contributes to a G2/M transition size control checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072460': { - 'name': 'detection of stimulus involved in meiotic recombination checkpoint', - 'def': 'The series of events in which information about whether recombination is complete is received and converted into a molecular signal, contributing to a meiotic recombination checkpoint. [GOC:mah]' - }, - 'GO:0072461': { - 'name': 'response to meiotic recombination checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of meiotic recombination checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072462': { - 'name': 'signal transduction involved in meiotic recombination checkpoint', - 'def': 'A signal transduction process that contributes to a meiotic recombination checkpoint. [GOC:mah]' - }, - 'GO:0072463': { - 'name': 'detection of stimulus involved in meiotic spindle assembly checkpoint', - 'def': 'The series of events in which information about whether spindle is correctly assembled and chromosomes are attached to the spindle is received and converted into a molecular signal, contributing to a meiotic spindle assembly checkpoint. [GOC:mah]' - }, - 'GO:0072464': { - 'name': 'response to meiotic spindle assembly checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of meiotic spindle assembly checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072465': { - 'name': 'signal transduction involved in meiotic spindle assembly checkpoint', - 'def': 'A signal transduction process that contributes to a meiotic spindle assembly checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072466': { - 'name': 'obsolete detection of stimulus involved in cell shape checkpoint', - 'def': 'The series of events in which information about aspects of cell polarity control is received and converted into a molecular signal, contributing to a cell shape checkpoint. [GOC:mah, GOC:mtg_cell_cycle]' - }, - 'GO:0072467': { - 'name': 'obsolete response to cell shape checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of cell shape checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072468': { - 'name': 'obsolete signal transduction involved in cell shape checkpoint', - 'def': 'A signal transduction process that contributes to a cell shape checkpoint. [GOC:mah]' - }, - 'GO:0072469': { - 'name': 'detection of stimulus involved in cell size control checkpoint', - 'def': 'The series of events in which information about cell size is received and converted into a molecular signal, contributing to a cell size control checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072470': { - 'name': 'response to cell size control checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of cell size control checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072471': { - 'name': 'signal transduction involved in cell size control checkpoint', - 'def': 'A signal transduction process that contributes to a cell size control checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072475': { - 'name': 'detection of stimulus involved in mitotic spindle checkpoint', - 'def': 'The series of events in which information about whether the spindle is correctly assembled and oriented, and chromosomes are attached to the spindle, is received and converted into a molecular signal, contributing to a mitotic cell cycle spindle checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072476': { - 'name': 'response to mitotic spindle checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of mitotic cell cycle spindle checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072477': { - 'name': 'signal transduction involved in mitotic spindle checkpoint', - 'def': 'A signal transduction process that contributes to a mitotic cell cycle spindle checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072478': { - 'name': 'detection of stimulus involved in mitotic spindle assembly checkpoint', - 'def': 'The series of events in which information about whether the spindle is correctly assembled, and chromosomes are attached to the spindle, is received and converted into a molecular signal, contributing to a mitotic cell cycle spindle assembly checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072479': { - 'name': 'response to mitotic cell cycle spindle assembly checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of mitotic cell cycle spindle assembly checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072480': { - 'name': 'signal transduction involved in mitotic spindle assembly checkpoint', - 'def': 'A signal transduction process that contributes to a mitotic cell cycle spindle assembly checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072481': { - 'name': 'detection of stimulus involved in mitotic spindle orientation checkpoint', - 'def': 'The series of events in which information about whether the spindle is correctly oriented is received and converted into a molecular signal, contributing to a mitotic cell cycle spindle orientation checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072482': { - 'name': 'response to mitotic cell cycle spindle orientation checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of mitotic cell cycle spindle orientation checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072483': { - 'name': 'signal transduction involved in mitotic cell cycle spindle orientation checkpoint', - 'def': 'A signal transduction process that contributes to a mitotic cell cycle spindle orientation checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072484': { - 'name': 'detection of stimulus involved in spindle assembly checkpoint', - 'def': 'The series of events in which information about spindle assembly is received and converted into a molecular signal, contributing to a spindle assembly checkpoint. [GOC:mah]' - }, - 'GO:0072485': { - 'name': 'response to spindle assembly checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of spindle assembly checkpoint signaling. [GOC:mtg_cell_cycle]' - }, - 'GO:0072486': { - 'name': 'signal transduction involved in spindle assembly checkpoint', - 'def': 'A signal transduction process that contributes to a spindle assembly checkpoint. [GOC:mtg_cell_cycle]' - }, - 'GO:0072487': { - 'name': 'MSL complex', - 'def': 'A histone acetyltransferase complex that catalyzes the acetylation of a histone H4 lysine residue at position 16. In human, it contains the catalytic subunit MOF, and MSL1, MSL2 and MSL3. [PMID:16227571, PMID:20018852]' - }, - 'GO:0072488': { - 'name': 'ammonium transmembrane transport', - 'def': 'The directed movement of ammonium across a membrane by means of some agent such as a transporter or pore. Ammonium is the cation NH4+. [GOC:mah]' - }, - 'GO:0072489': { - 'name': 'methylammonium transmembrane transport', - 'def': 'The directed movement of methylammonium across a membrane by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0072490': { - 'name': 'toluene-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving toluene, methylbenzene (formula C7H8), or any of its derivatives. [CHEBI:27024, GOC:mah]' - }, - 'GO:0072491': { - 'name': 'toluene-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of toluene, methylbenzene (formula C7H8), or any of its derivatives. [CHEBI:27024, GOC:mah]' - }, - 'GO:0072492': { - 'name': 'host cell mitochondrial intermembrane space', - 'def': 'The region between the inner and outer lipid bilayers of the host cell mitochondrial envelope. [GOC:ecd]' - }, - 'GO:0072493': { - 'name': 'host cell endosome lumen', - 'def': 'The volume enclosed by the membranes of the host cell endosome. [GOC:ecd]' - }, - 'GO:0072494': { - 'name': 'host multivesicular body', - 'def': 'A late endosome in which regions of the limiting host cell endosomal membrane invaginate to form internal vesicles; host membrane proteins that enter the internal vesicles are sequestered from the host cytoplasm. [GOC:rph]' - }, - 'GO:0072495': { - 'name': 'host cell Cajal body', - 'def': 'A class of nuclear body in the eukaryotic host cell, first seen after silver staining by Ramon y Cajal in 1903, enriched in small nuclear ribonucleoproteins, and certain general RNA polymerase II transcription factors; ultrastructurally, they appear as a tangle of coiled, electron-dense threads roughly 0.5 micrometers in diameter; involved in aspects of snRNP biogenesis; the protein coilin serves as a marker for Cajal bodies. Some argue that Cajal bodies are the sites for preassembly of transcriptosomes, unitary particles involved in transcription and processing of RNA. The host is the larger of the organisms involved in a symbiotic interaction. [GOC:rph]' - }, - 'GO:0072496': { - 'name': 'Pup transferase activity', - 'def': 'Catalysis of the transfer of Pup from one protein to another via the reaction X-Pup + Y --> Y-Pup + X, where both X-Pup and Y-Pup are covalent linkages. [GOC:sp]' - }, - 'GO:0072497': { - 'name': 'mesenchymal stem cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a mesenchymal stem cell. A mesenchymal stem cell is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized mesenchymal cells. [CL:0002452, GOC:BHF]' - }, - 'GO:0072498': { - 'name': 'embryonic skeletal joint development', - 'def': 'The process, occurring during the embryonic phase, whose specific outcome is the progression of the skeletal joints over time, from formation to mature structure. [GOC:BHF, GOC:vk]' - }, - 'GO:0072499': { - 'name': 'photoreceptor cell axon guidance', - 'def': 'The chemotaxis process that directs the migration of a photoreceptor cell axon growth cone to its target in the optic lobe in response to a combination of attractive and repulsive cues. [GOC:sart, PMID:20826677]' - }, - 'GO:0072500': { - 'name': 'obsolete negative regulation of transcription from RNA polymerase II promoter by nuclear hormone receptor', - 'def': 'OBSOLETE. Any process in which a ligand-bound hormone receptor acts in the nucleus to stop, prevent, or reduce the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:mah]' - }, - 'GO:0072501': { - 'name': 'cellular divalent inorganic anion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of divalent inorganic anions at the level of a cell. [GOC:mah]' - }, - 'GO:0072502': { - 'name': 'cellular trivalent inorganic anion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of trivalent inorganic anions at the level of a cell. [GOC:mah]' - }, - 'GO:0072503': { - 'name': 'cellular divalent inorganic cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of divalent cations at the level of a cell. [GOC:mah]' - }, - 'GO:0072504': { - 'name': 'cellular trivalent inorganic cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of trivalent cations at the level of a cell. [GOC:mah]' - }, - 'GO:0072505': { - 'name': 'divalent inorganic anion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of divalent inorganic anions within an organism or cell. [GOC:mah]' - }, - 'GO:0072506': { - 'name': 'trivalent inorganic anion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of trivalent inorganic anions within an organism or cell. [GOC:mah]' - }, - 'GO:0072507': { - 'name': 'divalent inorganic cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of divalent cations within an organism or cell. [GOC:mah]' - }, - 'GO:0072508': { - 'name': 'trivalent inorganic cation homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of trivalent cations within an organism or cell. [GOC:mah]' - }, - 'GO:0072509': { - 'name': 'divalent inorganic cation transmembrane transporter activity', - 'def': 'Enables the transfer of inorganic cations with a valency of two from one side of the membrane to the other. Inorganic cations are atoms or small molecules with a positive charge that do not contain carbon in covalent linkage. [GOC:mah]' - }, - 'GO:0072510': { - 'name': 'trivalent inorganic cation transmembrane transporter activity', - 'def': 'Enables the transfer of inorganic cations with a valency of three from one side of the membrane to the other. Inorganic cations are atoms or small molecules with a positive charge that do not contain carbon in covalent linkage. [GOC:mah]' - }, - 'GO:0072511': { - 'name': 'divalent inorganic cation transport', - 'def': 'The directed movement of inorganic cations with a valency of two into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Inorganic cations are atoms or small molecules with a positive charge which do not contain carbon in covalent linkage. [GOC:mah]' - }, - 'GO:0072512': { - 'name': 'trivalent inorganic cation transport', - 'def': 'The directed movement of inorganic cations with a valency of three into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Inorganic cations are atoms or small molecules with a positive charge which do not contain carbon in covalent linkage. [GOC:mah]' - }, - 'GO:0072513': { - 'name': 'positive regulation of secondary heart field cardioblast proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardioblast proliferation in the second heart field. A cardioblast is a cardiac precursor cell. It is a cell that has been committed to a cardiac fate, but will undergo more cell division rather than terminally differentiating. The secondary heart field is the region of the heart that will form the majority of the mesodermal component of the right ventricle, the arterial pole (outflow tract) and the venous pole (inflow tract). [GOC:BHF, GOC:mah, GOC:rl]' - }, - 'GO:0072514': { - 'name': 'trehalose transport in response to water deprivation', - 'def': 'The directed movement of trehalose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore, that occurs as a result of deprivation of water. [GOC:mah]' - }, - 'GO:0072515': { - 'name': 'trehalose transport in response to desiccation', - 'def': 'The directed movement of trehalose into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore, that occurs as a result of a desiccation stimulus. A desiccation stimulus signals extreme dryness resulting from the prolonged deprivation of water. [GOC:mah]' - }, - 'GO:0072516': { - 'name': 'viral assembly compartment', - 'def': 'A membrane-bounded compartment that forms in the cytoplasm of virus-infected cells, in which virus assembly takes place. [GOC:BHF, PMID:20374631]' - }, - 'GO:0072517': { - 'name': 'host cell viral assembly compartment', - 'def': 'A membrane-bounded compartment that forms in the cytoplasm of the host cell, in which virus assembly takes place. [GOC:BHF, PMID:20374631]' - }, - 'GO:0072518': { - 'name': 'Rho-dependent protein serine/threonine kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein = ADP + a phosphoprotein. This reaction requires binding of the GTPase Rho. [GOC:ecd, PMID:12778124, PMID:20230755]' - }, - 'GO:0072519': { - 'name': 'parasitism', - 'def': 'An interaction 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. [GOC:curators]' - }, - 'GO:0072520': { - 'name': 'seminiferous tubule development', - 'def': 'The reproductive developmental process whose specific outcome is the progression of the seminiferous tubule over time, from its formation to the mature structure. Seminiferous tubules are ducts located in the testicles, and are the specific location of meiosis, and the subsequent creation of gametes, namely spermatozoa. [GOC:BHF, GOC:mah, UBERON:0001343]' - }, - 'GO:0072521': { - 'name': 'purine-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a purine-containing compound, i.e. any compound that contains purine or a formal derivative thereof. [CHEBI:26401, GOC:mah]' - }, - 'GO:0072522': { - 'name': 'purine-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a purine-containing compound, i.e. any compound that contains purine or a formal derivative thereof. [CHEBI:26401, GOC:mah]' - }, - 'GO:0072523': { - 'name': 'purine-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a purine-containing compound, i.e. any compound that contains purine or a formal derivative thereof. [CHEBI:26401, GOC:mah]' - }, - 'GO:0072524': { - 'name': 'pyridine-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a pyridine-containing compound, i.e. any compound that contains pyridine or a formal derivative thereof. [CHEBI:26421, GOC:mah]' - }, - 'GO:0072525': { - 'name': 'pyridine-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a pyridine-containing compound, i.e. any compound that contains pyridine or a formal derivative thereof. [CHEBI:26421, GOC:mah]' - }, - 'GO:0072526': { - 'name': 'pyridine-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a pyridine-containing compound, i.e. any compound that contains pyridine or a formal derivative thereof. [CHEBI:26421, GOC:mah]' - }, - 'GO:0072527': { - 'name': 'pyrimidine-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a pyrimidine-containing compound, i.e. any compound that contains pyrimidine or a formal derivative thereof. [CHEBI:39447, GOC:mah]' - }, - 'GO:0072528': { - 'name': 'pyrimidine-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a pyrimidine-containing compound, i.e. any compound that contains pyrimidine or a formal derivative thereof. [CHEBI:39447, GOC:mah]' - }, - 'GO:0072529': { - 'name': 'pyrimidine-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a pyrimidine-containing compound, i.e. any compound that contains pyrimidine or a formal derivative thereof. [CHEBI:39447, GOC:mah]' - }, - 'GO:0072530': { - 'name': 'purine-containing compound transmembrane transport', - 'def': 'The directed movement of a purine-containing compound across a membrane. A purine-containing compound is any compound that contains purine or a formal derivative thereof. [CHEBI:26401, GOC:mah]' - }, - 'GO:0072531': { - 'name': 'pyrimidine-containing compound transmembrane transport', - 'def': 'The directed movement of a pyrimidine-containing compound across a membrane. A pyrimidine-containing compound is any compound that contains pyrimidine or a formal derivative thereof. [CHEBI:39447, GOC:mah]' - }, - 'GO:0072532': { - 'name': 'tri-(feruloyl or hydroxyferuloyl) spermidine meta-hydroxylase activity', - 'def': 'Catalysis of the meta-hydroxylation of any of the three phenolic rings on triferuloyl spermidine or any of its mono- or di-(hydroxyferuloyl)-spermidine derivatives. [GOC:kad, PMID:19779199]' - }, - 'GO:0072533': { - 'name': 'tri-(coumaroyl or caffeoyl) spermidine meta-hydroxylase activity', - 'def': 'Catalysis of the meta-hydroxylation of any of the three phenolic rings on tricoumaroyl spermidine or any of its mono- or dicaffeoyl spermidine derivatives. [GOC:kad, PMID:19779199]' - }, - 'GO:0072534': { - 'name': 'perineuronal net', - 'def': 'A dense extracellular matrix (ECM) structure that forms around many neuronal cell bodies and dendrites late in development and is responsible for synaptic stabilization in the adult brain. [GOC:sl, PMID:18364019]' - }, - 'GO:0072535': { - 'name': 'tumor necrosis factor (ligand) superfamily member 11 production', - 'def': 'The appearance of tumor necrosis factor superfamily member 11 (TNFSF11; RANKL) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah]' - }, - 'GO:0072536': { - 'name': 'interleukin-23 receptor complex', - 'def': 'A protein complex that binds interleukin-23 and that consists of, at a minimum, a dimeric interleukin and its two receptor subunits as well as optional additional kinase subunits. [GOC:BHF, GOC:mah, PMID:12023369]' - }, - 'GO:0072537': { - 'name': 'fibroblast activation', - 'def': 'A change in the morphology or behavior of a fibroblast resulting from exposure to an activating factor such as a cellular or soluble ligand. [CL:0000057, GOC:BHF, GOC:mah]' - }, - 'GO:0072538': { - 'name': 'T-helper 17 type immune response', - 'def': 'An immune response which is associated with resistance to intracellular bacteria with a key role in inflammation and tissue injury. This immune response is associated with pathological autoimmune conditions such as multiple sclerosis, arthritis and psoriasis which is typically orchestrated by the production of particular cytokines by T-helper 17 cells, most notably interleukin-17, IL-21 and IL-22. [GOC:BHF, GOC:ebc]' - }, - 'GO:0072539': { - 'name': 'T-helper 17 cell differentiation', - 'def': 'The process in which a relatively unspecialized T cell acquires the specialized features of a T-helper 17 (Th17) cell. A Th17 cell is a CD4-positive, alpha-beta T cell with the phenotype RORgamma-t-positive that produces IL-17. [CL:0000899, GOC:BHF, GOC:ebc]' - }, - 'GO:0072540': { - 'name': 'T-helper 17 cell lineage commitment', - 'def': 'The process in which a CD4-positive, alpha-beta T cell becomes committed to becoming a T-helper 17 cell, a CD4-positive, alpha-beta T cell with the phenotype RORgamma-t-positive that produces IL-17. [CL:0000899, GOC:BHF, GOC:ebc]' - }, - 'GO:0072541': { - 'name': 'peroxynitrite reductase activity', - 'def': 'Catalysis of the reaction: 2 R-SH + ONOO- = R-SS-R + NO2- + H2O. [GOC:rs, PMID:11001062]' - }, - 'GO:0072542': { - 'name': 'protein phosphatase activator activity', - 'def': 'Increases the activity of a protein phosphatase, an enzyme which catalyzes of the removal of a phosphate group from a protein substrate molecule. [GOC:mah]' - }, - 'GO:0072544': { - 'name': 'L-DOPA binding', - 'def': 'Interacting selectively and non-covalently with L-DOPA, the modified amino acid (2S)-2-amino-3-(3,4-dihydroxyphenyl)propanoic acid. [CHEBI:15765, GOC:mah, GOC:vw]' - }, - 'GO:0072545': { - 'name': 'tyrosine binding', - 'def': 'Interacting selectively and non-covalently with2-amino-3-(4-hydroxyphenyl)propanoic acid. [CHEBI:18186, GOC:mah]' - }, - 'GO:0072546': { - 'name': 'ER membrane protein complex', - 'def': 'A transmembrane protein complex that is involved in protein folding in the endoplasmic reticulum. In S. cerevisiae, it has six members: EMC1, EMC2, AIM27, EMC4, KRE27, and EMC6. [GOC:dgf, PMID:19325107]' - }, - 'GO:0072547': { - 'name': 'tricoumaroylspermidine meta-hydroxylase activity', - 'def': 'Catalysis of the reaction: tricoumaroyl spermidine + NADPH + O2 = dicoumaroyl monocaffeoyl spermidine + NADP+ + H2O. [GOC:kad, PMID:19779199]' - }, - 'GO:0072548': { - 'name': 'dicoumaroyl monocaffeoyl spermidine meta-hydroxylase activity', - 'def': 'Catalysis of the reaction: dicoumaroyl monocaffeoyl spermidine + NADPH + O2 = monocoumaroyl dicaffeoyl spermidine + NADP+ + H2O. [GOC:kad, PMID:19779199]' - }, - 'GO:0072549': { - 'name': 'monocoumaroyl dicaffeoyl spermidine meta-hydroxylase activity', - 'def': 'Catalysis of the reaction: monocoumaroyl dicaffeoyl spermidine + NADPH + O2 = tricaffeoyl spermidine + NADP+ + H2O. [GOC:kad, PMID:19779199]' - }, - 'GO:0072550': { - 'name': 'triferuloylspermidine meta-hydroxylase activity', - 'def': 'Catalysis of the reaction: triferuloyl spermidine + NADPH + O2 = diferuloyl mono-(hydroxyferuloyl) spermidine + NADP+ + H2O. [GOC:kad, PMID:19779199]' - }, - 'GO:0072551': { - 'name': 'diferuloyl mono-(hydroxyferuloyl) spermidine meta-hydroxylase activity', - 'def': 'Catalysis of the reaction: diferuloyl mono-(hydroxyferuloyl) spermidine + NADPH + O2 = monoferuloyl di-(hydroxyferuloyl) spermidine + NADP+ + H2O. [GOC:kad, PMID:19779199]' - }, - 'GO:0072552': { - 'name': 'monoferuloyl di-(hydroxyferuloyl) spermidine meta-hydroxylase activity', - 'def': 'Catalysis of the reaction: monoferuloyl di-(hydroxyferuloyl) spermidine + NADPH + O2 = tri-(hydroxyferuloyl) spermidine + NADP+ + H2O. [GOC:kad, PMID:19779199]' - }, - 'GO:0072553': { - 'name': 'terminal button organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a terminal button. A terminal button is the terminal inflated portion of the axon, containing the specialized apparatus necessary to release neurotransmitters. [GOC:BHF, GOC:mah]' - }, - 'GO:0072554': { - 'name': 'blood vessel lumenization', - 'def': 'The process in which a developing blood vessel forms an endothelial lumen through which blood will flow. [GOC:dsf, PMID:16799567, PMID:20926893]' - }, - 'GO:0072555': { - 'name': '17-beta-ketosteroid reductase activity', - 'def': 'Catalysis of the reaction: a 17-beta-ketosteroid + NADPH + H+ = a 17-beta-hydroxysteroid + NADP+. [GOC:kad, PMID:17074428]' - }, - 'GO:0072556': { - 'name': 'other organism presynaptic membrane', - 'def': 'A presynaptic membrane that is part of another organism, i.e. a secondary organism with which the first organism is interacting. A presynaptic membrane is specialized area of membrane of the axon terminal that faces the plasma membrane of the neuron or muscle fiber with which the axon terminal establishes a synaptic junction; many synaptic junctions exhibit structural presynaptic characteristics, such as conical, electron-dense internal protrusions, that distinguish it from the remainder of the axon plasma membrane. [GOC:mah]' - }, - 'GO:0072557': { - 'name': 'IPAF inflammasome complex', - 'def': 'A protein complex that consists of three components, IPAF, NAIP and caspase-1, and includes among its functions the sensing of flagellin derived from Legionella pneumophila, Salmonella typhimurium, Pseudomonas aeruginosa and Shigella flexneri. [GOC:add, GOC:BHF, GOC:vp, PMID:20303873]' - }, - 'GO:0072558': { - 'name': 'NLRP1 inflammasome complex', - 'def': 'A protein complex that consists of two components, NLRP1 (NALP1) and caspase-1 or caspase-5. The exact mechanisms of NLRP1 activation remain obscure, but potassium ion efflux appears to be essential. [GOC:add, GOC:BHF, GOC:vp, PMID:20303873]' - }, - 'GO:0072559': { - 'name': 'NLRP3 inflammasome complex', - 'def': 'A protein complex that consists of three components, NLRP3 (NALP3), PYCARD and caspase-1. It is activated upon exposure to whole pathogens, as well as a number of structurally diverse pathogen- and danger-associated molecular patterns (PAMPs and DAMPs) and environmental irritants. Whole pathogens demonstrated to activate the NLRP3 inflammasome complex include the fungi Candida albicans and Saccharomyces cerevisiae, bacteria that produce pore-forming toxins, including Listeria monocytogenes and Staphylococcus aureus, and viruses such as Sendai virus, adenovirus, and influenza virus. [GOC:add, GOC:BHF, GOC:vp, PMID:20303873]' - }, - 'GO:0072560': { - 'name': 'type B pancreatic cell maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a type B pancreatic cell to attain its fully functional state. A type B pancreatic cell is a cell located towards center of the islets of Langerhans that secretes insulin. [CL:0000169, GOC:BHF]' - }, - 'GO:0072562': { - 'name': 'blood microparticle', - 'def': 'A phospholipid microvesicle that is derived from any of several cell types, such as platelets, blood cells, endothelial cells, or others, and contains membrane receptors as well as other proteins characteristic of the parental cell. Microparticles are heterogeneous in size, and are characterized as microvesicles free of nucleic acids. [GOC:BHF, GOC:mah, PMID:16373184]' - }, - 'GO:0072563': { - 'name': 'endothelial microparticle', - 'def': 'A blood microparticle that is derived from, and contains membrane receptors as well as other proteins characteristic of, an endothelial cell. [GOC:BHF, GOC:mah, PMID:16373184]' - }, - 'GO:0072564': { - 'name': 'blood microparticle formation', - 'def': 'The cellular component organization process in which microparticles bud off from a parent cell. A microparticle is a phospholipid microvesicle that is derived from any of several cell types, such as platelets, blood cells, endothelial cells, or others, and contains membrane receptors as well as other proteins characteristic of the parental cell. [GOC:BHF, GOC:mah, PMID:16373184]' - }, - 'GO:0072565': { - 'name': 'endothelial microparticle formation', - 'def': 'The cellular component organization process in which microparticles bud off from an endothelial cell. [GOC:BHF, GOC:mah, PMID:16373184]' - }, - 'GO:0072566': { - 'name': 'chemokine (C-X-C motif) ligand 1 production', - 'def': 'The appearance of chemokine (C-X-C motif) ligand 1 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah]' - }, - 'GO:0072567': { - 'name': 'chemokine (C-X-C motif) ligand 2 production', - 'def': 'The appearance of chemokine (C-X-C motif) ligand 2 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah]' - }, - 'GO:0072570': { - 'name': 'ADP-D-ribose binding', - 'def': 'Interacting selectively and non-covalently with ADP-D-ribose, an ADP-aldose having ribose as the aldose fragment. [CHEBI:16864, GOC:mah, GOC:sart, PMID:20088964]' - }, - 'GO:0072571': { - 'name': 'mono-ADP-D-ribose binding', - 'def': 'Interacting selectively and non-covalently with monomeric ADP-D-ribose, an ADP-aldose having ribose as the aldose fragment. [CHEBI:16864, GOC:mah, GOC:sart, PMID:20088964]' - }, - 'GO:0072572': { - 'name': 'poly-ADP-D-ribose binding', - 'def': 'Interacting selectively and non-covalently with polymeric ADP-D-ribose, a polymer that is composed of poly-ADP-D-ribose units linked through 1,2-glycosidic bonds at the ribose ring. [CHEBI:61151, GOC:mah, GOC:sart, PMID:20088964]' - }, - 'GO:0072573': { - 'name': 'tolerance induction to lipopolysaccharide', - 'def': 'Tolerance induction directed at lipopolysaccharide antigens. [GOC:BHF, GOC:mah]' - }, - 'GO:0072574': { - 'name': 'hepatocyte proliferation', - 'def': 'The multiplication or reproduction of hepatocytes, resulting in the expansion of a cell population. Hepatocytes form the main structural component of the liver. They are specialized epithelial cells that are organized into interconnected plates called lobules. [CL:0000182, GOC:BHF, GOC:mah]' - }, - 'GO:0072575': { - 'name': 'epithelial cell proliferation involved in liver morphogenesis', - 'def': 'The multiplication or reproduction of epithelial cells, resulting in the expansion of a cell population that contributes to the shaping of the liver. [GOC:BHF, GOC:mah]' - }, - 'GO:0072576': { - 'name': 'liver morphogenesis', - 'def': 'The process in which the anatomical structures of the liver are generated and organized. [GOC:mah]' - }, - 'GO:0072577': { - 'name': 'endothelial cell apoptotic process', - 'def': 'Any apoptotic process in an endothelial cell. An endothelial cell comprises the outermost layer or lining of anatomical structures and can be squamous or cuboidal. [CL:0000115, GOC:BHF, GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:0072578': { - 'name': 'neurotransmitter-gated ion channel clustering', - 'def': 'The receptor clustering process in which neurotransmitter-gated ion channels are localized to distinct domains in the cell membrane. [GOC:dsf, PMID:20843816]' - }, - 'GO:0072579': { - 'name': 'glycine receptor clustering', - 'def': 'The receptor clustering process in which glycine receptors are localized to distinct domains in the cell membrane. [GOC:dsf, GOC:mah, GOC:pr, PMID:20843816]' - }, - 'GO:0072580': { - 'name': 'bacterial-type EF-P lysine modification', - 'def': 'The modification of a lysine residue in a protein to produce (2S)-2-amino-6-([(3S)-3,6-diaminohexanoyl]amino)hexanoic acid, and the subsequent hydroxylation of the modified lysine residue. This modification is observed in, and is probably unique to, the prokaryotic translation elongation factor P (EF-P). [GOC:curators, GOC:imk, GOC:mah, PMID:20729861, PMID:22706199, RESID:AA0530, RESID:AA0531]' - }, - 'GO:0072581': { - 'name': 'protein-N6-(L-lysyl)-L-lysine modification to protein-N6-(beta-lysyl)-L-lysine', - 'def': 'The modification of an N6-(lysyl)-L-lysine residue in a protein, producing protein-N6-(beta-lysyl)-L-lysine ((2S)-2-amino-6-([(2S)-2,6-diaminohexanoyl]amino)hexanoic acid). This modification is observed in, and is probably unique to, translation elongation factor P (EF-P). [GOC:jsg, GOC:mah, PMID:20729861, RESID:AA0531]' - }, - 'GO:0072582': { - 'name': '17-beta-hydroxysteroid dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: a 17-beta-hydroxysteroid + NADP+ = a 17-oxosteroid + NADPH + H+. [GOC:kad, PMID:17074428]' - }, - 'GO:0072583': { - 'name': 'clathrin-dependent endocytosis', - 'def': 'An endocytosis process that begins when material is taken up into clathrin-coated pits, which then pinch off to form clathrin-coated endocytic vesicles. [GOC:BHF, GOC:mah, PMID:18498251, PMID:8970738, PMID:9234965]' - }, - 'GO:0072584': { - 'name': 'caveolin-mediated endocytosis', - 'def': 'An endocytosis process that begins when material is taken up into plasma membrane caveolae, which then pinch off to form endocytic caveolar carriers. [GOC:BHF, GOC:mah, PMID:17318224, PMID:18498251, PMID:8970738, PMID:9234965]' - }, - 'GO:0072585': { - 'name': 'xanthosine nucleotidase activity', - 'def': 'Catalysis of the reaction: xanthosine + H2O = D-ribose + xanthine. [GOC:kad, MetaCyc:RXN0-363, PMID:21235647]' - }, - 'GO:0072586': { - 'name': 'DNA topoisomerase (ATP-hydrolyzing) regulator activity', - 'def': 'Modulates the activity of ATP-hydrolyzing DNA topoisomerase. DNA topoisomerase (ATP-hydrolyzing) regulator activity catalyzes a DNA topological transformation by transiently cleaving a pair of complementary DNA strands to form a gate through which a second double-stranded DNA segment is passed, after which the severed strands in the first DNA segment are rejoined; product release is coupled to ATP binding and hydrolysis; changes the linking number in multiples of 2. [GOC:mah]' - }, - 'GO:0072587': { - 'name': 'DNA topoisomerase (ATP-hydrolyzing) activator activity', - 'def': 'Binds to and increases the activity of ATP-hydrolyzing DNA topoisomerase. DNA topoisomerase (ATP-hydrolyzing) regulator activity catalyzes a DNA topological transformation by transiently cleaving a pair of complementary DNA strands to form a gate through which a second double-stranded DNA segment is passed, after which the severed strands in the first DNA segment are rejoined; product release is coupled to ATP binding and hydrolysis; changes the linking number in multiples of 2. [GOC:mah]' - }, - 'GO:0072588': { - 'name': 'box H/ACA RNP complex', - 'def': 'A ribonucleoprotein complex that contains an RNA of the box H/ACA type and the four core proteins dyskerin, NOP10, NHP2, and GAR1 (human protein nomenclature). RNA pseudouridylation (isomerization of uridine to pseudouridine) is the major, and most likely the ancestral, function of H/ACA RNPs. Pseudouridylation targets include both large and small ribosomal RNAs (rRNAs), and small nuclear RNA (U2 snRNA). In addition to these catalytic H/ACA RNPs, a less abundant but more diverse class of structural H/ACA RNPs exists, which does not have pseudouridylation activity. These include the vertebrate telomerase RNP complex. [GOC:BHF, GOC:BHF_telomerase, GOC:jbu, GOC:mah, GOC:vw, PMID:17284456, PMID:20227365]' - }, - 'GO:0072589': { - 'name': 'box H/ACA scaRNP complex', - 'def': 'A box H/ACA RNP complex that is located in the Cajal body of the nucleoplasm. In higher eukaryotes, box H/ACA RNP located in Cajal bodies mediate pseudouridylation of spliceosomal snRNAs. [GOC:mah, PMID:17284456, PMID:20227365]' - }, - 'GO:0072590': { - 'name': 'N-acetyl-L-aspartate-L-glutamate ligase activity', - 'def': 'Catalysis of the reaction: ATP + N-acetyl-L-aspartate + L-glutamate = ADP + phosphate + N-acetylaspartyl-glutamate. [PMID:20643647, PMID:20657015]' - }, - 'GO:0072591': { - 'name': 'citrate-L-glutamate ligase activity', - 'def': 'Catalysis of the reaction: ATP + citrate + L-glutamate = ADP + phosphate + beta-citryl-L-glutamate. [PMID:20657015]' - }, - 'GO:0072592': { - 'name': 'oxygen metabolic process', - 'def': 'The chemical reactions and pathways involving diatomic oxygen (O2). [CHEBI:33263, GOC:mah]' - }, - 'GO:0072593': { - 'name': 'reactive oxygen species metabolic process', - 'def': 'The chemical reactions and pathways involving a reactive oxygen species, any molecules or ions formed by the incomplete one-electron reduction of oxygen. They contribute to the microbicidal activity of phagocytes, regulation of signal transduction and gene expression, and the oxidative damage to biopolymers. [CHEBI:26523, GOC:mah]' - }, - 'GO:0072594': { - 'name': 'establishment of protein localization to organelle', - 'def': 'The directed movement of a protein to a specific location on or in an organelle. Encompasses establishment of localization in the membrane or lumen of a membrane-bounded organelle. [GOC:mah]' - }, - 'GO:0072595': { - 'name': 'maintenance of protein localization in organelle', - 'def': 'Any process in which a protein is maintained in a specific location a specific location on or in an organelle, and is prevented from moving elsewhere. Encompasses establishment of localization in the membrane or lumen of a membrane-bounded organelle. [GOC:mah]' - }, - 'GO:0072596': { - 'name': 'establishment of protein localization to chloroplast', - 'def': 'The directed movement of a protein to a specific location in a chloroplast. [GOC:mah]' - }, - 'GO:0072597': { - 'name': 'maintenance of protein location in chloroplast', - 'def': 'Any process in which a protein is maintained in a specific location in a chloroplast, and is prevented from moving elsewhere. [GOC:mah]' - }, - 'GO:0072598': { - 'name': 'protein localization to chloroplast', - 'def': 'A process in which a protein is transported to, or maintained at, a location in a chloroplast. [GOC:ecd]' - }, - 'GO:0072599': { - 'name': 'establishment of protein localization to endoplasmic reticulum', - 'def': 'The directed movement of a protein to a specific location in the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0072600': { - 'name': 'establishment of protein localization to Golgi', - 'def': 'The directed movement of a protein to a specific location in the Golgi apparatus. [GOC:mah]' - }, - 'GO:0072601': { - 'name': 'interleukin-3 secretion', - 'def': 'The regulated release of interleukin-3 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072602': { - 'name': 'interleukin-4 secretion', - 'def': 'The regulated release of interleukin-4 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072603': { - 'name': 'interleukin-5 secretion', - 'def': 'The regulated release of interleukin-5 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072604': { - 'name': 'interleukin-6 secretion', - 'def': 'The regulated release of interleukin-6 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072605': { - 'name': 'interleukin-7 secretion', - 'def': 'The regulated release of interleukin-7 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072606': { - 'name': 'interleukin-8 secretion', - 'def': 'The regulated release of interleukin-8 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072607': { - 'name': 'interleukin-9 secretion', - 'def': 'The regulated release of interleukin-9 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072608': { - 'name': 'interleukin-10 secretion', - 'def': 'The regulated release of interleukin-10 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072609': { - 'name': 'interleukin-11 secretion', - 'def': 'The regulated release of interleukin-11 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072610': { - 'name': 'interleukin-12 secretion', - 'def': 'The regulated release of interleukin-12 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072611': { - 'name': 'interleukin-13 secretion', - 'def': 'The regulated release of interleukin-13 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072612': { - 'name': 'interleukin-14 secretion', - 'def': 'The regulated release of interleukin-14 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072613': { - 'name': 'interleukin-15 secretion', - 'def': 'The regulated release of interleukin-15 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072614': { - 'name': 'interleukin-16 secretion', - 'def': 'The regulated release of interleukin-16 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072615': { - 'name': 'interleukin-17 secretion', - 'def': 'The regulated release of any member of the interleukin-17 family of cytokines from a cell. [GOC:add, GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072616': { - 'name': 'interleukin-18 secretion', - 'def': 'The regulated release of interleukin-18 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072617': { - 'name': 'interleukin-19 secretion', - 'def': 'The regulated release of interleukin-19 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072618': { - 'name': 'interleukin-20 secretion', - 'def': 'The regulated release of interleukin-20 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072619': { - 'name': 'interleukin-21 secretion', - 'def': 'The regulated release of interleukin-21 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072620': { - 'name': 'interleukin-22 secretion', - 'def': 'The regulated release of interleukin-22 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072621': { - 'name': 'interleukin-23 secretion', - 'def': 'The regulated release of interleukin-23 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072622': { - 'name': 'interleukin-24 secretion', - 'def': 'The regulated release of interleukin-24 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072623': { - 'name': 'interleukin-25 secretion', - 'def': 'The regulated release of interleukin-25 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072624': { - 'name': 'interleukin-26 secretion', - 'def': 'The regulated release of interleukin-26 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072625': { - 'name': 'interleukin-27 secretion', - 'def': 'The regulated release of interleukin-27 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072626': { - 'name': 'interleukin-35 secretion', - 'def': 'The regulated release of interleukin-35 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072627': { - 'name': 'interleukin-28A production', - 'def': 'The appearance of interleukin-28A due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072628': { - 'name': 'interleukin-28A secretion', - 'def': 'The regulated release of interleukin-28A from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072629': { - 'name': 'interleukin-28B production', - 'def': 'The appearance of interleukin-28B due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072630': { - 'name': 'interleukin-28B secretion', - 'def': 'The regulated release of interleukin-28B from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072631': { - 'name': 'interleukin-29 production', - 'def': 'The appearance of interleukin-29 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072632': { - 'name': 'interleukin-29 secretion', - 'def': 'The regulated release of interleukin-29 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072633': { - 'name': 'interleukin-30 production', - 'def': 'The appearance of interleukin-30 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072634': { - 'name': 'interleukin-30 secretion', - 'def': 'The regulated release of interleukin-30 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072635': { - 'name': 'interleukin-31 production', - 'def': 'The appearance of interleukin-31 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072636': { - 'name': 'interleukin-31 secretion', - 'def': 'The regulated release of interleukin-31 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072637': { - 'name': 'interleukin-32 production', - 'def': 'The appearance of interleukin-32 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072638': { - 'name': 'interleukin-32 secretion', - 'def': 'The regulated release of interleukin-32 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072639': { - 'name': 'interleukin-33 production', - 'def': 'The appearance of interleukin-33 due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072640': { - 'name': 'interleukin-33 secretion', - 'def': 'The regulated release of interleukin-33 from a cell. [GOC:BHF, GOC:mah, http://www.copewithcytokines.de/cope.cgi?key=interleukins]' - }, - 'GO:0072641': { - 'name': 'type I interferon secretion', - 'def': 'The regulated release of type I interferon from a cell. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072642': { - 'name': 'interferon-alpha secretion', - 'def': 'The regulated release of interferon-alpha from a cell. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072643': { - 'name': 'interferon-gamma secretion', - 'def': 'The regulated release of interferon-gamma from a cell. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072644': { - 'name': 'type III interferon secretion', - 'def': 'The regulated release of type III interferon from a cell. Interferon lambda is the only member of the type III interferon found so far. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072645': { - 'name': 'interferon-delta production', - 'def': 'The appearance of interferon-delta due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072646': { - 'name': 'interferon-delta secretion', - 'def': 'The regulated release of interferon-delta from a cell. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072647': { - 'name': 'interferon-epsilon production', - 'def': 'The appearance of interferon-epsilon due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072648': { - 'name': 'interferon-epsilon secretion', - 'def': 'The regulated release of interferon-epsilon from a cell. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072649': { - 'name': 'interferon-kappa production', - 'def': 'The appearance of interferon-kappa due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072650': { - 'name': 'interferon-kappa secretion', - 'def': 'The regulated release of interferon-kappa from a cell. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072651': { - 'name': 'interferon-tau production', - 'def': 'The appearance of interferon-tau due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072652': { - 'name': 'interferon-tau secretion', - 'def': 'The regulated release of interferon-tau from a cell. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072653': { - 'name': 'interferon-omega production', - 'def': 'The appearance of interferon-omega due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072654': { - 'name': 'interferon-omega secretion', - 'def': 'The regulated release of interferon-omega from a cell. [GOC:BHF, GOC:mah, PMID:15546383]' - }, - 'GO:0072655': { - 'name': 'establishment of protein localization to mitochondrion', - 'def': 'The directed movement of a protein to the mitochondrion or a part of the mitochondrion. [GOC:mah]' - }, - 'GO:0072656': { - 'name': 'maintenance of protein location in mitochondrion', - 'def': 'Any process in which a protein is maintained in a specific location in a mitochondrion, and is prevented from moving elsewhere. [GOC:mah]' - }, - 'GO:0072657': { - 'name': 'protein localization to membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a specific location in a membrane. [GOC:mah]' - }, - 'GO:0072658': { - 'name': 'maintenance of protein location in membrane', - 'def': 'Any process in which a protein is maintained in a specific location in a membrane, and is prevented from moving elsewhere. [GOC:mah]' - }, - 'GO:0072659': { - 'name': 'protein localization to plasma membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a specific location in the plasma membrane. [GOC:mah]' - }, - 'GO:0072660': { - 'name': 'maintenance of protein location in plasma membrane', - 'def': 'Any process in which a protein is maintained in a specific location in the plasma membrane, and is prevented from moving elsewhere. [GOC:mah]' - }, - 'GO:0072661': { - 'name': 'protein targeting to plasma membrane', - 'def': 'The process of directing proteins towards the plasma membrane; usually uses signals contained within the protein. [GOC:mah]' - }, - 'GO:0072662': { - 'name': 'protein localization to peroxisome', - 'def': 'A process in which a protein is transported to, or maintained at, a location in a peroxisome. [GOC:ecd]' - }, - 'GO:0072663': { - 'name': 'establishment of protein localization to peroxisome', - 'def': 'The directed movement of a protein to a specific location in a peroxisome. [GOC:mah]' - }, - 'GO:0072664': { - 'name': 'maintenance of protein location in peroxisome', - 'def': 'Any process in which a protein is maintained in a specific location in a peroxisome, and is prevented from moving elsewhere. [GOC:mah]' - }, - 'GO:0072665': { - 'name': 'protein localization to vacuole', - 'def': 'A process in which a protein is transported to, or maintained at, a location in a vacuole. [GOC:ecd]' - }, - 'GO:0072666': { - 'name': 'establishment of protein localization to vacuole', - 'def': 'The directed movement of a protein to a specific location in a vacuole. [GOC:mah]' - }, - 'GO:0072667': { - 'name': 'maintenance of protein location in vacuole', - 'def': 'Any process in which a protein is maintained in a specific location in a vacuole, and is prevented from moving elsewhere. [GOC:mah]' - }, - 'GO:0072668': { - 'name': 'obsolete tubulin complex biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a tubulin complex. Includes the synthesis and folding of the constituent protein molecules, and those protein modifications that are involved in synthesis or assembly of the complex. A tubulin complex is a heterodimer of tubulins alpha and beta, from which microtubules are assembled. [GOC:mah]' - }, - 'GO:0072669': { - 'name': 'tRNA-splicing ligase complex', - 'def': "A protein complex that catalyzes the ligation of cleaved pre-tRNAs by directly joining spliced tRNA halves to mature-sized tRNAs by incorporating the precursor-derived splice junction phosphate into the mature tRNA as a canonical 3',5'-phosphodiester. [GOC:sp, PMID:21311021]" - }, - 'GO:0072670': { - 'name': 'mitochondrial tRNA threonylcarbamoyladenosine modification', - 'def': "The attachment of a carbonyl group and a threonine to the amino group of the adenine residue immediately 3' of the anticodon, in mitochondrial tRNAs that decode ANN codons (where N is any base). [GOC:mcc, PMID:21183954]" - }, - 'GO:0072671': { - 'name': 'mitochondria-associated ubiquitin-dependent protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of proteins transported from mitochondria and targeted to cytoplasmic proteasomes for degradation as a response to oxidative stress conditions. [GOC:mcc, PMID:21070972, PMID:21109188]' - }, - 'GO:0072672': { - 'name': 'neutrophil extravasation', - 'def': 'The migration of a neutrophil from the blood vessels into the surrounding tissue. [CL:0000775, GOC:BHF]' - }, - 'GO:0072673': { - 'name': 'lamellipodium morphogenesis', - 'def': 'A process that is carried out at the cellular level and in which the structure of a lamellipodium is organized. [GOC:BHF, GOC:mah]' - }, - 'GO:0072674': { - 'name': 'multinuclear osteoclast differentiation', - 'def': 'The process in which a relatively unspecialized monocyte acquires the specialized features of a multinuclear osteoclast. An osteoclast is a specialized phagocytic cell associated with the absorption and removal of the mineralized matrix of bone tissue. [CL:0000779, GOC:mah, PMID:12713016]' - }, - 'GO:0072675': { - 'name': 'osteoclast fusion', - 'def': 'The plasma membrane fusion process that results in fusion of mononuclear osteoclasts to form a multinuclear osteoclast. [CL:0000092, CL:0000779, GOC:BHF, GOC:mah, PMID:12713016]' - }, - 'GO:0072676': { - 'name': 'lymphocyte migration', - 'def': 'The movement of a lymphocyte within or between different tissues and organs of the body. [CL:0000542, GOC:BHF, GOC:mah]' - }, - 'GO:0072677': { - 'name': 'eosinophil migration', - 'def': 'The movement of an eosinophil within or between different tissues and organs of the body. [CL:0000771, GOC:BHF, GOC:mah]' - }, - 'GO:0072678': { - 'name': 'T cell migration', - 'def': 'The movement of a T cell within or between different tissues and organs of the body. [CL:0000084, GOC:BHF, GOC:mah]' - }, - 'GO:0072679': { - 'name': 'thymocyte migration', - 'def': 'The movement of a thymocyte through distinct intrathymic niches (e.g. medulla, cortex), where it receives a unique set of developmental cues required for T-cell development. [CL:0000893, GOC:BHF, GOC:mah]' - }, - 'GO:0072680': { - 'name': 'extracellular matrix-dependent thymocyte migration', - 'def': 'The movement of a thymocyte through distinct intrathymic niches (e.g. medulla, cortex), where it receives a unique set of developmental cues required for T-cell development, dependent on extracellular matrix components including fibronectin, collagen and laminin. [CL:0000893, GOC:BHF, GOC:mah, PMID:20856819]' - }, - 'GO:0072681': { - 'name': 'fibronectin-dependent thymocyte migration', - 'def': 'The movement of a thymocyte through distinct intrathymic niches (e.g. medulla, cortex), where it receives a unique set of developmental cues required for T-cell development, dependent on fibronectin in the extracellular matrix. [CL:0000893, GOC:BHF, GOC:mah, PMID:20856819]' - }, - 'GO:0072682': { - 'name': 'eosinophil extravasation', - 'def': 'The migration of an eosinophil from the blood vessels into the surrounding tissue. [CL:0000771, GOC:BHF, GOC:mah]' - }, - 'GO:0072683': { - 'name': 'T cell extravasation', - 'def': 'The migration of a T cell from the blood vessels into the surrounding tissue. [CL:0000084, GOC:BHF, GOC:mah]' - }, - 'GO:0072684': { - 'name': "mitochondrial tRNA 3'-trailer cleavage, endonucleolytic", - 'def': "Endonucleolytic cleavage of the 3'-end of the pre-tRNA as part of the process of generating the mature 3'-end of the tRNA in the mitochondrion. [GOC:mah]" - }, - 'GO:0072685': { - 'name': 'Mre11 complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an Mre11 complex, a trimeric protein complex that possesses endonuclease activity and is involved in meiotic recombination, DNA repair and checkpoint signaling. [GOC:mah, PMID:19211838]' - }, - 'GO:0072686': { - 'name': 'mitotic spindle', - 'def': 'A spindle that forms as part of mitosis. Mitotic and meiotic spindles contain distinctive complements of proteins associated with microtubules. [GOC:mah, GOC:vw, PMID:11408572, PMID:18367542, PMID:8027178]' - }, - 'GO:0072687': { - 'name': 'meiotic spindle', - 'def': 'A spindle that forms as part of meiosis. Several proteins, such as budding yeast Spo21p, fission yeast Spo2 and Spo13, and C. elegans mei-1, localize specifically to the meiotic spindle and are absent from the mitotic spindle. [GOC:mah, GOC:vw, PMID:11408572, PMID:18367542, PMID:8027178]' - }, - 'GO:0072688': { - 'name': 'SHREC complex localization', - 'def': 'Any process in which a SHREC complex is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0072689': { - 'name': 'MCM complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an MCM complex, a hexameric protein complex required for the initiation and regulation of DNA replication. [GOC:mah, PMID:21813639]' - }, - 'GO:0072690': { - 'name': 'single-celled organism vegetative growth phase', - 'def': 'A phase of population growth during which single celled organisms reproduce by budding, fission, or other asexual methods. [GOC:mah, GOV:vw]' - }, - 'GO:0072691': { - 'name': 'initiation of premeiotic DNA replication', - 'def': 'A process of DNA-dependent DNA replication initiation that occurs as part of premeiotic DNA replication. [GOC:mah, PMID:10888871]' - }, - 'GO:0072692': { - 'name': 'obsolete chromatin silencing at centromere central core', - 'def': 'Repression of transcription of DNA at the central core of a regional centromere by altering the structure of chromatin. [GOC:mah]' - }, - 'GO:0072693': { - 'name': 'protein targeting to prospore membrane', - 'def': 'The process of directing proteins towards the prospore membrane; usually uses signals contained within the protein. [GOC:mah]' - }, - 'GO:0072694': { - 'name': 'obsolete cell cycle arrest in response to caffeine', - 'def': 'OBSOLETE. The cell cycle regulatory process in which the cell cycle is halted during one of the normal phases (G1, S, G2, M) as a result of a caffeine stimulus. [GOC:mah]' - }, - 'GO:0072695': { - 'name': 'regulation of DNA recombination at telomere', - 'def': 'Any process that modulates the frequency, rate or extent of DNA recombination within the telomere. [GOC:mah]' - }, - 'GO:0072696': { - 'name': 'positive regulation of DNA recombination at telomere', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA recombination within the telomere. [GOC:mah]' - }, - 'GO:0072697': { - 'name': 'protein localization to cell cortex', - 'def': 'A process in which a protein is transported to, or maintained in, the cell cortex. [GOC:mah]' - }, - 'GO:0072698': { - 'name': 'protein localization to microtubule cytoskeleton', - 'def': 'A cellular protein localization process in which a protein is transported to, or maintained at, a location within the microtubule cytoskeleton. [GOC:mah]' - }, - 'GO:0072699': { - 'name': 'protein localization to cortical microtubule cytoskeleton', - 'def': 'A process in which a protein is transported to, or maintained at, a location within the cortical microtubule cytoskeleton. [GOC:mah]' - }, - 'GO:0072700': { - 'name': 'response to bismuth', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bismuth (Bi) stimulus. [CHEBI:33301, GOC:mah]' - }, - 'GO:0072701': { - 'name': 'cellular response to bismuth', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bismuth (Bi) stimulus. [CHEBI:33301, GOC:mah]' - }, - 'GO:0072702': { - 'name': 'response to methyl methanesulfonate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methyl methanesulfonate (MMS) stimulus. [CHEBI:25255, GOC:mah]' - }, - 'GO:0072703': { - 'name': 'cellular response to methyl methanesulfonate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methyl methanesulfonate (MMS) stimulus. [CHEBI:25255, GOC:mah]' - }, - 'GO:0072704': { - 'name': 'response to mercaptoethanol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mercaptoethanol stimulus. [CHEBI:41218, GOC:mah]' - }, - 'GO:0072705': { - 'name': 'cellular response to mercaptoethanol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mercaptoethanol stimulus. [CHEBI:41218, GOC:mah]' - }, - 'GO:0072706': { - 'name': 'response to sodium dodecyl sulfate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sodium dodecyl sulfate (SDS) stimulus. [CHEBI:8984, GOC:mah]' - }, - 'GO:0072707': { - 'name': 'cellular response to sodium dodecyl sulfate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sodium dodecyl sulfate (SDS) stimulus. [CHEBI:8984, GOC:mah]' - }, - 'GO:0072708': { - 'name': 'response to sorbitol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sorbitol stimulus. [CHEBI:30911, GOC:mah]' - }, - 'GO:0072709': { - 'name': 'cellular response to sorbitol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sorbitol stimulus. [CHEBI:30911, GOC:mah]' - }, - 'GO:0072710': { - 'name': 'response to hydroxyurea', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydroxyurea stimulus. [CHEBI:44423, GOC:mah]' - }, - 'GO:0072711': { - 'name': 'cellular response to hydroxyurea', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydroxyurea stimulus. [CHEBI:44423, GOC:mah]' - }, - 'GO:0072712': { - 'name': 'response to thiabendazole', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thiabendazole stimulus. [CHEBI:45979, GOC:mah]' - }, - 'GO:0072713': { - 'name': 'cellular response to thiabendazole', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thiabendazole stimulus. [CHEBI:45979, GOC:mah]' - }, - 'GO:0072714': { - 'name': 'response to selenite ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a selenite ion stimulus. [CHEBI:18212, GOC:mah]' - }, - 'GO:0072715': { - 'name': 'cellular response to selenite ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a selenite ion stimulus. [CHEBI:18212, GOC:mah]' - }, - 'GO:0072716': { - 'name': 'response to actinomycin D', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an actinomycin D stimulus. [CHEBI:27666, GOC:mah]' - }, - 'GO:0072717': { - 'name': 'cellular response to actinomycin D', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an actinomycin D stimulus. [CHEBI:27666, GOC:mah]' - }, - 'GO:0072718': { - 'name': 'response to cisplatin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cisplatin stimulus. [CHEBI:27899, GOC:mah]' - }, - 'GO:0072719': { - 'name': 'cellular response to cisplatin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cisplatin stimulus. [CHEBI:27899, GOC:mah]' - }, - 'GO:0072720': { - 'name': 'response to dithiothreitol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dithiothreitol stimulus. [CHEBI:18320, GOC:mah]' - }, - 'GO:0072721': { - 'name': 'cellular response to dithiothreitol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dithiothreitol stimulus. [CHEBI:18320, GOC:mah]' - }, - 'GO:0072722': { - 'name': 'response to amitrole', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amitrole stimulus. [CHEBI:40036, GOC:mah]' - }, - 'GO:0072723': { - 'name': 'cellular response to amitrole', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an amitrole stimulus. [CHEBI:40036, GOC:mah]' - }, - 'GO:0072724': { - 'name': 'response to 4-nitroquinoline N-oxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 4-nitroquinoline N-oxide stimulus. [CHEBI:16907, GOC:mah]' - }, - 'GO:0072725': { - 'name': 'cellular response to 4-nitroquinoline N-oxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 4-nitroquinoline N-oxide stimulus. [CHEBI:16907, GOC:mah]' - }, - 'GO:0072726': { - 'name': 'response to CCCP', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a CCCP stimulus. [CHEBI:3259, GOC:mah]' - }, - 'GO:0072727': { - 'name': 'cellular response to CCCP', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a CCCP stimulus. [CHEBI:3259, GOC:mah]' - }, - 'GO:0072728': { - 'name': 'response to Gentian violet', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a Gentian violet stimulus. [CHEBI:198346, GOC:mah]' - }, - 'GO:0072729': { - 'name': 'cellular response to Gentian violet', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a Gentian violet stimulus. [CHEBI:198346, GOC:mah]' - }, - 'GO:0072730': { - 'name': 'response to papulacandin B', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a papulacandin B stimulus. [CHEBI:569624, GOC:mah]' - }, - 'GO:0072731': { - 'name': 'cellular response to papulacandin B', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a papulacandin B stimulus. [CHEBI:569624, GOC:mah]' - }, - 'GO:0072732': { - 'name': 'cellular response to calcium ion starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of calcium ions. [GOC:mah]' - }, - 'GO:0072733': { - 'name': 'response to staurosporine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a staurosporine stimulus. [CHEBI:15738, GOC:mah]' - }, - 'GO:0072734': { - 'name': 'cellular response to staurosporine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a staurosporine stimulus. [CHEBI:15738, GOC:mah]' - }, - 'GO:0072735': { - 'name': 'response to t-BOOH', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tert-butyl hydroperoxide (t-BOOH) stimulus. [CHEBI:365419, GOC:mah]' - }, - 'GO:0072736': { - 'name': 'cellular response to t-BOOH', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tert-butyl hydroperoxide (t-BOOH) stimulus. [CHEBI:365419, GOC:mah]' - }, - 'GO:0072737': { - 'name': 'response to diamide', - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diamide (N,N,N',N'-tetramethyldiazene-1,2-dicarboxamide) stimulus. [CHEBI:48958, GOC:mah]" - }, - 'GO:0072738': { - 'name': 'cellular response to diamide', - 'def': "Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diamide (N,N,N',N'-tetramethyldiazene-1,2-dicarboxamide) stimulus. [CHEBI:48958, GOC:mah]" - }, - 'GO:0072739': { - 'name': 'response to anisomycin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an anisomycin stimulus. [CHEBI:338412, GOC:mah]' - }, - 'GO:0072740': { - 'name': 'cellular response to anisomycin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an anisomycin stimulus. [CHEBI:338412, GOC:mah]' - }, - 'GO:0072741': { - 'name': 'protein localization to cell division site', - 'def': 'A cellular protein localization process in which a protein is transported to, or maintained at, the site of cell division. [GOC:mah, PMID:19756689]' - }, - 'GO:0072742': { - 'name': 'SAGA complex localization to transcription regulatory region', - 'def': 'Any process in which a SAGA complex is transported to, or maintained in, a specific location in the transcription regulatory region of a gene. [GOC:mah]' - }, - 'GO:0072743': { - 'name': 'cellular response to erythromycin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an erythromycin stimulus. [GOC:mah]' - }, - 'GO:0072744': { - 'name': 'cellular response to trichodermin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a trichodermin stimulus. [GOC:mah]' - }, - 'GO:0072745': { - 'name': 'cellular response to antimycin A', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an antimycin A stimulus. [GOC:mah]' - }, - 'GO:0072746': { - 'name': 'cellular response to tetracycline', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tetracycline stimulus. [GOC:mah]' - }, - 'GO:0072747': { - 'name': 'cellular response to chloramphenicol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chloramphenicol stimulus. [GOC:mah]' - }, - 'GO:0072748': { - 'name': 'cellular response to tacrolimus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tacrolimus stimulus. [GOC:mah]' - }, - 'GO:0072749': { - 'name': 'cellular response to cytochalasin B', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cytochalasin B stimulus. [GOC:mah]' - }, - 'GO:0072750': { - 'name': 'cellular response to leptomycin B', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leptomycin B stimulus. [GOC:mah]' - }, - 'GO:0072751': { - 'name': 'cellular response to L-thialysine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-thialysine stimulus. [GOC:mah]' - }, - 'GO:0072752': { - 'name': 'cellular response to rapamycin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a rapamycin stimulus. [GOC:TermGenie]' - }, - 'GO:0072753': { - 'name': 'cellular response to glutathione', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glutathione stimulus. [GOC:mah]' - }, - 'GO:0072754': { - 'name': 'cellular response to purvalanol A', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a purvalanol A stimulus. [GOC:mah]' - }, - 'GO:0072755': { - 'name': 'cellular response to benomyl', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a benomyl stimulus. [GOC:mah]' - }, - 'GO:0072756': { - 'name': 'cellular response to paraquat', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a paraquat stimulus. [GOC:mah]' - }, - 'GO:0072757': { - 'name': 'cellular response to camptothecin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a camptothecin stimulus. [GOC:mah]' - }, - 'GO:0072758': { - 'name': 'response to topoisomerase inhibitor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a topoisomerase inhibitor stimulus. [GOC:mah]' - }, - 'GO:0072759': { - 'name': 'cellular response to topoisomerase inhibitor', - 'def': 'Any process that results in a change in state or activity of a (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a topoisomerase inhibitor stimulus. [GOC:mah]' - }, - 'GO:0072760': { - 'name': 'cellular response to GW 7647', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a GW 7647 stimulus. [GOC:mah]' - }, - 'GO:0072761': { - 'name': 'cellular response to capsazepine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a capsazepine stimulus. [GOC:mah]' - }, - 'GO:0072762': { - 'name': 'cellular response to carbendazim', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carbendazim stimulus. [GOC:mah]' - }, - 'GO:0072763': { - 'name': 'cellular response to hesperadin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hesperadin stimulus. [GOC:mah]' - }, - 'GO:0072764': { - 'name': 'cellular response to reversine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a reversine stimulus. [GOC:mah]' - }, - 'GO:0072765': { - 'name': 'centromere localization', - 'def': 'A cellular localization process in which a centromere/kinetochore is transported to, or maintained in, a specific location. [GOC:mah]' - }, - 'GO:0072766': { - 'name': 'centromere clustering at the mitotic nuclear envelope', - 'def': 'A cellular localization process in which kinetochores/centromeres are coupled together at the nuclear periphery. This process is responsible for the Rabl-like configuration of chromosomes in the interphase nuclei. In fission yeast this occurs at a location near the old mitotic spindle pole body. [GOC:mah, GOC:vw, PMID:21965289, PMID:23166349]' - }, - 'GO:0075000': { - 'name': 'response to host osmotic environment', - 'def': 'Any process that results in a change in state or activity of the symbiont or its cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the osmotic conditions in or around its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075001': { - 'name': 'adhesion of symbiont infection structure to host', - 'def': 'The attachment of an infection structure of the symbiont to its host via adhesion molecules, general stickiness etc., either directly or indirectly. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075002': { - 'name': 'adhesion of symbiont germination tube to host', - 'def': 'The attachment of a germination tube of the symbiont to its host via adhesion molecules. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075003': { - 'name': 'adhesion of symbiont appressorium to host', - 'def': 'The attachment of an appressorium of the symbiont to its host via adhesion molecules. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075004': { - 'name': 'adhesion of symbiont spore to host', - 'def': 'The attachment of a spore of the symbiont to its host via adhesion molecules, general stickiness etc. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075005': { - 'name': 'spore germination on or near host', - 'def': 'The physiological, developmental and morphological changes that occur in a symbiont spore following release from dormancy up to the earliest signs of growth occurring on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075006': { - 'name': 'modulation of spore germination on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of spore germination on or near host, which is the physiological, developmental and morphological changes that occur in a symbiont spore following release from dormancy up to the earliest signs of growth occurring on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075007': { - 'name': 'positive regulation of spore germination on or near host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of spore germination on or near host, which is the physiological, developmental and morphological changes that occur in a symbiont spore following release from dormancy up to the earliest signs of growth occurring on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075008': { - 'name': 'negative regulation of spore germination on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of spore germination on or near host, which is the physiological, developmental and morphological changes that occur in a symbiont spore following release from dormancy up to the earliest signs of growth occurring on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075009': { - 'name': 'germ tube formation on or near host', - 'def': 'Development of slender tubular outgrowth first produced by most symbiont spores immediately following germination on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075010': { - 'name': 'modulation of germ tube formation on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of germ tube formation on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075011': { - 'name': 'positive regulation of germ tube formation on or near host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of germ tube formation on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075012': { - 'name': 'negative regulation of germ tube formation on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of germ tube formation on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075013': { - 'name': 'obsolete growth or development of symbiont on or near host phyllosphere', - 'def': 'OBSOLETE. The increase in size or mass of symbiont, or the progression of the symbiont from an initial condition to a later condition, occurring on or near its host phyllosphere. The host phyllosphere is defined as total above-ground surfaces of a plant as a habitat for symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075014': { - 'name': 'obsolete growth or development of symbiont on or near host rhizosphere', - 'def': 'OBSOLETE. The increase in size or mass of symbiont, or the progression of the symbiont from an initial condition to a later condition, occurring on or near its host rhizosphere. The host rhizosphere is defined as total below-ground surfaces of a plant as a habitat for its symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075015': { - 'name': 'formation of infection structure on or near host', - 'def': 'The process in which a symbiont structure that serves to infect the host is formed on or near its host organism. It includes physiological, developmental, and morphological changes of the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075016': { - 'name': 'appressorium formation on or near host', - 'def': 'The process in which a swollen, flattened portion of a symbiont filament is formed on or near its host organism, to adhere to and for the purpose of penetrating the host surface. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075017': { - 'name': 'regulation of appressorium formation on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont appressorium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075018': { - 'name': 'positive regulation of appressorium formation on or near host', - 'def': 'Any process that activates or increases the frequency, rate or extent of symbiont appressorium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075019': { - 'name': 'negative regulation of appressorium formation on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont appressorium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075020': { - 'name': 'calcium or calmodulin-mediated activation of appressorium formation', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont calcium or calmodulin-mediated signal transduction during appressorium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075021': { - 'name': 'cAMP-mediated activation of appressorium formation', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont cAMP mediated signal transduction during appressorium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075022': { - 'name': 'ethylene-mediated activation of appressorium formation', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont ethylene-mediated signal transduction during appressorium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075023': { - 'name': 'MAPK-mediated regulation of appressorium formation', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont MAP kinase-mediated signal transduction during appressorium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075024': { - 'name': 'phospholipase C-mediated activation of appressorium formation', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont phospholipase C-mediated signal transduction during appressorium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075025': { - 'name': 'initiation of appressorium on or near host', - 'def': 'The process in which a relatively unspecialized cell starts to acquire specialized features of the symbiont appressorium to aid in infection of the host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075026': { - 'name': 'regulation of appressorium initiation on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont appressorium initiation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075027': { - 'name': 'positive regulation of appressorium initiation on or near host', - 'def': 'Any process that activates or increases the frequency, rate or extent of symbiont appressorium initiation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075028': { - 'name': 'negative regulation of appressorium initiation on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent symbiont appressorium initiation near or on host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075029': { - 'name': 'formation of symbiont germ tube hook structure on or near host', - 'def': 'The development of a swollen tip at the growing end of a symbiont spore which usually flattens against the host cell surface prior to appressorium formation. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075030': { - 'name': 'modulation of symbiont germ tube hook structure formation on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont germ tube hook structure formation on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075031': { - 'name': 'positive regulation of symbiont germ tube hook structure formation on or near host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of symbiont germ tube hook structure formation on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075032': { - 'name': 'negative regulation of symbiont germ tube hook structure formation on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont germ tube hook structure formation on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075033': { - 'name': 'septum formation involved in appressorium formation on or near host', - 'def': 'The process in which a symbiont partition is formed to separate the appressorium from the germination tube, occurring on or near the exterior of its host organism during appressorium formation. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075034': { - 'name': 'nuclear division involved in appressorium formation on or near host', - 'def': 'The process in which nuclear division occurs within a symbiont spore that contributes to appressorium formation on or near the exterior of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:dph, GOC:pamgo_curators]' - }, - 'GO:0075035': { - 'name': 'maturation of appressorium on or near host', - 'def': 'The process in which specialized features of the symbiont appressorium are acquired post initiation, to aid in infection of the host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075036': { - 'name': 'regulation of appressorium maturation on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont appressorium maturation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075037': { - 'name': 'positive regulation of appressorium maturation on or near host', - 'def': 'Any process that activates or increases the frequency, rate or extent of symbiont appressorium maturation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075038': { - 'name': 'negative regulation of appressorium maturation on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent symbiont appressorium maturation in, near or on host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075039': { - 'name': 'establishment of turgor in appressorium', - 'def': 'The process in which hydrostatic pressure is increased within the symbiont appressorium to breach the cuticle of the host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075040': { - 'name': 'regulation of establishment of turgor in appressorium', - 'def': 'Any process modulates the frequency, rate or extent of turgor formation in the symbiont appressorium on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075041': { - 'name': 'positive regulation of establishment of turgor in appressorium', - 'def': 'Any process that activates or increases the frequency, rate or extent of turgor formation in the symbiont appressorium on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075042': { - 'name': 'negative regulation of establishment of turgor in appressorium', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of turgor formation in the symbiont appressorium on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075043': { - 'name': 'maintenance of turgor in appressorium by melanization', - 'def': 'The process in which melanin is produced in the appressorium of the symbiont on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075044': { - 'name': 'autophagy of host cells involved in interaction with symbiont', - 'def': 'The process in which the host cells digest parts of their own cytoplasm during interaction with its symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075045': { - 'name': 'regulation of formation by symbiont of haustorium for nutrient acquisition from host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont haustorium formation for nutrient acquisition from host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075046': { - 'name': 'positive regulation of formation by symbiont of haustorium for nutrient acquisition from host', - 'def': 'Any process that activates or increases the frequency, rate or extent of symbiont haustorium formation for nutrient acquisition from host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075047': { - 'name': 'negative regulation of formation by symbiont of haustorium for nutrient acquisition from host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont haustorium formation for nutrient acquisition from host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075048': { - 'name': 'cell wall strengthening in symbiont involved in entry into host', - 'def': 'A process in which the cell wall of the symbiont is strengthened or thickened during penetration into the body, tissues, or cells of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075049': { - 'name': 'modulation of symbiont cell wall strengthening involved in entry into host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont cell wall strengthening during entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075050': { - 'name': 'positive regulation of symbiont cell wall strengthening involved in entry into host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of symbiont cell wall strengthening during entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075051': { - 'name': 'negative regulation of symbiont cell wall strengthening involved in entry into host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont cell wall strengthening during entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075052': { - 'name': 'entry into host via a specialized structure', - 'def': 'Penetration via a specialized structure of symbiont into the body, tissues, or cells of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075053': { - 'name': 'formation of symbiont penetration peg for entry into host', - 'def': 'The assembly by the symbiont of a peg-like structure for the purpose of penetration into its host organism, which penetrates through the host cuticle and epidermal cell wall. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075054': { - 'name': 'modulation of symbiont penetration peg formation for entry into host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont penetration peg formation for entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075055': { - 'name': 'positive regulation of symbiont penetration peg formation for entry into host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of symbiont penetration peg formation for entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075056': { - 'name': 'negative regulation of symbiont penetration peg formation for entry into host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont penetration peg formation for entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075057': { - 'name': 'initiation of symbiont penetration peg', - 'def': 'The process in which a relatively unspecialized cell of the symbiont starts to acquire the characteristics of a mature penetration peg to penetrate into its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075058': { - 'name': 'modulation of symbiont penetration peg initiation', - 'def': 'Any process that modulates the frequency, rate or extent of penetration peg initiation, the process in which a relatively unspecialized cell start to acquire the characteristics of a mature penetration peg when the symbiont penetrates its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075059': { - 'name': 'positive regulation of symbiont penetration peg initiation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of symbiont penetration peg initiation, the process in which a relatively unspecialized cell starts to acquire the characteristics of a mature penetration peg during the symbiont penetrating into its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075060': { - 'name': 'negative regulation of symbiont penetration peg initiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont penetration peg initiation, the process in which a relatively unspecialized cell starts to acquire the characteristics of a mature penetration peg during the symbiont penetrating into its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075061': { - 'name': 'formation of symbiont invasive hypha in host', - 'def': 'The assembly by the symbiont of a threadlike, tubular structure, which may contain multiple nuclei and may or may not be divided internally by septa or cross-walls, for the purpose of invasive growth within its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075062': { - 'name': 'regulation of symbiont invasive hypha formation in host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont invasive hypha formation within host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075063': { - 'name': 'positive regulation of symbiont invasive hypha formation in host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of symbiont invasive hypha formation within host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075064': { - 'name': 'negative regulation of symbiont invasive hypha formation in host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont invasive hypha formation within host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075065': { - 'name': 'obsolete growth or development of symbiont in host cell', - 'def': "OBSOLETE. The increase in size or mass of symbiont, or the progression of the symbiont from an initial condition to a later condition, occurring in its host's cell. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075066': { - 'name': 'obsolete growth or development of symbiont in host organelle', - 'def': "OBSOLETE. The increase in size or mass of symbiont, or the progression of the symbiont from an initial condition to a later condition, occurring in its host's organelle. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075067': { - 'name': 'obsolete growth or development of symbiont in host intercellular space', - 'def': "OBSOLETE. The increase in size or mass of symbiont, or the progression of the symbiont from an initial condition to a later condition, occurring in its host's intercellular space. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075068': { - 'name': 'obsolete growth or development of symbiont in host vascular tissue', - 'def': "OBSOLETE. The increase in size or mass of symbiont, or the progression of the symbiont from an initial condition to a later condition, occurring in its host's vascular tissue. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075069': { - 'name': 'adhesion of symbiont infection cushion to host', - 'def': 'The attachment of an infection cushion of the symbiont to its host via adhesion molecules. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075070': { - 'name': 'adhesion of symbiont hyphopodium to host', - 'def': 'The attachment of a hyphopodium of the symbiont to its host via adhesion molecules. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075071': { - 'name': 'autophagy involved in symbiotic interaction', - 'def': 'The process in which cells digest parts of their own cytoplasm during a symbiotic interaction; allows for both recycling of macromolecular constituents under conditions of cellular stress and remodeling the intracellular structure for cell differentiation. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075072': { - 'name': 'autophagy of symbiont cells involved in interaction with host', - 'def': 'The process in which symbiont cells digest parts of their own cytoplasm during interaction with its host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075073': { - 'name': 'autophagy of symbiont cells on or near host surface', - 'def': 'The process in which symbiont cells digest parts of their own cytoplasm, occurring when the symbiont is on or near its host surface. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075074': { - 'name': 'spore autophagy involved in appressorium formation on or near host', - 'def': 'The process in which a symbiont spore digests parts of its own cytoplasm, occurring when the appressorium forms on or near the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075075': { - 'name': 'modulation by host of symbiont adenylate cyclase activity', - 'def': "Any process in which the host organism modulates the frequency, rate or extent of the symbiont adenylate cyclase activity, which catalyze the reaction: ATP = 3',5'-cyclic AMP + diphosphate. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075076': { - 'name': 'positive regulation by host of symbiont adenylate cyclase activity', - 'def': "Any process in which the host organism activates, maintains or increases the frequency, rate or extent of the symbiont adenylate cyclase activity, which catalyze the reaction: ATP = 3',5'-cyclic AMP + diphosphate. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075077': { - 'name': 'negative regulation by host of symbiont adenylate cyclase activity', - 'def': "Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of the symbiont adenylate cyclase activity, which catalyze the reaction: ATP = 3',5'-cyclic AMP + diphosphate. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075078': { - 'name': 'modulation by host of symbiont receptor-mediated signal transduction', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of receptor-mediated signal transduction in the symbiont. The receptor is defined as a protein on the cell membrane or within the cytoplasm or cell nucleus that binds to a specific molecule (a ligand) such as a neurotransmitter or a hormone or other substance, and initiates the cellular response to the ligand. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075079': { - 'name': 'positive regulation by host of symbiont receptor-mediated signal transduction', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of receptor-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075080': { - 'name': 'negative regulation by host of symbiont receptor-mediated signal transduction', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of receptor-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075081': { - 'name': 'modulation by host of symbiont transmembrane receptor-mediated signal transduction', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of transmembrane receptor-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075082': { - 'name': 'positive regulation by host of symbiont transmembrane receptor-mediated signal transduction', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of transmembrane receptor-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075083': { - 'name': 'negative regulation by host of symbiont transmembrane receptor-mediated signal transduction', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of transmembrane receptor-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075084': { - 'name': 'modulation by host of symbiont transmembrane receptor-mediated cAMP signal transduction', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of transmembrane receptor-mediated cAMP signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075085': { - 'name': 'positive regulation by host of symbiont transmembrane receptor-mediated cAMP signal transduction', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of transmembrane receptor-mediated cAMP signal transduction in the symbiont organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075086': { - 'name': 'negative regulation by host of symbiont transmembrane receptor-mediated cAMP signal transduction', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of transmembrane receptor-mediated cAMP signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075087': { - 'name': 'modulation by host of symbiont G-protein coupled receptor protein signal transduction', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of the symbiont G-protein coupled receptor protein signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075088': { - 'name': 'positive regulation by host of symbiont G-protein coupled receptor protein signal transduction', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of the symbiont G-protein coupled receptor protein signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075089': { - 'name': 'negative regulation by host of symbiont G-protein coupled receptor protein signal transduction', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of the symbiont G-protein coupled receptor protein signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075090': { - 'name': 'modulation by host of symbiont signal transduction mediated by G-protein alpha subunit', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of the symbiont signal transduction mediated by G-protein alpha subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075091': { - 'name': 'positive regulation by host of symbiont signal transduction mediated by G-protein alpha subunit', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of the symbiont signal transduction mediated by G-protein alpha subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075092': { - 'name': 'negative regulation by host of symbiont signal transduction mediated by G-protein alpha subunit', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of the symbiont signal transduction mediated by G-protein alpha subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075093': { - 'name': 'modulation by host of symbiont signal transduction mediated by G-protein beta subunit', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of the symbiont signal transduction mediated by G-protein beta subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075094': { - 'name': 'positive regulation by host of symbiont signal transduction mediated by G-protein beta subunit', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of the symbiont signal transduction mediated by G-protein beta subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075095': { - 'name': 'negative regulation by host of symbiont signal transduction mediated by G-protein beta subunit', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of the symbiont signal transduction mediated by G-protein beta subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075096': { - 'name': 'modulation by host of symbiont signal transduction mediated by G-protein gamma subunit', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of the symbiont signal transduction mediated by G-protein gamma subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075097': { - 'name': 'positive regulation by host of symbiont signal transduction mediated by G-protein gamma subunit', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of the symbiont signal transduction mediated by G-protein gamma subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075098': { - 'name': 'negative regulation by host of symbiont signal transduction mediated by G-protein gamma subunit', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of the symbiont signal transduction mediated by G-protein gamma subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075099': { - 'name': 'modulation by host of symbiont protein kinase-mediated signal transduction', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of protein kinase-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075100': { - 'name': 'positive regulation by host of symbiont protein kinase-mediated signal transduction', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of protein kinase-mediated signal transduction in the symbiont organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075101': { - 'name': 'negative regulation by host of symbiont protein kinase-mediated signal transduction', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of protein kinase-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075102': { - 'name': 'negative regulation by host of symbiont MAP kinase-mediated signal transduction', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of the symbiont MAP kinase-mediated signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075103': { - 'name': 'modulation by host of symbiont calcium or calmodulin-mediated signal transduction', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of calcium or calmodulin-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075104': { - 'name': 'positive regulation by host of symbiont calcium or calmodulin-mediated signal transduction', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of calcium or calmodulin-mediated signal transduction in the symbiont organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075105': { - 'name': 'negative regulation by host of symbiont calcium or calmodulin-mediated signal transduction', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of calcium or calmodulin-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075106': { - 'name': 'modulation by symbiont of host adenylate cyclase activity', - 'def': "Any process in which the symbiont modulates the frequency, rate or extent of the host adenylate cyclase activity, which involves catalysis of the reaction: ATP = 3',5'-cyclic AMP + diphosphate. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075107': { - 'name': 'positive regulation by symbiont of host adenylate cyclase activity', - 'def': "Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of the host adenylate cyclase activity, which involves catalysis of the reaction: ATP = 3',5'-cyclic AMP + diphosphate. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075108': { - 'name': 'negative regulation by symbiont of host adenylate cyclase activity', - 'def': "Any process in which the symbiont stops, prevents, or reduces the frequency, rate or extent of the host adenylate cyclase activity, which catalyze the reaction: ATP = 3',5'-cyclic AMP + diphosphate. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0075109': { - 'name': 'modulation by symbiont of host receptor-mediated signal transduction', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of receptor-mediated signal transduction in the host organism. The receptor is defined as a protein on the cell membrane or within the cytoplasm or cell nucleus that binds to a specific molecule (a ligand) such as a neurotransmitter or a hormone or other substance, and initiates the cellular response to the ligand. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075110': { - 'name': 'positive regulation by symbiont of host receptor-mediated signal transduction', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of receptor-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075111': { - 'name': 'negative regulation by symbiont of host receptor-mediated signal transduction', - 'def': 'Any process in which the symbiont stops, prevents, or reduces the frequency, rate or extent of receptor-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075112': { - 'name': 'modulation by symbiont of host transmembrane receptor-mediated signal transduction', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of transmembrane receptor-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075113': { - 'name': 'positive regulation by symbiont of host transmembrane receptor-mediated signal transduction', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of transmembrane receptor-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075114': { - 'name': 'negative regulation by symbiont of host transmembrane receptor-mediated signal transduction', - 'def': 'Any process in which the symbiont stops, prevents, or reduces the frequency, rate or extent of transmembrane receptor-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075115': { - 'name': 'modulation by symbiont of host transmembrane receptor-mediated cAMP signal transduction', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of host transmembrane receptor-mediated cAMP signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075116': { - 'name': 'positive regulation by symbiont of host transmembrane receptor-mediated cAMP signal transduction', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of host transmembrane receptor-mediated cAMP signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075117': { - 'name': 'negative regulation by symbiont of host transmembrane receptor-mediated cAMP signal transduction', - 'def': 'Any process in which the symbiont stops, prevents, or reduces the frequency, rate or extent of host transmembrane receptor-mediated cAMP signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075118': { - 'name': 'modulation by symbiont of host G-protein coupled receptor protein signal transduction', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of the host G-protein coupled receptor protein signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075119': { - 'name': 'positive regulation by symbiont of host G-protein coupled receptor protein signal transduction', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of the host G-protein coupled receptor protein signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075120': { - 'name': 'negative regulation by symbiont of host G-protein coupled receptor protein signal transduction', - 'def': 'Any process in which the symbiont stops, prevents, or reduces the frequency, rate or extent of the host G-protein coupled receptor protein signal transduction. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075121': { - 'name': 'modulation by symbiont of host signal transduction mediated by G-protein alpha subunit', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of the host signal transduction mediated by G-protein alpha subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075122': { - 'name': 'positive regulation by symbiont of host signal transduction mediated by G-protein alpha subunit', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of the host signal transduction mediated by G-protein alpha subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075123': { - 'name': 'negative regulation by symbiont of host signal transduction mediated by G-protein alpha subunit', - 'def': 'Any process in which the symbiont stops, prevents, or reduces the frequency, rate or extent of the host signal transduction mediated by G-protein alpha subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075124': { - 'name': 'modulation by symbiont of host signal transduction mediated by G-protein beta subunit', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of the host signal transduction mediated by G-protein beta subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075125': { - 'name': 'positive regulation by symbiont of host signal transduction mediated by G-protein beta subunit', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of the host signal transduction mediated by G-protein beta subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075126': { - 'name': 'negative regulation by symbiont of host signal transduction mediated by G-protein beta subunit', - 'def': 'Any process in which the symbiont stops, prevents, or reduces the frequency, rate or extent of the host signal transduction mediated by G-protein beta subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075127': { - 'name': 'modulation by symbiont of host signal transduction mediated by G-protein gamma subunit', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of the host signal transduction mediated by G-protein gamma subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075128': { - 'name': 'positive regulation by symbiont of host signal transduction mediated by G-protein gamma subunit', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of the host signal transduction mediated by G-protein gamma subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075129': { - 'name': 'negative regulation by symbiont of host signal transduction mediated by G-protein gamma subunit', - 'def': 'Any process in which the symbiont stops, prevents, or reduces the frequency, rate or extent of the host signal transduction mediated by G-protein gamma subunit. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075130': { - 'name': 'modulation by symbiont of host protein kinase-mediated signal transduction', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of protein kinase-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075131': { - 'name': 'positive regulation by symbiont of host protein kinase-mediated signal transduction', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of protein kinase-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075132': { - 'name': 'negative regulation by symbiont of host protein kinase-mediated signal transduction', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of protein kinase-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075133': { - 'name': 'modulation by symbiont of host calcium or calmodulin-mediated signal transduction', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of calcium or calmodulin-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075134': { - 'name': 'positive regulation by symbiont of host calcium or calmodulin-mediated signal transduction', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of calcium or calmodulin-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075135': { - 'name': 'negative regulation by symbiont of host calcium or calmodulin-mediated signal transduction', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of calcium or calmodulin-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075136': { - 'name': 'response to host', - 'def': 'Any process that results in a change in state or activity of the symbiont or its cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075137': { - 'name': 'response to host redox environment', - 'def': 'Any process that results in a change in state or activity of the symbiont organism or its cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting the redox environment in host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075138': { - 'name': 'response to host oxygen tension environment', - 'def': 'Any process that results in a change in state or activity of the symbiont or its cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting oxygen tension in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075139': { - 'name': 'response to host iron concentration', - 'def': 'Any process that results in a change in state or activity of the symbiont or its cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting iron concentration in its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075140': { - 'name': 'response to host defense molecules', - 'def': 'Any process that results in a change in state or activity of the symbiont or its cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of detecting host defense molecules. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075141': { - 'name': 'maintenance of symbiont tolerance to host environment', - 'def': 'Any process that contributes to the maintenance of a physiologic state in which the symbiont immune system does not react destructively against the components of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075142': { - 'name': 'maintenance of symbiont tolerance to host oxygen tension environment', - 'def': 'Any process that contributes to the maintenance of a physiologic state in which the symbiont immune system does not react destructively against oxygen tension environment of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075143': { - 'name': 'maintenance of symbiont tolerance to host redox environment', - 'def': 'Any process that contributes to the maintenance of a physiologic state in which the symbiont immune system does not react destructively against redox environment of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075144': { - 'name': 'maintenance of symbiont tolerance to host iron concentration', - 'def': 'Any process that contributes to the maintenance of a physiologic state in which the symbiont immune system does not react destructively against iron concentration environment of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075145': { - 'name': 'maintenance of symbiont tolerance to host defense molecules', - 'def': 'Any process that contributes to the maintenance of a physiologic state in which the symbiont immune system does not react destructively against defense molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075146': { - 'name': 'maintenance of symbiont tolerance to host osmotic environment', - 'def': 'Any process that contributes to the maintenance of a physiologic state in which the symbiont immune system does not react destructively against osmotic environment of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075147': { - 'name': 'regulation of signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075148': { - 'name': 'positive regulation of signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075149': { - 'name': 'negative regulation of signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075150': { - 'name': 'regulation of receptor-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its receptor-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075151': { - 'name': 'positive regulation of receptor-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its receptor-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075152': { - 'name': 'negative regulation of receptor-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont receptor-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075153': { - 'name': 'regulation of transmembrane receptor-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its transmembrane receptor-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075154': { - 'name': 'positive regulation of transmembrane receptor-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its transmembrane receptor-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075155': { - 'name': 'negative regulation of transmembrane receptor-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont transmembrane receptor-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075156': { - 'name': 'regulation of G-protein coupled receptor protein signaling pathway in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its G-protein coupled receptor protein-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075157': { - 'name': 'positive regulation of G-protein coupled receptor protein signaling pathway in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its G-protein coupled receptor protein-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075158': { - 'name': 'negative regulation of G-protein coupled receptor protein signaling pathway in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont G-protein coupled receptor protein-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075159': { - 'name': 'regulation of G-protein alpha subunit-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its G-protein alpha subunit-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075160': { - 'name': 'positive regulation of G-protein alpha subunit-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its G-protein alpha subunit-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075161': { - 'name': 'negative regulation of G-protein alpha subunit-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont G-protein alpha subunit-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075162': { - 'name': 'regulation of G-protein beta subunit-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its G-protein beta subunit-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075163': { - 'name': 'positive regulation of G-protein beta subunit-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its G-protein beta subunit-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075164': { - 'name': 'negative regulation of G-protein beta subunit-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont G-protein beta subunit-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075165': { - 'name': 'regulation of G-protein gamma subunit-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its G-protein gamma subunit-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075166': { - 'name': 'positive regulation of G-protein gamma subunit-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its G-protein gamma subunit-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075167': { - 'name': 'negative regulation of G-protein gamma subunit-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont G-protein gamma subunit-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075168': { - 'name': 'regulation of protein kinase-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its protein kinase-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075169': { - 'name': 'positive regulation of symbiont protein kinase-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its protein kinase-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075170': { - 'name': 'negative regulation of protein kinase-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont protein kinase-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075171': { - 'name': 'regulation of MAP kinase-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its MAP kinase-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075172': { - 'name': 'positive regulation of MAP kinase-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its MAP kinase-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075173': { - 'name': 'negative regulation of MAP kinase-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont MAP kinase-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075174': { - 'name': 'regulation of cAMP-mediated signaling in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its cAMP-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075175': { - 'name': 'positive regulation of cAMP-mediated signaling in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its cAMP-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075176': { - 'name': 'negative regulation of cAMP-mediated signaling in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its cAMP-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075177': { - 'name': 'regulation of calcium or calmodulin-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its calcium or calmodulin-mediated signal transduction as a result of detecting host molecules in, on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075178': { - 'name': 'positive regulation of calcium or calmodulin-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its calcium or calmodulin-mediated signal transduction as a result of detecting host molecules in, on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075179': { - 'name': 'negative regulation of calcium or calmodulin-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont calcium or calmodulin-mediated signal transduction as a result of detecting host molecules in, on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075180': { - 'name': 'regulation of transcription in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its transcription as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075181': { - 'name': 'positive regulation of symbiont transcription in response to host', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of its transcription as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075182': { - 'name': 'negative regulation of symbiont transcription in response to host', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of its transcription as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075183': { - 'name': 'infection cushion formation on or near host', - 'def': 'The process in which an organized mass of hyphae is formed on or near the host organism, and numerous infective hyphae develop from the hyphae mass. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075184': { - 'name': 'regulation of infection cushion formation on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont infection cushion formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075185': { - 'name': 'positive regulation of infection cushion formation on or near host', - 'def': 'Any process that activates or increases the frequency, rate or extent of symbiont infection cushion formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075186': { - 'name': 'negative regulation of infection cushion formation on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont infection cushion formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075187': { - 'name': 'hyphopodium formation on or near host', - 'def': 'The process in which a specialized structure, consisted of stalked, thick-walled, lobed cells of vegetative epiphytic hyphae, is formed, to attach and penetrate the host surface. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075188': { - 'name': 'regulation of hyphopodium formation on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont hyphopodium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075189': { - 'name': 'positive regulation of hyphopodium formation on or near host', - 'def': 'Any process that activates or increases the frequency, rate or extent of symbiont hyphopodium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075190': { - 'name': 'negative regulation of hyphopodium formation on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont hyphopodium formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075191': { - 'name': 'autophagy of host cells on or near symbiont surface', - 'def': 'The process in which the host cells digest parts of their own cytoplasm, occurring when the host is on or near its symbiont surface. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075192': { - 'name': 'haustorium mother cell formation on or near host', - 'def': 'The process in which a symbiont cell is formed on or near its host organism, via separated from the tip of an infection hypha by a septum. The haustorium mother cell usually contains 2-4 fungal nuclei, and its function is to attach and penetrate the host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075193': { - 'name': 'regulation of haustorium mother cell formation on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont haustorium mother cell formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075194': { - 'name': 'positive regulation of haustorium mother cell formation on or near host', - 'def': 'Any process that activates or increases the frequency, rate or extent of symbiont haustorium mother cell formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075195': { - 'name': 'negative regulation of haustorium mother cell formation on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont haustorium mother cell formation on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075196': { - 'name': 'adhesion of symbiont haustorium mother cell to host', - 'def': 'The attachment of a haustorium mother cell of the symbiont to its host via adhesion molecules. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075197': { - 'name': 'formation of symbiont haustorium neck for entry into host', - 'def': 'The assembly by the symbiont of a neck-like structure for the purpose of penetration into its host organism. The neck-like structure connects haustorium mother cell and haustorium. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075198': { - 'name': 'modulation of symbiont haustorium neck formation for entry into host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont haustorium neck formation for entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075199': { - 'name': 'positive regulation of symbiont haustorium neck formation for entry into host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of symbiont haustorium neck formation for entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075200': { - 'name': 'negative regulation of symbiont haustorium neck formation for entry into host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont haustorium neck formation for entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075201': { - 'name': 'formation of symbiont penetration hypha for entry into host', - 'def': 'The assembly by the symbiont of a threadlike, tubular structure, which may contain multiple nuclei and may or may not be divided internally by septa or cross-walls, for the purpose of penetration into its host organism. In the case of an appressorium existing, this term is defined in further details as the process in which the symbiont penetration peg expands to form a hypha which traverses the epidermal cell and emerges into the intercellular space of the mesophyll tissue. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075202': { - 'name': 'modulation of symbiont penetration hypha formation for entry into host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont penetration hypha formation for entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075203': { - 'name': 'positive regulation of symbiont penetration hypha formation for entry into host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of symbiont penetration hypha formation for entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075204': { - 'name': 'negative regulation of symbiont penetration hypha formation for entry into host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont penetration hypha formation for entry into host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075205': { - 'name': 'modulation by host of symbiont cAMP-mediated signal transduction', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of cAMP-mediated signal transduction in the symbiont. The cAMP-mediated signal transduction is defined as a series of molecular signals in which a cell uses cyclic AMP to convert an extracellular signal into a response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075206': { - 'name': 'positive regulation by host of symbiont cAMP-mediated signal transduction', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of cAMP-mediated signal transduction in the symbiont organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075207': { - 'name': 'negative regulation by host of symbiont cAMP-mediated signal transduction', - 'def': 'Any process in which the host organism stops, prevents, or reduces the frequency, rate or extent of cAMP-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075208': { - 'name': 'modulation by symbiont of host cAMP-mediated signal transduction', - 'def': 'Any process in which the symbiont modulates the frequency, rate or extent of cAMP-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075209': { - 'name': 'positive regulation by symbiont of host cAMP-mediated signal transduction', - 'def': 'Any process in which the symbiont activates, maintains or increases the frequency, rate or extent of cAMP-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075210': { - 'name': 'negative regulation by symbiont of host cAMP-mediated signal transduction', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of cAMP-mediated signal transduction in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075211': { - 'name': 'regulation of transmembrane receptor-mediated cAMP signaling in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its transmembrane receptor-mediated cAMP signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075212': { - 'name': 'positive regulation of transmembrane receptor-mediated cAMP signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its transmembrane receptor-mediated cAMP signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075213': { - 'name': 'negative regulation of transmembrane receptor-mediated cAMP signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont transmembrane receptor-mediated cAMP signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075214': { - 'name': 'spore encystment on host', - 'def': 'The physiological, developmental and morphological changes that occur in a symbiont spore during the process of its encystment. Encystment means to enter a state of essentially suspended animation in which the spore is protected by an outer coating and remains immobile and inactive until favorable conditions for growth occur again. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:kmv, GOC:pamgo_curators]' - }, - 'GO:0075215': { - 'name': 'modulation of spore encystment on host', - 'def': 'Any process that modulates the frequency, rate or extent of spore encystment on host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075216': { - 'name': 'positive regulation of spore encystment on host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of spore encystment on host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075217': { - 'name': 'negative regulation of spore encystment on host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of spore encystment on host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075218': { - 'name': 'zoospore encystment on host', - 'def': 'The physiological, developmental and morphological changes that occur in a symbiont zoospore during the process of its encystment. Encystment means to enter a state of essentially suspended animation in which the spore is protected by an outer coating and remains immobile and inactive until favorable conditions for growth occur again. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075219': { - 'name': 'modulation of zoospore encystment on host', - 'def': 'Any process that modulates the frequency, rate or extent of zoospore encystment on host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075220': { - 'name': 'positive regulation of zoospore encystment on host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of zoospore encystment on host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075221': { - 'name': 'negative regulation of zoospore encystment on host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of zoospore encystment on host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075222': { - 'name': 'sporangium germination on or near host', - 'def': 'The physiological, developmental and morphological changes that occur in a symbiont sporangium following release from dormancy up to the earliest signs of growth occurring on or near its host organism. A sporangium is a structure producing and containing spores. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075223': { - 'name': 'modulation of sporangium germination on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of sporangium germination. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075224': { - 'name': 'positive regulation of sporangium germination on or near host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of sporangium germination on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075225': { - 'name': 'negative regulation of sporangium germination on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sporangium germination on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075226': { - 'name': 'encysted zoospore germination on or near host', - 'def': 'The physiological, developmental and morphological changes that occur in the symbiont encysted zoospore, which is on or near its host organism and germinates by developing a germ tube that may penetrate the host directly or indirectly through an appresorium. An encysted zoospore is a zoospore which has shed its flagellum and whose membrane has fused to form a walled cyst. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075227': { - 'name': 'modulation of encysted zoospore germination on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of encysted zoospore germination on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075228': { - 'name': 'positive regulation of encysted zoospore germination on or near host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of encysted zoospore germination on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075229': { - 'name': 'negative regulation of encysted zoospore germination on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of encysted zoospore germination on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075230': { - 'name': 'spore movement on or near host', - 'def': 'Any process involved in the directed movement of a motile spore on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075231': { - 'name': 'modulation of spore movement on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of spore movement on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075232': { - 'name': 'positive regulation of spore movement on or near host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of spore movement on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075233': { - 'name': 'negative regulation of spore movement on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of spore movement on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075234': { - 'name': 'zoospore movement on or near host', - 'def': 'Any process involved in the directed movement of a zoospore on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075235': { - 'name': 'modulation of zoospore movement on or near host', - 'def': 'Any process that modulates the frequency, rate or extent of zoospore movement on or near host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075236': { - 'name': 'positive regulation of zoospore movement on or near host', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of zoospore movement on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075237': { - 'name': 'negative regulation of zoospore movement on or near host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of zoospore movement on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075238': { - 'name': 'maintenance of symbiont tolerance to host pH environment', - 'def': 'Any process that contributes to the maintenance of a physiologic state in which the symbiont immune system does not react destructively against pH environment of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075239': { - 'name': 'zoospore formation', - 'def': 'The process in which a diploid cell undergoes meiosis, and the meiotic products acquire specialized features of asexual motile mononucleate flagellated spores called zoospores. [GOC:pamgo_curators]' - }, - 'GO:0075240': { - 'name': 'regulation of zoospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of zoospore formation, a process in which a diploid cell undergoes meiosis, and the meiotic products acquire specialized features of asexual motile mononucleate flagellated spores called zoospores. [GOC:pamgo_curators]' - }, - 'GO:0075241': { - 'name': 'positive regulation of zoospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of zoospore formation, a process in which a diploid cell undergoes meiosis, and the meiotic products acquire specialized features of asexual motile mononucleate flagellated spores called zoospores. [GOC:pamgo_curators]' - }, - 'GO:0075242': { - 'name': 'negative regulation of zoospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of zoospore formation, a process in which a diploid cell undergoes meiosis, and the meiotic products acquire specialized features of asexual motile mononucleate flagellated spores called zoospores. [GOC:pamgo_curators]' - }, - 'GO:0075243': { - 'name': 'oospore formation', - 'def': 'The process in which male and female gametangia develop and fuse to form an oospore, a thick-walled resting spore of oomycetes. [GOC:pamgo_curators]' - }, - 'GO:0075244': { - 'name': 'regulation of oospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of oospore formation, a process in which male and female gametangia develop and fuse to form a thick-walled resting spore of oomycetes. [GOC:pamgo_curators]' - }, - 'GO:0075245': { - 'name': 'positive regulation of oospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of oospore formation, a process in which male and female gametangia develop and fuse to form a thick-walled resting spore of oomycetes. [GOC:pamgo_curators]' - }, - 'GO:0075246': { - 'name': 'negative regulation of oospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of oospore formation, a process in which male and female gametangia develop and fuse to form a thick-walled resting spore of oomycetes. [GOC:pamgo_curators]' - }, - 'GO:0075247': { - 'name': 'aeciospore formation', - 'def': 'The process in which a dikaryotic spore of typically a rust fungus is produced in an aecium; in heteroecious rusts, the aeciospore is a spore stage that infects the alternate host. [GOC:pamgo_curators]' - }, - 'GO:0075248': { - 'name': 'regulation of aeciospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of aeciospore formation, a process in which a dikaryotic spore of typically a rust fungus is produced in an aecium. [GOC:pamgo_curators]' - }, - 'GO:0075249': { - 'name': 'positive regulation of aeciospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of aeciospore formation, a process in which a dikaryotic spore of typically a rust fungus is produced in an aecium. [GOC:pamgo_curators]' - }, - 'GO:0075250': { - 'name': 'negative regulation of aeciospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of aeciospore formation, a process in which a dikaryotic spore of typically a rust fungus is produced in an aecium. [GOC:pamgo_curators]' - }, - 'GO:0075251': { - 'name': 'uredospore formation', - 'def': 'The process which specific outcome is the formation of an asexual, dikaryotic, often rusty-colored spore, produced in a structure called a uredinium; mostly found in the rust fungus. [GOC:pamgo_curators]' - }, - 'GO:0075252': { - 'name': 'regulation of uredospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of uredospore formation, a process in which an asexual, dikaryotic, often rusty-colored spore, is formed in a structure called a uredinium. [GOC:pamgo_curators]' - }, - 'GO:0075253': { - 'name': 'positive regulation of uredospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of uredospore formation, a process in which an asexual, dikaryotic, often rusty-colored spore, is formed in a structure called a uredinium. [GOC:pamgo_curators]' - }, - 'GO:0075254': { - 'name': 'negative regulation of uredospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of uredospore formation, a process in which an asexual, dikaryotic, often rusty-colored spore, is formed in a structure called a uredinium. [GOC:pamgo_curators]' - }, - 'GO:0075255': { - 'name': 'teliospore formation', - 'def': 'The set of processes leading to the formation of a thick-walled resting or over-wintering spore produced by the rust fungi (Uredinales) and smut fungi (Ustilaginales) in which karyogamy occurs. [GOC:pamgo_curators]' - }, - 'GO:0075256': { - 'name': 'regulation of teliospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of teliospore formation, which is the formation of a thick-walled resting or over-wintering spore produced by the rust fungi (Uredinales) and smut fungi (Ustilaginales) in which karyogamy occurs. [GOC:pamgo_curators]' - }, - 'GO:0075257': { - 'name': 'positive regulation of teliospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of teliospore formation, which is the formation of a thick-walled resting or overwintering spore produced by the rust fungi (Uredinales) and smut fungi (Ustilaginales) in which karyogamy occurs. [GOC:pamgo_curators]' - }, - 'GO:0075258': { - 'name': 'negative regulation of teliospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of teliospore formation, which is the formation of a thick-walled resting or overwintering spore produced by the rust fungi (Uredinales) and smut fungi (Ustilaginales) in which karyogamy occurs. [GOC:pamgo_curators]' - }, - 'GO:0075259': { - 'name': 'spore-bearing structure development', - 'def': 'The process whose specific outcome is the progression of a spore-bearing structure over time, from its formation to the mature structure. A spore-bearing structure is an anatomical structure that produces new spores. [GOC:di, GOC:mah, GOC:mcc, GOC:pamgo_curators]' - }, - 'GO:0075260': { - 'name': 'regulation of spore-bearing organ development', - 'def': 'Any process that modulates the frequency, rate or extent of spore-bearing organ development, a process in which hyphae grow into special aggregates called fruiting bodies that produce new spores. [GOC:pamgo_curators]' - }, - 'GO:0075261': { - 'name': 'positive regulation of spore-bearing organ development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of spore-bearing organ development, a process in which hyphae grow into special aggregates called fruiting bodies that produce new spores. [GOC:pamgo_curators]' - }, - 'GO:0075262': { - 'name': 'negative regulation of spore-bearing organ development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of spore-bearing organ development, a process in which hyphae grow into special aggregates called fruiting bodies that produce new spores. [GOC:pamgo_curators]' - }, - 'GO:0075263': { - 'name': 'oogonium development', - 'def': 'The process that leads to the development of an oogonium, a female gametangium of Oomycetes, containing one or more gametes. [GOC:pamgo_curators]' - }, - 'GO:0075264': { - 'name': 'regulation of oogonium development', - 'def': 'Any process that modulates the frequency, rate or extent of oogonium development, a process that leads to the formation of a female gametangium of oomycetes, containing one or more gametes. [GOC:pamgo_curators]' - }, - 'GO:0075265': { - 'name': 'positive regulation of oogonium development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of oogonium development, a process that leads to the formation of a female gametangium of oomycetes, containing one or more gametes. [GOC:pamgo_curators]' - }, - 'GO:0075266': { - 'name': 'negative regulation of oogonium development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of oogonium development, a process that leads to the formation of a female gametangium of oomycetes, containing one or more gametes. [GOC:pamgo_curators]' - }, - 'GO:0075267': { - 'name': 'aecium development', - 'def': 'The process in which a cup-like structure containing chains of aeciospores is formed. This is characteristic of the rust fungus and typically, the first dikaryotic spores (aeciospores) are produced in the aecium. [GOC:pamgo_curators]' - }, - 'GO:0075268': { - 'name': 'regulation of aecium development', - 'def': 'Any process that modulates the frequency, rate or extent of aecium development, a process in which a cuplike structure containing chains of aeciospores is formed. [GOC:pamgo_curators]' - }, - 'GO:0075269': { - 'name': 'positive regulation of aecium development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of aecium development, a process in which a cuplike structure containing chains of aeciospores is formed. [GOC:pamgo_curators]' - }, - 'GO:0075270': { - 'name': 'negative regulation of aecium development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of aecium development, a process in which a cuplike structure containing chains of aeciospores is formed. [GOC:pamgo_curators]' - }, - 'GO:0075271': { - 'name': 'zygosporangium development', - 'def': 'The process in which a fruiting body called zygosporangium is formed. A zygosporangium is a thick-walled structure in which spores are produced, and is characteristic of the Zygomycetes. [GOC:pamgo_curators]' - }, - 'GO:0075272': { - 'name': 'regulation of zygosporangium development', - 'def': 'Any process that modulates the frequency, rate or extent of zygosporangium development, a process in which a fruiting body called zygosporangium is formed. [GOC:pamgo_curators]' - }, - 'GO:0075273': { - 'name': 'positive regulation of zygosporangium development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of zygosporangium development, a process in which a fruiting body called zygosporangium is formed. [GOC:pamgo_curators]' - }, - 'GO:0075274': { - 'name': 'negative regulation of zygosporangium development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of zygosporangium development, a process in which a fruiting body called zygosporangium is formed. [GOC:pamgo_curators]' - }, - 'GO:0075275': { - 'name': 'telium development', - 'def': 'The process that leads to the development of a telium, which is a teliospore-bearing sorus of the rust fungi. [GOC:pamgo_curators]' - }, - 'GO:0075276': { - 'name': 'regulation of telium development', - 'def': 'Any process that modulates the frequency, rate or extent of telium development, a process that leads to the formation of a teliospore-bearing sorus of the rust fungi. [GOC:pamgo_curators]' - }, - 'GO:0075277': { - 'name': 'positive regulation of telium development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of telium development, a process that leads to the formation of a teliospore-bearing sorus of the rust fungi. [GOC:pamgo_curators]' - }, - 'GO:0075278': { - 'name': 'negative regulation of telium development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of telium development, a process that leads to the formation of a teliospore-bearing sorus of the rust fungi. [GOC:pamgo_curators]' - }, - 'GO:0075279': { - 'name': 'uredinium development', - 'def': 'The process that leads to the formation of a uredinium, a reddish, pustule-like structure formed by a rust fungus and consisting of uredospores. [GOC:pamgo_curators]' - }, - 'GO:0075280': { - 'name': 'regulation of uredinium development', - 'def': 'Any process that modulates the frequency, rate or extent of uredinium development, a process that leads to the formation of a reddish, pustule-like structure formed by a rust fungus and consisting of uredospores. [GOC:pamgo_curators]' - }, - 'GO:0075281': { - 'name': 'positive regulation of uredinium development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of uredinium development, a process that leads to the formation of a reddish, pustule-like structure formed by a rust fungus and consisting of uredospores. [GOC:pamgo_curators]' - }, - 'GO:0075282': { - 'name': 'negative regulation of uredinium development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of uredinium development, a process that leads to the formation of a reddish, pustule-like structure formed by a rust fungus and consisting of uredospores. [GOC:pamgo_curators]' - }, - 'GO:0075283': { - 'name': 'sporulation resulting in formation of a multicellular or syncytial spore', - 'def': 'The process whose specific outcome is the progression of a multicellular or syncytial spore via septations over time, from its initiation to the mature structure. [GOC:pamgo_curators]' - }, - 'GO:0075284': { - 'name': 'asexual sporulation resulting in formation of a multicellular or syncytial spore', - 'def': 'The formation of a multicellular or syncytial spore via septations derived from mitosis. [GOC:pamgo_curators]' - }, - 'GO:0075285': { - 'name': 'sexual sporulation resulting in formation of a multicellular or syncytial spore', - 'def': 'The formation of multicellular or syncytial spore via septations derived from meiosis. A multicellular or syncytial spore is a structure that can be used for dissemination, for survival of adverse conditions because of its heat and dessication resistance, and/or for reproduction. [GOC:pamgo_curators]' - }, - 'GO:0075286': { - 'name': 'regulation of sporangiospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of sporangiospore formation, a process in which sporangiospores, a type of asexual spore found in fungi, are formed. Sporangiospores are formed within sac-like structure, the sporangium, following the division of the cytoplasm. [GOC:pamgo_curators]' - }, - 'GO:0075287': { - 'name': 'positive regulation of sporangiospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of sporangiospore formation, a process in which sporangiospores, a type of asexual spore found in fungi, are formed. Sporangiospores are formed within sac-like structure, the sporangium, following the division of the cytoplasm. [GOC:pamgo_curators]' - }, - 'GO:0075288': { - 'name': 'negative regulation of sporangiospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sporangiospore formation, a process in which sporangiospores, a type of asexual spore found in fungi, are formed. Sporangiospores are formed within sac-like structure, the sporangium, following the division of the cytoplasm. [GOC:pamgo_curators]' - }, - 'GO:0075289': { - 'name': 'aplanospore formation', - 'def': 'The process in which a nonmotile, asexual spore is formed within a cell in certain algae and fungi (commonly in the Phycomycetes), the wall of aplanospore is distinct from that of the parent cell. [GOC:pamgo_curators]' - }, - 'GO:0075290': { - 'name': 'regulation of aplanospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of aplanospore formation, a process in which a nonmotile, asexual spore is formed within a cell in certain algae and fungi (commonly in the Phycomycetes), the wall of aplanospore is distinct from that of the parent cell. [GOC:pamgo_curators]' - }, - 'GO:0075291': { - 'name': 'positive regulation of aplanospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of aplanospore formation, a process in which a nonmotile, asexual spore is formed within a cell in certain algae and fungi (commonly in the Phycomycetes), the wall of aplanospore is distinct from that of the parent cell. [GOC:pamgo_curators]' - }, - 'GO:0075292': { - 'name': 'negative regulation of aplanospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of aplanospore formation, a process in which a nonmotile, asexual spore is formed within a cell in certain algae and fungi (commonly in the Phycomycetes), the wall of aplanospore is distinct from that of the parent cell. [GOC:pamgo_curators]' - }, - 'GO:0075293': { - 'name': 'response to host pH environment', - 'def': 'Any process that results in a change in state or activity of the symbiont or its cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the pH conditions in or around its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075294': { - 'name': 'positive regulation by symbiont of entry into host', - 'def': 'Any process that activates or increases the frequency, rate or extent to which it enters into the host organism, where the two organisms are in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075295': { - 'name': 'positive regulation by organism of entry into other organism involved in symbiotic interaction', - 'def': 'Any process that activates or increases the frequency, rate or extent to which it enters into a second organism, where the two organisms are in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075296': { - 'name': 'positive regulation of ascospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of ascospore formation, a process in which a sexual spore, named ascospore, from Ascomycete fungi was produced inside an ascus. [GOC:pamgo_curators]' - }, - 'GO:0075297': { - 'name': 'negative regulation of ascospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ascospore formation, a process in which a sexual spore, named ascospore, from Ascomycete fungi was produced inside an ascus. [GOC:pamgo_curators]' - }, - 'GO:0075298': { - 'name': 'regulation of zygospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of zygospore formation, a process in which a thick-walled spore of some algae and fungi is formed by union of two similar sexual cells, usually serves as a resting spore, and produces the sporophytic phase. [GOC:pamgo_curators]' - }, - 'GO:0075299': { - 'name': 'positive regulation of zygospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of frequency, rate or extent of zygospore formation, a process in which a thick-walled spore of some algae and fungi is formed by union of two similar sexual cells, usually serves as a resting spore, and produces the sporophytic phase. [GOC:pamgo_curators]' - }, - 'GO:0075300': { - 'name': 'negative regulation of zygospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of zygospore formation, a process in which a thick-walled spore of some algae and fungi is formed by union of two similar sexual cells, usually serves as a resting spore, and produces the sporophytic phase. [GOC:pamgo_curators]' - }, - 'GO:0075301': { - 'name': 'obsolete cell differentiation involved in spore germination', - 'def': 'OBSOLETE. The process in which a relatively unspecialized cell acquires specialized features of a specific cell type occurring during spore germination, the physiological and developmental changes that occur in a spore following release from dormancy up to the earliest signs of growth. [GOC:jl]' - }, - 'GO:0075302': { - 'name': 'regulation of basidiospore formation', - 'def': 'Any process that modulates the frequency, rate or extent of basidiospore formation, a process in which a sexually produced fungal spore is formed on a basidium in the fungi Basidiomycetes. [GOC:pamgo_curators]' - }, - 'GO:0075303': { - 'name': 'positive regulation of basidiospore formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of frequency, rate or extent of basidiospore formation, a process in which a sexually produced fungal spore is formed on a basidium in the fungi basidiomycetes. [GOC:pamgo_curators]' - }, - 'GO:0075304': { - 'name': 'negative regulation of basidiospore formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of basidiospore formation, a process in which a sexually produced fungal spore is formed on a basidium in the fungi basidiomycetes. [GOC:pamgo_curators]' - }, - 'GO:0075305': { - 'name': 'obsolete modulation of growth or development of symbiont on or near host', - 'def': 'OBSOLETE. Any process by which the symbiont regulates the increase in its size or mass, or its progression from an initial condition to a later condition, on or near the cells or tissues of the host organism. [GOC:pamgo_curators]' - }, - 'GO:0075306': { - 'name': 'regulation of conidium formation', - 'def': 'Any process that modulates the frequency, rate or extent of conidium formation, a process of producing non-motile spores, called conidia, via mitotic asexual reproduction in higher fungi. Conidia are haploid cells genetically identical to their haploid parent. They are produced by conversion of hyphal elements, or are borne on sporogenous cells on or within specialized structures termed conidiophores, and participate in dispersal of the fungus. [GOC:di, GOC:pamgo_curators]' - }, - 'GO:0075307': { - 'name': 'positive regulation of conidium formation', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of conidium formation, a process of producing non-motile spores, called conidia, via mitotic asexual reproduction in higher fungi. Conidia are haploid cells genetically identical to their haploid parent. They are produced by conversion of hyphal elements, or are borne on sporogenous cells on or within specialized structures termed conidiophores, and participate in dispersal of the fungus. [GOC:di, GOC:pamgo_curators]' - }, - 'GO:0075308': { - 'name': 'negative regulation of conidium formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of conidium formation, a process of producing non-motile spores, called conidia, via mitotic asexual reproduction in higher fungi. Conidia are haploid cells genetically identical to their haploid parent. They are produced by conversion of hyphal elements, or are borne on sporogenous cells on or within specialized structures termed conidiophores, and participate in dispersal of the fungus. [GOC:di, GOC:pamgo_curators]' - }, - 'GO:0075309': { - 'name': 'obsolete negative regulation of growth or development of symbiont on or near host surface', - 'def': "OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the increase in the symbiont's size or mass, or its progression from an initial condition to a later condition, on or near the cells or tissues of the host organism. [GOC:pamgo_curators]" - }, - 'GO:0075310': { - 'name': 'regulation of sporangium development', - 'def': 'Any process that modulates the frequency, rate or extent of sporangium development, a process that leads to the formation of sporangium, a single-celled or many-celled structure in which spores are produced, as in fungi, algae, mosses, and ferns, gymnosperms, angiosperms. [GOC:pamgo_curators]' - }, - 'GO:0075311': { - 'name': 'positive regulation of sporangium development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of sporangium development, a process that leads to the formation of sporangium, a single-celled or many-celled structure in which spores are produced, as in fungi, algae, mosses, and ferns, gymnosperms, angiosperms. [GOC:pamgo_curators]' - }, - 'GO:0075312': { - 'name': 'negative regulation of sporangium development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sporangium development, a process that leads to the formation of sporangium, a single-celled or many-celled structure in which spores are produced, as in fungi, algae, mosses, and ferns, gymnosperms, angiosperms. [GOC:pamgo_curators]' - }, - 'GO:0075313': { - 'name': 'basidium development', - 'def': 'The process that leads to the development of basidium, a small, specialized club-shaped structure typically bearing four basidiospores at the tips of minute projections. The basidium is unique to Basidiomycetes and distinguishes them from other kinds of fungi. [GOC:di, GOC:mah, GOC:mcc, GOC:pamgo_curators]' - }, - 'GO:0075314': { - 'name': 'regulation of basidium development', - 'def': 'Any process that modulates the frequency, rate or extent of basidium development, a process that leads to the formation of a basidium, a small, specialized club-shaped structure typically bearing four basidiospores at the tips of minute projections. The basidium is unique to Basidiomycetes and distinguishes them from other kinds of fungi. [GOC:pamgo_curators]' - }, - 'GO:0075315': { - 'name': 'positive regulation of basidium development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of basidium development, a process that leads to the formation of basidium, a small, specialized club-shaped structure typically bearing four basidiospores at the tips of minute projections. The basidium is unique to basidiomycetes and distinguishes them from other kinds of fungi. [GOC:pamgo_curators]' - }, - 'GO:0075316': { - 'name': 'negative regulation of basidium development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of basidium development, a process that leads to the formation of basidium, a small, specialized club-shaped structure typically bearing four basidiospores at the tips of minute projections. The basidium is unique to basidiomycetes and distinguishes them from other kinds of fungi. [GOC:pamgo_curators]' - }, - 'GO:0075317': { - 'name': 'ascus development', - 'def': 'The process that leads to the development of ascus, a sac-like structure produced by fungi of the phylum Ascomycota (sac fungi) in which sexually produced spores (ascospores), usually four or eight in number, are formed. [GOC:di, GOC:mah, GOC:mcc, GOC:pamgo_curators]' - }, - 'GO:0075318': { - 'name': 'regulation of ascus development', - 'def': 'Any process that modulates the frequency, rate or extent of ascus development, a process that leads to the formation of basidium, a sac-like structure produced by fungi of the phylum Ascomycota (sac fungi) in which sexually produced spores (ascospores), usually four or eight in number, are formed. [GOC:pamgo_curators]' - }, - 'GO:0075319': { - 'name': 'positive regulation of ascus development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of ascus development, a saclike structure produced by fungi of the phylum Ascomycota (sac fungi) in which sexually produced spores (ascospores), usually four or eight in number, are formed. [GOC:pamgo_curators]' - }, - 'GO:0075320': { - 'name': 'negative regulation of ascus development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ascus development, a saclike structure produced by fungi of the phylum Ascomycota (sac fungi) in which sexually produced spores (ascospores), usually four or eight in number, are formed. [GOC:pamgo_curators]' - }, - 'GO:0075321': { - 'name': 'oomycete sporangium development', - 'def': 'The process that leads to the development of an oomycete sporangium, a single-celled or many-celled structure that germinates directly to form an infection hypha or differentiates, through specialized cleavage vesicles, into between 10 and 30 zoospores, which are laterally flagellated. [GOC:pamgo_curators]' - }, - 'GO:0075322': { - 'name': 'regulation of oomycete sporangium development', - 'def': 'Any process that modulates the frequency, rate or extent of oomycete sporangium development, a process that leads to the formation of oomycete sporangium, a single-celled or many-celled structure that germinates directly to form an infection hypha or differentiate, through specialized cleavage vesicles, into between 10 and 30 zoospores, which is laterally flagellated. [GOC:pamgo_curators]' - }, - 'GO:0075323': { - 'name': 'positive regulation of oomycete sporangium development', - 'def': 'Any process that activates, maintains or increases the frequency, rate or extent of oomycete sporangium development, a process that leads to the formation of oomycete sporangium, a single-celled or many-celled structure that germinates directly to form an infection hypha or differentiate, through specialized cleavage vesicles, into between 10 and 30 zoospores, which is laterally flagellated. [GOC:pamgo_curators]' - }, - 'GO:0075324': { - 'name': 'negative regulation of oomycete sporangium development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of oomycete sporangium development, a process that leads to the formation of oomycete sporangium, a single-celled or many-celled structure that germinates directly to form an infection hypha or differentiate, through specialized cleavage vesicles, into between 10 and 30 zoospores, which is laterally flagellated. [GOC:pamgo_curators]' - }, - 'GO:0075325': { - 'name': 'spore dispersal on or near host', - 'def': 'Any process in which a symbiont disseminates its spores, on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075326': { - 'name': 'active spore dispersal on or near host', - 'def': 'Any active process in which a symbiont disseminates its spores, on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075327': { - 'name': 'passive spore dispersal on or near host', - 'def': 'Any passive process in which a symbiont disseminates its spores, on or near its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075328': { - 'name': 'formation by symbiont of arbuscule for nutrient acquisition from host', - 'def': 'The assembly by an organism of an arbuscule, a fine, tree-like hyphal structure projected into the host cell for the purpose of obtaining nutrients from its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075329': { - 'name': 'regulation of arbuscule formation for nutrient acquisition from host', - 'def': 'Any process that modulates the frequency, rate or extent of symbiont arbuscule formation for nutrient acquisition from host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075330': { - 'name': 'positive regulation of arbuscule formation for nutrient acquisition from host', - 'def': 'Any process that activates or increases the frequency, rate or extent of symbiont arbuscule formation for nutrient acquisition from host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075331': { - 'name': 'negative regulation of arbuscule formation for nutrient acquisition from host', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of symbiont arbuscule formation for nutrient acquisition from host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075332': { - 'name': 'modulation by host of symbiont adenylate cyclase-mediated signal transduction', - 'def': 'Any process in which the host organism modulates the frequency, rate or extent of adenylate cyclase-mediated signal transduction in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075333': { - 'name': 'positive regulation by host of symbiont adenylate cyclase-mediated signal transduction', - 'def': 'Any process in which the host organism activates, maintains or increases the frequency, rate or extent of adenylate cyclase-mediated signal transduction in the symbiont organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075334': { - 'name': 'modulation of symbiont adenylate cyclase-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism modulates the frequency, rate or extent of its adenylate cyclase-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075335': { - 'name': 'positive regulation of symbiont adenylate cyclase-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism activates, maintains or increases the frequency, rate or extent of its adenylate cyclase-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075336': { - 'name': 'negative regulation of symbiont adenylate cyclase-mediated signal transduction in response to host', - 'def': 'Any process in which the symbiont organism stops, prevents, or reduces the frequency, rate or extent of its symbiont adenylate cyclase-mediated signal transduction as a result of detecting molecules of its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075337': { - 'name': 'obsolete positive regulation of growth or development of symbiont on or near host surface', - 'def': "OBSOLETE. Any process that activates or increases the frequency, rate or extent of the symbiont's increase in size or mass, or its progression from an initial condition to a later condition, on or near the cells or tissues of the host organism. [GOC:pamgo_curators]" - }, - 'GO:0075338': { - 'name': 'obsolete modulation of growth or development of symbiont during interaction with host', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of the increase in size or mass of an organism, or the progression of an organism from an initial condition to a later condition, occurring in, on or near the exterior of its host organism. [GOC:jl]' - }, - 'GO:0075339': { - 'name': 'obsolete positive regulation of growth or development of symbiont during interaction with host', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of the increase in size or mass of an organism, or the progression of an organism from an initial condition to a later condition, occurring in, on or near the exterior of its host organism. [GOC:jl]' - }, - 'GO:0075340': { - 'name': 'obsolete negative regulation of growth or development of symbiont during interaction with host', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the increase in size or mass of an organism, or the progression of an organism from an initial condition to a later condition, occurring in, on or near the exterior of its host organism. [GOC:jl]' - }, - 'GO:0075341': { - 'name': 'host cell PML body', - 'def': 'A nuclear body that reacts against SP100 auto-antibodies (PML = promyelocytic leukemia) located within a cell of a host organism. [GOC:BHF, GOC:jl]' - }, - 'GO:0075342': { - 'name': 'disruption by symbiont of host cell PML body', - 'def': 'The breakdown, by the symbiont, of a PML body within a host cell. A PML body is a nuclear body that reacts against SP100 auto-antibodies (PML = promyelocytic leukemia). The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:BHF, GOC:jl]' - }, - 'GO:0075343': { - 'name': 'modulation by symbiont of abscisic acid levels in host', - 'def': 'The alteration by an organism of the levels of abscisic acid in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075344': { - 'name': 'modulation by symbiont of host protein levels', - 'def': 'The alteration by an organism of protein levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075345': { - 'name': 'modification by symbiont of host protein', - 'def': 'The covalent alteration by an organism of one or more amino acids occurring in proteins, peptides and nascent polypeptides (co-translational, post-translational modifications) of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075346': { - 'name': 'modification by symbiont of host protein by ubiquitination', - 'def': 'The process in which an organism adds one or more ubiquitin groups to a protein of the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0075502': { - 'name': 'endosome membrane permeabilization involved in viral entry into host cell', - 'def': 'Induction of endosome membrane permeabilization triggered by an interaction between the host membrane and a membrane-penetration protein associated with the capsid. Occurs after internalization of the virus through the endosomal pathway, and results in delivery of the virus contents into the host cell cytoplasm. [GOC:bf, GOC:jl]' - }, - 'GO:0075503': { - 'name': 'fusion of virus membrane with host macropinosome membrane', - 'def': 'Fusion of a viral membrane with a host macropinosome membrane, that occurs after internalization of the virus through the endosomal pathway, and results in release of the viral contents into the host cell cytoplasm. [GOC:bf, GOC:jl]' - }, - 'GO:0075504': { - 'name': 'macropinosomal membrane permeabilization involved in viral entry into host cell', - 'def': 'Induction of macropinosome membrane permeabilization triggered by an interaction between the host membrane and a membrane-penetration protein associated with the capsid. Occurs after internalization of the virus in a macropinosome, and results in release of the viral contents from the macropinosome into the host cell cytoplasm. [GOC:bf, GOC:jl]' - }, - 'GO:0075505': { - 'name': 'entry of intact viral capsid into host nucleus through nuclear pore complex', - 'def': 'Viral penetration into the host nucleus where a viral capsid passes intact through the host nuclear pore complex (NPC). [PMID:22929056, VZ:989]' - }, - 'GO:0075506': { - 'name': 'entry of viral genome into host nucleus through nuclear pore complex via importin', - 'def': 'Viral penetration into the host nucleus where the viral genome passes through the nuclear pore complex (NPC) using the cellular importin transport machinery. [PMID:22929056, VZ:989]' - }, - 'GO:0075507': { - 'name': 'entry of viral genome into host nucleus via docking of viral capsid to the nuclear pore complex and injection of viral genome', - 'def': 'Viral penetration into the host nucleus where the where a viral capsid docks on the cytoplasmic side of the nuclear pore complex (NPC) and ejects the viral genome through the pore into the nucleoplasm. [PMID:22929056, VZ:989]' - }, - 'GO:0075508': { - 'name': 'entry of viral genome into host nucleus via retainment of capsid in nuclear pore complex and release of genome into nucleoplasm', - 'def': 'Viral penetration into the host nucleus where a viral capsid enters the host nuclear pore complex (NPC) but remains attached to the pore on the nuclear side. The capsid then disassembles, releasing the viral genome into the nucleoplasm. [PMID:22929056, VZ:989]' - }, - 'GO:0075509': { - 'name': 'endocytosis involved in viral entry into host cell', - 'def': 'Any endocytosis that is involved in the uptake of a virus into a host cell. [GOC:bf, GOC:jl, VZ:977]' - }, - 'GO:0075510': { - 'name': 'macropinocytosis involved in viral entry into host cell', - 'def': 'Any macropinocytosis that is involved in the uptake of a virus into a host cell. [GOC:jl, GOC:sp, PMID:17077125, PMID:19404330, VZ:800]' - }, - 'GO:0075511': { - 'name': 'macropinosome lysis involved in viral entry into host cell', - 'def': 'Viral-induced lysis of the macropinosome involved in the uptake of a virus into a host cell. Occurs after internalization of the virus in a macropinosome, and results in the release of viral contents from the macropinosome into the host cell cytoplasm. [GOC:bf, GOC:jl]' - }, - 'GO:0075512': { - 'name': 'clathrin-dependent endocytosis of virus by host cell', - 'def': 'Any clathrin-mediated endocytosis that is involved in the uptake of a virus into a host cell. Begins by invagination of a specific region of the host cell plasma membrane around the bound virus to form a clathrin-coated pit, which then pinches off to form a clathrin-coated endocytic vesicle containing the virus. [GOC:bf, GOC:jl, VZ:957]' - }, - 'GO:0075513': { - 'name': 'caveolin-mediated endocytosis of virus by host cell', - 'def': 'Any caveolin-mediated endocytosis that is involved in the uptake of a virus into a host cell. Begins when material is taken up into plasma membrane caveolae - specialized lipid rafts that form 50-70 nm flask-shaped invaginations of the plasma membrane - which then pinch off to form endocytic caveolar carriers containing the virus. [GOC:bf, GOC:jl, VZ:976]' - }, - 'GO:0075514': { - 'name': 'endosome lysis involved in viral entry into host cell', - 'def': 'Viral-induced lysis of the endosome involved in uptake of a virus into a host cell. Occurs after internalization of the virus through the endosomal pathway, and results in release of the viral contents from the endosome into the host cell cytoplasm. [GOC:bf, GOC:jl]' - }, - 'GO:0075515': { - 'name': 'obsolete viral entry into host cell via caveolin-mediated endocytosis followed by genetic injection through the endosome membrane', - 'def': 'OBSOLETE. The uptake of a virus into a host cell that begins when material is taken up into plasma membrane caveolae which then pinch off to form endocytic caveolar carriers containing the virus. The caveolar carriers then deliver their viral content to early endosomes, and the process ends when viral nucleic acid is released into the host cytoplasm by its injection through the endosome membrane. [GOC:jl, VZ:976]' - }, - 'GO:0075519': { - 'name': 'microtubule-dependent intracellular transport of viral material', - 'def': 'The directed movement of the viral genome or viral particle within the host cell cytoplasm along host microtubules. Microtubule-dependent transport involves motor proteins like dynein and kinesin and is mostly used by viruses that target their genomes to the nucleus. [VZ:983]' - }, - 'GO:0075520': { - 'name': 'actin-dependent intracellular transport of virus', - 'def': "The directed movement of a virus, or part of a virus, within the host cell cytoplasm via the host's actin filaments. Actin-dependent transport is induced by viral proteins that interact with actin and/or host cell motor proteins like myosins or that promotes actin polymerization/depolymerization reactions. [UniProtKB-KW:KW-1178, VZ:991]" - }, - 'GO:0075521': { - 'name': 'microtubule-dependent intracellular transport of viral material towards nucleus', - 'def': 'The directed movement of a virus, or part of a virus, towards the host cell nucleus using host microtubules. [UniProtKB-KW:KW-1177, VZ:983]' - }, - 'GO:0075522': { - 'name': 'IRES-dependent viral translational initiation', - 'def': "Process by which viral mRNA translation is initiated, where a domain in the 5' untranslated region (UTR) of the viral mRNA called an internal ribosome entry site (IRES) binds the host 43S preinitiation complex, circumventing regular cap-dependent translation initiation. [GOC:bf, GOC:jl, PMID:19632368, VZ:867]" - }, - 'GO:0075523': { - 'name': 'viral translational frameshifting', - 'def': 'A process which occurs during viral translation, which involves a translational recoding mechanism called programmed ribosomal frameshifting. This causes the ribosome to alter its reading of the mRNA to an a different open reading frame to produce alternate viral proteins. [GOC:bf, GOC:ch, GOC:jl, PMID:24825891, PMID:8852897, VZ:860]' - }, - 'GO:0075524': { - 'name': 'ribosomal skipping', - 'def': 'A translation process in which a specific viral peptide prevents the ribosome from covalently linking a new inserted amino acid, and lets it continue translation, thereby cleaving the nascent protein while allowing translation to continue. [GOC:bf, GOC:ch, GOC:jl, VZ:914]' - }, - 'GO:0075525': { - 'name': 'viral translational termination-reinitiation', - 'def': 'A process which occurs as part of viral mRNA translation which allows expression of a downstream open reading frame (ORF) in a dicistronic mRNA. In this process, ribosomes translate the upstream ORF but following termination, a proportion of 40S subunits remain tethered to the mRNA and go on to re-initiate translation at the start codon of the downstream ORF. [GOC:bf, GOC:ch, GOC:jl, PMID:18631147, PMID:18824510, VZ:858]' - }, - 'GO:0075526': { - 'name': 'cap snatching', - 'def': "A transcription initiation process during which a nucleotide sequence between 10 and 20 nucleotides in size is cleaved from the 5' end of host mRNAs by a viral RNA-dependent polymerase. The capped leader sequence obtained is subsequently used to prime transcription on the viral genome, which ultimately leads to the synthesis of capped, translatable viral mRNAs. [GOC:bf, GOC:jl, VZ:839]" - }, - 'GO:0075527': { - 'name': 'viral RNA editing', - 'def': 'The process by which bases in viral mRNA are chemically altered during viral transcription. This is usually the incorporation of 1 - 6 additional nucleotides, which shifts the reading frame, allowing the generation of different protein products or through a specific nucleotide change that eliminates the termination codon. [PMID:1629949, VZ:857]' - }, - 'GO:0075528': { - 'name': 'modulation by virus of host immune response', - 'def': 'The process in which a virus effects a change in the host immune response. [GOC:bf, GOC:jl]' - }, - 'GO:0075529': { - 'name': 'establishment of latency as a circular episome', - 'def': 'A process by which a virus establishes a latent state within its host as an episome, where the viral genome remains silent in the cytoplasm or nucleus as a circular structure. [GOC:jl]' - }, - 'GO:0075530': { - 'name': 'establishment of latency as a linear episome', - 'def': 'A process by which a virus establishes a latent state within its host as an episome, where the viral genome remains silent in the cytoplasm or nucleus as linear structure. [GOC:jl]' - }, - 'GO:0075606': { - 'name': 'transport of viral material towards nucleus', - 'def': 'The directed movement of a virus, or part of a virus, towards the host cell nucleus. The process begins after viral entry, and ends when the viral material is at the nuclear membrane. [GOC:bf, GOC:jl, VZ:990]' - }, - 'GO:0075705': { - 'name': 'obsolete viral entry into host cell via clathrin-mediated endocytosis followed by genetic injection through the endosome membrane', - 'def': 'OBSOLETE. The uptake of a virus into a host cell that begins by invagination of a specific region of the host cell plasma membrane around the bound virus to form a clathrin-coated pit, which then pinches off to form a clathrin-coated endocytic vesicles containing the virus. The vesicle then delivers its viral content to early endosomes, and the process ends when the viral nucleic acid is released into the host cytoplasm by its injection through the endosome membrane. [GOC:jl]' - }, - 'GO:0075713': { - 'name': 'establishment of integrated proviral latency', - 'def': 'A process by which the virus integrates into the host genome and establishes as a stable provirus or prophage. [GOC:jl]' - }, - 'GO:0075720': { - 'name': 'establishment of episomal latency', - 'def': 'A process by which a virus establishes a latent state within its host as an episome, where the viral genome remains silent in the cytoplasm or nucleus as a distinct genetic entity. [GOC:jl]' - }, - 'GO:0075732': { - 'name': 'viral penetration into host nucleus', - 'def': 'The crossing by the virus of the host nuclear membrane, either as naked viral genome or for small viruses as an intact capsid. [PMID:22929056, VZ:989]' - }, - 'GO:0075733': { - 'name': 'intracellular transport of virus', - 'def': 'The directed movement of a virus, or part of a virus, within the host cell. [GOC:ai, GOC:bf, GOC:jl, PMID:11733033]' - }, - 'GO:0080001': { - 'name': 'mucilage extrusion from seed coat', - 'def': 'The process in which seed mucilage expands through hydration and breaks the outer cell wall that encapsulates the whole seed upon imbibition. Mucilage, mainly composed of pectins, is formed during seed development and deposited into the apoplast underneath the outer wall of the seed coat. [PMID:18266922]' - }, - 'GO:0080002': { - 'name': 'UDP-glucose:4-aminobenzoate acylglucosyltransferase activity', - 'def': 'Catalysis of the reaction: 4-aminobenzoate + UDP-glucose = p-aminobenzoate-beta-D-glucopyranosyl ester + UDP. [EC:2.4.1.-, PMID:18385129]' - }, - 'GO:0080003': { - 'name': 'thalianol metabolic process', - 'def': 'The chemical reactions and pathways involving the triterpene thalianol. [PMID:18356490]' - }, - 'GO:0080004': { - 'name': 'thalian-diol desaturase activity', - 'def': 'Catalysis of the reaction: a thalian-diol = a desaturated thalian-diol. This reaction is the introduction of a double bond to a thalian-diol molecule at carbon 15. [PMID:18356490]' - }, - 'GO:0080005': { - 'name': 'photosystem stoichiometry adjustment', - 'def': 'Adjustment of Photosystem I/Photosystem II ratio in response to light conditions. The function of photosystem stoichiometry adjustment is to compensate for any deficiency in energy conversion at either photosystem I or photosystem II by increasing the quantity the photosystem that will otherwise become the rate-limiting to overall photosynthesis. [PMID:11607105]' - }, - 'GO:0080006': { - 'name': 'internode patterning', - 'def': 'Determines the spacing between two shoot nodes. A shoot node is the region of the shoot where the spikelet, flower, floret, branch, bud and/or leaves are attached. [GOC:tb]' - }, - 'GO:0080007': { - 'name': 'S-nitrosoglutathione reductase activity', - 'def': 'Catalysis of the reaction: glutathione N-hydroxysulfenamide + NADH + H+ = S-nitrosoglutathione + NAD+. [MetaCyc:RXN-10742, PMID:11260719]' - }, - 'GO:0080008': { - 'name': 'Cul4-RING E3 ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex in which a cullin from the Cul4 family and a RING domain protein form the catalytic core; substrate specificity is conferred by an adaptor protein. [PMID:16792691, PMID:18223036, PMID:18552200]' - }, - 'GO:0080009': { - 'name': 'mRNA methylation', - 'def': 'The posttranscriptional addition of methyl groups to specific residues in an mRNA molecule. [PMID:18505803]' - }, - 'GO:0080010': { - 'name': 'obsolete regulation of oxygen and reactive oxygen species metabolic process', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving dioxygen (O2), or any of the reactive oxygen species, e.g. superoxide anions (O2-), hydrogen peroxide (H2O2), and hydroxyl radicals (-OH). [PMID:18450450]' - }, - 'GO:0080011': { - 'name': 'baruol synthase activity', - 'def': 'Catalysis of the reaction: (S)-2,3-epoxysqualene = baruol. Baruol is also known as D:B-Friedo-Baccharan-5,21-dien-3-ol. [MetaCyc:RXN-9685, PMID:17705488]' - }, - 'GO:0080012': { - 'name': 'trihydroxyferuloyl spermidine O-methyltransferase activity', - 'def': 'Catalysis of the reaction: trihydroxyferuloyl spermidine + S-adenosyl-L-methionine = dihydroxyferuloyl-sinapoyl spermidine + S-adenosyl-L-homocysteine + H+. [PMID:18557837]' - }, - 'GO:0080013': { - 'name': '(E,E)-geranyllinalool synthase activity', - 'def': 'Catalysis of the reaction: all-trans-geranyl-geranyl diphosphate + H2O = (E,E)-geranyllinalool + diphosphate. [MetaCyc:RXN-10441, PMID:18398052]' - }, - 'GO:0080014': { - 'name': 'thalianol hydroxylase activity', - 'def': 'Catalysis of the reaction: a thalianol = a thalian-diol. This reaction is the addition of a hydroxyl group to thalianol ((13R,14R,17E)-podioda-8,17,21-trien-3beta-ol) to create a thalian-diol ((13R,14R,17E)-podioda-8,17,21-trien-3beta,X-diol), where the hydroxyl group may be attached at one of several different available carbons in ring B or C of thalianol, indicated by the X. [MetaCyc:RXN-9631, PMID:17474751, PMID:18356490]' - }, - 'GO:0080015': { - 'name': 'sabinene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate = sabinene + diphosphate. [MetaCyc:RXN-5103, PMID:12566586, PMID:9747540]' - }, - 'GO:0080016': { - 'name': '(-)-E-beta-caryophyllene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = (-)-E-beta-caryophyllene + diphosphate. [MetaCyc:RXN-8414, PMID:12566586, PMID:9442047]' - }, - 'GO:0080017': { - 'name': 'alpha-humulene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate = alpha-humulene + diphosphate. [PMID:12566586, PMID:9442047]' - }, - 'GO:0080018': { - 'name': 'anthocyanin 5-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: an anthocyanin + UDP-D-glucose = an anthocyanin-5-O-glucoside + UDP. [PMID:15807784]' - }, - 'GO:0080019': { - 'name': 'fatty-acyl-CoA reductase (alcohol-forming) activity', - 'def': 'Catalysis of the reaction: a very long chain fatty acyl-CoA + NADPH + H+ = a very long chain primary alcohol + NADP+ + CoA. [PMID:16980563]' - }, - 'GO:0080020': { - 'name': 'regulation of coenzyme A biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving coenzyme A. [PMID:18621975]' - }, - 'GO:0080021': { - 'name': 'response to benzoic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a benzoic acid stimulus. [PMID:18753285]' - }, - 'GO:0080022': { - 'name': 'primary root development', - 'def': 'The process whose specific outcome is the progression of the primary root over time, from its formation to the mature structure. The primary root develops directly from the embryonic radicle. [GOC:dhl]' - }, - 'GO:0080023': { - 'name': '3R-hydroxyacyl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: 3R-hydroxyacyl-CoA = 2E-enoyl-CoA + H2O. [PMID:16982622]' - }, - 'GO:0080024': { - 'name': 'indolebutyric acid metabolic process', - 'def': 'The chemical reactions and pathways involving indolebutyric acid, a compound that serves as an active or storage form of the hormone indole-3-acetic acid (an auxin) in many plants. [PMID:18725356]' - }, - 'GO:0080025': { - 'name': 'phosphatidylinositol-3,5-bisphosphate binding', - 'def': "Interacting selectively and non-covalently with phosphatidylinositol-3,5-bisphosphate, a derivative of phosphatidylinositol in which the inositol ring is phosphorylated at the 3' and 5' positions. [GOC:bf, PMID:18397324]" - }, - 'GO:0080026': { - 'name': 'response to indolebutyric acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an indolebutyric acid stimulus. [PMID:18725356]' - }, - 'GO:0080027': { - 'name': 'response to herbivore', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a herbivore. [PMID:18987211]' - }, - 'GO:0080028': { - 'name': 'nitrile biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a nitrile, an organic compound containing trivalent nitrogen attached to one carbon atom. [PMID:18987211]' - }, - 'GO:0080029': { - 'name': 'cellular response to boron-containing substance levels', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus reflecting the presence, absence, or concentration of boron-containing substances. [PMID:18952773]' - }, - 'GO:0080030': { - 'name': 'methyl indole-3-acetate esterase activity', - 'def': 'Catalysis of the reaction: methyl indole-3-acetate + H2O = indole-3-acetate + methanol + H+. [MetaCyc:RXN-10711, PMID:18467465]' - }, - 'GO:0080031': { - 'name': 'methyl salicylate esterase activity', - 'def': 'Catalysis of the reaction: methyl salicylate + H2O = salicylic acid + methanol + H+. [MetaCyc:RXNQT-4366, PMID:18467465, PMID:18643994]' - }, - 'GO:0080032': { - 'name': 'methyl jasmonate esterase activity', - 'def': 'Catalysis of the reaction: a methyl jasmonate + H2O = a jasmonic acid + methanol. [PMID:15233793, PMID:18467465]' - }, - 'GO:0080033': { - 'name': 'response to nitrite', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrite stimulus. [GOC:dhl, PMID:17951451]' - }, - 'GO:0080034': { - 'name': 'host response to induction by symbiont of tumor, nodule or growth in host', - 'def': 'Any process that results in a change in the state or activity of a host cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the formation of an abnormal mass of cells in the host organism, induced by a symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:18836040]' - }, - 'GO:0080035': { - 'name': '2-hydroxy-but-3-enyl glucosinolate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of progoitrin, a 2-hydroxy-but-3-enyl glucosinolate. Glucosinolates are substituted thioglucosides found in rapeseed products and related cruciferae, and progoitrin has been implicated in causing goiters in mammals and bitter taste in cruciferous vegetables. [PMID:11560911, PMID:18945935]' - }, - 'GO:0080036': { - 'name': 'regulation of cytokinin-activated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of cytokinin signaling. [GOC:dhl]' - }, - 'GO:0080037': { - 'name': 'negative regulation of cytokinin-activated signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cytokinin signaling. [GOC:dhl, PMID:14973166]' - }, - 'GO:0080038': { - 'name': 'positive regulation of cytokinin-activated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytokinin signaling. [GOC:dhl]' - }, - 'GO:0080039': { - 'name': 'xyloglucan endotransglucosylase activity', - 'def': 'Catalysis of the hydrolysis of a beta-(1,4) bond in the backbone of a xyloglucan and transfers the xyloglucanyl segment on to O-4 of the non-reducing terminal glucose residue of a xyloglucan or an oligosaccharide of xyloglucan. [EC:2.4.1.207, GOC:ask, PMID:1400418, PMID:1554366]' - }, - 'GO:0080040': { - 'name': 'positive regulation of cellular response to phosphate starvation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to phosphate starvation. [PMID:18315545]' - }, - 'GO:0080041': { - 'name': 'ADP-ribose pyrophosphohydrolase activity', - 'def': 'Catalysis of the reaction: ADP-ribose + H2O = AMP + ribose-1-phosphate. [GOC:tb]' - }, - 'GO:0080042': { - 'name': 'ADP-glucose pyrophosphohydrolase activity', - 'def': 'Catalysis of the reaction: ADP-glucose + H2O = AMP + glucose-1-phosphate. [GOC:tb]' - }, - 'GO:0080043': { - 'name': 'quercetin 3-O-glucosyltransferase activity', - 'def': 'Catalysis of the transfer of a glucosyl group from UDP-glucose to the 3-hydroxy group of a quercetin molecule. [PMID:15352060]' - }, - 'GO:0080044': { - 'name': 'quercetin 7-O-glucosyltransferase activity', - 'def': 'Catalysis of the transfer of a glucosyl group from UDP-glucose to the 7-hydroxy group of a quercetin molecule. [PMID:15352060]' - }, - 'GO:0080045': { - 'name': "quercetin 3'-O-glucosyltransferase activity", - 'def': "Catalysis of the transfer of a glucosyl group from UDP-glucose to the 3'-hydroxy group of a quercetin molecule. [PMID:15352060]" - }, - 'GO:0080046': { - 'name': "quercetin 4'-O-glucosyltransferase activity", - 'def': "Catalysis of the transfer of a glucosyl group from UDP-glucose to the 4'-hydroxy group of a quercetin molecule. [PMID:15352060]" - }, - 'GO:0080047': { - 'name': 'GDP-L-galactose phosphorylase activity', - 'def': 'Catalysis of the reaction: GDP-L-galactose + phosphate = L-galactose-1-P + GDP. [EC:2.7.7.69, PMID:18463094]' - }, - 'GO:0080048': { - 'name': 'GDP-D-glucose phosphorylase activity', - 'def': 'Catalysis of the reaction: GDP-D-glucose + phosphate = D-glucose-1-P + GDP. [PMID:18463094]' - }, - 'GO:0080049': { - 'name': 'L-gulono-1,4-lactone dehydrogenase activity', - 'def': 'Catalysis of the reaction: L-gulono-1,4-lactone + 2 ferricytochrome c = L-ascorbate + 2 ferrocytochrome c. [PMID:18190525]' - }, - 'GO:0080050': { - 'name': 'regulation of seed development', - 'def': 'Any process that modulates the frequency, rate or extent of seed development. [PMID:19141706]' - }, - 'GO:0080051': { - 'name': 'cutin transport', - 'def': 'The directed movement of cutin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Cutin, which consists of C16-18 fatty acids, is the major component of the cuticle that covers the plant surface. [PMID:17951461]' - }, - 'GO:0080052': { - 'name': 'response to histidine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a histidine stimulus. [PMID:15889294]' - }, - 'GO:0080053': { - 'name': 'response to phenylalanine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a phenylalanine stimulus. [PMID:15889294]' - }, - 'GO:0080054': { - 'name': 'low-affinity nitrate transmembrane transporter activity', - 'def': 'Enables the transfer of nitrate ions (NO3-) from one side of a membrane to the other. In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [PMID:19050168]' - }, - 'GO:0080055': { - 'name': 'low-affinity nitrate transport', - 'def': 'The directed movement of nitrate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [PMID:19050168]' - }, - 'GO:0080056': { - 'name': 'petal vascular tissue pattern formation', - 'def': 'Vascular tissue pattern formation as it occurs in the petal of vascular plants. [PMID:17369435]' - }, - 'GO:0080057': { - 'name': 'sepal vascular tissue pattern formation', - 'def': 'Vascular tissue pattern formation as it occurs in the sepal of vascular plants. [PMID:17369435]' - }, - 'GO:0080058': { - 'name': 'protein deglutathionylation', - 'def': 'The protein modification process in which a glutathione molecule is removed from a protein amino acid by breaking a disulfide linkage. [GOC:tb]' - }, - 'GO:0080059': { - 'name': 'flavonol 3-O-arabinosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-arabinose + a flavonol = UDP + a flavonol 3-O-D-arabinoside. [PMID:18757557]' - }, - 'GO:0080060': { - 'name': 'integument development', - 'def': 'The process whose specific outcome is the progression of the integument over time, from its formation to the mature structure. Integument is one of the layers of tissue that usually covers the ovule, enveloping the nucellus and forming the micropyle at the apex. [PMID:19054366, PO:0020021]' - }, - 'GO:0080061': { - 'name': 'indole-3-acetonitrile nitrilase activity', - 'def': 'Catalysis of the reaction: indole-3-acetonitrile + 2 H2O = indole-3-acetic acid + NH3. [EC:3.5.5.1, MetaCyc:RXN-1404]' - }, - 'GO:0080062': { - 'name': 'cytokinin 9-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 6-alkylaminopurine + UDP-D-glucose = 6-alkylamino-9-beta-D-glucosylpurine + H+ + UDP. This reaction is an N-glucosylation event. [KEGG:R08369, PMID:15342621]' - }, - 'GO:0080064': { - 'name': '4,4-dimethyl-9beta,19-cyclopropylsterol oxidation', - 'def': 'A lipid oxidation process proceeding through a series of three successive monooxygenations of the alpha methyl group on the C4 carbon (CH3 to CH2OH to CHO to COOH) and resulting in this overall reaction: 4,4-dimethyl-9beta,19-cyclopropylsterol + 3 NADPH + 3 H+ + 3 O2 = 4-alpha-carboxy, 4-beta-methyl-9beta,19-cyclopropylsterol + 3 NADP+ + 3 H2O. [GOC:pr, PMID:14653780]' - }, - 'GO:0080065': { - 'name': '4-alpha-methyl-delta7-sterol oxidation', - 'def': 'A lipid oxidation process proceeding through a series of three successive monooxygenations of the alpha methyl group on the C4 carbon (CH3 to CH2OH to CHO to COOH) and resulting in this overall reaction: 4-alpha-methyl-delta7-sterol + 3 NADPH + 3 H+ + 3 O2 = 4-alpha-carboxy,delta7-sterol + 3 NADP+ + 3 H2O. [GOC:pr, PMID:14653780]' - }, - 'GO:0080066': { - 'name': '3-methylthiopropyl-desulfoglucosinolate sulfotransferase activity', - 'def': "Catalysis of the reaction: 3-methylthiopropyl-desulfoglucosinolate + 3'-phosphoadenosine 5'-phosphosulfate = 3-methylthiopropyl-glucosinolate + adenosine 3',5'-bisphosphate. [PMID:19077143]" - }, - 'GO:0080067': { - 'name': '4-methylthiobutyl-desulfoglucosinolate sulfotransferase activity', - 'def': "Catalysis of the reaction: 4-methylthiobutyl-desulfoglucosinolate + 3'-phosphoadenosine 5'-phosphosulfate = 4-methylthiobutyl-glucosinolate + adenosine 3',5'-bisphosphate. [PMID:19077143]" - }, - 'GO:0080068': { - 'name': '5-methylthiopentyl-desulfoglucosinolate sulfotransferase activity', - 'def': "Catalysis of the reaction: 5-methylthiopentyl-desulfoglucosinolate + 3'-phosphoadenosine 5'-phosphosulfate = 5-methylthiopentyl-glucosinolate + adenosine 3',5'-bisphosphate. [PMID:19077143]" - }, - 'GO:0080069': { - 'name': '7-methylthioheptyl-desulfoglucosinolate sulfotransferase activity', - 'def': "Catalysis of the reaction: 7-methylthioheptyl-desulfoglucosinolate + 3'-phosphoadenosine 5'-phosphosulfate = 7-methylthioheptyl-glucosinolate + adenosine 3',5'-bisphosphate. [PMID:19077143]" - }, - 'GO:0080070': { - 'name': '8-methylthiooctyl-desulfoglucosinolate sulfotransferase activity', - 'def': "Catalysis of the reaction: 8-methylthiooctyl-desulfoglucosinolate + 3'-phosphoadenosine 5'-phosphosulfate = 8-methylthiooctyl-glucosinolate + adenosine 3',5'-bisphosphate. [PMID:19077143]" - }, - 'GO:0080071': { - 'name': 'indol-3-yl-methyl-desulfoglucosinolate sulfotransferase activity', - 'def': "Catalysis of the reaction: indol-3-yl-methyl-desulfoglucosinolate + 3'-phosphoadenosine 5'-phosphosulfate = indol-3-yl-methyl-glucosinolate + adenosine 3',5'-bisphosphate. [PMID:19077143]" - }, - 'GO:0080072': { - 'name': 'spermidine:sinapoyl CoA N-acyltransferase activity', - 'def': 'Catalysis of the transfer of a sinapoyl group to a nitrogen atom on the spermidine molecule. [PMID:19077165]' - }, - 'GO:0080073': { - 'name': 'spermidine:coumaroyl CoA N-acyltransferase activity', - 'def': 'Catalysis of the transfer of a coumaroyl group to a nitrogen atom on the spermidine molecule. [PMID:19077165]' - }, - 'GO:0080074': { - 'name': 'spermidine:caffeoyl CoA N-acyltransferase activity', - 'def': 'Catalysis of the transfer of a caffeoyl group to a nitrogen atom on the spermidine molecule. [PMID:19077165]' - }, - 'GO:0080075': { - 'name': 'spermidine:feruloyl CoA N-acyltransferase activity', - 'def': 'Catalysis of the transfer of a feruloyl group to a nitrogen atom on the spermidine molecule. [PMID:19077165]' - }, - 'GO:0080076': { - 'name': 'caffeoyl CoA:S-adenosyl-L-methionine O-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to the oxygen atom of a caffeoyl CoA molecule. [PMID:19077165]' - }, - 'GO:0080077': { - 'name': 'trihydroxyferuloyl spermidine:S-adenosyl-L-methionine O-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to the oxygen atom of a trihydroxyferuloyl spermidine molecule. [PMID:19077165]' - }, - 'GO:0080078': { - 'name': 'tricaffeoyl spermidine:S-adenosyl-L-methionine O-methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to the oxygen atom of a tricaffeoyl spermidine molecule. [PMID:19077165]' - }, - 'GO:0080079': { - 'name': 'cellobiose glucosidase activity', - 'def': 'Catalysis of the reaction: cellobiose + H2O = 2 D-glucose. [PMID:15604686]' - }, - 'GO:0080081': { - 'name': '4-methylumbelliferyl-beta-D-glucopyranoside beta-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of glucosidic link in 4-methylumbelliferyl-beta-D-glucopyranoside. [PMID:15604686]' - }, - 'GO:0080082': { - 'name': 'esculin beta-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of glucosidic link in esculin. [PMID:15604686]' - }, - 'GO:0080083': { - 'name': 'beta-gentiobiose beta-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of glucosidic link in beta-gentiobiose. [PMID:15604686]' - }, - 'GO:0080084': { - 'name': '5S rDNA binding', - 'def': 'Interacting selectively and non-covalently with the 5S rDNA sequence encoding ribosomal 5S rRNA, which is individually transcribed by RNA polymerase III, rather than by RNA polymerase I, in species where it exists. [PMID:12711688]' - }, - 'GO:0080085': { - 'name': 'signal recognition particle, chloroplast targeting', - 'def': 'A complex consisting of a protein and RNA component which binds the signal sequence of some proteins and facilitates their export to the chloroplast. [PMID:17513500]' - }, - 'GO:0080086': { - 'name': 'stamen filament development', - 'def': 'The process whose specific outcome is the progression of the filament over time, from its formation to the mature structure. Filament is the stalk of a stamen. [PMID:19139039, PO:0009067]' - }, - 'GO:0080088': { - 'name': 'spermidine hydroxycinnamate conjugate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of spermidine hydroxycinnamate conjugates. [PMID:19077165]' - }, - 'GO:0080089': { - 'name': 'sinapoyl spermidine:sinapoyl CoA N-acyltransferase activity', - 'def': 'Catalysis of the transfer of a sinapoyl group to a nitrogen atom on a sinapoyl spermidine molecule resulting in the formation of a disinapoyl spermidine derivative. [PMID:19168716]' - }, - 'GO:0080090': { - 'name': 'regulation of primary metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways within a cell or an organism involving those compounds formed as a part of the normal anabolic and catabolic processes. These processes take place in most, if not all, cells of the organism. [PMID:19211694]' - }, - 'GO:0080091': { - 'name': 'regulation of raffinose metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving raffinose. [PMID:19211694]' - }, - 'GO:0080092': { - 'name': 'regulation of pollen tube growth', - 'def': 'Any process that modulates the frequency, rate or extent of pollen tube growth. [PMID:19208902]' - }, - 'GO:0080093': { - 'name': 'regulation of photorespiration', - 'def': 'Any process that modulates the rate, frequency or extent of photorespiration. Photorespiration is a light-dependent catabolic process occurring concomitantly with photosynthesis in plants (especially C3 plants) whereby dioxygen (O2) is consumed and carbon dioxide (CO2) is evolved. [GOC:tb]' - }, - 'GO:0080094': { - 'name': 'response to trehalose-6-phosphate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a trehalose-6-phosphate stimulus. [PMID:19193861]' - }, - 'GO:0080095': { - 'name': 'phosphatidylethanolamine-sterol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: a phosphatidylethanolamine + a sterol = a sterol ester + a lysophosphatidylethanolamine. [PMID:16020547]' - }, - 'GO:0080096': { - 'name': 'phosphatidate-sterol O-acyltransferase activity', - 'def': 'Catalysis of the reaction: a phosphatidate + a sterol = a sterol ester + a lysophosphatidate. [PMID:16020547]' - }, - 'GO:0080097': { - 'name': 'L-tryptophan:pyruvate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-tryptophan + pyruvate = 3-(indol-3-yl)pyruvate + L-alanine. [MetaCyc:RXN-10139]' - }, - 'GO:0080098': { - 'name': 'L-tyrosine:pyruvate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-tyrosine + pyruvate = (4-hydroxyphenyl)pyruvate + L-alanine. [MetaCyc:RXN3O-4157]' - }, - 'GO:0080099': { - 'name': 'L-methionine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-methionine + 2-oxoglutarate = 4-methylthio-2-oxobutyrate + L-glutamate. [PMID:18394996]' - }, - 'GO:0080100': { - 'name': 'L-glutamine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-glutamine + 2-oxoglutarate = 2-oxoglutaramate + L-glutamate. [PMID:18394996]' - }, - 'GO:0080101': { - 'name': 'phosphatidyl-N-dimethylethanolamine N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + phosphatidyl-N-dimethylethanolamine = S-adenosyl-L-homocysteine + phosphatidylcholine. [EC:2.1.1.71, PMID:19366698]' - }, - 'GO:0080102': { - 'name': '3-methylthiopropyl glucosinolate S-oxygenase activity', - 'def': 'Catalysis of the reaction: 3-methylthiopropyl-glucosinolate = 3-methylsulfinylpropyl-glucosinolate. [PMID:18799661]' - }, - 'GO:0080103': { - 'name': '4-methylthiopropyl glucosinolate S-oxygenase activity', - 'def': 'Catalysis of the reaction: 4-methylthiopropyl-glucosinolate = 4-methylsulfinylpropyl-glucosinolate. [PMID:18799661]' - }, - 'GO:0080104': { - 'name': '5-methylthiopropyl glucosinolate S-oxygenase activity', - 'def': 'Catalysis of the reaction: 5-methylthiopropyl-glucosinolate = 5-methylsulfinylpropyl-glucosinolate. [PMID:18799661]' - }, - 'GO:0080105': { - 'name': '6-methylthiopropyl glucosinolate S-oxygenase activity', - 'def': 'Catalysis of the reaction: 6-methylthiopropyl-glucosinolate = 6-methylsulfinylpropyl-glucosinolate. [PMID:18799661]' - }, - 'GO:0080106': { - 'name': '7-methylthiopropyl glucosinolate S-oxygenase activity', - 'def': 'Catalysis of the reaction: 7-methylthiopropyl-glucosinolate = 7-methylsulfinylpropyl-glucosinolate. [PMID:18799661]' - }, - 'GO:0080107': { - 'name': '8-methylthiopropyl glucosinolate S-oxygenase activity', - 'def': 'Catalysis of the reaction: 8-methylthiopropyl-glucosinolate = 8-methylsulfinylpropyl-glucosinolate. [PMID:18799661]' - }, - 'GO:0080108': { - 'name': 'S-alkylthiohydroximate lyase activity', - 'def': 'Catalysis of the conversion of a S-alkylthiohydroximate to a thiohydroximate. [PMID:14871316]' - }, - 'GO:0080109': { - 'name': 'indole-3-acetonitrile nitrile hydratase activity', - 'def': 'Catalysis of the reaction: indole-3-acetonitrile + H2O = indole-3-acetamide. [EC:4.2.1.84, MetaCyc:RXN-7567, PMID:11607511, PMID:12430025]' - }, - 'GO:0080110': { - 'name': 'sporopollenin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sporopollenin, a primary constituent of the pollen exine layer. [PMID:19218397]' - }, - 'GO:0080111': { - 'name': 'DNA demethylation', - 'def': 'The removal of a methyl group from one or more nucleotides within an DNA molecule. [PMID:17208187]' - }, - 'GO:0080112': { - 'name': 'seed growth', - 'def': 'The increase in size or mass of a seed. A seed is a propagating organ formed in the reproductive cycle of a spermatophyte, derived from the ovule and enclosing an embryo. [GOC:dhl, PO:0009010]' - }, - 'GO:0080113': { - 'name': 'regulation of seed growth', - 'def': 'Any process that modulates the frequency, rate or extent of growth of the seed of an plant. [PMID:19141706]' - }, - 'GO:0080114': { - 'name': 'positive regulation of glycine hydroxymethyltransferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycine hydroxymethyltransferase activity, the catalysis of the reaction 5,10-methylenetetrahydrofolate + glycine + H2O = tetrahydrofolate + L-serine. [EC:2.1.2.1, PMID:19223513]' - }, - 'GO:0080115': { - 'name': 'myosin XI tail binding', - 'def': 'Interacting selectively and non-covalently with the tail region of a myosin XI heavy chain. [PMID:18703495]' - }, - 'GO:0080116': { - 'name': 'glucuronoxylan glucuronosyltransferase activity', - 'def': 'Catalysis of the transfer of glucuronate to the xylan backbone of glucuronoxylan molecule. [PMID:18980649]' - }, - 'GO:0080117': { - 'name': 'secondary growth', - 'def': 'Lateral growth of a plant axis (shoot axis or root) that is an increase in thickness resulting from formation of secondary vascular tissues by the vascular cambium. [ISBN:0471245208, PMID:19074290, PO:0005598, PO:0025004]' - }, - 'GO:0080118': { - 'name': 'brassinosteroid sulfotransferase activity', - 'def': "Catalysis of the reaction: a brassinosteroid + 3'-phosphoadenosine-5'-phosphosulfate = sulfated brassinosteroid + adenosine-3',5'-diphosphate. This reaction is the transfer of a sulfate group to the hydroxyl group of a brassinosteroid acceptor, producing the sulfated brassinosteroid derivative. [CHEBI:22921, PMID:10409637, PMID:17039368]" - }, - 'GO:0080119': { - 'name': 'ER body organization', - 'def': 'A process that is carried out at the cellular level which results in the formation of ER (endoplasmic reticulum) body. ER body is a compartment found in plant cells that is derived from the ER. The structures have a characteristic shape and size (10 mm long and 0.5 mm wide) and are surrounded with ribosomes. They have been found in Arabidopsis thaliana and related Brassicaceae species. [PMID:18780803, PMID:19147648]' - }, - 'GO:0080120': { - 'name': 'CAAX-box protein maturation', - 'def': 'A series of specific posttranslational modifications to the CAAX box region of CAAX box proteins. CAAX box proteins are eukaryotic proteins that contain a CAAX motif where the C is a cysteine, the two A residues are aliphatic amino acids and the X can be one of several amino acids. The CAAX-box proteins undergo three sequential, enzymatic, post-translational modifications essential to their targeting: First, the proteins are prenylated by one of two prenyltransferases called farnesyltransferase and geranylgeranyltransferase-I. Prenylation results in the covalent attachment of either farnesyl or geranylgeranyl isoprenoid groups to the cysteine in the CAAX box motif. Prenylation is followed by proteolytic removal of the last three amino acids of the protein (AAX). Finally, the newly exposed carboxylate group of the isoprenylcysteine is methylated by an ER-associated prenyl-dependent carboxylmethyltransferase. [PMID:12039957, PMID:17114793, PMID:18641086]' - }, - 'GO:0080121': { - 'name': 'AMP transport', - 'def': 'The directed movement of AMP, adenosine monophosphate, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [PMID:18923018]' - }, - 'GO:0080122': { - 'name': 'AMP transmembrane transporter activity', - 'def': 'Enables the transfer of AMP, adenosine monophosphate, from one side of a membrane to the other. [PMID:18923018]' - }, - 'GO:0080123': { - 'name': 'jasmonate-amino synthetase activity', - 'def': 'Catalysis of the reaction: jasmonate + an amino acid = an amide-linked jasmonyl-amino acid conjugate. The substrates of this reaction include non-standard amino acids, such as ACC (1-aminocyclopropane-1-carboxylate). [PMID:15258265, PMID:17291501]' - }, - 'GO:0080124': { - 'name': 'pheophytinase activity', - 'def': 'Catalysis of the reaction: pheophytin + H2O = phytol + pheophorbide. [PMID:19304936]' - }, - 'GO:0080125': { - 'name': 'obsolete multicellular structure septum development', - 'def': 'OBSOLETE. The process whose specific outcome is the progression of the multicellular structure septum over time, from its formation to the mature structure. The multicellular structure septum is the thin partition or membrane that divides a cavity or a mass of tissue. [GOC:dhl]' - }, - 'GO:0080126': { - 'name': 'ovary septum development', - 'def': 'The process whose specific outcome is the progression of the ovary septum over time, from its formation to the mature structure. The ovary septum is the thin partition that divides the ovary, the basal portion of a carpel or group of fused carpels, that encloses the ovule(s). [PMID:17855426]' - }, - 'GO:0080127': { - 'name': 'fruit septum development', - 'def': 'The process whose specific outcome is the progression of the fruit septum over time, from its formation to the mature structure. The fruit septum is a thin partition or membrane that divides a cavity or a mass of tissue in the fruit. [GOC:dhl, PO:0005008]' - }, - 'GO:0080128': { - 'name': 'anther septum development', - 'def': 'The process whose specific outcome is the progression of the anther septum over time, from its formation to the mature structure. The anther septum is a thin partition or stretch of cells that are present in the anther dehiscence zone. [GOC:dhl, PO:0005010]' - }, - 'GO:0080129': { - 'name': 'proteasome core complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a mature, active 20S proteasome core particle complex that does not contain any regulatory particles. [PMID:12401807, PMID:17971041]' - }, - 'GO:0080130': { - 'name': 'L-phenylalanine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: L-phenylalanine + 2-oxoglutarate = phenylpyruvate + L-glutamate. [GOC:pmn_curators, PMID:18394996]' - }, - 'GO:0080131': { - 'name': 'hydroxyjasmonate sulfotransferase activity', - 'def': "Catalysis of the reaction: a hydroxyjasmonate + 3'-phosphoadenosine-5'-phosphosulfate = a hydroxyjasmonate sulfate + adenosine-3',5'-diphosphate. [EC:2.8.2.-, GOC:pmn_curators, MetaCyc:RXN-10451, MetaCyc:RXN-10453, PMID:12637544]" - }, - 'GO:0080132': { - 'name': 'fatty acid alpha-hydroxylase activity', - 'def': 'Catalysis of the conversion of a fatty acid to an alpha-hydroxylated fatty acid. A hydroxyl group is added to the second carbon, counted from the carboxyl end, of a fatty acid chain. [PMID:19054355]' - }, - 'GO:0080133': { - 'name': 'midchain alkane hydroxylase activity', - 'def': 'Catalysis of the conversion of an alkane to a secondary alcohol. [PMID:17905869]' - }, - 'GO:0080134': { - 'name': 'regulation of response to stress', - 'def': 'Any process that modulates the frequency, rate or extent of a response to stress. Response to stress is a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in organismal or cellular homeostasis, usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:dhl]' - }, - 'GO:0080135': { - 'name': 'regulation of cellular response to stress', - 'def': 'Any process that modulates the frequency, rate or extent of a cellular response to stress. Cellular response to stress is a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:dhl]' - }, - 'GO:0080136': { - 'name': 'priming of cellular response to stress', - 'def': 'The process that enables cells to respond in a more rapid and robust manner than nonprimed cells to much lower levels of a stimulus indicating the organism is under stress. [PMID:19318610]' - }, - 'GO:0080138': { - 'name': 'borate uptake transmembrane transporter activity', - 'def': 'Enables the transfer of borate from the outside of a cell to the inside of the cell across a membrane. [PMID:18603465]' - }, - 'GO:0080139': { - 'name': 'borate efflux transmembrane transporter activity', - 'def': 'Enables the transfer of borate from the inside of the cell to the outside of the cell across a membrane. [PMID:18603465]' - }, - 'GO:0080140': { - 'name': 'regulation of jasmonic acid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving jasmonic acid. [GOC:dhl]' - }, - 'GO:0080141': { - 'name': 'regulation of jasmonic acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of jasmonic acid. [GOC:dhl]' - }, - 'GO:0080142': { - 'name': 'regulation of salicylic acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of salicylic acid. [GOC:dhl]' - }, - 'GO:0080143': { - 'name': 'regulation of amino acid export', - 'def': 'Any process that modulates the frequency, rate or extent of amino acid export. Amino acid export is the directed movement of amino acids out of a cell or organelle. [PMID:20018597]' - }, - 'GO:0080144': { - 'name': 'amino acid homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of amino acid within an organism or cell. [PMID:19955263]' - }, - 'GO:0080145': { - 'name': 'cysteine homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of cysteine within an organism or cell. [PMID:19955263]' - }, - 'GO:0080146': { - 'name': 'L-cysteine desulfhydrase activity', - 'def': 'Catalysis of the reaction: L-cysteine + H2O = ammonia + pyruvate + hydrogen sulfide + H+. [MetaCyc:LCYSDESULF-RXN, PMID:19955263]' - }, - 'GO:0080147': { - 'name': 'root hair cell development', - 'def': 'The process whose specific outcome is the progression of a root hair cell over time, from its formation to the mature state. [PMID:19675148]' - }, - 'GO:0080148': { - 'name': 'negative regulation of response to water deprivation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a response to water deprivation. Response to water deprivation is a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a water deprivation stimulus, prolonged deprivation of water. [PMID:18835996]' - }, - 'GO:0080149': { - 'name': 'sucrose induced translational repression', - 'def': 'Any process that stops, prevents or reduces the rate of translation as a result of increase in sucrose level. [PMID:19403731]' - }, - 'GO:0080150': { - 'name': 'S-adenosyl-L-methionine:benzoic acid carboxyl methyl transferase activity', - 'def': 'Catalysis of the reaction: benzoate + S-adenosyl-L-methionine = methylbenzoate + S-adenosyl-L-homocysteine. [MetaCyc:RXN-6722, PMID:10852939]' - }, - 'GO:0080151': { - 'name': 'positive regulation of salicylic acid mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of salicylic acid mediated signal transduction. [PMID:20181750]' - }, - 'GO:0080152': { - 'name': 'regulation of reductive pentose-phosphate cycle', - 'def': 'Any process that modulates the frequency, rate or extent of reductive pentose-phosphate cycle. [PMID:17031544]' - }, - 'GO:0080153': { - 'name': 'negative regulation of reductive pentose-phosphate cycle', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the reductive pentose-phosphate cycle. [PMID:17031544, PMID:20399532]' - }, - 'GO:0080154': { - 'name': 'regulation of fertilization', - 'def': 'Any process that modulates the rate, frequency or extent of fertilization. Fertilization is the union of gametes of opposite sexes during the process of sexual reproduction to form a zygote. It involves the fusion of the gametic nuclei (karyogamy) and cytoplasm (plasmogamy). [GOC:DHL, PMID:20478994]' - }, - 'GO:0080155': { - 'name': 'regulation of double fertilization forming a zygote and endosperm', - 'def': 'Any process that modulates the rate, frequency or extent of double fertilization forming a zygote and endosperm. Double fertilization forming a zygote and endosperm is a type of fertilization where one of the two sperm nuclei from the pollen tube fuses with the egg nucleus to form a 2n zygote, and the other fuses with the two polar nuclei to form the 3n primary endosperm nucleus and then develops into the endosperm. The ploidy level of the 2n zygote and 3n primary endosperm nucleus is determined by the ploidy level of the parents involved. An example of this component is found in Arabidopsis thaliana. [GOC:DHL, PMID:20478994]' - }, - 'GO:0080156': { - 'name': 'mitochondrial mRNA modification', - 'def': 'The covalent alteration within the mitochondrion of one or more nucleotides within an mRNA to produce an mRNA molecule with a sequence that differs from that coded genetically. [PMID:20566637]' - }, - 'GO:0080157': { - 'name': 'regulation of plant-type cell wall organization or biogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving plant-type cell wall organization or biogenesis. Plant-type cell wall organization or biogenesis is a process that results in the biosynthesis of constituent macromolecules, assembly, arrangement of constituent parts, or disassembly of a cellulose- and pectin-containing cell wall. [PMID:20530756]' - }, - 'GO:0080158': { - 'name': 'chloroplast ribulose bisphosphate carboxylase complex biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a chloroplast ribulose bisphosphate carboxylase (RubisCO) complex. Includes the synthesis of the constituent protein molecules, and those protein modifications that are involved in synthesis or assembly of the complex. [PMID:20561259]' - }, - 'GO:0080159': { - 'name': 'zygote elongation', - 'def': 'The process in which the zygote irreversibly increases in size in one dimension after fertilization. An example of such a process is found in Arabidopsis thaliana. [GOC:tb]' - }, - 'GO:0080160': { - 'name': 'selenate transport', - 'def': 'The directed movement of selenate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [PMID:18761637]' - }, - 'GO:0080161': { - 'name': 'auxin transmembrane transporter activity', - 'def': 'Enables the transfer of auxins from one side of the membrane to the other. Auxins are plant hormones that regulate aspects of plant growth. [PMID:19506555]' - }, - 'GO:0080162': { - 'name': 'intracellular auxin transport', - 'def': 'The directed movement of auxins within a cell. Auxins are a group of plant hormones that regulates aspects of plant growth. [PMID:19506555]' - }, - 'GO:0080163': { - 'name': 'regulation of protein serine/threonine phosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of protein serine/threonine phosphatase activity: catalysis of the reaction: protein serine/threonine phosphate + H2O = protein serine/threonine + phosphate. [PMID:19407142]' - }, - 'GO:0080164': { - 'name': 'regulation of nitric oxide metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving nitric oxide, nitrogen monoxide (NO), a colorless gas only slightly soluble in water. [GOC:DHL]' - }, - 'GO:0080165': { - 'name': 'callose deposition in phloem sieve plate', - 'def': 'Any process in which callose is transported to, and/or maintained in, phloem sieve plate. Callose is a linear 1,3-beta-d-glucan formed from UDP-glucose and is found in certain plant cell walls. [PMID:19470642]' - }, - 'GO:0080166': { - 'name': 'stomium development', - 'def': 'The process whose specific outcome is the progression of the stomium over time, from its formation to the mature structure. A stomium is a fissure or pore in the anther lobe through which the pollen is released. [GOC:tb]' - }, - 'GO:0080167': { - 'name': 'response to karrikin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a karrikin stimulus. Karrikins are signaling molecules in smoke from burning vegetation that trigger seed germination for many angiosperms (flowering plants). [PMID:20351290]' - }, - 'GO:0080168': { - 'name': 'abscisic acid transport', - 'def': 'The directed movement of abscisic acid into, out of, within or between cells by means of some external agent such as a transporter or pore. [PMID:20133881]' - }, - 'GO:0080169': { - 'name': 'cellular response to boron-containing substance deprivation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of boron obtained from boron-containing substances. [PMID:20059736]' - }, - 'GO:0080170': { - 'name': 'hydrogen peroxide transmembrane transport', - 'def': 'The process in which hydrogen peroxide is transported from one side of a membrane to the other. This process includes the actual movement of the solute, and any regulation and preparatory steps, such as reduction of the solute. [GOC:tb]' - }, - 'GO:0080171': { - 'name': 'lytic vacuole organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a lytic vacuole. [PMID:20729380]' - }, - 'GO:0080172': { - 'name': 'petal epidermis patterning', - 'def': 'The regionalization process that regulates the coordinated growth and establishes the non-random spatial arrangement of the cells in the petal epidermis. [GOC:tb]' - }, - 'GO:0080173': { - 'name': 'male-female gamete recognition during double fertilization', - 'def': 'The initial contact step made between the male gamete and the female gamete during double fertilization. An example can be found in Arabidopsis thaliana. [PMID:21123745]' - }, - 'GO:0080175': { - 'name': 'phragmoplast microtubule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of structures formed of microtubules and associated proteins in phragmoplast, a plant cell specific structure that forms during late cytokinesis. Phragmoplast serves as a scaffold for cell plate assembly and subsequent formation of a new cell wall separating the two daughter cells. [PMID:19383896]' - }, - 'GO:0080176': { - 'name': 'xyloglucan 1,6-alpha-xylosidase activity', - 'def': 'Catalysis of the hydrolysis of xyloglucan side chains so as to remove unsubstituted D-xylose residues attached to the glucose located at the non-reducing terminus. [PMID:20801759]' - }, - 'GO:0080177': { - 'name': 'plastoglobule organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the plastoglobule. Plastoglobule is a lipoprotein particle present in chloroplasts. They are rich in non-polar lipids (triglycerides, esters) as well as in prenylquinones, plastoquinone and tocopherols. Plastoglobules are often associated with thylakoid membranes, suggesting an exchange of lipids with thylakoids. [PMID:20813909]' - }, - 'GO:0080178': { - 'name': '5-carbamoylmethyl uridine residue modification', - 'def': 'The chemical reactions and pathways involving the addition of a 5-carbamoylmethyl group to a uridine residue in RNA. [GOC:dph, GOC:tb]' - }, - 'GO:0080179': { - 'name': '1-methylguanosine metabolic process', - 'def': 'The chemical reactions and pathways involving 1-methylguanosine. [GOC:tb]' - }, - 'GO:0080180': { - 'name': '2-methylguanosine metabolic process', - 'def': 'The chemical reactions and pathways involving 2-methylguanosine. [GOC:tb]' - }, - 'GO:0080181': { - 'name': 'lateral root branching', - 'def': 'Any process involved in the formation of branches in lateral roots. [GOC:tb]' - }, - 'GO:0080182': { - 'name': 'histone H3-K4 trimethylation', - 'def': 'The modification of histone H3 by addition of three methyl groups to lysine at position 4 of the histone. [GOC:BHF, GOC:se, GOC:tb]' - }, - 'GO:0080183': { - 'name': 'response to photooxidative stress', - 'def': 'Any process that results in a change in state or activity of a cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as the result of a photooxidative stress, the light-dependent generation of active oxygen species. The process begins with detection of the stimulus and ends with a change in state or activity or the cell or organism. [DOI:10.1111/j.1399-3054.1994.tb03042.x]' - }, - 'GO:0080184': { - 'name': 'response to phenylpropanoid', - 'def': 'Any process that results in a change in state or activity of a cell or organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as the result of a phenylpropanoid stimulus. The process begins with detection of the stimulus and ends with a change in state or activity or the cell or organism. A phenylpropanoid is any of secondary metabolites with structures based on a phenylpropane skeleton. The class includes phenylpropanoid esters, flavonoids, anthocyanins, coumarins and many small phenolic molecules. Phenylpropanoids are also precursors of lignin. [CHEBI:26004, GOC:tb]' - }, - 'GO:0080185': { - 'name': 'effector dependent induction by symbiont of host immune response', - 'def': 'Any process that involves recognition of an effector, and by which an organism activates, maintains or increases the frequency, rate or extent of the immune response of the host organism; the immune response is any immune system process that functions in the calibrated response of an organism to a potential internal or invasive threat. The host is defined as the larger of the organisms involved in a symbiotic interaction. Effectors are proteins secreted into the host cell by pathogenic microbes, presumably to alter host immune response signaling. The best characterized effectors are bacterial effectors delivered into the host cell by type III secretion system (TTSS). Effector-triggered immunity (ETI) involves the direct or indirect recognition of an effector protein by the host (for example through plant resistance or R proteins) and subsequent activation of host immune response. [GOC:DHL, PMID:16497589]' - }, - 'GO:0080186': { - 'name': 'developmental vegetative growth', - 'def': 'The increase in size or mass of non-reproductive plant parts. [PO:0007134]' - }, - 'GO:0080187': { - 'name': 'floral organ senescence', - 'def': 'An organ senescence that has as a participant a floral organ. [PMID:21689171, PO:0025395]' - }, - 'GO:0080188': { - 'name': 'RNA-directed DNA methylation', - 'def': 'An epigenetic RNA-based gene silencing process first elucidated in plants whereby 24-nt small interfering RNAs (siRNAs) guide DNA methyltransferases to the siRNA-generating genomic loci and other loci that are homologous to the siRNAs for de novo DNA methylation. In general this process consists of three phases: biogenesis of siRNAs, scaffold RNA production, and the formation of the guiding complex that recruits de novo DNA methyltransferases to the target loci. [PMID:21420348]' - }, - 'GO:0080189': { - 'name': 'primary growth', - 'def': 'Growth of a plant structure from the time of its initiation by an apical meristem until its expansion is completed. [ISBN:0471245208]' - }, - 'GO:0080190': { - 'name': 'lateral growth', - 'def': 'Growth of a plant axis (shoot axis or root) that originates from a lateral meristem. [PO:0020145]' - }, - 'GO:0080191': { - 'name': 'secondary thickening', - 'def': 'Lateral growth of a plant axis (shoot axis or root) that is an increase in thickness resulting from formation of tissue from a secondary thickening meristem. [ISBN:0080374903, JSTOR:4354165, PO:0025004, PO:0025414]' - }, - 'GO:0080192': { - 'name': 'primary thickening', - 'def': 'Lateral growth of a plant axis (shoot axis or root) that is an increase in thickness resulting from the activity of a primary thickening meristem. [ISBN:0471245208, JSTOR:4354165, PO:0005039, PO:0025004]' - }, - 'GO:0080193': { - 'name': 'diffuse secondary thickening', - 'def': 'Lateral growth of the older parts of a stem that occurs when the central parenchyma cells and the not yet fully differentiated fiber cells of the bundle sheaths continue to undergo cell division and expansion for a long period of time, leading to an increase in girth of the stem. [ISBN:0080374903]' - }, - 'GO:0085000': { - 'name': 'modification by symbiont of host morphology or physiology via protein secreted by type V secretion system', - 'def': 'The process in which an organism effects a change in the structure or function of its host organism, mediated by a substance secreted by a type V secretion system in the organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085001': { - 'name': 'formation by symbiont of stylet for nutrient acquisition from host', - 'def': 'The assembly by a symbiont of a stylet, a hollow protrusible spear-like structure projected into the host cell for the purpose of obtaining nutrients from its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085002': { - 'name': 'interaction with host mediated by secreted substance released by symbiont from symbiotic structure', - 'def': 'An interaction with the host organism mediated by a symbiont secreted substance released by specialized structures generated in either organisms as a result of the symbiotic interaction. The term host is used for the larger (macro) of the two members of a symbiosis. [GOC:pamgo_curators]' - }, - 'GO:0085003': { - 'name': 'interaction with host via secreted substance released from stylet', - 'def': 'An interaction with the host organism mediated by a substance released by the other (symbiont) organism via the stylet, a hollow protrusible spear-like structure in the symbiont. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085004': { - 'name': 'interaction with host via secreted substance released from haustorium', - 'def': "An interaction with the host organism mediated by a substance released by the other (symbiont) organism via the haustorium, a projection from a cell or tissue that penetrates the host's cell wall. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0085005': { - 'name': 'interaction with host via secreted substance released from invasive hyphae', - 'def': 'An interaction with the host organism mediated by a substance released by the other (symbiont) organism via invasive hyphae. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085006': { - 'name': 'interaction with host mediated by symbiont secreted substance released from symbiont-containing vacuole', - 'def': 'An interaction with the host organism mediated by a substance released by the other (symbiont) organism via a symbiont-containing vacuole, a specialized sac within the host in which the symbiont resides. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085007': { - 'name': 'interaction with host via secreted substance released from rhoptry', - 'def': 'An interaction with the host organism mediated by a substance released by the other (symbiont) organism via the rhoptry, a large, club-shaped secretory organelle that forms part of the apical complex of an apicomplexan parasite. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085008': { - 'name': 'interaction with host via secreted substance released from microneme', - 'def': 'An interaction with the host organism mediated by a substance released by the other (symbiont) organism via the microneme, a small, elongated secretory organelle that forms part of the apical complex of an apicomplexan parasite. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085009': { - 'name': "interaction with host mediated by symbiont secreted substance released from Maurer's cleft", - 'def': "An interaction with the host organism mediated by a substance released by the other (symbiont) organism via Maurer's cleft. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]" - }, - 'GO:0085010': { - 'name': 'interaction with host mediated by secreted substance entering host via endocytosis', - 'def': 'An interaction with the host organism mediated by a secreted substance from the symbiont entering host cells via endocytosis of the substance. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085011': { - 'name': 'interaction with host via protein secreted by Sec complex', - 'def': 'An interaction with the host organism mediated by a substance secreted by the symbiont organism by a Sec complex. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085012': { - 'name': 'interaction with host via protein secreted by Tat complex', - 'def': 'An interaction with the host organism mediated by a substance secreted by the symbiont organism by a Tat complex. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085013': { - 'name': 'interaction with host via protein secreted by type VII secretion system', - 'def': 'An interaction with the host organism mediated by a substance secreted by the symbiont organism by a type VII secretion system. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085014': { - 'name': 'dormancy entry of symbiont in host', - 'def': 'Entry into a dormant state of the symbiont within the host organism. [GOC:jl]' - }, - 'GO:0085015': { - 'name': 'dormancy maintenance of symbiont in host', - 'def': 'Any process in which a dormant state is maintained by the symbiont within the host organism. [GOC:jl]' - }, - 'GO:0085016': { - 'name': 'dormancy exit of symbiont in host', - 'def': 'Exit from dormant state, also known as resuscitation, of the symbiont within the host organism. [GOC:jl]' - }, - 'GO:0085017': { - 'name': 'symbiont entry into host cell forming a symbiont-containing vacuole', - 'def': 'The invasion by a symbiont of a cell of its host organism, forming a vacuole in which the parasite resides. The vacuole membrane is formed from lipids and proteins derived from both host and symbiont. Begins when the symbiont attaches on to the host cell membrane which invaginates and deepens as the symbiont enters, and ends when the host cell membrane closes behind the newly-formed vacuole. [GOC:jl, PMID:18665841, PMID:8690024, PMID:9580555]' - }, - 'GO:0085018': { - 'name': 'maintenance of symbiont-containing vacuole by host', - 'def': 'The process in which a host organism maintains the structure and function of a symbiont-containing vacuole. The symbiont-containing vacuole is a membrane-bounded vacuole within a host cell in which a symbiont organism resides, and can serve to reduce pathogenicity of invading symbionts by restricting them to the vacuolar compartment. [GOC:jl, GOC:yaf, PMID:18665841]' - }, - 'GO:0085019': { - 'name': 'formation by symbiont of a tubovesicular network for nutrient acquisition from host', - 'def': 'The assembly of a symbiont-induced complex organelle that comprises of multiple protein and lipid domains for the purpose of obtaining nutrients from its host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085020': { - 'name': 'protein K6-linked ubiquitination', - 'def': 'A protein ubiquitination process in which a polymer of ubiquitin, formed by linkages between lysine residues at position 6 of the ubiquitin monomers, is added to a protein. K6-linked ubiquitination is involved in DNA repair. [GOC:sp]' - }, - 'GO:0085021': { - 'name': 'modification by symbiont of host morphology or physiology via protein secreted by type I secretion system', - 'def': 'The process in which an organism effects a change in the structure or function of its host organism, mediated by a substance secreted by a type I secretion system in the organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085022': { - 'name': 'modification by symbiont of host morphology or physiology via protein secreted by type VI secretion system', - 'def': 'The process in which an organism effects a change in the structure or function of its host organism, mediated by a substance secreted by a type VI secretion system in the organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085023': { - 'name': 'modification by symbiont of host morphology or physiology via protein secreted by type VII secretion system', - 'def': 'The process in which an organism effects a change in the structure or function of its host organism, mediated by a substance secreted by a type VII secretion system in the organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085024': { - 'name': 'modification by symbiont of host morphology or physiology via protein secreted by Sec complex', - 'def': 'The process in which an organism (symbiont) effects a change in the structure or function of its host organism, mediated by a substance secreted by the Sec complex in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085025': { - 'name': 'modification by symbiont of host morphology or physiology via protein secreted by Tat complex', - 'def': 'The process in which an organism (symbiont) effects a change in the structure or function of its host organism, mediated by a substance secreted by the Tat complex in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085026': { - 'name': 'tubovesicular membrane network', - 'def': 'A complex, symbiont-induced host-derived organelle that is comprised of multiple protein and lipid domains. [GOC:pamgo_curators]' - }, - 'GO:0085027': { - 'name': 'entry into host via enzymatic degradation of host anatomical structure', - 'def': 'Penetration by symbiont of a host anatomical structure which provides a barrier to symbiont entry, mediated by symbiont degradative enzymes. [GOC:pamgo_curators]' - }, - 'GO:0085028': { - 'name': 'entry into host via enzymatic degradation of host cuticle', - 'def': 'Penetration by symbiont of host physical barriers, mediated by symbiont degradative enzymes. [GOC:pamgo_curators]' - }, - 'GO:0085029': { - 'name': 'extracellular matrix assembly', - 'def': 'The aggregation, arrangement and bonding together of the extracellular matrix. [GOC:jl]' - }, - 'GO:0085030': { - 'name': 'mutualism', - 'def': 'An interaction between two organisms living together in more or less intimate association in a relationship in which both organisms benefit from each other. [GOC:pamgo_curators]' - }, - 'GO:0085031': { - 'name': 'commensalism', - 'def': 'An interaction between two organisms living together in more or less intimate association in a relationship in which one benefits and the other is unaffected. [GOC:pamgo_curators]' - }, - 'GO:0085032': { - 'name': 'modulation by symbiont of host I-kappaB kinase/NF-kappaB cascade', - 'def': 'Any process in which an organism modulates the frequency, rate or extent of host NF-kappaB-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085033': { - 'name': 'positive regulation by symbiont of host I-kappaB kinase/NF-kappaB cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of host NF-kappaB-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085034': { - 'name': 'negative regulation by symbiont of host I-kappaB kinase/NF-kappaB cascade', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of host NF-kappaB-mediated signal transduction pathways during the host defense response. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:pamgo_curators]' - }, - 'GO:0085035': { - 'name': 'haustorium', - 'def': "A projection from a cell or tissue that penetrates the host's cell wall and invaginates the host cell membrane. [GOC:pamgo_curators]" - }, - 'GO:0085036': { - 'name': 'extrahaustorial matrix', - 'def': 'The space between the symbiont plasma membrane and the extrahaustorial membrane of the host. [GOC:pamgo_curators]' - }, - 'GO:0085037': { - 'name': 'extrahaustorial membrane', - 'def': 'The membrane surrounding the symbiont haustorium during symbiosis, derived from the host plasma membrane. [GOC:pamgo_curators]' - }, - 'GO:0085039': { - 'name': 'extra-invasive hyphal membrane', - 'def': 'A host-derived membrane surrounding the symbiont invasive hypha during symbiosis. [GOC:pamgo_curators]' - }, - 'GO:0085040': { - 'name': 'extra-invasive hyphal space', - 'def': 'The space between the symbiont plasma membrane and the extra-invasive hyphal membrane. [GOC:pamgo_curators]' - }, - 'GO:0085041': { - 'name': 'arbuscule', - 'def': 'Highly branched symbiont haustoria within host root cortex cells, responsible for nutrient exchange. [GOC:pamgo_curators]' - }, - 'GO:0085042': { - 'name': 'periarbuscular membrane', - 'def': 'A host-derived membrane surrounding the symbiont arbuscule during symbiosis. [GOC:pamgo_curators]' - }, - 'GO:0085044': { - 'name': 'disassembly by symbiont of host cuticle', - 'def': 'The process in which a symbiont organism effects a breakdown of the host organism cuticle. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:jl, GOC:pamgo_curators]' - }, - 'GO:0086001': { - 'name': 'cardiac muscle cell action potential', - 'def': 'An action potential that occurs in a cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086002': { - 'name': 'cardiac muscle cell action potential involved in contraction', - 'def': 'An action potential that occurs in a cardiac muscle cell and is involved in its contraction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086003': { - 'name': 'cardiac muscle cell contraction', - 'def': 'The actin filament-based process in which cytoplasmic actin filaments slide past one another resulting in contraction of a cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086004': { - 'name': 'regulation of cardiac muscle cell contraction', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle cell contraction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086005': { - 'name': 'ventricular cardiac muscle cell action potential', - 'def': 'An action potential that occurs in a ventricular cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086006': { - 'name': 'voltage-gated sodium channel activity involved in cardiac muscle cell action potential', - 'def': 'Enables the transmembrane transfer of a sodium ion by a voltage-gated channel through the plasma membrane of a cardiac muscle cell contributing to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086007': { - 'name': 'voltage-gated calcium channel activity involved in cardiac muscle cell action potential', - 'def': 'Enables the transmembrane transfer of a calcium ion by a voltage-gated channel across the plasma membrane of a cardiac muscle cell that contributes to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086008': { - 'name': 'voltage-gated potassium channel activity involved in cardiac muscle cell action potential repolarization', - 'def': 'Enables the transmembrane transfer of a potassium ion by a voltage-gated channel through the plasma membrane of a cardiac muscle cell contributing to the repolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086009': { - 'name': 'membrane repolarization', - 'def': 'The process in which ions are transported across a membrane such that the membrane potential changes in the repolarizing direction, toward the steady state potential. For example, the repolarization during an action potential is from a positive membrane potential towards a negative resting potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086010': { - 'name': 'membrane depolarization during action potential', - 'def': 'The process in which membrane potential changes in the depolarizing direction from the negative resting potential towards the positive membrane potential that will be the peak of the action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086011': { - 'name': 'membrane repolarization during action potential', - 'def': 'The process in which ions are transported across a membrane such that the membrane potential changes in the direction from the positive membrane potential at the peak of the action potential towards the negative resting potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086012': { - 'name': 'membrane depolarization during cardiac muscle cell action potential', - 'def': 'The process in which cardiac muscle cell membrane potential changes in the depolarizing direction from the negative resting potential towards the positive membrane potential that will be the peak of the action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086013': { - 'name': 'membrane repolarization during cardiac muscle cell action potential', - 'def': 'The process in which ions are transported across a membrane such that the cardiac muscle cell plasma membrane potential changes in the direction from the positive membrane potential at the peak of the action potential towards the negative resting potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086014': { - 'name': 'atrial cardiac muscle cell action potential', - 'def': 'An action potential that occurs in an atrial cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086015': { - 'name': 'SA node cell action potential', - 'def': 'An action potential that occurs in a sinoatrial node cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086016': { - 'name': 'AV node cell action potential', - 'def': 'An action potential that occurs in an atrioventricular node cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086017': { - 'name': 'Purkinje myocyte action potential', - 'def': 'An action potential that occurs in a Purkinje myocyte. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086018': { - 'name': 'SA node cell to atrial cardiac muscle cell signalling', - 'def': 'Any process that mediates the transfer of information from an SA node cardiomyocyte to an atrial cardiomyocyte. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086019': { - 'name': 'cell-cell signaling involved in cardiac conduction', - 'def': 'Any process that mediates the transfer of information from one cell to another and contributes to the heart process that regulates cardiac muscle contraction; beginning with the generation of an action potential in the sinoatrial node and ending with regulation of contraction of the myocardium. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086020': { - 'name': 'gap junction channel activity involved in SA node cell-atrial cardiac muscle cell electrical coupling', - 'def': 'A wide pore channel activity that enables a direct cytoplasmic connection from an SA node cell to an atrial cardiomyocyte. The gap junction passes electrical signals between the cells contributing to cardiac conduction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086021': { - 'name': 'SA node cell to atrial cardiac muscle cell communication by electrical coupling', - 'def': 'The process that mediates signaling interactions between an SA node cardiomyocyte and an atrial cardiomyocyte by transfer of current between their adjacent cytoplasms via intercellular protein channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086022': { - 'name': 'SA node cell-atrial cardiac muscle cell adhesion involved in cell communication', - 'def': 'The attachment of SA node cardiomyocyte to an atrial cardiomyocyte via adhesion molecules that results in the cells being juxtaposed so that they can communicate. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086023': { - 'name': 'adrenergic receptor signaling pathway involved in heart process', - 'def': 'A series of molecular signals beginning with a G-protein coupled adrenergic cell surface receptor combining with epinephrine or norepinephrine, which contributes to a circulatory system process carried out by the heart. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086024': { - 'name': 'adrenergic receptor signaling pathway involved in positive regulation of heart rate', - 'def': 'An adrenergic receptor signaling pathway that contributes to an increase in frequency or rate of heart contraction. Binding of adrenalin or noradrenalin to a beta-adrenergic receptor on the surface of the signal-receiving cell results in the activation of an intracellular Gs protein. Gs activates adenylate cyclase to increase intracellular cyclic-AMP (cAMP) levels. cAMP binds directly to F-channels to allow an inward flow of sodium (known as funny current, or If current). The funny current is responsible for membrane depolarization and an increase in heart rate. [GOC:bf, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:21099118]' - }, - 'GO:0086026': { - 'name': 'atrial cardiac muscle cell to AV node cell signaling', - 'def': 'Any process that mediates the transfer of information from an atrial cardiomyocyte to an AV node cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086027': { - 'name': 'AV node cell to bundle of His cell signaling', - 'def': 'Any process that mediates the transfer of information from an AV node cardiac muscle cell to a bundle of His cardiomyocyte. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086028': { - 'name': 'bundle of His cell to Purkinje myocyte signaling', - 'def': 'Any process that mediates the transfer of information from a bundle of His cardiomyocyte to a Purkinje myocyte. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086029': { - 'name': 'Purkinje myocyte to ventricular cardiac muscle cell signaling', - 'def': 'Any process that mediates the transfer of information from a Purkinje myocyte to a ventricular cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086030': { - 'name': 'adrenergic receptor signaling pathway involved in cardiac muscle relaxation', - 'def': 'An adrenergic receptor signaling pathway that contributes to a reduction in cardiac muscle contraction. Beta-adrenergic receptor-induced cardiac relaxation is achieved by a GPCR-activated adenylate cyclase generating cAMP; cAMP then activates the cAMP-dependent protein kinase A (PKA), which phosphorylates the sarcoplasmic reticulum (SR) membrane protein PLB. In its non-phosphorylated state, PLB acts as an inhibitor of the ATPase Ca(2+) pump of the cardiac SR (SERCA2a); inhibition of the pump is relieved upon phosphorylation. The pump removes Ca(2+) from the cytoplasm, thereby preventing cytosolic Ca(2+)-dependent activation of contractile proteins, leading to enhanced muscle relaxation. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:10571541]' - }, - 'GO:0086033': { - 'name': 'G-protein coupled acetylcholine receptor signaling pathway involved in negative regulation of heart rate', - 'def': 'A G-protein coupled acetylcholine receptor signaling pathway that contributes to a decrease in frequency or rate of heart contraction. Binding of acetylcholine to a G-protein coupled (muscarinic) receptor on the surface of the signal-receiving cell results in the alpha subunit of a coupled G-protein binding to GTP. This results in the separation of the beta-gamma complex from the alpha subunit. Both the alpha subunit, and the beta-gamma complex can continue to signal to bring about membrane hyperpolarization and a reduction in heart rate. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, Wikipedia:G_protein-gated_ion_channel]' - }, - 'GO:0086036': { - 'name': 'regulation of cardiac muscle cell membrane potential', - 'def': 'Any process that modulates the establishment or extent of a membrane potential in a cardiac muscle cell (a cardiomyocyte). A membrane potential is the electric potential existing across any membrane arising from charges in the membrane itself and from the charges present in the media on either side of the membrane. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086037': { - 'name': 'sodium:potassium-exchanging ATPase activity involved in regulation of cardiac muscle cell membrane potential', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + Na+(in) + K+(out) = ADP + phosphate + Na+(out) + K+(in), that contributes to regulating the membrane potential of a cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086038': { - 'name': 'calcium:sodium antiporter activity involved in regulation of cardiac muscle cell membrane potential', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: Ca2+(in) + Na+(out) = Ca2+(out) + Na+(in), which contributes to regulating the membrane potential of a cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086039': { - 'name': 'calcium-transporting ATPase activity involved in regulation of cardiac muscle cell membrane potential', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a cardiac muscle cell plasma membrane to the other according to the reaction: ATP + H2O + Ca2+(cis) = ADP + phosphate + Ca2+(trans). The transfer contributes to the regulation of the plasma membrane potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086040': { - 'name': 'sodium:proton antiporter activity involved in regulation of cardiac muscle cell membrane potential', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a cardiac muscle cell membrane to the other according to the reaction: Na+(out) + H+(in) = Na+(in) + H+(out). This transfer contributes to the regulation of the cardiac muscle cell plasma membrane potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086041': { - 'name': 'voltage-gated potassium channel activity involved in SA node cell action potential depolarization', - 'def': 'Enables the transmembrane transfer of a potassium ion by a voltage-gated channel through the plasma membrane of an SA node cardiac muscle cell contributing to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086042': { - 'name': 'cardiac muscle cell-cardiac muscle cell adhesion', - 'def': 'The attachment of one cardiomyocyte to another cardiomyocyte via adhesion molecules. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086043': { - 'name': 'bundle of His cell action potential', - 'def': 'An action potential that occurs in a bundle of His cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086044': { - 'name': 'atrial cardiac muscle cell to AV node cell communication by electrical coupling', - 'def': 'The process that mediates signaling interactions between an atrial cardiomyocyte and an AV node cell by transfer of current between their adjacent cytoplasms via intercellular protein channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086045': { - 'name': 'membrane depolarization during AV node cell action potential', - 'def': 'The process in which AV node cardiac muscle cell membrane potential changes in the depolarizing direction from the negative resting potential towards the positive membrane potential that will be the peak of the action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086046': { - 'name': 'membrane depolarization during SA node cell action potential', - 'def': 'The process in which SA node cardiac muscle cell membrane potential changes in the depolarizing direction from the negative resting potential towards the positive membrane potential that will be the peak of the action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086047': { - 'name': 'membrane depolarization during Purkinje myocyte cell action potential', - 'def': 'The process in which Purkinje myocyte membrane potential changes in the depolarizing direction from the negative resting potential towards the positive membrane potential that will be the peak of the action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086048': { - 'name': 'membrane depolarization during bundle of His cell action potential', - 'def': 'The process in which bundle of His cardiac muscle cell membrane potential changes in the depolarizing direction from the negative resting potential towards the positive membrane potential that will be the peak of the action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086049': { - 'name': 'membrane repolarization during AV node cell action potential', - 'def': 'The process in which ions are transported across a membrane such that the AV node cardiac muscle cell membrane potential changes in the direction from the positive membrane potential at the peak of the action potential towards the negative resting potential. [GOC:BHF, GOC:dph, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086050': { - 'name': 'membrane repolarization during bundle of His cell action potential', - 'def': 'The process in which ions are transported across a membrane such that the bundle of His cardiac muscle cell membrane potential changes in the direction from the positive membrane potential at the peak of the action potential towards the negative resting potential. [GOC:BHF, GOC:dph, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086051': { - 'name': 'membrane repolarization during Purkinje myocyte action potential', - 'def': 'The process in which ions are transported across a membrane such that the Purkinje myocyte membrane potential changes in the direction from the positive membrane potential at the peak of the action potential towards the negative resting potential. [GOC:BHF, GOC:dph, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086052': { - 'name': 'membrane repolarization during SA node cell action potential', - 'def': 'The process in which an SA node cardiac muscle cell membrane potential changes in the direction from the positive membrane potential at the peak of the action potential towards the negative resting potential. [GOC:BHF, GOC:dph, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086053': { - 'name': 'AV node cell to bundle of His cell communication by electrical coupling', - 'def': 'The process that mediates signaling interactions between an AV node cardiomyocyte and a bundle of His cardiac muscle cell by transfer of current between their adjacent cytoplasms via intercellular protein channels. [GOC:BHF, GOC:dph, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086054': { - 'name': 'bundle of His cell to Purkinje myocyte communication by electrical coupling', - 'def': 'The process that mediates signaling interactions between a bundle of His cardiac muscle cell and a Purkinje myocyte by transfer of current between their adjacent cytoplasms via intercellular protein channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086055': { - 'name': 'Purkinje myocyte to ventricular cardiac muscle cell communication by electrical coupling', - 'def': 'The process that mediates signaling interactions between a Purkinje myocyte and a ventricular cardiac muscle cell by transfer of current between their adjacent cytoplasms via intercellular protein channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086056': { - 'name': 'voltage-gated calcium channel activity involved in AV node cell action potential', - 'def': 'Enables the transmembrane transfer of a calcium ion by a voltage-gated channel across the plasma membrane of an AV node cardiac muscle cell that contributes to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086057': { - 'name': 'voltage-gated calcium channel activity involved in bundle of His cell action potential', - 'def': 'Enables the transmembrane transfer of a calcium ion by a voltage-gated channel across the plasma membrane of a bundle of His cardiac muscle cell that contributes to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086058': { - 'name': 'voltage-gated calcium channel activity involved in Purkinje myocyte cell action potential', - 'def': 'Enables the transmembrane transfer of a calcium ion by a voltage-gated channel across the plasma membrane of an Purkinje myocyte cell that contributes to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086059': { - 'name': 'voltage-gated calcium channel activity involved SA node cell action potential', - 'def': 'Enables the transmembrane transfer of a calcium ion by a voltage-gated channel across the plasma membrane of an SA node cardiac muscle cell that contributes to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086060': { - 'name': 'voltage-gated sodium channel activity involved in AV node cell action potential', - 'def': 'Enables the transmembrane transfer of a sodium ion by a voltage-gated channel through the plasma membrane of an AV node cardiac muscle cell contributing to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086061': { - 'name': 'voltage-gated sodium channel activity involved in bundle of His cell action potential', - 'def': 'Enables the transmembrane transfer of a sodium ion by a voltage-gated channel through the plasma membrane of a bundle of His cardiac muscle cell contributing to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086062': { - 'name': 'voltage-gated sodium channel activity involved in Purkinje myocyte action potential', - 'def': 'Enables the transmembrane transfer of a sodium ion by a voltage-gated channel through the plasma membrane of a Purkinje myocyte contributing to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086063': { - 'name': 'voltage-gated sodium channel activity involved in SA node cell action potential', - 'def': 'Enables the transmembrane transfer of a sodium ion by a voltage-gated channel through the plasma membrane of an SA node cardiac muscle cell contributing to the depolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086064': { - 'name': 'cell communication by electrical coupling involved in cardiac conduction', - 'def': 'The process that mediates signaling interactions between one cell and another cell by transfer of current between their adjacent cytoplasms via intercellular protein channels and contributes to the process of cardiac conduction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086065': { - 'name': 'cell communication involved in cardiac conduction', - 'def': 'Any process that mediates interactions between a cell and its surroundings that contributes to the process of cardiac conduction. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086066': { - 'name': 'atrial cardiac muscle cell to AV node cell communication', - 'def': 'The process that mediates interactions between an atrial cardiomyocyte and its surroundings that contributes to the process of the atrial cardiomyocyte communicating with an AV node cell in cardiac conduction. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086067': { - 'name': 'AV node cell to bundle of His cell communication', - 'def': 'The process that mediates interactions between an AV node cell and its surroundings that contributes to the process of the AV node cell communicating with a bundle of His cell in cardiac conduction. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086068': { - 'name': 'Purkinje myocyte to ventricular cardiac muscle cell communication', - 'def': 'The process that mediates interactions between a Purkinje myocyte and its surroundings that contributes to the process of the Purkinje myocyte communicating with a ventricular cardiac muscle cell in cardiac conduction. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086069': { - 'name': 'bundle of His cell to Purkinje myocyte communication', - 'def': 'The process that mediates interactions between a bundle of His cell and its surroundings that contributes to the process of the bundle of His cell communicating with a Purkinje myocyte in cardiac conduction. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086070': { - 'name': 'SA node cell to atrial cardiac muscle cell communication', - 'def': 'The process that mediates interactions between an SA node cardiomyocyte and its surroundings that contributes to the process of the SA node cardiomyocyte communicating with an atrial cardiomyocyte in cardiac conduction. Encompasses interactions such as signaling or attachment between one cell and another cell, between a cell and an extracellular matrix, or between a cell and any other aspect of its environment. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086071': { - 'name': 'atrial cardiac muscle cell-AV node cell adhesion involved in cell communication', - 'def': 'The attachment of an atrial cardiomyocyte to an AV node cell via adhesion molecules that results in the cells being juxtaposed so that they can communicate. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086072': { - 'name': 'AV node cell-bundle of His cell adhesion involved in cell communication', - 'def': 'The attachment of an AV node cell to an bundle of His cell via adhesion molecules that results in the cells being juxtaposed so that they can communicate. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086073': { - 'name': 'bundle of His cell-Purkinje myocyte adhesion involved in cell communication', - 'def': 'The attachment of a bundle of His cell to a Purkinje myocyte via adhesion molecules that results in the cells being juxtaposed so that they can communicate. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086074': { - 'name': 'Purkinje myocyte-ventricular cardiac muscle cell adhesion involved in cell communication', - 'def': 'The attachment of an Purkinje myocyte to a ventricular cardiac muscle cell via adhesion molecules that results in the cells being juxtaposed so that they can communicate. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086075': { - 'name': 'gap junction channel activity involved in cardiac conduction electrical coupling', - 'def': 'A wide pore channel activity that enables a direct cytoplasmic connection from one cardiomyocyte to an adjacent cardiomyocyte. The gap junction passes electrical signals between the cells contributing to cardiac conduction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086076': { - 'name': 'gap junction channel activity involved in atrial cardiac muscle cell-AV node cell electrical coupling', - 'def': 'A wide pore channel activity that enables a direct cytoplasmic connection from an atrial cardiomyocyte to an AV node cell. The gap junction passes electrical signals between the cells contributing to cardiac conduction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086077': { - 'name': 'gap junction channel activity involved in AV node cell-bundle of His cell electrical coupling', - 'def': 'A wide pore channel activity that enables a direct cytoplasmic connection from an AV node cell to a bundle of His cell. The gap junction passes electrical signals between the cells contributing to cardiac conduction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086078': { - 'name': 'gap junction channel activity involved in bundle of His cell-Purkinje myocyte electrical coupling', - 'def': 'A wide pore channel activity that enables a direct cytoplasmic connection from a bundle of His cell to a Purkinje myocyte. The gap junction passes electrical signals between the cells contributing to cardiac conduction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086079': { - 'name': 'gap junction channel activity involved in Purkinje myocyte-ventricular cardiac muscle cell electrical coupling', - 'def': 'A wide pore channel activity that enables a direct cytoplasmic connection from a Purkinje myocyte to a ventricular cardiac muscle cell. The gap junction passes electrical signals between the cells contributing to cardiac conduction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086080': { - 'name': 'protein binding involved in heterotypic cell-cell adhesion', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex contributing to the adhesion of two different types of cells. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086081': { - 'name': 'cell adhesive protein binding involved in atrial cardiac muscle cell-AV node cell communication', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex that results in the connection of an atrial cardiomyocyte with an AV node cell and contributes to the communication between the two cells. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086082': { - 'name': 'cell adhesive protein binding involved in AV node cell-bundle of His cell communication', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex that results in the connection of an AV node cell with a bundle of His cell and contributes to the communication between the two cells. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086083': { - 'name': 'cell adhesive protein binding involved in bundle of His cell-Purkinje myocyte communication', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex that results in the connection of a bundle of His cell with a Purkinje myocyte and contributes to the communication between the two cells. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086084': { - 'name': 'cell adhesive protein binding involved in Purkinje myocyte-ventricular cardiac muscle cell communication', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex that results in the connection of a Purkinje myocyte with an ventricular cardiac muscle cell and contributes to the communication between the two cells. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086085': { - 'name': 'cell adhesive protein binding involved in SA cardiac muscle cell-atrial cardiac muscle cell communication', - 'def': 'Interacting selectively and non-covalently with any protein or protein complex that results in the connection of an SA cardiomyocyte with an atrial cardiomyocyte and contributes to the communication between the two cells. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086086': { - 'name': 'voltage-gated potassium channel activity involved in AV node cell action potential repolarization', - 'def': 'Catalysis of the transmembrane transfer of a potassium ion by a voltage-gated channel through the plasma membrane of an AV node cardiac muscle cell contributing to the repolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086087': { - 'name': 'voltage-gated potassium channel activity involved in bundle of His cell action potential repolarization', - 'def': 'Enables the transmembrane transfer of a potassium ion by a voltage-gated channel through the plasma membrane of a bundle of His cell contributing to the repolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086088': { - 'name': 'voltage-gated potassium channel activity involved in Purkinje myocyte action potential repolarization', - 'def': 'Enables the transmembrane transfer of a potassium ion by a voltage-gated channel through the plasma membrane of a Purkinje myocyte contributing to the repolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086089': { - 'name': 'voltage-gated potassium channel activity involved in atrial cardiac muscle cell action potential repolarization', - 'def': 'Enables the transmembrane transfer of a potassium ion by a voltage-gated channel through the plasma membrane of an atrial cardiomyocyte contributing to the repolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086090': { - 'name': 'voltage-gated potassium channel activity involved in SA node cell action potential repolarization', - 'def': 'Enables the transmembrane transfer of a potassium ion by a voltage-gated channel through the plasma membrane of an SA node cell contributing to the repolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086091': { - 'name': 'regulation of heart rate by cardiac conduction', - 'def': 'A cardiac conduction process that modulates the frequency or rate of heart contraction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086092': { - 'name': 'regulation of the force of heart contraction by cardiac conduction', - 'def': 'A cardiac conduction process that modulates the extent of heart contraction, changing the force with which blood is propelled. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086093': { - 'name': 'G-protein coupled acetylcholine receptor signaling pathway involved in heart process', - 'def': 'A G-protein coupled acetylcholine receptor signaling pathway, which contributes to a circulatory system process carried out by the heart. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086094': { - 'name': 'positive regulation of ryanodine-sensitive calcium-release channel activity by adrenergic receptor signaling pathway involved in positive regulation of cardiac muscle contraction', - 'def': 'An adrenergic receptor signaling pathway that contributes to an increase in frequency or rate of cardiac muscle contraction through phosphorylation and enhancement of the ryanodine receptor, a calcium-activated calcium-release channel found in the membrane of the sarcoplasmic reticulum. An adrenergic receptor-activated adenylate cyclase generates cAMP. cAMP then activates the cAMP-dependent protein kinase A (PKA), which phosphorylates the ryanodine receptor (RyR). PKA-phosphorylation of RyR enhances channel activity by sensitizing the channel to cytosolic calcium. Cytosolic calcium stimulates contractile proteins to promote muscle contraction. [GOC:bf, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:21099118]' - }, - 'GO:0086095': { - 'name': 'positive regulation of IKACh channel activity by G-protein coupled acetylcholine receptor signaling pathway involved in negative regulation of heart rate', - 'def': 'A G-protein coupled acetylcholine receptor signaling pathway that contributes to a decrease in frequency or rate of heart contraction through activation of the IKACh potassium channel. Binding of acetylcholine to a G-protein coupled acetylcholine receptor (muscarinic receptor) on the surface of the signal-receiving cell results in liberation of the G-beta/gamma complex from the alpha subunit. The G-beta/gamma complex binds directly to the inward-rectifying potassium channel IKACh. Once the ion channel is activated, potassium ions (K+) flow out of the cell and cause it to hyperpolarize. In its hyperpolarized state, action potentials cannot be fired as quickly as possible, which slows the heart rate. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, Wikipedia:G_protein-gated_ion_channel]' - }, - 'GO:0086096': { - 'name': 'adenylate cyclase-inhibiting adrenergic receptor signaling pathway involved in heart process', - 'def': 'An adrenergic receptor signaling pathway which contributes to a circulatory system process carried out by the heart, where the activated adrenergic receptor transmits the signal by Gi-mediated inhibition of adenylate cyclase activity. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:10571541]' - }, - 'GO:0086097': { - 'name': 'phospholipase C-activating angiotensin-activated signaling pathway', - 'def': 'An angiotensin-mediated signaling pathway where the activated receptor transmits the signal via Gq-mediated activation of phospholipase C (PLC). PLC hydrolyses phosphatidylinositol 4,5-bisphosphate (PIP2) into the second messengers inositol-1,4,5,-triphosphate (IP3) and diacylglycerol (DAG). DAG activates protein kinase C (PKC), whilst IP3 binds intracellular receptors to induce the release of Ca2+ from intracellular stores. [GOC:bf, GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086098': { - 'name': 'angiotensin-activated signaling pathway involved in heart process', - 'def': 'An angiotensin receptor signaling pathway which contributes to a circulatory system process carried out by the heart. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:17376402]' - }, - 'GO:0086099': { - 'name': 'phospholipase C-activating angiotensin-activated signaling pathway involved in heart process', - 'def': 'An angiotensin-mediated signaling pathway that contributes to a circulatory system process carried out by the heart, where the activated receptor transmits the signal via Gq-mediated activation of phospholipase C (PLC). PLC hydrolyses phosphatidylinositol 4,5-bisphosphate (PIP2) into the second messengers inositol-1,4,5,-triphosphate (IP3) and diacylglycerol (DAG). DAG activates protein kinase C (PKC), whilst IP3 binds intracellular receptors to induce the release of Ca2+ from intracellular stores. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:17376402]' - }, - 'GO:0086100': { - 'name': 'endothelin receptor signaling pathway', - 'def': 'A series of molecular signals initiated by an endothelin receptor binding to one of its physiological ligands, and proceeding with the activated receptor promoting the exchange of GDP for GTP on the alpha-subunit of an associated heterotrimeric G-protein complex. Ends with regulation of a downstream cellular process, e.g. transcription. [GOC:bf, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:10977869]' - }, - 'GO:0086101': { - 'name': 'endothelin receptor signaling pathway involved in heart process', - 'def': 'An endothelin receptor signaling pathway which contributes to a circulatory system process carried out by the heart. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:17376402]' - }, - 'GO:0086102': { - 'name': 'adenylate cyclase-inhibiting G-protein coupled acetylcholine receptor signaling pathway involved in negative regulation of heart rate', - 'def': 'A G-protein coupled acetylcholine receptor signaling pathway that contributes to an decrease in frequency or rate of heart contraction through inhibition of adenylate cyclase (AC) activity. Binding of acetylcholine to a G-protein coupled (muscarinic) receptor on the surface of the signal-receiving cell results in the activation of an intracellular Gi/o protein. Gi/o inhibits adenylate cyclase to decrease cyclic-AMP (cAMP) levels. Since cAMP binds directly to F-channels to allow an inward flow of sodium (funny current, If current), a reduction in cAMP reduces the funny current to bring about membrane hyperpolarization and a decrease in heart rate. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0086103': { - 'name': 'G-protein coupled receptor signaling pathway involved in heart process', - 'def': 'An G-protein coupled receptor signaling pathway which contributes to a circulatory system process carried out by the heart. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:17376402]' - }, - 'GO:0089700': { - 'name': 'protein kinase D signaling', - 'def': 'A series of reactions, mediated by the intracellular serine/threonine kinase protein kinase D, which occurs as a result of a single trigger reaction or compound. [GOC:BHF, GOC:dos, GOC:mah]' - }, - 'GO:0089701': { - 'name': 'U2AF', - 'def': "A heterodimeric protein complex consisting of conserved large and small U2AF subunits that contributes to spliceosomal RNA splicing by binding to consensus sequences at the 3' splice site. U2AF is required to stabilize the association of the U2 snRNP with the branch point. [GOC:dos, GOC:mah, PMID:15231733, PMID:1538748, PMID:2963698, PMID:8657565]" - }, - 'GO:0089702': { - 'name': 'undecaprenyl-phosphate glucose phosphotransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucose + ditrans,octacis-undecaprenyl phosphate = UMP + alpha-D-glucopyranosyl-diphospho-ditrans,octacis-undecaprenol. [EC:2.7.8.31, GOC:dos, GOC:imk]' - }, - 'GO:0089703': { - 'name': 'L-aspartate transmembrane export from vacuole', - 'def': 'The directed movement of L-aspartate out of the vacuole, across the vacuolar membrane. [PMID:21307582]' - }, - 'GO:0089704': { - 'name': 'L-glutamate transmembrane export from vacuole', - 'def': 'The directed movement of L-glutamate out of the vacuole, across the vacuolar membrane. [PMID:21307582]' - }, - 'GO:0089705': { - 'name': 'protein localization to outer membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a specific location the cell outer membrane. [GOC:dos, PMID:12823819]' - }, - 'GO:0089706': { - 'name': 'L-ornithine transmembrane export from vacuole', - 'def': 'The directed movement of L-ornithine out of the vacuole, across the vacuolar membrane. [PMID:21307582]' - }, - 'GO:0089707': { - 'name': 'L-lysine transmembrane export from vacuole', - 'def': 'The directed movement of L-lysine out of the vacuole, across the vacuolar membrane. [PMID:21307582]' - }, - 'GO:0089708': { - 'name': 'L-histidine transmembrane export from vacuole', - 'def': 'The directed movement of L-histidine out of the vacuole, across the vacuolar membrane. [PMID:21307582]' - }, - 'GO:0089709': { - 'name': 'L-histidine transmembrane transport', - 'def': 'The directed movement of L-histidine across a membrane. [PMID:21307582]' - }, - 'GO:0089710': { - 'name': 'endocytic targeting sequence binding', - 'def': 'Interacting selectively and non-covalently with a endocytic signal sequence, a specific peptide sequence, of 4-6 amino acids with an essential tyrosine (Y), found on cytoplasmic tails of some cell surface membrane proteins, which directs internalization by clathrin-coated pits. [PMID:8918456]' - }, - 'GO:0089711': { - 'name': 'L-glutamate transmembrane transport', - 'def': 'The directed movement of L-glutamate across a membrane. [PMID:21307582]' - }, - 'GO:0089712': { - 'name': 'L-aspartate transmembrane transport', - 'def': 'The directed movement of L-aspartate across a membrane. [PMID:21307582]' - }, - 'GO:0089713': { - 'name': 'Cbf1-Met4-Met28 complex', - 'def': 'A heteromeric complex consisting of Cbf1 and basic leucine zipper (bZIP) containing transcriptional activators, Met4 and Met28, that forms over the sequence TCACGTG in the upstream activating sequence (UAS) of genes involved in sulfur amino acid metabolism, resulting in their transcriptional activation. [PMID:8665859, PMID:9171357]' - }, - 'GO:0089714': { - 'name': 'UDP-N-acetyl-D-mannosamine dehydrogenase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-alpha-D-mannosamine + 2 NAD+ + H2O = UDP-N-acetyl-alpha-D-mannosaminuronate + 2 NADH + 2 H+. [EC:1.1.1.336]' - }, - 'GO:0089715': { - 'name': 'tRNA m6t6A37 methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + tRNA containing N6-threonylcarbamoyladenosine = S-adenosyl-L-homocysteine + tRNA containing N6-methylthreonylcarbamoyladenosine. [PMID:25063302]' - }, - 'GO:0089716': { - 'name': 'Pip2-Oaf1 complex', - 'def': 'A heterodimeric complex consisting of Zn(2)Cys(6) containing transcription factors Pip2 and Oaf1. It binds to the oleate response element (ORE), found in the promoters of fatty acid-inducible genes in Saccharomyces where, in the presence of oleate this bound complex activates the transcription of genes encoding peroxisomal proteins. [PMID:8972187, PMID:9288897]' - }, - 'GO:0089717': { - 'name': 'spanning component of membrane', - 'def': 'The component of a membrane consisting of gene products and protein complexes that have some part that spans both leaflets of the membrane. [GOC:dos]' - }, - 'GO:0089718': { - 'name': 'amino acid import across plasma membrane', - 'def': 'The directed movement of an amino acid from outside of a cell, across the plasma membrane and into the cytosol. [GOC:krc, PMID:8195186]' - }, - 'GO:0089719': { - 'name': 'RHG protein domain binding', - 'def': 'Interacting selectively and non-covalently with an RHG (reaper/hid/grimm) domain/motif (AKA iap binding motif). [GOC:dos, GOC:ha]' - }, - 'GO:0089720': { - 'name': 'caspase binding', - 'def': 'Interacting selectively and non-covalently with a caspase family protein. [GOC:dos, GOC:ha]' - }, - 'GO:0089721': { - 'name': 'phosphoenolpyruvate transmembrane transporter activity', - 'def': 'Enables the transfer of a phosphoenolpyruvate from one side of a membrane to the other. [GOC:dos]' - }, - 'GO:0089722': { - 'name': 'phosphoenolpyruvate transmembrane transport', - 'def': 'The directed movement of phosphoenolpytuvate across a membrane. [GOC:dos]' - }, - 'GO:0090001': { - 'name': 'replication fork arrest at tRNA locus', - 'def': 'A process that impedes the progress of the DNA replication fork at natural replication fork pausing sites within the eukaryotic tRNA transcription unit. [GOC:dph, GOC:tb]' - }, - 'GO:0090002': { - 'name': 'establishment of protein localization to plasma membrane', - 'def': 'The directed movement of a protein to a specific location in the plasma membrane. [GOC:dph, GOC:tb]' - }, - 'GO:0090003': { - 'name': 'regulation of establishment of protein localization to plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of a protein to a specific location in the plasma membrane. [GOC:dph, GOC:tb]' - }, - 'GO:0090004': { - 'name': 'positive regulation of establishment of protein localization to plasma membrane', - 'def': 'Any process that increases the frequency, rate or extent of the directed movement of a protein to a specific location in the plasma membrane. [GOC:dph, GOC:tb]' - }, - 'GO:0090005': { - 'name': 'negative regulation of establishment of protein localization to plasma membrane', - 'def': 'Any process that decreases the frequency, rate or extent of the directed movement of a protein to a specific location in the plasma membrane. [GOC:dph, GOC:tb]' - }, - 'GO:0090006': { - 'name': 'regulation of linear element assembly', - 'def': 'Any process that modulates the rate, frequency or extent of linear element assembly. Linear element assembly is the cell cycle process in which a proteinaceous scaffold, related to the synaptonemal complex, is assembled in association with S. pombe chromosomes during meiotic prophase. [GOC:tb]' - }, - 'GO:0090007': { - 'name': 'obsolete regulation of mitotic anaphase', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of mitotic anaphase, a cell cycle process comprising the steps by which a cell progresses through anaphase, the stage of mitosis during which the two sets of chromosomes separate and move away from each other. [GOC:tb]' - }, - 'GO:0090008': { - 'name': 'hypoblast development', - 'def': 'The process whose specific outcome is the progression of the hypoblast over time, from its formation to the mature structure. The hypoblast is a tissue formed from the inner cell mass that lies beneath the epiblast and gives rise to extraembryonic endoderm. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090009': { - 'name': 'primitive streak formation', - 'def': 'The developmental process pertaining to the initial formation of the primitive streak from unspecified parts. The primitive streak is a ridge of cells running along the midline of the embryo where the mesoderm ingresses. It defines the anterior-posterior axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090010': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in primitive streak formation', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a transforming growth factor beta receptor on the surface of a target cell, which contributes to the formation of the primitive streak. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090011': { - 'name': 'Wnt signaling pathway involved in primitive streak formation', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell and ending with a change in transcription of target genes that contribute to the formation of the primitive streak. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090012': { - 'name': 'negative regulation of transforming growth factor beta receptor signaling pathway involved in primitive streak formation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of any TGF-beta receptor signaling pathway that contributes to the formation of the primitive streak. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090013': { - 'name': 'regulation of transforming growth factor beta receptor signaling pathway involved in primitive streak formation', - 'def': 'Any process that modulates the frequency, rate or extent of any TGF-beta receptor signaling pathway that contributes to the formation of the primitive streak. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090014': { - 'name': 'leaflet formation', - 'def': 'The developmental process pertaining to the initial formation of a leaflet from unspecified parts. A leaflet is one of the ultimate segments of a compound leaf. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090015': { - 'name': 'positive regulation of leaflet formation by auxin mediated signaling pathway', - 'def': 'Any process that increases the frequency, rate or extent of leaflet formation as a result of the series of molecular signals generated in response to detection of auxin. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090016': { - 'name': 'regulation of leaflet formation', - 'def': 'Any process that modulates the frequency, rate or extent of leaflet formation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090017': { - 'name': 'anterior neural plate formation', - 'def': 'The formation of anterior end of the flat, thickened layer of ectodermal cells known as the neural plate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090018': { - 'name': 'posterior neural plate formation', - 'def': 'The formation of posterior end of the flat, thickened layer of ectodermal cells known as the neural plate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090019': { - 'name': 'regulation of transcription involved in anterior neural plate formation', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter contributing to the formation of the anterior neural plate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090020': { - 'name': 'regulation of transcription involved in posterior neural plate formation', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter contributing to the formation of the posterior neural plate. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090021': { - 'name': 'positive regulation of posterior neural plate formation by Wnt signaling pathway', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell and increasing the rate or extent of posterior neural plate formation. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090022': { - 'name': 'regulation of neutrophil chemotaxis', - 'def': 'Any process that modulates the frequency, rate, or extent of neutrophil chemotaxis. Neutrophil chemotaxis is the directed movement of a neutrophil cell, the most numerous polymorphonuclear leukocyte found in the blood, in response to an external stimulus, usually an infection or wounding. [GOC:dph, GOC:tb]' - }, - 'GO:0090023': { - 'name': 'positive regulation of neutrophil chemotaxis', - 'def': 'Any process that increases the frequency, rate, or extent of neutrophil chemotaxis. Neutrophil chemotaxis is the directed movement of a neutrophil cell, the most numerous polymorphonuclear leukocyte found in the blood, in response to an external stimulus, usually an infection or wounding. [GOC:dph, GOC:tb]' - }, - 'GO:0090024': { - 'name': 'negative regulation of neutrophil chemotaxis', - 'def': 'Any process that decreases the frequency, rate, or extent of neutrophil chemotaxis. Neutrophil chemotaxis is the directed movement of a neutrophil cell, the most numerous polymorphonuclear leukocyte found in the blood, in response to an external stimulus, usually an infection or wounding. [GOC:dph, GOC:tb]' - }, - 'GO:0090025': { - 'name': 'regulation of monocyte chemotaxis', - 'def': 'Any process that modulates the frequency, rate, or extent of monocyte chemotaxis. [GOC:dph, GOC:tb]' - }, - 'GO:0090026': { - 'name': 'positive regulation of monocyte chemotaxis', - 'def': 'Any process that increases the frequency, rate, or extent of monocyte chemotaxis. [GOC:dph, GOC:tb]' - }, - 'GO:0090027': { - 'name': 'negative regulation of monocyte chemotaxis', - 'def': 'Any process that decreases the frequency, rate, or extent of monocyte chemotaxis. [GOC:dph, GOC:tb]' - }, - 'GO:0090028': { - 'name': 'positive regulation of pheromone-dependent signal transduction involved in conjugation with cellular fusion', - 'def': 'Any process that increases the frequency, rate or extent of pheromone-dependent signal transduction during conjugation with cellular fusion, a signal transduction process resulting in the relay, amplification or dampening of a signal generated in response to pheromone exposure in organisms that undergo conjugation with cellular fusion. [GOC:dph, GOC:tb]' - }, - 'GO:0090029': { - 'name': 'negative regulation of pheromone-dependent signal transduction involved in conjugation with cellular fusion', - 'def': 'Any process that decreases the frequency, rate or extent of pheromone-dependent signal transduction during conjugation with cellular fusion, a signal transduction process resulting in the relay, amplification or dampening of a signal generated in response to pheromone exposure in organisms that undergo conjugation with cellular fusion. [GOC:dph, GOC:tb]' - }, - 'GO:0090030': { - 'name': 'regulation of steroid hormone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of steroid hormones,compounds with a 1, 2, cyclopentanoperhydrophenanthrene nucleus that act as hormones. [GOC:dph, GOC:tb]' - }, - 'GO:0090031': { - 'name': 'positive regulation of steroid hormone biosynthetic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of steroid hormones,compounds with a 1, 2, cyclopentanoperhydrophenanthrene nucleus that act as hormones. [GOC:dph, GOC:tb]' - }, - 'GO:0090032': { - 'name': 'negative regulation of steroid hormone biosynthetic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of steroid hormones,compounds with a 1, 2, cyclopentanoperhydrophenanthrene nucleus that act as hormones. [GOC:dph, GOC:tb]' - }, - 'GO:0090033': { - 'name': 'positive regulation of filamentous growth', - 'def': 'Any process that increases the frequency, rate or extent of the process in which a multicellular organism or a group of unicellular organisms grow in a threadlike, filamentous shape. [GOC:dph, GOC:tb]' - }, - 'GO:0090034': { - 'name': 'regulation of chaperone-mediated protein complex assembly', - 'def': 'Any process that modulates the frequency, rate, or extent of chaperone-mediated protein complex assembly. Chaperone-mediated protein complex assembly is the aggregation, arrangement and bonding together of a set of components to form a protein complex, mediated by chaperone molecules that do not form part of the finished complex. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090035': { - 'name': 'positive regulation of chaperone-mediated protein complex assembly', - 'def': 'Any process that increases the frequency, rate, or extent of chaperone-mediated protein complex assembly. Chaperone-mediated protein complex assembly is the aggregation, arrangement and bonding together of a set of components to form a protein complex, mediated by chaperone molecules that do not form part of the finished complex. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090036': { - 'name': 'regulation of protein kinase C signaling', - 'def': 'Any process that modulates the frequency, rate, or extent of a series of reactions, mediated by the intracellular serine/threonine kinase protein kinase C, which occurs as a result of a single trigger reaction or compound. [GOC:dph, GOC:tb]' - }, - 'GO:0090037': { - 'name': 'positive regulation of protein kinase C signaling', - 'def': 'Any process that increases the frequency, rate, or extent of a series of reactions, mediated by the intracellular serine/threonine kinase protein kinase C, which occurs as a result of a single trigger reaction or compound. [GOC:dph, GOC:tb]' - }, - 'GO:0090038': { - 'name': 'negative regulation of protein kinase C signaling', - 'def': 'Any process that decreases the frequency, rate, or extent of a series of reactions, mediated by the intracellular serine/threonine kinase protein kinase C, which occurs as a result of a single trigger reaction or compound. [GOC:dph, GOC:tb]' - }, - 'GO:0090042': { - 'name': 'tubulin deacetylation', - 'def': 'The removal of an acetyl group from tubulin. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090043': { - 'name': 'regulation of tubulin deacetylation', - 'def': 'Any process that modulates the frequency, rate or extent of tubulin deacetylation. Tubulin deacetylation is the removal of an acetyl group from a protein amino acid. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090044': { - 'name': 'positive regulation of tubulin deacetylation', - 'def': 'Any process that increases the frequency, rate or extent of tubulin deacetylation. Tubulin deacetylation is the removal of an acetyl group from a protein amino acid. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090045': { - 'name': 'positive regulation of deacetylase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of deacetylase activity, the catalysis of the hydrolysis of an acetyl group or groups from a substrate molecule. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090046': { - 'name': 'obsolete regulation of transcription regulator activity', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of transcription regulator activity, any molecular function that plays a role in regulating transcription; may bind a promoter or enhancer DNA sequence or interact with a DNA-binding transcription factor. [GOC:BHF, GOC:rl]' - }, - 'GO:0090047': { - 'name': 'obsolete positive regulation of transcription regulator activity', - 'def': 'OBSOLETE. Any process that increases the frequency, rate or extent of transcription regulator activity, any molecular function that plays a role in regulating transcription; may bind a promoter or enhancer DNA sequence or interact with a DNA-binding transcription factor. [GOC:BHF, GOC:rl]' - }, - 'GO:0090048': { - 'name': 'obsolete negative regulation of transcription regulator activity', - 'def': 'OBSOLETE. Any process that decreases the frequency, rate or extent of transcription regulator activity, any molecular function that plays a role in regulating transcription; may bind a promoter or enhancer DNA sequence or interact with a DNA-binding transcription factor. [GOC:BHF, GOC:rl]' - }, - 'GO:0090049': { - 'name': 'regulation of cell migration involved in sprouting angiogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cell migration involved in sprouting angiogenesis. Cell migration involved in sprouting angiogenesis is the orderly movement of endothelial cells into the extracellular matrix in order to form new blood vessels contributing to the process of sprouting angiogenesis. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0090050': { - 'name': 'positive regulation of cell migration involved in sprouting angiogenesis', - 'def': 'Any process that increases the frequency, rate or extent of cell migration involved in sprouting angiogenesis. Cell migration involved in sprouting angiogenesis is the orderly movement of endothelial cells into the extracellular matrix in order to form new blood vessels contributing to the process of sprouting angiogenesis. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0090051': { - 'name': 'negative regulation of cell migration involved in sprouting angiogenesis', - 'def': 'Any process that decreases the frequency, rate or extent of cell migration involved in sprouting angiogenesis. Cell migration involved in sprouting angiogenesis is the orderly movement of endothelial cells into the extracellular matrix in order to form new blood vessels contributing to the process of sprouting angiogenesis. [GOC:BHF, GOC:dph, GOC:rl, GOC:tb]' - }, - 'GO:0090052': { - 'name': 'regulation of chromatin silencing at centromere', - 'def': 'Any process that modulates the frequency, rate or extent of chromatin silencing at the centromere. Chromatin silencing at the centromere is the repression of transcription of centromeric DNA by altering the structure of chromatin. [GOC:dph, GOC:tb]' - }, - 'GO:0090053': { - 'name': 'positive regulation of chromatin silencing at centromere', - 'def': 'Any process that increases the frequency, rate or extent of chromatin silencing at the centromere. Chromatin silencing at the centromere is the repression of transcription of centromeric DNA by altering the structure of chromatin. [GOC:dph, GOC:tb]' - }, - 'GO:0090054': { - 'name': 'regulation of chromatin silencing at silent mating-type cassette', - 'def': 'Any process that modulates the frequency, rate, or extent of chromatin silencing at silent mating-type cassette. Chromatin silencing at silent mating-type cassette is the repression of transcription at silent mating-type loci by altering the structure of chromatin. [GOC:dph, GOC:tb]' - }, - 'GO:0090055': { - 'name': 'positive regulation of chromatin silencing at silent mating-type cassette', - 'def': 'Any process that increases the frequency, rate, or extent of chromatin silencing at silent mating-type cassette. Chromatin silencing at silent mating-type cassette is the repression of transcription at silent mating-type loci by altering the structure of chromatin. [GOC:dph, GOC:tb]' - }, - 'GO:0090056': { - 'name': 'regulation of chlorophyll metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving chlorophyll. [GOC:dph, GOC:tb]' - }, - 'GO:0090057': { - 'name': 'root radial pattern formation', - 'def': 'The radial pattern formation process that results in the formation of the different tissues of the root around its radial axis. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090058': { - 'name': 'metaxylem development', - 'def': 'The process whose specific outcome is the progression of the metaxylem over time, from its formation to the mature structure. The metaxylem is the part of the primary xylem that differentiates after the protoxylem and before the secondary xylem, if any of the latter is formed. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090059': { - 'name': 'protoxylem development', - 'def': 'The process whose specific outcome is the progression of the protoxylem over time, from its formation to the mature structure. The protoxylem comprises the first formed elements of the primary xylem. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090060': { - 'name': 'regulation of metaxylem development', - 'def': 'Any process that modulates the frequency, rate, or extent of metaxylem development. Metaxylem development is the process whose specific outcome is the progression of the metaxylem over time, from its formation to the mature structure. The metaxylem is the part of the primary xylem that differentiates after the protoxylem and before the secondary xylem, if any of the latter is formed. [GOC:dph, GOC:sdb_2009, GOC:tb]' - }, - 'GO:0090062': { - 'name': 'regulation of trehalose metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of trehalose metabolism, the chemical reactions and pathways involving trehalose, a disaccharide isomeric with sucrose and obtained from certain lichens and fungi. [GOC:dph, GOC:tb]' - }, - 'GO:0090063': { - 'name': 'positive regulation of microtubule nucleation', - 'def': "Any process that increases the rate, frequency or extent of microtubule nucleation. Microtubule nucleation is the 'de novo' formation of a microtubule, in which tubulin heterodimers form metastable oligomeric aggregates, some of which go on to support formation of a complete microtubule. Microtubule nucleation usually occurs from a specific site within a cell. [GOC:dph, GOC:tb]" - }, - 'GO:0090064': { - 'name': 'activation of microtubule nucleation', - 'def': "Any process that starts the inactive process of microtubule nucleation. Microtubule nucleation is the 'de novo' formation of a microtubule, in which tubulin heterodimers form metastable oligomeric aggregates, some of which go on to support formation of a complete microtubule. Microtubule nucleation usually occurs from a specific site within a cell. [GOC:dph, GOC:tb]" - }, - 'GO:0090065': { - 'name': 'regulation of production of siRNA involved in RNA interference', - 'def': 'Any process that modulates the frequency, rate or extent of the production of siRNA, the cleavage of double-stranded RNA to form small interfering RNA molecules (siRNAs) of 21-23 nucleotides, in the context of RNA interference. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0090066': { - 'name': 'regulation of anatomical structure size', - 'def': 'Any process that modulates the size of an anatomical structure. [GOC:dph, GOC:tb]' - }, - 'GO:0090067': { - 'name': 'regulation of thalamus size', - 'def': 'Any process that modulates the size of the thalamus. The thalamus is a part of the diencephalon that is composed of the dorsal thalamus and the ventral thalamus. [GOC:dph, GOC:tb]' - }, - 'GO:0090068': { - 'name': 'positive regulation of cell cycle process', - 'def': 'Any process that increases the rate, frequency or extent of a cellular process that is involved in the progression of biochemical and morphological phases and events that occur in a cell during successive cell replication or nuclear replication events. [GOC:dph, GOC:tb]' - }, - 'GO:0090069': { - 'name': 'regulation of ribosome biogenesis', - 'def': 'Any process that modulates the rate, frequency or extent of ribosome biogenesis. Ribosome biogenesis is the cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of ribosome subunits. [GOC:dph, GOC:tb]' - }, - 'GO:0090070': { - 'name': 'positive regulation of ribosome biogenesis', - 'def': 'Any process that increases the rate, frequency or extent of ribosome biogenesis. Ribosome biogenesis is the cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of ribosome subunits. [GOC:dph, GOC:tb]' - }, - 'GO:0090071': { - 'name': 'negative regulation of ribosome biogenesis', - 'def': 'Any process that decreases the rate, frequency or extent of ribosome biogenesis. Ribosome biogenesis is the cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of ribosome subunits. [GOC:dph, GOC:tb]' - }, - 'GO:0090072': { - 'name': 'obsolete positive regulation of sodium ion transport via voltage-gated sodium channel activity', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of the directed movement of sodium ions via the activity of voltage-gated sodium channels. [GOC:dph, GOC:tb]' - }, - 'GO:0090073': { - 'name': 'positive regulation of protein homodimerization activity', - 'def': 'Any process that increases the frequency, rate or extent of protein homodimerization, interacting selectively with an identical protein to form a homodimer. [GOC:dph, GOC:tb]' - }, - 'GO:0090074': { - 'name': 'negative regulation of protein homodimerization activity', - 'def': 'Any process that decreases the frequency, rate or extent of protein homodimerization, interacting selectively with an identical protein to form a homodimer. [GOC:dph, GOC:tb]' - }, - 'GO:0090075': { - 'name': 'relaxation of muscle', - 'def': 'A process in which the extent of muscle contraction is reduced. Muscle relaxation can involve a number of processes including the removal of calcium from the cytoplasm to the sarcoplasmic reticulum lumen through the action of Ca2+ ATPases. In some muscles, calcium-independent pathways also play a role in muscle relaxation by decreasing the phosphorylation state of myosin light chain. [GOC:BHF, GOC:rl, PMID:19996365]' - }, - 'GO:0090076': { - 'name': 'relaxation of skeletal muscle', - 'def': 'A process in which the extent of skeletal muscle tissue contraction is reduced. Muscle relaxation involves the removal of calcium from the cytoplasm to the sarcoplasmic reticulum lumen through the action of Ca2+ ATPases. [GOC:BHF, GOC:rl]' - }, - 'GO:0090077': { - 'name': 'foam cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a foam cell. A foam cell is a type of cell containing lipids in small vacuoles and typically seen in atherosclerotic lesions, as well as other conditions. [GOC:add, GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090078': { - 'name': 'smooth muscle derived foam cell differentiation', - 'def': 'The process in which a smooth muscle cell acquires the specialized features of a foam cell. A foam cell is a type of cell containing lipids in small vacuoles and typically seen in atherosclerotic lesions, as well as other conditions. [GOC:add, GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090079': { - 'name': 'translation regulator activity, nucleic acid binding', - 'def': 'Any selective and non-covalent interaction with a nucleic acid involved in the initiation, activation, perpetuation, repression or termination of polypeptide synthesis at the ribosome. [GOC:dph, GOC:tb, GOC:vw]' - }, - 'GO:0090080': { - 'name': 'positive regulation of MAPKKK cascade by fibroblast growth factor receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands resulting in an increase in the rate or frequency of a MAPKKK cascade. [GOC:dph, GOC:tb]' - }, - 'GO:0090081': { - 'name': 'regulation of heart induction by regulation of canonical Wnt signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of canonical Wnt signaling pathway that regulates heart induction. Canonical Wnt signaling pathway involved in heart induction is the series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell, followed by relaying of the signal via beta-catenin, and ending with a change in transcription of target genes. [GOC:mtg_heart]' - }, - 'GO:0090082': { - 'name': 'positive regulation of heart induction by negative regulation of canonical Wnt signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of canonical Wnt signaling pathway that positively regulates heart induction. Canonical Wnt signaling pathway involved in heart induction is the series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes. [GOC:mtg_heart, PMID:16860783]' - }, - 'GO:0090083': { - 'name': 'regulation of inclusion body assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of inclusion body assembly. Inclusion body assembly is the aggregation, arrangement and bonding together of a set of components to form an inclusion body. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090084': { - 'name': 'negative regulation of inclusion body assembly', - 'def': 'Any process that decreases the rate, frequency, or extent of inclusion body assembly. Inclusion body assembly is the aggregation, arrangement and bonding together of a set of components to form an inclusion body. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090085': { - 'name': 'regulation of protein deubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of protein deubiquitination. Protein deubiquitination is the removal of one or more ubiquitin groups from a protein. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090086': { - 'name': 'negative regulation of protein deubiquitination', - 'def': 'Any process that decreases the frequency, rate or extent of protein deubiquitination. Protein deubiquitination is the removal of one or more ubiquitin groups from a protein. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090087': { - 'name': 'regulation of peptide transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of peptides, compounds of two or more amino acids where the alpha carboxyl group of one is bound to the alpha amino group of another, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:tb]' - }, - 'GO:0090088': { - 'name': 'regulation of oligopeptide transport', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of oligopeptides into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Oligopeptides are molecules that contain a small number (2 to 20) of amino-acid residues connected by peptide linkages. [GOC:dph, GOC:tb]' - }, - 'GO:0090089': { - 'name': 'regulation of dipeptide transport', - 'def': 'Any process that modulates the rate, frequency or extent of dipeptide transport. Dipeptide transport is the directed movement of a dipeptide, a combination of two amino acids by means of a peptide (-CO-NH-) link, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:tb]' - }, - 'GO:0090090': { - 'name': 'negative regulation of canonical Wnt signaling pathway', - 'def': 'Any process that decreases the rate, frequency, or extent of the Wnt signaling pathway through beta-catenin, the series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes. [GOC:dph, GOC:tb]' - }, - 'GO:0090091': { - 'name': 'positive regulation of extracellular matrix disassembly', - 'def': 'Any process that increases the rate, frequency or extent of extracellular matrix disassembly. Extracellular matrix disassembly is a process that results in the breakdown of the extracellular matrix. [GOC:dph, GOC:tb]' - }, - 'GO:0090092': { - 'name': 'regulation of transmembrane receptor protein serine/threonine kinase signaling pathway', - 'def': 'Any process that modulates the rate, frequency, or extent of the series of molecular signals generated as a consequence of a transmembrane receptor serine/threonine kinase binding to its physiological ligand. [GOC:dph, GOC:tb]' - }, - 'GO:0090093': { - 'name': 'regulation of fungal-type cell wall beta-glucan biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of fungal-type cell wall beta-glucan biosynthesis, the chemical reactions and pathways resulting in the formation of beta-glucans, compounds composed of glucose residues linked by beta-D-glucosidic bonds, found in the walls of fungal cells. [GOC:dph, GOC:tb]' - }, - 'GO:0090094': { - 'name': 'metanephric cap mesenchymal cell proliferation involved in metanephros development', - 'def': 'The multiplication or reproduction of metanephric cap mesenchymal cells, resulting in the expansion of the cell population. A metanephric cap mesenchymal cell is a mesenchymal cell that has condensed with other mesenchymal cells surrounding the ureteric bud tip. [GOC:dph, GOC:tb, GOC:yaf, PMID:19161241]' - }, - 'GO:0090095': { - 'name': 'regulation of metanephric cap mesenchymal cell proliferation', - 'def': 'Any process that modulates the frequency, rate, or extent of metanephric cap mesenchymal cell proliferation. Metanephric cap mesenchymal cell proliferation is the multiplication or reproduction of metanephric cap mesenchymal cells, resulting in the expansion of the cell population. A metanephric cap mesenchymal cell is a mesenchymal cell that has condensed with other mesenchymal cells surrounding the ureteric bud tip. [GOC:dph, GOC:tb, GOC:yaf]' - }, - 'GO:0090096': { - 'name': 'positive regulation of metanephric cap mesenchymal cell proliferation', - 'def': 'Any process that increases the frequency, rate, or extent of metanephric cap mesenchymal cell proliferation. Metanephric cap mesenchymal cell proliferation is the multiplication or reproduction of metanephric cap mesenchymal cells, resulting in the expansion of the cell population. A metanephric cap mesenchymal cell is a mesenchymal cell that has condensed with other mesenchymal cells surrounding the ureteric bud tip. [GOC:dph, GOC:tb, GOC:yaf]' - }, - 'GO:0090097': { - 'name': 'regulation of decapentaplegic signaling pathway', - 'def': 'Any process that modulates the frequency, rate, or extent of the decapentaplegic signaling pathway. The decapentaplegic signaling pathway is the series of molecular signals generated as a consequence of the signal decapentaplegic binding to one of its physiological receptors. [GOC:dph, GOC:tb]' - }, - 'GO:0090098': { - 'name': 'positive regulation of decapentaplegic signaling pathway', - 'def': 'Any process that increases the frequency, rate, or extent of the decapentaplegic signaling pathway. The decapentaplegic signaling pathway is the series of molecular signals generated as a consequence of the signal decapentaplegic binding to one of its physiological receptors. [GOC:dph, GOC:tb]' - }, - 'GO:0090099': { - 'name': 'negative regulation of decapentaplegic signaling pathway', - 'def': 'Any process that decreases the frequency, rate, or extent of the decapentaplegic signaling pathway. The decapentaplegic signaling pathway is the series of molecular signals generated as a consequence of the signal decapentaplegic binding to one of its physiological receptors. [GOC:dph, GOC:tb]' - }, - 'GO:0090100': { - 'name': 'positive regulation of transmembrane receptor protein serine/threonine kinase signaling pathway', - 'def': 'Any process that increases the rate, frequency, or extent of the series of molecular signals generated as a consequence of a transmembrane receptor serine/threonine kinase binding to its physiological ligand. [GOC:dph, GOC:tb]' - }, - 'GO:0090101': { - 'name': 'negative regulation of transmembrane receptor protein serine/threonine kinase signaling pathway', - 'def': 'Any process that decreases the rate, frequency, or extent of the series of molecular signals generated as a consequence of a transmembrane receptor serine/threonine kinase binding to its physiological ligand. [GOC:dph, GOC:tb]' - }, - 'GO:0090102': { - 'name': 'cochlea development', - 'def': 'The progression of the cochlea over time from its formation to the mature structure. The cochlea is the snail-shaped portion of the inner ear that is responsible for the detection of sound. [GOC:dph, GOC:tb]' - }, - 'GO:0090103': { - 'name': 'cochlea morphogenesis', - 'def': 'The process in which the cochlea is generated and organized. [GOC:dph, GOC:tb]' - }, - 'GO:0090104': { - 'name': 'pancreatic epsilon cell differentiation', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and functional features of a pancreatic epsilon cell. A pancreatic epsilon cell is a cell in the pancreas that secretes ghrelin. [GOC:dph, GOC:tb]' - }, - 'GO:0090105': { - 'name': 'pancreatic E cell development', - 'def': 'The process whose specific outcome is the progression of a pancreatic E cell over time, from its formation to the mature structure. [GOC:dph, GOC:tb]' - }, - 'GO:0090106': { - 'name': 'pancreatic E cell fate commitment', - 'def': 'The commitment of a cell to a pancreatic E cell fate and its capacity to differentiate into a pancreatic E cell. [GOC:dph, GOC:tb]' - }, - 'GO:0090107': { - 'name': 'regulation of high-density lipoprotein particle assembly', - 'def': 'Any process that modulates the frequency, rate, or extent of high-density lipoprotein particle assembly. High-density lipoprotein particle assembly is the aggregation and arrangement of proteins and lipids to form a high-density lipoprotein particle. [GOC:dph, GOC:tb]' - }, - 'GO:0090108': { - 'name': 'positive regulation of high-density lipoprotein particle assembly', - 'def': 'Any process that increases the frequency, rate, or extent of high-density lipoprotein particle assembly. High-density lipoprotein particle assembly is the aggregation and arrangement of proteins and lipids to form a high-density lipoprotein particle. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090109': { - 'name': 'regulation of cell-substrate junction assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of cell-substrate junction assembly. Cell-substrate junction assembly is the aggregation, arrangement and bonding together of a set of components to form a junction between a cell and its substrate. [GOC:dph, GOC:tb]' - }, - 'GO:0090110': { - 'name': 'cargo loading into COPII-coated vesicle', - 'def': 'The formation of a macromolecular complex between the COPII coat proteins and proteins and/or lipoproteins that are going to be transported by the COPII vesicle to the Golgi. [GOC:ascb_2009, GOC:dph, GOC:lb, GOC:tb]' - }, - 'GO:0090111': { - 'name': 'regulation of COPII vesicle uncoating', - 'def': 'Any process that modulates the frequency, rate or extent of COPII vesicle uncoating, the process in which COPII vesicle coat proteins are disassembled, and released. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090112': { - 'name': 'COPII vesicle uncoating', - 'def': 'The process in which COPII vesicle coat proteins are disassembled, and released. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090113': { - 'name': 'regulation of ER to Golgi vesicle-mediated transport by GTP hydrolysis', - 'def': 'The GTP hydrolysis process that modulates the rate, frequency, or extent of ER to Golgi vesicle-mediated transport, the directed movement of substances from the endoplasmic reticulum (ER) to the Golgi, mediated by COP II vesicles. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090114': { - 'name': 'COPII-coated vesicle budding', - 'def': 'The evagination of an endoplasmic reticulum membrane, resulting in formation of a COPII-coated vesicle. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090115': { - 'name': 'C-5 methylation on cytosine involved in chromatin silencing', - 'def': 'The covalent transfer of a methyl group to C-5 of cytosine in a DNA molecule that contributes to chromatin silencing. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090116': { - 'name': 'C-5 methylation of cytosine', - 'def': 'The covalent transfer of a methyl group to C-5 of cytosine in a DNA molecule. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090117': { - 'name': 'endosome to lysosome transport of low-density lipoprotein particle', - 'def': 'The directed movement of low-density lipoprotein particle from endosomes to lysosomes. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090118': { - 'name': 'receptor-mediated endocytosis involved in cholesterol transport', - 'def': 'A receptor-mediated endocytosis process involved in intracellular cholesterol transport. [GOC:ascb_2009, GOC:dph, GOC:pr, GOC:tb]' - }, - 'GO:0090119': { - 'name': 'vesicle-mediated cholesterol transport', - 'def': 'The directed movement of cholesterol, cholest-5-en-3-beta-ol, or cholesterol-containing compounds, by membrane-bounded vesicles. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090120': { - 'name': 'lysosome to ER cholesterol transport', - 'def': 'The directed movement of cholesterol, cholest-5-en-3-beta-ol, or cholesterol-containing compounds, from the lysosome to the endoplasmic reticulum. [GOC:mah]' - }, - 'GO:0090121': { - 'name': 'low-density lipoprotein particle disassembly involved in cholesterol transport', - 'def': 'The disassembly into constituent parts of the low-density lipoprotein particle in the lysosome that contributes to cholesterol transport. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090122': { - 'name': 'cholesterol ester hydrolysis involved in cholesterol transport', - 'def': 'The cholesterol metabolic process in which cholesterol esters are hydrolyzed into free fatty acids and cholesterol in the lysosome that contributes to intracellular cholesterol transport. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090123': { - 'name': 'lysosomal glycocalyx', - 'def': 'The polysaccharide-based coating on the inner side of a lysosomal membrane that protects it from digestion by lysosomal enzymes. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090124': { - 'name': 'N-4 methylation of cytosine', - 'def': 'The covalent transfer of a methyl group to N-4 of cytosine in a DNA molecule. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090125': { - 'name': 'cell-cell adhesion involved in synapse maturation', - 'def': 'The attachment of the pre-synaptic cell to the post-synaptic cell via adhesion molecules that contributes to synapse maturation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090126': { - 'name': 'protein complex assembly involved in synapse maturation', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a protein complex that contributes to synapse maturation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090127': { - 'name': 'positive regulation of synapse maturation by synaptic transmission', - 'def': 'Any process that increases the extent of synaptic maturation as a result of the communication from a pre-synaptic cell to a post-synaptic cell across a synapse. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090128': { - 'name': 'regulation of synapse maturation', - 'def': 'Any process that modulates the extent of synapse maturation, the process that organizes a synapse so that it attains its fully functional state. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090129': { - 'name': 'positive regulation of synapse maturation', - 'def': 'Any process that increases the extent of synapse maturation, the process that organizes a synapse so that it attains its fully functional state. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090130': { - 'name': 'tissue migration', - 'def': 'The process in which the population of cells that make up a tissue undergo directed movement. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090131': { - 'name': 'mesenchyme migration', - 'def': 'The process in which the population of cells that make up a mesenchyme undergo directed movement. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090132': { - 'name': 'epithelium migration', - 'def': 'The process in which the population of cells that make up an epithelium undergo directed movement. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090133': { - 'name': 'mesendoderm migration', - 'def': 'The process in which the population of cells that make up a mesendoderm undergo directed movement. The mesendoderm is the epithelial tissue that gives rise to both mesoderm and endoderm. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090134': { - 'name': 'cell migration involved in mesendoderm migration', - 'def': 'The orderly movement of epithelial cells from one site to another that contributes to the migration of mesendodermal tissue. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090135': { - 'name': 'actin filament branching', - 'def': 'The formation of daughter actin filament branches at an angle on the sides of preexisting mother filaments. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090136': { - 'name': 'epithelial cell-cell adhesion', - 'def': 'The attachment of an epithelial cell to another epithelial cell via adhesion molecules. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090137': { - 'name': 'epithelial cell-cell adhesion involved in epithelium migration', - 'def': 'The attachment of an epithelial cell to another epithelial cell via adhesion molecules that contributes to epithelium migration. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090138': { - 'name': 'regulation of actin cytoskeleton organization by cell-cell adhesion', - 'def': 'Any cell-cell adhesion process that modulates the formation, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising actin filaments and their associated proteins. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090139': { - 'name': 'mitochondrial DNA packaging', - 'def': 'Any process in which mitochondrial DNA and associated proteins are formed into a compact, orderly structure. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090140': { - 'name': 'regulation of mitochondrial fission', - 'def': 'Any process that modulates the rate, frequency or extent of mitochondrial fission. Mitochondrial fission is the division of a mitochondrion within a cell to form two or more separate mitochondrial compartments. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090141': { - 'name': 'positive regulation of mitochondrial fission', - 'def': 'Any process that increases the rate, frequency or extent of mitochondrial fission. Mitochondrial fission is the division of a mitochondrion within a cell to form two or more separate mitochondrial compartments. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090143': { - 'name': 'nucleoid organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nucleoid. The nucleoid is the region of a bacterial cell, virion, mitochondrion or chloroplast to which the DNA is confined. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090144': { - 'name': 'mitochondrial nucleoid organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the mitochondrial nucleoid. The mitochondrial nucleoid is the region of a mitochondrion to which the DNA is confined. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090145': { - 'name': 'mitochondrial nucleoid organization involved in mitochondrial fission', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the mitochondrial nucleoid that contributes to mitochondrial division. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090146': { - 'name': 'establishment of mitochondrion localization involved in mitochondrial fission', - 'def': 'The directed movement of mitochondria to the correct region of the cell that contributes to the process of mitochondrial fission. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090147': { - 'name': 'regulation of establishment of mitochondrion localization involved in mitochondrial fission', - 'def': 'Any process that modulates the frequency, rate or extent of the directed movement of mitochondria to the correct region of the cell that contributes to the process of mitochondrial fission. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090148': { - 'name': 'membrane fission', - 'def': 'A process that is carried out at the cellular level which results in the separation of a single continuous membrane into two membranes. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090149': { - 'name': 'mitochondrial membrane fission', - 'def': 'A process that is carried out at the cellular level which results in the separation of a single continuous mitochondrial membrane into two membranes and contributes to mitochondrial fission. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090150': { - 'name': 'establishment of protein localization to membrane', - 'def': 'The directed movement of a protein to a specific location in a membrane. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090151': { - 'name': 'establishment of protein localization to mitochondrial membrane', - 'def': 'The directed movement of a protein to a specific location in the mitochondrial membrane. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090152': { - 'name': 'establishment of protein localization to mitochondrial membrane involved in mitochondrial fission', - 'def': 'The directed movement of a protein to a specific location in the mitochondrial membrane that contributes to mitochondrial fission. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090153': { - 'name': 'regulation of sphingolipid biosynthetic process', - 'def': 'Any process that modulates the rate, frequency or extent of sphingolipid biosynthesis. Sphingolipid biosynthesis is the chemical reactions and pathways resulting in the formation of sphingolipids, any of a class of lipids containing the long-chain amine diol sphingosine or a closely related base (a sphingoid). [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090154': { - 'name': 'positive regulation of sphingolipid biosynthetic process', - 'def': 'Any process that increases the rate, frequency or extent of sphingolipid biosynthesis. Sphingolipid biosynthesis is the chemical reactions and pathways resulting in the formation of sphingolipids, any of a class of lipids containing the long-chain amine diol sphingosine or a closely related base (a sphingoid). [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090155': { - 'name': 'negative regulation of sphingolipid biosynthetic process', - 'def': 'Any process that decreases the rate, frequency or extent of sphingolipid biosynthesis. Sphingolipid biosynthesis is the chemical reactions and pathways resulting in the formation of sphingolipids, any of a class of lipids containing the long-chain amine diol sphingosine or a closely related base (a sphingoid). [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090156': { - 'name': 'cellular sphingolipid homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of sphingolipids at the level of the cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090157': { - 'name': 'negative regulation of sphingolipid biosynthesis involved in cellular sphingolipid homeostasis', - 'def': 'Any process that decreases the rate, frequency or extent of sphingolipid biosynthesis that contributes to the maintenance of an internal equilibrium of sphingolipids at the level of the cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090158': { - 'name': 'endoplasmic reticulum membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an endoplasmic reticulum membrane. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090159': { - 'name': 'sphingolipid biosynthesis involved in endoplasmic reticulum membrane organization', - 'def': 'The chemical reactions and pathways resulting in the formation of sphingolipids that contributes to endoplasmic reticulum membrane organization. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090160': { - 'name': 'Golgi to lysosome transport', - 'def': 'The directed movement of substances from the Golgi to lysosomes. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090161': { - 'name': 'Golgi ribbon formation', - 'def': 'The formation of a continuous ribbon of interconnected Golgi stacks of flat cisternae. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090162': { - 'name': 'establishment of epithelial cell polarity', - 'def': 'The specification and formation of anisotropic intracellular organization of an epithelial cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090163': { - 'name': 'establishment of epithelial cell planar polarity', - 'def': 'The specification and formation of the polarity of an epithelial cell along the plane of the epithelial tissue. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090164': { - 'name': 'asymmetric Golgi ribbon formation', - 'def': 'The asymmetric formation of a continuous ribbon of interconnected Golgi stacks of flat cisternae that contributes to the establishment of epithelial cell polarity. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090165': { - 'name': 'regulation of secretion by asymmetric Golgi ribbon formation', - 'def': 'The asymmetric formation of a continuous ribbon of interconnected Golgi stacks of flat cisternae that modulates the controlled release of a substance from a polarized epithelial cell. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090166': { - 'name': 'Golgi disassembly', - 'def': 'A cellular process that results in the breakdown of a Golgi apparatus that contributes to Golgi inheritance. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090167': { - 'name': 'Golgi distribution to daughter cells', - 'def': 'Any process in which disassembled Golgi vesicles are localized into daughter cells upon cell division. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090168': { - 'name': 'Golgi reassembly', - 'def': 'The reformation of the Golgi following its breakdown and partitioning contributing to Golgi inheritance. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090169': { - 'name': 'regulation of spindle assembly', - 'def': 'Any process that modulates the rate, frequency or extent of spindle assembly. Spindle assembly is the aggregation, arrangement and bonding together of a set of components to form the spindle, the array of microtubules and associated molecules that serves to move duplicated chromosomes apart. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090170': { - 'name': 'regulation of Golgi inheritance', - 'def': 'Any process that modulates the rate, frequency or extent of Golgi inheritance. Golgi inheritance is the partitioning of Golgi apparatus between daughter cells at cell division. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090171': { - 'name': 'chondrocyte morphogenesis', - 'def': 'The process in which the structures of a chondrocyte are generated and organized. This process occurs while the initially relatively unspecialized cell is acquiring the specialized features of a chondrocyte. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090172': { - 'name': 'microtubule cytoskeleton organization involved in homologous chromosome segregation', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising microtubules and their associated proteins that contributes to chromosomal pairing and precedes synapsis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090173': { - 'name': 'regulation of synaptonemal complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of synaptonemal complex assembly. Synaptonemal complex assembly is the cell cycle process in which the synaptonemal complex, a structure that holds paired chromosomes together during prophase I of meiosis and that promotes genetic recombination, is formed. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090174': { - 'name': 'organelle membrane fusion', - 'def': 'The joining of two lipid bilayers to form a single organelle membrane. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090175': { - 'name': 'regulation of establishment of planar polarity', - 'def': 'Any process that modulates the rate, frequency or extent of the establishment of planar polarity, the coordinated organization of groups of cells in a tissue, such that they all orient to similar coordinates. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090176': { - 'name': 'microtubule cytoskeleton organization involved in establishment of planar polarity', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising microtubules and their associated proteins and contributes to the establishment of planar polarity. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090177': { - 'name': 'establishment of planar polarity involved in neural tube closure', - 'def': 'Coordinated organization of groups of cells in the plane of an epithelium that contributes to the closure of the neural tube. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090178': { - 'name': 'regulation of establishment of planar polarity involved in neural tube closure', - 'def': 'Any process that modulates the rate, frequency, or extent of the establishment of planar polarity involved in neural tube closure, the coordinated organization of groups of cells in the plane of an epithelium that contributes to the closure of the neural tube. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090179': { - 'name': 'planar cell polarity pathway involved in neural tube closure', - 'def': 'The series of molecular signals initiated by binding of a Wnt protein to a receptor on the surface of the target cell where activated receptors signal via downstream effectors that modulates the establishment of planar polarity contributing to neural tube closure. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090180': { - 'name': 'positive regulation of thiamine biosynthetic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of thiamine. [GOC:dph, GOC:tb]' - }, - 'GO:0090181': { - 'name': 'regulation of cholesterol metabolic process', - 'def': 'Any process that modulates the rate, frequency, or extent of cholesterol metabolism, the chemical reactions and pathways involving cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090182': { - 'name': 'regulation of secretion of lysosomal enzymes', - 'def': 'Any process that modulates the rate, frequency or extent of secretion of lysosomal enzymes, the controlled release of lysosomal enzymes by a cell. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090183': { - 'name': 'regulation of kidney development', - 'def': 'Any process that modulates the rate, frequency or extent of kidney development. Kidney development is the process whose specific outcome is the progression of the kidney over time, from its formation to the mature structure. The kidney is an organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:dph, GOC:tb, GOC:yaf]' - }, - 'GO:0090184': { - 'name': 'positive regulation of kidney development', - 'def': 'Any process that increases the rate, frequency or extent of kidney development. Kidney development is the process whose specific outcome is the progression of the kidney over time, from its formation to the mature structure. The kidney is an organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:dph, GOC:tb, GOC:yaf]' - }, - 'GO:0090185': { - 'name': 'negative regulation of kidney development', - 'def': 'Any process that decreases the rate, frequency or extent of kidney development. Kidney development is the process whose specific outcome is the progression of the kidney over time, from its formation to the mature structure. The kidney is an organ that filters the blood and excretes the end products of body metabolism in the form of urine. [GOC:dph, GOC:tb, GOC:yaf]' - }, - 'GO:0090186': { - 'name': 'regulation of pancreatic juice secretion', - 'def': 'Any process that modulates the rate, frequency or extent of pancreatic juice secretion, the regulated release of pancreatic juice by the exocrine pancreas into the upper part of the intestine. [GOC:dph, GOC:tb]' - }, - 'GO:0090187': { - 'name': 'positive regulation of pancreatic juice secretion', - 'def': 'Any process that increases the rate, frequency or extent of pancreatic juice secretion, the regulated release of pancreatic juice by the exocrine pancreas into the upper part of the intestine. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090188': { - 'name': 'negative regulation of pancreatic juice secretion', - 'def': 'Any process that decreases the rate, frequency or extent of pancreatic juice secretion, the regulated release of pancreatic juice by the exocrine pancreas into the upper part of the intestine. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090189': { - 'name': 'regulation of branching involved in ureteric bud morphogenesis', - 'def': 'Any process that modulates the rate, frequency or extent of branching involved in ureteric bud morphogenesis, the process in which the branching structure of the ureteric bud is generated and organized. The ureteric bud is an epithelial tube that grows out from the metanephric duct. The bud elongates and branches to give rise to the ureter and kidney collecting tubules. [GOC:dph, GOC:tb, GOC:yaf]' - }, - 'GO:0090190': { - 'name': 'positive regulation of branching involved in ureteric bud morphogenesis', - 'def': 'Any process that increases the rate, frequency or extent of branching involved in ureteric bud morphogenesis, the process in which the branching structure of the ureteric bud is generated and organized. The ureteric bud is an epithelial tube that grows out from the metanephric duct. The bud elongates and branches to give rise to the ureter and kidney collecting tubules. [GOC:dph, GOC:tb, GOC:yaf]' - }, - 'GO:0090191': { - 'name': 'negative regulation of branching involved in ureteric bud morphogenesis', - 'def': 'Any process that decreases the rate, frequency or extent of branching involved in ureteric bud morphogenesis, the process in which the branching structure of the ureteric bud is generated and organized. The ureteric bud is an epithelial tube that grows out from the metanephric duct. The bud elongates and branches to give rise to the ureter and kidney collecting tubules. [GOC:dph, GOC:tb, GOC:yaf]' - }, - 'GO:0090192': { - 'name': 'regulation of glomerulus development', - 'def': "Any process that modulates the rate, frequency or extent of glomerulus development, the progression of the glomerulus over time from its initial formation until its mature state. The glomerulus is a capillary tuft surrounded by Bowman's capsule in nephrons of the vertebrate kidney. [GOC:dph, GOC:tb, GOC:yaf]" - }, - 'GO:0090193': { - 'name': 'positive regulation of glomerulus development', - 'def': "Any process that increases the rate, frequency or extent of glomerulus development, the progression of the glomerulus over time from its initial formation until its mature state. The glomerulus is a capillary tuft surrounded by Bowman's capsule in nephrons of the vertebrate kidney. [GOC:dph, GOC:tb, GOC:yaf]" - }, - 'GO:0090194': { - 'name': 'negative regulation of glomerulus development', - 'def': "Any process that decreases the rate, frequency or extent of glomerulus development, the progression of the glomerulus over time from its initial formation until its mature state. The glomerulus is a capillary tuft surrounded by Bowman's capsule in nephrons of the vertebrate kidney. [GOC:dph, GOC:tb, GOC:yaf]" - }, - 'GO:0090195': { - 'name': 'chemokine secretion', - 'def': 'The regulated release of chemokines from a cell. [GOC:BHF, GOC:rl]' - }, - 'GO:0090196': { - 'name': 'regulation of chemokine secretion', - 'def': 'Any process that modulates the rate, frequency or extent of chemokine secretion, the regulated release of chemokines from a cell. [GOC:BHF, GOC:rl]' - }, - 'GO:0090197': { - 'name': 'positive regulation of chemokine secretion', - 'def': 'Any process that increases the rate, frequency or extent of chemokine secretion, the regulated release of chemokines from a cell. [GOC:BHF, GOC:rl]' - }, - 'GO:0090198': { - 'name': 'negative regulation of chemokine secretion', - 'def': 'Any process that decreases the rate, frequency or extent of chemokine secretion, the regulated release of chemokines from a cell. [GOC:BHF, GOC:rl]' - }, - 'GO:0090199': { - 'name': 'regulation of release of cytochrome c from mitochondria', - 'def': 'Any process that modulates the rate, frequency or extent of release of cytochrome c from mitochondria, the process in which cytochrome c is enabled to move from the mitochondrial intermembrane space into the cytosol, which is an early step in apoptosis and leads to caspase activation. [GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0090200': { - 'name': 'positive regulation of release of cytochrome c from mitochondria', - 'def': 'Any process that increases the rate, frequency or extent of release of cytochrome c from mitochondria, the process in which cytochrome c is enabled to move from the mitochondrial intermembrane space into the cytosol, which is an early step in apoptosis and leads to caspase activation. [GOC:BHF, GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0090201': { - 'name': 'negative regulation of release of cytochrome c from mitochondria', - 'def': 'Any process that decreases the rate, frequency or extent of release of cytochrome c from mitochondria, the process in which cytochrome c is enabled to move from the mitochondrial intermembrane space into the cytosol, which is an early step in apoptosis and leads to caspase activation. [GOC:BHF, GOC:dph, GOC:mtg_apoptosis, GOC:tb]' - }, - 'GO:0090202': { - 'name': 'gene looping', - 'def': 'The formation and maintenance of DNA loops that juxtapose sequentially separated regions of RNA polymerase II-transcribed genes. [GOC:dph, GOC:rb, GOC:tb, PMID:19923429, PMID:19933150]' - }, - 'GO:0090203': { - 'name': 'transcriptional activation by promoter-terminator looping', - 'def': 'The formation and maintenance of DNA loops that juxtapose the promoter and terminator regions of RNA polymerase II-transcribed genes and activate transcription from an RNA polymerase II promoter. [GOC:dph, GOC:rb, GOC:tb]' - }, - 'GO:0090204': { - 'name': 'protein localization to nuclear pore', - 'def': 'A process in which a protein is transported to, or maintained in, a nuclear pore. [GOC:dph, GOC:rb, GOC:tb]' - }, - 'GO:0090205': { - 'name': 'positive regulation of cholesterol metabolic process', - 'def': 'Any process that increases the rate, frequency, or extent of cholesterol metabolism, the chemical reactions and pathways involving cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0090206': { - 'name': 'negative regulation of cholesterol metabolic process', - 'def': 'Any process that decreases the rate, frequency, or extent of cholesterol metabolism, the chemical reactions and pathways involving cholesterol, cholest-5-en-3 beta-ol, the principal sterol of vertebrates and the precursor of many steroids, including bile acids and steroid hormones. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0090207': { - 'name': 'regulation of triglyceride metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving triglyceride, any triester of glycerol. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0090208': { - 'name': 'positive regulation of triglyceride metabolic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways involving triglyceride, any triester of glycerol. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0090209': { - 'name': 'negative regulation of triglyceride metabolic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways involving triglyceride, any triester of glycerol. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0090210': { - 'name': 'regulation of establishment of blood-brain barrier', - 'def': 'Any process that modulates the rate, frequency or extent of the establishment of the blood-brain barrier, a selectively permeable structural and functional barrier that exists between the capillaries and the brain. [GOC:dph, GOC:tb]' - }, - 'GO:0090211': { - 'name': 'positive regulation of establishment of blood-brain barrier', - 'def': 'Any process that increases the rate, frequency or extent of the establishment of the blood-brain barrier, a selectively permeable structural and functional barrier that exists between the capillaries and the brain. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090212': { - 'name': 'negative regulation of establishment of blood-brain barrier', - 'def': 'Any process that decreases the rate, frequency or extent of the establishment of the blood-brain barrier, a selectively permeable structural and functional barrier that exists between the capillaries and the brain. [GOC:dph, GOC:tb]' - }, - 'GO:0090213': { - 'name': 'regulation of radial pattern formation', - 'def': 'Any process that modulates the rate, frequency or extent of radial pattern formation, the regionalization process that results in defined areas around a point in which specific types of cell differentiation will occur. [GOC:tb]' - }, - 'GO:0090214': { - 'name': 'spongiotrophoblast layer developmental growth', - 'def': 'The increase in size or mass of the spongiotrophoblast layer of the placenta where the increase in size or mass contributes to the progression of that layer over time from its formation to its mature state. [GOC:dph, GOC:tb]' - }, - 'GO:0090215': { - 'name': 'regulation of 1-phosphatidylinositol-4-phosphate 5-kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of the catalysis of the reaction: ATP + 1-phosphatidyl-1D-myo-inositol 4-phosphate = ADP + 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate. [GOC:dph, GOC:tb]' - }, - 'GO:0090216': { - 'name': 'positive regulation of 1-phosphatidylinositol-4-phosphate 5-kinase activity', - 'def': 'Any process that increases the frequency, rate or extent of the catalysis of the reaction: ATP + 1-phosphatidyl-1D-myo-inositol 4-phosphate = ADP + 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate. [GOC:dph, GOC:tb]' - }, - 'GO:0090217': { - 'name': 'negative regulation of 1-phosphatidylinositol-4-phosphate 5-kinase activity', - 'def': 'Any process that decreases the frequency, rate or extent of the catalysis of the reaction: ATP + 1-phosphatidyl-1D-myo-inositol 4-phosphate = ADP + 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate. [GOC:dph, GOC:tb]' - }, - 'GO:0090218': { - 'name': 'positive regulation of lipid kinase activity', - 'def': 'Any process that increases the frequency, rate or extent of lipid kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to a simple or complex lipid. [GOC:dph, GOC:tb]' - }, - 'GO:0090219': { - 'name': 'negative regulation of lipid kinase activity', - 'def': 'Any process that decreases the frequency, rate or extent of lipid kinase activity, the catalysis of the transfer of a phosphate group, usually from ATP, to a simple or complex lipid. [GOC:dph, GOC:tb]' - }, - 'GO:0090220': { - 'name': 'chromosome localization to nuclear envelope involved in homologous chromosome segregation', - 'def': 'The directed movement of a chromosome to the nuclear envelope that contributes to homologous chromosome segregation and precedes synapsis. [GOC:ascb_2009, GOC:dph, GOC:tb, PMID:19913287]' - }, - 'GO:0090221': { - 'name': 'mitotic spindle-templated microtubule nucleation', - 'def': "The 'de novo' formation of a microtubule, in which tubulin heterodimers form metastable oligomeric aggregates from within the mitotic spindle. [GOC:ascb_2009, GOC:dph, GOC:tb]" - }, - 'GO:0090222': { - 'name': 'centrosome-templated microtubule nucleation', - 'def': "The 'de novo' formation of a microtubule, in which tubulin heterodimers form metastable oligomeric aggregates from the centrosome. [GOC:ascb_2009, GOC:dph, GOC:tb]" - }, - 'GO:0090223': { - 'name': 'chromatin-templated microtubule nucleation', - 'def': "The 'de novo' formation of a microtubule, in which tubulin heterodimers form metastable oligomeric aggregates from chromatin. [GOC:ascb_2009, GOC:dph, GOC:tb]" - }, - 'GO:0090224': { - 'name': 'regulation of spindle organization', - 'def': 'Any process that modulates the rate, frequency or extent of the assembly, arrangement of constituent parts, or disassembly of the microtubule spindle. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090225': { - 'name': 'regulation of spindle density', - 'def': 'Any process that modulates the number of microtubules in a given region of the spindle. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090226': { - 'name': 'regulation of microtubule nucleation by Ran protein signal transduction', - 'def': 'Any series of molecular signals in which a Ran GTPase relays one or more of the signals resulting in the modulation of the rate, frequency or extent of microtubule nucleation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090227': { - 'name': 'regulation of red or far-red light signaling pathway', - 'def': 'Any process that modulates the rate, frequency or extent of the red or far-red signaling pathway, the series of molecular signals initiated upon sensing by photoreceptor molecules of red light or far red light. [GOC:tb]' - }, - 'GO:0090228': { - 'name': 'positive regulation of red or far-red light signaling pathway', - 'def': 'Any process that increases the rate, frequency or extent of the red or far-red signaling pathway, the series of molecular signals initiated upon sensing by photoreceptor molecules of red light or far red light. [GOC:tb]' - }, - 'GO:0090229': { - 'name': 'negative regulation of red or far-red light signaling pathway', - 'def': 'Any process that decreases the rate, frequency or extent of the red or far-red signaling pathway, the series of molecular signals initiated upon sensing by photoreceptor molecules of red light or far red light. [GOC:tb]' - }, - 'GO:0090230': { - 'name': 'regulation of centromere complex assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of centromere complex assembly, the aggregation, arrangement and bonding together of proteins and centromeric DNA molecules to form a centromeric protein-DNA complex. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090231': { - 'name': 'regulation of spindle checkpoint', - 'def': 'Any process that modulates the rate, frequency, or extent of the spindle checkpoint, a cell cycle checkpoint that delays the metaphase/anaphase transition until the spindle is correctly assembled and oriented, and chromosomes are attached to the spindle. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090232': { - 'name': 'positive regulation of spindle checkpoint', - 'def': 'Any process that increases the rate, frequency, or extent of the spindle checkpoint, a cell cycle checkpoint that delays the metaphase/anaphase transition until the spindle is correctly assembled and oriented, and chromosomes are attached to the spindle. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090233': { - 'name': 'negative regulation of spindle checkpoint', - 'def': 'Any process that decreases the rate, frequency, or extent of the spindle checkpoint, a cell cycle checkpoint that delays the metaphase/anaphase transition until the spindle is correctly assembled and oriented, and chromosomes are attached to the spindle. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090234': { - 'name': 'regulation of kinetochore assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of kinetochore assembly, the aggregation, arrangement and bonding together of a set of components to form the kinetochore, a multisubunit complex that is located at the centromeric region of DNA and provides an attachment point for the spindle microtubules. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090235': { - 'name': 'regulation of metaphase plate congression', - 'def': 'Any process that modulates the rate, frequency, or extent of metaphase plate congression, the alignment of chromosomes at the metaphase plate, a plane halfway between the poles of the spindle. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090236': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in somitogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the formation of mesodermal clusters that are arranged segmentally along the anterior posterior axis of an embryo. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090237': { - 'name': 'regulation of arachidonic acid secretion', - 'def': 'Any process that modulates the rate, frequency, or extent of arachidonic acid secretion, the controlled release of arachidonic acid from a cell or a tissue. [GOC:dph, GOC:tb]' - }, - 'GO:0090238': { - 'name': 'positive regulation of arachidonic acid secretion', - 'def': 'Any process that increases the rate, frequency, or extent of arachidonic acid secretion, the controlled release of arachidonic acid from a cell or a tissue. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090239': { - 'name': 'regulation of histone H4 acetylation', - 'def': 'Any process that modulates the rate, frequency, or extent of histone H4 acetylation, the modification of histone H4 by the addition of an acetyl group. [GOC:dph, GOC:tb]' - }, - 'GO:0090240': { - 'name': 'positive regulation of histone H4 acetylation', - 'def': 'Any process that increases the rate, frequency, or extent of histone H4 acetylation, the modification of histone H4 by the addition of an acetyl group. [GOC:dph, GOC:tb]' - }, - 'GO:0090241': { - 'name': 'negative regulation of histone H4 acetylation', - 'def': 'Any process that decreases the rate, frequency, or extent of histone H4 acetylation, the modification of histone H4 by the addition of an acetyl group. [GOC:dph, GOC:tb]' - }, - 'GO:0090242': { - 'name': 'retinoic acid receptor signaling pathway involved in somitogenesis', - 'def': 'The series of molecular signals generated as a consequence of a retinoic acid receptor binding to one of its physiological ligands that contributes to somitogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090243': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in somitogenesis', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands that contributes to somitogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090244': { - 'name': 'Wnt signaling pathway involved in somitogenesis', - 'def': 'The series of molecular signals initiated by binding of Wnt protein to a frizzled family receptor on the surface of the target cell and ending with a change in cell state that contributes to somitogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090245': { - 'name': 'axis elongation involved in somitogenesis', - 'def': 'The developmental growth that results in the elongation of the rostral-caudal axis that contributes to somitogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090246': { - 'name': 'convergent extension involved in somitogenesis', - 'def': 'The morphogenetic process in which a presomitic mesoderm narrows along the left-right axis and lengthens in the rostral-caudal axis contributing to somitogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090247': { - 'name': 'cell motility involved in somitogenic axis elongation', - 'def': 'Any process involved in the controlled self-propelled movement of a cell that contributes to somitogenic axis elongation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090248': { - 'name': 'cell migration involved in somitogenic axis elongation', - 'def': 'The orderly movement of a presomitic mesoderm cell that contributes to somitogenic axis elongation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090249': { - 'name': 'regulation of cell motility involved in somitogenic axis elongation', - 'def': 'Any process that modulates the frequency, rate, or extent of the controlled self-propelled movement of a cell that contributes to somitogenic axis elongation. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090250': { - 'name': 'cell-cell adhesion involved in establishment of planar polarity', - 'def': 'The attachment of one cell to another cell via adhesion molecules that contributes to the establishment of planar cell polarity. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090251': { - 'name': 'protein localization involved in establishment of planar polarity', - 'def': 'Any process in which a protein is transported to, and/or maintained in, a specific location in a cell that contributes to the establishment of planar polarity. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090252': { - 'name': 'epithelium migration involved in imaginal disc-derived wing morphogenesis', - 'def': 'The process in which the population of cells that make up a wing epithelium undergo directed movement and contribute to imaginal disc-derived morphogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090253': { - 'name': 'convergent extension involved in imaginal disc-derived wing morphogenesis', - 'def': 'The morphogenetic process in which the wing epithelium narrows along one axis and lengthens in a perpendicular axis that contributes to imaginal disc-derived wing morphogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090254': { - 'name': 'cell elongation involved in imaginal disc-derived wing morphogenesis', - 'def': 'The process in which a cell elongates and contributes to imaginal disc-derived wing morphogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090255': { - 'name': 'cell proliferation involved in imaginal disc-derived wing morphogenesis', - 'def': 'The multiplication or reproduction of cells, resulting in the expansion of a cell population that contributes to imaginal disc-derived wing morphogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090256': { - 'name': 'regulation of cell proliferation involved in imaginal disc-derived wing morphogenesis', - 'def': 'Any process that modulates the frequency, rate, or extent of the multiplication or reproduction of cells, resulting in the expansion of a cell population that contributes to imaginal disc-derived wing morphogenesis. [GOC:ascb_2009, GOC:dph, GOC:tb]' - }, - 'GO:0090257': { - 'name': 'regulation of muscle system process', - 'def': 'Any process that modulates the frequency, rate or extent of a muscle system process, a multicellular organismal process carried out by any of the organs or tissues in a muscle system. [GOC:dph, GOC:tb]' - }, - 'GO:0090258': { - 'name': 'negative regulation of mitochondrial fission', - 'def': 'Any process that decreases the rate, frequency or extent of mitochondrial fission. Mitochondrial fission is the division of a mitochondrion within a cell to form two or more separate mitochondrial compartments. [GOC:sl, GOC:tb]' - }, - 'GO:0090259': { - 'name': 'regulation of retinal ganglion cell axon guidance', - 'def': 'Any process that modulates the frequency, rate, or extent of retinal ganglion cell axon guidance, the process in which the migration of an axon growth cone of a retinal ganglion cell (RGC) is directed to its target in the brain in response to a combination of attractive and repulsive cues. [GOC:tb, GOC:yaf]' - }, - 'GO:0090260': { - 'name': 'negative regulation of retinal ganglion cell axon guidance', - 'def': 'Any process that decreases the frequency, rate, or extent of retinal ganglion cell axon guidance, the process in which the migration of an axon growth cone of a retinal ganglion cell (RGC) is directed to its target in the brain in response to a combination of attractive and repulsive cues. [GOC:tb, GOC:yaf]' - }, - 'GO:0090261': { - 'name': 'positive regulation of inclusion body assembly', - 'def': 'Any process that increases the rate, frequency, or extent of inclusion body assembly. Inclusion body assembly is the aggregation, arrangement and bonding together of a set of components to form an inclusion body. [GOC:tb]' - }, - 'GO:0090262': { - 'name': 'regulation of transcription-coupled nucleotide-excision repair', - 'def': 'Any process that modulates the frequency, rate, or extent of the nucleotide-excision repair process that carries out preferential repair of DNA lesions on the actively transcribed strand of the DNA duplex. In addition, the transcription-coupled nucleotide-excision repair pathway is required for the recognition and repair of a small subset of lesions that are not recognized by the global genome nucleotide excision repair pathway. [GOC:tb]' - }, - 'GO:0090263': { - 'name': 'positive regulation of canonical Wnt signaling pathway', - 'def': 'Any process that increases the rate, frequency, or extent of the Wnt signaling pathway through beta-catenin, the series of molecular signals initiated by binding of a Wnt protein to a frizzled family receptor on the surface of the target cell, followed by propagation of the signal via beta-catenin, and ending with a change in transcription of target genes. [GOC:tb]' - }, - 'GO:0090264': { - 'name': 'regulation of immune complex clearance by monocytes and macrophages', - 'def': 'Any process that modulates the rate, frequency, or extent of the process of immune complex clearance by monocytes or macrophages. [GOC:tb]' - }, - 'GO:0090265': { - 'name': 'positive regulation of immune complex clearance by monocytes and macrophages', - 'def': 'Any process that increases the rate, frequency, or extent of the process of immune complex clearance by monocytes or macrophages. [GOC:BHF]' - }, - 'GO:0090266': { - 'name': 'regulation of mitotic cell cycle spindle assembly checkpoint', - 'def': 'Any process that modulates the rate, frequency, or extent of the mitotic cell cycle spindle assembly checkpoint, a cell cycle checkpoint that delays the metaphase/anaphase transition of a mitotic nuclear division until the spindle is correctly assembled and chromosomes are attached to the spindle. [GOC:mtg_cell_cycle]' - }, - 'GO:0090267': { - 'name': 'positive regulation of mitotic cell cycle spindle assembly checkpoint', - 'def': 'Any process that increases the rate, frequency, or extent of the mitotic cell cycle spindle assembly checkpoint, a cell cycle checkpoint that delays the metaphase/anaphase transition of a mitotic nuclear division until the spindle is correctly assembled and chromosomes are attached to the spindle. [GOC:mah, GOC:vw]' - }, - 'GO:0090268': { - 'name': 'activation of mitotic cell cycle spindle assembly checkpoint', - 'def': 'Any process that starts the inactive process of a mitotic cell cycle spindle assembly checkpoint. [GOC:mah, GOC:vw]' - }, - 'GO:0090269': { - 'name': 'fibroblast growth factor production', - 'def': 'The appearance of a fibroblast growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF]' - }, - 'GO:0090270': { - 'name': 'regulation of fibroblast growth factor production', - 'def': 'Any process that modulates the rate, frequency or extent of the appearance of a fibroblast growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF]' - }, - 'GO:0090271': { - 'name': 'positive regulation of fibroblast growth factor production', - 'def': 'Any process that increases the rate, frequency or extent of the appearance of a fibroblast growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF]' - }, - 'GO:0090272': { - 'name': 'negative regulation of fibroblast growth factor production', - 'def': 'Any process that decreases the rate, frequency or extent of the appearance of a fibroblast growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF]' - }, - 'GO:0090273': { - 'name': 'regulation of somatostatin secretion', - 'def': 'Any process that modulates the rate, frequency, extent of the regulated release of somatostatin from secretory granules in the D cells of the pancreas. [GOC:BHF]' - }, - 'GO:0090274': { - 'name': 'positive regulation of somatostatin secretion', - 'def': 'Any process that increases the rate, frequency, extent of the regulated release of somatostatin from secretory granules in the D cells of the pancreas. [GOC:BHF]' - }, - 'GO:0090275': { - 'name': 'negative regulation of somatostatin secretion', - 'def': 'Any process that decreases the rate, frequency, extent of the regulated release of somatostatin from secretory granules in the D cells of the pancreas. [GOC:BHF]' - }, - 'GO:0090276': { - 'name': 'regulation of peptide hormone secretion', - 'def': 'Any process that modulates the rate, frequency, or extent of the regulated release of a peptide hormone from secretory granules. [GOC:tb]' - }, - 'GO:0090277': { - 'name': 'positive regulation of peptide hormone secretion', - 'def': 'Any process that increases the rate, frequency, or extent of the regulated release of a peptide hormone from secretory granules. [GOC:tb]' - }, - 'GO:0090278': { - 'name': 'negative regulation of peptide hormone secretion', - 'def': 'Any process that decreases the rate, frequency, or extent of the regulated release of a peptide hormone from secretory granules. [GOC:tb]' - }, - 'GO:0090279': { - 'name': 'regulation of calcium ion import', - 'def': 'Any process that modulates the rate, frequency, or extent of the directed movement of calcium ions into a cell or organelle. [GOC:BHF]' - }, - 'GO:0090280': { - 'name': 'positive regulation of calcium ion import', - 'def': 'Any process that increases the rate, frequency, or extent of the directed movement of calcium ions into a cell or organelle. [GOC:BHF]' - }, - 'GO:0090281': { - 'name': 'negative regulation of calcium ion import', - 'def': 'Any process that decreases the rate, frequency, or extent of the directed movement of calcium ions into a cell or organelle. [GOC:BHF]' - }, - 'GO:0090282': { - 'name': 'positive regulation of transcription involved in G2/M transition of mitotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription of target genes that are transcribed as part of the G2/M transition of the mitotic cell cycle. [GOC:rn, PMID:10747051, PMID:10894548, PMID:10899128, PMID:10959837]' - }, - 'GO:0090283': { - 'name': 'regulation of protein glycosylation in Golgi', - 'def': 'Any process that modulates the rate, frequency, or extent of the addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid in any compartment of the Golgi apparatus. [GOC:pr, GOC:tb]' - }, - 'GO:0090284': { - 'name': 'positive regulation of protein glycosylation in Golgi', - 'def': 'Any process that increases the rate, frequency, or extent of the addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid in any compartment of the Golgi apparatus. [GOC:pr, GOC:tb]' - }, - 'GO:0090285': { - 'name': 'negative regulation of protein glycosylation in Golgi', - 'def': 'Any process that decreases the rate, frequency, or extent of the addition of a carbohydrate or carbohydrate derivative unit to a protein amino acid in any compartment of the Golgi apparatus. [GOC:pr, GOC:tb]' - }, - 'GO:0090286': { - 'name': 'cytoskeletal anchoring at nuclear membrane', - 'def': 'The process in which cytoskeletal filaments are directly or indirectly linked to the nuclear membrane. [GOC:tb]' - }, - 'GO:0090287': { - 'name': 'regulation of cellular response to growth factor stimulus', - 'def': 'Any process that modulates the rate, frequency, or extent of a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a growth factor stimulus. [GOC:tb]' - }, - 'GO:0090288': { - 'name': 'negative regulation of cellular response to growth factor stimulus', - 'def': 'Any process that decreases the rate, frequency, or extent of a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a growth factor stimulus. [GOC:BHF]' - }, - 'GO:0090289': { - 'name': 'regulation of osteoclast proliferation', - 'def': 'Any process that modulates the rate, frequency, or extent of the multiplication or reproduction of osteoclasts, resulting in the expansion of an osteoclast cell population. [GOC:tb]' - }, - 'GO:0090290': { - 'name': 'positive regulation of osteoclast proliferation', - 'def': 'Any process that increases the rate, frequency, or extent of the multiplication or reproduction of osteoclasts, resulting in the expansion of an osteoclast cell population. [GOC:tb]' - }, - 'GO:0090291': { - 'name': 'negative regulation of osteoclast proliferation', - 'def': 'Any process that decreases the rate, frequency, or extent of the multiplication or reproduction of osteoclasts, resulting in the expansion of an osteoclast cell population. [GOC:tb]' - }, - 'GO:0090292': { - 'name': 'nuclear matrix anchoring at nuclear membrane', - 'def': 'The process in which the nuclear matrix, the dense fibrillar network lying on the inner side of the nuclear membrane, is directly or indirectly linked to the nuclear membrane. [GOC:tb]' - }, - 'GO:0090293': { - 'name': 'nitrogen catabolite regulation of transcription', - 'def': 'A transcription regulation process in which the presence of one nitrogen source leads to the modulation of the frequency, rate, or extent of transcription of specific genes involved in the metabolism of other nitrogen sources. [GOC:mah, GOC:rb, PMID:19104072]' - }, - 'GO:0090294': { - 'name': 'nitrogen catabolite activation of transcription', - 'def': 'A transcription regulation process in which the presence of one nitrogen source leads to an increase in the frequency, rate, or extent of transcription of specific genes involved in the metabolism of other nitrogen sources. [GOC:mah, GOC:rb, PMID:19104072]' - }, - 'GO:0090295': { - 'name': 'nitrogen catabolite repression of transcription', - 'def': 'A transcription regulation process in which the presence of one nitrogen source leads to a decrease in the frequency, rate, or extent of transcription of specific genes involved in the metabolism of other nitrogen sources. [GOC:mah, GOC:rb, PMID:19104072]' - }, - 'GO:0090296': { - 'name': 'regulation of mitochondrial DNA replication', - 'def': 'Any process that modulates the rate, frequency or extent of the process in which new strands of DNA are synthesized in the mitochondrion. [GOC:tb]' - }, - 'GO:0090297': { - 'name': 'positive regulation of mitochondrial DNA replication', - 'def': 'Any process that increases the rate, frequency or extent of the process in which new strands of DNA are synthesized in the mitochondrion. [GOC:tb]' - }, - 'GO:0090298': { - 'name': 'negative regulation of mitochondrial DNA replication', - 'def': 'Any process that decreases the rate, frequency or extent of the process in which new strands of DNA are synthesized in the mitochondrion. [GOC:tb]' - }, - 'GO:0090299': { - 'name': 'regulation of neural crest formation', - 'def': 'Any process that modulates the rate, frequency, or extent of neural crest formation. Neural crest formation is the formation of the specialized region of ectoderm between the neural ectoderm (neural plate) and non-neural ectoderm. The neural crest gives rise to the neural crest cells that migrate away from this region as neural tube formation proceeds. [GOC:tb]' - }, - 'GO:0090300': { - 'name': 'positive regulation of neural crest formation', - 'def': 'Any process that increases the rate, frequency, or extent of neural crest formation. Neural crest formation is the formation of the specialized region of ectoderm between the neural ectoderm (neural plate) and non-neural ectoderm. The neural crest gives rise to the neural crest cells that migrate away from this region as neural tube formation procedes. [GOC:tb]' - }, - 'GO:0090301': { - 'name': 'negative regulation of neural crest formation', - 'def': 'Any process that decreases the rate, frequency, or extent of neural crest formation. Neural crest formation is the formation of the specialized region of ectoderm between the neural ectoderm (neural plate) and non-neural ectoderm. The neural crest gives rise to the neural crest cells that migrate away from this region as neural tube formation procedes. [GOC:tb]' - }, - 'GO:0090303': { - 'name': 'positive regulation of wound healing', - 'def': 'Any process that increases the rate, frequency, or extent of the series of events that restore integrity to a damaged tissue, following an injury. [GOC:BHF]' - }, - 'GO:0090304': { - 'name': 'nucleic acid metabolic process', - 'def': 'Any cellular metabolic process involving nucleic acids. [GOC:dph, GOC:tb]' - }, - 'GO:0090305': { - 'name': 'nucleic acid phosphodiester bond hydrolysis', - 'def': 'The nucleic acid metabolic process in which the phosphodiester bonds between nucleotides are cleaved by hydrolysis. [GOC:dph, GOC:tb]' - }, - 'GO:0090306': { - 'name': 'spindle assembly involved in meiosis', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the spindle that contributes to the process of meiosis. [GOC:tb, GOC:vw]' - }, - 'GO:0090307': { - 'name': 'mitotic spindle assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the spindle that contributes to the process of mitosis. [GOC:tb, GOC:vw]' - }, - 'GO:0090308': { - 'name': 'regulation of methylation-dependent chromatin silencing', - 'def': 'Any process that modulates the rate, frequency, or extent of the repression of transcription by methylation of DNA, leading to the formation of heterochromatin. [GOC:BHF]' - }, - 'GO:0090309': { - 'name': 'positive regulation of methylation-dependent chromatin silencing', - 'def': 'Any process that increases the rate, frequency, or extent of the repression of transcription by methylation of DNA, leading to the formation of heterochromatin. [GOC:BHF]' - }, - 'GO:0090310': { - 'name': 'negative regulation of methylation-dependent chromatin silencing', - 'def': 'Any process that decreases the rate, frequency, or extent of the repression of transcription by methylation of DNA, leading to the formation of heterochromatin. [GOC:BHF]' - }, - 'GO:0090311': { - 'name': 'regulation of protein deacetylation', - 'def': 'Any process that modulates the rate, frequency, or extent of protein deacetylation, the removal of an acetyl group from a protein amino acid. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:tb]' - }, - 'GO:0090312': { - 'name': 'positive regulation of protein deacetylation', - 'def': 'Any process that increases the rate, frequency, or extent of protein deacetylation, the removal of an acetyl group from a protein amino acid. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [GOC:ecd, PMID:20027304]' - }, - 'GO:0090313': { - 'name': 'regulation of protein targeting to membrane', - 'def': 'Any process that modulates the frequency, rate or extent of the process of directing proteins towards a membrane, usually using signals contained within the protein. [GOC:tb]' - }, - 'GO:0090314': { - 'name': 'positive regulation of protein targeting to membrane', - 'def': 'Any process that increases the frequency, rate or extent of the process of directing proteins towards a membrane, usually using signals contained within the protein. [GOC:tb]' - }, - 'GO:0090315': { - 'name': 'negative regulation of protein targeting to membrane', - 'def': 'Any process that decreases the frequency, rate or extent of the process of directing proteins towards a membrane, usually using signals contained within the protein. [GOC:tb]' - }, - 'GO:0090316': { - 'name': 'positive regulation of intracellular protein transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of the directed movement of proteins within cells. [GOC:tb]' - }, - 'GO:0090317': { - 'name': 'negative regulation of intracellular protein transport', - 'def': 'Any process that decreases the frequency, rate or extent of the directed movement of proteins within cells. [GOC:tb]' - }, - 'GO:0090318': { - 'name': 'regulation of chylomicron remodeling', - 'def': 'Any process that modulates the rate, frequency, or extent of chylomicron remodeling. Chylomicron remodeling is the acquisition, loss or modification of a protein or lipid within a chylomicron, including the hydrolysis of triglyceride by lipoprotein lipase and the subsequent loss of free fatty acid. [GOC:tb]' - }, - 'GO:0090319': { - 'name': 'positive regulation of chylomicron remodeling', - 'def': 'Any process that increases the rate, frequency, or extent of chylomicron remodeling. Chylomicron remodeling is the acquisition, loss or modification of a protein or lipid within a chylomicron, including the hydrolysis of triglyceride by lipoprotein lipase and the subsequent loss of free fatty acid. [GOC:BHF]' - }, - 'GO:0090320': { - 'name': 'regulation of chylomicron remnant clearance', - 'def': 'Any process that modulates the rate, frequency or extent of chylomicron remnant clearance. Chylomicron clearance is the process in which a chylomicron remnant is removed from the blood via receptor-mediated endocytosis into liver cells and its constituent parts degraded. [GOC:tb]' - }, - 'GO:0090321': { - 'name': 'positive regulation of chylomicron remnant clearance', - 'def': 'Any process that increases the rate, frequency or extent of chylomicron remnant clearance. Chylomicron clearance is the process in which a chylomicron remnant is removed from the blood via receptor-mediated endocytosis into liver cells and its constituent parts degraded. [GOC:BHF]' - }, - 'GO:0090322': { - 'name': 'regulation of superoxide metabolic process', - 'def': 'Any process that modulates the rate, frequency, or extent of superoxide metabolism, the chemical reactions and pathways involving superoxide, the superoxide anion O2- (superoxide free radical), or any compound containing this species. [GOC:tb]' - }, - 'GO:0090323': { - 'name': 'prostaglandin secretion involved in immune response', - 'def': 'The regulated release of a prostaglandin that contributes to the immune response. Prostaglandins are a group of biologically active metabolites which contain a cyclopentane ring. [GOC:dph, GOC:tb]' - }, - 'GO:0090324': { - 'name': 'negative regulation of oxidative phosphorylation', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways resulting in the phosphorylation of ADP to ATP that accompanies the oxidation of a metabolite through the operation of the respiratory chain. Oxidation of compounds establishes a proton gradient across the membrane, providing the energy for ATP synthesis. [GOC:BHF]' - }, - 'GO:0090325': { - 'name': 'regulation of locomotion involved in locomotory behavior', - 'def': 'Any process that modulates the frequency, rate, or extent of the self-propelled movement of a cell or organism from one location to another in a behavioral context; the aspect of locomotory behavior having to do with movement. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0090326': { - 'name': 'positive regulation of locomotion involved in locomotory behavior', - 'def': 'Any process that increases the frequency, rate, or extent of the self-propelled movement of a cell or organism from one location to another in a behavioral context; the aspect of locomotory behavior having to do with movement. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0090327': { - 'name': 'negative regulation of locomotion involved in locomotory behavior', - 'def': 'Any process that decreases the frequency, rate, or extent of the self-propelled movement of a cell or organism from one location to another in a behavioral context; the aspect of locomotory behavior having to do with movement. [GOC:dph, GOC:kmv, GOC:tb]' - }, - 'GO:0090328': { - 'name': 'regulation of olfactory learning', - 'def': 'Any process that modulates the rate, frequency, or extent of olfactory learning. Olfactory learning is any process in an organism in which a relatively long-lasting adaptive behavioral change occurs in response to (repeated) exposure to an olfactory cue. [GOC:dph, GOC:tb]' - }, - 'GO:0090329': { - 'name': 'regulation of DNA-dependent DNA replication', - 'def': 'Any process that modulates the rate, frequency, or extent of DNA-dependent DNA replication, the process in which new strands of DNA are synthesized, using parental DNA as a template for the DNA-dependent DNA polymerases that synthesize the new strands. [GOC:dph, GOC:tb]' - }, - 'GO:0090330': { - 'name': 'regulation of platelet aggregation', - 'def': 'Any process that modulates the rate, frequency or extent of platelet aggregation. Platelet aggregation is the adhesion of one platelet to one or more other platelets via adhesion molecules. [GOC:dph, GOC:tb]' - }, - 'GO:0090331': { - 'name': 'negative regulation of platelet aggregation', - 'def': 'Any process that decreases the rate, frequency or extent of platelet aggregation. Platelet aggregation is the adhesion of one platelet to one or more other platelets via adhesion molecules. [GOC:BHF]' - }, - 'GO:0090332': { - 'name': 'stomatal closure', - 'def': 'The process of closing of stomata, pores in the epidermis of leaves and stems bordered by two guard cells and serving in gas exchange. [GOC:tb]' - }, - 'GO:0090333': { - 'name': 'regulation of stomatal closure', - 'def': 'Any process that modulates the rate, frequency, or extent of stomatal closure. Stomatal closure is the process of closing of stomata, pores in the epidermis of leaves and stems bordered by two guard cells and serving in gas exchange. [GOC:tb]' - }, - 'GO:0090334': { - 'name': 'regulation of cell wall (1->3)-beta-D-glucan biosynthetic process', - 'def': 'Any process that modulates the rate, frequency, or extent of the chemical reactions and pathways resulting in the formation of (1->3)-beta-D-glucans, compounds composed of glucose residues linked by (1->3)-beta-D-glucosidic bonds, found in the walls of cells. [GOC:tb]' - }, - 'GO:0090335': { - 'name': 'regulation of brown fat cell differentiation', - 'def': 'Any process that modulates the rate, frequency, or extent of brown fat cell differentiation. Brown fat cell differentiation is the process in which a relatively unspecialized cell acquires specialized features of a brown adipocyte, an animal connective tissue cell involved in adaptive thermogenesis. Brown adipocytes contain multiple small droplets of triglycerides and a high number of mitochondria. [GOC:tb]' - }, - 'GO:0090336': { - 'name': 'positive regulation of brown fat cell differentiation', - 'def': 'Any process that increases the rate, frequency, or extent of brown fat cell differentiation. Brown fat cell differentiation is the process in which a relatively unspecialized cell acquires specialized features of a brown adipocyte, an animal connective tissue cell involved in adaptive thermogenesis. Brown adipocytes contain multiple small droplets of triglycerides and a high number of mitochondria. [GOC:BHF]' - }, - 'GO:0090337': { - 'name': 'regulation of formin-nucleated actin cable assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of formin-nucleated actin cable assembly. Formin-nucleated actin cable assembly is the aggregation, arrangement and bonding together of a set of components to form a formin-nucleated actin cable. A formin-nucleated actin cable is an actin filament bundle that consists of short filaments organized into bundles of uniform polarity, and is nucleated by formins. [GOC:jh, GOC:tb, PMID:12810699, PMID:15923184]' - }, - 'GO:0090338': { - 'name': 'positive regulation of formin-nucleated actin cable assembly', - 'def': 'Any process that increases the rate, frequency, or extent of formin-nucleated actin cable assembly. Formin-nucleated actin cable assembly is the aggregation, arrangement and bonding together of a set of components to form a formin-nucleated actin cable. A formin-nucleated actin cable is an actin filament bundle that consists of short filaments organized into bundles of uniform polarity, and is nucleated by formins. [GOC:jh, GOC:tb, PMID:12810699, PMID:15923184]' - }, - 'GO:0090339': { - 'name': 'negative regulation of formin-nucleated actin cable assembly', - 'def': 'Any process that decreases the rate, frequency, or extent of formin-nucleated actin cable assembly. Formin-nucleated actin cable assembly is the aggregation, arrangement and bonding together of a set of components to form a formin-nucleated actin cable. A formin-nucleated actin cable is an actin filament bundle that consists of short filaments organized into bundles of uniform polarity, and is nucleated by formins. [GOC:jh, GOC:tb, PMID:12810699, PMID:15923184]' - }, - 'GO:0090340': { - 'name': 'positive regulation of secretion of lysosomal enzymes', - 'def': 'Any process that increases the rate, frequency or extent of secretion of lysosomal enzymes, the controlled release of lysosomal enzymes by a cell. [GOC:BHF]' - }, - 'GO:0090341': { - 'name': 'negative regulation of secretion of lysosomal enzymes', - 'def': 'Any process that decreases the rate, frequency or extent of secretion of lysosomal enzymes, the controlled release of lysosomal enzymes by a cell. [GOC:BHF]' - }, - 'GO:0090342': { - 'name': 'regulation of cell aging', - 'def': 'Any process that modulates the rate, frequency, or extent of cell aging. Cell aging is the progression of the cell from its inception to the end of its lifespan. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090343': { - 'name': 'positive regulation of cell aging', - 'def': 'Any process that increases the rate, frequency, or extent of cell aging. Cell aging is the progression of the cell from its inception to the end of its lifespan. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090344': { - 'name': 'negative regulation of cell aging', - 'def': 'Any process that decreases the rate, frequency, or extent of cell aging. Cell aging is the progression of the cell from its inception to the end of its lifespan. [GOC:BHF, GOC:dph, GOC:tb]' - }, - 'GO:0090345': { - 'name': 'cellular organohalogen metabolic process', - 'def': 'The chemical reactions and pathways involving organohalogen compounds, as carried out by individual cells. [GOC:BHF]' - }, - 'GO:0090346': { - 'name': 'cellular organofluorine metabolic process', - 'def': 'The chemical reactions and pathways involving organofluorine compounds, as carried out by individual cells. [GOC:BHF]' - }, - 'GO:0090347': { - 'name': 'regulation of cellular organohalogen metabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of the chemical reactions and pathways involving organohalogen compounds, as carried out by individual cells. [GOC:BHF]' - }, - 'GO:0090348': { - 'name': 'regulation of cellular organofluorine metabolic process', - 'def': 'Any process that modulates the rate, frequency or extent of the chemical reactions and pathways involving organofluorine compounds, as carried out by individual cells. [GOC:BHF]' - }, - 'GO:0090349': { - 'name': 'negative regulation of cellular organohalogen metabolic process', - 'def': 'Any process that decreases the rate, frequency or extent of the chemical reactions and pathways involving organohalogen compounds, as carried out by individual cells. [GOC:BHF]' - }, - 'GO:0090350': { - 'name': 'negative regulation of cellular organofluorine metabolic process', - 'def': 'Any process that decreases the rate, frequency or extent of the chemical reactions and pathways involving organofluorine compounds, as carried out by individual cells. [GOC:BHF]' - }, - 'GO:0090351': { - 'name': 'seedling development', - 'def': 'The process whose specific outcome is the progression of the seedling over time, beginning with seed germination and ending when the first adult leaves emerge. [GOC:tb, PO:0007131]' - }, - 'GO:0090352': { - 'name': 'regulation of nitrate assimilation', - 'def': 'Any process that modulates the rate, frequency, or extent of the uptake, from the environment, of nitrates, inorganic or organic salts and esters of nitric acid and the subsequent reduction of nitrate ion to other, less highly oxidized, inorganic nitrogenous substances. [GOC:tb]' - }, - 'GO:0090353': { - 'name': 'polygalacturonase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a polygalacturonase. Polygalacturonases catalyze the random hydrolysis of 1,4-alpha-D-galactosiduronic linkages in pectate and other galacturonans. [GOC:tb]' - }, - 'GO:0090354': { - 'name': 'regulation of auxin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving auxins, plant hormones that regulate aspects of plant growth. [GOC:tb]' - }, - 'GO:0090355': { - 'name': 'positive regulation of auxin metabolic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways involving auxins, plant hormones that regulate aspects of plant growth. [GOC:tb]' - }, - 'GO:0090356': { - 'name': 'negative regulation of auxin metabolic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways involving auxins, plant hormones that regulate aspects of plant growth. [GOC:tb]' - }, - 'GO:0090357': { - 'name': 'regulation of tryptophan metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of the chemical reactions and pathways involving tryptophan, the chiral amino acid 2-amino-3-(1H-indol-3-yl)propanoic acid. [GOC:tb]' - }, - 'GO:0090358': { - 'name': 'positive regulation of tryptophan metabolic process', - 'def': 'Any process that increases the frequency, rate or extent of the chemical reactions and pathways involving tryptophan, the chiral amino acid 2-amino-3-(1H-indol-3-yl)propanoic acid. [GOC:tb]' - }, - 'GO:0090359': { - 'name': 'negative regulation of abscisic acid biosynthetic process', - 'def': 'Any process that decreases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of abscisic acid. [GOC:tb]' - }, - 'GO:0090360': { - 'name': 'platelet-derived growth factor production', - 'def': 'The appearance of any platelet-derived growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF]' - }, - 'GO:0090361': { - 'name': 'regulation of platelet-derived growth factor production', - 'def': 'Any process that modulates the rate, frequency, or extent of the appearance of any platelet-derived growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF]' - }, - 'GO:0090362': { - 'name': 'positive regulation of platelet-derived growth factor production', - 'def': 'Any process that increases the rate, frequency, or extent of the appearance of any platelet-derived growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:BHF]' - }, - 'GO:0090363': { - 'name': 'regulation of proteasome core complex assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of the aggregation, arrangement and bonding together of a mature, active 20S proteasome core particle complex that does not contain any regulatory particles. [GOC:dph, GOC:elh, GOC:tb]' - }, - 'GO:0090364': { - 'name': 'regulation of proteasome assembly', - 'def': 'Any process that modulates the rate, frequency, or extent of the aggregation, arrangement and bonding together of a mature, active proteasome complex. [GOC:dph, GOC:elh, GOC:tb]' - }, - 'GO:0090365': { - 'name': 'regulation of mRNA modification', - 'def': 'Any process that modulates the rate, frequency, or extent of the covalent alteration of one or more nucleotides within an mRNA molecule to produce an mRNA molecule with a sequence that differs from that coded genetically. [GOC:dph, GOC:sl, GOC:tb, PMID:14559896]' - }, - 'GO:0090366': { - 'name': 'positive regulation of mRNA modification', - 'def': 'Any process that increases the rate, frequency, or extent of the covalent alteration of one or more nucleotides within an mRNA molecule to produce an mRNA molecule with a sequence that differs from that coded genetically. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0090367': { - 'name': 'negative regulation of mRNA modification', - 'def': 'Any process that decreases the rate, frequency, or extent of the covalent alteration of one or more nucleotides within an mRNA molecule to produce an mRNA molecule with a sequence that differs from that coded genetically. [GOC:dph, GOC:sl, GOC:tb]' - }, - 'GO:0090368': { - 'name': 'regulation of ornithine metabolic process', - 'def': 'Any process that modulates the rate, frequency, or extent of the chemical reactions and pathways involving ornithine, an amino acid only rarely found in proteins, but which is important in living organisms as an intermediate in the reactions of the urea cycle and in arginine biosynthesis. [GOC:dph, GOC:jp, GOC:tb]' - }, - 'GO:0090369': { - 'name': 'ornithine carbamoyltransferase inhibitor activity', - 'def': 'Stops, prevents, or reduces ornithine carbamoyltransferase activity, the catalysis of the reaction: carbamoyl phosphate + L-ornithine = phosphate + L-citrulline. [GOC:dph, GOC:jp, GOC:tb]' - }, - 'GO:0090370': { - 'name': 'negative regulation of cholesterol efflux', - 'def': 'Any process that decreases the frequency, rate or extent of cholesterol efflux. Cholesterol efflux is the directed movement of cholesterol, cholest-5-en-3-beta-ol, out of a cell or organelle. [GOC:dph, GOC:tb, GOC:yaf]' - }, - 'GO:0090371': { - 'name': 'regulation of glycerol transport', - 'def': 'Any process that modulates the rate, frequency, or extent of the directed movement of glycerol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:jh, GOC:tb]' - }, - 'GO:0090372': { - 'name': 'positive regulation of glycerol transport', - 'def': 'Any process that increases the rate, frequency, or extent of the directed movement of glycerol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:jh, GOC:tb]' - }, - 'GO:0090373': { - 'name': 'negative regulation of glycerol transport', - 'def': 'Any process that decreases the rate, frequency, or extent of the directed movement of glycerol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:jh, GOC:tb]' - }, - 'GO:0090374': { - 'name': 'oligopeptide export from mitochondrion', - 'def': 'The directed movement of oligopeptides out of mitochondria into the cytosol by means of some agent such as a transporter or pore. Oligopeptides are molecules that contain a small number (2 to 20) of amino-acid residues connected by peptide linkages. [PMID:11251115]' - }, - 'GO:0090375': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to iron ion starvation', - 'def': 'Any process that decreases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of deprivation of iron ions. [GOC:tb]' - }, - 'GO:0090376': { - 'name': 'seed trichome differentiation', - 'def': 'The process in which a relatively unspecialized epidermal cell acquires the specialized features of a seed trichome. A seed trichome is a trichome that develops from seed coat epidermis and is often long with putative dispersal function. [GOC:tb, PMID:17905721]' - }, - 'GO:0090377': { - 'name': 'seed trichome initiation', - 'def': 'The process in which the developmental fate of an epidermal cell becomes restricted such that it will develop into a seed trichome, causing a change in the orientation of cell division in the ovule epidermis at or just before anthesis. [PMID:17905721]' - }, - 'GO:0090378': { - 'name': 'seed trichome elongation', - 'def': 'The process in which a seed trichome irreversibly increases in size in one [spatial] dimension or along one axis, resulting in the morphogenesis of the cell. [GOC:tb]' - }, - 'GO:0090379': { - 'name': 'secondary cell wall biogenesis involved in seed trichome differentiation', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of inextensible cellulose- and pectin-containing cell walls that are formed between the plasma membrane and primary cell wall of seed trichomes after cell expansion is complete. [GOC:tb]' - }, - 'GO:0090380': { - 'name': 'seed trichome maturation', - 'def': 'A developmental process, independent of morphogenetic (shape) change, that is required for a seed trichome to attain its fully functional state. [GOC:tb]' - }, - 'GO:0090381': { - 'name': 'regulation of heart induction', - 'def': 'Any process that modulates the rate, frequency, or extent of heart induction. Heart induction is the close range interaction between mesoderm and endoderm or ectoderm that causes cells to change their fates and specify the development of the heart. [GOC:dph, GOC:tb]' - }, - 'GO:0090382': { - 'name': 'phagosome maturation', - 'def': 'A process that is carried out at the cellular level which results in the arrangement of constituent parts of a phagosome within a cell. Phagosome maturation begins with endocytosis and formation of the early phagosome and ends with the formation of the hybrid organelle, the phagolysosome. [GOC:kmv, GOC:tb]' - }, - 'GO:0090383': { - 'name': 'phagosome acidification', - 'def': 'Any process that reduces the pH of the phagosome, measured by the concentration of the hydrogen ion. [GOC:kmv, GOC:tb]' - }, - 'GO:0090384': { - 'name': 'phagosome-lysosome docking', - 'def': 'The initial attachment of a phagosome membrane to a lysosome membrane. Docking requires only that the proteins come close enough to interact and adhere. [GOC:kmv, GOC:tb]' - }, - 'GO:0090385': { - 'name': 'phagosome-lysosome fusion', - 'def': 'The creation of a phagolysosome from a phagosome and a lysosome. [GOC:kmv, GOC:tb]' - }, - 'GO:0090386': { - 'name': 'phagosome maturation involved in apoptotic cell clearance', - 'def': 'A process that is carried out at the cellular level which results in the arrangement of constituent parts of a phagosome within a cell and contributes to apoptotic cell clearance. Phagosome maturation begins with endocytosis and formation of the early phagosome and ends with the formation of the hybrid organelle, the phagolysosome. [GOC:kmv, GOC:tb]' - }, - 'GO:0090387': { - 'name': 'phagolysosome assembly involved in apoptotic cell clearance', - 'def': 'The process in which a phagosome, a vesicle formed by phagocytosis, fuses with a lysosome as a part of apoptotic cell clearance. [GOC:kmv, GOC:tb]' - }, - 'GO:0090388': { - 'name': 'phagosome-lysosome docking involved in apoptotic cell clearance', - 'def': 'The initial attachment of a phagosome membrane to a lysosome membrane that occurs as a part of apoptotic cell clearance. Docking requires only that the proteins come close enough to interact and adhere. [GOC:kmv, GOC:tb]' - }, - 'GO:0090389': { - 'name': 'phagosome-lysosome fusion involved in apoptotic cell clearance', - 'def': 'The creation of a phagolysosome from a phagosome and a lysosome as a part of apoptotic cell clearance. [GOC:kmv, GOC:tb]' - }, - 'GO:0090390': { - 'name': 'phagosome acidification involved in apoptotic cell clearance', - 'def': 'Any process that reduces the pH of the phagosome, measured by the concentration of the hydrogen ion, and occurs as a part of apoptotic cell clearance. [GOC:kmv, GOC:tb]' - }, - 'GO:0090391': { - 'name': 'granum assembly', - 'def': 'A process that is carried out at the cellular level which results in the assembly of a granum. A granum is a distinct stack of lamellae seen within chloroplasts. [GOC:tb]' - }, - 'GO:0090392': { - 'name': 'sepal giant cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a sepal giant cell. A sepal giant cell is a pavement cell that is part of the sepal epidermis and stretches one fifth the length of the sepal with a chromosome content of 16C. [GOC:tb, PMID:20485493]' - }, - 'GO:0090393': { - 'name': 'sepal giant cell development', - 'def': 'The process aimed at the progression of a sepal giant cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:tb]' - }, - 'GO:0090394': { - 'name': 'negative regulation of excitatory postsynaptic potential', - 'def': 'Any process that prevents the establishment or decreases the extent of the excitatory postsynaptic potential (EPSP) which is a temporary increase in postsynaptic potential due to the flow of positively charged ions into the postsynaptic cell. The flow of ions that causes an EPSP is an excitatory postsynaptic current (EPSC) and makes it easier for the neuron to fire an action potential. [GOC:BHF]' - }, - 'GO:0090395': { - 'name': 'plant cell papilla', - 'def': 'A cell projection that is a short, rounded projection from a plant epidermal cell. [GOC:tb]' - }, - 'GO:0090396': { - 'name': 'leaf papilla', - 'def': 'A plant cell papilla that is part of a leaf papilla cell. [GOC:tb]' - }, - 'GO:0090397': { - 'name': 'stigma papilla', - 'def': 'A plant cell papilla that is part of a stigma papilla cell. [GOC:tb]' - }, - 'GO:0090398': { - 'name': 'cellular senescence', - 'def': 'A cell aging process stimulated in response to cellular stress, whereby normal cells lose the ability to divide through irreversible cell cycle arrest. [GOC:BHF]' - }, - 'GO:0090399': { - 'name': 'replicative senescence', - 'def': 'A cell aging process associated with the dismantling of a cell as a response to telomere shortening and/or cellular aging. [GOC:BHF]' - }, - 'GO:0090400': { - 'name': 'stress-induced premature senescence', - 'def': 'A cellular senescence process associated with the dismantling of a cell as a response to environmental factors such as hydrogen peroxide or X-rays. [GOC:BHF]' - }, - 'GO:0090401': { - 'name': 'viral-induced premature senescence', - 'def': 'A cellular senescence process associated with the dismantling of a cell as a response to viral infection. [GOC:BHF]' - }, - 'GO:0090402': { - 'name': 'oncogene-induced cell senescence', - 'def': 'A cellular senescence process associated with the dismantling of a cell as a response to oncogenic stress, such as the activation of the Ras oncogenic family. [GOC:BHF]' - }, - 'GO:0090403': { - 'name': 'oxidative stress-induced premature senescence', - 'def': 'A cellular senescence process associated with the dismantling of a cell as a response to oxidative stress, e.g. high levels of reactive oxygen species, such as superoxide anions, hydrogen peroxide, and hydroxyl radicals. [GOC:BHF]' - }, - 'GO:0090404': { - 'name': 'pollen tube tip', - 'def': 'The region at growing end of the pollen tube cell, where polarized growth occurs. [GOC:tb, PO:0025195, PO:0025281]' - }, - 'GO:0090405': { - 'name': 'unicellular trichome branch', - 'def': 'A cell projection part that is a branch of a unicellular trichome. [GOC:tb, PO:0025537]' - }, - 'GO:0090406': { - 'name': 'pollen tube', - 'def': 'A tubular cell projection that is part of a pollen tube cell and extends from a pollen grain. [GOC:tb, PO:0025195, PO:0025281]' - }, - 'GO:0090407': { - 'name': 'organophosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the biosynthesis of deoxyribose phosphate, the phosphorylated sugar 2-deoxy-erythro-pentose. [GOC:chem_mtg]' - }, - 'GO:0090408': { - 'name': 'phloem nitrate loading', - 'def': 'The process of loading nitrate into the sieve tube or companion cell of the phloem for long distance transport from source to sink. [GOC:tb]' - }, - 'GO:0090409': { - 'name': 'malonyl-CoA synthetase activity', - 'def': 'Catalysis of the reaction: malonate + ATP + coenzyme A = malonyl-CoA + AMP + diphosphate. [MetaCyc:RXN-12359]' - }, - 'GO:0090410': { - 'name': 'malonate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of malonate, the propanedioate ion. [GOC:tb]' - }, - 'GO:0090411': { - 'name': 'brassinosteroid binding', - 'def': 'Interacting selectively and non-covalently with a brassinosteroid. [GOC:tb]' - }, - 'GO:0090412': { - 'name': 'obsolete positive regulation of transcription from RNA polymerase II promoter involved in fatty acid biosynthetic process', - 'def': 'Any positive regulation of transcription from RNA polymerase II promoter that is involved in fatty acid biosynthetic process. [GOC:vw]' - }, - 'GO:0090413': { - 'name': 'obsolete negative regulation of transcription from RNA polymerase II promoter involved in fatty acid biosynthetic process', - 'def': 'Any negative regulation of transcription from RNA polymerase II promoter that is involved in fatty acid biosynthetic process. [GOC:vw]' - }, - 'GO:0090414': { - 'name': 'molybdate ion export from vacuole', - 'def': 'The directed movement of molybdate ions out of the vacuole. [GOC:tb]' - }, - 'GO:0090415': { - 'name': '7-hydroxymethyl chlorophyll a reductase activity', - 'def': 'Catalysis of the reaction: 7-hydroxymethyl chlorophyll a + 2 reduced ferredoxin + 2 H+ chlorophyll a + 2 oxidized ferredoxin + H2O. [GOC:kad, PMID:21934147]' - }, - 'GO:0090416': { - 'name': 'nicotinate transporter activity', - 'def': 'Enables the directed movement of nicotinate into, out of or within a cell, or between cells. [GOC:tb]' - }, - 'GO:0090417': { - 'name': 'N-methylnicotinate transporter activity', - 'def': 'Enables the directed movement of N-methylnicotinate into, out of or within a cell, or between cells. [GOC:tb]' - }, - 'GO:0090418': { - 'name': 'obsolete positive regulation of transcription involved in S-phase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of transcription of target genes that are transcribed as part of the S phase of the mitotic cell cycle. [PMID:16912276]' - }, - 'GO:0090419': { - 'name': 'negative regulation of transcription involved in G2/M transition of mitotic cell cycle', - 'def': 'Any process that inhibits or decreases the frequency, rate or extent of transcription of target genes that are transcribed as part of the G2/M transition of the mitotic cell cycle. [GOC:mtg_cell_cycle, PMID:10747051]' - }, - 'GO:0090420': { - 'name': 'naphthalene-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving naphthalene-containing compounds. [GOC:dph, GOC:tb]' - }, - 'GO:0090421': { - 'name': 'embryonic meristem initiation', - 'def': 'Initiation of a region of tissue in a plant embryo that is composed of one or more undifferentiated cells capable of undergoing mitosis and differentiation. [GOC:tb]' - }, - 'GO:0090422': { - 'name': 'thiamine pyrophosphate transporter activity', - 'def': 'Enables the directed movement of thiamine pyrophosphate into, out of or within a cell, or between cells. [GOC:tb]' - }, - 'GO:0090423': { - 'name': 'phytochelatin-metal complex formation', - 'def': 'A phytochelatin metabolic process in which a metal is incorporated with phytochelatin to form a complex. [GOC:tb]' - }, - 'GO:0090424': { - 'name': 'phytochelatin-metal-sulfur complex formation', - 'def': 'A phytochelatin metabolic process in which a metal and exogenous sulfur are incorporated with phytochelatin to form a complex. [GOC:tb]' - }, - 'GO:0090425': { - 'name': 'acinar cell differentiation', - 'def': 'The epithelial cell differentiation process in which a relatively unspecialized cell acquires specialized features of an acinar cell, a secretory cell that is grouped together with other cells of the same type to form grape-shaped clusters known as acini. [GOC:dph, GOC:tb]' - }, - 'GO:0090426': { - 'name': 'actin filament bundle convergence', - 'def': 'A process of actin filament bundle distribution that results in the compaction of actin filaments. [GOC:dph, GOC:tb]' - }, - 'GO:0090427': { - 'name': 'activation of meiosis', - 'def': 'Any process that starts the inactive process of meiosis. [GOC:dph, GOC:tb]' - }, - 'GO:0090428': { - 'name': 'perianth development', - 'def': 'The process whose specific outcome is the progression of the perianth over time, from its formation to the mature structure. The perianth is a collective phyllome structure composed of two or more petals, sepals, or tepals. [GOC:tb, PO:0009058]' - }, - 'GO:0090429': { - 'name': 'detection of endogenous biotic stimulus', - 'def': 'The series of events in which an endogenous biotic stimulus is received by a cell and converted into a molecular signal. [GOC:dph, GOC:tb]' - }, - 'GO:0090430': { - 'name': 'caffeoyl-CoA: alcohol caffeoyl transferase activity', - 'def': 'Catalysis of the reaction: caffeoyl-CoA + a saturated primary alcohol = an alkyl caffeate + CoA. [GOC:pz]' - }, - 'GO:0090431': { - 'name': 'alkyl caffeate ester biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ester derivatives of alkyl caffeate. [GOC:pz]' - }, - 'GO:0090432': { - 'name': 'myristoyl-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + myristic acid + CoA = AMP + diphosphate + myristoyl-CoA. [GOC:al, PMID:18071249]' - }, - 'GO:0090433': { - 'name': 'palmitoyl-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + palmitic acid + CoA = AMP + diphosphate + palmitoyl-CoA. [GOC:al, PMID:18071249]' - }, - 'GO:0090434': { - 'name': 'oleoyl-CoA ligase activity', - 'def': 'Catalysis of the reaction: ATP + oleic acid + CoA = AMP + diphosphate + oleoyl-CoA. [GOC:al, PMID:18071249]' - }, - 'GO:0090435': { - 'name': 'protein localization to nuclear envelope', - 'def': 'A process in which a protein is transported to, or maintained at, a location within a nuclear envelope. [GOC:tb]' - }, - 'GO:0090436': { - 'name': 'leaf pavement cell development', - 'def': 'The process whose specific outcome is the progression of an leaf pavement cell over time, from its formation to the mature structure. Cell development does not include the steps involved in committing a cell to a leaf pavement cell fate. [GOC:tb]' - }, - 'GO:0090437': { - 'name': 'socket cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a socket cell, a shoot epidermal cell that surrounds a trichome and provides its support. [GOC:tb]' - }, - 'GO:0090438': { - 'name': 'camelliol C synthase activity', - 'def': 'Catalyzes the reaction: (3S)-2,3-epoxy-2,3-dihydrosqualene = camelliol C. [GOC:tb, PMID:17985917]' - }, - 'GO:0090439': { - 'name': 'tetraketide alpha-pyrone synthase activity', - 'def': 'Catalyzes the reaction: a hydroxyacyl-CoA + 3 malonyl-CoA + 2 H+ = a hydroxylated tetraketide alpha-pyrone + 3 CO2 + 4 coenzyme A . [MetaCyc:RXN-12183, PMID:21193570]' - }, - 'GO:0090440': { - 'name': 'abscisic acid transporter activity', - 'def': 'Enables the directed movement of abscisic acid into, out of or within a cell, or between cells. [GOC:tb]' - }, - 'GO:0090441': { - 'name': 'trehalose biosynthesis in response to heat stress', - 'def': 'The chemical reactions and pathways resulting in the formation of trehalose that occur as a result of a heat stimulus, a temperature stimulus above the optimal temperature for that organism. [GOC:dph, GOC:tb]' - }, - 'GO:0090442': { - 'name': 'trehalose catabolism in response to heat stress', - 'def': 'The chemical reactions and pathways resulting in the degradation of trehalose that occur as a result of a heat stimulus, a temperature stimulus above the optimal temperature for that organism. [GOC:dph, GOC:tb]' - }, - 'GO:0090443': { - 'name': 'FAR/SIN/STRIPAK complex', - 'def': 'A conserved protein phosphatase type 2A complex which contains a protein phosphatase type 2A, a protein phosphatase regulatory subunit, a striatin, an FHA domain protein and other subunits (at least six proteins). In fission yeast this complex negatively regulate the septation initiation network at the spindle pole body. [GOC:vw, PMID:21561862, PMID:22119525]' - }, - 'GO:0090444': { - 'name': 'regulation of nematode larval development, heterochronic', - 'def': 'Any process that modulates the consistent predetermined time point at which a nematode larva progresses from an initial condition to a later condition and the rate at which this time point is reached. [PMID:17550772]' - }, - 'GO:0090445': { - 'name': 'positive regulation of nematode larval development, heterochronic', - 'def': 'Any process that modulates the consistent predetermined time point at which a nematode larva progresses from an initial condition to a later condition and increases the rate at which this time point is reached. [PMID:17550772]' - }, - 'GO:0090446': { - 'name': 'negative regulation of nematode larval development, heterochronic', - 'def': 'Any process that modulates the consistent predetermined time point at which a nematode larva progresses from an initial condition to a later condition and decreases the rate at which this time point is reached. [PMID:17550772]' - }, - 'GO:0090447': { - 'name': 'glycerol-3-phosphate 2-O-acyltransferase activity', - 'def': 'Catalysis of the reaction: an acyl-CoA + sn-glycerol 3-phosphate = CoA + a 2-acyl-sn-glycerol 3-phosphate. [EC:2.3.1.198]' - }, - 'GO:0090448': { - 'name': 'glucosinolate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: glucosinolate(out) + H+(out) = glucosinolate(in) + H+(in). [PMID:22864417]' - }, - 'GO:0090449': { - 'name': 'phloem glucosinolate loading', - 'def': 'The process of loading glucosinolates into the sieve tube or companion cell of the phloem for long distance transport from source to sink. [PMID:22864417]' - }, - 'GO:0090451': { - 'name': 'cotyledon boundary formation', - 'def': 'The process in which boundaries between a cotyledon and the surrounding tissue are established and maintained. [GOC:tb]' - }, - 'GO:0090452': { - 'name': 'lithium ion import', - 'def': 'The directed movement of lithium ions into a cell or organelle. [GOC:tb]' - }, - 'GO:0090453': { - 'name': 'aspartate transmembrane import into vacuole', - 'def': 'The directed movement of aspartate into the vacuole across the vacuolar membrane. [GOC:tb]' - }, - 'GO:0090454': { - 'name': 'glutamate transmembrane import into vacuole', - 'def': 'The directed movement of glutamate into the vacuole across the vacuolar membrane. [GOC:tb]' - }, - 'GO:0090455': { - 'name': 'ornithine transmembrane import into vacuole', - 'def': 'The directed movement of ornithine into the vacuole across the vacuolar membrane. [GOC:tb]' - }, - 'GO:0090456': { - 'name': 'lysine transmembrane import into vacuole', - 'def': 'The directed movement of lysine into the vacuole across the vacuolar membrane. [GOC:tb]' - }, - 'GO:0090457': { - 'name': 'histidine transmembrane import into vacuole', - 'def': 'The directed movement of histidine into the vacuole across the vacuolar membrane. [GOC:tb]' - }, - 'GO:0090458': { - 'name': 'arginine transmembrane import into vacuole', - 'def': 'The directed movement of arginine into the vacuole across the vacuolar membrane. [GOC:tb]' - }, - 'GO:0090459': { - 'name': 'aspartate homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of aspartate within an organism or cell. [GOC:tb]' - }, - 'GO:0090460': { - 'name': 'threonine homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of threonine within an organism or cell. [GOC:tb]' - }, - 'GO:0090461': { - 'name': 'glutamate homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of glutamate within an organism or cell. [GOC:tb]' - }, - 'GO:0090462': { - 'name': 'ornithine homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of ornithine within an organism or cell. [GOC:tb]' - }, - 'GO:0090463': { - 'name': 'lysine homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of lysine within an organism or cell. [GOC:tb]' - }, - 'GO:0090464': { - 'name': 'histidine homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of histidine within an organism or cell. [GOC:tb]' - }, - 'GO:0090465': { - 'name': 'arginine homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of arginine within an organism or cell. [GOC:tb]' - }, - 'GO:0090466': { - 'name': 'histidine import', - 'def': 'The directed movement of histidine into a cell or organelle. [GOC:tb]' - }, - 'GO:0090467': { - 'name': 'arginine import', - 'def': 'The directed movement of arginine into a cell or organelle. [GOC:tb]' - }, - 'GO:0090468': { - 'name': 'valine import', - 'def': 'The directed movement of valine into a cell or organelle. [GOC:tb]' - }, - 'GO:0090469': { - 'name': 'asparagine import', - 'def': 'The directed movement of asparagine into a cell or organelle. [GOC:tb]' - }, - 'GO:0090470': { - 'name': 'shoot organ boundary specification', - 'def': 'The process in which the basal boundary between the stem and both vegetative and reproductive organs are established and maintained. [PMID:18757555]' - }, - 'GO:0090471': { - 'name': "9,15,9'-tri-cis-zeta-carotene isomerase activity", - 'def': "Catalysis of the reaction: 9,15,9'-tricis-zeta-carotene = 9,9'-dicis-zeta-carotene. [EC:5.2.1.12]" - }, - 'GO:0090472': { - 'name': 'dibasic protein processing', - 'def': 'Any protein processing achieved by the cleavage of a peptide bond after two basic amino acids within a protein. [GOC:al]' - }, - 'GO:0090473': { - 'name': 'lys-arg specific dibasic protein processing', - 'def': 'Any protein processing achieved by the cleavage of a peptide bond after a lysine-arginine amino acid residue combination within a protein. [GOC:al]' - }, - 'GO:0090474': { - 'name': 'arg-arg specific dibasic protein processing', - 'def': 'Any protein processing achieved by the cleavage of a peptide bond after two consecutive arginine amino acid residues within a protein. [GOC:al]' - }, - 'GO:0090475': { - 'name': 'lys-lys specific dibasic protein processing', - 'def': 'Any protein processing achieved by the cleavage of a peptide bond after two consecutive lysine amino acid residues within a protein. [GOC:al]' - }, - 'GO:0090476': { - 'name': 'isoleucine import', - 'def': 'The directed movement of isoleucine into a cell or organelle. [GOC:tb]' - }, - 'GO:0090477': { - 'name': 'L-isoleucine import', - 'def': 'The directed movement of L-isoleucine, the L-enantiomer of isoleucine, into a cell or organelle. [GOC:mah]' - }, - 'GO:0090478': { - 'name': 'serine import', - 'def': 'The directed movement of serine into a cell or organelle. [GOC:tb]' - }, - 'GO:0090479': { - 'name': 'L-serine import', - 'def': 'The directed movement of L-serine, the L-enantiomer of serine, into a cell or organelle. [GOC:mah]' - }, - 'GO:0090480': { - 'name': 'purine nucleotide-sugar transmembrane transport', - 'def': 'The directed movement of a purine nucleotide-sugar across a membrane. Purine nucleotide-sugars are purine nucleotides in glycosidic linkage with a monosaccharide or monosaccharide derivative. [GOC:tb]' - }, - 'GO:0090481': { - 'name': 'pyrimidine nucleotide-sugar transmembrane transport', - 'def': 'The directed movement of pyrimidine nucleotide-sugars across a membrane. Pyrimidine nucleotide-sugars are pyrimidine nucleotides in glycosidic linkage with a monosaccharide or monosaccharide derivative. [GOC:tb]' - }, - 'GO:0090482': { - 'name': 'vitamin transmembrane transporter activity', - 'def': 'Enables the transfer of a vitamin from one side of a membrane to the other. [GOC:tb]' - }, - 'GO:0090483': { - 'name': 'phosphatidylglycerol-phosphatidylethanolamine phosphatidyltransferase activity', - 'def': 'Catalysis of the reaction: phosphatidylglycerol + phosphatidylethanolamine = cardiolipin + ethanolamine. [PMID:22988102]' - }, - 'GO:0090484': { - 'name': 'drug transporter activity', - 'def': 'Enables the directed movement of a drug into, out of or within a cell, or between cells. A drug is any naturally occurring or synthetic substance, other than a nutrient, that, when administered or applied to an organism, affects the structure or functioning of the organism; in particular, any such substance used in the diagnosis, prevention, or treatment of disease. [GOC:tb]' - }, - 'GO:0090485': { - 'name': 'chromosome number maintenance', - 'def': 'The maintenance of the standard number of chromosomes in a cell. [GOC:tb]' - }, - 'GO:0090486': { - 'name': "small RNA 2'-O-methyltransferase", - 'def': "Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to the oxygen atom of a nucleoside residue in a small RNA molecule. Reaction: S-adenosyl-L-methionine + small RNA <=> S-adenosyl-L-homocysteine + small RNA containing a 3'-terminal 2'-O-methylnucleotide. [EC:2.1.1.n8, GOC:tb, GOC:vw]" - }, - 'GO:0090487': { - 'name': 'secondary metabolite catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of secondary metabolites, the compounds that are not necessarily required for growth and maintenance of cells, and are often unique to a taxon. [GOC:tb]' - }, - 'GO:0090488': { - 'name': 'polo box domain specific binding', - 'def': 'Interacting selectively and non-covalently with a polo box domain of a protein. The polo box domain is involved in binding substrates of polo kinases. [GOC:al, GOC:tb, Pfam:PF00659, PMID:12352953]' - }, - 'GO:0090489': { - 'name': 'L-tryptophan,NADPH:oxygen oxidoreductase (N-hydroxylating, decarboxylating)', - 'def': 'Catalyzes the multi-step reaction: L-Tryptophan + 2 Oxygen + 2 NADPH + 2 H+ = Indole-3-acetaldehyde oxime + 3 H2O + 2 NADP+ + CO2. The individual reactions are: (1a) L-tryptophan + O2 + NADPH + H+ = N-hydroxy-L-tryptophan + NADP+ + H2O,(1b) N-hydroxy-L-tryptophan + O2 + NADPH + H+ = N,N-dihydroxy-L-tryptophan + NADP+ + H2O, and (1c) N,N-dihydroxy-L-tryptophan = (E)-indol-3-ylacetaldoxime + CO2 + H2O. [EC:1.14.13.125, KEGG:R08160]' - }, - 'GO:0090490': { - 'name': 'L-tryptophan,NADPH:oxygen oxidoreductase (N-hydroxylating)', - 'def': 'Catalyzes the reaction: L-Tryptophan + Oxygen + NADPH + H+ = N-Hydroxy-L-tryptophan + NADP+ + H2O. [KEGG:R09583]' - }, - 'GO:0090491': { - 'name': 'N-hydroxy-L-tryptophan,NADPH:oxygen oxidoreductase (N-hydroxylating)', - 'def': 'Catalyzes the reaction: N-Hydroxy-L-tryptophan + Oxygen + NADPH + H+ = N,N-Dihydroxy-L-tryptophan + NADP+ + H2O. [KEGG:R09584]' - }, - 'GO:0090492': { - 'name': 'N,N-Dihydroxy-L-tryptophan decarboxylase activity', - 'def': 'Catalyzes the reaction: N,N-Dihydroxy-L-tryptophan = Indole-3-acetaldehyde oxime + CO2 + H2O. [KEGG:R09585]' - }, - 'GO:0090493': { - 'name': 'catecholamine uptake', - 'def': 'The directed movement of catecholamine into a cell. [GOC:dph, GOC:tb]' - }, - 'GO:0090494': { - 'name': 'dopamine uptake', - 'def': 'The directed movement of dopamine into a cell. [GOC:dph, GOC:tb]' - }, - 'GO:0090495': { - 'name': 'low-density lipoprotein particle disassembly', - 'def': 'The disaggregation of a low-density lipoprotein particle into its constituent components. [GOC:dph, GOC:tb]' - }, - 'GO:0090496': { - 'name': 'mesenchyme migration involved in limb bud formation', - 'def': 'The migration of mesenchymal tissue that contributes to the formation of a limb bud. [GOC:dph, GOC:tb]' - }, - 'GO:0090497': { - 'name': 'mesenchymal cell migration', - 'def': 'The orderly movement of a mesenchymal cell from one site to another, often during the development of a multicellular organism. [GOC:dph, GOC:tb]' - }, - 'GO:0090498': { - 'name': 'extrinsic component of Golgi membrane', - 'def': 'The component of a Golgi membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos, PMID:21337012]' - }, - 'GO:0090499': { - 'name': 'pimelyl-[acyl-carrier protein] methyl ester esterase activity', - 'def': 'Catalysis of the reaction: pimelyl-[acyl-carrier protein] methyl ester + H2O = pimelyl-[acyl-carrier protein] + methanol. [EC:3.1.1.85, PMID:23045647]' - }, - 'GO:0090500': { - 'name': 'endocardial cushion to mesenchymal transition', - 'def': 'A transition where an endocardial cushion cell loses apical/basolateral polarity, severs intercellular adhesive junctions, degrades basement membrane components and becomes a migratory mesenchymal cell. [GOC:dph, GOC:tb]' - }, - 'GO:0090501': { - 'name': 'RNA phosphodiester bond hydrolysis', - 'def': 'The RNA metabolic process in which the phosphodiester bonds between ribonucleotides are cleaved by hydrolysis. [GOC:dph, GOC:tb]' - }, - 'GO:0090502': { - 'name': 'RNA phosphodiester bond hydrolysis, endonucleolytic', - 'def': "The chemical reactions and pathways involving the hydrolysis of internal 3',5'-phosphodiester bonds in one or two strands of ribonucleotides. [GOC:dph, GOC:tb]" - }, - 'GO:0090503': { - 'name': 'RNA phosphodiester bond hydrolysis, exonucleolytic', - 'def': "The chemical reactions and pathways involving the hydrolysis of terminal 3',5'-phosphodiester bonds in one or two strands of ribonucleotides. [GOC:dph, GOC:tb]" - }, - 'GO:0090504': { - 'name': 'epiboly', - 'def': 'The expansion of one cell sheet over other cells or yolk. [GOC:dph, GOC:tb]' - }, - 'GO:0090505': { - 'name': 'epiboly involved in wound healing', - 'def': 'The expansion of one cell sheet over other cells involved in wound healing. [GOC:dph, GOC:tb]' - }, - 'GO:0090506': { - 'name': 'axillary shoot meristem initiation', - 'def': 'A developmental process that results in the initiation of an axillary shoot meristem. An axillary shoot meristem is a shoot meristem formed in the axil of a leaf. [GOC:tb]' - }, - 'GO:0090507': { - 'name': 'phenylethylamine metabolic process involved in synaptic transmission', - 'def': 'The chemical reactions and pathways involving phenylethylamine that contribute to synaptic transmission. [GOC:tb]' - }, - 'GO:0090508': { - 'name': 'phenylethylamine biosynthetic process involved in synaptic transmission', - 'def': 'The chemical reactions and pathways resulting in the formation of phenylethylamine that contribute to synaptic transmission. [GOC:tb]' - }, - 'GO:0090509': { - 'name': 'nickel cation import into cell', - 'def': 'The directed movement of nickel cations from outside of a cell into the intracellular region of a cell.. [GOC:mah]' - }, - 'GO:0090510': { - 'name': 'anticlinal cell division', - 'def': 'A cell division process where the division plane is perpendicular to the surface of the organ. It adds cells to the existing cell layer or cell file. [GOC:tair_curators, PMID:21391814]' - }, - 'GO:0090511': { - 'name': 'periclinal cell division', - 'def': 'A cell division process where the division plane is parallel to the surface of the organ. It creates a new cell layer or cell file. [GOC:tair_curators, PMID:21391814]' - }, - 'GO:0090512': { - 'name': 'eisosome membrane domain/MCC', - 'def': 'A plasma membrane part that is composed of a furrow-like plasma membrane domain and associated integral transmembrane proteins. [GOC:al, GOC:vw, PMID:22368779]' - }, - 'GO:0090513': { - 'name': 'L-histidine transmembrane import into vacuole', - 'def': 'The directed movement of L-histidine into the vacuole across the vacuolar membrane. [GOC:al]' - }, - 'GO:0090514': { - 'name': 'L-tyrosine transmembrane import into vacuole', - 'def': 'The directed movement of L-tyrosine into the vacuole across the vacuolar membrane. [GOC:al]' - }, - 'GO:0090515': { - 'name': 'L-glutamate transmembrane import into vacuole', - 'def': 'The directed movement of L-glutamate into the vacuole across the vacuolar membrane. [GOC:al]' - }, - 'GO:0090516': { - 'name': 'L-serine transmembrane import into vacuole', - 'def': 'The directed movement of L-serine into the vacuole across the vacuolar membrane. [GOC:al]' - }, - 'GO:0090517': { - 'name': 'L-lysine transmembrane import into vacuole', - 'def': 'The directed movement of L-lysine into the vacuole across the vacuolar membrane. [GOC:al]' - }, - 'GO:0090518': { - 'name': 'L-arginine transmembrane import into vacuole', - 'def': 'The directed movement of L-arginine into the vacuole across the vacuolar membrane. [GOC:al]' - }, - 'GO:0090519': { - 'name': 'anoxia protection', - 'def': 'Any process in which an organism or cell protects itself from anoxia, which may also result in resistance to repeated exposure to anoxia. [GOC:tb, PMID:19372430]' - }, - 'GO:0090520': { - 'name': 'sphingolipid mediated signaling pathway', - 'def': 'A series of molecular signals mediated by a sphingolipid. [PMID:9525917]' - }, - 'GO:0090521': { - 'name': 'glomerular visceral epithelial cell migration', - 'def': 'The orderly movement of a podocyte from one site to another, often during the development of a multicellular organism or multicellular structure. A podocyte is a specialized kidney epithelial cell. [GOC:pm, PMID:21402783]' - }, - 'GO:0090522': { - 'name': 'vesicle tethering involved in exocytosis', - 'def': 'The initial, indirect interaction between a secretory vesicle membrane and a site of exocytosis in the plasma membrane. This interaction is mediated by tethering factors (or complexes), which interact with both membranes. Interaction can occur via direct binding to membrane phospholipids or membrane proteins, or via binding to vesicle coat proteins. This process is distinct from and prior to docking and fusion. [GOC:rn, PMID:10559876, PMID:17052174, PMID:17488620, PMID:22420621] {comment=PMID:27243008}' - }, - 'GO:0090523': { - 'name': 'cytochrome-b5 reductase activity, acting on NADPH', - 'def': 'Catalysis of the reaction: NADPH + H+ + 2 ferricytochrome b(5) = NADP+ + 2 ferrocytochrome b(5). [GOC:tb]' - }, - 'GO:0090524': { - 'name': 'cytochrome-b5 reductase activity, acting on NADH', - 'def': 'Catalysis of the reaction: NADH + H+ + 2 ferricytochrome b(5) = NAD+ + 2 ferrocytochrome b(5). [GOC:tb]' - }, - 'GO:0090525': { - 'name': 'regulation of glycolysis involved in cellular glucose homeostasis', - 'def': 'Any process that modulates the frequency, rate or extent of glycolysis as an integral part of cellular glucose homeostasis. [GOC:tb]' - }, - 'GO:0090526': { - 'name': 'regulation of gluconeogenesis involved in cellular glucose homeostasis', - 'def': 'Any process that modulates the frequency, rate or extent of gluconeogenesis as an integral part of cellular glucose homeostasis. [GOC:tb]' - }, - 'GO:0090527': { - 'name': 'actin filament reorganization', - 'def': 'A process that is carried out at the cellular level which results in dynamic structural changes to the arrangement of actin filaments. [GOC:dph, GOC:tb]' - }, - 'GO:0090528': { - 'name': 'smooth septate junction assembly', - 'def': 'The assembly of a smooth septate junction, a septate junction that lacks the regular arrays of electron-dense septae found in pleated septate junctions. [PMID:22854041]' - }, - 'GO:0090529': { - 'name': 'cell septum assembly', - 'def': 'The assembly and arrangement of a cellular component that is composed of peptidoglycan and often chitin in addition to other materials and usually forms perpendicular to the long axis of a cell or hypha. It grows centripetally from the cell wall to the center of the cell and often functions in the compartmentalization of a cell into two daughter cells. [GOC:mtg_cell_cycle]' - }, - 'GO:0090531': { - 'name': 'L-ascorbic acid biosynthetic process via GDP-alpha-D-mannose', - 'def': 'The chemical reactions and pathways resulting in the formation of L-ascorbic acid via the intermediate GDP-alpha-D-mannose. [BioCyc:PWY-882, GOC:yaf, PMID:11153268, UniPathway:UPA00990]' - }, - 'GO:0090532': { - 'name': 'L-ascorbic acid biosynthetic process via UDP-alpha-D-glucuronate', - 'def': 'The chemical reactions and pathways resulting in the formation of L-ascorbic acid via the intermediate UDP-alpha-D-glucuronate. [BioCyc:PWY3DJ-35471, GOC:yaf, PMID:11153268, UniPathway:UPA00991]' - }, - 'GO:0090533': { - 'name': 'cation-transporting ATPase complex', - 'def': 'Protein complex that carries out the reaction: ATP + H2O + cation(out) = ADP + phosphate + cation(in). [GOC:BHF]' - }, - 'GO:0090534': { - 'name': 'calcium ion-transporting ATPase complex', - 'def': 'Protein complex that carries out the reaction: ATP + H2O + Ca2+(out) = ADP + phosphate + Ca2+(in). [GOC:BHF]' - }, - 'GO:0090535': { - 'name': 'WICH complex', - 'def': 'An ISWI complex that contains an ATPase subunit of the ISWI family (specifically SNF2H in mammals, which contain two ISWI homologs) and WSTF (Williams Syndrome Transcription Factor). WICH plays roles in regulation of RNAP I and III transcription and in DNA replication and repair. [GOC:krc, PMID:15284901, PMID:16568949, PMID:21810179]' - }, - 'GO:0090536': { - 'name': 'NoRC complex', - 'def': 'An ISWI complex that contains an ATPase subunit of the ISWI family (specifically SNF2H in mammals, which contain two ISWI homologs) and a Tip5 homolog. In mammals, NoRC is involved in regulation of transcription from RNAP I and RNA polymerase III promoters. [GOC:krc]' - }, - 'GO:0090537': { - 'name': 'CERF complex', - 'def': 'An ISWI complex that contains an ATPase subunit of the ISWI family (specifically SNF2L in mammals, which contain two ISWI homologs) and a CECR2 homolog. In mammals, CERF is involved in regulation of transcription from RNA polymerase II promoters. [GOC:krc]' - }, - 'GO:0090538': { - 'name': 'peptide pheromone secretion', - 'def': 'The regulated release of a peptide pheromone from a cell. [GOC:al, GOC:tb, GOC:vw]' - }, - 'GO:0090539': { - 'name': 'peptide pheromone export by transmembrane transport', - 'def': 'The directed movement of a peptide pheromone across a membrane and out of a cell. [GOC:al, GOC:tb, GOC:vw]' - }, - 'GO:0090540': { - 'name': 'bacterial cellulose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cellulose, a linear beta1-4 glucan of molecular mass 50-400 kDa with the pyranose units in the -4C1 conformation, as it occurs in certain types of bacteria, mainly Acetobacter, Sarcina ventriculi and Agrobacteria. [DOI:10.1016/S0268-005X(87)80024-3, DOI:10.1023/A\\:1009272904582, GOC:tb, GOC:yaf, UniPathway:UPA00694]' - }, - 'GO:0090541': { - 'name': 'MIT domain binding', - 'def': 'Interacting selectively and non-covalently with the MIT domain of a protein. The MIT domain is found in vacuolar sorting proteins, spastin (probable ATPase involved in the assembly or function of nuclear protein complexes), and a sorting nexin, which may play a role in intracellular trafficking. [GOC:pm, InterPro:IPR007330]' - }, - 'GO:0090542': { - 'name': 'ELYC domain binding', - 'def': 'Interacting selectively and non-covalently with the ELYC domain of a protein. The ELYC domain is an approximately 150 amino acid sequence which contains a highly conserved tetrapeptide sequence, ELYC. [GOC:pm, PMID:18032582, PMID:19525971]' - }, - 'GO:0090543': { - 'name': 'Flemming body', - 'def': 'A cell part that is the central region of the midbody characterized by a gap in alpha-tubulin staining. It is a dense structure of antiparallel microtubules from the central spindle in the middle of the intercellular bridge. [GOC:pm, PMID:18641129, PMID:22522702]' - }, - 'GO:0090544': { - 'name': 'BAF-type complex', - 'def': 'A SWI/SNF-type complex that contains a subunit from the BAF (Brahma-Associated Factor) family. [GOC:krc, GOC:tb]' - }, - 'GO:0090545': { - 'name': 'CHD-type complex', - 'def': 'A SWI/SNF-type complex that contains a subunit from the CHD(Chromodomain helicase DNA-binding) family. The CHD family is characterized by two signature sequence motifs: tandem chromodomains located in the N-terminal region, and the SNF2-like ATPase domain located in the central region of the protein structure. [GOC:krc, GOC:tb, PMID:17350655]' - }, - 'GO:0090546': { - 'name': 'chlorophyll fluorescence', - 'def': 'The process by which excess light energy absorbed by chlorophyll and not used to drive photosynthesis is re-emitted as light. [PMID:10938857]' - }, - 'GO:0090547': { - 'name': 'response to low humidity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of low humidity stimulus, reduced moisture in the atmosphere. [GOC:tb]' - }, - 'GO:0090548': { - 'name': 'response to nitrate starvation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a starvation stimulus, deprivation of nitrate. [GOC:tair_curators]' - }, - 'GO:0090549': { - 'name': 'response to carbon starvation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a starvation stimulus, deprivation of a carbon source. [GOC:tair_curators, PMID:18245858]' - }, - 'GO:0090550': { - 'name': 'response to molybdenum starvation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a starvation stimulus, deprivation of molybdenum. [GOC:tair_curators]' - }, - 'GO:0090551': { - 'name': 'response to manganese starvation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a starvation stimulus, deprivation of manganese. [GOC:tair_curators]' - }, - 'GO:0090552': { - 'name': 'unicellular trichome apex', - 'def': 'A cell projection part that is the apical most portion of a unicellular trichome. [GOC:PO_curators, PO:0025537]' - }, - 'GO:0090553': { - 'name': 'unicellular trichome tip', - 'def': 'A cell projection part that is the apical most portion of a unicellular trichome apex. [GOC:PO_curators]' - }, - 'GO:0090554': { - 'name': 'phosphatidylcholine-translocating ATPase activity', - 'def': 'Catalysis of the movement of phosphatidylcholine from one membrane bilayer leaflet to the other, driven by the hydrolysis of ATP. [CHEBI:64612, GOC:ab, PMID:16452632, RHEA:38584]' - }, - 'GO:0090555': { - 'name': 'phosphatidylethanolamine-translocating ATPase activity', - 'def': 'Catalysis of the movement of phosphatidylethanolamine from one membrane bilayer leaflet to the other, driven by the hydrolysis of ATP. [CHEBI:64612, GOC:ab, PMID:16452632, RHEA:36440]' - }, - 'GO:0090556': { - 'name': 'phosphatidylserine-translocating ATPase activity', - 'def': 'Catalysis of the movement of phosphatidylserine from one membrane bilayer leaflet to the other, driven by the hydrolysis of ATP. [CHEBI:57262, GOC:ab, PMID:16452632, PMID:20224745, RHEA:38568]' - }, - 'GO:0090557': { - 'name': 'establishment of endothelial intestinal barrier', - 'def': 'The establishment of a barrier between endothelial cell layers of the intestine to exert specific and selective control over the passage of water and solutes, thus allowing formation and maintenance of compartments that differ in fluid and solute composition. [GOC:krc, PMID:22155109]' - }, - 'GO:0090558': { - 'name': 'plant epidermis development', - 'def': 'The process whose specific outcome is the progression of the plant epidermis over time, from its formation to the mature structure. [GOC:tb]' - }, - 'GO:0090559': { - 'name': 'regulation of membrane permeability', - 'def': 'Any process that modulates the frequency, rate or extent of the passage or uptake of molecules by a membrane. [GOC:kmv, PMID:22677064]' - }, - 'GO:0090560': { - 'name': '2-(3-amino-3-carboxypropyl)histidine synthase activity', - 'def': 'Catalysis of the reaction S-adenosyl-L-methionine + L-histidine-[translation elongation factor 2] = S-methyl-5-thioadenosine + 2-[(3S)-3-amino-3-carboxypropyl]-L-histidine-[translation elongation factor 2]. [BRENDA:2.5.1.108, GOC:pde, PMID:15485916]' - }, - 'GO:0090561': { - 'name': 'nuclear migration during mitotic telophase', - 'def': 'The dynein-driven microtubule based nuclear migration, whereby daughter nuclei are positioned away from the cell division site prior to cytokinesis. [GOC:vw, PMID:23087209]' - }, - 'GO:0090562': { - 'name': "protein-N(PI)-phosphohistidine-N,N'-diacetylchitobiose phosphotransferase system transporter activity", - 'def': "Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + N,N'-diacetylchitobiose(out) = protein histidine + N,N'-diacetylchitobiose phosphate(in). [GOC:am, PMID:10913119]" - }, - 'GO:0090563': { - 'name': 'protein-phosphocysteine-sugar phosphotransferase activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + sugar(out) = protein cysteine + sugar phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:am]' - }, - 'GO:0090564': { - 'name': 'protein-phosphocysteine-glucose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + glucose(out) = protein cysteine + glucose phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:am]' - }, - 'GO:0090565': { - 'name': 'protein-phosphocysteine-mannitol phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + mannitol(out) = protein cysteine + mannitol phosphate(in). This differs from primary and secondary active transport in that the solute is modified during transport. [GOC:am]' - }, - 'GO:0090566': { - 'name': "protein-phosphocysteine-N,N'-diacetylchitobiose phosphotransferase system transporter activity", - 'def': "Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + N,N'-diacetylchitobiose(out) = protein cysteine + N,N'-diacetylchitobiose phosphate(in). [GOC:am, PMID:10913119]" - }, - 'GO:0090567': { - 'name': 'reproductive shoot system development', - 'def': 'The process whose specific outcome is the progression of a reproductive shoot system over time, from its formation to the mature structure. [GOC:pj]' - }, - 'GO:0090568': { - 'name': 'nuclear transcriptional repressor complex', - 'def': 'A protein complex, located in the nucleus, that possesses activity that prevents or downregulates transcription. [GOC:tb]' - }, - 'GO:0090569': { - 'name': 'cytoplasmic transcriptional repressor complex', - 'def': 'A protein complex, located in the cytoplasm, that possesses activity that prevents or downregulates transcription. [GOC:tb]' - }, - 'GO:0090570': { - 'name': 'RNA polymerase I transcription repressor complex', - 'def': 'A protein complex, located in the nucleus, that possesses activity that prevents or downregulates transcription from a RNA polymerase I promoter. [GOC:tb]' - }, - 'GO:0090571': { - 'name': 'RNA polymerase II transcription repressor complex', - 'def': 'A protein complex, located in the nucleus, that possesses activity that prevents or downregulates transcription from a RNA polymerase II promoter. [GOC:tb]' - }, - 'GO:0090572': { - 'name': 'RNA polymerase III transcription repressor complex', - 'def': 'A protein complex, located in the nucleus, that possesses activity that prevents or downregulates transcription from a RNA polymerase III promoter. [GOC:tb]' - }, - 'GO:0090573': { - 'name': 'RNA polymerase IV transcription repressor complex', - 'def': 'A protein complex, located in the nucleus, that possesses activity that prevents or downregulates transcription from a RNA polymerase IV promoter. [GOC:tb]' - }, - 'GO:0090574': { - 'name': 'RNA polymerase V transcription repressor complex', - 'def': 'A protein complex, located in the nucleus, that possesses activity that prevents or downregulates transcription from a RNA polymerase V promoter. [GOC:tb]' - }, - 'GO:0090575': { - 'name': 'RNA polymerase II transcription factor complex', - 'def': 'A transcription factor complex that acts at promoters of genes transcribed by RNA polymerase II. [GOC:tb]' - }, - 'GO:0090576': { - 'name': 'RNA polymerase III transcription factor complex', - 'def': 'A transcription factor complex that acts at promoters of genes transcribed by RNA polymerase III. [GOC:tb]' - }, - 'GO:0090577': { - 'name': 'RNA polymerase IV transcription factor complex', - 'def': 'A transcription factor complex that acts at promoters of genes transcribed by RNA polymerase IV. [GOC:tb]' - }, - 'GO:0090578': { - 'name': 'RNA polymerase V transcription factor complex', - 'def': 'A transcription factor complex that acts at promoters of genes transcribed by RNA polymerase V. [GOC:tb]' - }, - 'GO:0090579': { - 'name': 'dsDNA loop formation', - 'def': 'The formation and maintenance of DNA loops that juxtapose separated regions on the same dsDNA molecule. [GOC:jh, PMID:15950878]' - }, - 'GO:0090580': { - 'name': "phosphodiesterase activity, acting on 3'-phosphoglycolate-terminated DNA strands", - 'def': "Catalysis of the hydrolytic removal of phosphoglycolate from the 3'-terminus of a 3'-phosphoglycolate-terminated oligonucleotides. [GOC:pde, GOC:rb, PMID:11238902]" - }, - 'GO:0090581': { - 'name': 'protein-phosphocysteine-mannosylglycerate-phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + mannosylglycerate(out) = protein cysteine + mannosylglycerate phosphate(in). [PMID:14645248]' - }, - 'GO:0090582': { - 'name': 'protein-phosphocysteine-D-fructose-phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + D-fructose(out) = protein cysteine + D-fructose-1-phosphate(in). [PMID:8626640]' - }, - 'GO:0090583': { - 'name': 'protein-phosphocysteine-D-sorbitol-phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + D-sorbitol(out) = protein cysteine + D-sorbitol-1-phosphate(in). [PMID:8875915]' - }, - 'GO:0090584': { - 'name': 'protein-phosphocysteine-galactitol-phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + galactitol(out) = protein cysteine + galactitol-6-phosphate(in). [PMID:8955298]' - }, - 'GO:0090585': { - 'name': 'protein-phosphocysteine-L-ascorbate-phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + L-ascorbate(out) = protein cysteine + L-ascorbate-6-phosphate(in). [PMID:15153772]' - }, - 'GO:0090586': { - 'name': 'protein-phosphocysteine-N-acetylglucosamine phosphotransferase system transporter activity', - 'def': ': Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + N-acetylglucosamine (out) = protein cysteine + N-acetylglucosamine-6-phosphate (in). [PMID:8246840]' - }, - 'GO:0090587': { - 'name': 'protein-phosphocysteine-glucosamine phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + glucosamine (out) = protein cysteine + glucosamine-6-phosphate (in). [PMID:8246840]' - }, - 'GO:0090588': { - 'name': 'protein-phosphocysteine-N-acetylmuramate phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + N-acetylmuramate (out) = protein cysteine + N-acetylmuramate-6-phosphate (in). [PMID:15060041]' - }, - 'GO:0090589': { - 'name': 'protein-phosphocysteine-trehalose phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein S-phosphocysteine + trehalose (out) = protein cysteine + trehalose-6-phosphate (in). [PMID:7608078]' - }, - 'GO:0090590': { - 'name': 'protein-N(PI)-phosphohistidine-D-glucosamine phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + D-glucosamine(out) = protein histidine + glucosamine-6-phosphate(in). [PMID:8246840]' - }, - 'GO:0090591': { - 'name': 'protein-N(PI)-phosphohistidine-N-acetyl-mannosamine phosphotransferase system transporter activity', - 'def': 'Catalysis of the PEP-dependent, phosphoryl transfer-driven transport of substances across a membrane. The transport happens by catalysis of the reaction: protein N-phosphohistidine + N-acetyl-mannosamine(out) = protein histidine +N-acetyl- mannosamine-6-phosphate(in). [PMID:9864311]' - }, - 'GO:0090592': { - 'name': 'DNA synthesis involved in DNA replication', - 'def': 'Synthesis of DNA that is a part of the process of duplicating one or more molecules of DNA. [GOC:vw]' - }, - 'GO:0090593': { - 'name': 'peptidyl-histidine autophosphorylation', - 'def': 'The phosphorylation by a protein of one or more of its own histidine residues, or a histidine residue on an identical protein. [PMID:15947782, PMID:8962061]' - }, - 'GO:0090594': { - 'name': 'inflammatory response to wounding', - 'def': 'The immediate defensive reaction by vertebrate tissue to injury caused by chemical or physical agents. [GOC:add]' - }, - 'GO:0090595': { - 'name': 'acetyl-CoA:L-lysine N6-acetyltransferase', - 'def': 'Catalysis of the reaction: L-lysine + acetyl-CoA = N6-acetyl-L-lysine + CoA + H(+). [MetaCyc:LYSACET-RXN]' - }, - 'GO:0090596': { - 'name': 'sensory organ morphogenesis', - 'def': 'Morphogenesis of a sensory organ. A sensory organ is defined as a tissue or set of tissues that work together to receive and transmit signals from external or internal stimuli. Morphogenesis is the process in which anatomical structures are generated and organized. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that work together to perform a specific function or functions. [GOC:kmv, ISBN:978-0199210893]' - }, - 'GO:0090597': { - 'name': 'nematode male tail mating organ morphogenesis', - 'def': 'The process in which the anatomical structures of the nematode male tail mating organ are generated and organized. The male tail is a sensory organ required for mating and, in C. elegans, consists of ray sensilla, an acellular cuticular fan, a sensory hook, and protracting, copulatory spicules. [GOC:kmv, PMID:1782863, PMID:18050419, PMID:7409314]' - }, - 'GO:0090598': { - 'name': 'male anatomical structure morphogenesis', - 'def': 'The processes by which anatomical structures that are only present in the male organism are generated and organized. [GOC:kmv, GOC:tb]' - }, - 'GO:0090599': { - 'name': 'alpha-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing alpha-linked alpha-D-glucose residue with release of alpha-D-glucose. [GOC:tb]' - }, - 'GO:0090600': { - 'name': 'alpha-1,3-glucosidase activity', - 'def': 'Catalysis of the hydrolysis of terminal, non-reducing alpha-(1->3)-linked alpha-D-glucose residues with release of alpha-D-glucose. [GOC:sd, GOC:tb]' - }, - 'GO:0090601': { - 'name': 'enucleation', - 'def': 'The process in which nucleated precursor cells lose their nucleus. [GOC:tb]' - }, - 'GO:0090602': { - 'name': 'sieve element enucleation', - 'def': 'The process in which nucleated precursor cells lose their nucleus as part of sieve element differentiation. The nuclear contents are released and degraded in the cytoplasm at the same time as other organelles are rearranged and the cytosol is degraded. [GOC:tb, PMID:25081480]' - }, - 'GO:0090603': { - 'name': 'sieve element differentiation', - 'def': 'The process whereby a relatively unspecialized cell acquires specialized features of a sieve element. [GOC:tb]' - }, - 'GO:0090604': { - 'name': 'surface biofilm formation', - 'def': "A process in which planktonically growing microorganisms grow at the surface of a liquid-air interface and produce extracellular polymers that facilitate matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:di, GOC:tb]" - }, - 'GO:0090605': { - 'name': 'submerged biofilm formation', - 'def': "A process in which planktonically growing microorganisms aggregate and grow on solid substrates under the flow of a liquid and produce extracellular polymers that facilitate attachment and matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:di, GOC:tb]" - }, - 'GO:0090606': { - 'name': 'single-species surface biofilm formation', - 'def': "A process in which planktonically growing microorganisms of the same species grow at the surface of a liquid-air interface and produce extracellular polymers that facilitate matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:di, GOC:tb]" - }, - 'GO:0090607': { - 'name': 'multi-species surface biofilm formation', - 'def': "A process in which planktonically growing microorganisms of different species grow at the surface of a liquid-air interface and produce extracellular polymers that facilitate matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:di, GOC:tb]" - }, - 'GO:0090608': { - 'name': 'multi-species submerged biofilm formation', - 'def': "A process in which planktonically growing microorganisms of different species aggregate and grow on solid substrates under the flow of a liquid and produce extracellular polymers that facilitate attachment and matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:di, GOC:tb]" - }, - 'GO:0090609': { - 'name': 'single-species submerged biofilm formation', - 'def': "A process in which planktonically growing microorganisms of the same species aggregate and grow on solid substrates under the flow of a liquid and produce extracellular polymers that facilitate attachment and matrix formation, resulting in a change in the organisms' growth rate and gene transcription. [GOC:di, GOC:tb]" - }, - 'GO:0090610': { - 'name': 'bundle sheath cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a bundle sheath cell in an environment that is neutral with respect to the developmental pathway; upon specification, the cell fate can be reversed. [GOC:tb, PMID:24517883]' - }, - 'GO:0090611': { - 'name': 'ubiquitin-independent protein catabolic process via the multivesicular body sorting pathway', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide, via the multivesicular body (MVB) sorting pathway; proteins are sorted into MVBs, and delivered to a lysosome/vacuole for degradation. This process is independent of ubiquitination. [PMID:22547407]' - }, - 'GO:0090612': { - 'name': 'cAMP deaminase activity', - 'def': 'Catalysis of the reaction: cyclic adenosine monophosphate + H2O = cyclic inosine monophosphate + NH3. [PMID:24074367]' - }, - 'GO:0090613': { - 'name': "5'-deoxyadenosine deaminase activity", - 'def': "Catalysis of the reaction: 5'deoxyadenosine + H2O = 5'deoxyinosine + NH3. [PMID:23968233]" - }, - 'GO:0090614': { - 'name': "5'-methylthioadenosine deaminase activity", - 'def': "Catalysis of the reaction: 5'methyl thioadenosine + H2O = 5'methyl thioinosine + NH3. [PMID:23968233]" - }, - 'GO:0090615': { - 'name': 'mitochondrial mRNA processing', - 'def': 'Steps involved in processing precursor RNAs arising from transcription of operons in the mitochondrial genome into mature mRNAs. [GOC:tb, PMID:25181358]' - }, - 'GO:0090616': { - 'name': "mitochondrial mRNA 3'-end processing", - 'def': "Any process involved in forming the mature 3' end of an mRNA molecule that derives from the mitochondrial genome. [GOC:tb, PMID:25181358]" - }, - 'GO:0090617': { - 'name': "mitochondrial mRNA 5'-end processing", - 'def': "Any process involved in forming the mature 5' end of an mRNA molecule that derives from the mitochondrial genome. [GOC:tb, PMID:25181358]" - }, - 'GO:0090618': { - 'name': 'DNA clamp unloading', - 'def': 'The process of removing the PCNA complex from DNA when Okazaki fragments are completed or the replication fork terminates. [GOC:rb, PMID:23499004]' - }, - 'GO:0090619': { - 'name': 'meiotic spindle pole', - 'def': 'Either of the ends of a meiotic spindle, a spindle that forms as part of meiosis, where spindle microtubules are organized; usually contains a microtubule organizing center and accessory molecules, spindle microtubules and astral microtubules. [GOC:ha, PMID:18250200]' - }, - 'GO:0090620': { - 'name': 'obsolete APC-Cdc20 complex', - 'def': 'OBSOLETE. An anaphase promoting complex bound to the \\fizzy family\\ APC activator Cdc20/Slp1 which regulates the metaphase anaphase transition by activating the APC/C to target the anaphase inhibitor securin and promotes sister chromatid separation. [GOC:vw, PMID:10921876]' - }, - 'GO:0090621': { - 'name': 'obsolete APC-fizzy-related complex', - 'def': 'OBSOLETE. An anaphase promoting complex bound to the \\fizzy-related family\\ APC activator FZR1/Cdh1/Srw1 that regulates mitotic exit by activating the APC/C to target mitotic cyclins for destruction during anaphase and telophase. Is also active during G1. [GOC:vw, PMID:10921876]' - }, - 'GO:0090624': { - 'name': 'endoribonuclease activity, cleaving miRNA-paired mRNA', - 'def': 'Catalysis of the endonucleolytic cleavage of the mRNA in a double-stranded RNA molecule formed by the base pairing of an mRNA with an miRNA. [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:15260970, PMID:19239888]' - }, - 'GO:0090625': { - 'name': 'mRNA cleavage involved in gene silencing by siRNA', - 'def': 'The process in which small interfering RNAs (siRNAs) direct the cleavage of target mRNAs. Once incorporated into a RNA-induced silencing complex (RISC), a siRNA will typically direct cleavage by base pairing with perfect or near-perfect complementarity to the target mRNA. [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:15260970]' - }, - 'GO:0090626': { - 'name': 'plant epidermis morphogenesis', - 'def': 'The process in which the anatomical structures of the plant epidermis are generated and organized. [GOC:tb]' - }, - 'GO:0090627': { - 'name': 'plant epidermal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a plant epidermal cell. [GOC:tb]' - }, - 'GO:0090628': { - 'name': 'plant epidermal cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a plant epidermal cell in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. [GOC:tb]' - }, - 'GO:0090629': { - 'name': 'lagging strand initiation', - 'def': "The process in which the synthesis of DNA from a template strand in a net 3' to 5' direction is started. [GOC:mah, GOC:tb]" - }, - 'GO:0090630': { - 'name': 'activation of GTPase activity', - 'def': 'Any process that initiates the activity of an inactive GTPase through the replacement of GDP by GTP. [GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0090631': { - 'name': 'pre-miRNA transporter activity', - 'def': 'Enables the directed movement of pre-miRNAs between the nucleus and the cytoplasm of a cell. [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:14681208]' - }, - 'GO:0090632': { - 'name': 'N-glycolylneuraminic acid (Neu5Gc) cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: CTP + Neu5Gc = diphosphate + CMP-Neu5Gc. [ISBN:978-1-60805-067-3, PMID:11479279, PMID:8381411]' - }, - 'GO:0090633': { - 'name': 'keto-deoxynonulosonic acid (KDN) cytidylyltransferase activity', - 'def': 'Catalysis of the reaction: CTP + KDN = diphosphate + CMP-KDN. [ISBN:978-1-60805-067-3, PMID:11479279, PMID:8381411]' - }, - 'GO:0090634': { - 'name': 'microglial cell mediated cytotoxicity', - 'def': 'The directed killing of a target cell by a microglial cell. [GOC:BHF, GOC:nc, PMID:19100238]' - }, - 'GO:0090635': { - 'name': 'extracellular core region of desmosome', - 'def': 'The desmosomal part containing the desmosomal cadherins, desmogleins and desmocollins, that establish contact and adhere to neighboring cells in a Ca2+-dependent manner. [PMID:20066089]' - }, - 'GO:0090636': { - 'name': 'outer dense plaque of desmosome', - 'def': 'The desmosomal part containing plakoglobins, plakophilins, the N-termini of desmoplakins, as well as the cytoplasmic tails of the desmosomal cadherins, which together attach the plaque to the plasma membrane. [PMID:20066089]' - }, - 'GO:0090637': { - 'name': 'inner dense plaque of desmosome', - 'def': 'The desmosomal part containing the C-termini of desmoplakins which interact with the keratin intermediate filaments, serving to tether the intermediate filaments to the plasma membrane. [PMID:20066089]' - }, - 'GO:0090638': { - 'name': 'phosphatidylcholine biosynthesis from phosphatidylethanolamine', - 'def': 'The phosphatidylcholine biosynthetic process that depends on direct conversion of the phosphatidyl-base phosphatidylethanolamine to phosphatidylcholine by successive methylations. [MetaCyc:PWY-6825]' - }, - 'GO:0090639': { - 'name': 'phosphatidylcholine biosynthesis from choline and CDP-diacylglycerol', - 'def': 'The phosphatidylcholine biosynthetic process that involves a one-step direct condensation of choline with CDP-diacylglycerol to form phosphatidylcholine. [MetaCyc:PWY-6826]' - }, - 'GO:0090640': { - 'name': 'phosphatidylcholine biosynthesis from sn-glycero-3-phosphocholine', - 'def': 'The phosphatidylcholine biosynthetic process that involves the two-step acylation of sn-glycero-3-phosphocholine to a phosphatidylcholine. [MetaCyc:PWY-7470, PMID:24329598]' - }, - 'GO:0090641': { - 'name': 'microsporidian-type endospore', - 'def': 'The middle layer in a microsporidian spore wall that lies under the exospore and outside the plasma membrane, containing chitin and proteins. [PMID:19457051]' - }, - 'GO:0090642': { - 'name': 'microsporidian-type exospore', - 'def': 'The dense, protein rich outermost layer of a microsporidian spore wall that lies above the endospore. [PMID:19457051, PMID:25363531]' - }, - 'GO:0090643': { - 'name': 'inflorescence phyllotactic patterning', - 'def': 'The radial pattern formation process that results in the formation of flowers around a central axis in an inflorescence meristem. [PMID:25352850]' - }, - 'GO:0090644': { - 'name': 'age-related resistance', - 'def': 'An innate immune response that is positively correlated with host plant development. As a plant develops, its innate resistance to pathogenic infections increases. The mechanisms involved in age-related resistance differ in nature or in aspects of regulation from the hypersensitive response (HR), systemic acquired resistance (SAR), or induced systemic resistance (ISR). [PMID:17635216, PMID:19694953]' - }, - 'GO:0090646': { - 'name': 'mitochondrial tRNA processing', - 'def': 'The process in which a pre-tRNA molecule is converted to a mature tRNA, ready for addition of an aminoacyl group, in the mitochondrion. [GOC:vw]' - }, - 'GO:0090647': { - 'name': 'modulation of age-related behavioral decline', - 'def': 'Any process that modulates the processes that arise as an organism progresses toward the end of its lifespan that results in a decline in behavioral activities such as locomotory behavior, and learning or memory. [GOC:cjm, GOC:kmv, PMID:20523893]' - }, - 'GO:0090648': { - 'name': 'response to environmental enrichment', - 'def': "Any process that results in a change in state or activity of an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the provision of a combination of complex inanimate and social stimulations in the organism's housing environment. [GOC:sl, PMID:23644055, PMID:25934034]" - }, - 'GO:0090649': { - 'name': 'response to oxygen-glucose deprivation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the deprivation of oxygen and glucose. [GOC:sl, PMID:21525936]' - }, - 'GO:0090650': { - 'name': 'cellular response to oxygen-glucose deprivation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of the deprivation of oxygen and glucose. [GOC:sl, PMID:21525936]' - }, - 'GO:0090651': { - 'name': 'apical cytoplasm', - 'def': 'The region of the cytoplasm located at the apical side of the cell. Used in reference to animal polarized epithelial cells. [PMID:17494872]' - }, - 'GO:0090652': { - 'name': 'basolateral cytoplasm', - 'def': 'The region of the cytoplasm located at the basolateral side of the cell. Used in reference to animal polarized epithelial cells. [PMID:17494872]' - }, - 'GO:0090653': { - 'name': 'apical recycling endosome', - 'def': 'Tubulo-vesicular structure located in the apical cytoplasm that participates in apical cargo recycling in polarized epithelial cells. [PMID:12669082, PMID:16394106, PMID:17494872, PMID:21170358, PMID:9405315]' - }, - 'GO:0090654': { - 'name': 'basolateral recycling endosome', - 'def': 'Tubulo-vesicular structure located in the basolateral cytoplasm that participates in basolateral cargo recycling in polarized epithelial cells. [PMID:11389442, PMID:16394106, PMID:17494872, PMID:21170358, PMID:9405315]' - }, - 'GO:0090655': { - 'name': 'double-stranded/single-stranded junction telomeric DNA binding', - 'def': "Interacting selectively and non-covalently with the junction formed at the point where double-stranded telomeric DNA becomes a single-stranded G-rich telomeric DNA 3' overhang. [GOC:BHF, GOC:BHF_telomere, GOC:bhm, GOC:nc, PMID:21852327]" - }, - 'GO:0090656': { - 'name': 't-circle formation', - 'def': 'A telomere maintenance process that results in the formation of a telomeric circle, or t-circle. A t-circle is an extrachromosomal duplex or single-stranded circular DNA molecule composed of t-arrays. T-circles are involved in the control of telomere length via alternative-lengthening of telomeres (ALT) pathway and telomere rapid deletion (TRD). [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:19214183, PMID:19581589, PMID:19809492, PMID:19858100]' - }, - 'GO:0090657': { - 'name': 'telomeric loop disassembly', - 'def': 'The telomere maintenance process in which telomeric loops are disassembled to permit efficient telomere replication. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:22579284]' - }, - 'GO:0090658': { - 'name': 'cone matrix sheath', - 'def': 'A biochemically and structurally distinct domain of the retinal interphotoreceptor matrix that is specifically associated with cone photoreceptor cell inner and outer segments. [GOC:mr, PMID:2055688]' - }, - 'GO:0090659': { - 'name': 'walking behavior', - 'def': 'The behavior of an organism relating to the progression of that organism along the ground by the process of lifting and setting down each leg. [GOC:tb]' - }, - 'GO:0090660': { - 'name': 'cerebrospinal fluid circulation', - 'def': 'The neurological system process driven by motile cilia on ependymal cells of the brain by which cerebrospinal fluid circulates from the sites of secretion to the sites of absorption. In ventricular cavities, the flow is unidirectional and rostrocaudal, in subarachnoid spaces, the flow is multi-directional. [GOC:mgi_curators, PMID:22100360, PMID:24229449]' - }, - 'GO:0090661': { - 'name': 'box H/ACA telomerase RNP complex', - 'def': 'A box H/ACA ribonucleoprotein complex that contains the RNA component of vertebrate telomerase, the enzyme essential for the replication of chromosome termini in most eukaryotes. This ribonucleoprotein complex is a structural box H/ACA RNP, which does not have the catalytic pseudouridylation function shared by the majority of H/ACA RNPs present in the cell. [GOC:BHF, GOC:BHF_telomere, GOC:jbu, PMID:22527283]' - }, - 'GO:0090662': { - 'name': 'ATP hydrolysis coupled transmembrane transport', - 'def': 'The transport of molecules across a membrane and against an electrochemical gradient, using energy from ATP hydrolysis. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:tb, PMID:18075585]' - }, - 'GO:0090663': { - 'name': 'galanin-activated signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of the peptide neurotransmitter galanin binding to a cell surface receptor. [GOC:lb, PMID:25691535]' - }, - 'GO:0090664': { - 'name': 'response to high population density', - 'def': 'Any process that results in a change in state or activity of a cell or a multicellular organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a higher than normal number of multicellular organisms living per unit area. [GOC:mr, PMID:26439857]' - }, - 'GO:0090665': { - 'name': 'glycoprotein complex', - 'def': 'A protein complex containing at least one glycosylated protein, may be held together by both covalent and noncovalent bonds. [GOC:pf, PMID:7693675, PMID:8662961]' - }, - 'GO:0090666': { - 'name': 'scaRNA localization to Cajal body', - 'def': 'A process in which a small Cajal body-specific RNA is transported to, or maintained in, a Cajal body. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:25467444]' - }, - 'GO:0090667': { - 'name': 'cell chemotaxis to vascular endothelial growth factor', - 'def': 'The directed movement of a motile cell in response to the presence of vascular endothelial growth factor (VEGF). [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:21885851]' - }, - 'GO:0090668': { - 'name': 'endothelial cell chemotaxis to vascular endothelial growth factor', - 'def': 'The directed movement of an endothelial cell in response to the presence of vascular endothelial growth factor (VEGF). [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:21885851]' - }, - 'GO:0090669': { - 'name': 'telomerase RNA stabilization', - 'def': 'Prevention of degradation of telomerase RNA (TERC) molecules. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:25467444]' - }, - 'GO:0090670': { - 'name': 'RNA localization to Cajal body', - 'def': 'A process in which an RNA is transported to, or maintained in, a Cajal body. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:25467444]' - }, - 'GO:0090671': { - 'name': 'telomerase RNA localization to Cajal body', - 'def': 'A process in which telomerase RNA (TERC) is transported to, or maintained in, a Cajal body. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:25467444]' - }, - 'GO:0090672': { - 'name': 'telomerase RNA localization', - 'def': 'Any process in which telomerase RNA is transported to, or maintained in, a specific location. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:25467444]' - }, - 'GO:0090673': { - 'name': 'endothelial cell-matrix adhesion', - 'def': 'The binding of an endothelial cell to the extracellular matrix via adhesion molecules. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:19460962]' - }, - 'GO:0090674': { - 'name': 'endothelial cell-matrix adhesion via fibronectin', - 'def': 'The binding of an endothelial cell to the extracellular matrix via fibronectin. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:19460962]' - }, - 'GO:0090675': { - 'name': 'intermicrovillar adhesion', - 'def': 'The biological adhesion process by which adjacent microvilli attach to each other through Ca(2+)-dependent adhesion links made of protocadherin-24 and mucin-like protocadherin. [GOC:lb, PMID:24725409]' - }, - 'GO:0090676': { - 'name': 'calcium ion transmembrane transport via low voltage-gated calcium channel', - 'def': 'A process in which a calcium ion is transported from one side of a membrane to the other by means of a low voltage-gated calcium channel. [GOC:bf, GOC:PARL, PMID:20371816]' - }, - 'GO:0090677': { - 'name': 'reversible differentiation', - 'def': 'A phenotypic switching process where a cell reversibly differentiates and dedifferentiates from one cell type into another. [GOC:curators]' - }, - 'GO:0090678': { - 'name': 'cell dedifferentiation involved in phenotypic switching', - 'def': 'A cell dedifferentiation process that is a part of a reversible switch of a cell from one cell type or form to another, at a frequency above the expected frequency for somatic mutations. [GOC:curators]' - }, - 'GO:0090679': { - 'name': 'cell differentiation involved in phenotypic switching', - 'def': 'A cell differentiation process that is a part of a reversible switch of a cell from one cell type or form to another, at a frequency above the expected frequency for somatic mutations. [GOC:curators]' - }, - 'GO:0090680': { - 'name': 'disruption by virus of host outer membrane', - 'def': 'A process by which a virus has a negative effect on the functioning of a host outer membrane. [PMID:17900620]' - }, - 'GO:0090681': { - 'name': 'GPCR taste receptor activity', - 'def': 'A G-protein coupled receptor activity that is responsible for the sense of taste. [GOC:hat, GOC:tb]' - }, - 'GO:0090682': { - 'name': 'GPCR bitter taste receptor activity', - 'def': 'A G-protein coupled receptor activity that is responsible for the sense of bitter taste. [GOC:hat, GOC:tb]' - }, - 'GO:0090683': { - 'name': 'GPCR sweet taste receptor activity', - 'def': 'A G-protein coupled receptor activity that is responsible for the sense of sweet taste. [GOC:hat, GOC:tb]' - }, - 'GO:0090684': { - 'name': 'contact chemoreceptor activity', - 'def': 'A non-GPCR transmembrane signaling receptor activity that is responsible for contact chemoreception. [GOC:hat, GOC:tb]' - }, - 'GO:0090685': { - 'name': 'RNA localization to nucleus', - 'def': 'A macromolecular localization process in which RNA is transported to and maintained in a location within the nucleus. [GOC:mah, PMID:26305931]' - }, - 'GO:0090686': { - 'name': 'glycine betaine-activated nonselective monovalent cation channel activity', - 'def': 'Enables the transmembrane transfer of a monovalent cation by a channel that opens when glycine betaine has been bound by the channel complex or one of its constituent parts. [GOC:kmv, PMID:24212673]' - }, - 'GO:0090687': { - 'name': 'activation of meiosis I spindle assembly checkpoint', - 'def': 'Any process that starts the inactive process of a meiosis I cell cycle spindle assembly checkpoint. [GOC:mah]' - }, - 'GO:0090688': { - 'name': 'cleavage furrow rim', - 'def': "The 'trough' of the cleavage furrow. This is the part of the cleavage furrow closest to the contractile ring. [GOC:vw, PMID:27082518]" - }, - 'GO:0090689': { - 'name': 'cleavage furrow leading edge', - 'def': 'The part of the cleavage furrow closest to the cell surface. [GOC:vw, PMID:27082518]' - }, - 'GO:0090690': { - 'name': 'obsolete heteroreceptor complex', - 'def': 'OBSOLETE. A receptor complex that consists of two or more different receptor complexes that individually undergo combination with a hormone, neurotransmitter, drug or intracellular messenger. The formation of the higher level complex initiates a change in cell function. [GOC:pad, GOC:PARL, PMID:22035699, PMID:24157794]' - }, - 'GO:0090691': { - 'name': 'formation of plant organ boundary', - 'def': 'The regionalization process that specifies plant organ primordium boundaries resulting in a restriction of organogenesis to a limited spatial domain and keeping the organ separate from surrounding tissues. [GOC:tb]' - }, - 'GO:0090692': { - 'name': 'mitochondrial membrane scission site', - 'def': 'The site on the mitochondrial membrane where the separation of a single continuous mitochondrial membrane into two membranes occurs as a final step in mitochondrial fission. [GOC:bc, GOC:PARL, PMID:26618722]' - }, - 'GO:0090693': { - 'name': 'plant organ senescence', - 'def': 'The process that occurs in a plant organ near the end of its active life that is associated with the dismantling of cell components and membranes, and an overall decline in metabolism. [GOC:tb]' - }, - 'GO:0090694': { - 'name': 'Scc2-Scc4 cohesin loading complex', - 'def': 'A eukaryotically conserved heterodimeric protein complex (comprising adherin and the chromatid cohesion factor MAU2/Scc4/Ssl3) required for the loading of a cohesin, complex onto DNA. [GOC:vw, PMID:24291789]' - }, - 'GO:0090695': { - 'name': 'Wpl/Pds5 cohesin loading/unloading complex', - 'def': 'A eukaryotically conserved heterodimeric protein complex (comprising Wings apart-like protein and the Pds5 Armadillo repeat cohesin associated protein) involved in the loading and unloading of a cohesin complex onto DNA. [GOC:vw, PMID:26687354]' - }, - 'GO:0090696': { - 'name': 'post-embryonic plant organ development', - 'def': 'Development, taking place during the post-embryonic phase of a plant tissue or tissues that work together to perform a specific function or functions. Development pertains to the process whose specific outcome is the progression of a structure over time, from its formation to the mature structure. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that work together to perform a specific function or functions. [GOC:tb]' - }, - 'GO:0090697': { - 'name': 'post-embryonic plant organ morphogenesis', - 'def': 'Morphogenesis, during the post-embryonic phase, of a plant tissue or tissues that work together to perform a specific function or functions. Morphogenesis pertains to process in which anatomical structures are generated and organized. Organs are commonly observed as visibly distinct structures, but may also exist as loosely associated clusters of cells that work together to perform a specific function or functions. [GOC:tb]' - }, - 'GO:0090698': { - 'name': 'post-embryonic plant morphogenesis', - 'def': 'The process, occurring after plant embryonic development, by which anatomical structures are generated and organized. [GOC:tb]' - }, - 'GO:0090699': { - 'name': 'correction of merotelic kinetochore attachment, meiosis I', - 'def': 'The cell cycle process that corrects the anomalous association of a single chromatid kinetochore with mitotic spindle microtubules emanating from both spindle poles at meiosis I, and would, if uncorrected result in the separation of sister chromatids at meiosis I. [GOC:vw, PMID:21920317]' - }, - 'GO:0090700': { - 'name': 'maintenance of plant organ identity', - 'def': 'The process in which the identity of a plant organ is maintained. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tb, PMID:9090883]' - }, - 'GO:0090701': { - 'name': 'specification of plant organ identity', - 'def': 'The regionalization process in which the identity of a plant organ primordium is specified. Identity is considered to be the aggregate of characteristics by which a structure is recognized. [GOC:tb]' - }, - 'GO:0090702': { - 'name': 'non-reproductive fruiting body development', - 'def': 'The process whose specific outcome is the progression of a non-reproductive fruiting body over time, from its formation to the mature structure. A non-reproductive fruiting body is a colonial multicellular structure consisting of co-operating unicellular organisms, some of which are spores. An example of such a process is found in Dictyostelium discoideum and Myxococcus xanthus colonies. [GOC:pf]' - }, - 'GO:0090703': { - 'name': 'obsolete triplex DNA unwinding', - 'def': "OBSOLETE. The process by which a three-stranded D-loop DNA is unwound or 'melted'. [PMID:26503245]" - }, - 'GO:0090704': { - 'name': 'nicotinate-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: nicotinate + UDP-D-glucose = O-D-glucosylnicotinate + UDP. [GOC:tb, PMID:26116607]' - }, - 'GO:0090705': { - 'name': 'trichome papilla', - 'def': 'A plant cell papilla that is part of a trichome cell. [GOC:tb, PMID:24014871]' - }, - 'GO:0090706': { - 'name': 'specification of plant organ position', - 'def': 'The regionalization process in which information that determines the correct position at which plant organ primordia are formed is generated and perceived resulting in correct positioning of the new plant organ. [GOC:tb, PMID:9611175]' - }, - 'GO:0090707': { - 'name': 'establishment of plant organ orientation', - 'def': 'The process that determines the orientation of a plant organ or tissue with reference to an axis. [GOC:tb]' - }, - 'GO:0090708': { - 'name': 'specification of plant organ axis polarity', - 'def': 'The process in which the polarity of a plant organ axis is specified. [GOC:tb]' - }, - 'GO:0090709': { - 'name': 'regulation of timing of plant organ formation', - 'def': 'Any process that modulates the rate, frequency or extent of plant organ formation at a consistent predetermined time point during development. [GOC:tb]' - }, - 'GO:0090710': { - 'name': 'phosphomevalonate decarboxylase activity', - 'def': 'Catalysis of the reaction: ATP + (R)-mevalonate 5-phosphate = ADP + isopentenyl phosphate + CO2 + phosphate. [EC:4.1.1.99, MetaCyc:RXN-10067, PMID:24375100]' - }, - 'GO:0090711': { - 'name': 'FMN hydrolase activity', - 'def': 'Catalysis of the reaction: FMN + H2O = riboflavin + phosphate. [EC:3.1.3.102, PMID:16183635]' - }, - 'GO:0090712': { - 'name': 'basal pole of outer hair cell', - 'def': 'The end of the outer hair cell which receives and transmits neural signals. [GOC:sl, PMID:12845523]' - }, - 'GO:0090713': { - 'name': 'immunological memory process', - 'def': 'Any process of the immune system that can contribute to the formation of immunological memory or an immune response based upon activation of immunological memory. [GOC:add, PMID:26086132, PMID:26831526]' - }, - 'GO:0090714': { - 'name': 'innate immunity memory response', - 'def': 'An immune response mediated by the innate immune system and directed against a previously encountered immunologic stimulus, being quicker and quantitatively better compared with the initial response to that stimulus. [GOC:add, PMID:26086132]' - }, - 'GO:0090715': { - 'name': 'immunological memory formation process', - 'def': 'Any immunological memory process that can contribute to the formation of immunological memory. [GOC:add, PMID:26086132, PMID:26831526]' - }, - 'GO:0090716': { - 'name': 'adaptive immune memory response', - 'def': 'An immune response directed against a previously encountered antigen, being quicker and quantitatively better compared with the primary response. [GOC:add, PMID:26831526]' - }, - 'GO:0090717': { - 'name': 'adaptive immune memory response involving T cells and B cells', - 'def': 'An immune response mediated by reactivated memory T cells and B cells and directed against a previously encountered antigen, being quicker and quantitatively better compared with the primary response. [GOC:add, PMID:26831526]' - }, - 'GO:0090718': { - 'name': 'adaptive immune effector response', - 'def': 'An adaptive immune response that involves one or more immune effector processes and takes place during the effector phase of the adaptive immune response. [GOC:add, ISBN:1405196831]' - }, - 'GO:0090719': { - 'name': 'adaptive immune effector response involving T cells and B lineage cells', - 'def': 'An adaptive immune effector response involving T cells and B lineage cells. In the case of B lineage cells, the effector cells are the antibody secreting plasma cells whereas for T cells the effector cells may be helper T cells or cytotoxic T cells. [GOC:add, ISBN:1405196831]' - }, - 'GO:0090720': { - 'name': 'primary adaptive immune response', - 'def': 'An adaptive immune response against an antigen not previously encountered by immune system. [GOC:add, PMID:26831526]' - }, - 'GO:0090721': { - 'name': 'primary adaptive immune response involving T cells and B cells', - 'def': 'An adaptive immune response mediated by naive T or B cells against an antigen not previously encountered by immune system. [GOC:add, PMID:26831526]' - }, - 'GO:0090722': { - 'name': 'receptor-receptor interaction', - 'def': 'The aggregation, arrangement and bonding together of two or more different receptor complexes that individually undergo combination with a hormone, neurotransmitter, drug or intracellular messenger to form a higher level receptor complex. The formation of the higher level complex initiates a change in cell function. [GOC:dox, GOC:pad, GOC:PARL, PMID:22035699, PMID:24157794]' - }, - 'GO:0090723': { - 'name': 'growth cone part', - 'def': 'Any constituent part of a growth cone, the migrating motile tip of a growing nerve cell axon or dendrite. [GOC:sl, GOC:tb]' - }, - 'GO:0090724': { - 'name': 'central region of growth cone', - 'def': 'The center of the migrating motile tip of a growing nerve cell axon or dendrite. [GOC:sl, PMID:16260607]' - }, - 'GO:0090725': { - 'name': 'peripheral region of growth cone', - 'def': 'The non-central region or periphery of the migrating motile tip of a growing nerve cell axon or dendrite. [GOC:sl, PMID:16260607]' - }, - 'GO:0090726': { - 'name': 'cortical dynamic polarity patch', - 'def': 'A region of the cell cortex that contains a higher concentration of growth polarity factors than the surrounding cortex and that changes position over time. An example is found in fission yeast cells during early mating, in which the GTPase Cdc42 dynamically to discrete zones within the cortex prior to shmoo formation. [GOC:mah, PMID:23200991]' - }, - 'GO:0090727': { - 'name': 'positive regulation of brood size', - 'def': 'Any process that increases brood size. Brood size is the number of progeny that survive embryogenesis and are cared for at one time. [GOC:rz]' - }, - 'GO:0090728': { - 'name': 'negative regulation of brood size', - 'def': 'Any process that decreases brood size. Brood size is the number of progeny that survive embryogenesis and are cared for at one time. [GOC:rz]' - }, - 'GO:0090729': { - 'name': 'toxin activity', - 'def': 'Interacting selectively with one or more biological molecules in another organism (the \\target\\ organism), initiating pathogenesis (leading to an abnormal, generally detrimental state) in the target organism. The activity should refer to an evolved function of the active gene product, i.e. one that was selected for. Examples include the activity of botulinum toxin, and snake venom. [GOC:pt]' - }, - 'GO:0090730': { - 'name': 'Las1 complex', - 'def': "A four subunit complex, that comprises all the necessary RNA processing enzymes (endonuclease, polynucleotide kinase, and exonuclease) to mediate 'cistronic rRNA transcript ITS2 (internal transcribed spacer) cleavage' (GO:0000448). [GOC:vw, PMID:26638174]" - }, - 'GO:0090731': { - 'name': 'cellular response to very-low-density lipoprotein particle stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a very-low-density lipoprotein particle stimulus. [GOC:ARUK, GOC:bc]' - }, - 'GO:0090732': { - 'name': 'cofilin-actin rod', - 'def': 'A cellular structure consisting of parallel, hexagonally arranged actin tubules, comprising filamentous actin and disulfide cross-linked cofilin multimers. [GOC:sl, PMID:22573689, PMID:24760020]' - }, - 'GO:0090733': { - 'name': 'tenascin complex', - 'def': 'A extracellular matrix complex involved in cell adhesion and cell migration. Typically homotrimeric or homohexameric. In mammals, four complexes exist: Tenascin-C, Tenascin-N (also known as Tenascin-W), Tenascin-X and Tenascin-R. [GOC:bm, IntAct:EBI-11789587, IntAct:EBI-13640819, PMID:11731446, PMID:12845616, PMID:17909022, PMID:23658023]' - }, - 'GO:0090734': { - 'name': 'site of DNA damage', - 'def': 'A region of a chromosome at which DNA damage has occurred. DNA damage signaling and repair proteins accumulate at the lesion to respond to the damage and repair the DNA to form a continuous DNA helix. [GOC:pg]' - }, - 'GO:0090735': { - 'name': 'DNA repair complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a DNA repair complex. [GOC:pg, PMID:27113759, PMID:27233470]' - }, - 'GO:0090736': { - 'name': 'MATH domain binding', - 'def': 'Interacting selectively and non-covalently with a meprin and TRAF homology (MATH) domain. [InterPro:IPR002083, PMID:22621901]' - }, - 'GO:0090737': { - 'name': 'telomere maintenance via telomere trimming', - 'def': 'A process that contributes to the maintenance of proper telomeric length and structure via the activation of telomere shortening pathways that compensate telomerase-dependent excessive telomere elongation. Telomere attrition is mediated by a mechanism which involves the generation of single-stranded C-rich telomeric DNA, and the formation and removal of double-stranded telomeric circular DNA (T-circles). Telomere trimming is an independent pathway to recombination-mediated telomere elongation and the well-documented gradual telomere attrition that accompanies cellular replication. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:27918544]' - }, - 'GO:0093001': { - 'name': 'glycolysis from storage polysaccharide through glucose-1-phosphate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a storage polysaccharide into pyruvate through a glucose-1-phosphate intermediate, with the concomitant production of a small amount of ATP and the reduction of NAD to NADH. [GOC:dph, GOC:glycolysis]' - }, - 'GO:0093002': { - 'name': 'response to nematicide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nematicide stimulus. Nematicides are chemicals used to kill nematodes. [GOC:kvm, PMID:22301316]' - }, - 'GO:0095500': { - 'name': 'acetylcholine receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of an acetylcholine receptor binding to one of its physiological ligands. [GOC:mah]' - }, - 'GO:0097001': { - 'name': 'ceramide binding', - 'def': 'Interacting selectively and non-covalently with any ceramide, a class of lipids that is composed of sphingosine linked to a fatty acid. Ceramides are a major component of cell membranes. [CHEBI:17761, GOC:sart]' - }, - 'GO:0097002': { - 'name': 'mitochondrial inner boundary membrane', - 'def': 'The portion of the mitochondrial inner membrane that is not invaginated to form cristae. The inner boundary membrane lies parallel to the outer membrane. [GOC:mcc, PMID:16054341, PMID:19019989]' - }, - 'GO:0097003': { - 'name': 'adipokinetic hormone receptor activity', - 'def': 'Combining with an adipokinetic hormone to initiate a change in cell activity. Adipokinetic hormones (AKHs) are peptide hormones that are involved in the mobilization of sugar and lipids from the insect fat body during energy-requiring activities such as flight and locomotion. They also contribute to hemolymph sugar homeostasis. [GOC:sart, PMID:11904407]' - }, - 'GO:0097004': { - 'name': 'adipokinetic hormone binding', - 'def': 'Interacting selectively and non-covalently with an adipokinetic hormone. Adipokinetic hormones (AKHs) are peptide hormones that are involved in the mobilization of sugar and lipids from the insect fat body during energy-requiring activities such as flight and locomotion. They also contribute to hemolymph sugar homeostasis. [GOC:sart, PMID:11904407]' - }, - 'GO:0097005': { - 'name': 'adipokinetic hormone receptor binding', - 'def': 'Interacting selectively and non-covalently with an adipokinetic hormone receptor. Adipokinetic hormones (AKHs) are peptide hormones that are involved in the mobilization of sugar and lipids from the insect fat body during energy-requiring activities such as flight and locomotion. They also contribute to hemolymph sugar homeostasis. [GOC:sart, PMID:11904407]' - }, - 'GO:0097006': { - 'name': 'regulation of plasma lipoprotein particle levels', - 'def': 'Any process involved in the maintenance of internal levels of plasma lipoprotein particles within an organism. [GOC:BHF]' - }, - 'GO:0097007': { - 'name': '4,8,12-trimethyltrideca-1,3,7,11-tetraene synthase activity', - 'def': 'Catalysis of the reaction: (EE)-geranyllinalool + NADPH + O2 = 4,8,12-trimethyl-1,3,7,11-tridecatetraene + NADP+ + 2 H2O. It is unknown whether this reaction proceeds by the direct release of the 4-carbon compound but-1-en-3-one, or whether the substrate is first degraded to C18-farnesylacetone and then cleaved to produce 4,8,12-trimethyl-1,3,7,11-tridecatetraene (TMTT) and acetone. [GOC:kad, MetaCyc:RXN-8620, PMID:21088219]' - }, - 'GO:0097008': { - 'name': '(3E)-4,8-dimethyl-1,3,7-nonatriene synthase activity', - 'def': 'Catalysis of the reaction: (E)-nerolidol + NADPH + O2 = (3E)-4,8-dimethylnona-1,3,7-triene + NADP+ + 2 H2O. It is unknown whether this reaction proceeds by the direct release of the 4-carbon compound but-1-en-3-one, or whether the substrate is first degraded to C11-geranylacetone and then cleaved to produce (3E)-4,8-dimethylnona-1,3,7-triene (DMNT) and acetone. [GOC:kad, MetaCyc:RXN-8619, PMID:21088219]' - }, - 'GO:0097009': { - 'name': 'energy homeostasis', - 'def': 'Any process involved in the balance between food intake (energy input) and energy expenditure. [GOC:yaf, PMID:15919751]' - }, - 'GO:0097010': { - 'name': 'eukaryotic translation initiation factor 4F complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the eukaryotic translation initiation factor 4F complex. [GOC:BHF, GOC:ebc, PMID:18337562]' - }, - 'GO:0097011': { - 'name': 'cellular response to granulocyte macrophage colony-stimulating factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a granulocyte macrophage colony-stimulating factor stimulus. [GOC:BHF, GOC:ebc, PMID:7901744]' - }, - 'GO:0097012': { - 'name': 'response to granulocyte macrophage colony-stimulating factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a granulocyte macrophage colony-stimulating factor stimulus. [GOC:pr]' - }, - 'GO:0097013': { - 'name': 'phagocytic vesicle lumen', - 'def': 'The volume enclosed by the membrane of a phagocytic vesicle. [GOC:rs]' - }, - 'GO:0097014': { - 'name': 'ciliary plasm', - 'def': 'All of the contents of a cilium, excluding the plasma membrane surrounding the cilium. [GOC:BHF, GOC:cilia, GOC:dos, PMID:17895364]' - }, - 'GO:0097015': { - 'name': 'bacterial-type flagellar cytoplasm', - 'def': 'All of the contents of a bacterial-type flagellum, excluding the plasma membrane surrounding the flagellum. [GOC:BHF]' - }, - 'GO:0097016': { - 'name': 'L27 domain binding', - 'def': 'Interacting selectively and non-covalently with a L27 domain of a protein. L27 is composed of conserved negatively charged amino acids and a conserved aromatic amino acid. L27 domains can assemble proteins involved in signaling and establishment and maintenance of cell polarity into complexes by interacting in a heterodimeric manner. [GOC:BHF, PMID:15241471, PMID:17237226, Prosite:PDOC51022]' - }, - 'GO:0097017': { - 'name': 'renal protein absorption', - 'def': 'A renal system process in which proteins are taken up from the collecting ducts, glomerulus and proximal and distal loops of the nephron. In non-mammalian species, absorption may occur in related structures (e.g. protein absorption is observed in nephrocytes in Drosophila, see PMID:23264686). [GOC:yaf, PMID:18431508]' - }, - 'GO:0097018': { - 'name': 'renal albumin absorption', - 'def': 'A renal system process in which albumin is taken up from the collecting ducts, glomerulus and proximal and distal loops of the nephron. [GOC:yaf, PMID:18431508]' - }, - 'GO:0097019': { - 'name': 'neurotransmitter receptor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of neurotransmitter receptors. [GOC:kmv]' - }, - 'GO:0097020': { - 'name': 'COPII adaptor activity', - 'def': 'The binding activity of a molecule that brings together the COPII vesicle proteins and one or more other molecules, permitting them to function in a coordinated way. [GOC:rb, PMID:16957051, PMID:20236934]' - }, - 'GO:0097021': { - 'name': 'lymphocyte migration into lymphoid organs', - 'def': "The movement of a lymphocyte within the lymphatic system into lymphoid organs such as lymph nodes, spleen or Peyer's patches, and its subsequent positioning within defined functional compartments such as sites of cell activation by antigen. [GOC:BHF, GOC:pr, PMID:18379575]" - }, - 'GO:0097022': { - 'name': 'lymphocyte migration into lymph node', - 'def': 'The movement of a lymphocyte within the lymphatic system into a lymph node, and its subsequent positioning within defined functional compartments such as sites of cell activation by antigen. [GOC:BHF, GOC:pr, PMID:18379575]' - }, - 'GO:0097023': { - 'name': 'fructose 6-phosphate aldolase activity', - 'def': 'Catalysis of the reaction: D-fructose-6-phosphate = dihydroxyacetone + D-glyceraldehyde-3-phosphate. [GOC:imk, PMID:11120740, PMID:21290439]' - }, - 'GO:0097025': { - 'name': 'MPP7-DLG1-LIN7 complex', - 'def': 'A heterotrimeric protein complex formed by the association of MMP7, DLG1 and either LIN7A or LIN7C; regulates the stability and localization of DLG1 to cell junctions. [GOC:BHF, PMID:17237226]' - }, - 'GO:0097026': { - 'name': 'dendritic cell dendrite assembly', - 'def': 'Formation of dendrites, branched cellular projections (or cytoplasmic extension) that are extended from the surface of a dendritic immune cell, and which enable the cell to sample luminal pathogens and increase the surface area for antigen presentation to T cells. [CL:0000451, GOC:BHF, PMID:12200351]' - }, - 'GO:0097027': { - 'name': 'ubiquitin-protein transferase activator activity', - 'def': 'Increases the activity of a ubiquitin-protein transferase, an enzyme that catalyzes the covalent attachment of ubiquitin to lysine in a substrate protein. [GOC:rb, PMID:18321851]' - }, - 'GO:0097028': { - 'name': 'dendritic cell differentiation', - 'def': 'The process in which a precursor cell type acquires the specialized features of a dendritic cell. A dendritic cell is a leukocyte of dendritic lineage specialized in the uptake, processing, and transport of antigens to lymph nodes for the purpose of stimulating an immune response via T cell activation. [CL:0000451, GOC:pr]' - }, - 'GO:0097029': { - 'name': 'mature conventional dendritic cell differentiation', - 'def': 'The process in which antigen-activated dendritic cells acquire the specialized features of a mature conventional dendritic cell. Mature conventional dendritic cells upregulate the surface expression of MHC molecules, chemokine receptors and adhesion molecules, and increase the number of dendrites (cytoplasmic protrusions) in preparation for migration to lymphoid organs where they present antigen to T cells. [GOC:BHF, http://www.rndsystems.com/mini_review_detail_objectname_MR02_DendriticCellMat.aspx, PMID:15845453]' - }, - 'GO:0097030': { - 'name': 'CENP-A containing nucleosome binding', - 'def': 'Interacting selectively and non-covalently with a centromere-specific nucleosome, a form of nucleosome located only at the centromere, in which the histone H3 is replaced by the variant form CENP-A (sometimes known as CenH3). [GOC:jp, PMID:21412236]' - }, - 'GO:0097031': { - 'name': 'mitochondrial respiratory chain complex I biogenesis', - 'def': 'The biogenesis of a mitochondrial respiratory chain complex I, a protein complex located in the mitochondrial inner membrane that forms part of the mitochondrial respiratory chain. Includes the synthesis of constituent proteins and their aggregation, arrangement and bonding together. [GOC:pr]' - }, - 'GO:0097032': { - 'name': 'mitochondrial respiratory chain complex II biogenesis', - 'def': 'The biogenesis of a mitochondrial respiratory chain complex II, a protein complex located in the mitochondrial inner membrane that forms part of the mitochondrial respiratory chain. Includes the synthesis of constituent proteins and their aggregation, arrangement and bonding together. [GOC:pr]' - }, - 'GO:0097033': { - 'name': 'mitochondrial respiratory chain complex III biogenesis', - 'def': 'The biogenesis of a mitochondrial respiratory chain complex III (also known as cytochrome bc(1) complex or ubiquinol-cytochrome c reductase), a protein complex located in the mitochondrial inner membrane that forms part of the mitochondrial respiratory chain. Includes the synthesis of constituent proteins and their aggregation, arrangement and bonding together. [GOC:mcc]' - }, - 'GO:0097034': { - 'name': 'mitochondrial respiratory chain complex IV biogenesis', - 'def': 'The biogenesis of a mitochondrial respiratory chain complex IV (also known as cytochrome c oxidase complex), a protein complex located in the mitochondrial inner membrane that forms part of the mitochondrial respiratory chain. Includes the synthesis of constituent proteins and their aggregation, arrangement and bonding together. [GOC:mcc]' - }, - 'GO:0097035': { - 'name': 'regulation of membrane lipid distribution', - 'def': 'Any process that modulates the proportions or spatial arrangement of lipids in a cellular membrane. [GOC:mah, PMID:18441123, PMID:20823909]' - }, - 'GO:0097036': { - 'name': 'regulation of plasma membrane sterol distribution', - 'def': 'Any process that modulates the proportions or spatial arrangement of sterols in the plasma membrane. [CHEBI:15889, GOC:mah, PMID:18441123, PMID:20823909]' - }, - 'GO:0097037': { - 'name': 'heme export', - 'def': 'The directed movement of heme out of a cell or organelle. [GOC:lf, PMID:15369674, PMID:20610401]' - }, - 'GO:0097038': { - 'name': 'perinuclear endoplasmic reticulum', - 'def': 'The portion of endoplasmic reticulum, the intracellular network of tubules and cisternae, that occurs near the nucleus. The lumen of the perinuclear endoplasmic reticulum is contiguous with the nuclear envelope lumen (also called perinuclear space), the region between the inner and outer nuclear membranes. [GOC:bf, GOC:mah, GOC:mcc, GOC:pr, GOC:vw]' - }, - 'GO:0097039': { - 'name': 'protein linear polyubiquitination', - 'def': 'A protein ubiquitination process in which a linear polymer of ubiquitin, formed by the amino-terminal methionine (M1) of one ubiquitin molecule and by the carboxy-terminal glycine (G76) of the next, is added to a protein. [GOC:jsg, GOC:sp, PMID:21455173, PMID:21455180, PMID:21455181]' - }, - 'GO:0097040': { - 'name': 'phthiocerol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phthiocerol, a lipid-based 1,3-glycol consisting of (3S,4R)-3-methoxy-4-methylnonacosane having (9R)- and (11S)-hydroxy substituents. [CHEBI:59240, GOC:dph, GOC:ecd, PMID:9201977]' - }, - 'GO:0097041': { - 'name': 'phenolic phthiocerol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phenolic phthiocerol, a phthiocerol derivative having a 4-hydroxyphenyl substituent at the 29-position. [CHEBI:59237, GOC:dph, GOC:ecd, PMID:9201977]' - }, - 'GO:0097042': { - 'name': 'extrinsic component of fungal-type vacuolar membrane', - 'def': 'The component of a fungal-type vacuolar membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:jh, PMID:21454883]' - }, - 'GO:0097043': { - 'name': 'histone H3-K56 acetylation', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 56 of the histone. [GOC:bf, GOC:pr]' - }, - 'GO:0097044': { - 'name': 'histone H3-K56 acetylation in response to DNA damage', - 'def': 'The modification of histone H3 by the addition of an acetyl group to a lysine residue at position 56 of the histone as a result of the detection of DNA damage within a cell. [GOC:pr, GOC:vw, PMID:18344406]' - }, - 'GO:0097045': { - 'name': 'phosphatidylserine exposure on blood platelet', - 'def': 'A phospholipid scrambling process that results in the appearance of phosphatidylserine on the surface of activated blood platelets, and triggers the clotting system. [GOC:bf, GOC:lf, GOC:pr, PMID:21107324]' - }, - 'GO:0097046': { - 'name': 'replication fork progression beyond termination site', - 'def': 'Regulation of DNA replication by a mechanism that allows a DNA replication fork to progress beyond a termination site, which is a region containing fork pausing elements that influence the progression and merging of DNA replication forks. [GOC:bf, GOC:mcc, GOC:pr, PMID:20797631]' - }, - 'GO:0097047': { - 'name': 'DNA replication termination region', - 'def': 'A chromosomal region that contains fork pausing elements influencing the progression and merging of DNA replication forks. [GOC:mcc, GOC:pr, PMID:20797631]' - }, - 'GO:0097048': { - 'name': 'dendritic cell apoptotic process', - 'def': 'Any apoptotic process in a dendritic cell, a cell of hematopoietic origin, typically resident in particular tissues, specialized in the uptake, processing, and transport of antigens to lymph nodes for the purpose of stimulating an immune response via T cell activation. [CL:0000451, GOC:BHF, GOC:mtg_apoptosis, PMID:15059845]' - }, - 'GO:0097049': { - 'name': 'motor neuron apoptotic process', - 'def': 'Any apoptotic process in a motor neuron, an efferent neuron that passes from the central nervous system or a ganglion toward or to a muscle and conducts an impulse that causes movement. [CL:0000100, GOC:BHF, GOC:mtg_apoptosis, PMID:14523086]' - }, - 'GO:0097050': { - 'name': 'type B pancreatic cell apoptotic process', - 'def': 'Any apoptotic process in a type B pancreatic cell, a cell located towards center of the islets of Langerhans that secretes insulin. [CL:0000169, GOC:BHF, GOC:mtg_apoptosis, PMID:16087305]' - }, - 'GO:0097051': { - 'name': 'establishment of protein localization to endoplasmic reticulum membrane', - 'def': 'The directed movement of a protein to a specific location in the endoplasmic reticulum membrane. [GOC:rb, PMID:9388185]' - }, - 'GO:0097052': { - 'name': 'L-kynurenine metabolic process', - 'def': 'The chemical reactions and pathways involving L-kynurenine, the L-enantiomer of the amino acid kynurenine (3-(2-aminobenzoyl)-alanine). [CHEBI:16946, GOC:yaf]' - }, - 'GO:0097053': { - 'name': 'L-kynurenine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-kynurenine, the L-enantiomer of the amino acid kynurenine (3-(2-aminobenzoyl)-alanine). [CHEBI:16946, GOC:yaf]' - }, - 'GO:0097054': { - 'name': 'L-glutamate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-glutamate, the L enantiomer anion of 2-aminopentanedioic acid. [GOC:yaf]' - }, - 'GO:0097055': { - 'name': 'agmatine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of agmatine ((4-aminobutyl)guanidine, NH2-CH2-CH2-CH2-CH2-NH-C(-NH2)(=NH)). Agmatine is the decarboxylation product of the amino acid arginine and is an intermediate in polyamine biosynthesis. It is synthesized in the brain, stored in synaptic vesicles, accumulated by uptake, released by membrane depolarization, and inactivated by agmatinase. [CHEBI:17431, GOC:pr, GOC:yaf]' - }, - 'GO:0097056': { - 'name': 'selenocysteinyl-tRNA(Sec) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of selenocysteinyl-tRNA(Sec). This process occurs through the following steps: a unique serine-tRNA with a UGA recognizing anticodon is first aminoacylated with serine; this is then phosphorylated by phosphoseryl-tRNA[Ser]Sec kinase; lastly, selenium is swapped for the phosphate on the serine. [CHEBI:13166, GOC:yaf, PMID:15317934, UniPathway:UPA00906]' - }, - 'GO:0097057': { - 'name': 'TRAF2-GSTP1 complex', - 'def': 'A protein complex comprising tumor necrosis factor (TNF) receptor-associated factor 2 (TRAF2) and glutathione S-transferase pi 1 (GSTP1). This complex is thought to disrupt the TNF signaling cascade, thus down-regulating inflammatory responses. [GOC:BHF, PMID:16636664]' - }, - 'GO:0097058': { - 'name': 'CRLF-CLCF1 complex', - 'def': 'A heterodimeric protein complex that is composed of cardiotrophin-like cytokine factor 1 (product of the CLCF1 gene) and cytokine receptor-like factor 1 (product of the CRLF gene) and is secreted into the extracellular space. The CRLF-CLCF1 complex is a ligand for the ciliary neurotrophic factor (CNTF) receptor complex. [GOC:BHF, PMID:10966616]' - }, - 'GO:0097059': { - 'name': 'CNTFR-CLCF1 complex', - 'def': 'A protein complex that is composed of two soluble ciliary neurotrophic factor receptor alpha subunits (product of the CNTFR gene) and two molecules of cardiotrophin-like cytokine factor 1 (product of the CLCF1 gene). The complex is secreted into the extracellular space. [GOC:BHF, PMID:11285233]' - }, - 'GO:0097060': { - 'name': 'synaptic membrane', - 'def': 'A specialized area of membrane on either the presynaptic or the postsynaptic side of a synapse, the junction between a nerve fiber of one neuron and another neuron or muscle fiber or glial cell. [GOC:BHF, PMID:20410104]' - }, - 'GO:0097061': { - 'name': 'dendritic spine organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a dendritic spine. A dendritic spine is a specialized protrusion from a neuronal dendrite and is involved in synaptic transmission. [GOC:BHF, PMID:20410104]' - }, - 'GO:0097062': { - 'name': 'dendritic spine maintenance', - 'def': 'The organization process that preserves a dendritic spine in a stable functional or structural state. A dendritic spine is a specialized protrusion from a neuronal dendrite and is involved in synaptic transmission. [GOC:BHF, PMID:20410104]' - }, - 'GO:0097063': { - 'name': 'cadmium ion sensor activity', - 'def': 'Interacting selectively and non-covalently with and responding, e.g. by conformational change, to changes in the cellular level of cadmium (Cd++). [GOC:rs, PMID:19456862]' - }, - 'GO:0097064': { - 'name': 'ncRNA export from nucleus', - 'def': 'The directed movement of a non-coding RNA transcript (ncRNA) from the nucleus to the cytoplasm. [GOC:dgf, PMID:11352936]' - }, - 'GO:0097065': { - 'name': 'anterior head development', - 'def': 'The process whose specific outcome is the progression of the anterior part of the head over time, from its formation to the mature structure. [GOC:yaf, PMID:14695376, PMID:15857913]' - }, - 'GO:0097066': { - 'name': 'response to thyroid hormone', - 'def': 'A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thyroid hormone stimulus. [GOC:sjw, PMID:9916872]' - }, - 'GO:0097067': { - 'name': 'cellular response to thyroid hormone stimulus', - 'def': 'A change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thyroid hormone stimulus. [GOC:sjw, PMID:9916872]' - }, - 'GO:0097068': { - 'name': 'response to thyroxine', - 'def': 'A change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thyroxine stimulus. [GOC:sjw, PMID:9916872]' - }, - 'GO:0097069': { - 'name': 'cellular response to thyroxine stimulus', - 'def': 'A change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thyroxine stimulus. [GOC:sjw, PMID:9916872]' - }, - 'GO:0097070': { - 'name': 'ductus arteriosus closure', - 'def': "The morphogenesis process in which the ductus arteriosus changes to no longer permit blood flow after birth. The ductus arteriosus is the shunt between the aorta and the pulmonary artery which allows blood to bypass the fetus' lungs. [GOC:hw]" - }, - 'GO:0097071': { - 'name': 'interferon regulatory factor complex', - 'def': 'A protein complex that consists of two interferon regulatory proteins (IRFs); may be homodimeric or heterodimeric. The activation of a latent closed conformation of IRF in the cytoplasm is triggered by phosphorylation of Ser/Thr residues in a C-terminal region. Phosphorylation stimulates the C-terminal autoinhibitory domain to attain a highly extended conformation triggering dimerization through extensive contacts to a second subunit. [GOC:cna, PMID:20043992]' - }, - 'GO:0097072': { - 'name': 'interferon regulatory factor 3 complex', - 'def': 'An interferon regulatory factor complex that consists of a homodimer of interferon regulatory factor 3. [GOC:cna, PMID:12855817, PMID:14556004, Reactome:REACT_7146]' - }, - 'GO:0097073': { - 'name': 'interferon regulatory factor 5 complex', - 'def': 'An interferon regulatory factor complex that consists of a homodimer of interferon regulatory factor 5. [GOC:cna, PMID:12138184, PMID:16751392]' - }, - 'GO:0097074': { - 'name': 'interferon regulatory factor 7 complex', - 'def': 'An interferon regulatory factor complex that consists of a homodimer of interferon regulatory factor 7. [GOC:cna, PMID:18068231, Reactome:REACT_21965]' - }, - 'GO:0097075': { - 'name': 'interferon regulatory factor 3-interferon regulatory factor 7 complex', - 'def': 'An interferon regulatory factor complex that consists of a heterodimer of interferon regulatory factor 3 and interferon regulatory factor 7. [GOC:cna, PMID:18068231, Reactome:REACT_26957]' - }, - 'GO:0097076': { - 'name': 'transforming growth factor beta activated kinase 1 complex', - 'def': 'A protein complex that possesses protein kinase activity and activates the I-kappa B kinase complex (IKK) and mitogen-activated protein (MAP) kinases in response to TRAF6 signaling. It comprises the catalytic subunit TAK1 complexed to the regulatory subunits, termed TABs (TAK1-binding subunits). [GOC:cna, PMID:16410796, PMID:17496917, PMID:18021073]' - }, - 'GO:0097077': { - 'name': 'copper ion sensor activity', - 'def': 'Interacting selectively and non-covalently with and responding, e.g. by conformational change, to changes in the cellular level of copper(I) (Cu+). [GOC:rs, PMID:19928961]' - }, - 'GO:0097078': { - 'name': 'FAL1-SGD1 complex', - 'def': 'A protein complex involved in the 18S rRNA biogenesis. In S. cerevisiae this complex consists of Fal1p and Sgd1p and in humans this complex consists of NOM1 and eIF4AIII subunits. [GOC:rb, PMID:21576267]' - }, - 'GO:0097079': { - 'name': 'selenite:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: selenite(out) + H+(out) = selenite(in) + H+(in). [GOC:mcc, PMID:20861301]' - }, - 'GO:0097080': { - 'name': 'plasma membrane selenite transport', - 'def': 'The directed movement of inorganic selenite (HSeO3-1 at physiological pH) across a plasma membrane. [GOC:mcc, PMID:20861301]' - }, - 'GO:0097081': { - 'name': 'vascular smooth muscle cell fate commitment', - 'def': 'The commitment of cells to a vascular smooth muscle cell fate and their capacity to differentiate into vascular smooth muscle cells. A vascular smooth muscle cell is a non-striated, elongated, spindle-shaped cell found lining the blood vessels. [GOC:BHF]' - }, - 'GO:0097082': { - 'name': 'vascular smooth muscle cell fate specification', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a vascular smooth muscle cell in an environment that is neutral with respect to the developmental pathway. Upon specification, the cell fate can be reversed. A vascular smooth muscle cell is a non-striated, elongated, spindle-shaped cell found lining the blood vessels. [GOC:BHF]' - }, - 'GO:0097083': { - 'name': 'vascular smooth muscle cell fate determination', - 'def': 'The process in which a cell becomes capable of differentiating autonomously into a vascular smooth muscle cell regardless of its environment; upon determination, the cell fate cannot be reversed. A vascular smooth muscle cell is a non-striated, elongated, spindle-shaped cell found lining the blood vessels. [GOC:BHF]' - }, - 'GO:0097084': { - 'name': 'vascular smooth muscle cell development', - 'def': 'The process aimed at the progression of a vascular smooth muscle cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. A vascular smooth muscle cell is a non-striated, elongated, spindle-shaped cell found lining the blood vessels. [GOC:BHF]' - }, - 'GO:0097085': { - 'name': 'interferon regulatory factor 3-interferon regulatory factor 5 complex', - 'def': 'An interferon regulatory factor complex that consists of a heterodimer of interferon regulatory factor 3 and interferon regulatory factor 5. [GOC:cna, PMID:12138184]' - }, - 'GO:0097086': { - 'name': 'amniotic stem cell differentiation', - 'def': 'The process whereby a relatively unspecialized cell acquires specialized features of an amniotic stem cell. An amniotic stem cell is a mesenchymal stem cell extracted from amniotic fluid. Amniotic stem cells are able to differentiate into various tissue types such as skin, cartilage, cardiac tissue, nerves, muscle, and bone. [CL:0002639, GOC:yaf, PMID:20942606, Wikipedia:Amniotic_stem_cells]' - }, - 'GO:0097087': { - 'name': 'interleukin-17A production', - 'def': 'The appearance of interleukin-17A due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv, PR:000001138, Wikipedia:Interleukin_17]' - }, - 'GO:0097088': { - 'name': 'interleukin-17F production', - 'def': 'The appearance of interleukin-17F due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv, PR:000001142, Wikipedia:Interleukin_17]' - }, - 'GO:0097089': { - 'name': 'methyl-branched fatty acid metabolic process', - 'def': 'The chemical reactions and pathways involving methyl-branched fatty acids, aliphatic monocarboxylic acids with methyl branches on the main chain. [CHEBI:62499, GOC:rs, PMID:19933331]' - }, - 'GO:0097090': { - 'name': 'presynaptic membrane organization', - 'def': 'A process which results in the assembly, arrangement of constituent parts, or disassembly of a presynaptic membrane, including any proteins associated with the membrane, but excluding other cellular components. A presynaptic membrane is a specialized area of membrane of the axon terminal that faces the plasma membrane of the neuron or muscle fiber with which the axon terminal establishes a synaptic junction. [GOC:BHF, GOC:pr, GOC:sjp, PMID:19730411]' - }, - 'GO:0097091': { - 'name': 'synaptic vesicle clustering', - 'def': 'The process that results in grouping synaptic vesicles, prior to release, at a specialized patch of the presynaptic membrane referred to as the active zone. [GOC:ans, GOC:pr, PMID:19900895, PMID:7568108]' - }, - 'GO:0097092': { - 'name': 'polyacyltrehalose metabolic process', - 'def': 'The chemical reactions and pathways involving polyacyltrehalose, a pentaacylated, trehalose-based glycolipid. [CHEBI:62547, GOC:rs, PMID:19729090]' - }, - 'GO:0097093': { - 'name': 'polyacyltrehalose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of polyacyltrehalose, a pentaacylated, trehalose-based glycolipid. [CHEBI:62547, GOC:rs, PMID:19729090]' - }, - 'GO:0097094': { - 'name': 'craniofacial suture morphogenesis', - 'def': 'The process in which any suture between cranial and/or facial bones is generated and organized. [GOC:pr, GOC:sl, Wikipedia:Cranial_sutures, Wikipedia:Head_and_neck_anatomy#Musculoskeletal_system]' - }, - 'GO:0097095': { - 'name': 'frontonasal suture morphogenesis', - 'def': 'The process in which the frontonasal suture, between frontal and nasal bones, is generated and organized. [GOC:pr, GOC:sl, PMID:12416537, Wikipedia:Cranial_sutures, Wikipedia:Head_and_neck_anatomy#Musculoskeletal_system]' - }, - 'GO:0097096': { - 'name': 'facial suture morphogenesis', - 'def': 'The process in which any suture between facial bones is generated and organized. [GOC:pr, GOC:sl, Wikipedia:Cranial_sutures, Wikipedia:Head_and_neck_anatomy#Musculoskeletal_system]' - }, - 'GO:0097097': { - 'name': 'nasal suture morphogenesis', - 'def': 'The process in which the nasal suture is generated and organized. [GOC:pr, GOC:sl, Wikipedia:Cranial_sutures, Wikipedia:Head_and_neck_anatomy#Musculoskeletal_system]' - }, - 'GO:0097098': { - 'name': 'DNA/RNA hybrid annealing activity', - 'def': 'Facilitates the base-pairing of single-stranded RNA to double-stranded DNA resulting in the formation of R-loops. [GOC:imk, PMID:21699496]' - }, - 'GO:0097099': { - 'name': 'structural constituent of albumen', - 'def': 'The action of a molecule that contributes to the structural integrity of albumen (also called egg white). Albumen is the clear liquid contained within an egg and consists of water and proteins, among which are ovomucin and ovomucoid. It protects the egg yolk and provides additional nutrition for the growth of the embryo. [GOC:jj, Wikipedia:Albumen]' - }, - 'GO:0097100': { - 'name': 'supercoiled DNA binding', - 'def': 'Interacting selectively and non-covalently with supercoiled DNA. For example, during replication and transcription, template DNA is negatively supercoiled in the receding downstream DNA and positively supercoiled in the approaching downstream DNA. [GOC:pr, GOC:rph, PMID:20723754, PMID:21345933, Wikipedia:DNA_supercoil]' - }, - 'GO:0097101': { - 'name': 'blood vessel endothelial cell fate specification', - 'def': 'The process involved in the specification of identity of a blood vessel endothelial cell. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. A blood vessel endothelial cell is an endothelial cell of the vascular tree, which includes blood vessels and lymphatic vessels. [CL:0002139, GOC:dgh, PMID:21521739]' - }, - 'GO:0097102': { - 'name': 'endothelial tip cell fate specification', - 'def': 'The process involved in the specification of identity of an endothelial tip cell. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. An endothelial tip cell is a specialized endothelial cell localized to the leading edge of an angiogenic sprout that senses extracellular signals and guides the directed growth of blood vessels. [CL:0000704, GOC:dgh, PMID:21521739]' - }, - 'GO:0097103': { - 'name': 'endothelial stalk cell fate specification', - 'def': 'The process involved in the specification of identity of an endothelial stalk cell. Once specification has taken place, a cell will be committed to differentiate down a specific pathway if left in its normal environment. An endothelial stalk cell is a specialized endothelial cell which follows behind the tip cell of an angiogenic sprout. [CL:0002671, GOC:dgh, PMID:21521739]' - }, - 'GO:0097104': { - 'name': 'postsynaptic membrane assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a postsynaptic membrane, a specialized area of membrane facing the presynaptic membrane on the tip of the nerve ending and separated from it by a minute cleft (the synaptic cleft). [GOC:BHF, GOC:sjp, PMID:21424692]' - }, - 'GO:0097105': { - 'name': 'presynaptic membrane assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a presynaptic membrane, including any proteins associated with the membrane, but excluding other cellular components. A presynaptic membrane is a specialized area of membrane of the axon terminal that faces the plasma membrane of the neuron or muscle fiber with which the axon terminal establishes a synaptic junction. [GOC:BHF, GOC:pr, GOC:sjp, PMID:15797875, PMID:18550748]' - }, - 'GO:0097106': { - 'name': 'postsynaptic density organization', - 'def': 'A process that results in the assembly, arrangement of constituent parts, or disassembly of a postsynaptic density, a region that lies adjacent to the cytoplasmic face of the postsynaptic membrane at excitatory synapse. [GOC:BHF, GOC:sjp, PMID:21525273]' - }, - 'GO:0097107': { - 'name': 'postsynaptic density assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a postsynaptic density, a region that lies adjacent to the cytoplasmic face of the postsynaptic membrane at excitatory synapse. [GOC:BHF, GOC:sjp, PMID:21525273]' - }, - 'GO:0097108': { - 'name': 'hedgehog family protein binding', - 'def': 'Interacting selectively and non-covalently with a member of the hedgehog protein family, signaling proteins involved in development. [GOC:BHF, GOC:pr, PMID:10050855]' - }, - 'GO:0097109': { - 'name': 'neuroligin family protein binding', - 'def': 'Interacting selectively and non-covalently with a member of the neuroligin protein family, neuronal cell surface proteins that mediate synapse formation. [GOC:BHF, GOC:pr, GOC:sjp, PMID:21424692]' - }, - 'GO:0097110': { - 'name': 'scaffold protein binding', - 'def': 'Interacting selectively and non-covalently with a scaffold protein. Scaffold proteins are crucial regulators of many key signaling pathways. Although not strictly defined in function, they are known to interact and/or bind with multiple members of a signaling pathway, tethering them into complexes. [GOC:BHF, GOC:sjp, PMID:10433269, Wikipedia:Scaffold_protein]' - }, - 'GO:0097111': { - 'name': 'endoplasmic reticulum-Golgi intermediate compartment organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the endoplasmic reticulum (ER)-Golgi intermediate compartment. [GOC:br, PMID:18287528]' - }, - 'GO:0097112': { - 'name': 'gamma-aminobutyric acid receptor clustering', - 'def': 'The receptor clustering process in which gamma-aminobutyric acid (GABA) receptors are localized to distinct domains in the cell membrane. [GOC:BHF, GOC:sjp, PMID:15620359]' - }, - 'GO:0097113': { - 'name': 'AMPA glutamate receptor clustering', - 'def': 'The glutamate receptor clustering process in which alpha-amino-3-hydroxy-5-methyl-4-isoxazole propionate (AMPA) receptors are localized to distinct domains in the cell membrane. [GOC:BHF, GOC:pr, GOC:sjp, PMID:12796785]' - }, - 'GO:0097114': { - 'name': 'NMDA glutamate receptor clustering', - 'def': 'The receptor clustering process in which N-methyl-D-aspartate (NMDA) receptors are localized to distinct domains in the cell membrane. [GOC:BHF, GOC:sjp, PMID:15620359]' - }, - 'GO:0097115': { - 'name': 'neurexin clustering involved in presynaptic membrane assembly', - 'def': 'The receptor clustering process involved in assembly of the presynaptic membrane in which neurexins are localized to distinct domains in the cell membrane. Neurexins are synaptic cell surface proteins which act as cell recognition molecules at nerve terminals. [GOC:BHF, GOC:sjp, PMID:12796785]' - }, - 'GO:0097116': { - 'name': 'gephyrin clustering involved in postsynaptic density assembly', - 'def': 'The clustering process in which gephyrin molecules are localized to distinct domains in the postsynaptic density as part of postsynaptic density assembly. Gephyrin is a component of the postsynaptic protein network of inhibitory synapses. [GOC:BHF, GOC:sjp, PMID:15620359, PMID:24552784, PMID:25772192]' - }, - 'GO:0097117': { - 'name': 'guanylate kinase-associated protein clustering', - 'def': 'The clustering process in which guanylate kinase-associated proteins (GKAPs) are localized to distinct domains in the cell membrane. GKAP facilitates assembly of the post synaptic density of neurons. [GOC:BHF, GOC:sjp, PMID:15620359]' - }, - 'GO:0097118': { - 'name': 'neuroligin clustering involved in postsynaptic membrane assembly', - 'def': 'The receptor clustering process involved in assembly of the postsynaptic membrane in which neuroligins are localized to distinct domains in the cell membrane. Neuroligins are neuronal cell surface proteins on the postsynaptic membrane that mediate synapse formation between neurons. [GOC:BHF, GOC:sjp, PMID:12796785]' - }, - 'GO:0097119': { - 'name': 'postsynaptic density protein 95 clustering', - 'def': 'The clustering process in which postsynaptic density protein 95 (PSD-95) molecules are localized to distinct domains in the cell membrane. PSD-95 is mostly located in the post synaptic density of neurons, and is involved in anchoring synaptic proteins. [GOC:BHF, GOC:sjp, PMID:10433269]' - }, - 'GO:0097120': { - 'name': 'receptor localization to synapse', - 'def': 'Any process in which a receptor is transported to, and/or maintained at the synapse, the junction between a nerve fiber of one neuron and another neuron or muscle fiber or glial cell. [GOC:BHF, GOC:sjp, PMID:21525273]' - }, - 'GO:0097121': { - 'name': 'cyclin A1-CDK1 complex', - 'def': 'A protein complex consisting of cyclin A1 and cyclin-dependent kinase 1 (CDK1). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097122': { - 'name': 'cyclin A2-CDK1 complex', - 'def': 'A protein complex consisting of cyclin A2 and cyclin-dependent kinase 1 (CDK1). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097123': { - 'name': 'cyclin A1-CDK2 complex', - 'def': 'A protein complex consisting of cyclin A1 and cyclin-dependent kinase 2 (CDK2). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097124': { - 'name': 'cyclin A2-CDK2 complex', - 'def': 'A protein complex consisting of cyclin A2 and cyclin-dependent kinase 2 (CDK2). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097125': { - 'name': 'cyclin B1-CDK1 complex', - 'def': 'A protein complex consisting of cyclin B1 and cyclin-dependent kinase 1 (CDK1). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097126': { - 'name': 'cyclin B2-CDK1 complex', - 'def': 'A protein complex consisting of cyclin B2 and cyclin-dependent kinase 1 (CDK1). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097127': { - 'name': 'cyclin B3-CDK2 complex', - 'def': 'A protein complex consisting of cyclin B3 and cyclin-dependent kinase 2 (CDK2). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097128': { - 'name': 'cyclin D1-CDK4 complex', - 'def': 'A protein complex consisting of cyclin D1 and cyclin-dependent kinase 4 (CDK4). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619, PR:000026740]' - }, - 'GO:0097129': { - 'name': 'cyclin D2-CDK4 complex', - 'def': 'A protein complex consisting of cyclin D2 and cyclin-dependent kinase 4 (CDK4). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097130': { - 'name': 'cyclin D3-CDK4 complex', - 'def': 'A protein complex consisting of cyclin D3 and cyclin-dependent kinase 4 (CDK4). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097131': { - 'name': 'cyclin D1-CDK6 complex', - 'def': 'A protein complex consisting of cyclin D1 and cyclin-dependent kinase 6 (CDK6). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097132': { - 'name': 'cyclin D2-CDK6 complex', - 'def': 'A protein complex consisting of cyclin D2 and cyclin-dependent kinase 6 (CDK6). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097133': { - 'name': 'cyclin D3-CDK6 complex', - 'def': 'A protein complex consisting of cyclin D3 and cyclin-dependent kinase 6 (CDK6). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619]' - }, - 'GO:0097134': { - 'name': 'cyclin E1-CDK2 complex', - 'def': 'A protein complex consisting of cyclin E1 and cyclin-dependent kinase 2 (CDK2). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619, PR:000026745]' - }, - 'GO:0097135': { - 'name': 'cyclin E2-CDK2 complex', - 'def': 'A protein complex consisting of cyclin E2 and cyclin-dependent kinase 2 (CDK2). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [GOC:so, PMID:15935619, PR:000026746]' - }, - 'GO:0097136': { - 'name': 'Bcl-2 family protein complex', - 'def': 'A protein complex that consists of members of the Bcl-2 family of anti- and proapoptotic regulators. Bcl-2 proteins respond to cues from various forms of intracellular stress, such as DNA damage or cytokine deprivation, and interact with opposing family members to determine whether or not the caspase proteolytic cascade should be unleashed. [GOC:so, PMID:14634621]' - }, - 'GO:0097137': { - 'name': 'BAD-BCL-xl complex', - 'def': 'A heterodimeric protein complex consisting of BAD and BCL-xl, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097138': { - 'name': 'BAD-BCL-2 complex', - 'def': 'A heterodimeric protein complex consisting of BAD and BCL-2, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097139': { - 'name': 'BID-BCL-2 complex', - 'def': 'A heterodimeric protein complex consisting of BID and BCL-2, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097140': { - 'name': 'BIM-BCL-xl complex', - 'def': 'A heterodimeric protein complex consisting of BIM and BCL-xl, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097141': { - 'name': 'BIM-BCL-2 complex', - 'def': 'A heterodimeric protein complex consisting of BIM and BCL-2, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097142': { - 'name': 'PUMA-BCL-2 complex', - 'def': 'A heterodimeric protein complex consisting of PUMA and BCL-2, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097143': { - 'name': 'PUMA-BCL-xl complex', - 'def': 'A heterodimeric protein complex consisting of PUMA and BCL-xl, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097144': { - 'name': 'BAX complex', - 'def': 'An oligomeric protein complex consisting of BAX, a member of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097145': { - 'name': 'BAK complex', - 'def': 'An oligomeric protein complex consisting of BAK, a member of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097146': { - 'name': 'NOXA-BCL-xl complex', - 'def': 'A heterodimeric protein complex consisting of NOXA and BCL-xl, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097147': { - 'name': 'NOXA-BCL-2 complex', - 'def': 'A heterodimeric protein complex consisting of NOXA and BCL-2, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:so, PMID:14634621]' - }, - 'GO:0097148': { - 'name': 'BCL-2 complex', - 'def': 'A homodimeric protein complex consisting of BCL-2, a member of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:bhm, GOC:so, PMID:14634621]' - }, - 'GO:0097149': { - 'name': 'centralspindlin complex', - 'def': 'A heterotetrameric protein complex playing a key role in the formation of the central spindle in mitosis. Made up of two molecules each of a mitotic kinesin (ZEN-4 in Caenorhabditis elegans or MKLP1 in mammals) and of two molecules each of a GTPase activating protein (GAP) factor (CYK-4 in Caenorhabditis elegans or MgcRacGAP in mammals). [GOC:ans, PMID:11782313, PMID:16236794]' - }, - 'GO:0097150': { - 'name': 'neuronal stem cell population maintenance', - 'def': 'Any process in by an organism or tissue maintains a population of neuronal stem cells. [CL:0000047, GOC:dos, GOC:yaf, PMID:11399758]' - }, - 'GO:0097151': { - 'name': 'positive regulation of inhibitory postsynaptic potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of inhibitory postsynaptic potential (IPSP). IPSP is a temporary decrease in postsynaptic membrane potential due to the flow of negatively charged ions into the postsynaptic cell. The flow of ions that causes an IPSP is an inhibitory postsynaptic current (IPSC) and makes it more difficult for the neuron to fire an action potential. [GOC:BHF, GOC:sjp, PMID:18550748]' - }, - 'GO:0097152': { - 'name': 'mesenchymal cell apoptotic process', - 'def': 'Any apoptotic process in a mesenchymal cell. A mesenchymal cell is a loosely associated cell that is part of the connective tissue in an organism. Mesenchymal cells give rise to more mature connective tissue cell types. [CL:0000134, GOC:mtg_apoptosis, GOC:yaf, PMID:18231833]' - }, - 'GO:0097153': { - 'name': 'cysteine-type endopeptidase activity involved in apoptotic process', - 'def': 'Catalysis of the hydrolysis of internal, alpha-peptide bonds in a polypeptide chain by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile, and contributing to the apoptotic process. [GOC:mtg_apoptosis]' - }, - 'GO:0097154': { - 'name': 'GABAergic neuron differentiation', - 'def': 'The process in which a neuroblast acquires the specialized structural and functional features of a GABAergic neuron. [GOC:kmv, PMID:11517269]' - }, - 'GO:0097155': { - 'name': 'fasciculation of sensory neuron axon', - 'def': 'The collection of sensory neuron axons into a bundle of rods, known as a fascicle. [GOC:lb, PMID:18403711]' - }, - 'GO:0097156': { - 'name': 'fasciculation of motor neuron axon', - 'def': 'The collection of motor neuron axons into a bundle of rods, known as a fascicle. [GOC:lb, PMID:18403711]' - }, - 'GO:0097157': { - 'name': 'pre-mRNA intronic binding', - 'def': 'Interacting selectively and non-covalently with an intronic sequence of a pre-messenger RNA (pre-mRNA). [GOC:ans, PMID:16260624]' - }, - 'GO:0097158': { - 'name': 'pre-mRNA intronic pyrimidine-rich binding', - 'def': 'Interacting selectively and non-covalently with a pyrimidine-rich (CU-rich) intronic sequence of a pre-messenger RNA (pre-mRNA). [GOC:ans, PMID:16260624, PMID:16777844]' - }, - 'GO:0097159': { - 'name': 'organic cyclic compound binding', - 'def': 'Interacting selectively and non-covalently with an organic cyclic compound, any molecular entity that contains carbon arranged in a cyclic molecular structure. [CHEBI:33832, GOC:sjw, PMID:7583672]' - }, - 'GO:0097160': { - 'name': 'polychlorinated biphenyl binding', - 'def': 'Interacting selectively and non-covalently with a polychlorinated biphenyl (PCB), a biphenyl compound containing between 2 and 10 chlorine atoms attached to the two benzene rings. [CHEBI:53156, GOC:sjw, PMID:7583672]' - }, - 'GO:0097161': { - 'name': 'DH domain binding', - 'def': 'Interacting selectively and non-covalently with a DH (Dbl homology) domain of a protein. The DH domain contains three structurally conserved regions separated by more variable regions. It is composed of 11 alpha helices that are folded into a flattened, elongated alpha-helix bundle in which two of the three conserved regions, conserved region 1 (CR1) and conserved region 3 (CR3), are exposed near the centre of one surface. CR1 and CR3, together with a part of alpha-6 and the DH/PH (pleckstrin homology) junction site, constitute the Rho GTPase interacting pocket. [GOC:yaf, InterPro:IPR000219, PMID:12775584]' - }, - 'GO:0097162': { - 'name': 'MADS box domain binding', - 'def': 'Interacting selectively and non-covalently with a MADS box domain, a protein domain that encodes the DNA-binding MADS domain. The MADS domain binds to DNA sequences of high similarity to the motif CC[A/T]6GG termed the CArG-box. MADS-domain proteins are generally transcription factors. The length of the MADS-box is in the range of 168 to 180 base pairs. [GOC:yaf, InterPro:IPR002100, PMID:18296735, Wikipedia:MADS-box]' - }, - 'GO:0097163': { - 'name': 'sulfur carrier activity', - 'def': 'Enables the directed movement of sulfur into, out of or within a cell, or between cells. [GOC:imk, PMID:16387657]' - }, - 'GO:0097164': { - 'name': 'ammonium ion metabolic process', - 'def': 'The chemical reactions and pathways involving the ammonium ion. [CHEBI:35274, GOC:dhl, GOC:tb, PMID:14671018]' - }, - 'GO:0097165': { - 'name': 'nuclear stress granule', - 'def': 'A dense aggregation in the nucleus composed of proteins and RNAs that appear when the cell is under stress. [GOC:ans, PMID:10359787, PMID:12865437]' - }, - 'GO:0097166': { - 'name': 'lens epithelial cell proliferation', - 'def': 'The multiplication or reproduction of lens epithelial cells, resulting in the expansion of a cell population. Lens epithelial cells make up the lens epithelium, which is located in the anterior portion of the lens between the lens capsule and the lens fibers and is a simple cuboidal epithelium. The epithelial cells of the lens regulate most of the homeostatic functions of the lens such as osmolarity and liquid volume. The lens epithelial cells also serve as the progenitors for new lens fibers. The lens epithelium constantly lays down fibers in the embryo, fetus, infant, and adult, and continues to lay down fibers for lifelong growth. [CL:0002224, GOC:yaf, PMID:18423449, Wikipedia:Lens_%28anatomy%29#Lens_epithelium]' - }, - 'GO:0097167': { - 'name': 'circadian regulation of translation', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA translation with a regularity of approximately 24 hours. [GOC:ans, PMID:17264215]' - }, - 'GO:0097168': { - 'name': 'mesenchymal stem cell proliferation', - 'def': 'The multiplication or reproduction of mesenchymal stem cells, resulting in the expansion of a stem cell population. A mesenchymal stem cell, or MSC, is a cell that retains the ability to divide and proliferate throughout life to provide progenitor cells that can differentiate into specialized mesenchymal cells. [CL:0000134, GOC:yaf, PMID:20626275]' - }, - 'GO:0097169': { - 'name': 'AIM2 inflammasome complex', - 'def': 'A protein complex that consists of AIM2, ASC, and caspase-1. AIM2 is a member of the HN-200 protein family that appears to be the sensor of cytosolic double-stranded DNA. [GOC:vp, PMID:20303873]' - }, - 'GO:0097170': { - 'name': 'ADP-L-glycero-beta-D-manno-heptose metabolic process', - 'def': 'The chemical reactions and pathways involving ADP-L-glycero-beta-D-manno-heptose, an ADP-L-glycero-D-manno-heptose having beta-configuration at the anomeric centre of the heptose. ADP-L-glycero-beta-D-manno-heptose (also called ADP-L-beta-D-heptose or ADP-L-glycero-D-manno-heptose) is a nucleotide-sugar precursor of the inner core lipopolysaccharide (LPS) from D-glycero-beta-D-manno-heptose 7-phosphate. [CHEBI:61530, GOC:yaf]' - }, - 'GO:0097171': { - 'name': 'ADP-L-glycero-beta-D-manno-heptose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ADP-L-glycero-beta-D-manno-heptose, an ADP-L-glycero-D-manno-heptose having beta-configuration at the anomeric centre of the heptose. ADP-L-glycero-beta-D-manno-heptose (also called ADP-L-beta-D-heptose or ADP-L-glycero-D-manno-heptose) is a nucleotide-sugar precursor of the inner core lipopolysaccharide (LPS) from D-glycero-beta-D-manno-heptose 7-phosphate. [CHEBI:61530, GOC:yaf, UniPathway:UPA00356]' - }, - 'GO:0097172': { - 'name': 'N-acetylmuramic acid metabolic process', - 'def': 'The chemical reactions and pathways involving N-acetylmuramic acid (MurNAc), a monosaccharide derivative of N-acetylglucosamine. [CHEBI:47978, GOC:yaf, PubChem_Compound:5462244]' - }, - 'GO:0097173': { - 'name': 'N-acetylmuramic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of N-acetylmuramic acid (MurNAc), a monosaccharide derivative of N-acetylglucosamine. [CHEBI:47978, GOC:yaf, PubChem_Compound:5462244, UniPathway:UPA00342]' - }, - 'GO:0097174': { - 'name': '1,6-anhydro-N-acetyl-beta-muramic acid metabolic process', - 'def': 'The chemical reactions and pathways involving 1,6-anhydro-N-acetyl-beta-muramic acid, the 1,6-anhydro-derivative of N-acetyl-beta-muramic acid. [CHEBI:58690, GOC:yaf, PMID:15901686]' - }, - 'GO:0097175': { - 'name': '1,6-anhydro-N-acetyl-beta-muramic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1,6-anhydro-N-acetylmuramic acid, the 1,6-anhydro-derivative of N-acetyl-beta-muramic acid. [CHEBI:58690, GOC:yaf, PMID:15901686, UniPathway:UPA00343]' - }, - 'GO:0097176': { - 'name': 'epoxide metabolic process', - 'def': 'The chemical reactions and pathways involving epoxides, compounds in which an oxygen atom is directly attached to two adjacent or non-adjacent carbon atoms of a carbon chain or ring system; thus cyclic ethers. [CHEBI:37407, GOC:rs, PMID:15822179]' - }, - 'GO:0097177': { - 'name': 'mitochondrial ribosome binding', - 'def': 'Interacting selectively and non-covalently with any part of a mitochondrial ribosome, a ribosome found in the mitochondrion of a eukaryotic cell. [GOC:ans, PMID:20739282]' - }, - 'GO:0097178': { - 'name': 'ruffle assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a ruffle, a projection at the leading edge of a crawling cell; the protrusions are supported by a microfilament meshwork. The formation of ruffles (also called membrane ruffling) is thought to be controlled by a group of enzymes known as Rho GTPases, specifically RhoA, Rac1 and cdc42. [GOC:yaf, http:en.wikipedia.org/wiki/Membrane_ruffling, PMID:12556481]' - }, - 'GO:0097179': { - 'name': 'protease inhibitor complex', - 'def': 'A heterodimeric protein complex that contains a protease inhibitor and a protease; formation of the complex inhibits protease activity. [GOC:ans, PMID:6323392]' - }, - 'GO:0097180': { - 'name': 'serine protease inhibitor complex', - 'def': 'A heterodimeric protein complex that contains a serine protease inhibitor and a protease; formation of the complex inhibits serine protease activity. [GOC:ans, PMID:6323392]' - }, - 'GO:0097181': { - 'name': 'protein C inhibitor-coagulation factor V complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and coagulation factor V (F5); formation of the complex inhibits the serine protease activity of coagulation factor V. [GOC:ans, PMID:6323392]' - }, - 'GO:0097182': { - 'name': 'protein C inhibitor-coagulation factor Xa complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and coagulation factor Xa (F10); formation of the complex inhibits the serine protease activity of coagulation factor Xa. [GOC:ans, PMID:6323392]' - }, - 'GO:0097183': { - 'name': 'protein C inhibitor-coagulation factor XI complex', - 'def': 'A heterodimeric protein complex that contains protein C inhibitor (SERPINA5) and coagulation factor XI (F11); formation of the complex inhibits the serine protease activity of coagulation factor XI. [GOC:ans, PMID:2844223]' - }, - 'GO:0097184': { - 'name': 'response to azide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an azide stimulus. [CHEBI:40910, GOC:yaf, PMID:16846222]' - }, - 'GO:0097185': { - 'name': 'cellular response to azide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an azide stimulus. [CHEBI:40910, GOC:yaf, PMID:16846222]' - }, - 'GO:0097186': { - 'name': 'amelogenesis', - 'def': 'The process whose specific outcome is the formation of tooth enamel, occurring in two stages: secretory stage and maturation stage. [GOC:cjm, GOC:sl, PMID:10206335, PMID:21196346]' - }, - 'GO:0097187': { - 'name': 'dentinogenesis', - 'def': 'The process whose specific outcome is the formation of dentin, the mineralized tissue that constitutes the major bulk of teeth. Dentin may be one of three types: primary dentin, secondary dentin, and tertiary dentin. [GOC:cjm, GOC:sl, PMID:10206335, PMID:21196346]' - }, - 'GO:0097188': { - 'name': 'dentin mineralization', - 'def': 'The process in which calcium salts are deposited into the calcareous tooth structure known as dentin. [GOC:sl, PMID:10206335, PMID:21196346]' - }, - 'GO:0097189': { - 'name': 'apoptotic body', - 'def': "A vesicle containing parts of a dying cell. Apoptotic bodies can be formed during the execution phase of the apoptotic process, when the cell's cytoskeleton breaks up and causes the membrane to bulge outward. These bulges may separate from the cell, taking a portion of cytoplasm with them, to become apoptotic bodies. These are then engulfed by phagocytic cells, and their components recycled. Apoptotic bodies may range in size from 0.8 to 5um. [GOC:mtg_apoptosis, GOC:vesicles, http://en.wikipedia.org/wiki/Apoptosis, http://en.wikipedia.org/wiki/Bleb_(cell_biology), PMID:15242875, PMID:24223256]" - }, - 'GO:0097190': { - 'name': 'apoptotic signaling pathway', - 'def': 'A series of molecular signals which triggers the apoptotic death of a cell. The pathway starts with reception of a signal, and ends when the execution phase of apoptosis is triggered. [GOC:mtg_apoptosis]' - }, - 'GO:0097191': { - 'name': 'extrinsic apoptotic signaling pathway', - 'def': 'A series of molecular signals in which a signal is conveyed from the cell surface to trigger the apoptotic death of a cell. The pathway starts with either a ligand binding to a cell surface receptor, or a ligand being withdrawn from a cell surface receptor (e.g. in the case of signaling by dependence receptors), and ends when the execution phase of apoptosis is triggered. [GOC:mtg_apoptosis, GOC:yaf, PMID:17340152]' - }, - 'GO:0097192': { - 'name': 'extrinsic apoptotic signaling pathway in absence of ligand', - 'def': 'A series of molecular signals in which a signal is conveyed from the cell surface to trigger the apoptotic death of a cell. The pathway starts with withdrawal of a ligand from a cell surface receptor, and ends when the execution phase of apoptosis is triggered. [GOC:mtg_apoptosis, PMID:15044679, PMID:20816705]' - }, - 'GO:0097193': { - 'name': 'intrinsic apoptotic signaling pathway', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway starts with reception of an intracellular signal (e.g. DNA damage, endoplasmic reticulum stress, oxidative stress etc.), and ends when the execution phase of apoptosis is triggered. The intrinsic apoptotic signaling pathway is crucially regulated by permeabilization of the mitochondrial outer membrane (MOMP). [GOC:mtg_apoptosis, GOC:yaf, PMID:11919192, PMID:17340152, PMID:18852119]' - }, - 'GO:0097194': { - 'name': 'execution phase of apoptosis', - 'def': 'A stage of the apoptotic process that starts with the controlled breakdown of the cell through the action of effector caspases or other effector molecules (e.g. cathepsins, calpains etc.). Key steps of the execution phase are rounding-up of the cell, retraction of pseudopodes, reduction of cellular volume (pyknosis), chromatin condensation, nuclear fragmentation (karyorrhexis), plasma membrane blebbing and fragmentation of the cell into apoptotic bodies. When the execution phase is completed, the cell has died. [GOC:mtg_apoptosis, PMID:21760595]' - }, - 'GO:0097195': { - 'name': 'pilomotor reflex', - 'def': 'The reflex process in which the arrectores pilorum (hair follicle) muscles contract and cause the hair to stand erect. [GOC:BHF, http://en.wikipedia.org/wiki/Pilomotor_reflex, PMID:21335239]' - }, - 'GO:0097196': { - 'name': 'Shu complex', - 'def': 'A protein complex involved in error-free DNA post-replication repair (PRR). In Saccharomyces cerevisiae the complex contains Csm2p, Psy3p, Shu1p, and Shu2p. [GOC:jh, PMID:15654096, PMID:19496932]' - }, - 'GO:0097197': { - 'name': 'tetraspanin-enriched microdomain', - 'def': 'A pre-organized unit composed either of adhesion molecules (mainly integrins and members of the Ig superfamily), signaling receptors and/or enzyme-enriched plasma membrane domains that compartmentalizes cellular processes. Tetraspanin-enriched microdomains might be specially suited for the regulation of avidity of adhesion receptors and the compartmentalization of enzymatic activities. [GOC:ans, PMID:19709882, PMID:21930792]' - }, - 'GO:0097198': { - 'name': 'histone H3-K36 trimethylation', - 'def': 'The modification of histone H3 by addition of three methyl groups to lysine at position 36 of the histone. [GOC:se, PMID:17948059]' - }, - 'GO:0097199': { - 'name': 'cysteine-type endopeptidase activity involved in apoptotic signaling pathway', - 'def': 'Catalysis of the hydrolysis of internal, alpha-peptide bonds in a polypeptide chain by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile, and contributing to the apoptotic signaling pathway. [GOC:mtg_apoptosis, http://en.wikipedia.org/wiki/Caspase, PMID:11717445]' - }, - 'GO:0097200': { - 'name': 'cysteine-type endopeptidase activity involved in execution phase of apoptosis', - 'def': 'Catalysis of the hydrolysis of internal, alpha-peptide bonds in a polypeptide chain by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile, and contributing to the execution phase of apoptosis. [GOC:mtg_apoptosis, http://en.wikipedia.org/wiki/Caspase]' - }, - 'GO:0097201': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to stress', - 'def': 'Any process that decreases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:rn, PMID:11027285, PMID:15575969, PMID:16556235, PMID:18086556, PMID:18627600]' - }, - 'GO:0097202': { - 'name': 'activation of cysteine-type endopeptidase activity', - 'def': 'Any process that initiates the activity of the inactive enzyme cysteine-type endopeptidase. [GOC:mtg_apoptosis, PMID:21726810]' - }, - 'GO:0097203': { - 'name': 'phagocytic cup lip', - 'def': 'The tip or margin of the progressing circular lamella that engulfs a particle during phagocytosis. When the two lips of the cup fuse it is converted into a phagosome. [GOC:pf, PMID:20200225]' - }, - 'GO:0097204': { - 'name': 'phagocytic cup base', - 'def': 'The older part of the phagocytic cup where the actin cytoskeleton disassembles, allowing early incoming and outgoing vesicular trafficking. [GOC:pf, PMID:20200225]' - }, - 'GO:0097205': { - 'name': 'renal filtration', - 'def': 'A renal system process in which fluid circulating through the body is filtered through a barrier system. [GOC:pr, GOC:sart]' - }, - 'GO:0097206': { - 'name': 'nephrocyte filtration', - 'def': 'The process by which hemolymph is filtered based on size and charge through a nephrocyte filtration barrier formed by the basement membrane and nephrocyte diaphragm. [GOC:sart, PMID:18971929]' - }, - 'GO:0097207': { - 'name': 'bud dormancy process', - 'def': 'A dormancy process in which dormancy (sometimes called a dormant state) is induced, maintained or broken in a bud. Bud dormancy is a suspension of most physiological activity and growth that can be reactivated. It may be a response to environmental conditions such as seasonality or extreme heat, drought, or cold. The exit from bud dormancy is marked by the resumed growth of the bud. [GOC:PO_curators, PO_REF:00009]' - }, - 'GO:0097208': { - 'name': 'alveolar lamellar body', - 'def': 'A specialized secretory organelle found in type II pneumocytes and involved in the synthesis, secretion, and reutilization of pulmonary surfactant. [GOC:cjm, http://en.wikipedia.org/wiki/Lamellar_granule]' - }, - 'GO:0097209': { - 'name': 'epidermal lamellar body', - 'def': 'A specialized secretory organelle found in keratinocytes and involved in the formation of an impermeable, lipid-containing membrane that serves as a water barrier and is required for correct skin barrier function. [GOC:cjm, http://en.wikipedia.org/wiki/Lamellar_granule]' - }, - 'GO:0097210': { - 'name': 'response to gonadotropin-releasing hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gonadotropin-releasing hormone stimulus. Gonadotropin-releasing hormone (GnRH) is a peptide hormone responsible for the release of follicle-stimulating hormone (FSH) and luteinizing hormone (LH) from the anterior pituitary. GnRH is synthesized and released by the hypothalamus. [GOC:yaf, PMID:15976007]' - }, - 'GO:0097211': { - 'name': 'cellular response to gonadotropin-releasing hormone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gonadotropin-releasing hormone stimulus. Gonadotropin-releasing hormone (GnRH) is a peptide hormone responsible for the release of follicle-stimulating hormone (FSH) and luteinizing hormone (LH) from the anterior pituitary. GnRH is synthesized and released by the hypothalamus. [GOC:yaf, PMID:15976007]' - }, - 'GO:0097212': { - 'name': 'lysosomal membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a lysosomal membrane. A lysosomal membrane is the lipid bilayer surrounding the lysosome and separating its contents from the cell cytoplasm. [GOC:yaf, PMID:20544854]' - }, - 'GO:0097213': { - 'name': 'regulation of lysosomal membrane permeability', - 'def': 'Any process that modulates the frequency, rate or extent of the passage or uptake of molecules by the lysosomal membrane. [GOC:yaf, PMID:20544854]' - }, - 'GO:0097214': { - 'name': 'positive regulation of lysosomal membrane permeability', - 'def': 'Any process that increases the frequency, rate or extent of the passage or uptake of molecules by the lysosomal membrane. [GOC:yaf, PMID:20544854]' - }, - 'GO:0097215': { - 'name': 'negative regulation of lysosomal membrane permeability', - 'def': 'Any process that decreases the frequency, rate or extent of the passage or uptake of molecules by the lysosomal membrane. [GOC:yaf, PMID:20544854]' - }, - 'GO:0097216': { - 'name': 'guanosine tetraphosphate binding', - 'def': "Interacting selectively and non-covalently with guanosine tetraphosphate (5'-ppGpp-3'), a guanosine bisphosphate having diphosphate groups at both the 3' and 5'-positions. [CHEBI:17633, GOC:imk, PMID:15109491, PMID:16968770, PMID:18359660]" - }, - 'GO:0097217': { - 'name': 'sieve area', - 'def': 'A pit-like area in the cell wall of a sieve element; contains pores lined with callose and occupied by strands of protoplasmic material that interconnect the protoplasts of contiguous sieve elements. [ISBN:0471738433, POC:curators]' - }, - 'GO:0097218': { - 'name': 'sieve plate', - 'def': 'A part of the cell wall of a sieve tube member that bears one or more highly specialized sieve areas. [ISBN:0471738433, POC:curators]' - }, - 'GO:0097219': { - 'name': 'compound sieve plate', - 'def': 'A sieve plate that contains several specialized sieve areas in either a scalariform or reticulate arrangement. [ISBN:0471738433, POC:curators]' - }, - 'GO:0097220': { - 'name': 'simple sieve plate', - 'def': 'A sieve plate that contains a single specialized sieve area. [ISBN:0471738433, POC:curators]' - }, - 'GO:0097221': { - 'name': 'M/G1 phase-specific MADS box-forkhead transcription factor complex', - 'def': 'A protein complex that contains a MADS-box protein and two forkhead domain proteins, and binds to and regulates transcription from promoters of genes transcribed during the M/G1 transition of the cell cycle. In Schizosaccharomyces pombe, the complex contains the MADS-box protein Mbx1 and two forkhead proteins, Sep1 and Fkh2. [GOC:mah, PMID:18057023]' - }, - 'GO:0097222': { - 'name': 'mitochondrial mRNA polyadenylation', - 'def': "The enzymatic addition of a sequence of 40-60 adenylyl residues at the 3' end of a eukaryotic mitochondrial mRNA primary transcript. Mitochondria contain both stabilizing and destabilizing poly(A) tails. [GOC:ans, PMID:18083837]" - }, - 'GO:0097223': { - 'name': 'sperm part', - 'def': 'Any constituent part of a sperm, a mature male germ cell that develops from a spermatid. [GOC:cjm]' - }, - 'GO:0097224': { - 'name': 'sperm connecting piece', - 'def': 'The segment of the sperm flagellum that attaches to the implantation fossa of the nucleus in the sperm head; from the remnant of the centriole at this point, the axoneme extends throughout the length of the flagellum. [GOC:cjm, MP:0009830]' - }, - 'GO:0097225': { - 'name': 'sperm midpiece', - 'def': 'The highly organized segment of the sperm flagellum which begins at the connecting piece and is characterized by the presence of 9 outer dense fibers (ODFs) that lie outside each of the 9 outer axonemal microtubule doublets and by a sheath of mitochondria that encloses the ODFs and the axoneme; the midpiece terminates about one-fourth of the way down the sperm flagellum at the annulus, which marks the beginning of the principal piece. [GOC:cjm, MP:0009831]' - }, - 'GO:0097226': { - 'name': 'sperm mitochondrial sheath', - 'def': 'The tightly packed helical sheath of ATP-producing mitochondria restricted to the midpiece of the sperm flagellum. [GOC:cjm, MP:0009832]' - }, - 'GO:0097227': { - 'name': 'sperm annulus', - 'def': 'The ring-like, filamentous structure located at the distal end of the midpiece of the sperm flagellum; the annulus is thought to form a diffusion barrier between the midpiece and the principal piece and serve as a stabilizing structure for tail rigidity. [GOC:cjm, MP:0009834]' - }, - 'GO:0097228': { - 'name': 'sperm principal piece', - 'def': 'The segment of the sperm flagellum where the mitochondrial sheath ends, and the outer dense fibers (ODFs) associated with outer axonemal doublets 3 and 8 are replaced by the 2 longitudinal columns of the fibrous sheath (FS) which run the length of the principal piece and are stabilized by circumferential ribs. The principal piece makes up ~2/3 of the length of the sperm flagellum and is defined by the presence of the FS and of only 7 (rather than 9) ODFs which taper and then terminate near the distal end of the principal piece. [GOC:cjm, MP:0009836]' - }, - 'GO:0097229': { - 'name': 'sperm end piece', - 'def': 'The short tip of the sperm flagellum, adjacent to the sperm principal piece and furthest from the sperm head, which contains only the axoneme surrounded by the plasma membrane. [GOC:cjm, GOC:sart, MP:0009837]' - }, - 'GO:0097230': { - 'name': 'cell motility in response to potassium ion', - 'def': 'Any process involved in the controlled self-propelled movement of a cell that results in translocation of the cell from one place to another as a result of a potassium ion stimulus. [GOC:pf, PMID:19363786, PMID:21239624]' - }, - 'GO:0097231': { - 'name': 'cell motility in response to calcium ion', - 'def': 'Any process involved in the controlled self-propelled movement of a cell that results in translocation of the cell from one place to another as a result of a calcium ion stimulus. [GOC:pf, PMID:19363786, PMID:21239624, PMID:8937985]' - }, - 'GO:0097232': { - 'name': 'lamellar body membrane', - 'def': 'The lipid bilayer surrounding a lamellar body. A lamellar body is a membrane-bounded organelle, specialized for the storage and secretion of various substances (surfactant phospholipids, glycoproteins and acid phosphates) which are arranged in the form of tightly packed, concentric, membrane sheets or lamellae. Has some similar properties to, but is distinct from, a lysosome. [GOC:sl, PMID:11940594]' - }, - 'GO:0097233': { - 'name': 'alveolar lamellar body membrane', - 'def': 'The lipid bilayer surrounding an alveolar lamellar body, a specialized secretory organelle found in type II pneumocytes and involved in the synthesis, secretion, and reutilization of pulmonary surfactant. [GOC:sl, PMID:11940594]' - }, - 'GO:0097234': { - 'name': 'epidermal lamellar body membrane', - 'def': 'The lipid bilayer surrounding an epidermal lamellar body, a specialized secretory organelle found in keratinocytes and involved in the formation of an impermeable, lipid-containing membrane that serves as a water barrier and is required for correct skin barrier function. [GOC:sl, PMID:11940594]' - }, - 'GO:0097235': { - 'name': 'positive regulation of fatty acid beta-oxidation by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of fatty acid beta-oxidation by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:1899286]' - }, - 'GO:0097236': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to zinc ion starvation', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of deprivation of zinc ions. [GOC:dgf, PMID:19702872]' - }, - 'GO:0097237': { - 'name': 'cellular response to toxic substance', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a toxic stimulus. [GOC:pr]' - }, - 'GO:0097238': { - 'name': 'cellular response to methylglyoxal', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methylglyoxal stimulus. Methylglyoxal is a 2-oxoaldehyde derived from propanal. [GOC:pr]' - }, - 'GO:0097239': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to methylglyoxal', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter in response to a methylglyoxal stimulus. [GOC:dgf, PMID:15773992]' - }, - 'GO:0097240': { - 'name': 'chromosome attachment to the nuclear envelope', - 'def': 'The process in which chromatin is anchored to the nuclear envelope. [GOC:vw, PMID:22156749]' - }, - 'GO:0097241': { - 'name': 'hematopoietic stem cell migration to bone marrow', - 'def': 'The orderly movement of a hematopoietic stem cell into the bone marrow, and its subsequent positioning within defined functional compartments in that microenvironment. A hematopoietic stem cell is a cell from which all cells of the lymphoid and myeloid lineages develop, including blood cells and cells of the immune system. [CL:0000037, GOC:yaf, PMID:17368745]' - }, - 'GO:0097242': { - 'name': 'beta-amyloid clearance', - 'def': 'The process in which beta-amyloid is removed from the brain via receptors. [GOC:BHF, PMID:19098903]' - }, - 'GO:0097243': { - 'name': 'flavonoid binding', - 'def': 'Interacting selectively and non-covalently with a flavonoid, a compound containing two or more aromatic rings, each bearing at least one aromatic hydroxyl and connected with a carbon bridge. [CHEBI:47916, GOC:sl, PMID:20599706]' - }, - 'GO:0097244': { - 'name': 'flavonol binding', - 'def': 'Interacting selectively and non-covalently with a flavonol, a flavonoid that contains a 3-hydroxy-2-phenylchromen-4-one backbone. [CHEBI:5078, GOC:sl]' - }, - 'GO:0097245': { - 'name': 'flavanol binding', - 'def': 'Interacting selectively and non-covalently with a flavanol. [CHEBI:24036, GOC:sl]' - }, - 'GO:0097246': { - 'name': 'catechin binding', - 'def': 'Interacting selectively and non-covalently with a catechin, a polyphenolic antioxidant plant metabolite with a flavonoid or flavan-3-ol structure. [CHEBI:23053, GOC:sl]' - }, - 'GO:0097247': { - 'name': 'epigallocatechin 3-gallate binding', - 'def': 'Interacting selectively and non-covalently with epigallocatechin 3-gallate, a compound that is a gallic acid ester of a catechin. [CHEBI:4806, GOC:sl, PMID:21307292]' - }, - 'GO:0097248': { - 'name': 'maintenance of protein location in cell cortex of cell tip', - 'def': 'A process in which a protein or protein complex is maintained in a specific location in the cell cortex of a cell tip, and is prevented from moving elsewhere. The cell cortex of a cell tip is the region directly beneath the plasma membrane at either end of the longest axis of a cylindrical or elongated cell. [GOC:al, PMID:19646873]' - }, - 'GO:0097249': { - 'name': 'mitochondrial respiratory chain supercomplex', - 'def': 'A set of respiratory enzyme complexes of the mitochondrial inner membrane (including, for example, Complex II, Complex III, Complex IV, or F1-F0 ATPase) arranged to form a large supercomplex. [GOC:mcc, PMID:21909073, PMID:22342701]' - }, - 'GO:0097250': { - 'name': 'mitochondrial respiratory chain supercomplex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of respiratory enzyme complexes of the mitochondrial inner membrane (including, for example, Complex II, Complex III, Complex IV, or F1-F0 ATPase) to form a large supercomplex. [GOC:mcc, PMID:21909073, PMID:22342701]' - }, - 'GO:0097251': { - 'name': 'leukotriene B4 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of leukotriene B4, a leukotriene composed of (6Z,8E,10E,14Z)-eicosatetraenoic acid having (5S)- and (12R)-hydroxy substituents. [CHEBI:15647, GOC:yaf, UniPathway:UPA00878]' - }, - 'GO:0097252': { - 'name': 'oligodendrocyte apoptotic process', - 'def': 'Any apoptotic process in an oligodendrocyte. Oligodendrocytes belong to a class of large neuroglial (macroglial) cells in the central nervous system, where they form the insulating myelin sheath of axons. [CL:0000128, GOC:mtg_apoptosis, GOC:yaf, PMID:16723520]' - }, - 'GO:0097253': { - 'name': 'beta-hydroxybutyrate transmembrane transporter activity', - 'def': 'Enables the transfer of beta-hydroxybutyrate from one side of the membrane to the other. Beta-hydroxybutyrate is the conjugate base of (R)-3-hydroxybutyric acid. [CHEBI:10983, GOC:dsf, PMID:22302940]' - }, - 'GO:0097254': { - 'name': 'renal tubular secretion', - 'def': 'Secretion of substances from peritubular capillaries into the renal tubules to be incorporated subsequently into the urine. Substances that are secreted include organic anions, ammonia, potassium and drugs. [GOC:rph, http://en.wikipedia.org/wiki/Renal_secretion#Secretion, http://fau.pearlashes.com/anatomy/Chapter%2041B/Chapter%2041B.htm, PMID:10049739]' - }, - 'GO:0097255': { - 'name': 'R2TP complex', - 'def': 'A highly conserved protein complex comprised of two ATP-dependent DNA helicases (Rvb1p and Rvb2p in yeast, Pontin52 and Reptin52 in humans), Pih1p in yeast or PIH1D1 in humans, and Tah1 in yeast or RPAP3 in humans. The complex associates with Hsp90 and is thought to have a role in assembly of large protein or protein/nucleic acid complexes. In this role it is involved in multiple processes such as box C/D snoRNP biogenesis, phosphatidylinositol-3 kinase-related protein kinase (PIKK) signaling, RNA polymerase II assembly, and others. [GOC:mcc, PMID:15766533, PMID:21925213]' - }, - 'GO:0097256': { - 'name': 'phenyllactate dehydrogenase activity', - 'def': 'Catalysis of the oxidation of phenyllactate to produce phenylpyruvate. [GOC:pde, PMID:15421980]' - }, - 'GO:0097257': { - 'name': 'leukotriene B4 12-hydroxy dehydrogenase activity', - 'def': 'Catalysis of the reaction: leukotriene B4 + NADP(+) = 12-oxo-leukotriene B4 + NADPH + H(+). [GOC:mw, KEGG:R03864, PMID:8394361, PMID:9461497]' - }, - 'GO:0097258': { - 'name': '20-hydroxy-leukotriene B4 omega oxidase activity', - 'def': 'Catalysis of the reaction: 20-hydroxy-leukotriene B4 + O2 + NADPH + H(+) = 20-aldehyde-leukotriene B4 + 2H2O + NADP(+). [GOC:mw, PMID:2836406]' - }, - 'GO:0097259': { - 'name': '20-aldehyde-leukotriene B4 20-monooxygenase activity', - 'def': 'Catalysis of the reaction: 20-aldehyde-leukotriene B4 + O2 + NADPH + H(+) = 20-carboxy-leukotriene B4 + H2O + NADP(+). [GOC:mw, PMID:2549038, PMID:2836406]' - }, - 'GO:0097260': { - 'name': 'eoxin A4 synthase activity', - 'def': 'Catalysis of the reaction: leukotriene A4 = eoxin A4. [GOC:mw, PMID:18184802, PMID:18647347]' - }, - 'GO:0097261': { - 'name': 'eoxin C4 synthase activity', - 'def': 'Catalysis of the reaction: eoxin A4 + glutathione = eoxin C4. [GOC:mw, PMID:18184802, PMID:18647347]' - }, - 'GO:0097262': { - 'name': 'eoxin D4 synthase activity', - 'def': 'Catalysis of the reaction: eoxin C4 = eoxin D4 + 5-L-glutamyl amino acid. [GOC:mw, PMID:18184802, PMID:18647347]' - }, - 'GO:0097263': { - 'name': 'eoxin E4 synthase activity', - 'def': 'Catalysis of the reaction: eoxin D4 + H20 = eoxin E4 + glycine. [GOC:mw, PMID:18184802, PMID:18647347]' - }, - 'GO:0097264': { - 'name': 'self proteolysis', - 'def': 'The hydrolysis of proteins into smaller polypeptides and/or amino acids by cleavage of their own peptide bonds. [GOC:yaf, PMID:18676612, PMID:19144634]' - }, - 'GO:0097265': { - 'name': '5(S)-hydroxyeicosatetraenoic acid dehydrogenase activity', - 'def': 'Catalysis of the reaction: 5-HETE + NADP(+) = 5-oxo-ETE + NADPH + H(+). [GOC:mw, PMID:1326548]' - }, - 'GO:0097266': { - 'name': 'phenylacetyl-CoA 1,2-epoxidase activity', - 'def': 'Catalysis of the reaction: phenylacetyl-CoA + H(+) + NADPH + O2 = 2-(1,2-epoxy-1,2-dihydrophenyl)acetyl-CoA + H2O + NADP(+). [EC:1.14.13.149, GOC:bf, GOC:gk, PMID:20660314, PMID:21247899]' - }, - 'GO:0097267': { - 'name': 'omega-hydroxylase P450 pathway', - 'def': 'The chemical reactions and pathways by which arachidonic acid is converted to other compounds initially by omega-hydroxylation. [GOC:mw, PMID:10681399]' - }, - 'GO:0097268': { - 'name': 'cytoophidium', - 'def': 'A subcellular filamentary structure where CTP synthase is compartmentalized in a range of organisms including bacteria, yeast, fruit fly, rat and human. [GOC:mag, http://en.wikipedia.org/wiki/CTP_synthase#Cytoophidium, PMID:20513629, PMID:21930098]' - }, - 'GO:0097269': { - 'name': 'all-trans-decaprenyl-diphosphate synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate + 7 isopentenyl diphosphate = 7 diphosphate + all-trans-decaprenyl diphosphate. [EC:2.5.1.91, GOC:mw, PMID:16262699]' - }, - 'GO:0097270': { - 'name': 'dishabituation', - 'def': 'The temporary recovery of response to a stimulus when a novel stimulus is added. [GOC:kmv, http://en.wikipedia.org/wiki/Habituation, PMID:11390637]' - }, - 'GO:0097271': { - 'name': 'protein localization to bud neck', - 'def': 'A process in which a protein is transported to, or maintained at, a location within a cellular bud neck. [GOC:rb, PMID:22344253]' - }, - 'GO:0097272': { - 'name': 'ammonia homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of ammonia. [GOC:yaf, PMID:12695560]' - }, - 'GO:0097273': { - 'name': 'creatinine homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of creatinine. [GOC:yaf, PMID:12695560]' - }, - 'GO:0097274': { - 'name': 'urea homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of urea. [GOC:yaf, PMID:12695560]' - }, - 'GO:0097275': { - 'name': 'cellular ammonia homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of ammonia at the level of the cell. [GOC:yaf, PMID:12695560]' - }, - 'GO:0097276': { - 'name': 'cellular creatinine homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of creatinine at the level of the cell. [GOC:yaf, PMID:12695560]' - }, - 'GO:0097277': { - 'name': 'cellular urea homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of urea at the level of the cell. [GOC:yaf, PMID:12695560]' - }, - 'GO:0097278': { - 'name': 'complement-dependent cytotoxicity', - 'def': 'Lysis of a cell resulting from triggering of the complement cascade. An example can be seen with complement activation and subsequent lysis of a bacterial cell as a result of the binding of IgM to the cell surface followed by the binding of complement proteins to that antibody. [GOC:add, GOC:rv]' - }, - 'GO:0097279': { - 'name': 'histamine secretion mediated by IgE immunoglobulin', - 'def': 'Histamine release triggered by the binding of an antigen to an IgE immunoglobulin bound to the cell surface. An example is mast cell histamine degranulation as a result of exposure of mast cell-bound IgE to alder tree pollen. [GOC:add, GOC:rv]' - }, - 'GO:0097280': { - 'name': 'histamine secretion mediated by immunoglobulin', - 'def': 'Histamine release triggered by the binding of an antigen to an immunoglobulin bound to the cell surface. [GOC:add, GOC:rv, PMID:11490155, PMID:1719184]' - }, - 'GO:0097281': { - 'name': 'immune complex formation', - 'def': 'The process that gives rise to an immune complex. Immune complexes are clusters of antibodies bound to antigen, to which complement may also be fixed, and which may precipitate or remain in solution. Examples are the clumping of cells such as bacteria or red blood cells in the presence of an antibody, precipitation of a toxin after an antibody binds to it, and clumping of viral particles as a result of antibody binding to the virus. [GOC:add, GOC:rv]' - }, - 'GO:0097282': { - 'name': 'immunoglobulin-mediated neutralization', - 'def': "The inhibition of an antigen's biological effects by antibody binding to it. An example is neutralization of diphtheria toxin by preventing its entry into human cells via the binding of antibody specific for diphtheria toxin. [GOC:add, GOC:rv]" - }, - 'GO:0097283': { - 'name': 'keratinocyte apoptotic process', - 'def': 'Any apoptotic process in a keratinocyte. A keratinocyte is an epidermal cell which synthesizes keratin and undergoes a characteristic change as it moves upward from the basal layers of the epidermis to the cornified (horny) layer of the skin. [CL:0000312, GOC:jc, GOC:mtg_apoptosis, PMID:10201527]' - }, - 'GO:0097284': { - 'name': 'hepatocyte apoptotic process', - 'def': 'Any apoptotic process in a hepatocyte, the main structural component of the liver. [CL:0000182, GOC:jc, GOC:mtg_apoptosis, PMID:15856020]' - }, - 'GO:0097285': { - 'name': 'obsolete cell-type specific apoptotic process', - 'def': 'OBSOLETE. Any apoptotic process in a specific cell type. [GOC:mtg_apoptosis]' - }, - 'GO:0097286': { - 'name': 'iron ion import', - 'def': 'The directed movement of iron ions into a cell or organelle. [GOC:mah, PMID:18622392]' - }, - 'GO:0097287': { - 'name': '7-cyano-7-deazaguanine metabolic process', - 'def': 'The chemical reactions and pathways involving the Q nucleoside precursor 7-cyano-7-deazaguanine, also known as 2-amino-4-oxo-4,7-dihydro-3H-pyrrolo[2,3-d]pyrimidine-5-carbonitrile or preQo. [CHEBI:45075, GOC:yaf, PMID:364423]' - }, - 'GO:0097288': { - 'name': '7-cyano-7-deazaguanine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the Q nucleoside precursor 7-cyano-7-deazaguanine, also known as 2-amino-4-oxo-4,7-dihydro-3H-pyrrolo[2,3-d]pyrimidine-5-carbonitrile or preQo. [CHEBI:45075, GOC:yaf, PMID:364423, UniPathway:UPA00391]' - }, - 'GO:0097289': { - 'name': 'alpha-ribazole metabolic process', - 'def': 'The chemical reactions and pathways involving alpha-ribazole, the benzimidazole nucleoside in adenosyl cobalamin (vitamin B12). [CHEBI:10329, GOC:yaf]' - }, - 'GO:0097290': { - 'name': 'alpha-ribazole biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alpha-ribazole, the benzimidazole nucleoside in adenosyl cobalamin (vitamin B12). [CHEBI:10329, GOC:yaf, MetaCyc:PWY-5508, MetaCyc:PWY-6269, UniPathway:UPA00061]' - }, - 'GO:0097291': { - 'name': 'renal phosphate ion absorption', - 'def': 'A renal system process in which phosphate ions are taken up from the collecting ducts and proximal and distal loops of the nephron. In non-mammalian species, absorption may occur in related structures. [GOC:lb, PMID:18784102, PMID:22506049]' - }, - 'GO:0097292': { - 'name': 'XMP metabolic process', - 'def': 'The chemical reactions and pathways involving XMP, xanthosine monophosphate. [CHEBI:15652, GOC:yaf]' - }, - 'GO:0097293': { - 'name': 'XMP biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of XMP, xanthosine monophosphate. [CHEBI:15652, GOC:yaf]' - }, - 'GO:0097294': { - 'name': "'de novo' XMP biosynthetic process", - 'def': 'The chemical reactions and pathways resulting in the formation of XMP, xanthosine monophosphate, from simpler precursors. [CHEBI:15652, GOC:yaf, MetaCyc:IMP-DEHYDROG-RXN, UniPathway:UPA00601]' - }, - 'GO:0097295': { - 'name': 'morphine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of morphine, 17-methyl-7,8-didehydro-4,5alpha-epoxymorphinan-3,6alpha-diol. Morphine is a highly potent opiate analgesic psychoactive drug obtained form the opium poppy, Papaver somniferum. [CHEBI:17303, GOC:yaf, UniPathway:UPA00852]' - }, - 'GO:0097296': { - 'name': 'activation of cysteine-type endopeptidase activity involved in apoptotic signaling pathway', - 'def': 'Any process that initiates the activity of an inactive cysteine-type endopeptidase involved in the apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:0097297': { - 'name': 'activation of cysteine-type endopeptidase activity involved in execution phase of apoptosis', - 'def': 'Any process that initiates the activity of an inactive cysteine-type endopeptidase involved in the execution phase of apoptosis. [GOC:mtg_apoptosis]' - }, - 'GO:0097298': { - 'name': 'regulation of nucleus size', - 'def': 'Any process that modulates the size of the nucleus. [GOC:al, GOC:mah, PMID:19366728]' - }, - 'GO:0097299': { - 'name': 'cysteine-type endopeptidase activity involved in plant-type hypersensitive response', - 'def': 'Catalysis of the hydrolysis of internal, alpha-peptide bonds in a polypeptide chain by a mechanism in which the sulfhydryl group of a cysteine residue at the active center acts as a nucleophile, and contributing to plant-type hypersensitive response, the rapid, localized death of plant cells in response to invasion by a pathogen. [GOC:mtg_apoptosis]' - }, - 'GO:0097300': { - 'name': 'programmed necrotic cell death', - 'def': 'A necrotic cell death process that results from the activation of endogenous cellular processes, such as signaling involving death domain receptors or Toll-like receptors. [GOC:mtg_apoptosis, PMID:21760595]' - }, - 'GO:0097301': { - 'name': 'regulation of potassium ion concentration by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that regulates the internal concentration of potassium ions at the level of a cell by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, PMID:20412803]' - }, - 'GO:0097302': { - 'name': 'lipoprotein biosynthetic process via diacylglyceryl transfer', - 'def': 'The chemical reactions and pathways by which diacylglyceryl transfer leads to formation of a water-soluble protein-lipid complex. [GOC:pde, GOC:yaf, UniPathway:UPA00664]' - }, - 'GO:0097303': { - 'name': 'lipoprotein biosynthetic process via N-acyl transfer', - 'def': 'The chemical reactions and pathways by which N-acyl transfer leads to formation of a water-soluble protein-lipid complex. [GOC:pde, GOC:yaf, UniPathway:UPA00666]' - }, - 'GO:0097304': { - 'name': 'lipoprotein biosynthetic process via signal peptide cleavage', - 'def': 'The chemical reactions and pathways by which signal peptide cleavage leads to formation of a water-soluble protein-lipid complex. [GOC:pde, GOC:yaf, UniPathway:UPA00665]' - }, - 'GO:0097305': { - 'name': 'response to alcohol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an alcohol stimulus. [CHEBI:30879, GOC:pr]' - }, - 'GO:0097306': { - 'name': 'cellular response to alcohol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an alcohol stimulus. [CHEBI:30879, GOC:pr]' - }, - 'GO:0097307': { - 'name': 'response to farnesol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a farnesol stimulus. [CHEBI:28600, GOC:pr]' - }, - 'GO:0097308': { - 'name': 'cellular response to farnesol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a farnesol stimulus. [CHEBI:28600, GOC:di, PMID:11425711]' - }, - 'GO:0097309': { - 'name': 'cap1 mRNA methylation', - 'def': "Methylation of the ribose of the first nucleotide of a 5'-capped mRNA. [GOC:sp, PMID:20713356]" - }, - 'GO:0097310': { - 'name': 'cap2 mRNA methylation', - 'def': "Methylation of the ribose of the first and second nucleotides of a 5'-capped mRNA. [GOC:sp, PMID:20713356]" - }, - 'GO:0097311': { - 'name': 'biofilm matrix', - 'def': 'A structure lying external to bacterial cells. A biofilm is an aggregate of surface-associated bacteria, and the biofilm matrix is the envelope of polymeric substances that surrounds the bacteria. [GOC:imk, http://en.wikipedia.org/wiki/Biofilm, PMID:22571672]' - }, - 'GO:0097312': { - 'name': 'biofilm matrix component', - 'def': 'Any constituent part of the biofilm matrix, a structure lying external to bacterial cells. A biofilm is an aggregate of surface-associated bacteria, and the biofilm matrix is the envelope of polymeric substances that surrounds the bacteria. [GOC:imk, http://en.wikipedia.org/wiki/Biofilm, PMID:22571672]' - }, - 'GO:0097313': { - 'name': 'biofilm matrix surface', - 'def': 'The external part of the biofilm matrix, a structure lying external to bacterial cells. A biofilm is an aggregate of surface-associated bacteria, and the biofilm matrix is the envelope of polymeric substances that surrounds the bacteria. [GOC:imk, http://en.wikipedia.org/wiki/Biofilm, PMID:22571672]' - }, - 'GO:0097314': { - 'name': 'apoptosome assembly', - 'def': 'The aggregation, arrangement and bonding together of the apoptosome, a multisubunit protein complex involved in the signaling phase of the apoptotic process. [GOC:mtg_apoptosis]' - }, - 'GO:0097315': { - 'name': 'response to N-acetyl-D-glucosamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an N-acetyl-D-glucosamine stimulus. [CHEBI:506227, GOC:di, PMID:21700702]' - }, - 'GO:0097316': { - 'name': 'cellular response to N-acetyl-D-glucosamine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an N-acetyl-D-glucosamine stimulus. [CHEBI:506227, GOC:di, PMID:21700702]' - }, - 'GO:0097317': { - 'name': 'invasive growth in response to biotic stimulus', - 'def': 'The growth of colonies in filamentous chains of cells as a result of a biotic stimulus. An example of this is Candida albicans forming invasive filaments in agar medium in response to a serum stimulus. [GOC:di, PMID:18679170]' - }, - 'GO:0097318': { - 'name': 'invasive growth in response to abiotic stimulus', - 'def': 'The growth of colonies in filamentous chains of cells as a result of a abiotic stimulus. An example of this process is found in Candida albicans. [GOC:di, PMID:18679170]' - }, - 'GO:0097319': { - 'name': 'carbohydrate import into cell', - 'def': 'The directed movement of carbohydrate from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:al]' - }, - 'GO:0097320': { - 'name': 'plasma membrane tubulation', - 'def': 'A membrane tubulation process occurring in a plasma membrane. [GOC:BHF, GOC:pr, PMID:15252009, PMID:20730103]' - }, - 'GO:0097321': { - 'name': 'cell growth mode switching, filamentous to budding', - 'def': 'The process in which a cell switches from growing as a filament (elongated cells attached end-to-end) to growing as a round budding cell. An example of this is observed in Candida albicans. [GOC:di, PMID:14617167]' - }, - 'GO:0097322': { - 'name': '7SK snRNA binding', - 'def': 'Interacting selectively and non-covalently with a 7SK small nuclear RNA (7SK snRNA). [GOC:nhn, PMID:21853533]' - }, - 'GO:0097323': { - 'name': 'B cell adhesion', - 'def': 'The attachment of a B cell to another cell via adhesion molecules. [GOC:jc]' - }, - 'GO:0097324': { - 'name': 'melanocyte migration', - 'def': 'The orderly movement of melanocytes from one site to another, often during the development of a multicellular organism. A melanocyte is a pigment cell derived from the neural crest. It contains melanin-filled pigment granules, which give a brown to black appearance. [CL:0000148, GOC:uh, PMID:22637532]' - }, - 'GO:0097325': { - 'name': 'melanocyte proliferation', - 'def': 'The multiplication or reproduction of melanocytes, resulting in the expansion of a cell population. A melanocyte is a pigment cell derived from the neural crest. It contains melanin-filled pigment granules, which give a brown to black appearance. [CL:0000148, GOC:uh, PMID:22637532]' - }, - 'GO:0097326': { - 'name': 'melanocyte adhesion', - 'def': 'The attachment of a melanocyte to another cell via adhesion molecules. [CL:0000148, GOC:uh, PMID:22637532]' - }, - 'GO:0097327': { - 'name': 'response to antineoplastic agent', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an antineoplastic agent stimulus. An antineoplastic agent is a substance that inhibits or prevents the proliferation of neoplasms. [CHEBI:35610, GOC:pr]' - }, - 'GO:0097328': { - 'name': 'response to carboplatin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carboplatin stimulus. [CHEBI:31355, GOC:pr]' - }, - 'GO:0097329': { - 'name': 'response to antimetabolite', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an antimetabolite stimulus. An antimetabolite is a substance which is structurally similar to a metabolite but which competes with it or replaces it, and so prevents or reduces its normal utilization. [CHEBI:35221, GOC:pr]' - }, - 'GO:0097330': { - 'name': "response to 5-fluoro-2'-deoxyuridine", - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 5-fluoro-2'-deoxyuridine stimulus. 5-fluoro-2'-deoxyuridine is a pyrimidine 2'-deoxyribonucleoside compound having 5-fluorouracil as the nucleobase; it is used to treat hepatic metastases of gastrointestinal adenocarcinomas and for palliation in malignant neoplasms of the liver and gastrointestinal tract. [CHEBI:60761, GOC:pr]" - }, - 'GO:0097331': { - 'name': 'response to cytarabine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cytarabine stimulus. [CHEBI:28680, GOC:pr]' - }, - 'GO:0097332': { - 'name': 'response to antipsychotic drug', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an antipsychotic drug stimulus. Antipsychotic drugs are agents that control agitated psychotic behaviour, alleviate acute psychotic states, reduce psychotic symptoms, and exert a quieting effect. [CHEBI:35476, GOC:pr]' - }, - 'GO:0097333': { - 'name': 'response to olanzapine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an olanzapine stimulus. [CHEBI:7735, GOC:pr]' - }, - 'GO:0097334': { - 'name': 'response to perphenazine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a perphenazine stimulus. Perphenazine is a phenothiazine derivative having a chloro substituent at the 2-position and a 3-[4-(2-hydroxyethyl)piperazin-1-yl]propyl group at the N-10 position. [CHEBI:8028, GOC:pr]' - }, - 'GO:0097335': { - 'name': 'response to quetiapine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a quetiapine stimulus. [CHEBI:8707, GOC:pr]' - }, - 'GO:0097336': { - 'name': 'response to risperidone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a risperidone stimulus. [CHEBI:8871, GOC:pr]' - }, - 'GO:0097337': { - 'name': 'response to ziprasidone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ziprasidone stimulus. Ziprasidone is a piperazine compound having 1,2-benzothiazol-3-yl- and 2-(6-chloro-1,3-dihydro-2-oxindol-5-yl)ethyl substituents attached to the nitrogen atoms. [CHEBI:10119, GOC:pr]' - }, - 'GO:0097338': { - 'name': 'response to clozapine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a clozapine stimulus. [CHEBI:3766, GOC:pr]' - }, - 'GO:0097339': { - 'name': 'glycolate transmembrane transport', - 'def': 'A process in which glycolate is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. Glycolate is the anion of hydroxyethanoic acid (glycolic acid). [CHEBI:29805, GOC:am, PMID:11283302, PMID:11785976]' - }, - 'GO:0097340': { - 'name': 'inhibition of cysteine-type endopeptidase activity', - 'def': 'Any process that prevents the activation of an inactive cysteine-type endopeptidase. [GOC:mtg_apoptosis, PMID:20383739]' - }, - 'GO:0097341': { - 'name': 'zymogen inhibition', - 'def': 'Any process that prevents the proteolytic processing of an inactive enzyme to an active form. [GOC:mtg_apoptosis, PMID:20383739]' - }, - 'GO:0097342': { - 'name': 'ripoptosome', - 'def': 'A protein complex whose core components are the receptor-interacting serine/threonine-protein kinases RIPK1 and RIPK3 (also called RIP1 and RIP3). Formation of the ripoptosome can induce an extrinsic apoptotic signaling pathway or a necroptotic signaling pathway. The composition of this protein complex may depend on several factors including nature of the signal, cell type and more. [GOC:bhm, GOC:mtg_apoptosis, PMID:22265414, PMID:22274400]' - }, - 'GO:0097343': { - 'name': 'ripoptosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a ripoptosome, a protein complex whose formation can induce an extrinsic apoptotic signaling pathway or a necroptotic signaling pathway. The composition of this protein complex may depend on several factors including nature of the signal, cell type and more. [GOC:mtg_apoptosis, PMID:22274400]' - }, - 'GO:0097344': { - 'name': 'Rix1 complex', - 'def': 'A protein complex that comprises Rix1p, Ipi1p and Ipi3p, and is required for processing of ITS2 sequences from 35S pre-rRNA. The Rix1 complex has been identified in budding yeast and fission yeast, and members of this complex are conserved in higher eukaryotes. [GOC:vw, PMID:14759368, PMID:15260980, PMID:21385875]' - }, - 'GO:0097345': { - 'name': 'mitochondrial outer membrane permeabilization', - 'def': 'The process by which the mitochondrial outer membrane becomes permeable to the passing of proteins and other molecules from the intermembrane space to the cytosol as part of the apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:pg, PMID:21041309]' - }, - 'GO:0097346': { - 'name': 'INO80-type complex', - 'def': 'A chromatin remodeling protein complex initially purified from S. cerevisiae and containing more than 10 subunits, including the SWR1-related complexes. INO80 (inositol requiring 80)-type complexes have diverse functions, including promoting transcriptional activation and DNA repair. [GOC:rb, PMID:19355820]' - }, - 'GO:0097347': { - 'name': 'TAM protein secretion complex', - 'def': 'A heterooligomeric protein complex that spans the bacterial periplasm and enables the secretion of adhesin proteins in Gram-negative bacteria. In Citrobacter rodentium, Salmonella enterica and Escherichia coli, the TAM complex consists of an Omp85-family protein, TamA, in the outer membrane and TamB in the inner membrane. [GOC:am, PMID:22466966]' - }, - 'GO:0097348': { - 'name': 'host cell endocytic vesicle membrane', - 'def': 'The lipid bilayer surrounding a host cell endocytic vesicle. [GOC:ecd]' - }, - 'GO:0097350': { - 'name': 'neutrophil clearance', - 'def': 'The selective elimination of senescent neutrophils from the body by autoregulatory mechanisms. [GOC:BHF, PMID:21957127]' - }, - 'GO:0097351': { - 'name': 'toxin-antitoxin pair type II binding', - 'def': 'Interacting selectively and non-covalently with a toxic protein, disabling its function. There may be more than one antitoxin to a toxic protein. Instances of this activity are known only in prokaryotes, where the toxic protein may be a ribonuclease, a DNA gyrase, or other. [GOC:rs, http://en.wikipedia.org/wiki/Toxin-antitoxin_system#Type_II, PMID:19143615, PMID:19325885, PMID:21819231, PMID:22545240]' - }, - 'GO:0097352': { - 'name': 'autophagosome maturation', - 'def': 'The process in which autophagosomes, double-membraned vacuoles containing cytoplasmic material fuse with a vacuole (yeast) or lysosome (e.g. mammals and insects). In the case of yeast, inner membrane-bounded structures (autophagic bodies) appear in the vacuole. Fusion provides an acidic environment and digestive function to the interior of the autophagosome. [GOC:autophagy, GOC:lf, PMID:11099404, PMID:16874026, PMID:17534139]' - }, - 'GO:0097353': { - 'name': 'centrolateral pattern formation', - 'def': 'The regionalization process in which the areas along the centrolateral axis are established that will lead to differences in cell differentiation, or in which cells interpret a specific environment. [GOC:dsz]' - }, - 'GO:0097354': { - 'name': 'prenylation', - 'def': 'The covalent attachment of a prenyl group to a molecule; geranyl, farnesyl, or geranylgeranyl groups may be added. [GOC:di, PMID:18029206, PMID:21351751, PMID:22123822, PMID:22642693, PMID:22660767]' - }, - 'GO:0097355': { - 'name': 'protein localization to heterochromatin', - 'def': 'Any process in which a protein is transported to, or maintained at, a part of a chromosome that is organized into heterochromatin. [GOC:mah]' - }, - 'GO:0097356': { - 'name': 'perinucleolar compartment', - 'def': 'The perinucleolar compartment (PNC) is a subnuclear structure associated with, but structurally distinct from, the nucleolus. The PNC contains large amounts of the heterogeneous nuclear ribonucleoprotein complex (hnRNP) called hnRNP 1 (PTB). Many RNA binding proteins as well as RNA polymerase III transcripts are highly enriched in this compartment. PTB and pol III transcripts are required for the integrity of the PNC. [GOC:vw, http://en.wikipedia.org/wiki/Perinucleolar_compartment, PMID:21385875]' - }, - 'GO:0097357': { - 'name': 'myo-inositol import into cell', - 'def': 'The directed movement of myo-inositol from outside of a cell into the intracellular region of a cell. [GOC:mah]' - }, - 'GO:0097358': { - 'name': 'D-leucyl-tRNA(Leu) deacylase activity', - 'def': 'Catalysis of the reaction: D-leucyl-tRNA(Leu) = D-leucine + tRNA(Leu). Hydrolysis of the removal of D-leucine from residues in charged tRNA(Leu). [GOC:se, PMID:10918062]' - }, - 'GO:0097359': { - 'name': 'UDP-glucosylation', - 'def': 'The covalent attachment of a UDP-glucose residue to a substrate molecule. [GOC:al]' - }, - 'GO:0097360': { - 'name': 'chorionic trophoblast cell proliferation', - 'def': 'The multiplication or reproduction of chorionic trophoblast cells, resulting in the expansion of their population. [CL:0011101, GOC:BHF, PMID:15150278]' - }, - 'GO:0097361': { - 'name': 'CIA complex', - 'def': 'The cytosolic iron-sulfur protein assembly (CIA) complex mediates the incorporation of iron-sulfur clusters into apoproteins involved in DNA metabolism and genomic integrity. [GOC:sp, PMID:22678362]' - }, - 'GO:0097362': { - 'name': 'MCM8-MCM9 complex', - 'def': 'A hexameric protein complex composed of MCM8 and MCM9 and involved in homologous recombination repair following DNA interstrand cross-links. [GOC:sp, PMID:22771115, PMID:22771120]' - }, - 'GO:0097363': { - 'name': 'protein O-GlcNAc transferase activity', - 'def': 'Catalysis of the reaction: UDP-N-acetyl-D-glucosamine + [protein]-L-serine = UDP + [protein]-3-O-(N-acetyl-D-glucosaminyl)-L-serine, or UDP-N-acetyl-D-glucosamine + [protein]-L-threonine = UDP + [protein]-3-O-(N-acetyl-D-glucosaminyl)-L-threonine. [EC:2.4.1.255, GOC:jsg, GOC:sart, PMID:22158438]' - }, - 'GO:0097364': { - 'name': 'stretch-activated, cation-selective, calcium channel activity involved in regulation of action potential', - 'def': 'Enables the transmembrane transfer of a calcium ion by a channel that opens in response to a mechanical stress in the form of stretching, and contributing to the regulation of action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:21290758]' - }, - 'GO:0097365': { - 'name': 'stretch-activated, cation-selective, calcium channel activity involved in regulation of cardiac muscle cell action potential', - 'def': 'Enables the transmembrane transfer of a calcium ion by a channel that opens in response to a mechanical stress in the form of stretching, and contributing to the regulation of action potential in a cardiac muscle cell. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, PMID:21290758]' - }, - 'GO:0097366': { - 'name': 'response to bronchodilator', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bronchodilator stimulus. A bronchodilator is a chemical that causes an increase in the expansion of a bronchus or bronchial tubes. [CHEBI:35523, GOC:hp]' - }, - 'GO:0097367': { - 'name': 'carbohydrate derivative binding', - 'def': 'Interacting selectively and non-covalently with a carbohydrate derivative. [GOC:pr]' - }, - 'GO:0097368': { - 'name': 'establishment of Sertoli cell barrier', - 'def': 'Establishment of a structure near the basement membrane in adjacent Sertoli cells of the seminiferous epithelium for maintaining spermatogenesis. The structure consists of tight junctions, basal ectoplasmic specializations, and desmosome-like junctions. [GOC:sl, http://en.wikipedia.org/wiki/Blood-testis_barrier, PMID:19509333]' - }, - 'GO:0097369': { - 'name': 'sodium ion import', - 'def': 'The directed movement of sodium ions into a cell or organelle. [GOC:BHF]' - }, - 'GO:0097370': { - 'name': 'protein O-GlcNAcylation via threonine', - 'def': 'The glycosylation of a protein by addition of N-acetylglucosamine via the O3 atom of peptidyl-threonine, forming O3-N-acetylglucosamine-L-threonine. [GOC:pr, GOC:sart, PMID:22158438]' - }, - 'GO:0097371': { - 'name': 'MDM2/MDM4 family protein binding', - 'def': 'Interacting selectively and non-covalently with any isoform of the MDM2/MDM4 protein family, comprising negative regulators of p53. [InterPro:IPR016495]' - }, - 'GO:0097372': { - 'name': 'NAD-dependent histone deacetylase activity (H3-K18 specific)', - 'def': 'Catalysis of the reaction: histone H3 N6-acetyl-L-lysine (position 18) + H2O = histone H3 L-lysine (position 18) + acetate. This reaction requires the presence of NAD, and represents the removal of an acetyl group from lysine at position 18 of the histone H3 protein. [EC:3.5.1.17, GOC:sp, PMID:22722849, RHEA:24551]' - }, - 'GO:0097373': { - 'name': 'MCM core complex', - 'def': 'A protein complex that contains Mcm4, Mcm6, and Mcm7 proteins, and possesses DNA helicase activity. In the heterohexameric MCM complex, the Mcm4/6/7 proteins form a stable core, and Mcm2, Mcm3, and Mcm5 are more peripherally associated. [GOC:mah, PMID:10770926, PMID:15007098, PMID:9305914]' - }, - 'GO:0097374': { - 'name': 'sensory neuron axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a sensory neuron is directed to a specific target site in response to a combination of attractive and repulsive cues. A sensory neuron is an afferent neuron conveying sensory impulses. [CL:0000101, GOC:pr]' - }, - 'GO:0097375': { - 'name': 'spinal sensory neuron axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a spinal sensory neuron is directed to a specific target site in response to a combination of attractive and repulsive cues. A spinal sensory neuron is a sensory neuron that project to the spinal cord. [CL:0009000, GOC:pr, GOC:yaf]' - }, - 'GO:0097376': { - 'name': 'interneuron axon guidance', - 'def': 'The process in which the migration of an axon growth cone of an interneuron is directed to a specific target site in response to a combination of attractive and repulsive cues. An interneuron is any neuron which is not motor or sensory. Interneurons may also refer to neurons whose axons remain within a particular brain region, as contrasted with projection neurons which have axons projecting to other brain regions. [CL:0000099, GOC:pr]' - }, - 'GO:0097377': { - 'name': 'spinal cord interneuron axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a spinal cord interneuron is directed to a specific target site in response to a combination of attractive and repulsive cues. A spinal cord interneuron is a CNS interneuron located in the spinal cord. [CL:0005000, GOC:pr]' - }, - 'GO:0097378': { - 'name': 'dorsal spinal cord interneuron axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a dorsal spinal cord interneuron is directed to a specific target site in response to a combination of attractive and repulsive cues. A dorsal spinal cord interneuron is an interneuron located in the dorsal part of the spinal cord. [GOC:yaf]' - }, - 'GO:0097379': { - 'name': 'dorsal spinal cord interneuron posterior axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a dorsal spinal cord interneuron is directed to a specific target site in the posterior direction along the anterior-posterior body axis in response to a combination of attractive and repulsive cues. The anterior-posterior axis is defined by a line that runs from the head or mouth of an organism to the tail or opposite end of the organism. [GOC:yaf, PMID:19545367]' - }, - 'GO:0097380': { - 'name': 'dorsal spinal cord interneuron anterior axon guidance', - 'def': 'The process in which the migration of an axon growth cone of a dorsal spinal cord interneuron is directed to a specific target site in the anterior direction along the anterior-posterior body axis in response to a combination of attractive and repulsive cues. The anterior-posterior axis is defined by a line that runs from the head or mouth of an organism to the tail or opposite end of the organism. [GOC:yaf, PMID:19545367]' - }, - 'GO:0097381': { - 'name': 'photoreceptor disc membrane', - 'def': 'Ovally-shaped membranous stack located inside the photoreceptor outer segment, and containing densely packed molecules of the photoreceptor protein rhodopsin that traverse the lipid bilayer. Disc membranes are apparently derived from the plasma membrane in the region of the cilium that connects the photoreceptor outer segment to the inner segment. [GOC:bj, PMID:11826267, PMID:2537204, PMID:7507907]' - }, - 'GO:0097382': { - 'name': 'deoxynucleoside-diphosphatase activity', - 'def': 'Catalysis of the reaction: a deoxynucleoside diphosphate + H2O = a deoxynucleotide + phosphate. [GOC:pde]' - }, - 'GO:0097383': { - 'name': 'dIDP diphosphatase activity', - 'def': 'Catalysis of the reaction: dIDP + H2O = dIMP + phosphate. [GOC:pde, PMID:20385596]' - }, - 'GO:0097384': { - 'name': 'cellular lipid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lipids, as carried out by individual cells. [GOC:pr]' - }, - 'GO:0097385': { - 'name': 'programmed necrotic cell death in response to starvation', - 'def': 'A programmed necrotic cell death occurring as a result of a starvation stimulus (deprivation of nourishment). [GOC:mtg_apoptosis, GOC:pg, PMID:13679856]' - }, - 'GO:0097386': { - 'name': 'glial cell projection', - 'def': 'A prolongation or process extending from a glial cell. [GOC:mc]' - }, - 'GO:0097387': { - 'name': 'capitate projection', - 'def': 'Simple or compound process of epithelial glial cells with a spherical head that inserts into photoreceptor axons. Capitate projections have only been observed in Brachycera (flies). [GOC:mc, PMID:3098431]' - }, - 'GO:0097388': { - 'name': 'chemokine (C-C motif) ligand 19 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 19 (CCL19) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv]' - }, - 'GO:0097389': { - 'name': 'chemokine (C-C motif) ligand 21 production', - 'def': 'The appearance of chemokine (C-C motif) ligand 21 (CCL21) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv]' - }, - 'GO:0097390': { - 'name': 'chemokine (C-X-C motif) ligand 12 production', - 'def': 'The appearance of chemokine (C-X-C motif) ligand 12 (CXCL12) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv]' - }, - 'GO:0097391': { - 'name': 'chemokine (C-X-C motif) ligand 13 production', - 'def': 'The appearance of chemokine (C-X-C motif) ligand 13 (CXCL13) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv]' - }, - 'GO:0097392': { - 'name': 'chemokine (C-X-C motif) ligand 16 production', - 'def': 'The appearance of chemokine (C-X-C motif) ligand 16 (CXCL16) due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [GOC:rv]' - }, - 'GO:0097393': { - 'name': 'telomeric repeat-containing RNA transcription', - 'def': 'The synthesis of telomeric repeat-containing RNA from a DNA template. A telomere is a complex of DNA and proteins that seals the end of a chromosome. [GOC:al, PMID:22139915]' - }, - 'GO:0097394': { - 'name': 'telomeric repeat-containing RNA transcription from RNA pol II promoter', - 'def': 'The synthesis of telomeric repeat-containing RNA from a DNA template by RNA Polymerase II (Pol II), originating at a Pol II promoter. [GOC:al, PMID:22139915]' - }, - 'GO:0097395': { - 'name': 'response to interleukin-32', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-32 stimulus. [GOC:pr]' - }, - 'GO:0097396': { - 'name': 'response to interleukin-17', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-17 stimulus. [GOC:pr]' - }, - 'GO:0097397': { - 'name': 'cellular response to interleukin-32', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-32 stimulus. [GOC:pr]' - }, - 'GO:0097398': { - 'name': 'cellular response to interleukin-17', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-17 stimulus. [GOC:pr]' - }, - 'GO:0097399': { - 'name': 'interleukin-32-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-32 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:ic, PMID:21602493]' - }, - 'GO:0097400': { - 'name': 'interleukin-17-mediated signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of interleukin-17 to a receptor on the surface of a cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:ic, PMID:21602493]' - }, - 'GO:0097401': { - 'name': 'synaptic vesicle lumen acidification', - 'def': 'The acidification of the synaptic vesicle lumen via transport of protons into the vesicle. The resulting electrochemical gradient powers neurotransmitter loading. [GOC:dsf, PMID:21172605, PMID:22875945]' - }, - 'GO:0097402': { - 'name': 'neuroblast migration', - 'def': 'The orderly movement of a neuroblast from one site to another, often during the development of a multicellular organism or multicellular structure. A neuroblast is any cell that will divide and give rise to a neuron. [CL:0000031, GOC:jc, PMID:15543145]' - }, - 'GO:0097403': { - 'name': 'cellular response to raffinose', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a raffinose stimulus. [GOC:al]' - }, - 'GO:0097404': { - 'name': 'succinate import into cell', - 'def': 'The directed movement of succinate from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:al]' - }, - 'GO:0097405': { - 'name': 'malate import into cell', - 'def': 'The directed movement of malate from outside of a cell into the intracellular region of a cell. [GOC:al]' - }, - 'GO:0097406': { - 'name': 'malonic acid import into cell', - 'def': 'The directed movement of malonic acid from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:al]' - }, - 'GO:0097407': { - 'name': 'Bunina body', - 'def': 'Small granular inclusions (about 1-3 microns in diameter) found in the anterior horn cells, and appearing either singly or in a group. Sometimes they are arranged in small beaded chains. Bunina bodies express cystatin C and consist of electron-dense amorphous material that contains tubules or vesicular structures. The amorphous material frequently includes a cytoplasmic island containing neurofilaments and other micro-organelles. [NIF_Subcellular:nlx_subcell_20090101, PMID:18026741]' - }, - 'GO:0097408': { - 'name': 'fibrillary inclusion', - 'def': 'Cellular inclusion consisting of circular areas filled with fine slender filaments about 10 nanometers in diameter, delimited by a wall of varying complexity (either a single continuous membrane or a tubular network consisting of a fine filamentous material giving the wall a honeycomb appearance). Fibrillary inclusions are found in the cytoplasm of giant cells of Dieters in the lateral vestibular nucleus of the rat; similar structures have been described in the ventral cochlear nucleus, spinal cord, and substantia nigra. [NIF_Subcellular:sao967812059]' - }, - 'GO:0097409': { - 'name': 'glial cytoplasmic inclusion', - 'def': 'Non-membrane-bound cytoplasmic inclusions composed of 10-40 nm granule-coated fibrils. These inclusions have an abnormal accumulation of alpha-synuclein protein and are found in association with multiple system atrophy. [NIF_Subcellular:nlx_subcell_20090703, PMID:21562886, PMID:2559165]' - }, - 'GO:0097410': { - 'name': 'hippocampal interneuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a hippocampal interneuron. [CL:1001569, GOC:jc, PMID:19655320]' - }, - 'GO:0097411': { - 'name': 'hypoxia-inducible factor-1alpha signaling pathway', - 'def': 'A series of molecular signals mediated by hypoxia-inducible factor (HIF1) in response to lowered oxygen levels (hypoxia). Under hypoxic conditions, the oxygen-sensitive alpha-subunit of hypoxia-inducible factor (HIF)-1 dimerizes with a HIF1-beta subunit (also called ARNT or aryl-hydrocarbon-receptor nuclear translocator), translocates to the nucleus and activates transcription of genes whose products participate in responding to hypoxia. [GOC:bf, GOC:jc, http://www.sabiosciences.com/pathway.php?sn=HIF1Alpha_Pathway]' - }, - 'GO:0097412': { - 'name': 'hyaline inclusion', - 'def': 'A glass-like, pale intracellular inclusion. [NIF_Subcellular:nlx_subcell_20090104]' - }, - 'GO:0097413': { - 'name': 'Lewy body', - 'def': 'Cytoplasmic, spherical inclusion commonly found in damaged neurons, and composed of abnormally phosphorylated, neurofilament proteins aggregated with ubiquitin and alpha-synuclein. [NIF_Subcellular:sao4933778419]' - }, - 'GO:0097414': { - 'name': 'classical Lewy body', - 'def': 'Cytoplasmic inclusion, 5 to 15 micrometers in diameter, with a dense core surrounded by a halo of 10 to 20 nm wide radially oriented alpha-synuclein fibrils. [NIF_Subcellular:sao4749542545]' - }, - 'GO:0097415': { - 'name': 'cortical Lewy body', - 'def': 'Cytoplasmic inclusion similar to a classical Lewy body but lacking a halo of protein fibrils. [NIF_Subcellular:sao4040591221]' - }, - 'GO:0097416': { - 'name': 'Lewy body-like hyaline inclusion', - 'def': 'Cytoplasmic inclusion found in neurons. It consists of filaments and granular materials, exhibits a dense core with a rough peripheral halo and lacks a limiting membrane. The filaments of these inclusions are composed of approximately 15-25 nm granule-coated fibrils in association with normal 10-nm neurofilaments. [NIF_Subcellular:nlx_subcell_20090105, PMID:18026741]' - }, - 'GO:0097417': { - 'name': 'nematosome', - 'def': 'Cytoplasmic, ball-like inclusion resembling a nucleolus and consisting of a convoluted network of electron-opaque strands embedded in a less dense matrix. It measures approximately 0.9 microns and lacks a limiting membrane. Its strands (diameter = 400-600 A) appear to be made of an entanglement of tightly packed filaments and particles approximately 25-50 A thick. Cytochemical studies suggest the presence of nonhistone proteins and some RNA. Usually only one such structure is present in a cell, and it appears to occur in most ganglion cells. Although they can be seen anywhere in the cell body, nematosomes are typically located in the perinuclear cytoplasm, where they are often associated with smooth-surfaced and coated vesicles. [NIF_Subcellular:sao138430598, PMID:5458990]' - }, - 'GO:0097418': { - 'name': 'neurofibrillary tangle', - 'def': 'Intracellular mass of paired, helically wound protein filaments (also called PHF) lying in the cytoplasm of neuronal cell bodies and neuritic cell processes. Neurofibrillary tangles contain an abnormally phosphorylated form of a microtubule-associated protein, tau. The shape of these inclusions may resemble a flame or a star. [NIF_Subcellular:nlx_subcell_20090201, NIF_Subcellular:nlx_subcell_20090202, NIF_Subcellular:sao2409833926]' - }, - 'GO:0097419': { - 'name': 'Pick body', - 'def': 'Cellular inclusion composed of numerous tau fibrils arranged in a disorderly array. Tau protein is a major component, though Pick bodies also contain ubiquitin, alpha-synuclein, and apolipoprotein E. [NIF_Subcellular:nlx_subcell_20090102]' - }, - 'GO:0097420': { - 'name': 'skein-like inclusion', - 'def': 'Intracytoplasmic filamentous structure frequently encountered in preparations immunostained for ubiquitin. [NIF_Subcellular:nlx_subcell_20090103, PMID:18026741]' - }, - 'GO:0097421': { - 'name': 'liver regeneration', - 'def': 'The regrowth of lost or destroyed liver. [GOC:gap, PMID:19447520]' - }, - 'GO:0097422': { - 'name': 'tubular endosome', - 'def': 'A network of fine tubules in the vicinity of the Golgi complex and around the centriole. [NIF_Subcellular:sao1570660411, NIF_Subcellular:sao694815499, PMID:11896161]' - }, - 'GO:0097423': { - 'name': 'mitochondrion-associated adherens complex', - 'def': 'An organelle arrangement comprised of the following elements: a mitochondrion positioned near the presynaptic membrane; an electron-dense mitochondrial plaque adjacent to the outer mitochondrial membrane that faces the presynaptic membrane; filament-like elements appearing to link the mitochondrial plaque to a cell-cell junction region (sometimes termed punctum adherens); tubular or vesicular-appearing membrane (also called vesicular chain) interposed among the filaments. Mitochondrion-associated adherens complexes were initially described in the dorsal horn of the spinal cord. They are found in calyces and other large terminals of the auditory brainstem, and in a variety of mammalian species including humans. [NIF_Subcellular:sao1933817066, PMID:20089910]' - }, - 'GO:0097424': { - 'name': 'nucleolus-associated heterochromatin', - 'def': 'Dense particles of heterochromatin, consisting of a loosely twisted strand about 600 Angstrom thick, found associated with the nucleolus. [NIF_Subcellular:sao1210952635]' - }, - 'GO:0097425': { - 'name': 'smooth endoplasmic reticulum part', - 'def': 'Any constituent part of the smooth endoplasmic reticulum (also called smooth ER, or SER). [NIF_Subcellular:sao184202831]' - }, - 'GO:0097426': { - 'name': 'glial filament', - 'def': 'An intermediate filament composed of glial fibrillary acidic protein (GFAP) and found in astrocytes. [NIF_Subcellular:sao-1863852493]' - }, - 'GO:0097427': { - 'name': 'microtubule bundle', - 'def': 'An arrangement of closely apposed microtubules running parallel to each other. [NIF_Subcellular:sao1872343973]' - }, - 'GO:0097428': { - 'name': 'protein maturation by iron-sulfur cluster transfer', - 'def': 'The transfer of an assembled iron-sulfur cluster from a scaffold protein to an acceptor protein that contributes to the attainment of the full functional capacity of a protein. [GOC:al, GOC:mah, PMID:11939799, PMID:18322036, PMID:21977977]' - }, - 'GO:0097429': { - 'name': 'amino acid ligation activity by nonribosomal peptide synthase', - 'def': 'Catalysis of the ligation of an amino acid to another amino acid via a carbon-nitrogen bond, with the concomitant hydrolysis of the diphosphate bond in ATP or a similar triphosphate, carried out by a nonribosomal peptide synthase. [GOC:vw]' - }, - 'GO:0097430': { - 'name': 'copper ion import into ascospore-type prospore', - 'def': 'The directed movement of copper ions into an ascospore-type prospore. [GOC:al, GOC:vw, PMID:21828039]' - }, - 'GO:0097431': { - 'name': 'mitotic spindle pole', - 'def': 'Either of the ends of a mitotic spindle, a spindle that forms as part of mitosis, where spindle microtubules are organized; usually contains a microtubule organizing center and accessory molecules, spindle microtubules and astral microtubules. [GOC:vw]' - }, - 'GO:0097432': { - 'name': 'hippocampal pyramidal neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a hippocampal pyramidal neuron, a pyramidal cell of the hippocampus. [CL:1001571, GOC:jc, PMID:19342486]' - }, - 'GO:0097433': { - 'name': 'dense body', - 'def': 'An electron dense body which may contain granules. [ISBN:0195065719, NIF_Subcellular:sao730872736]' - }, - 'GO:0097434': { - 'name': 'succinate:proton symporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: succinate(out) + H+(out) = succinate(in) + H+(in). [GOC:al, PMID:1293882]' - }, - 'GO:0097435': { - 'name': 'supramolecular fiber organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a supramolecular fiber, a polymer consisting of an indefinite number of protein or protein complex subunits that have polymerised to form a fiber-shaped structure. [GOC:pr]' - }, - 'GO:0097436': { - 'name': 'entry into dormancy', - 'def': 'The dormancy process that results in entry into dormancy. Dormancy (sometimes called a dormant state) is a suspension of most physiological activity and growth that can be reactivated. [GOC:PO_curators, PO_REF:00009]' - }, - 'GO:0097437': { - 'name': 'maintenance of dormancy', - 'def': 'The dormancy process that results in an organism remaining in dormancy. Dormancy (sometimes called a dormant state) is a suspension of most physiological activity and growth that can be reactivated. [GOC:PO_curators, PO_REF:00009]' - }, - 'GO:0097438': { - 'name': 'exit from dormancy', - 'def': 'The dormancy process that results in exit from dormancy. Dormancy (sometimes called a dormant state) is a suspension of most physiological activity and growth that can be reactivated. [GOC:PO_curators, PO_REF:00009]' - }, - 'GO:0097439': { - 'name': 'acquisition of desiccation tolerance', - 'def': 'The process in which tolerance to severe drying is acquired, before entering into a dry, either dormant or quiescent state. [GOC:PO_curators]' - }, - 'GO:0097440': { - 'name': 'apical dendrite', - 'def': 'A dendrite that emerges near the apical pole of a neuron. In bipolar neurons, apical dendrites are located on the opposite side of the soma from the axon. [NIF_Subcellular:sao273773228]' - }, - 'GO:0097441': { - 'name': 'basilar dendrite', - 'def': 'A dendrite that emerges near the basal pole of a neuron. In bipolar neurons, basal dendrites are either on the same side of the soma as the axon, or project toward the axon. [NIF_Subcellular:sao1079900774]' - }, - 'GO:0097442': { - 'name': 'CA3 pyramidal cell dendrite', - 'def': 'A dendrite of a hippocampal CA3 pyramidal cell. [NIF_Subcellular:nlx_subcell_1005001]' - }, - 'GO:0097443': { - 'name': 'sorting endosome', - 'def': 'A multivesicular body surrounded by and connected with multiple tubular compartments with associated vesicles. [NIF_Subcellular:sao1028571114]' - }, - 'GO:0097444': { - 'name': 'spine apparatus', - 'def': 'A specialization of the endomembrane system found in some classes of dendritic spines consisting of two or more closely apposed lamellae with interspersed electron dense material. The endomembrane component is continuous with the smooth endoplasmic reticulum. [NIF_Subcellular:sao725931194, PMID:20400711, PMID:8987748]' - }, - 'GO:0097445': { - 'name': 'presynaptic active zone dense projection', - 'def': 'Electron dense projection extending from the cytomatrix into the cytoplasm on which synaptic vesicles are tethered. [NIF_Subcellular:sao494258938, PMID:15381754]' - }, - 'GO:0097446': { - 'name': 'protein localization to eisosome filament', - 'def': 'A process in which a protein is transported to, and/or maintained in, a specific location in a eisosome filament (also called linear eisosome), a filamentous cortical structure formed, in S. pombe, by the eisosome component Pil1. [GOC:mah, GOC:vw, PMID:22869600, PMID:23722945]' - }, - 'GO:0097447': { - 'name': 'dendritic tree', - 'def': 'The entire complement of dendrites for a neuron, consisting of each primary dendrite and all its branches. [NIF_Subcellular:sao172297168]' - }, - 'GO:0097448': { - 'name': 'spine mat', - 'def': 'A configuration of neuron spines found on ciliary ganglion neurons in the embryonic and adult brain consisting of patches of closely spaced spines lying flat against the soma. [NIF_Subcellular:sao2128156969, PMID:10818137]' - }, - 'GO:0097449': { - 'name': 'astrocyte projection', - 'def': 'A prolongation or process extending from the soma of an astrocyte and wrapping around neurons. [NIF_Subcellular:sao1630537580]' - }, - 'GO:0097450': { - 'name': 'astrocyte end-foot', - 'def': 'Terminal process of astrocyte abutting non-neuronal surfaces in the brain. [NIF_Subcellular:sao388182739]' - }, - 'GO:0097451': { - 'name': 'glial limiting end-foot', - 'def': 'Terminal process of astrocyte that extends to the surface of the central nervous system. Together, glial limiting end-feet form the glial limiting membrane or glia limitans. [NIF_Subcellular:sao181458425]' - }, - 'GO:0097452': { - 'name': 'GAIT complex', - 'def': "A protein complex which mediates interferon-gamma-induced transcript-selective translation inhibition in inflammation processes. The complex binds to stem loop-containing GAIT elements in the 3'-UTR of diverse inflammatory mRNAs and suppresses their translation by blocking the recruitment of the 43S ribosomal complex to m7G cap-bound eIF4G. In humans it includes RPL13A, EPRS, SYNCRIP and GAPDH; mouse complexes lack SYNCRIP. [GOC:br, PMID:15479637, PMID:23071094]" - }, - 'GO:0097453': { - 'name': 'mesaxon', - 'def': 'Portion of the ensheathing process (either myelin or non-myelin) where the enveloping lips of the ensheathing cell come together so that their apposed plasma membranes run parallel to each other, separated by a cleft 12 nm wide. [ISBN:01950657191, NIF_Subcellular:sao2127666702]' - }, - 'GO:0097454': { - 'name': 'Schwann cell microvillus', - 'def': 'Small finger-like extension of a Schwann cell that contacts the nodal membrane. [NIF_Subcellular:sao1890444066, PMID:15988042]' - }, - 'GO:0097455': { - 'name': 'spiny bracelet of Nageotte', - 'def': 'Paranodal terminations of Schwann cells that do not directly contact the paranodal axon membrane. Usually found in thicker myelin. [NIF_Subcellular:sao937871668, PMID:15988042]' - }, - 'GO:0097456': { - 'name': 'terminal loop', - 'def': 'Portion of myelin-forming Schwann cell consisting of terminal cytoplasmic extensions adhered to the axon at the beginning and end of the myelin sheath. [NIF_Subcellular:sao924713546]' - }, - 'GO:0097457': { - 'name': 'hippocampal mossy fiber', - 'def': 'Axon of dentate gyrus granule cell projecting to hippocampal area CA3, characterized by expansions (mossy fiber expansions) giving the fibers a mossy appearance. These unmyelinated axons were first described by Ramon y Cajal. [NIF_Subcellular:nlx_subcell_100312, PMID:17765709]' - }, - 'GO:0097458': { - 'name': 'neuron part', - 'def': 'Any constituent part of a neuron, the basic cellular unit of nervous tissue. A typical neuron consists of a cell body (often called the soma), an axon, and dendrites. Their purpose is to receive, conduct, and transmit impulses in the nervous system. [GOC:pr, http://en.wikipedia.org/wiki/Neuron]' - }, - 'GO:0097459': { - 'name': 'iron ion import into cell', - 'def': 'The directed movement of iron ions from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:mah, PMID:8321236]' - }, - 'GO:0097460': { - 'name': 'ferrous iron import into cell', - 'def': 'The directed movement of ferrous iron (Fe(II) or Fe2+) ions from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:mah, PMID:8321236]' - }, - 'GO:0097461': { - 'name': 'ferric iron import into cell', - 'def': 'The directed movement of ferric iron (Fe(III) or Fe3+) ions from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:mah, PMID:8321236]' - }, - 'GO:0097462': { - 'name': 'Lewy neurite', - 'def': "Elongated neuronal process, often with side branches and more than one branching point, described in brains of patients with Parkinson's disease. Lewy neurites stain positively for ubiquitin in brainstem and forebrain regions affected in Parkinson's disease. [NIF_Subcellular:sao601362597]" - }, - 'GO:0097463': { - 'name': 'gemmule', - 'def': 'Spine-like process found on some neurons, e.g., periglomerular cells of olfactory cortex. [NIF_Subcellular:nlx_subcell_1005003]' - }, - 'GO:0097464': { - 'name': 'thorny excrescence', - 'def': 'Large complex spine protruding from a dendrite. Each excrescence is formed by a cluster of spine heads. [NIF_Subcellular:nlx_467, PMID:730852]' - }, - 'GO:0097465': { - 'name': 'somatic spine', - 'def': 'Spine emanating from the cell soma of a neuron. [NIF_Subcellular:sao2048514053]' - }, - 'GO:0097466': { - 'name': 'ubiquitin-dependent glycoprotein ERAD pathway', - 'def': 'An ERAD pathway whereby endoplasmic reticulum (ER)-resident glycoproteins are targeted for degradation. Includes differential processing of the glycoprotein sugar chains, retrotranslocation to the cytosol and degradation by the ubiquitin-proteasome pathway. A glycoprotein is a compound in which a carbohydrate component is covalently bound to a protein component. [GOC:al, GOC:bf, PMID:16079177]' - }, - 'GO:0097467': { - 'name': 'type III terminal bouton', - 'def': 'Terminal inflated portion of the axon of a non-glutamatergic neuron, containing the specialized apparatus necessary to release neurotransmitters at a regulatory synapse. The axon terminus is considered to be the whole region of thickening and the terminal bouton is a specialized region of it. Type III terminal boutons are larger than type II ones. [GOC:mc, PMID:10218156]' - }, - 'GO:0097468': { - 'name': 'programmed cell death in response to reactive oxygen species', - 'def': 'Cell death resulting from activation of endogenous cellular processes and occurring as a result of a reactive oxygen species stimulus. Reactive oxygen species include singlet oxygen, superoxide, and oxygen free radicals. [GOC:mtg_apoptosis]' - }, - 'GO:0097469': { - 'name': 'obsolete cyclin-dependent protein tyrosine kinase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: ATP + a protein tyrosine = ADP + protein tyrosine phosphate. This reaction requires the binding of a regulatory cyclin subunit. [GOC:al, GOC:vw, PMID:1372994]' - }, - 'GO:0097470': { - 'name': 'ribbon synapse', - 'def': 'Type of synapse characterized by an electron-dense ribbon, lamella (bar) or spherical body in the presynaptic process cytoplasm. [NIF_Subcellular:sao1884931180, PMID:15626493]' - }, - 'GO:0097471': { - 'name': 'mossy fiber rosette', - 'def': 'A synapse of a mossy fiber onto the dendrite of a granule cell; each mossy fiber can have up to 50 rosettes. [http://en.wikipedia.org/wiki/Mossy_fiber_(cerebellum), NIF_Subcellular:nlx_subcell_091021]' - }, - 'GO:0097472': { - 'name': 'cyclin-dependent protein kinase activity', - 'def': 'Catalysis of the phosphorylation of an amino acid residue in a protein, usually according to the reaction: a protein + ATP = a phosphoprotein + ADP. This reaction requires the binding of a regulatory cyclin subunit and full activity requires stimulatory phosphorylation by a CDK-activating kinase (CAK). [GOC:pr]' - }, - 'GO:0097473': { - 'name': 'retinal rod cell apoptotic process', - 'def': 'Any apoptotic process in a retinal rod cell, one of the two photoreceptor cell types of the vertebrate retina. [CL:0000604, GOC:jc, PMID:17202487]' - }, - 'GO:0097474': { - 'name': 'retinal cone cell apoptotic process', - 'def': 'Any apoptotic process in a retinal cone cell, one of the two photoreceptor cell types of the vertebrate retina. [CL:0000573, GOC:jc]' - }, - 'GO:0097475': { - 'name': 'motor neuron migration', - 'def': 'The orderly movement of a motor neuron from one site to another. A motor neuron is an efferent neuron that passes from the central nervous system or a ganglion toward or to a muscle and conducts an impulse that causes movement. [CL:0000100, GOC:yaf, PMID:20711475]' - }, - 'GO:0097476': { - 'name': 'spinal cord motor neuron migration', - 'def': 'The orderly movement of a spinal cord motor neuron from one site to another. A spinal cord motor neuron is a motor neuron that passes from the spinal cord toward or to a muscle and conducts an impulse that causes movement. [CL:0011001, GOC:yaf, PMID:20711475]' - }, - 'GO:0097477': { - 'name': 'lateral motor column neuron migration', - 'def': 'The orderly movement of a lateral motor column neuron from one site to another. A lateral motor column neuron is a motor neuron that is generated only on limb levels and send axons into the limb mesenchyme. [CL:0011002, GOC:yaf, PMID:20711475]' - }, - 'GO:0097478': { - 'name': 'leaflet of membrane bilayer', - 'def': 'Any of the two layers of lipid molecules that constitute a membrane. [GOC:cjm]' - }, - 'GO:0097479': { - 'name': 'synaptic vesicle localization', - 'def': 'Any process in which a synaptic vesicle or vesicles are transported to, and/or maintained in, a specific location. [GOC:pr]' - }, - 'GO:0097480': { - 'name': 'establishment of synaptic vesicle localization', - 'def': 'The directed movement of a synaptic vesicle or vesicles to a specific location. [GOC:pr]' - }, - 'GO:0097482': { - 'name': 'muscle cell postsynaptic density', - 'def': 'A postsynaptic specialization that is part of a neuromuscular junction. [GOC:pr]' - }, - 'GO:0097484': { - 'name': 'dendrite extension', - 'def': 'Long distance growth of a single dendrite involved in cellular development. [GOC:BHF, GOC:rl]' - }, - 'GO:0097485': { - 'name': 'neuron projection guidance', - 'def': 'The process in which the migration of a neuron projection is directed to a specific target site in response to a combination of attractive and repulsive cues. [GOC:BHF, GOC:rl, PMID:22790009]' - }, - 'GO:0097486': { - 'name': 'multivesicular body lumen', - 'def': 'The volume enclosed by the outermost membrane of a multivesicular body. [GOC:pde, PMID:21183070]' - }, - 'GO:0097487': { - 'name': 'multivesicular body, internal vesicle', - 'def': 'A membrane-bounded vesicle wholly contained within a multivesicular body. [GOC:pde, PMID:21183070]' - }, - 'GO:0097488': { - 'name': 'multivesicular body, internal vesicle membrane', - 'def': 'The lipid bilayer surrounding a multivesicular body internal vesicle. [GOC:pde, PMID:21183070]' - }, - 'GO:0097489': { - 'name': 'multivesicular body, internal vesicle lumen', - 'def': 'The volume enclosed by the membrane of the multivesicular body internal vesicle. [GOC:pde, PMID:21183070]' - }, - 'GO:0097490': { - 'name': 'sympathetic neuron projection extension', - 'def': 'Long distance growth of a single sympathetic neuron projection involved in cellular development. A neuron projection is a prolongation or process extending from a nerve cell, e.g. an axon or dendrite. [GOC:BHF, GOC:rl, PMID:22790009]' - }, - 'GO:0097491': { - 'name': 'sympathetic neuron projection guidance', - 'def': 'The process in which the migration of a sympathetic neuron projection is directed to a specific target site in response to a combination of attractive and repulsive cues. [GOC:BHF, GOC:rl, PMID:22790009]' - }, - 'GO:0097492': { - 'name': 'sympathetic neuron axon guidance', - 'def': 'The chemotaxis process that directs the migration of a sympathetic neuron axon growth cone to a specific target site in response to a combination of attractive and repulsive cues. [GOC:BHF, GOC:rl, PMID:22790009]' - }, - 'GO:0097493': { - 'name': 'structural molecule activity conferring elasticity', - 'def': 'The action of a molecule that contributes to the structural integrity of a complex or assembly within or outside a cell, providing elasticity and recoiling. [GOC:BHF, GOC:rl, PMID:23283722]' - }, - 'GO:0097494': { - 'name': 'regulation of vesicle size', - 'def': 'Any process that modulates the size of a vesicle. [GOC:pm, PMID:20007772]' - }, - 'GO:0097495': { - 'name': 'H-NS-Hha complex', - 'def': 'A trimeric protein complex made up of an H-NS homodimer and an Hha monomer. In Enterobacteriaceae, this complex negatively regulates transcription of a range of genes. [GOC:bhm, PMID:21600204]' - }, - 'GO:0097496': { - 'name': 'blood vessel lumen ensheathment', - 'def': 'A blood vessel lumenization process that occurs by blood vessel endothelial cells delaminating and aligning along the inner surface of an existing luminal space, extending the open ended lumen, and joining to other blood vessels to form a complete blood vessel. [GOC:dgh, PMID:23698350]' - }, - 'GO:0097497': { - 'name': 'blood vessel endothelial cell delamination', - 'def': 'The process of negative regulation of cell adhesion that results in blood vessel endothelial cells splitting off from an existing endothelial sheet. [GOC:dgh, PMID:23698350]' - }, - 'GO:0097498': { - 'name': 'endothelial tube lumen extension', - 'def': 'Any endothelial tube morphogenesis process by which the tube is increased in length. [GOC:dgh, PMID:23698350]' - }, - 'GO:0097499': { - 'name': 'protein localization to non-motile cilium', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a non-motile cilium. [GOC:cilia, GOC:kmv, PMID:23128241]' - }, - 'GO:0097500': { - 'name': 'receptor localization to non-motile cilium', - 'def': 'A process in which a receptor is transported to, or maintained in, a location within a non-motile cilium. [GOC:cilia, GOC:kmv, PMID:23128241]' - }, - 'GO:0097501': { - 'name': 'stress response to metal ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in organismal or cellular homeostasis caused by a metal ion stimulus. [GOC:kmv]' - }, - 'GO:0097502': { - 'name': 'mannosylation', - 'def': 'The covalent attachment of a mannose residue to a substrate molecule. [GOC:cjm]' - }, - 'GO:0097503': { - 'name': 'sialylation', - 'def': 'The covalent attachment of sialic acid to a substrate molecule. [GOC:cjm]' - }, - 'GO:0097504': { - 'name': 'Gemini of coiled bodies', - 'def': "Nuclear bodies frequently found near or associated with Cajal bodies (also called coiled bodies or CBs). Gemini of coiled bodies, or 'gems', are similar in size and shape to CBs, and often indistinguishable under the microscope. Unlike CBs, gems do not contain small nuclear ribonucleoproteins (snRNPs); they contain a protein called survivor of motor neurons (SMN) whose function relates to snRNP biogenesis. Gems are believed to assist CBs in snRNP biogenesis, and to play a role in the etiology of spinal muscular atrophy (SMA). [GOC:pr, http://en.wikipedia.org/wiki/Cell_nucleus#Cajal_bodies_and_gems, PMID:11031238, PMID:9683623]" - }, - 'GO:0097505': { - 'name': 'Rad6-Rad18 complex', - 'def': 'A ubiquitin ligase complex found to be involved in post-replicative bypass of UV-damaged DNA and UV mutagenesis. In S. cerevisiae, the complex contains the ubiquitin conjugating enzyme Rad6 and Rad18, a protein containing a RING finger motif and a nucleotide binding motif. The yeast Rad6-Rad18 heterodimer has ubiquitin conjugating activity, binds single-stranded DNA, and possesses single-stranded DNA-dependent ATPase activity. [GOC:jd, PMID:9287349]' - }, - 'GO:0097506': { - 'name': 'deaminated base DNA N-glycosylase activity', - 'def': 'DNA N-glycosylase activity acting on deaminated bases. [GOC:al, PMID:18789404]' - }, - 'GO:0097507': { - 'name': 'hypoxanthine DNA N-glycosylase activity', - 'def': 'DNA N-glycosylase activity acting on deaminated adenine (hypoxanthine). [GOC:al, PMID:18789404]' - }, - 'GO:0097508': { - 'name': 'xanthine DNA N-glycosylase activity', - 'def': 'DNA N-glycosylase activity acting on deaminated guanine (xanthine). [GOC:al, PMID:18789404]' - }, - 'GO:0097509': { - 'name': 'oxanine DNA N-glycosylase activity', - 'def': 'DNA N-glycosylase activity acting on deaminated guanine where the resulting base (oxanine) is generated by NO- or HNO2-induced nitrosative deamination. [GOC:al, PMID:18789404]' - }, - 'GO:0097510': { - 'name': 'base-excision repair, AP site formation via deaminated base removal', - 'def': 'A base-excision repair, AP site formation process occurring via excision of a deaminated base. [GOC:al, PMID:18789404]' - }, - 'GO:0097511': { - 'name': 'dendritic cell dendrite', - 'def': 'A branched cellular projection (or cytoplasmic extension) that is extended from the surface of a dendritic immune cell, and which enables the cell to sample luminal pathogens and increase the surface area for antigen presentation to T cells. [CL:0000451, GOC:BHF, GOC:cjm, PMID:12200351]' - }, - 'GO:0097512': { - 'name': 'cardiac myofibril', - 'def': 'A cardiac myofibril is a myofibril specific to cardiac muscle cells. [GOC:cjm, GOC:devbiol]' - }, - 'GO:0097513': { - 'name': 'myosin II filament', - 'def': 'A bipolar filament composed of myosin II molecules. [GOC:cjm, GOC:mah]' - }, - 'GO:0097514': { - 'name': 'sexual spore wall', - 'def': 'A specialized envelope lying outside the cell membrane of a spore derived from a product of meiosis. [GOC:cjm, GOC:mah]' - }, - 'GO:0097515': { - 'name': 'asexual spore wall', - 'def': 'A specialized envelope lying outside the cell membrane of a spore derived from an asexual process. Examples of this process are found in bacterial and fungal species. [GOC:cjm, GOC:mah]' - }, - 'GO:0097516': { - 'name': 'microvillar actin bundle', - 'def': 'A parallel bundle of actin filaments at the core of a microvillus. [GOC:cjm, GOC:mah]' - }, - 'GO:0097517': { - 'name': 'contractile actin filament bundle', - 'def': 'An actin filament bundle in which the filaments are loosely packed (approximately 30-60 nm apart) and arranged with opposing polarities; the loose packing allows myosin (usually myosin-II) to enter the bundle. [GOC:cjm, GOC:mah, ISBN:0815316194]' - }, - 'GO:0097518': { - 'name': 'parallel actin filament bundle', - 'def': 'An actin filament bundle in which the filaments are tightly packed (approximately 10-20 nm apart) and oriented with the same polarity. [GOC:cjm, GOC:mah, ISBN:0815316194]' - }, - 'GO:0097519': { - 'name': 'DNA recombinase complex', - 'def': 'A protein-DNA complex consisting of a higher-order oligomer of strand exchange proteins (recombinases) on single-stranded DNA. [GOC:cjm, PMID:10357855]' - }, - 'GO:0097520': { - 'name': 'nucleotide-excision repair, preincision complex', - 'def': 'A multiprotein complex involved in damage recognition, DNA helix unwinding, and endonucleolytic cleavage at the site of DNA damage. [GOC:cjm, GOC:elh, PMID:10197977]' - }, - 'GO:0097522': { - 'name': 'protein-DNA ISRE complex', - 'def': 'A protein-DNA complex formed through interaction of the protein(s) with an interferon-stimulated response element (ISRE) in the DNA. [GOC:amm, GOC:cjm, PMID:11747630]' - }, - 'GO:0097523': { - 'name': 'transcription ternary complex', - 'def': 'A protein-DNA-RNA complex composed of RNA polymerase, template DNA, and an RNA transcript. [GOC:cjm, GOC:txnOH]' - }, - 'GO:0097524': { - 'name': 'sperm plasma membrane', - 'def': 'A plasma membrane that is part of a sperm cell. [GOC:cjm]' - }, - 'GO:0097525': { - 'name': 'spliceosomal snRNP complex', - 'def': 'A ribonucleoprotein complex involved in formation of the spliceosome and composed of one or more snRNA and multiple protein components. [GOC:pr, ISBN:0879695897]' - }, - 'GO:0097526': { - 'name': 'spliceosomal tri-snRNP complex', - 'def': 'A spliceosomal snRNP complex containing U4 and U6 (or U4atac and U6atac) snRNAs and U5 snRNAs and associated proteins. [GOC:pr, ISBN:0879695897, PMID:9452384]' - }, - 'GO:0097527': { - 'name': 'necroptotic signaling pathway', - 'def': 'A series of molecular signals which triggers the necroptotic death of a cell. The pathway starts with reception of a signal, is characterized by activation of receptor-interacting serine/threonine-protein kinase 1 and/or 3 (RIPK1/3, also called RIP1/3), and ends when the execution phase of necroptosis is triggered. [GOC:mtg_apoptosis, PMID:20823910]' - }, - 'GO:0097528': { - 'name': 'execution phase of necroptosis', - 'def': 'A stage of the necroptotic process that starts after a necroptotic signal has been relayed to the execution machinery. Key steps of the execution phase are swelling of organelles, minor ultrastructural modifications of the nucleus (specifically, dilatation of the nuclear membrane and condensation of chromatin into small, irregular, circumscribed patches) and increased cell volume (oncosis), culminating in the disruption of the plasma membrane and subsequent loss of intracellular contents. The execution phase ends when the cell has died. [GOC:mtg_apoptosis, PMID:20823910]' - }, - 'GO:0097529': { - 'name': 'myeloid leukocyte migration', - 'def': 'The movement of a myeloid leukocyte within or between different tissues and organs of the body. [GOC:cvs, PMID:22342843, PMID:24157461]' - }, - 'GO:0097530': { - 'name': 'granulocyte migration', - 'def': 'The movement of a granulocyte within or between different tissues and organs of the body. [GOC:cvs, PMID:24163421, PMID:24193336]' - }, - 'GO:0097531': { - 'name': 'mast cell migration', - 'def': 'The movement of a mast cell within or between different tissues and organs of the body. [GOC:cvs, PMID:24152847]' - }, - 'GO:0097532': { - 'name': 'stress response to acid chemical', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in organismal or cellular homeostasis caused by the chemical structure of the anion portion of a dissociated acid (rather than the acid acting as a proton donor). The acid chemical may be in gaseous, liquid or solid form. [GOC:aa, GOC:BHF, GOC:go_curators, GOC:rl, http://en.wikipedia.org/wiki/Acid, PMID:10615049, PMID:19170886]' - }, - 'GO:0097533': { - 'name': 'cellular stress response to acid chemical', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in cellular homeostasis caused by the chemical structure of the anion portion of a dissociated acid (rather than the acid acting as a proton donor). The acid chemical may be in gaseous, liquid or solid form. [GOC:aa, GOC:BHF, GOC:go_curators, GOC:rl, http://en.wikipedia.org/wiki/Acid, PMID:10615049, PMID:19170886]' - }, - 'GO:0097534': { - 'name': 'lymphoid lineage cell migration', - 'def': 'The orderly movement of a lymphoid lineage cell from one site to another. A lymphoid lineage cell, also called a lymphoid lineage restricted progenitor cell, is a progenitor cell restricted to the lymphoid lineage. [GOC:pr, PMID:22342843]' - }, - 'GO:0097535': { - 'name': 'lymphoid lineage cell migration into thymus', - 'def': 'The movement of a lymphoid lineage cell (also called a lymphoid lineage restricted progenitor cell) into the thymus. Lymphoid lineage cells enter and exit the thymus several times as part of this process. [GOC:cvs, PMID:22342843]' - }, - 'GO:0097536': { - 'name': 'thymus epithelium morphogenesis', - 'def': 'The process in which the thymus epithelium is generated and organized. [GOC:pr, PMID:22342843]' - }, - 'GO:0097537': { - 'name': 'Y-shaped link', - 'def': 'A Y-shaped protein complex in the ciliary transition zone that connects the cilium axoneme to the ciliary necklace. Both protein sorting and protein gating occur at this point in the cilium allowing some, but not all proteins to enter the cilium. [GOC:cilia, PMID:22653444, PMID:4554367]' - }, - 'GO:0097538': { - 'name': 'ciliary necklace', - 'def': 'A protein complex located on the cilium membrane in the ciliary transition zone; it is connected to the cilium axoneme via Y-shaped links. [GOC:cilia, PMID:22653444, PMID:4554367]' - }, - 'GO:0097539': { - 'name': 'ciliary transition fiber', - 'def': 'A nine-bladed, propeller-like protein complex that links the distal end of the basal body and the cilium to the plasma membrane. Functions in protein sorting and gating (i.e. active and passive transport of proteins in and out of the cilium). [GOC:cilia, GOC:kmv, GOC:krc, PMID:22653444, PMID:24231678, PMID:5064817, PMID:5335827]' - }, - 'GO:0097540': { - 'name': 'axonemal central pair', - 'def': 'Part of the axoneme consisting of the inner two microtubule doublets of the 9+2 axoneme occurring in most motile cilia. [GOC:cilia, GOC:krc, PMID:24283352]' - }, - 'GO:0097541': { - 'name': 'axonemal basal plate', - 'def': 'Part of the axoneme consisting of a highly electron-dense region at the distal end of the ciliary transition zone within the axonemal lumen at which the axonemal central pair of microtubules is connected to the rest of the axonemal structure. [GOC:cilia, PMID:23352055, PMID:4554367]' - }, - 'GO:0097542': { - 'name': 'ciliary tip', - 'def': 'Part of the cilium where the axoneme ends. The ciliary tip has been implicated in ciliary assembly and disassembly, as well as signal transduction. [GOC:cilia, PMID:23970417]' - }, - 'GO:0097543': { - 'name': 'ciliary inversin compartment', - 'def': 'Proximal part of the ciliary shaft to which the inversin protein (also called Inv) specifically localizes. The inversin compartment appears to have a different protein composition than the rest of the cilium, although there is no structure that separates it form the distal part of the cilium. [GOC:cilia, PMID:19050042]' - }, - 'GO:0097544': { - 'name': 'ciliary shaft', - 'def': 'The mid part of a cilium between the ciliary base and ciliary tip that extends into the extracellular space. [GOC:cilia, GOC:krc, PMID:19866682]' - }, - 'GO:0097545': { - 'name': 'axonemal outer doublet', - 'def': 'Part of an axoneme consisting in a doublet microtubule. Nine of these outer doublets form the 9+0 axoneme, while the 9+2 axoneme also contains a central pair. Dynein arms attached to the doublets provide the mechanism of movement of the cilium. [GOC:cilia, GOC:krc, GOC:pr, http://en.wikipedia.org/wiki/Axoneme, PMID:5044758, PMID:5664206]' - }, - 'GO:0097546': { - 'name': 'ciliary base', - 'def': 'Area of the cilium (also called flagellum) where the basal body and the axoneme are anchored to the plasma membrane. The ciliary base encompasses the distal part of the basal body, transition fibers and transition zone and is structurally and functionally very distinct from the rest of the cilium. In this area proteins are sorted and filtered before entering the cilium, and many ciliary proteins localize specifically to this area. [GOC:cilia, GOC:krc, PMID:22653444]' - }, - 'GO:0097547': { - 'name': 'synaptic vesicle protein transport vesicle', - 'def': 'A cytoplasmic vesicle composed of both tubulovesicular and clear core vesicles that transport synaptic vesicle-associated proteins. Proteins carried by synaptic vesicle protein transport vesicles (STVs) include synaptophysin, synapsin Ia, synaptotagmin and synaptobrevin/vesicle-associated membrane protein 2 (VAMP2). STVs are packaged via the trans-Golgi network before being transported through the axon. [GOC:dr, PMID:21569270]' - }, - 'GO:0097548': { - 'name': 'seed abscission', - 'def': 'The controlled shedding of a seed. [GOC:lmo]' - }, - 'GO:0097549': { - 'name': 'chromatin organization involved in negative regulation of transcription', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription by chromatin organization. [GOC:di, PMID:23123093]' - }, - 'GO:0097550': { - 'name': 'transcriptional preinitiation complex', - 'def': 'A protein-DNA complex composed of proteins binding promoter DNA to form the transcriptional preinitiation complex (PIC), the formation of which is a prerequisite for transcription. [GOC:di, PMID:22751016]' - }, - 'GO:0097551': { - 'name': 'mitochondrial double-strand break repair', - 'def': 'The repair of double-strand breaks in mitochondrial DNA via homologous and nonhomologous mechanisms to reform a continuous DNA helix. [GOC:di, PMID:22214610]' - }, - 'GO:0097552': { - 'name': 'mitochondrial double-strand break repair via homologous recombination', - 'def': 'The repair of a double-strand break in mitochondrial DNA in which the broken DNA molecule is repaired using homologous sequences. [GOC:di, PMID:22214610]' - }, - 'GO:0097553': { - 'name': 'calcium ion transmembrane import into cytosol', - 'def': 'A process in which a calcium ion is transported from one side of a membrane to the other into the cytosol by means of some agent such as a transporter or pore. [GOC:vw]' - }, - 'GO:0097554': { - 'name': 'left anterior flagellum', - 'def': 'A cilium (also called flagellum) found in Giardia species (trophozoite stage). It originates at the left anterior basal body, extends laterally through the cytoplasm, crosses the right anterior axoneme, and exits as a membrane-bound flagellum on the anterior left side of the cell. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097555': { - 'name': 'right anterior flagellum', - 'def': 'A cilium (also called flagellum) found in Giardia species (trophozoite stage). It originates at the right anterior basal body, extends laterally through the cytoplasm, crosses the left anterior axoneme, and exits as a membrane-bound flagellum on the anterior right side of the cell. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097556': { - 'name': 'left posteriolateral flagellum', - 'def': 'A cilium (also called flagellum) found in Giardia species (trophozoite stage). It is nucleated by the left posteriolateral basal body and extends cytoplasmically toward the cell posterior, marking the left anterior boundary of the lateral shield and the left lateral region of the funis before exiting at the left lateral region of the cell body. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097557': { - 'name': 'right posteriolateral flagellum', - 'def': 'A cilium (also called flagellum) found in Giardia species (trophozoite stage). It is nucleated by the right posteriolateral basal body and extends cytoplasmically toward the cell posterior, marking the right anterior boundary of the lateral shield and the right lateral region of the funis before exiting at the right lateral region of the cell body. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097558': { - 'name': 'left ventral flagellum', - 'def': 'A cilium (also called flagellum) found in Giardia species (trophozoite stage). It is nucleated by the left ventral basal body and exits the cell body proximally and dorsal to the ventral disc. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097559': { - 'name': 'right ventral flagellum', - 'def': 'A cilium (also called flagellum) found in Giardia species (trophozoite stage). It is nucleated by the right ventral basal body and exits the cell body proximally and dorsal to the ventral disc. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097560': { - 'name': 'left caudal flagellum', - 'def': 'A cilium (also called flagellum) found in Giardia species (trophozoite stage). It is nucleated by the left caudal basal body, extending cytoplasmically and exiting at the posterior end of the cell body. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097561': { - 'name': 'right caudal flagellum', - 'def': 'A cilium (also called flagellum) found in Giardia species (trophozoite stage). It is nucleated by the right caudal basal body, extending cytoplasmically and exiting at the posterior end of the cell body. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097562': { - 'name': 'left lateral basal body pair', - 'def': 'Set of two basal bodies found in Giardia species (trophozoite stage). It comprises the anterior and ventral basal bodies located to the right of the left nucleus of the trophozoite when viewed dorsally. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097563': { - 'name': 'left middle basal body pair', - 'def': 'Set of two basal bodies found in Giardia species (trophozoite stage). It comprises the caudal and posteriolateral basal bodies located to the right of the left nucleus of the trophozoite when viewed dorsally. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097564': { - 'name': 'right lateral basal body pair', - 'def': 'Set of two basal bodies found in Giardia species (trophozoite stage). It comprises the anterior and ventral basal bodies located to the left of the right nucleus of the trophozoite when viewed dorsally. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097565': { - 'name': 'right middle basal body pair', - 'def': 'Set of two basal bodies found in Giardia species (trophozoite stage). It comprises the caudal and posteriolateral basal bodies located to the left of the right nucleus of the trophozoite when viewed dorsally. [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097566': { - 'name': 'left tetrad', - 'def': 'Set of four basal bodies found in Giardia species (trophozoite stage). It comprises the left lateral basal body pair and the left middle basal body pair (i.e. the anterior, ventral, caudal and posteriolateral basal bodies located to the right of the left nucleus of the trophozoite when viewed dorsally). [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097567': { - 'name': 'right tetrad', - 'def': 'Set of four basal bodies found in Giardia species (trophozoite stage). It comprises the right lateral basal body pair and the right middle basal body pair (i.e. the anterior, ventral, caudal and posteriolateral basal bodies located to the left of the right nucleus of the trophozoite when viewed dorsally). [GOC:giardia, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:0097568': { - 'name': 'median body', - 'def': 'A non-membrane bound, semi-organized microtubule array of unknown function found in Giardia species (trophozoite stage). It is located on the dorsal side of the trophozoite, slightly posterior to the ventral disc. [GOC:giardia, PMID:5961344]' - }, - 'GO:0097569': { - 'name': 'lateral shield', - 'def': 'Region of the ventral side of the cell body found in Giardia species (trophozoite stage). It is located posterior on either side of the ventral groove; the upper boundary is the ventral disc, and the lower boundary is marked by the posteriolateral flagella. [GOC:giardia, ISBN:9780124260207]' - }, - 'GO:0097570': { - 'name': 'cyst wall', - 'def': 'The specialized envelope lying outside the cell membrane of a cyst. A cyst is a resting or dormant stage of a microorganism, usually a bacterium or a protist or rarely an invertebrate animal, that helps the organism to survive in unfavorable environmental conditions. In protists such as protozoan parasites alternating cystic- and non-cystic stages, the cyst wall is usually composed of carbohydrates and proteins. [GOC:giardia, http://en.wikipedia.org/wiki/Microbial_cyst, PMID:15134259, PMID:2026212]' - }, - 'GO:0097571': { - 'name': 'left nucleus', - 'def': 'One of the two nuclei found in Giardia species (trophozoite stage). It is located on the left side of the cell when viewed from the dorsal side. [GOC:giardia, ISBN:0-444-81258-X]' - }, - 'GO:0097572': { - 'name': 'right nucleus', - 'def': 'One of the two nuclei found in Giardia species (trophozoite stage). It is located on the right side of the cell when viewed from the dorsal side. [GOC:giardia, ISBN:0-444-81258-X]' - }, - 'GO:0097573': { - 'name': 'glutathione oxidoreductase activity', - 'def': 'Catalysis of the reaction: protein-S-S-glutathione + glutathione-SH = protein-SH + glutathione-S-S-glutathione. [GOC:jd, PMID:18992757]' - }, - 'GO:0097574': { - 'name': 'lateral part of cell', - 'def': 'The region of a polarized cell other than its tips or ends (in some cell types, one end may be called the apex and the other the base). For example, in a polarized epithelial cell, the lateral part includes the cell sides which interface adjacent cells. [GOC:pr]' - }, - 'GO:0097575': { - 'name': 'lateral cell cortex', - 'def': 'The region directly beneath the plasma membrane of the lateral portion of the cell. [GOC:mah, PMID:24146635]' - }, - 'GO:0097576': { - 'name': 'vacuole fusion', - 'def': 'Merging of two or more vacuoles, or of vacuoles and vesicles within a cell to form a single larger vacuole. [GOC:pr, GOC:vw, http://en.wikipedia.org/wiki/Vacuole]' - }, - 'GO:0097577': { - 'name': 'sequestering of iron ion', - 'def': 'The process of binding or confining iron ions such that they are separated from other components of a biological system. [GOC:mr, PMID:3099306]' - }, - 'GO:0097578': { - 'name': 'sequestering of copper ion', - 'def': 'The process of binding or confining copper ions such that they are separated from other components of a biological system. [GOC:mr, PMID:3099306]' - }, - 'GO:0097579': { - 'name': 'extracellular sequestering of copper ion', - 'def': 'The process of binding or confining copper ions in an extracellular area such that they are separated from other components of a biological system. [GOC:mr, PMID:3099306]' - }, - 'GO:0097580': { - 'name': 'intracellular sequestering of copper ion', - 'def': 'The process of binding or confining copper ions in an intracellular area such that they are separated from other components of a biological system. [GOC:mr, PMID:3099306]' - }, - 'GO:0097581': { - 'name': 'lamellipodium organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a lamellipodium. A lamellipodium is a thin sheetlike process extended by the leading edge of a crawling fibroblast; contains a dense meshwork of actin filaments. [GOC:als, PMID:16054028]' - }, - 'GO:0097582': { - 'name': 'dolichyl-phosphate-mannose-protein mannosyltransferase Pmt1p-Pmt2p dimer complex', - 'def': 'A protein dimer complex that possesses dolichyl-phosphate-mannose-protein mannosyltransferase activity and, in S. cerevisiae, is composed of Pmt1p-Pmt2p. [GOC:jd, PMID:12551906]' - }, - 'GO:0097583': { - 'name': 'dolichyl-phosphate-mannose-protein mannosyltransferase Pmt1p-Pmt3p dimer complex', - 'def': 'A protein dimer complex that possesses dolichyl-phosphate-mannose-protein mannosyltransferase activity and, in S. cerevisiae, is composed of Pmt1p-Pmt3p. [GOC:jd, PMID:12551906]' - }, - 'GO:0097584': { - 'name': 'dolichyl-phosphate-mannose-protein mannosyltransferase Pmt5p-Pmt2p dimer complex', - 'def': 'A protein dimer complex that possesses dolichyl-phosphate-mannose-protein mannosyltransferase activity and, in S. cerevisiae, is composed of Pmt5p-Pmt2p. [GOC:jd, PMID:12551906]' - }, - 'GO:0097585': { - 'name': 'dolichyl-phosphate-mannose-protein mannosyltransferase Pmt5p-Pmt3p dimer complex', - 'def': 'A protein dimer complex that possesses dolichyl-phosphate-mannose-protein mannosyltransferase activity and, in S. cerevisiae, is composed of Pmt5p-Pmt3p. [GOC:jd, PMID:12551906]' - }, - 'GO:0097586': { - 'name': 'dolichyl-phosphate-mannose-protein mannosyltransferase Pmt4p homodimer complex', - 'def': 'A protein dimer complex that possesses dolichyl-phosphate-mannose-protein mannosyltransferase activity and, in S. cerevisiae, is composed of Pmt4p. [GOC:bhm, GOC:jd, PMID:12551906]' - }, - 'GO:0097587': { - 'name': 'MutLgamma complex', - 'def': 'A heterodimer involved in the recognition of base-base and small insertion/deletion mismatches. In S. cerevisiae the complex consists of two subunits, Mlh1 and Mlh3. [GOC:jd, PMID:10570173]' - }, - 'GO:0097588': { - 'name': 'archaeal or bacterial-type flagellum-dependent cell motility', - 'def': 'Cell motility due to movement of bacterial- or archaeal-type flagella. [GOC:cilia, GOC:krc]' - }, - 'GO:0097589': { - 'name': 'archaeal-type flagellum', - 'def': 'A non-membrane-bounded organelle superficially similar to a bacterial-type flagellum; they both consist of filaments extending outside the cell, and rotate to propel the cell, but the archaeal flagella (also called archaella) have a unique structure which lacks a central channel. Similar to bacterial type IV pilins, the archaeal flagellins (archaellins) are made with class 3 signal peptides and they are processed by a type IV prepilin peptidase-like enzyme. The archaellins are typically modified by the addition of N-linked glycans which are necessary for proper assembly and/or function. [GOC:cilia, GOC:krc, http://en.wikipedia.org/wiki/Flagellum#Archaeal, PMID:21265748, PMID:23146836, PMID:23204365, PMID:24330313]' - }, - 'GO:0097590': { - 'name': 'archaeal-type flagellum-dependent cell motility', - 'def': 'Cell motility due to the motion of one or more archaeal-type flagella. An archaeal-type flagellum (also called archaellum) is a non-membrane-bounded organelle superficially similar to a bacterial-type flagellum, but having a different molecular structure and lacking a central channel. [GOC:cilia, GOC:krc, http://en.wikipedia.org/wiki/Flagellum#Archaeal]' - }, - 'GO:0097591': { - 'name': 'ventral disc lateral crest', - 'def': 'Fibrillar repetitive structure surrounding the ventral disc edge in Giardia species (trophozoite stage). The composition of the lateral crest is not fully known yet. [GOC:giardia]' - }, - 'GO:0097592': { - 'name': 'ventral disc overlap zone', - 'def': 'A region of the ventral disc of Giardia species (trophozoite stage) where two portions of the same array of microtubules overlap (the microtubule array makes a complete circle and overlaps on itself). [GOC:giardia]' - }, - 'GO:0097593': { - 'name': 'ventral disc microtubule array', - 'def': 'A part of the ventral disc of Giardia species (trophozoite stage) consisting of a spiral array of microtubules linked to the ventral membrane. These microtubules form the base of the ventral disc dorsal microribbons that extend nearly perpendicular from the membrane. [GOC:giardia]' - }, - 'GO:0097594': { - 'name': 'ventral disc dorsal microribbon', - 'def': 'Trilaminar structure extending perpendicularly into the cytoplasm along the length of ventral disc microtubules in Giardia species (trophozoite stage). Constituents of dorsal microribbons (also called dorsal ribbons or microribbons) include alpha-coiled-helix proteins approximately 29 to 38 kDa in size. These proteins line the edges of the microribbons but are not found in microtubules. Tubulins are not found in microribbons. [GOC:giardia, PMID:11432808]' - }, - 'GO:0097595': { - 'name': 'ventral disc crossbridge', - 'def': 'Structure horizontally linking adjacent microribbons of the ventral disc in Giardia species (trophozoite stage). The composition of crossbridges is not fully known yet. [GOC:giardia]' - }, - 'GO:0097596': { - 'name': 'ventral disc supernumerary microtubule array', - 'def': 'A partial left-handed spiral array of microtubules that lies generally dorsal to the main ventral disc microtubule array in Giardia species (trophozoite stage). [GOC:giardia, ISBN:9780124260207]' - }, - 'GO:0097597': { - 'name': 'ventral disc', - 'def': "Specialized organelle found in Giardia species (trophozoite stage) and characterized by a spiral array of microtubules and microtubule-associated structures including dorsal microribbons and crossbridges. The edge of the ventral disc narrows into a lateral crest. The ventral disk mediates mechanical attachment of the trophozoite to the host's intestinal wall, and contains the contractile proteins actinin, alpha-actinin, myosin, and tropomyosin working towards contraction of the disk involved in adherence. [GOC:giardia, ISBN:9780124260207, PMID:11432808, PMID:4777416, PMID:5961344]" - }, - 'GO:0097598': { - 'name': 'sperm cytoplasmic droplet', - 'def': 'A small amount of cytoplasm surrounded by a cell membrane that is generally retained in spermatozoa after spermiogenesis, when the majority of the cytoplasm is phagocytosed by Sertoli cells to produce \\residual bodies\\. Initially, the droplet is located at the neck just behind the head of an elongated spermatid. During epididymal transit, the cytoplasmic droplet migrates caudally to the annulus at the end of the midpiece; the exact position and time varies by species. The cytoplasmic droplet consists of lipids, lipoproteins, RNAs, a variety of hydrolytic enzymes, receptors, ion channels, and Golgi-derived vesicles. The droplet may be involved in regulatory volume loss (RVD) at ejaculation, and in most species, though not in humans, the cytoplasmic droplet is lost at ejaculation. Note that the cytoplasmic droplet is distinct from \\excessive residual cytoplasm\\ that sometimes remains in epididymal spermatozoa, particularly when spermiogenesis has been disrupted. [GOC:krc, GOC:vesicles, PMID:12672117, PMID:21076437, PMID:23159014]' - }, - 'GO:0097599': { - 'name': 'xylanase activity', - 'def': 'Catalysis of the hydrolysis of xylans, homopolysaccharides composed of xylose residues. [GOC:jh2, ISBN:81-7736-269-0]' - }, - 'GO:0097600': { - 'name': 'exoxylanase activity', - 'def': 'A xylanase activity that acts on one of the ends of a xylan polymer which does not contain side chains. [GOC:jh2, ISBN:81-7736-269-0, PMID:16535010]' - }, - 'GO:0097601': { - 'name': 'retina blood vessel maintenance', - 'def': 'A retina homeostatic process preventing the degeneration of a retina blood vessel. [GOC:jh2, PMID:23093773]' - }, - 'GO:0097602': { - 'name': 'cullin family protein binding', - 'def': 'Interacting selectively and non-covalently with any member of the cullin family, hydrophobic proteins that act as scaffolds for ubiquitin ligases (E3). [GOC:ha, InterPro:IPR016158, PMID:18698375]' - }, - 'GO:0097603': { - 'name': 'temperature-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens in response to a temperature stimulus (e.g. exposure to a temperature range different than the optimal temperature for that organism). [GOC:ha, GOC:pr, PMID:23027824]' - }, - 'GO:0097604': { - 'name': 'temperature-gated cation channel activity', - 'def': 'Enables the transmembrane transfer of a cation by a channel that opens in response to a temperature stimulus (e.g. exposure to a temperature range different than the optimal temperature for that organism). [GOC:ha, GOC:pr, PMID:23027824]' - }, - 'GO:0097605': { - 'name': 'regulation of nuclear envelope permeability', - 'def': 'Any process that modulates the frequency, rate or extent of the passage or uptake of molecules by the nuclear envelope. [GOC:pr]' - }, - 'GO:0097606': { - 'name': 'positive regulation of nuclear envelope permeability', - 'def': 'Any process that increases the frequency, rate or extent of the passage or uptake of molecules by the nuclear envelope. [GOC:pr]' - }, - 'GO:0097607': { - 'name': 'negative regulation of nuclear envelope permeability', - 'def': 'Any process that decreases the frequency, rate or extent of the passage or uptake of molecules by the nuclear envelope. [GOC:pr]' - }, - 'GO:0097608': { - 'name': 'transverse flagellum', - 'def': 'A motile cilium found in dinoflagellates. It coils around the cell and provides the forward thrust for motility. It is often contained in a furrow called the cingulum, and emerges from a flagellar pore located in the cingulum. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097609': { - 'name': 'longitudinal flagellum', - 'def': 'A motile cilium found in dinoflagellates. It trails the cell and acts as a steering rudder. It is often partially contained in a furrow called the sulcus, and emerges from a flagellar pore located in the sulcus. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097610': { - 'name': 'cell surface furrow', - 'def': 'A furrow that may be found on the cell surface. Examples are the cleavage furrow observed during cytokinesis in animal cells, and the cingulum and sulcus found in some dinoflagellates. [GOC:pr]' - }, - 'GO:0097611': { - 'name': 'dinoflagellate cingulum', - 'def': 'A cell surface furrow that wraps around a dinoflagellate cell; the transverse flagellum lies in it. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097612': { - 'name': 'dinoflagellate sulcus', - 'def': 'A cell surface furrow that occurs on the ventral side of a dinoflagellate cell. It partially houses the longitudinal flagellum. The sulcus intersects with the cingulum on the ventral side of a dinoflagellate cell. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097613': { - 'name': 'dinoflagellate epicone', - 'def': 'The part of a dinoflagellate cell above the cingulum; also referred to as the anterior portion of a dinoflagellate cell. It is separated from the hypocone by the cingulum. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097614': { - 'name': 'dinoflagellate hypocone', - 'def': 'The part of a dinoflagellate cell below the cingulum; also referred to as the posterior portion of a dinoflagellate cell. It is separated from the epicone by the cingulum. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097615': { - 'name': 'modulation by host of symbiont type IV pilus-dependent motility', - 'def': 'The process in which an organism effects a change in the type IV pilus-dependent motility of a symbiont organism (i.e. the controlled movement of a bacterial cell which is dependent on the presence of type IV pili, and which includes social gliding motility and twitching motility). The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:als, PMID:12037568]' - }, - 'GO:0097616': { - 'name': 'positive regulation by host of symbiont type IV pilus-dependent motility', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the type IV pilus-dependent motility of a symbiont organism (i.e. the controlled movement of a bacterial cell which is dependent on the presence of type IV pili, and which includes social gliding motility and twitching motility). The symbiont is defined as the smaller of the organisms involved in a symbiotic interaction. [GOC:als, PMID:12037568]' - }, - 'GO:0097617': { - 'name': 'annealing activity', - 'def': 'A nucleic acid binding activity that brings together complementary sequences of nucleic acids so that they pair by hydrogen bonds to form a double-stranded polynucleotide. [GOC:mba, http://en.wikipedia.org/wiki/Nucleic_acid_thermodynamics#Annealing]' - }, - 'GO:0097618': { - 'name': 'dinoflagellate sulcal notch', - 'def': 'A dinoflagellate sulcus that extends all the way to the posterior end of the cell (also known as antapex). The presence of a sulcal notch makes the dinoflagellate hypocone appear bilobed. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097619': { - 'name': 'PTEX complex', - 'def': 'A protein complex that acts as a protein trafficking machinery and is responsible for the export of proteins across the parasitophorous (symbiont-containing) vacuolar membrane and into the human host cell. The PTEX complex is located in the vacuole membrane. It is ATP-powered, and comprises heat shock protein 101 (HSP101; a ClpA/B-like ATPase from the AAA+ superfamily, of a type commonly associated with protein translocons), a parasite protein termed PTEX150, and exported protein 2 (EXP2). EXP2 is the potential channel, as it is the membrane-associated component of the core PTEX complex. Two other proteins, PTEX88 and thioredoxin 2 (TRX2), were also identified as PTEX components. [GOC:pr, PMID:19536257, PMID:25043010, PMID:25043043]' - }, - 'GO:0097620': { - 'name': '(R)-mandelate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-2-hydroxy-2-phenylacetate + acceptor = phenylglyoxylate + reduced acceptor. [GOC:pr, PMID:1731758, RHEA:43112]' - }, - 'GO:0097621': { - 'name': 'monoamine oxidase activity', - 'def': "Catalysis of the reaction: RCH2NHR' + H2O + O2 = RCHO + R'NH2 + H2O2. [EC:1.4.3.4, GOC:pr, RHEA:26417]" - }, - 'GO:0097622': { - 'name': 'cytoplasmic translational elongation through polyproline stretches', - 'def': 'The successive addition of amino acid residues to a nascent polypeptide chain, proceeding through regions of multiple repeated proline codons, during protein biosynthesis in the cytoplasm. [GOC:mcc, PMID:24923804]' - }, - 'GO:0097623': { - 'name': 'potassium ion export across plasma membrane', - 'def': 'The directed movement of potassium ions from inside of a cell, across the plasma membrane and into the extracellular region. [GOC:vw, PMID:11932440]' - }, - 'GO:0097624': { - 'name': 'UDP-galactose transmembrane import into Golgi lumen', - 'def': 'The directed movement of UDP-galactose into the Golgi lumen across the Golgi membrane. [GOC:vw, PMID:11378902]' - }, - 'GO:0097625': { - 'name': 'low-affinity basic amino acid transmembrane transporter activity', - 'def': 'Catalysis of the transfer of basic amino acids from one side of a membrane to the other. Basic amino acids have a pH above 7. In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [GOC:pr]' - }, - 'GO:0097626': { - 'name': 'low-affinity L-arginine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of L-arginine from one side of a membrane to the other. In low-affinity transport the transporter is able to bind the solute only if it is present at very high concentrations. [GOC:krc, PMID:8195186]' - }, - 'GO:0097627': { - 'name': 'high-affinity L-ornithine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of L-ornithine from one side of a membrane to the other. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [GOC:krc, PMID:8195186]' - }, - 'GO:0097628': { - 'name': 'distal tip cell migration', - 'def': 'The orderly movement of a distal tip cell. [CL:0000661, GOC:mm2, PMID:24968003]' - }, - 'GO:0097629': { - 'name': 'extrinsic component of omegasome membrane', - 'def': 'The component of the omegasome membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:mf, PMID:18725538, PMID:24591649]' - }, - 'GO:0097630': { - 'name': 'intrinsic component of omegasome membrane', - 'def': 'The component of the omegasome membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:mf, PMID:18725538, PMID:24591649]' - }, - 'GO:0097631': { - 'name': 'integral component of omegasome membrane', - 'def': 'The component of the omegasome membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:mf, PMID:18725538, PMID:24591649]' - }, - 'GO:0097632': { - 'name': 'extrinsic component of pre-autophagosomal structure membrane', - 'def': 'The component of the pre-autophagosomal structure membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:mf]' - }, - 'GO:0097633': { - 'name': 'intrinsic component of pre-autophagosomal structure membrane', - 'def': 'The component of the pre-autophagosomal structure membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:mf]' - }, - 'GO:0097634': { - 'name': 'integral component of pre-autophagosomal structure membrane', - 'def': 'The component of the pre-autophagosomal structure membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:mf]' - }, - 'GO:0097635': { - 'name': 'extrinsic component of autophagosome membrane', - 'def': 'The component of the autophagosome membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0097636': { - 'name': 'intrinsic component of autophagosome membrane', - 'def': 'The component of the autophagosome membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:autophagy, GOC:mf]' - }, - 'GO:0097637': { - 'name': 'integral component of autophagosome membrane', - 'def': 'The component of the autophagosome membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:autophagy, GOC:mf]' - }, - 'GO:0097638': { - 'name': 'L-arginine import across plasma membrane', - 'def': 'The directed movement of L-arginine from outside of a cell, across the plasma membrane and into the cytosol. [GOC:krc, PMID:8195186]' - }, - 'GO:0097639': { - 'name': 'L-lysine import across plasma membrane', - 'def': 'The directed movement of L-lysine from outside of a cell, across the plasma membrane and into the cytosol. [GOC:krc, PMID:8195186]' - }, - 'GO:0097640': { - 'name': 'L-ornithine import across plasma membrane', - 'def': 'The directed movement of L-ornithine from outside of a cell, across the plasma membrane and into the cytosol. [GOC:krc, PMID:8195186]' - }, - 'GO:0097641': { - 'name': 'alpha-ketoglutarate-dependent xanthine dioxygenase activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate (alpha-ketoglutarate) + O2 + xanthine = CO2 + succinate + urate. [GOC:vw, PMID:15948966, PMID:17429948, RHEA:43120]' - }, - 'GO:0097642': { - 'name': 'calcitonin family receptor activity', - 'def': 'Combining with any member of the calcitonin family (e.g. adrenomedullin, adrenomedullin 2 (intermedin), amylin, calcitonin and calcitonin gene-related peptides (CGRPs)) to initiate a change in cell activity. [GOC:bhm, InterPro:IPR003287, PMID:10871296, PMID:12037140, PMID:18687416]' - }, - 'GO:0097643': { - 'name': 'amylin receptor activity', - 'def': 'Combining with amylin to initiate a change in cell activity. [GOC:bhm, PMID:10871296, PMID:12037140, PMID:18687416]' - }, - 'GO:0097644': { - 'name': 'calcitonin family binding', - 'def': 'Interacting selectively and non-covalently with any member of the calcitonin family (e.g. adrenomedullin, adrenomedullin 2 (intermedin), amylin, calcitonin and calcitonin gene-related peptides (CGRPs)). [GOC:bhm, InterPro:IPR021116, PMID:10871296, PMID:12037140, PMID:18687416]' - }, - 'GO:0097645': { - 'name': 'amylin binding', - 'def': 'Interacting selectively and non-covalently with amylin. [GOC:bhm, PMID:10871296, PMID:12037140, PMID:18687416]' - }, - 'GO:0097646': { - 'name': 'calcitonin family receptor signaling pathway', - 'def': 'A series of molecular signals initiated by an extracellular member of the calcitonin family (e.g. adrenomedullin, adrenomedullin 2 (intermedin), amylin, calcitonin and calcitonin gene-related peptides (CGRPs)) combining with a calcitonin family receptor on the surface of the target cell. Calcitonin family receptors may form dimers, trimers or tetramers; adrenomedullin and amylin receptors have only been observed as dimers so far. [GOC:bhm, PMID:10871296, PMID:12037140, PMID:18687416]' - }, - 'GO:0097647': { - 'name': 'amylin receptor signaling pathway', - 'def': 'A series of molecular signals initiated by an extracellular amylin combining with a dimeric amylin receptor on the surface of the target cell. [GOC:bhm, PMID:10871296, PMID:12037140, PMID:18687416]' - }, - 'GO:0097648': { - 'name': 'G-protein coupled receptor complex', - 'def': 'A protein complex that contains G-protein coupled receptors. [GOC:bhm]' - }, - 'GO:0097649': { - 'name': 'A axonemal microtubule', - 'def': 'A complete microtubule with 13 protofilaments that fuses with an incomplete microtubule called B tubule (containing 10 protofilaments only) to form an axonemal outer doublet. Inner and outer dynein arms, as well as the radial spoke, are attached to the A tubule. [GOC:cilia, ISBN:0716731363]' - }, - 'GO:0097650': { - 'name': 'B axonemal microtubule', - 'def': 'An incomplete microtubule containing 10 protofilaments that fuses with a complete microtubule called A tubule (containing 13 protofilaments) to form an axonemal outer doublet. [GOC:cilia, ISBN:0716731363]' - }, - 'GO:0097651': { - 'name': 'phosphatidylinositol 3-kinase complex, class I', - 'def': 'A phosphatidylinositol 3-kinase complex that contains a catalytic and a regulatory subunit of a phosphatidylinositol 3-kinase (PI3K) enzyme, plus one or more adaptor proteins. Class I PI3Ks phosphorylate phosphatidylinositol [PI], phosphatidylinositol-4-phosphate [PI(4)P] and phosphatidylinositol-4,5-bisphosphate [PI(4,5)P2], and are divided into subclasses A and B according to the type of adaptor subunit with which they associate. The class I PI3K subfamily of genes comprises members in vertebrates, worm and fly, but none in yeast. [GOC:ha, PMID:24587488]' - }, - 'GO:0097652': { - 'name': 'phosphatidylinositol 3-kinase complex, class II', - 'def': 'A phosphatidylinositol 3-kinase complex that contains a catalytic subunit of a phosphatidylinositol 3-kinase (PI3K) enzyme and one or more adaptor proteins. There is no known obligatory regulatory subunit. The class II PI3K (PI3KC2) subfamily of genes has members in vertebrates, worm and fly, but none in yeast. [GOC:ha, PMID:24587488]' - }, - 'GO:0097653': { - 'name': 'unencapsulated part of cell', - 'def': 'The part of a cell encompassing the intracellular environment and the plasma membrane; it excludes any external encapsulating structures. [GOC:curators]' - }, - 'GO:0097654': { - 'name': 'platelet SNARE complex', - 'def': 'A SNARE complex that is capable of fusing intracellular vesicles to the plasma membrane of platelets for exocytosis of alpha-granules or dense granules. Contains isoforms of VAMP, SNAP and syntaxin proteins. Ternary SNARE complexes interact in a circular array to form ring complexes or channels around the membrane fusion. A common composition in human is VAMP-8, SNAP-23 and syntaxin-2 or -4. [GOC:bhm, PMID:12130530, PMID:19450911]' - }, - 'GO:0097655': { - 'name': 'serpin family protein binding', - 'def': 'Interacting selectively and non-covalently with any member of the serpin protein family (serine protease inhibitors or classified inhibitor family I4). Serpins are a broadly distributed family of protease inhibitors that use a conformational change to inhibit target enzymes. They are central in controlling many important proteolytic cascades. The majority of serpins inhibit serine proteases, but serpins that inhibit caspases and papain-like cysteine proteases have also been identified. Rarely, serpins perform a non-inhibitory function; for example, several human serpins function as hormone transporters and certain serpins function as molecular chaperones or tumor suppressors. [GOC:mr, InterPro:IPR000215, PMID:16737556]' - }, - 'GO:0097656': { - 'name': 'cell-cell self recognition', - 'def': 'A cell-cell recognition process by which a cell distinguishes between self and non self during cooperative behavior, such as early development. [GOC:pf, PMID:21700835, PMID:23910661]' - }, - 'GO:0097657': { - 'name': "3',5'-nucleotide bisphosphate phosphatase activity", - 'def': "Catalysis of the reaction: 3',5'-nucleotide bisphosphate + H20 = 5'-nucleotide monophosphate + phosphate. [GOC:jh2, PMID:24401123, RHEA:43532]" - }, - 'GO:0097658': { - 'name': 'Asi complex', - 'def': 'A nuclear ubiquitin ligase multiprotein complex located in the inner nuclear membrane (INM) that recognizes and ubiquitinates misfolded INM proteins and also some proteins involved in sterol biosynthesis, during ER-associated protein degradation (ERAD). In S. cerevisiae, this complex contains the ubiquitin ligases Asi1p and Asi3p. [GOC:mcc, PMID:25236469]' - }, - 'GO:0097659': { - 'name': 'nucleic acid-templated transcription', - 'def': 'The cellular synthesis of RNA on a template of nucleic acid (DNA or RNA). [GOC:pr, GOC:txnOH, GOC:vw]' - }, - 'GO:0097660': { - 'name': 'SCF-Cdc4 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Cdc4 in S. cerevisiae. [GOC:jd, GOC:vw, PMID:9346238]' - }, - 'GO:0097661': { - 'name': 'SCF-Ctf13 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Ctf13 in S. cerevisiae. [GOC:jd, GOC:vw, PMID:14747994]' - }, - 'GO:0097662': { - 'name': 'SCF-Das1 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Das1 in S. cerevisiae. [GOC:jd, GOC:vw, PMID:14747994]' - }, - 'GO:0097663': { - 'name': 'SCF-Dia2/Pof3 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Dia2 in S. cerevisiae (Pof3 in S. pombe). [GOC:jd, GOC:vw, PMID:14747994, PMID:15147268]' - }, - 'GO:0097664': { - 'name': 'SCF-Grr1/Pof2 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Grr1 in S. cerevisiae (Pof2 in S. pombe). [GOC:jd, GOC:vw, PMID:10213692, PMID:15147268]' - }, - 'GO:0097665': { - 'name': 'SCF-Mdm30 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Mdm30 in S. cerevisiae. [GOC:jd, GOC:vw, PMID:14747994]' - }, - 'GO:0097666': { - 'name': 'SCF-Met30/Pof1 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Met30 in S. cerevisiae (Pof1 in S pombe). [GOC:jd, GOC:vw, PMID:15147268, PMID:9499404]' - }, - 'GO:0097667': { - 'name': 'SCF-Rcy1/Pof6 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Rcy1 in S. cerevisiae (Pof6 in S. pombe). [GOC:jd, GOC:vw, PMID:14747994, PMID:15147268]' - }, - 'GO:0097668': { - 'name': 'SCF-Saf1/Pof9 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Saf1 in S. cerevisiae (Pof9 in S. pombe). [GOC:jd, GOC:vw, PMID:11283612, PMID:15147268]' - }, - 'GO:0097669': { - 'name': 'SCF-Skp2 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Skp2 in S. cerevisiae. [GOC:jd, GOC:vw, PMID:14747994]' - }, - 'GO:0097670': { - 'name': 'SCF-Ufo1/Pof10 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Ufo1 in S. cerevisiae (Pof10 in S. pombe). [GOC:jd, GOC:vw, PMID:14747994, PMID:15147268]' - }, - 'GO:0097671': { - 'name': 'SCF-YDR131C ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is YDR131C in S. cerevisiae. [GOC:jd, GOC:vw, PMID:14747994]' - }, - 'GO:0097672': { - 'name': 'SCF-Pof5 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Pof5 in S. pombe (YDR306C in S. cerevisiae). [GOC:jd, GOC:vw, PMID:14747994, PMID:15147268]' - }, - 'GO:0097673': { - 'name': 'SCF-Ucc1 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is YLR224W in S. cerevisiae. [GOC:jd, GOC:vw, PMID:14747994, PMID:25982115]' - }, - 'GO:0097674': { - 'name': 'SCF-YLR352W ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is YLR352W in S. cerevisiae. [GOC:jd, GOC:vw, PMID:19882662]' - }, - 'GO:0097675': { - 'name': 'SCF-Hrt3/Pof7 ubiquitin ligase complex', - 'def': 'An SCF ubiquitin ligase complex in which the F-box protein is Hrt3 in S. cerevisiae (Pof7 in S. pombe). [GOC:jd, GOC:vw, PMID:14747994, PMID:15147268]' - }, - 'GO:0097676': { - 'name': 'histone H3-K36 dimethylation', - 'def': 'The modification of histone H3 by addition of two methyl groups to lysine at position 36 of the histone. [GOC:lb, PMID:21187428]' - }, - 'GO:0097677': { - 'name': 'STAT family protein binding', - 'def': 'Interacting selectively and non-covalently with any member of the signal transducers and activators of transcription (STAT) protein family. STATs are, as the name indicates, both signal transducers and transcription factors. STATs are activated by cytokines and some growth factors and thus control important biological processes including cell growth, cell differentiation, apoptosis and immune responses. [GOC:mr, InterPro:IPR001217, PMID:21447371, PMID:24470978]' - }, - 'GO:0097678': { - 'name': 'SOCS family protein binding', - 'def': 'Interacting selectively and non-covalently with any member of the suppressor of cytokine signaling (SOCS) family of proteins. SOCS represent an important mechanism to extinguish cytokine and growth factor receptor signaling. Individual SOCS proteins are typically induced by specific cytokines and growth factors, thereby generating a negative feedback loop. SOCS proteins have important functions in development and homeostasis, and in disease, particularly tumor suppression and anti-inflammatory functions. [GOC:mr, InterPro:IPR028413, PMID:23885323, PMID:24705897]' - }, - 'GO:0097679': { - 'name': 'other organism cytoplasm', - 'def': 'The cytoplasm of a secondary organism with which the first organism is interacting. [GOC:aa, PMID:23469034]' - }, - 'GO:0097680': { - 'name': 'double-strand break repair via classical nonhomologous end joining', - 'def': 'An instance of double-strand break repair via nonhomologous end joining that requires a number of factors important for V(D)J recombination, including the KU70/80 heterodimer (KU), XRCC4, ligase IV, and DNA-PKcs in mammals. It does not produce translocations (as opposed to the alternative nonhomologous end joining). [GOC:rph, PMID:18584027]' - }, - 'GO:0097681': { - 'name': 'double-strand break repair via alternative nonhomologous end joining', - 'def': 'An instance of double-strand break repair via nonhomologous end joining that is independent of factors important for V(D)J recombination (as opposed to classical nonhomologous end joining). It often results in a deletion with microhomology (i.e. 5-25bp homology) at the repair junction. Among different subclasses of nonhomologous end joining (NHEJ), alternative NHEJ appears to play a significant role in the etiology of mutations that arise during cancer development and treatment. [GOC:rph, http://en.wikipedia.org/wiki/Microhomology-mediated_end_joining, PMID:18584027, PMID:21655080]' - }, - 'GO:0097682': { - 'name': 'intracellular phosphatidylinositol-3,5-bisphosphate-sensitive cation channel activity', - 'def': 'Enables the transmembrane transfer of cations by a channel that opens when phosphatidylinositol-3,5-bisphosphate has been bound by the channel complex or one of its constituent parts. [GOC:ha, PMID:24375408]' - }, - 'GO:0097683': { - 'name': 'dinoflagellate apex', - 'def': 'The anterior most point of a dinoflagellate epicone. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097684': { - 'name': 'dinoflagellate antapex', - 'def': 'The anterior most point of a dinoflagellate hypocone. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097685': { - 'name': 'dinoflagellate apical groove', - 'def': 'A cell surface furrow (or groove) found on a dinoflagellate apex. It typically loops around the apex. [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate#Morphology, http://tolweb.org/Dinoflagellates/2445, http://www.sms.si.edu/irlspec/Phyl_Dinofl_Glossary.htm, ISBN:0632009152]' - }, - 'GO:0097686': { - 'name': 'dinoflagellate apical horn', - 'def': 'A horn-shaped dinoflagellate apex found in thecate species. [GOC:at, http://species-identification.org]' - }, - 'GO:0097687': { - 'name': 'dinoflagellate antapical horn', - 'def': 'A horn-shaped dinoflagellate antapex found in thecate species. [GOC:at, http://species-identification.org]' - }, - 'GO:0097688': { - 'name': 'glutamate receptor clustering', - 'def': 'The neurotransmitter-gated ion channel clustering process in which glutamate receptors are localized to distinct domains in the cell membrane. [GOC:krc, PMID:19723286]' - }, - 'GO:0097689': { - 'name': 'iron channel activity', - 'def': 'Enables the facilitated diffusion of an iron ion (by an energy-independent process) involving passage through a transmembrane aqueous pore or channel without evidence for a carrier-mediated mechanism. [GOC:BHF, GOC:kom, GOC:pr, PMID:15514116]' - }, - 'GO:0097690': { - 'name': 'iron channel inhibitor activity', - 'def': 'Stops, prevents, or reduces the activity of an iron channel. [GOC:BHF, GOC:kom, PMID:15514116]' - }, - 'GO:0097691': { - 'name': 'bacterial extracellular vesicle', - 'def': 'Small membrane vesicle (< 1 um) that buds off a prokaryotic cell plasma membrane, able to carry proteins, phospholipids, lipopolysaccharides, nucleic acids, viruses, and more. Important in intercellular communication and pathogenesis; can exist within host cells. [GOC:aa, PMID:25704309]' - }, - 'GO:0097692': { - 'name': 'histone H3-K4 monomethylation', - 'def': 'The modification of histone H3 by addition of one methyl group to lysine at position 4 of the histone. [GOC:jh2, PMID:26320581]' - }, - 'GO:0097693': { - 'name': 'ocelloid', - 'def': 'Eye-like subcellular structure found in dinoflagellates (a large group of single-celled eukaryotes). Consists of subcellular analogues to a cornea, lens, iris, and retina. Ocelloids are built from pre-existing organelles, including a cornea-like layer made of mitochondria and a retinal body made of anastomosing plastids. [GOC:ar, PMID:26131935]' - }, - 'GO:0097694': { - 'name': 'establishment of RNA localization to telomere', - 'def': 'The directed movement of RNA to a specific location in the telomeric region of a chromosome. [GOC:BHF, GOC:BHF_telomere, GOC:rph, PMID:26586433]' - }, - 'GO:0097695': { - 'name': 'establishment of macromolecular complex localization to telomere', - 'def': 'The directed movement of a macromolecular complex to a specific location in the telomeric region of a chromosome. [GOC:BHF, GOC:BHF_telomere, GOC:rph, PMID:26586433]' - }, - 'GO:0097696': { - 'name': 'STAT cascade', - 'def': 'An intracellular signal transduction process in which STAT proteins (Signal Transducers and Activators of Transcription) convey a signal to trigger a change in the activity or state of a cell. The STAT cascade begins with activation of STAT proteins by kinases, proceeds through dimerization and subsequent nuclear translocation of STAT proteins, and ends with regulation of target gene expression by STAT proteins. [GOC:rjd, PMID:21534947, PMID:24587195]' - }, - 'GO:0097697': { - 'name': 'tRNA 5-carboxymethoxyuridine methyltransferase activity', - 'def': 'Catalysis of the transfer of a methyl group from S-adenosylmethionine to a 5-carboxymethoxy-modified uridine residue in a tRNA molecule. [GOC:imk, PMID:26681692]' - }, - 'GO:0097698': { - 'name': 'telomere maintenance via base-excision repair', - 'def': 'A telomere maintenance process that occurs by base-excision repair of telomeric DNA in response to DNA damage. Telomeric sequences are particularly susceptible to oxidative DNA damage, due to their G-rich nature. [GOC:BHF, GOC:BHF_telomere, GOC:jbu, PMID:24703901]' - }, - 'GO:0097699': { - 'name': 'vascular endothelial cell response to fluid shear stress', - 'def': 'Any response to fluid shear stress in a vascular endothelial cell. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:21768538]' - }, - 'GO:0097700': { - 'name': 'vascular endothelial cell response to laminar fluid shear stress', - 'def': 'Any response to laminar fluid shear stress in a vascular endothelial cell. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:21768538]' - }, - 'GO:0097701': { - 'name': 'response to pulsatile fluid shear stress', - 'def': 'Any response to fluid shear stress where the fluid is flowing across a solid surface with periodic variations. For example, the endothelium in straight parts of the artery tree is subjected to pulsatile shear stress with a significant forward direction, which is believed to be an important physiological stimulus enhancing vessel compliance and conferring anti-thrombotic, anti-adhesive, and anti-inflammatory effects. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:21768538]' - }, - 'GO:0097702': { - 'name': 'response to oscillatory fluid shear stress', - 'def': 'Any response to fluid shear stress where the fluid is moving across a solid surface with an oscillatory flow. Disturbed flow patterns at the arterial bifurcations and curvatures may cause endothelial dysfunction, which initiates atherosclerosis. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:21768538]' - }, - 'GO:0097703': { - 'name': 'cellular response to pulsatile fluid shear stress', - 'def': 'Any response to pulsatile fluid shear stress that occurs at the level of a cell. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:21768538]' - }, - 'GO:0097704': { - 'name': 'cellular response to oscillatory fluid shear stress', - 'def': 'Any response to oscillatory fluid shear stress that occurs at the level of a cell. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:21768538]' - }, - 'GO:0097705': { - 'name': 'vascular endothelial cell response to pulsatile fluid shear stress', - 'def': 'Any response to pulsatile fluid shear stress that occurs in a vascular endothelial cell. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:21768538]' - }, - 'GO:0097706': { - 'name': 'vascular endothelial cell response to oscillatory fluid shear stress', - 'def': 'Any response to oscillatory fluid shear stress that occurs in a vascular endothelial cell. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:21768538]' - }, - 'GO:0097707': { - 'name': 'ferroptosis', - 'def': 'A programmed cell death characterized morphologically by the presence of smaller than normal mitochondria with condensed mitochondrial membrane densities, reduction or vanishing of mitochondria crista, and outer mitochondrial membrane rupture. Activation of mitochondrial voltage-dependent anion channels and mitogen-activated protein kinases, upregulation of endoplasmic reticulum stress, and inhibition of cystine/glutamate antiporter are involved in the induction of ferroptosis. This process is characterized by the accumulation of lipid peroxidation products and lethal reactive oxygen species (ROS) derived from iron metabolism. Glutathione peroxidase 4 (GPX4), heat shock protein beta-1, and nuclear factor erythroid 2-related factor 2 function as negative regulators of ferroptosis by limiting ROS production and reducing cellular iron uptake, respectively. In contrast, NADPH oxidase and p53 act as positive regulators of ferroptosis by promotion of ROS production and inhibition of expression of SLC7A11 (a specific light-chain subunit of the cystine/glutamate antiporter), respectively. Misregulated ferroptosis has been implicated in multiple physiological and pathological processes. [GOC:mtg_apoptosis, PMID:25236395, PMID:26794443]' - }, - 'GO:0097708': { - 'name': 'intracellular vesicle', - 'def': 'Any vesicle that is part of the intracellular region. [GOC:vesicles]' - }, - 'GO:0097709': { - 'name': 'connective tissue replacement', - 'def': 'The series of events leading to growth of connective tissue when loss of tissues that are incapable of regeneration occurs, or when fibrinous exudate cannot be adequately cleared. [GOC:bc, GOC:BHF, GOC:BHF_miRNA, PMID:25590961]' - }, - 'GO:0097710': { - 'name': 'viral terminase, small subunit', - 'def': 'The part of the viral terminase complex that acts as a phage DNA-recognition component and regulates the activity of the large subunit. The small subunit usually assembles as a heterooligomer with the large subunit. [GOC:ch, GOC:jh2, PMID:18687036]' - }, - 'GO:0097711': { - 'name': 'ciliary basal body docking', - 'def': 'The docking of a cytosolic centriole/basal body to the plasma membrane via the ciliary transition fibers. In some species this may happen via an intermediate step, by first docking to the ciliary vesicle via the ciliary transition fibers. The basal body-ciliary vesicle then relocates to the plasma membrane, followed by the ciliary vesicle fusing with the plasma membrane, effectively attaching the basal body to the plasma membrane. [GOC:cilia, PMID:13978319, PMID:23348840, PMID:23530209, PMID:25686250, PMID:26981235, Reactome:R-HSA-5620912.1]' - }, - 'GO:0097712': { - 'name': 'vesicle targeting, trans-Golgi to periciliary membrane compartment', - 'def': 'The process in which vesicles formed at the trans-Golgi network are directed to the plasma membrane surrounding the base of the cilium, including the ciliary pocket, mediated by molecules at the vesicle membrane and target membrane surfaces. [GOC:cilia, PMID:20106869, PMID:23351793, PMID:24814148, PMID:26485645, Reactome:R-HSA-5620920.1]' - }, - 'GO:0097713': { - 'name': 'dolichol-phosphate-mannose synthase regulator activity', - 'def': 'Binds to and modulates the activity of dolichol-phosphate-mannose synthase. [GOC:vw, PMID:10835346]' - }, - 'GO:0097714': { - 'name': 'response to viscosity', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a viscosity stimulus. [GOC:sl, PMID:7061416]' - }, - 'GO:0097715': { - 'name': 'cellular response to viscosity', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a viscosity stimulus. [GOC:sl, PMID:7061416]' - }, - 'GO:0097716': { - 'name': 'copper ion transport across blood-brain barrier', - 'def': 'The directed movement of copper (Cu) ions passing through the blood-brain barrier. [GOC:sl, PMID:24614235]' - }, - 'GO:0097717': { - 'name': 'copper ion transport across blood-cerebrospinal fluid barrier', - 'def': 'The directed movement of copper (Cu) ions passing through the blood-cerebrospinal fluid barrier. [GOC:sl, PMID:24614235]' - }, - 'GO:0097718': { - 'name': 'disordered domain specific binding', - 'def': 'Interacting selectively and non-covalently with a disordered domain of a protein. [GOC:gg, PMID:11746698]' - }, - 'GO:0097719': { - 'name': 'neural tissue regeneration', - 'def': 'The regrowth of neural tissue following its loss or destruction. [http://en.wikipedia.org/wiki/Neuroregeneration]' - }, - 'GO:0097720': { - 'name': 'calcineurin-mediated signaling', - 'def': 'Any intracellular signal transduction in which the signal is passed on within the cell by activation of a transcription factor as a consequence of dephosphorylation by Ca(2+)-activated calcineurin. The process begins with calcium-dependent activation of the phosphatase calcineurin. Calcineurin is a calcium- and calmodulin-dependent serine/threonine protein phosphatase with a conserved function in eukaryotic species from yeast to humans. In yeast and fungi, calcineurin regulates stress signaling and cell cycle, and sporulation and virulence in pathogenic fungi. In metazoans, calcineurin is involved in cell commitment, organogenesis and organ development and immune function of T-lymphocytes. By a conserved mechanism, calcineurin phosphatase activates fungal Crz1 and mammalian NFATc by dephosphorylation and translocation of these transcription factors to the nucleus to regulate gene expression. [GOC:di, PMID:25655284, PMID:25878052, PMID:26851544]' - }, - 'GO:0097721': { - 'name': 'ciliary vesicle', - 'def': 'A Golgi-derived vesicle to which the ciliary basal body docks via its transitional fibers. Its membrane is compositionally distinct from Golgi membranes, and will become the ciliary membrane once the ciliary vesicle is fused to the plasma membrane. The ciliary vesicle is thought to be formed by multiple smaller vesicles that attach to the transitional fibers and then fuse to form a larger vesicle. [GOC:cilia, PMID:13978319, PMID:25686250]' - }, - 'GO:0097722': { - 'name': 'sperm motility', - 'def': 'Any process involved in the controlled movement of a sperm cell. [GOC:cilia, GOC:krc]' - }, - 'GO:0097723': { - 'name': 'amoeboid sperm motility', - 'def': 'Any process involved in the controlled movement of an amoeboid sperm cell. [GOC:cilia, GOC:krc]' - }, - 'GO:0097724': { - 'name': 'sperm flagellum movement', - 'def': 'The directed, self-propelled movement of a sperm flagellum. [GOC:cilia, GOC:krc]' - }, - 'GO:0097725': { - 'name': 'histone H3-K79 dimethylation', - 'def': 'The modification of histone H3 by addition of two methyl groups to lysine at position 79 of the histone. [GOC:hbye, PMID:27541139]' - }, - 'GO:0097726': { - 'name': 'LEM domain binding', - 'def': 'Interacting selectively and non-covalently with a LEM domain. The LEM domain (for lamina-associated polypeptide, emerin, MAN1 domain) is present in a group of nuclear proteins that bind chromatin through interaction of the LEM motif with the conserved DNA crosslinking protein, barrier-to-autointegration factor (BAF). [GOC:rz, InterPro:IPR003887, PMID:22399800]' - }, - 'GO:0097727': { - 'name': 'blepharoplast', - 'def': 'An intracellular non-membrane-bounded organelle found in multi-ciliated sperm cells of some primitive land plants, and consisting of many radially arranged ninefold symmetric cylinders. The blepharoplast is involved in de novo formation of multiple centrioles; it enlarges and then disintegrates into many procentrioles, which elongate and ultimately nucleate cilia on the surface of the sperm cell. [GOC:cilia, GOC:tb, PMID:22691130, PMID:25047614]' - }, - 'GO:0097728': { - 'name': '9+0 motile cilium', - 'def': 'A motile cilium where the axoneme has a ring of nine outer microtubule doublets but no central microtubules (and is therefore called a 9+0 axoneme). [GOC:cilia, PMID:10330409, PMID:22118931]' - }, - 'GO:0097729': { - 'name': '9+2 motile cilium', - 'def': 'A motile cilium where the axoneme has a ring of nine outer microtubule doublets plus two central microtubules (and is therefore called a 9+2 axoneme). [GOC:cilia, PMID:22118931]' - }, - 'GO:0097730': { - 'name': 'non-motile cilium', - 'def': 'A cilium which may have a variable array of axonemal microtubules but does not contain molecular motors. [GOC:cilia, GOC:dgh, GOC:kmv, PMID:17009929, PMID:20144998, PMID:22118931]' - }, - 'GO:0097731': { - 'name': '9+0 non-motile cilium', - 'def': 'A non-motile cilium where the axoneme has a ring of nine outer microtubule doublets but no central microtubules (and is therefore called a 9+0 axoneme). [GOC:cilia, PMID:22118931]' - }, - 'GO:0097732': { - 'name': '9+2 non-motile cilium', - 'def': 'A non-motile cilium where the axoneme has a ring of nine outer microtubule doublets plus two central microtubules (and is therefore called a 9+2 axoneme). [GOC:cilia, PMID:21307074, PMID:22118931]' - }, - 'GO:0097733': { - 'name': 'photoreceptor cell cilium', - 'def': "A specialised 9+0 non-motile cilium found in photoreceptor cells. A ciliary transition zone called 'photoreceptor connecting cilium' links the photoreceptor outer segment to the inner segment. [GOC:cilia, http://en.wikipedia.org/wiki/Photoreceptor_cell#Histology]" - }, - 'GO:0097734': { - 'name': 'extracellular exosome biogenesis', - 'def': 'The assembly and secretion of an extracellular exosome, a membrane-bounded vesicle that is released into the extracellular region by fusion of the limiting endosomal membrane of a multivesicular body with the plasma membrane. [GOC:bf, GOC:PARL, PMID:19442504, PMID:25392495]' - }, - 'GO:0097735': { - 'name': 'DIM/DIP cell wall layer', - 'def': 'A section of the Actinobacterium-type cell wall composed of (phenyl)phthiocerol, phthiodiolone, phthiotriol dimycocerosate, diphthioceranate and other compounds. [GOC:pr]' - }, - 'GO:0097736': { - 'name': 'aerial mycelium formation', - 'def': 'The process by which hyphae grow in an upward or outward direction from the surface of the substrate; from there, propagative spores develop in or on characteristic structures that are distinctive of some fungal and bacterial species. The species that form an aerial mycelium develop conidiophores at the ends of the aerial hyphae. [GOC:di, PMID:12832397]' - }, - 'GO:0097737': { - 'name': 'acquisition of mycelium reproductive competence', - 'def': 'A maturation process by which an organism acquires the ability to reproduce. In fungi, reproductive competence only occurs in a population of filamentous cells that form a mycelium. [GOC:di, PMID:23864594]' - }, - 'GO:0097738': { - 'name': 'substrate mycelium formation', - 'def': 'The process by which, in some fungal species, hyphae grow as a network of invasive thread-like filaments formed from chains of attached cells within a solid or semi-solid substrate. [GOC:di, PMID:10021365]' - }, - 'GO:0097739': { - 'name': 'negative regulation of ferrichrome biosynthetic process in response to iron', - 'def': 'Any process that stops, prevents or reduces the rate of ferrichrome biosynthetic process in response to an iron stimulus. [GOC:al]' - }, - 'GO:0097740': { - 'name': 'paraflagellar rod', - 'def': 'A large lattice-like axial structure found in some flagellated protists which extends alongside the axoneme. Protein components of the paraflagellar rod are likely implicated, among other, in adenine nucleotide signalling and metabolism, and in calcium signalling. [GOC:cilia, PMID:19879876, PMID:26199333, PMID:26688619]' - }, - 'GO:0097741': { - 'name': 'mastigoneme', - 'def': 'A hair-like structure covering the flagella found in some algae (heterokonts and cryptophytes). It is approximately 15 nm in diameter, and usually consist of a tubular shaft that itself terminates in smaller hairs. It is composed of glycoproteins and, likely, carbohydrates. Mastigonemes may assist in locomotion by increasing the surface area of a flagellum. [GOC:cilia, http://en.wikipedia.org/wiki/Mastigoneme, PMID:943397]' - }, - 'GO:0097742': { - 'name': 'de novo centriole assembly', - 'def': 'Centriole assembly in which a centriole arises de novo, rather than by replication from an existing centriole. This process may occur via different mechanisms. Examples include the deuterosome pathway in multicilated epithelial animal cells and formation of centrioles during parthenogenesis in some insects. [GOC:cilia, PMID:25047614, PMID:25291643]' - }, - 'GO:0097743': { - 'name': 'de novo centriole assembly via blepharoplast', - 'def': 'A de novo centriole assembly process observed in multi-ciliated sperm cells of some primitive land plants, and where centrioles are formed from a blepharoplast, ultimately giving rise to multiple cilia on the sperm surface. [GOC:cilia, PMID:25047614]' - }, - 'GO:0097744': { - 'name': 'urate salt excretion', - 'def': 'The elimination by an organism of urate salt or uric acid. [CHEBI:46819, GOC:jl, http://en.wikipedia.org/wiki/Uric_acid#Biology]' - }, - 'GO:0097745': { - 'name': "mitochondrial tRNA 5'-end processing", - 'def': "The process in which the 5' end of a pre-tRNA molecule is converted to that of a mature tRNA in the mitochondrion. [GOC:pf, PMID:21307182, PMID:26143376, PMID:27484477]" - }, - 'GO:0097746': { - 'name': 'regulation of blood vessel diameter', - 'def': 'Any process that modulates the diameter of blood vessels. [GOC:pr]' - }, - 'GO:0097747': { - 'name': 'RNA polymerase activity', - 'def': 'Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1); the synthesis of RNA from ribonucleotide triphosphates in the presence of a nucleic acid template. [GOC:pf]' - }, - 'GO:0097748': { - 'name': "3'-5' RNA polymerase activity", - 'def': "Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1); the synthesis of RNA from ribonucleotide triphosphates in the presence of a nucleic acid template, via extension of the 5'-end. [GOC:pf, PMID:22456265, PMID:27484477]" - }, - 'GO:0097749': { - 'name': 'membrane tubulation', - 'def': 'A membrane organization process resulting in the formation of a tubular projection. This may face inwardly (as in tubular membrane invaginations) or outwardly (as in endosomal tubules). [GOC:pr]' - }, - 'GO:0097750': { - 'name': 'endosome membrane tubulation', - 'def': 'A membrane tubulation process occurring in an endosome membrane. [GOC:bc, GOC:PARL, PMID:26911690]' - }, - 'GO:0097751': { - 'name': 'spore-bearing structure formation', - 'def': 'The process of generating a spore-bearing structure. A spore-bearing structure is an anatomical structure that produces new spores. [GOC:di]' - }, - 'GO:0097752': { - 'name': 'regulation of DNA stability', - 'def': 'Any process that modulates the stability of DNA. [GOC:pr]' - }, - 'GO:0097753': { - 'name': 'membrane bending', - 'def': 'A membrane organization process resulting in the bending of a membrane. [GOC:krc, GOC:pr, GOC:vw, http://en.wikipedia.org/wiki/Membrane_curvature]' - }, - 'GO:0097754': { - 'name': 'clathrin-mediated membrane bending', - 'def': 'A membrane bending process mediated by clathrin. [GOC:pr, http://en.wikipedia.org/wiki/Membrane_curvature]' - }, - 'GO:0097755': { - 'name': 'positive regulation of blood vessel diameter', - 'def': 'Any process that increases the diameter of blood vessels. [GOC:pr]' - }, - 'GO:0097756': { - 'name': 'negative regulation of blood vessel diameter', - 'def': 'Any process that decreases the diameter of blood vessels. [GOC:pr]' - }, - 'GO:0098001': { - 'name': 'receptor-mediated bacteriophage reversible attachment to host cell', - 'def': 'Process by which a bacteriophage, using its tail fibers, spikes or a baseplate component, initially recognizes and binds to its specific receptor on the host cell surface. This process is reversible and allows the release of a bacteriophage without affecting infection. [GOC:bm, phi:0000005]' - }, - 'GO:0098002': { - 'name': 'receptor-mediated bacteriophage irreversible attachment to host cell', - 'def': 'The processes by which a bacteriophage initially commits to infection by binding the host receptor irreversibly. Disruption of the phage:cell complex at this step results in the loss of infective phage virions since the process is characterized by conformational changes of bacteriophage head and tail proteins and injection of bacteriophage proteins into the infected cell. [GOC:bm, phi:0000006]' - }, - 'GO:0098003': { - 'name': 'viral tail assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a virus tail. [GOC:bm, PHI:0000015]' - }, - 'GO:0098004': { - 'name': 'virus tail fiber assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a virus tail fiber. [GOC:bm, PHI:0000011]' - }, - 'GO:0098005': { - 'name': 'viral head-tail joining', - 'def': 'Process by which virus heads and tails are attached to each other. [GOC:bm, PHI:0000012]' - }, - 'GO:0098006': { - 'name': 'viral DNA genome packaging, headful', - 'def': 'The encapsulation of the viral genome within the capsid where DNA is packaged into the capsid until the capsid is full. [GOC:bm, PHI:0000020]' - }, - 'GO:0098009': { - 'name': 'viral terminase, large subunit', - 'def': 'The part of the viral terminase complex that contains the translocase and endonuclease activities and allows the translocation of the phage DNA into the procapsid. The large subunit usually assembles as a heterooligomer with the small subunit. [GOC:bm, GOC:ch, GOC:jh2, PHI:0000073, PMID:18687036]' - }, - 'GO:0098015': { - 'name': 'virus tail', - 'def': 'Part of the virion that may be used to recognize, attach and inject the viral genome and accessory proteins into the host cell. [GOC:bm, PHI:0000174]' - }, - 'GO:0098017': { - 'name': 'viral capsid, major subunit', - 'def': 'The part of the viral capsid that comprises the most common capsomere type. For example, in a T=3 icosahedral capsid, which is composed of 12 pentameric and 20 hexameric capsomeres, the hexameric capsomeres are major subunits. [GOC:bm, PHI:0000066]' - }, - 'GO:0098018': { - 'name': 'viral capsid, minor subunit', - 'def': 'The part of the viral capsid that comprises the less common capsomere type. For example, in a T=3 icosahedral capsid, which is composed of 12 pentameric and 20 hexameric capsomeres, the pentameric capsomeres are minor subunits. [GOC:bm, PHI:00000185]' - }, - 'GO:0098019': { - 'name': 'virus tail, major subunit', - 'def': 'The part of the viral tail that comprises the most common subunit type. [GOC:bm, PHI:0000082]' - }, - 'GO:0098020': { - 'name': 'virus tail, minor subunit', - 'def': 'The part of the viral tail that comprises the least common subunit type. [GOC:bm, PHI:0000178]' - }, - 'GO:0098021': { - 'name': 'viral capsid, decoration', - 'def': 'Component of the virus capsid (head), located on the outer head surface. Involved in the stabilization of the head structure and usually non-essential. [GOC:bm, PHI:0000069]' - }, - 'GO:0098022': { - 'name': 'viral capsid, fiber', - 'def': 'A type of capsid decoration composed of fiber structures. [GOC:bm, PHI:0000070, PHI:0000176]' - }, - 'GO:0098023': { - 'name': 'virus tail, tip', - 'def': 'The basal end of the virus tail, which is used by the virus to attach to the host cell. [GOC:bm, PHI:0000087]' - }, - 'GO:0098024': { - 'name': 'virus tail, fiber', - 'def': 'The fibrous region of the virus tail used to scan, recognize and attach to the host cell. [GOC:bm, PHI:0000024, PHI:0000175]' - }, - 'GO:0098025': { - 'name': 'virus tail, baseplate', - 'def': 'Multiprotein component at the distal (head) end of the virus tail to which fibers of tailed viruses may be attached. [GOC:bm, PHI:0000088]' - }, - 'GO:0098026': { - 'name': 'virus tail, tube', - 'def': 'The internal tube of the contractile tails of some viruses. The virus tail tube is the channel for DNA ejection into the host cytoplasm. [GOC:bm, PHI:0000026]' - }, - 'GO:0098027': { - 'name': 'virus tail, sheath', - 'def': 'The external contractile envelope of the tail of some viruses. Its contraction ensures ejection of the virus DNA into the host cytoplasm. [GOC:bm, PHI:0000084]' - }, - 'GO:0098028': { - 'name': 'virus tail, shaft', - 'def': 'The tube of the non-contractile tails of some viruses. [GOC:bm, PHI:0000085]' - }, - 'GO:0098029': { - 'name': 'icosahedral viral capsid, spike', - 'def': 'A short structure attached to an icosahedral virion capsid, and used for attachment to the host cell. [GOC:bm, PHI:0000208]' - }, - 'GO:0098030': { - 'name': 'icosahedral viral capsid, neck', - 'def': 'A region of constriction located below the head and above the tail sheath of viruses with contractile tails (Myoviridae). [GOC:bm, PHI:0000205, PHI:0000309]' - }, - 'GO:0098031': { - 'name': 'icosahedral viral capsid, collar', - 'def': 'A small disk located at the base of some icosahedral virus capsids. [GOC:bm, PHI:0000206, PHI:0000308]' - }, - 'GO:0098032': { - 'name': 'icosahedral viral capsid, collar fiber', - 'def': 'A fiber attached to the collar structure of some icosahedral viral capsids. [GOC:bm, PHI:0000207, PHI:0000307]' - }, - 'GO:0098033': { - 'name': 'icosahedral viral capsid, neck fiber', - 'def': 'A fiber attached to the neck at the base of some icosahedral viral capsids. [GOC:bm, PHI:0000075, PHI:0000310]' - }, - 'GO:0098035': { - 'name': 'viral DNA genome packaging via site-specific sequence recognition', - 'def': 'The encapsulation of the viral DNA genome within the capsid, which proceeds via cleavage of the viral DNA at specific sites by a viral terminase. [GOC:bm]' - }, - 'GO:0098036': { - 'name': "viral DNA genome packaging, 3' extended cos packaging", - 'def': "The encapsulation of the viral DNA genome within the capsid, which proceeds via cleavage of the viral DNA at specific sites to produce 3' protruding ends. [GOC:bm, PHI:0000021]" - }, - 'GO:0098037': { - 'name': "viral DNA genome packaging, 5' extended cos packaging", - 'def': "The encapsulation of the viral DNA genome within the capsid, which proceeds via cleavage of the viral DNA at specific sites to produce 5' protruding ends. [GOC:bm, PHI:0000022]" - }, - 'GO:0098038': { - 'name': 'non-replicative transposition, DNA-mediated', - 'def': 'Process by which a transposable element is excised from the donor site and integrated at the target site without replication of the element. Also referred to as cut-and-paste transposition. [GOC:bm, PHI:0000137, PMID:2553270]' - }, - 'GO:0098039': { - 'name': 'replicative transposition, DNA-mediated', - 'def': 'Process of transposition in which the existing element is replicated and one of the copies is excised and integrated at a new target site. Also referred to as copy-and-paste transposition. [GOC:bm, PMID:10540284]' - }, - 'GO:0098045': { - 'name': 'virus baseplate assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a virus baseplate. [GOC:bm, PHI:0000328]' - }, - 'GO:0098046': { - 'name': 'type V protein secretion system complex', - 'def': 'A complex of proteins that permits the translocation of proteins across the outer membrane via a transmembrane pore, formed by a beta-barrel, into the extracellular milieu or directly into host cells; the secreted proteins contain all the information required for translocation of an effector molecule through the cell envelope. The type V secretion systems includes the autotransporters (type Va), the two-partner secretion system (type Vb) and the Oca family (type Vc). [GOC:bf, GOC:bm, PMID:15119822, PMID:15590781]' - }, - 'GO:0098061': { - 'name': 'viral capsid, internal space', - 'def': 'The region of a virus contained within the capsid shell, and usually containing the viral genome and accessory proteins. [GOC:bm]' - }, - 'GO:0098501': { - 'name': 'polynucleotide dephosphorylation', - 'def': 'The process of removing one or more phosphate groups from a polynucleotide. [GOC:DOS]' - }, - 'GO:0098502': { - 'name': 'DNA dephosphorylation', - 'def': 'The process of removing one or more phosphate groups from a DNA molecule. [GOC:DOS]' - }, - 'GO:0098503': { - 'name': "DNA 3' dephosphorylation", - 'def': "The process of removing a 3' phosphate group from a DNA molecule. [GOC:DOS]" - }, - 'GO:0098504': { - 'name': "DNA 3' dephosphorylation involved in DNA repair", - 'def': "Any 3' DNA dephosphorylation that is involved in the process of DNA repair. [GOC:DOS, PMID:11729194]" - }, - 'GO:0098505': { - 'name': 'G-rich strand telomeric DNA binding', - 'def': 'Interacting selectively and non-covalently with G-rich, single-stranded, telomere-associated DNA. [PMID:11349150]' - }, - 'GO:0098506': { - 'name': "polynucleotide 3' dephosphorylation", - 'def': "The process of removing one or more phosphate groups from the 3' end of a polynucleotide. [GOC:dos]" - }, - 'GO:0098507': { - 'name': "polynucleotide 5' dephosphorylation", - 'def': "The process of removing one or more phosphate groups from the 5' end of a polynucleotide. [GOC:dos]" - }, - 'GO:0098508': { - 'name': 'endothelial to hematopoietic transition', - 'def': 'The generation of hematopoietic stem cells from hemogenic endothelial cells by a process that includes tight-junction dissolution and loss of cell polarity followed by delamination from the endothelium. [PMID:20154732, PMID:22521721]' - }, - 'GO:0098509': { - 'name': 'sensory perception of humidity', - 'def': 'The series of events required for an organism to detect some level of humidity in its environment, convert this detection into a molecular signal, and recognize and characterize the signal. This is a neurological process. [PMID:18269908, PMID:8650222]' - }, - 'GO:0098510': { - 'name': 'sensory perception of high humidity', - 'def': 'The series of events required for an organism to detect high environmental humidity, convert this detection into a molecular signal, and recognize and characterize the signal. This is a neurological process. [PMID:18269908]' - }, - 'GO:0098511': { - 'name': 'sensory perception of low humidity', - 'def': 'The series of events required for an organism to detect low environmental humidity, convert this detection into a molecular signal, and recognize and characterize the signal. This is a neurological process. [PMID:18269908]' - }, - 'GO:0098512': { - 'name': 'detection of humidity stimulus involved in sensory perception', - 'def': 'The series of events in which a humidity stimulus is received and converted into a molecular signal as part of the sensory perception of humidity. [GOC:dos, PMID:8650222]' - }, - 'GO:0098513': { - 'name': 'detection of humidity', - 'def': 'The series of events in which a humidity stimulus is received and converted into a molecular signal. [GOC:dos]' - }, - 'GO:0098514': { - 'name': 'detection of high humidity stimulus involved in sensory perception', - 'def': 'The series of events in which a high humidity stimulus is detected and converted into a molecular signal as a part of the sensory detection of high humidity. [GOC:dos, PMID:18269908]' - }, - 'GO:0098515': { - 'name': 'detection of low humidity stimulus involved in sensory perception', - 'def': 'The series of events in which a low humidity stimulus is detected and converted into a molecular signal as a part of the sensory detection of low humidity. [GOC:dos, PMID:18269908]' - }, - 'GO:0098516': { - 'name': 'detection of high humidity', - 'def': 'The series of events in which high humidity is detected and converted into a molecular signal. [GOC:dos]' - }, - 'GO:0098517': { - 'name': 'detection of low humidity', - 'def': 'The series of events in which low humidity is detected and converted into a molecular signal. [GOC:dos]' - }, - 'GO:0098518': { - 'name': 'polynucleotide phosphatase activity', - 'def': 'Catalysis of the reaction: phosphopolynucleotide + H2O = polynucleotide + phosphate. [GOC:mah]' - }, - 'GO:0098519': { - 'name': 'nucleotide phosphatase activity, acting on free nucleotides', - 'def': 'Catalysis of the reaction: nucleotide + H2O = nucleotide + phosphate. [GOC:dos]' - }, - 'GO:0098520': { - 'name': 'excitatory neuromuscular junction', - 'def': 'The junction between the axon of a motor neuron and a muscle fiber. In response to the arrival of action potentials, the presynaptic button releases molecules of neurotransmitters into the synaptic cleft. These diffuse across the cleft and transmit the signal to the postsynaptic membrane of the muscle fiber, leading to a post-synaptic potential responsible for muscle contraction. [GOC:dos]' - }, - 'GO:0098521': { - 'name': 'inhibitory neuromuscular junction', - 'def': 'The junction between the axon of a motor neuron and a muscle fiber. In response to the arrival of action potentials, the presynaptic button releases molecules of neurotransmitters into the synaptic cleft. These diffuse across the cleft and transmit the signal to the postsynaptic membrane of the muscle fiber, leading to a change in post-synaptic potential that inhibits muscle contraction. [GOC:dos]' - }, - 'GO:0098522': { - 'name': 'neuromuscular junction of skeletal muscle fiber', - 'def': 'A neuromuscular junction in which the target muscle cell is a skeletal muscle fiber. [GOC:dos]' - }, - 'GO:0098523': { - 'name': 'neuromuscular junction of myotube', - 'def': 'A neuromuscular junction in which the target muscle cell is a myotube. [GOC:dos]' - }, - 'GO:0098524': { - 'name': 'neuromuscular junction of somatic muscle myotube', - 'def': 'A neuromuscular junction in which the target muscle cell is a somatic muscle myotube, such as an arthropod somatic muscle cell. [GOC:dos]' - }, - 'GO:0098525': { - 'name': 'excitatory neuromuscular junction of somatic myotube', - 'def': 'A neuromuscular junction that functions in the excitation of somatic muscle myotubes, such as an arthropod somatic muscle cells. [GOC:dos]' - }, - 'GO:0098526': { - 'name': 'inhibitory neuromuscular junction of somatic myotube', - 'def': 'A neuromuscular junction that functions in the inhibition of somatic muscle myotube contraction. Examples of somatic muscle myotubes include the somatic muscle cells of arthropods. [GOC:dos]' - }, - 'GO:0098527': { - 'name': 'neuromuscular junction of somatic muscle', - 'def': 'A neuromuscular junction in which the target muscle cell is a somatic muscle cell, such as those found in nematodes and arthropods. [GOC:dos]' - }, - 'GO:0098528': { - 'name': 'skeletal muscle fiber differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires specialized features of a skeletal muscle fiber cell. Skeletal muscle fiber differentiation starts with myoblast fusion and the appearance of specific cell markers (this is the cell development step). Then individual skeletal muscle fibers fuse to form bigger myotubes and start to contract. [GOC:dos]' - }, - 'GO:0098529': { - 'name': 'neuromuscular junction development, skeletal muscle fiber', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a neuromuscular junction that targets a skeletal muscle fiber. [GOC:mtg_OBO2OWL_2013]' - }, - 'GO:0098530': { - 'name': 'positive regulation of strand invasion', - 'def': 'Any process that increases the rate, frequency or extent of strand invasion. Strand invasion is the process in which the nucleoprotein complex (composed of the broken single-strand DNA and the recombinase) searches and identifies a region of homology in intact duplex DNA. The broken single-strand DNA displaces the like strand and forms Watson-Crick base pairs with its complement, forming a duplex in which each strand is from one of the two recombining DNA molecules. [GOC:dos, GOC:dph, GOC:elh, GOC:tb]' - }, - 'GO:0098531': { - 'name': 'transcription factor activity, direct ligand regulated sequence-specific DNA binding', - 'def': 'A DNA binding transcription factor activity that is directly regulated by binding of a ligand to the protein with this activity. Examples include the lac and trp repressors in E.coli and many steroid hormone receptors. [GOC:dos, http://www.ecocyc.org/ECOLI/NEW-IMAGE?object=BC-3.1.2.3]' - }, - 'GO:0098532': { - 'name': 'histone H3-K27 trimethylation', - 'def': 'The modification of histone H3 by addition of three methyl groups to lysine at position 27 of the histone. [PMID:19270745]' - }, - 'GO:0098533': { - 'name': 'ATPase dependent transmembrane transport complex', - 'def': 'A transmembrane protein complex that functions in ATPase dependent active transport across a membrane. [GOC:dos]' - }, - 'GO:0098534': { - 'name': 'centriole assembly', - 'def': 'A cellular process that results in the assembly of one or more centrioles. [GOC:dos, PMID:24075808]' - }, - 'GO:0098535': { - 'name': 'de novo centriole assembly involved in multi-ciliated epithelial cell differentiation', - 'def': 'Centriole assembly in which a centriole arises de novo by a process involving an electron-dense structure known as a deuterosome, rather than by duplication of an existing centriole, and occurring as part of multi-ciliated epithelial cell differentiation. [GOC:cilia, GOC:dos, PMID:24075808, PMID:5111878, PMID:5661997]' - }, - 'GO:0098536': { - 'name': 'deuterosome', - 'def': 'A spherical, electron dense, cytoplasmic structure that is involved in de novo assembly of centrioles. [GOC:cilia, GOC:dos, PMID:24075808, PMID:25047614, PMID:5661997]' - }, - 'GO:0098537': { - 'name': 'lobed nucleus', - 'def': 'Nucleus with two or more lobes connected by a thin filament that contains no internal chromatin. Examples include the nuclei of mature basophils, eosinophils and neutrophils in mice and humans. [GOC:dos, GOC:tfm]' - }, - 'GO:0098538': { - 'name': 'lumenal side of transport vesicle membrane', - 'def': 'The side (leaflet) of the transport vesicle membrane that faces the lumen. [GOC:ab]' - }, - 'GO:0098539': { - 'name': 'cytoplasmic side of transport vesicle membrane', - 'def': 'The side (leaflet) of the transport vesicle membrane that faces the cytoplasm. [GOC:ab]' - }, - 'GO:0098540': { - 'name': 'lumenal side of trans-Golgi network transport vesicle membrane', - 'def': 'The side (leaflet) of the trans-Golgi network transport vesicle membrane that faces the lumen. [GOC:ab]' - }, - 'GO:0098541': { - 'name': 'cytoplasmic side of trans-Golgi network transport vesicle membrane', - 'def': 'The side (leaflet) of the trans-Golgi network transport vesicle membrane that faces the cytoplasm. [GOC:ab]' - }, - 'GO:0098542': { - 'name': 'defense response to other organism', - 'def': 'Reactions triggered in response to the presence of another organism that act to protect the cell or organism from damage caused by that organism. [GOC:dos]' - }, - 'GO:0098543': { - 'name': 'detection of other organism', - 'def': 'The series of events in which a stimulus from another organism is received and converted into a molecular signal. [GOC:dos]' - }, - 'GO:0098544': { - 'name': 'maintenance of protein complex location', - 'def': 'Any process in which a protein complex is maintained in a location and prevented from moving elsewhere. These include sequestration, stabilization to prevent transport elsewhere and the active retrieval of protein complexes that move away. [GOC:dos]' - }, - 'GO:0098545': { - 'name': 'maintenance of protein complex location in cytoplasm', - 'def': 'Any process in which a protein complex is maintained in a specific location within the cytoplasm and is prevented from moving elsewhere. [GOC:dos]' - }, - 'GO:0098546': { - 'name': "2',5-3',5'-cyclic GMP-AMP binding", - 'def': "Interacting selectively and non-covalently with c[G(2',5')pA(2',5')p], a cyclic purine dinucleotide that consists of AMP and GMP units cyclized via 2',5' and 3',5' linkages. [GOC:dos, PMID:23910378]" - }, - 'GO:0098547': { - 'name': 'lumenal side of Golgi membrane', - 'def': 'The side of the Golgi membrane that faces the lumen. [GOC:ab, GOC:dos]' - }, - 'GO:0098548': { - 'name': 'cytoplasmic side of Golgi membrane', - 'def': 'The side (leaflet) of the Golgi membrane that faces the cytoplasm. [GOC:ab, GOC:dos]' - }, - 'GO:0098549': { - 'name': 'somatic ring canal', - 'def': 'A stable intercellular bridge between somatic cells. Examples include the intercellular bridges between ovarian follicle cells in insects and between imaginal disc cells in insects. [GOC:dos, PMID:22135360, PMID:670316]' - }, - 'GO:0098550': { - 'name': 'lumenal side of early endosome membrane', - 'def': 'The side (leaflet) of the early endosome membrane that faces the lumen. [GOC:lr]' - }, - 'GO:0098551': { - 'name': 'lumenal side of late endosome membrane', - 'def': 'The side (leaflet) of the late endosome membrane that faces the lumen. [GOC:lr]' - }, - 'GO:0098552': { - 'name': 'side of membrane', - 'def': 'A cellular component consisting of one leaflet of a membrane bilayer and any proteins embedded or anchored in it or attached to its surface. [GOC:dos]' - }, - 'GO:0098553': { - 'name': 'lumenal side of endoplasmic reticulum membrane', - 'def': 'The side (leaflet) of the plasma membrane that faces the lumen. [GOC:ab, GOC:dos]' - }, - 'GO:0098554': { - 'name': 'cytoplasmic side of endoplasmic reticulum membrane', - 'def': 'The side (leaflet) of the plasma membrane that faces the cytoplasm. [GOC:ab, GOC:dos]' - }, - 'GO:0098555': { - 'name': 'lumenal side of rough endoplasmic reticulum membrane', - 'def': 'The side (leaflet) of the rough endoplasmic reticulum membrane that faces the lumen. [GOC:ab, GOC:dos]' - }, - 'GO:0098556': { - 'name': 'cytoplasmic side of rough endoplasmic reticulum membrane', - 'def': 'The side (leaflet) of the rough endoplasmic reticulum membrane that faces the cytoplasm. [GOC:ab, GOC:dos]' - }, - 'GO:0098557': { - 'name': 'cytoplasmic side of smooth endoplasmic reticulum membrane', - 'def': 'The side (leaflet) of the smooth endoplasmic reticulum membrane that faces the cytoplasm. [GOC:ab, GOC:dos]' - }, - 'GO:0098558': { - 'name': 'lumenal side of smooth endoplasmic reticulum membrane', - 'def': 'The side (leaflet) of the smooth endoplasmic reticulum membrane that faces the lumen. [GOC:ab, GOC:dos]' - }, - 'GO:0098559': { - 'name': 'cytoplasmic side of early endosome membrane', - 'def': 'The side (leaflet) of the early endosome membrane that faces the cytoplasm. [GOC:lr]' - }, - 'GO:0098560': { - 'name': 'cytoplasmic side of late endosome membrane', - 'def': 'The side (leaflet) of the late endosome membrane that faces the cytoplasm. [GOC:lr]' - }, - 'GO:0098561': { - 'name': 'methyl accepting chemotaxis protein complex', - 'def': 'A transmembrane protein complex that consists of multiple methyl-accepting chemoreceptor protein subunits, a histidine kinase and a connector protein and which functions in the regulation of flagellar rotary motor activity in response to an external chemical stimulus. [GOC:dos, PMID:1326408, PMID:15802240]' - }, - 'GO:0098562': { - 'name': 'cytoplasmic side of membrane', - 'def': 'The side of a membrane that faces the cytoplasm. [GOC:dos]' - }, - 'GO:0098563': { - 'name': 'intrinsic component of synaptic vesicle membrane', - 'def': 'The component of the synaptic vesicle membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos]' - }, - 'GO:0098564': { - 'name': 'trans-Golgi network transport vesicle lumen', - 'def': 'The volume enclosed within the membrane of a trans-Golgi network transport vesicle. [GOC:dos]' - }, - 'GO:0098565': { - 'name': 'lumenal side of endosome membrane', - 'def': 'The side (leaflet) of the endosome membrane that faces the lumen. [GOC:dos]' - }, - 'GO:0098566': { - 'name': 'transport vesicle lumen', - 'def': 'The volume enclosed within the membrane of a transport vesicle. [GOC:dos]' - }, - 'GO:0098567': { - 'name': 'periplasmic side of plasma membrane', - 'def': 'The side (leaflet) of a plasma membrane that faces the periplasm, and all proteins embedded in it or attached to its surface. [GOC:dos]' - }, - 'GO:0098568': { - 'name': 'external side of mycolate outer membrane', - 'def': 'The side (leaflet) of the mycolate outer membrane that faces the environment and any proteins embedded in it or loosely bound to its surface. [GOC:dos, PMID:18316738, PMID:18567661]' - }, - 'GO:0098569': { - 'name': 'internal side of mycolate outer membrane', - 'def': 'The side of the mycolate outer membrane that faces the cell wall peptidoglycan. It is rich in long-chain mycolic acids (hydroxylated branched-chain fatty acids) that are covalently linked to the cell wall peptidoglycan via an arabinogalactan network. [GOC:dos, PMID:18316738, PMID:18567661]' - }, - 'GO:0098570': { - 'name': 'stromal side of plastid inner membrane', - 'def': 'The side (leaflet) of the plastid inner membrane that faces the stroma, and any proteins embedded in it or loosely bound to its surface. [GOC:dos]' - }, - 'GO:0098571': { - 'name': 'lumenal side of plastid thylakoid membrane', - 'def': 'The side (leaflet) of the plastid thylakoid membrane that faces the lumen, and any proteins embedded in it or loosely bound to its surface. [GOC:dos]' - }, - 'GO:0098572': { - 'name': 'stromal side of plastid thylakoid membrane', - 'def': 'The side (leaflet) of the plastid thylakoid membrane that faces the stroma, and any proteins embedded in it or loosely bound to its surface. [GOC:dos]' - }, - 'GO:0098573': { - 'name': 'intrinsic component of mitochondrial membrane', - 'def': 'The component of the mitochondrial membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos]' - }, - 'GO:0098574': { - 'name': 'cytoplasmic side of lysosomal membrane', - 'def': 'The side (leaflet) of the lysosomal membrane that faces the cytoplasm. [GOC:ab, GOC:dos]' - }, - 'GO:0098575': { - 'name': 'lumenal side of lysosomal membrane', - 'def': 'The side (leaflet) of the lysosomal membrane that faces the lumen. [GOC:dos]' - }, - 'GO:0098576': { - 'name': 'lumenal side of membrane', - 'def': 'Any side (leaflet) of a membrane that faces the lumen of an organelle. [GOC:dos]' - }, - 'GO:0098577': { - 'name': 'inactive sex chromosome', - 'def': 'A sex chromosome that has been inactivated. [GOC:dos]' - }, - 'GO:0098578': { - 'name': 'condensed chromatin of inactivated sex chromosome', - 'def': 'A condensed form of chromatin that is associated with an inactivated sex chromosome and which is responsible for its inactivation. [GOC:dos]' - }, - 'GO:0098579': { - 'name': 'active sex chromosome', - 'def': 'A sex chromosome that has not been inactivated. [GOC:dos]' - }, - 'GO:0098580': { - 'name': 'chromatin of active sex chromosome', - 'def': 'Chromatin that is part of an active sex chromosome. [GOC:dos, PMID:23816838]' - }, - 'GO:0098581': { - 'name': 'detection of external biotic stimulus', - 'def': 'The series of events in which an external biotic stimulus is detected and converted into a molecular signal. An external biotic stimulus is defined as one caused or produced by a living organism other than the one being stimulated. [GOC:dos]' - }, - 'GO:0098582': { - 'name': 'innate vocalization behavior', - 'def': 'A vocalisation behavior that is innate, i.e. that does not need to be learned in order to occur. [GOC:BHF, GOC:dos, GOC:rl]' - }, - 'GO:0098583': { - 'name': 'learned vocalization behavior', - 'def': 'A vocalization behavior that is the result of learning. [GOC:BHF, GOC:dos, GOC:rl, PMID:16418265, PMID:17035521]' - }, - 'GO:0098584': { - 'name': 'host cell synaptic vesicle', - 'def': "A secretory organelle of a host cell, some 50 nm in diameter, of presynaptic nerve terminals; accumulates in high concentrations of neurotransmitters and secretes these into the synaptic cleft by fusion with the 'active zone' of the presynaptic plasma membrane. [GOC:dos]" - }, - 'GO:0098585': { - 'name': 'host cell synaptic vesicle membrane', - 'def': 'The lipid bilayer surrounding a host synaptic vesicle. [GOC:dos]' - }, - 'GO:0098586': { - 'name': 'cellular response to virus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a virus. [GOC:dos]' - }, - 'GO:0098588': { - 'name': 'bounding membrane of organelle', - 'def': 'The lipid bilayer that forms the outer-most layer of an organelle. [GOC:dos]' - }, - 'GO:0098589': { - 'name': 'membrane region', - 'def': 'A membrane that is a part of a larger membrane. Examples include the apical region of the plasma membrane of an epithelial cell and the various regions of the endoplasmic reticulum membrane. [GOC:dos]' - }, - 'GO:0098590': { - 'name': 'plasma membrane region', - 'def': 'A membrane that is a (regional) part of the plasma membrane. [GOC:dos]' - }, - 'GO:0098591': { - 'name': 'external side of apical plasma membrane', - 'def': 'The leaflet the apical region of the plasma membrane that faces away from the cytoplasm and any proteins embedded or anchored in it or attached to its surface. [GOC:ab, GOC:dos]' - }, - 'GO:0098592': { - 'name': 'cytoplasmic side of apical plasma membrane', - 'def': 'The side (leaflet) of the apical region of the plasma membrane that faces the cytoplasm. [GOC:ab, GOC:dos]' - }, - 'GO:0098593': { - 'name': 'goblet cell theca', - 'def': 'A cup shaped specialization of the cytoskeleton that forms a thin layer located just below the apical mass of mature mucin secretory granules in the cytoplasm of goblet cells of the intestinal epithelium. It consists of an orderly network of intermediate filaments and microtubules. Microtubules are arranged vertically, like barrel staves, along the inner aspect of the theta. Intermediate filaments form two networks: an inner, basketlike network and an outer series of circumferential bundles resembling the hoops of a barrel. [PMID:6541604]' - }, - 'GO:0098594': { - 'name': 'mucin granule', - 'def': 'A secretory granule that contains mucin. [PMID:16377632]' - }, - 'GO:0098595': { - 'name': 'perivitelline space', - 'def': 'The space between the membrane of an oocyte and a surrounding membranous structure (zona pellucida or perivitelline membrane). [GOC:dos]' - }, - 'GO:0098596': { - 'name': 'imitative learning', - 'def': 'Learning in which new behaviors are acquired through imitation. [GOC:dos, Wikipedia:Imitative_learning&oldid=593192364]' - }, - 'GO:0098597': { - 'name': 'observational learning', - 'def': 'Learning that occurs through observing the behavior of others. [GOC:dos, Wikipedia:Observational_learning&oldid=603524137]' - }, - 'GO:0098598': { - 'name': 'learned vocalization behavior or vocal learning', - 'def': 'Vocalisation behavior that is the result of learning, or the process by which new vocalizations are learned. [GOC:BHF, GOC:dos, GOC:rl, PMID:16418265, PMID:17035521]' - }, - 'GO:0098599': { - 'name': 'palmitoyl hydrolase activity', - 'def': 'Catalysis of a hydrolase reaction that removes a palmitoyl moiety from some substrate. [GOC:dos, GOC:pg]' - }, - 'GO:0098600': { - 'name': 'selenomethionine gamma-lyase activity', - 'def': 'Catalysis of the reaction: L-Selenomethionine + H2O => Methaneselenol + Ammonia + 2-oxobutanoic acid. [PMID:11578145, PMID:16037612, PMID:16444005]' - }, - 'GO:0098601': { - 'name': 'selenomethionine adenosyltransferase activity', - 'def': 'Catalysis of the reaction: ATP + L-Selenomethionine + H2O => Orthophosphate + Diphosphate + Se-Adenosylselenomethionine. [PMID:2339986]' - }, - 'GO:0098602': { - 'name': 'single organism cell adhesion', - 'def': 'The attachment, via cell adhesion molecules, of a cell to either another cell of the same organism, or to an underlying substrate of the same organism such as the extracellular matrix. [GOC:dos]' - }, - 'GO:0098603': { - 'name': 'selenol Se-methyltransferase activity', - 'def': 'Catalysis of the reaction: R + Se-Adenosylselenomethionine => CH3-R + Se-Adenosyl-L-selenohomocysteine. [PMID:1711890]' - }, - 'GO:0098604': { - 'name': 'adenosylselenohomocysteinase activity', - 'def': 'Catalysis of the reaction: Se-Adenosyl-L-selenohomocysteine + H2O => Adenosine + Selenohomocysteine. [GOC:dos, PMID:1711890, PMID:7305945]' - }, - 'GO:0098605': { - 'name': 'selenocystathionine beta-synthase activity', - 'def': 'Catalysis of the reaction: L-Serine + Selenohomocysteine => L-Selenocystathionine + H2O. [PMID:6456763]' - }, - 'GO:0098606': { - 'name': 'selenocystathionine gamma-lyase activity', - 'def': 'Catalysis of the reaction: L-Selenocystathionine + H2O => L-Selenocysteine + NH3 + 2-Oxobutanoic acid. [PMID:6456763]' - }, - 'GO:0098607': { - 'name': 'methylselenocysteine deselenhydrase activity', - 'def': 'Catalysis of the reaction: Se-Methyl-L-selenocysteine + H2O => pyruvic acid + NH3 + Methaneselenol. [PMID:17451884, PMID:20383543]' - }, - 'GO:0098608': { - 'name': 'methylselenol demethylase activity', - 'def': 'Catalysis of the reaction: methylselenol + H2O => H2Se + CH3OH. [PMID:17451884, PMID:17988700]' - }, - 'GO:0098609': { - 'name': 'cell-cell adhesion', - 'def': 'The attachment of one cell to another cell via adhesion molecules. [GOC:dos]' - }, - 'GO:0098610': { - 'name': 'adhesion between unicellular organisms', - 'def': 'The attachment of two unicellular organisms to each other. [GOC:dos]' - }, - 'GO:0098611': { - 'name': 'cell-cell adhesion involved in galactose-specific flocculation', - 'def': 'Cell-cell adhesion between two single-celled organisms, during flocculation, mediated via the binding of cell wall proteins on one cell to galactose residues on the other. [GOC:dos, PMID:22098069]' - }, - 'GO:0098612': { - 'name': 'cell-cell adhesion involved in mannose-specific flocculation', - 'def': 'Cell-cell adhesion between two single-celled organisms, during flocculation, mediated via the binding of cell wall proteins on one cell to mannose residues on the other. [GOC:dos, PMID:22098069]' - }, - 'GO:0098613': { - 'name': 'methaneselenol methyltransferase activity', - 'def': 'Catalysis of the reaction: S-Adenosyl-L-methionine + Methaneselenol => S-Adenosyl-L-homocysteine + Dimethyl selenide. [PMID:14705, PMID:17988700, PMID:4380351]' - }, - 'GO:0098614': { - 'name': 'hydrogen selenide methyltransferase activity', - 'def': 'Catalysis of the reaction: S-Adenosyl-L-methionine + Hydrogen selenide => S-Adenosyl-L-homocysteine + Methaneselenol. [PMID:14705, PMID:17988700]' - }, - 'GO:0098615': { - 'name': 'dimethyl selenide methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + dimethyl selenide => S-adenosyl-L-homocysteine + trimethylselenonium. [PMID:17988700, PMID:3350800]' - }, - 'GO:0098616': { - 'name': 'selenate adenylyltransferase (ATP) activity', - 'def': 'Catalysis of the reaction: ATP + H2SeO4 => Diphosphate + Adenylylselenate. [PMID:2537056]' - }, - 'GO:0098617': { - 'name': 'adenylylselenate kinase activity', - 'def': "Catalysis of the reaction: ATP + Adenylylselenate => ADP + 3'-Phosphoadenylylselenate. [PMID:2537056]" - }, - 'GO:0098618': { - 'name': 'selenomethionine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: ATP + L-Selenomethionine + tRNA(Met) => AMP + Diphosphate + Selenomethionyl-tRNA(Met). [PMID:16661668, PMID:16661782]' - }, - 'GO:0098619': { - 'name': 'selenocysteine-tRNA ligase activity', - 'def': 'Catalysis of the reaction: tRNASec + L-Ser + ATP ---> Ser-tRNASec + AMP + Diphosphate. [PMID:8890909, PMID:9431993, PMID:9637248]' - }, - 'GO:0098620': { - 'name': 'seryl-selenocysteinyl-tRNA kinase activity', - 'def': 'Catalysis of the reaction: Ser-tRNA(Sec) + ATP ---> Sep-tRNA(Sec) + ADP [PMID:15317934]' - }, - 'GO:0098621': { - 'name': 'phosphoseryl-selenocysteinyl-tRNA selenium transferase activity', - 'def': 'Catalysis of the reaction: O-Phosphoseryl-tRNA(Sec) + Selenophosphoric acid + H2O => L-Selenocysteinyl-tRNA(Sec) + 2 phosphoric acid. [PMID:17142313, PMID:19608919]' - }, - 'GO:0098622': { - 'name': 'selenodiglutathione-disulfide reductase activity', - 'def': 'Catalysis of the reaction: H+ + selenodiglutathione + NADPH => gluthathioselenol + glutathione + NADP+. [PMID:1569062]' - }, - 'GO:0098623': { - 'name': 'selenite reductase activity', - 'def': 'Catalysis of the reaction: SeO3(2-) + 3NADPH + 5H+ ---> H2Se + 3NADP+ + 3H2O. [PMID:1321713]' - }, - 'GO:0098624': { - 'name': "3'-Phosphoadenylylselenate reductase activity", - 'def': "Catalysis of the reaction: 3'-Phosphoadenylylselenate + NADPH => Adenosine 3',5'-bisphosphate + Selenite + NADP+ + H+. [PMID:14723223]" - }, - 'GO:0098625': { - 'name': 'methylselenol reductase activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + CH3SeOH => NADP+ + CH3SeH + H2O [PMID:11782468]' - }, - 'GO:0098626': { - 'name': 'methylseleninic acid reductase activity', - 'def': 'Catalysis of the reaction: NADPH + H+ + CH3SeO2H => NADP+ + CH3SeOH + H2O. [PMID:11782468]' - }, - 'GO:0098627': { - 'name': 'protein arginine phosphatase activity', - 'def': 'Catalysis of the reaction: protein arginine phosphate + H2O = protein arginine + phosphate. [PMID:23770242]' - }, - 'GO:0098628': { - 'name': 'peptidyl-N-phospho-arginine dephosphorylation', - 'def': 'The removal of phosphate residues from peptidyl-N-phospho-arginine to form peptidyl-arginine [PMID:23770242]' - }, - 'GO:0098629': { - 'name': 'trans-Golgi network membrane organization', - 'def': 'A process which results in the assembly, arrangement of constituent parts, or disassembly of a trans-Golgi network membrane. [GOC:di, GOC:dos, PMID:23345439]' - }, - 'GO:0098630': { - 'name': 'aggregation of unicellular organisms', - 'def': 'The clustering together of unicellular organisms in suspension form aggregates. [GOC:dos]' - }, - 'GO:0098631': { - 'name': 'protein binding involved in cell adhesion', - 'def': 'Any protein binding that is involved in cell adhesion. [GOC:dos]' - }, - 'GO:0098632': { - 'name': 'protein binding involved in cell-cell adhesion', - 'def': 'Any protein binding that is involved in cell-cell adhesion. [GOC:dos]' - }, - 'GO:0098633': { - 'name': 'collagen fibril binding', - 'def': 'Interacting selectively and non-covalently with a collagen fibril. [GOC:dos, PMID:21421911]' - }, - 'GO:0098634': { - 'name': 'protein binding involved in cell-matrix adhesion', - 'def': 'Any protein binding that is involved in cell-matrix adhesion. [GOC:dos]' - }, - 'GO:0098635': { - 'name': 'protein complex involved in cell-cell adhesion', - 'def': 'Any protein complex that is capable of carrying out some part of the process of cell-cell adhesion. [GOC:dos]' - }, - 'GO:0098636': { - 'name': 'protein complex involved in cell adhesion', - 'def': 'Any protein complex that is capable of carrying out some part of the process of cell adhesion to the cell matrix or to another cell. [GOC:dos]' - }, - 'GO:0098637': { - 'name': 'protein complex involved in cell-matrix adhesion', - 'def': 'Any protein complex that is capable of carrying out some part of the process of cell-matrix adhesion. [GOC:dos]' - }, - 'GO:0098638': { - 'name': 'laminin binding involved in cell-matrix adhesion', - 'def': 'Any laminin protein binding that occurs as part of cell-matrix adhesion. [GOC:dos]' - }, - 'GO:0098639': { - 'name': 'collagen binding involved in cell-matrix adhesion', - 'def': 'Any collagen binding that occurs as part of cell-matrix adhesion. [GOC:dos]' - }, - 'GO:0098640': { - 'name': 'integrin binding involved in cell-matrix adhesion', - 'def': 'Any integrin binding that occurs as part of the process of cell-matrix adhesion. [GOC:dos]' - }, - 'GO:0098641': { - 'name': 'cadherin binding involved in cell-cell adhesion', - 'def': 'Any cadherin binding that occurs as part of the process of cell-cell adhesion. [GOC:dos]' - }, - 'GO:0098642': { - 'name': 'network-forming collagen trimer', - 'def': 'A collagen trimer that forms networks. [PMID:21421911]' - }, - 'GO:0098643': { - 'name': 'banded collagen fibril', - 'def': 'A supramolecular assembly of fibrillar collagen complexes in the form of a long fiber (fibril) with transverse striations (bands). [GOC:dos, PMID:21421911]' - }, - 'GO:0098644': { - 'name': 'complex of collagen trimers', - 'def': 'A complex of collagen trimers such as a fibril or collagen network. [GOC:dos]' - }, - 'GO:0098645': { - 'name': 'collagen network', - 'def': 'A protein complex that consists of collagen triple helices associated to form a network. [GOC:dos, PMID:21421911]' - }, - 'GO:0098646': { - 'name': 'collagen sheet', - 'def': 'A protein complex that consists of collagen triple helices associated to form a sheet-like network. [GOC:dos, PMID:21421911]' - }, - 'GO:0098647': { - 'name': 'collagen beaded filament', - 'def': "A supramolecular assembly of collagen trimers with a 'beads on a string'-like structure. [GOC:dos, PMID:19693541]" - }, - 'GO:0098648': { - 'name': 'collagen anchoring fibril', - 'def': 'A specialised collagen fibril that functions as an anchor, binding to other collagen structures. [GOC:dos]' - }, - 'GO:0098649': { - 'name': 'response to peptidyl-dipeptidase A inhibitor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a peptidyl-dipeptidase A inhibitor stimulus. [GOC:dos]' - }, - 'GO:0098650': { - 'name': 'peptidyl-proline 4-dioxygenase binding', - 'def': 'Interacting selectively and non-covalently with a peptidyl-proline 4-dioxygenase. [GOC:dos, GOC:kvm]' - }, - 'GO:0098651': { - 'name': 'basement membrane collagen trimer', - 'def': 'Any collagen timer that is part of a basement membrane. [GOC:dos, PMID:21421911]' - }, - 'GO:0098652': { - 'name': 'collagen type VII anchoring fibril', - 'def': 'An antiparallel dimer of two collagen VII trimers, one end of which is embedded in the lamina densa while the other end attaches to banded collagen fibrils in the dermis. [PMID:19693541]' - }, - 'GO:0098653': { - 'name': 'centromere clustering', - 'def': 'The process by which centromeres/kinetochores become localized to clusters. [GOC:di, GOC:dos, PMID:10761928, PMID:23283988, PMID:8486732]' - }, - 'GO:0098654': { - 'name': 'CENP-A recruiting complex', - 'def': 'A protein complex that includes Mis16(Yippee family) and/or Mis18 (WD repeat) subunits that is involved in the deposition of centromere specific (CENP-A containing) nucleosomes at the centromere. [PMID:24774534]' - }, - 'GO:0098655': { - 'name': 'cation transmembrane transport', - 'def': 'A process in which a cation is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:dos, GOC:vw]' - }, - 'GO:0098656': { - 'name': 'anion transmembrane transport', - 'def': 'A process in which an anion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:dos, GOC:vw]' - }, - 'GO:0098657': { - 'name': 'import into cell', - 'def': 'The directed movement of some substance from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:dos]' - }, - 'GO:0098658': { - 'name': 'inorganic anion import into cell', - 'def': 'The directed movement of inorganic anions from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:dos]' - }, - 'GO:0098659': { - 'name': 'inorganic cation import into cell', - 'def': 'The directed movement of inorganic cations from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:dos]' - }, - 'GO:0098660': { - 'name': 'inorganic ion transmembrane transport', - 'def': 'A process in which an inorganic ion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0098661': { - 'name': 'inorganic anion transmembrane transport', - 'def': 'A process in which an inorganic anion is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0098662': { - 'name': 'inorganic cation transmembrane transport', - 'def': 'A process in which an inorganic cation is transported from one side of a membrane to the other by means of some agent such as a transporter or pore. [GOC:mah]' - }, - 'GO:0098663': { - 'name': 'transmembrane transporter activity involved in import into cell', - 'def': 'Any transmembrane transporter activity that is involved in importing some substance into a cell. [GOC:dos, ISBN:0-8249-3695-6]' - }, - 'GO:0098664': { - 'name': 'G-protein coupled serotonin receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled serotonin receptor binding to one of its physiological ligands. [GOC:mah]' - }, - 'GO:0098665': { - 'name': 'serotonin receptor complex', - 'def': 'A protein complex that is capable of serotonin receptor activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:16116092]' - }, - 'GO:0098666': { - 'name': 'G-protein coupled serotonin receptor complex', - 'def': 'A protein complex that is capable of G-protein coupled serotonin receptor activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie]' - }, - 'GO:0098667': { - 'name': 'sodium ion export across plasma membrane', - 'def': 'The directed movement of sodium ions from inside of a cell, across the plasma membrane and into the extracellular region. [GOC:vw]' - }, - 'GO:0098668': { - 'name': 'potassium ion export from cell', - 'def': 'The directed movement of potassium ions out of a cell. [GOC:al]' - }, - 'GO:0098669': { - 'name': 'superinfection exclusion', - 'def': 'The process by which a preexisting viral infection prevents a secondary infection with the same or a closely related virus. Typically some aspect of viral entry is inhibited, but post entry mechanisms have also been documented. [PMID:11985726, PMID:23692331, PMID:24089557, PMID:8012757, VZ:3971]' - }, - 'GO:0098670': { - 'name': 'entry receptor-mediated virion attachment to host cell', - 'def': 'The process by which a virion attaches to a host cell by binding to a receptor on the host cell surface that mediates/triggers viral entry by endocytosis/pinocytosis or by inducing fusion/penetration. [PMID:18351291, VZ:3942]' - }, - 'GO:0098671': { - 'name': 'adhesion receptor-mediated virion attachment to host cell', - 'def': 'The process by which a virion attaches to a host cell by binding to a receptor on the host cell surface that does not mediate or trigger entry into the host cell. This binding is typically reversible and enhances significantly infectivity by concentrating the virus in the vicinity of its entry receptors, or bringing it to an organ in which its target cells are located. [PMID:18351291, VZ:3943]' - }, - 'GO:0098672': { - 'name': 'evasion by virus of CRISPR-cas system', - 'def': 'Any process, either active or passive, by which a virus evades the CRISPR-cas system of its host. Some viruses can directly suppress the CRISPR system. [PMID:23242138, PMID:23446421, PMID:26416740, VZ:3962]' - }, - 'GO:0098673': { - 'name': 'inhibition of host DNA replication by virus', - 'def': 'Any process by which a virus inhibits DNA replication in its host cell. Some bacteriophages are known to do this, possibly as a way of increasing the pool of nucleotides available for virus replication. [PMID:17010157, PMID:21205014]' - }, - 'GO:0098674': { - 'name': 'extrinsic component of neuronal dense core vesicle membrane', - 'def': 'The component of the neuronal dense core vesicle membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos]' - }, - 'GO:0098675': { - 'name': 'intrinsic component of neuronal dense core vesicle membrane', - 'def': 'The component of the neuronal dense core vesicle membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098676': { - 'name': 'modulation of host virulence by virus', - 'def': 'Any process by which a virus modulates the ability of its host to infect and/or damage an organism for which it is a host. Typically this involves a phage modulating the virulence of a bacterium. Mechanisms include the expression of factors that modulate a bacterial adhesion to a host cell, spread through host tissues, production exotoxins or provide protection against host immune defenses. [PMID:10913072, PMID:11553559, PMID:23981100, VZ:3965]' - }, - 'GO:0098677': { - 'name': 'virion maturation', - 'def': 'Maturation of a virion after separation from the host cell. Not all viruses mature after separation. In those that do, maturation typically involves rearangement and/or cleavage of viral proteins, resulting in the virion becoming competent for reinfection. [ISBN:0781718325, UniProtKB-KW:KW-0917, VZ:1946]' - }, - 'GO:0098678': { - 'name': 'viral tropism switching', - 'def': 'A process by which the range of hosts which a virus can bind and infect is changed. Examples include phages that switch between types of fibers via the action of a virally encoded invertase. [PMID:6232613, VZ:4498]' - }, - 'GO:0098679': { - 'name': 'regulation of carbohydrate catabolic process by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of carbohydrate catabloism. [PMID:16408318]' - }, - 'GO:0098680': { - 'name': 'template-free RNA nucleotidyltransferase', - 'def': 'Catalysis of the reaction: nucleoside triphosphate + RNA(n) = diphosphate + RNA(n+1); the addition of a terminal nucleotide to an RNA molecule in the absence of a nucleic acid template. [GOC:BHF, GOC:BHF_telomere, GOC:dos, GOC:nc, PMID:15994230]' - }, - 'GO:0098681': { - 'name': 'synaptic ribbon', - 'def': "A non-membrane bound, electron dense structure associated that extends perpendicular to the presynaptic membrane in ribbon synapses. The ribbon's surface is studded with small particles to which synaptic vesicles tether via fine filaments. The tethered vesicles function as a pool, several fold greater than the docked pool available for fast release, which supports sustained release of vesicles. Synaptic ribbons may be plate like or spherical. [PMID:15626493]" - }, - 'GO:0098682': { - 'name': 'arciform density', - 'def': 'An electron dense structure that anchors a synaptic ribbon to the presynaptic membrane. [PMID:15626493]' - }, - 'GO:0098683': { - 'name': 'cochlear hair cell ribbon synapse', - 'def': 'A ribbon synpase of an auditory hair cell of the cochlear. These ribbon synapses contain spherical synaptic ribbons and lack and arciform density. [PMID:15626493]' - }, - 'GO:0098684': { - 'name': 'photoreceptor ribbon synapse', - 'def': 'A ribbon synapse between a retinal photoreceptor cell (rod or cone) and a retinal bipolar cell. These contain a plate-like synaptic ribbon. [PMID:15626493]' - }, - 'GO:0098685': { - 'name': 'Schaffer collateral - CA1 synapse', - 'def': 'A synapse between the Schaffer collateral axon of a CA3 pyramidal cell and a CA1 pyramidal cell. [PMID:16399689]' - }, - 'GO:0098686': { - 'name': 'hippocampal mossy fiber to CA3 synapse', - 'def': 'One of the giant synapses that form between the mossy fiber axons of dentate gyrus granule cells and the large complex spines of CA3 pyramidal cells. It consists of a giant bouton known as the mossy fiber expansion, synapsed to the complex, multiheaded spine (thorny excresence) of a CA3 pyramidal cell. [DOI:10.1002/1096-9861, PMID:13869693, PMID:23264762]' - }, - 'GO:0098687': { - 'name': 'chromosomal region', - 'def': 'Any subdivision of a chromosome along its length. [GOC:dos]' - }, - 'GO:0098688': { - 'name': 'parallel fiber to Purkinje cell synapse', - 'def': 'An excitatory synapse formed by the parallel fibers of granule cells synapsing onto the dendrites of Purkinje cells. [PMID:16623829, PMID:3209740]' - }, - 'GO:0098689': { - 'name': 'latency-replication decision', - 'def': 'The process by which a virus switches on its replication cycle in an infected cell. The process is typically controlled by a genetic swtich controlled by environmental factors such as cell type, cell shape, the availability of nutrients, superinfection or exposure of infected cells to UV or various chemical stimuli. [PMID:19416825, PMID:24339346, VZ:3964]' - }, - 'GO:0098700': { - 'name': 'neurotransmitter loading into synaptic vesicle', - 'def': 'The active transport of neurotransmitters into a synaptic vesicle. This import is fuelled by an electrochemical gradient across the vesicle membrane, established by the action proton pumps. [GOC:bf, GOC:pad, GOC:PARL, PMID:10099709, PMID:15217342]' - }, - 'GO:0098701': { - 'name': 'endocytic import into cell', - 'def': 'The directed movement of some substance from the outside of a cell into a cytoplasmic vesicle via endocytosis. [GOC:dos]' - }, - 'GO:0098702': { - 'name': 'adenine import across plasma membrane', - 'def': 'The directed movement of adenine from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098703': { - 'name': 'calcium ion import across plasma membrane', - 'def': 'The directed movement of calcium ions from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098704': { - 'name': 'carbohydrate import across plasma membrane', - 'def': 'The directed movement of a carbohydrate from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098705': { - 'name': 'copper ion import across plasma membrane', - 'def': 'The directed movement of copper ions from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098706': { - 'name': 'ferric iron import across plasma membrane', - 'def': 'The directed movement of ferric iron ions (Fe(III) or Fe3+) from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098707': { - 'name': 'ferrous iron import across plasma membrane', - 'def': 'The directed movement of ferrous iron ions (Fe(II) or Fe2+) from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098708': { - 'name': 'glucose import across plasma membrane', - 'def': 'The directed movement of glucose from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098709': { - 'name': 'glutathione import across plasma membrane', - 'def': 'The directed movement of glutathione from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098710': { - 'name': 'guanine import across plasma membrane', - 'def': 'The directed movement of guanine from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098711': { - 'name': 'iron ion import across plasma membrane', - 'def': 'The directed movement of iron ions from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098712': { - 'name': 'L-glutamate import across plasma membrane', - 'def': 'The directed movement of L-glutamate from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098713': { - 'name': 'leucine import across plasma membrane', - 'def': 'The directed movement of leucine from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098714': { - 'name': 'malate import across plasma membrane', - 'def': 'The directed movement of malate from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098715': { - 'name': 'malonic acid import across plasma membrane', - 'def': 'The directed movement of malonic acid from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098716': { - 'name': 'nickel cation import across plasma membrane', - 'def': 'The directed movement of nickel cations from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098717': { - 'name': 'pantothenate import across plasma membrane', - 'def': 'The directed movement of pantothenate from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098718': { - 'name': 'serine import across plasma membrane', - 'def': 'The directed movement of serine from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098719': { - 'name': 'sodium ion import across plasma membrane', - 'def': 'The directed movement of sodium ions from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098720': { - 'name': 'succinate import across plasma membrane', - 'def': 'The directed movement of succinate from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098721': { - 'name': 'uracil import across plasma membrane', - 'def': 'The directed movement of uracil from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098722': { - 'name': 'asymmetric stem cell division', - 'def': 'Division of a stem cell during which it retains its identity and buds off a daughter cell with a new identity. [GOC:dos, PMID:18513950]' - }, - 'GO:0098723': { - 'name': 'skeletal muscle myofibril', - 'def': 'A myofibril of a skeletal muscle fiber. [GOC:dos]' - }, - 'GO:0098724': { - 'name': 'symmetric stem cell division', - 'def': 'Symmetric division of a stem cell to produce two stem cells of the same type as the parent. Symmetric stem cell division is necessary for amplification of stem cell populations in the absence of sources of stem cells external to an existing population. [PMID:19948499, PMID:23303905]' - }, - 'GO:0098725': { - 'name': 'symmetric cell division', - 'def': 'Cell division in which both daughter cells are of the same type. [GOC:dos]' - }, - 'GO:0098726': { - 'name': 'symmetric division of skeletal muscle satellite stem cell', - 'def': 'The symmetric division of a skeletal muscle satellite stem cell, resulting in two skeletal muscle satellite stem cells. This process is involved in amplification of the pool of these cells. [PMID:23303905]' - }, - 'GO:0098727': { - 'name': 'maintenance of cell number', - 'def': 'Any process by which the numbers of cells of a particular type in a tissue are maintained. [GOC:dos]' - }, - 'GO:0098728': { - 'name': 'germline stem cell asymmetric division', - 'def': 'The self-renewing division of a germline stem cell, to produce a daughter stem cell and a daughter germ cell which will divide to form one or more gametes. [GOC:dos]' - }, - 'GO:0098729': { - 'name': 'germline stem cell symmetric division', - 'def': 'Division of a germline stem cell to produce two germline stem cells of the same type as the parent. [GOC:dos, PMID:19948499]' - }, - 'GO:0098730': { - 'name': 'male germline stem cell symmetric division', - 'def': 'The symmetric division of a male germline stem cell to produce two male germline stem cells. An example of this is found in mammalian spermatogonial stem cells, some proportion of which divide symmetrically, so amplifying the population. The choice between asymmetric and symmetric division in this case appears to be internal and stochastic. [GOC:dos, PMID:19948499]' - }, - 'GO:0098731': { - 'name': 'skeletal muscle satellite stem cell maintenance involved in skeletal muscle regeneration', - 'def': 'Any process by which the number of skeletal muscle satellite stem cells in a skeletal muscle is maintained during skeletal muscle regeneration. There are at least two mechanisms by which this is achieved. Skeletal muscle satellite stem cell asymmetric division ensures satellite stem cell numbers are kept constant. Symmetric division of these cells amplifies the number of skeletal muscle satellite stem cells. [PMID:23303905]' - }, - 'GO:0098732': { - 'name': 'macromolecule deacylation', - 'def': 'The removal of an acyl group, any group or radical of the form RCO- where R is an organic group, from a macromolecule. [GOC:dos]' - }, - 'GO:0098733': { - 'name': 'hemidesmosome associated protein complex', - 'def': 'Any protein complex that is part of or has some part in a hemidesmosome. [GOC:dos]' - }, - 'GO:0098734': { - 'name': 'macromolecule depalmitoylation', - 'def': 'The removal of palymitoyl groups from a macromolecule. [GOC:dos]' - }, - 'GO:0098735': { - 'name': 'positive regulation of the force of heart contraction', - 'def': 'Any process that increases the force of heart muscle contraction. [GOC:BHF, GOC:dos, GOC:mtg_cardiac_conduct_nov11, GOC:rl, PMID:17242280]' - }, - 'GO:0098736': { - 'name': 'negative regulation of the force of heart contraction', - 'def': 'Any process that decreases the force of heart muscle contraction. [GOC:BHF, GOC:dos, GOC:mtg_cardiac_conduct_nov11, GOC:rl, PMID:17242280]' - }, - 'GO:0098737': { - 'name': 'protein insertion into plasma membrane', - 'def': 'The process that results in the incorporation of a protein into a plasma membrane. Incorporation in this context means having some part or covalently attached group that is inserted into the the hydrophobic region of one or both bilayers. [GOC:DOS]' - }, - 'GO:0098739': { - 'name': 'import across plasma membrane', - 'def': 'The directed movement of some substance from outside of a cell, across the plasma membrane and into the cytosol. [GOC:dos]' - }, - 'GO:0098740': { - 'name': 'multi organism cell adhesion', - 'def': 'Cell adhesion that involves cells from multiple organisms or that is mediated by gene products from multiple organisms. [GOC:dos]' - }, - 'GO:0098741': { - 'name': 'adhesion between unicellular organisms via cell-wall interaction', - 'def': 'The attachment of two unicellular organisms to each other via interaction between cell-wall components. [GOC:dos]' - }, - 'GO:0098742': { - 'name': 'cell-cell adhesion via plasma-membrane adhesion molecules', - 'def': 'The attachment of one cell to another cell via adhesion molecules that are at least partially embedded in the plasma membrane. [GOC:dos]' - }, - 'GO:0098743': { - 'name': 'cell aggregation', - 'def': 'The clustering together and adhesion of initially separate cells to form an aggregate. Examples include the clustering of unicellular organisms or blood cells in suspension and the condensation of mesenchymal cells during cartilage formation. [GOC:dos]' - }, - 'GO:0098744': { - 'name': '1-phosphatidylinositol 4-kinase activator activity', - 'def': 'Binds to and increases the activity of 1-phosphatidylinositol 4-kinase. [PMID:21288895]' - }, - 'GO:0098745': { - 'name': 'Dcp1-Dcp2 complex', - 'def': 'A protein complex consisting of a Dcp1 regulatory subunit and a Dcp2 catalytic subunit that has mRNA cap binding activity and is involved in decapping of nuclear-transcribed mRNA. [GOC:dos, GOC:vw, PMID:22323607]' - }, - 'GO:0098746': { - 'name': 'fast, calcium ion-dependent exocytosis of neurotransmitter', - 'def': 'The fast, initial phase of calcium ion-induced neurotransmitter release, via exocytosis, into the synaptic cleft. This depends on low affinity calcium sensors and typically begins a fraction of a millisecond after Ca2+ influx, and decays rapidly (1-10ms) with a decay constant of around 5-10ms. The underlying molecular mechanisms of this process are distinct from those of the later, slow phase of release. [GOC:dos, GOC:pad, GOC:PARL, PMID:4405553, PMID:7809151, PMID:7954835]' - }, - 'GO:0098747': { - 'name': 'slow, calcium ion-dependent exocytosis of neurotransmitter', - 'def': 'The slow, second phase of calcium ion-induced neurotransmitter release, via exocytosis, into the synaptic cleft. This depends on high affinity calcium sensors and decays slowly, typically with a decay constant of over 100ms. The underlying molecular mechanisms of this process are distinct from those of the earlier, fast phase of release. [GOC:dos, GOC:pad, GOC:parl, PMID:7809151, PMID:7954835]' - }, - 'GO:0098748': { - 'name': 'endocytic adaptor activity', - 'def': 'The binding activity of a molecule that brings together two or more protein molecules, or a protein and another macromolecule or complex as a key step in receptor mediated endocytosis. [GOC:dos, GOC:vw, PMID:21536832]' - }, - 'GO:0098749': { - 'name': 'cerebellar neuron development', - 'def': 'The process whose specific outcome is the progression of a cerebellar neuron over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dos]' - }, - 'GO:0098750': { - 'name': 'FYXD domain binding', - 'def': 'Interacting selectively and non-covalently with a FXYD domain. [GOC:dos, GOC:mr, PMID:10950925, PMID:16403837, PMID:18000745]' - }, - 'GO:0098751': { - 'name': 'bone cell development', - 'def': 'The process whose specific outcome is the progression of a bone cell over time, from initial commitment of the cell to a specific fate, to the fully functional differentiated cell. [GOC:dos]' - }, - 'GO:0098752': { - 'name': 'integral component of the cytoplasmic side of the plasma membrane', - 'def': 'The component of the plasma membrane consisting of the gene products that penetrate only the cytoplasmic side of the membrane. [GOC:dos]' - }, - 'GO:0098753': { - 'name': 'anchored component of the cytoplasmic side of the plasma membrane', - 'def': 'The component of the plasma membrane consisting of gene products and protein complexes with covalently attached hydrophobic anchors products that penetrate only the cytoplasmic side of the membrane. [GOC:dos]' - }, - 'GO:0098754': { - 'name': 'detoxification', - 'def': 'Any process that reduces or removes the toxicity of a toxic substance. These may include transport of the toxic substance away from sensitive areas and to compartments or complexes whose purpose is sequestration of the toxic substance. [GOC:dos]' - }, - 'GO:0098755': { - 'name': 'maintenance of seed dormancy by absisic acid', - 'def': 'The process by which seed dormancy is maintained by the presence of absisic acid. [GOC:dos, PMID:9580097]' - }, - 'GO:0098756': { - 'name': 'response to interleukin-21', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-21 stimulus. [GOC:BHF, GOC:mah]' - }, - 'GO:0098757': { - 'name': 'cellular response to interleukin-21', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-21 stimulus. [GOC:BHF, GOC:mah]' - }, - 'GO:0098758': { - 'name': 'response to interleukin-8', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-8 stimulus. [GOC:BHF, GOC:mah]' - }, - 'GO:0098759': { - 'name': 'cellular response to interleukin-8', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-8 stimulus. [GOC:BHF, GOC:mah]' - }, - 'GO:0098760': { - 'name': 'response to interleukin-7', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-7 stimulus. [GOC:BHF, GOC:mah]' - }, - 'GO:0098761': { - 'name': 'cellular response to interleukin-7', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an interleukin-7 stimulus. [GOC:BHF, GOC:mah]' - }, - 'GO:0098762': { - 'name': 'meiotic cell cycle phase', - 'def': 'One of the distinct periods or stages into which the meiotic cell cycle is divided. Each phase is characterized by the occurrence of specific biochemical and morphological events. [GOC:dos]' - }, - 'GO:0098763': { - 'name': 'mitotic cell cycle phase', - 'def': 'One of the distinct periods or stages into which the mitotic cell cycle is divided. Each phase is characterized by the occurrence of specific biochemical and morphological events. [GOC:dos]' - }, - 'GO:0098764': { - 'name': 'meiosis I cell cycle phase', - 'def': 'A meiotic cell cycle phase prior to a during which some part of meiosis I nuclear division or the proceeding cytokinesis occurs. [GOC:dos]' - }, - 'GO:0098765': { - 'name': 'meiosis II cell cycle phase', - 'def': 'A meiotic cell cycle phase that occurs after meiosis I (the first meiotic nuclear division). [GOC:dos]' - }, - 'GO:0098766': { - 'name': 'obsolete meiosis I M phase', - 'def': 'M phase during meiosis I. [GOC:dos]' - }, - 'GO:0098767': { - 'name': 'obsolete meiosis II M phase', - 'def': 'M phase during meiosis II [GOC:dos]' - }, - 'GO:0098768': { - 'name': 'meiotic prometaphase I', - 'def': 'The meiotic cell cycle phase in eukaryotes between meiotic prophase I and meiotic metaphase I. During meiotic prometaphase I, the nuclear envelope breaks down and one kinetochore forms per chromosome. Chromosomes attach to spindle microtubules and begin to move towards the metaphase plate. [PMID:16012859]' - }, - 'GO:0098769': { - 'name': 'TIMP family protein binding', - 'def': 'Interacting selectively and non-covalently with any member of the Tissue inhibitors of metalloproteinases (TIMPs) family. TIMPs are endogenous protein regulators of the matrix metalloproteinase (MMPs) family [PMID:22078297]' - }, - 'GO:0098770': { - 'name': 'FBXO family protein binding', - 'def': 'Interacting selectively and non-covalently with any member of the FBXO protein family. Members of this family have an F-box protein motif of approximately 50 amino acids that functions as a site of protein-protein interaction. [PMID:11178263]' - }, - 'GO:0098771': { - 'name': 'inorganic ion homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of inorganic ions within an organism or cell. [GOC:dos]' - }, - 'GO:0098772': { - 'name': 'molecular function regulator', - 'def': 'A molecular function that modulates the activity of a gene product or complex. Examples include enzyme regulators and channel regulators. [GOC:dos, GOC:pt]' - }, - 'GO:0098773': { - 'name': 'skin epidermis development', - 'def': 'The process whose specific outcome is the progression of the skin epidermis over time, from its formation to the mature structure. [GOC:dos]' - }, - 'GO:0098774': { - 'name': 'curli', - 'def': 'A proteinaceous extracellular fiber, produced by an enteric bacterium, that is involved in surface and cell-cell contacts that promote community behavior and host colonization. [PMID:16704339]' - }, - 'GO:0098775': { - 'name': 'curli assembly', - 'def': 'The process of assembly of curli, extracellular fibers produced by enteric bacteria. This process occurs outside the cell, where it is coupled to secretion across the cell outer membrane via nucleation by elements of the transporter complex. [PMID:16704339]' - }, - 'GO:0098776': { - 'name': 'protein transport across the cell outer membrane', - 'def': 'The directed movement of proteins across the cell outer membrane. [GOC:dos]' - }, - 'GO:0098777': { - 'name': 'protein secretion by the type VIII secretion system', - 'def': 'Protein secretion through the outer membrane via the mechanism used for the secretion of curli subunits. [PMID:19299134, PMID:24080089]' - }, - 'GO:0098778': { - 'name': 'curli subunit secretion coupled to curli assembly', - 'def': 'The secretion of soluble curli subunits through the outer membrane, coupled to nucleation of curli fiber formation at the membrane surface. [PMID:24080089]' - }, - 'GO:0098779': { - 'name': 'positive regulation of macromitophagy in response to mitochondrial depolarization', - 'def': 'The macromitophagy process that is triggered by a detection of the loss of mitochondrial membrane potential. [GOC:PARL, PMID:18200046, PMID:23985961]' - }, - 'GO:0098780': { - 'name': 'response to mitochondrial depolarisation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) in response to the depolarization of one or more mitochondria. [GOC:dos]' - }, - 'GO:0098781': { - 'name': 'ncRNA transcription', - 'def': 'The transcription of non (protein) coding RNA from a DNA template. [GOC:dos]' - }, - 'GO:0098782': { - 'name': 'mechanically-gated potassium channel activity', - 'def': 'Enables the transmembrane transfer of a potassium ion by a channel that opens in response to a mechanical stress. [PMID:22282805, PMID:25471887, PMID:25500157]' - }, - 'GO:0098783': { - 'name': 'correction of merotelic kinetochore attachment, mitotic', - 'def': 'The cell cycle process that corrects the anomalous association of a single chromatid kinetochore with mitotic spindle microtubules emanating from both spindle poles (otherwise known as merotelic attachment to the spindle). [PMID:21306900]' - }, - 'GO:0098784': { - 'name': 'biofilm matrix organization', - 'def': 'A process that results in the assembly, arrangement of constituent parts, or disassembly of a biofilm matrix. [GOC:mah]' - }, - 'GO:0098785': { - 'name': 'biofilm matrix assembly', - 'def': 'A process that results in the assembly of a biofilm matrix. [GOC:mah]' - }, - 'GO:0098786': { - 'name': 'biofilm matrix disassembly', - 'def': 'A process that results in the disassembly of a biofilm matrix. [GOC:mah]' - }, - 'GO:0098787': { - 'name': 'mRNA cleavage involved in mRNA processing', - 'def': 'Cleavage of an immature mRNA transcript to produce one or more more mature mRNA transcripts, prior to translation into polypeptide. [GOC:dos]' - }, - 'GO:0098788': { - 'name': 'dendritic knob', - 'def': 'The terminal swelling of an apical dendrite of a ciliated olfactory receptor neuron. Each knob gives rise to 5 to 20 long delicate nonmotile cilia, which extend into the mucus covering the sensory epithelium. [PMID:20801626]' - }, - 'GO:0098789': { - 'name': 'pre-mRNA cleavage required for polyadenylation', - 'def': "The targeted, endonucleolytic cleavage of a pre-mRNA, required for polyadenylation of the 3' end. This cleavage is directed by binding sites near the 3' end of the mRNA and leaves a 3' hydoxyl end which then becomes a target for adenylation. [http://www.ncbi.nlm.nih.gov/books/NBK21563/#_A2878_]" - }, - 'GO:0098790': { - 'name': 'ncRNA transcription associated with protein coding gene TSS/TES', - 'def': 'The transcription of non-coding RNA associated with transcriptional start and end sites of protein coding genes. This occurs at some low level for many protein coding genes. [PMID:20502517]' - }, - 'GO:0098791': { - 'name': 'Golgi subcompartment', - 'def': 'A compartment that consists of a lumen and an enclosing membrane, and is part of the Golgi Apparatus. [GOC:dos]' - }, - 'GO:0098792': { - 'name': 'xenophagy', - 'def': 'The macroautophagy process in which a region of cytoplasm containing an intracellular pathogen or some part of an intracellular pathogen (e.g. viral capsid) is enclosed in a double membrane bound autophagosome, which then fuses with the lysosome leading to degradation of the contents. [GOC:autophagy, GOC:pad, GOC:PARL, PMID:19802565, PMID:20159618, PMID:25497060]' - }, - 'GO:0098793': { - 'name': 'presynapse', - 'def': 'The part of a synapse that is part of the presynaptic cell. [GOC:dos]' - }, - 'GO:0098794': { - 'name': 'postsynapse', - 'def': 'The part of a synapse that is part of the post-synaptic cell. [GOC:dos]' - }, - 'GO:0098795': { - 'name': 'mRNA cleavage involved in gene silencing', - 'def': 'Cleavage of an mRNA occurring as part of the mechanism of gene silencing. [GOC:BHF_miRNA, GOC:dos]' - }, - 'GO:0098796': { - 'name': 'membrane protein complex', - 'def': 'Any protein complex that is part of a membrane. [GOC:dos]' - }, - 'GO:0098797': { - 'name': 'plasma membrane protein complex', - 'def': 'Any protein complex that is part of the plasma membrane. [GOC:dos]' - }, - 'GO:0098798': { - 'name': 'mitochondrial protein complex', - 'def': 'A protein complex that is part of a mitochondrion. [GOC:dos]' - }, - 'GO:0098799': { - 'name': 'outer mitochondrial membrane protein complex', - 'def': 'Any protein complex that is part of the outer mitochondrial membrane. [GOC:dos]' - }, - 'GO:0098800': { - 'name': 'inner mitochondrial membrane protein complex', - 'def': 'Any protein complex that is part of the inner mitochondrial membrane. [GOC:dos]' - }, - 'GO:0098801': { - 'name': 'regulation of renal system process', - 'def': 'Any process that modulates the frequency, rate or extent of a system process, a multicellular organismal process carried out by the renal system. [GOC:dos]' - }, - 'GO:0098802': { - 'name': 'plasma membrane receptor complex', - 'def': 'Any protein complex that is part of the plasma membrane and which functions as a receptor. [GOC:dos]' - }, - 'GO:0098803': { - 'name': 'respiratory chain complex', - 'def': 'Any protein complex that is part of a respiratory chain [GOC:dos]' - }, - 'GO:0098804': { - 'name': 'non-motile cilium membrane', - 'def': 'The portion of the plasma membrane surrounding a non-motile cilium. [GOC:cilia, GOC:dos]' - }, - 'GO:0098805': { - 'name': 'whole membrane', - 'def': 'Any lipid bilayer that completely encloses some structure, and all the proteins embedded in it or attached to it. Examples include the plasma membrane and most organelle membranes. [GOC:dos]' - }, - 'GO:0098806': { - 'name': 'deadenylation involved in gene silencing by miRNA', - 'def': 'Shortening of the poly(A) tail of a nuclear-transcribed mRNA following miRNA binding to mRNA, resulting in destabilization of the mRNA and a reduction in the efficiency of its translation. [GOC:bhf, GOC:dos, PMID:21118121, PMID:23209154]' - }, - 'GO:0098807': { - 'name': 'chloroplast thylakoid membrane protein complex', - 'def': 'A protein complex that is part of a chloroplast thylakoid membrane. [GOC:dos]' - }, - 'GO:0098808': { - 'name': 'mRNA cap binding', - 'def': "Interacting selectively and non-covalently with a 7-methylguanosine (m7G) group or derivative located at the 5' end of an mRNA molecule. [GOC:dos]" - }, - 'GO:0098809': { - 'name': 'nitrite reductase activity', - 'def': 'Catalysis of the reaction: nitrite + acceptor = product(s) of nitrate reduction + reduced acceptor. [GOC:dos, GOC:jh]' - }, - 'GO:0098810': { - 'name': 'neurotransmitter reuptake', - 'def': 'The directed movement of neurotransmitter molecules from the extrasynaptic space into the presynaptic cytosol. [GOC:dos]' - }, - 'GO:0098811': { - 'name': 'transcriptional repressor activity, RNA polymerase II activating transcription factor binding', - 'def': 'Interacting selectively and non-covalently with an RNA polymerase II activating transcription factor and also with the RNA polymerase II basal transcription machinery in order to stop, prevent, or reduce the frequency, rate or extent of transcription. [GOC:BHF, GOC:dos, GOC:rl, GOC:txnOH]' - }, - 'GO:0098812': { - 'name': 'nuclear rRNA polyadenylation involved in polyadenylation-dependent rRNA catabolic process', - 'def': "The enzymatic addition of a sequence of adenylyl residues (polyadenylation) at the 3' end of a rRNA, occurring as part of the process of polyadenylation-dependent rRNA catabolism in the nucleus. [GOC:dph, GOC:jl, GOC:tb]" - }, - 'GO:0098813': { - 'name': 'nuclear chromosome segregation', - 'def': 'The process in which genetic material, in the form of nuclear chromosomes, is organized into specific structures and then physically separated and apportioned to two or more sets. Nuclear chromosome segregation begins with the condensation of chromosomes, includes chromosome separation, and ends when chromosomes have completed movement to the spindle poles. [GOC:dos]' - }, - 'GO:0098814': { - 'name': 'spontaneous synaptic transmission', - 'def': 'The low level of synaptic transmission that occurs via spontaneous neurotransmitter release into the synaptic cleft in the absence of a presynaptic action potential. [PMID:20200227]' - }, - 'GO:0098815': { - 'name': 'modulation of excitatory postsynaptic potential', - 'def': 'Any process that modulates the frequency, rate or extent of excitatory postsynaptic potential (EPSP). EPSP is a process that leads to a temporary increase in postsynaptic potential due to the flow of positively charged ions into the postsynaptic cell. The flow of ions that causes an EPSP is an excitatory postsynaptic current (EPSC) and makes it easier for the neuron to fire an action potential. [GOC:dos]' - }, - 'GO:0098816': { - 'name': 'mini excitatory postsynaptic potential', - 'def': 'A process that leads to a temporary increase in postsynaptic potential due to the flow of positively charged ions into the postsynaptic cell, induced by the spontaneous release of a single vesicle of an excitatory neurotransmitter into the synapse. [GOC:dos]' - }, - 'GO:0098817': { - 'name': 'evoked excitatory postsynaptic potential', - 'def': 'A process that leads to a temporary increase in postsynaptic potential due to the flow of positively charged ions into the postsynaptic cell induced by the evoked release of many vesicles of excitatory neurotransmitter at the synapse. [GOC:dos]' - }, - 'GO:0098818': { - 'name': 'hyperpolarization of postsynaptic membrane', - 'def': 'A process that hyerpolarizes a postsynaptic membrane relative to its resting potential. This has an inhibitory effect on the post-synaptic cell, moving the membrane potential away from the firing threshold. [GOC:dos]' - }, - 'GO:0098819': { - 'name': 'depolarization of postsynaptic membrane', - 'def': 'A process that depolarizes a postsynaptic membrane relative to its resting potential. This has an excitatory effect on the post-synaptic cell, moving the membrane potential towards the firing threshold. [GOC:dos]' - }, - 'GO:0098820': { - 'name': 'trans-synaptic protein complex', - 'def': 'A protein complex that spans the synaptic cleft and has parts in both the pre- and post-synaptic membranes. [PMID:20200227]' - }, - 'GO:0098821': { - 'name': 'BMP receptor activity', - 'def': 'Combining with a member of the bone morphogenetic protein (BMP) family, and transmitting a signal across the plasma membrane to initiate a change in cell activity. [GOC:BHF, GOC:dos]' - }, - 'GO:0098822': { - 'name': 'peptidyl-cysteine modification to L-cysteine persulfide', - 'def': 'The modification of peptidyl-cysteine to form peptidyl-L-cysteine persulfide. [PMID:11592406]' - }, - 'GO:0098823': { - 'name': 'peptidyl-cysteine modification to S-amindino-L-cysteine', - 'def': 'The amidinylation of peptidyl-cysteine to form peptidyl-S-amidino-L-cysteine. [RESID:AA0335]' - }, - 'GO:0098824': { - 'name': 'peptidyl-cysteine sulfation', - 'def': 'The sulfation of peptidyl-cysteine to form S-sulfo-L-cysteine. [RESID:AA0171]' - }, - 'GO:0098825': { - 'name': 'peptidyl-histidine guanylation', - 'def': "The guanylylation of peptidyl-histidine to form (phospho-5'-guanosine)-L-histidine. [RESID:AA0325]" - }, - 'GO:0098826': { - 'name': 'endoplasmic reticulum tubular network membrane', - 'def': 'The membrane of the endoplasmic reticulum tubular network. [PMID:16469703]' - }, - 'GO:0098827': { - 'name': 'endoplasmic reticulum subcompartment', - 'def': 'A distinct region of the endoplasmic reticulum [GOC:dos]' - }, - 'GO:0098828': { - 'name': 'modulation of inhibitory postsynaptic potential', - 'def': 'Any process that modulates the frequency, rate or extent of inhibitory postsynaptic potential (IPSP). IPSP is a temporary decrease in postsynaptic membrane potential due to the flow of negatively charged ions into the postsynaptic cell. The flow of ions that causes an IPSP is an inhibitory postsynaptic current (IPSC) and makes it more difficult for the neuron to fire an action potential. [GOC:dos]' - }, - 'GO:0098829': { - 'name': 'intestinal folate absorption', - 'def': 'Uptake of folic into the blood by absorption from the small intestine. [GOC:BHF, GOC:dos, GOC:hal, PMID:19762432]' - }, - 'GO:0098830': { - 'name': 'presynaptic endosome', - 'def': 'An endosome present in the presynapse that fuses with endocytic vesicles arising in the presynaptic endocytic zone. This organelle is believed to be involved in regeneration of synaptic vesicles. [PMID:20200227, PMID:25939282]' - }, - 'GO:0098831': { - 'name': 'presynaptic active zone cytoplasmic component', - 'def': 'A specialized region below the presynaptic membrane, characterized by electron-dense material, a specialized cytoskeletal matrix and accumulated (associated) synaptic vesicles. [GOC:dos]' - }, - 'GO:0098832': { - 'name': 'peri-centrosomal recycling endosome', - 'def': 'A recycling endosome that is organized around the microtubule organizing center, close to the nucleus. This is the main recycling endosome of most cells. It receives input from the Golgi as well as recycled molecules from early endosomes. [PMID:19696797, PMID:20820847]' - }, - 'GO:0098833': { - 'name': 'presynaptic endocytic zone', - 'def': 'A specialized region of the plasma membrane and underlying cytoplasm which surround the the active zone, into which synaptic vesicle membranes are recycled following exocytosis. It is especially enriched in endocytic proteins following intense activity. [PMID:17455288]' - }, - 'GO:0098834': { - 'name': 'presynaptic endocytic zone cytoplasmic component', - 'def': 'The cytoplasmic component of the presynaptic endocytic zone. [GOC:dos]' - }, - 'GO:0098835': { - 'name': 'presynaptic endocytic zone membrane', - 'def': 'The region of the presynaptic membrane that is part of the presynaptic endocytic zone - where synaptic vesicles are endocytosed and recycled following release. [GOC:dos]' - }, - 'GO:0098836': { - 'name': 'cytoskeleton of dendritic spine', - 'def': 'The portion of the cytoskeleton that lies within a dendritic spine. The actin component of this cytoskeleton is involved in spine head remodelling in response to postsynaptic signalling. [PMID:24854120]' - }, - 'GO:0098837': { - 'name': 'postsynaptic recycling endosome', - 'def': 'A recycling endosome of the postsynapse. In postsynaptic terminals with dendritic spines, it is typically located at the base of a dendritic spine. It is involved in recycling of neurotransmitter receptors to the postsynaptic membrane. In some cases at least, this recycling is activated by postsynaptic signalling and so can play a role in long term potentiation. [PMID:20820847]' - }, - 'GO:0098838': { - 'name': 'reduced folate transmembrane transport', - 'def': 'The directed movement of reduced folate (dihydrofolate, tetrahydrofolate, methylene-tetrahydrofolate or methyl-tetrahydrofolate) across a membrane. [PMID:14609557]' - }, - 'GO:0098839': { - 'name': 'postsynaptic density membrane', - 'def': 'The membrane component of the postsynaptic density. This is the region of the postsynaptic membrane in which the population of neurotransmitter receptors involved in synaptic transmission are concentrated. [GOC:dos]' - }, - 'GO:0098840': { - 'name': 'protein transport along microtubule', - 'def': 'The directed movement of a protein along a microtubule, mediated by motor proteins. [PMID:25987607]' - }, - 'GO:0098841': { - 'name': 'protein localization to cell division site after cytokinesis', - 'def': 'A cellular protein localization process in which a protein is transported to, or maintained at, the site of cell division following cytokinesis. [PMID:25411334]' - }, - 'GO:0098842': { - 'name': 'postsynaptic early endosome', - 'def': 'An early endosome of the postsynapse. It acts as the major sorting station on the endocytic pathway, targeting neurotransmitter receptors for degregation or recycling. [PMID:19603039, PMID:20820847, PMID:24727350]' - }, - 'GO:0098843': { - 'name': 'postsynaptic endocytic zone', - 'def': 'A stably positioned site of clathrin adjacent and physically attached to the postsynaptic specialization, which is the site of endocytosis of post-synaptic proteins. [PMID:17880892]' - }, - 'GO:0098844': { - 'name': 'postsynaptic endocytic zone membrane', - 'def': 'The region of the postsynaptic membrane that is part of the postsynaptic endocytic zone. This region of membrane is associated with stable clathrin puncta. [PMID:17880892]' - }, - 'GO:0098845': { - 'name': 'postsynaptic endosome', - 'def': 'An endosomal compartment that is part of the post-synapse. Only early and recycling endosomes are typically present in the postsynapse. [PMID:20820847]' - }, - 'GO:0098846': { - 'name': 'podocyte foot', - 'def': 'A cell projection of a podocyte (glomerular visceral epithelial cell) forming a foot-like structure projecting from a podocyte primary projection, that wraps around capillaries of a renal glomerulus. Adjacent feet (pedicels) interdigitate, leaving thin filtration slits between them, which are covered by slit diaphragms. [PMID:25324828]' - }, - 'GO:0098847': { - 'name': 'sequence-specific single stranded DNA binding', - 'def': 'Interacting selectively and non-covalently with single-stranded DNA of a specific nucleotide composition. [PMID:9531483]' - }, - 'GO:0098848': { - 'name': 'alpha-D-ribose 1-methylphosphonate 5-phosphate C-P-lyase activity', - 'def': 'Catalysis of the reaction: alpha-D-ribose 1-methylphosphonate 5-phosphate = alpha-D-ribose 1,2-cyclic phosphate 5-phosphate + methane. [EC:4.7.1.1, GOC:dos, GOC:ik]' - }, - 'GO:0098849': { - 'name': 'cellular detoxification of cadmium ion', - 'def': 'Any process that reduces or removes the toxicity of cadmium cations in a cell. These include transport of cadmium cations away from sensitive areas and to compartments or complexes whose purpose is sequestration. [GOC:dos, GOC:vw]' - }, - 'GO:0098850': { - 'name': 'extrinsic component of synaptic vesicle membrane', - 'def': 'The component of the synaptic vesicle membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos]' - }, - 'GO:0098851': { - 'name': 'double-stranded miRNA binding', - 'def': 'Interacting selectively and non-covalently with double-stranded miRNA. double-stranded miRNA is formed by processing of pre-miRNA stem-loop structures. [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:19966796]' - }, - 'GO:0098852': { - 'name': 'lytic vacuole membrane', - 'def': 'The lipid bilayer surrounding a lytic vacuole and separating its contents from the cytoplasm of the cell. [GOC:dos]' - }, - 'GO:0098853': { - 'name': 'ER-vacuole membrane contact site', - 'def': 'A zone of apposition between endoplasmic-reticulum and lytic vacuole membranes, structured by bridging complexes. [GOC:dos, PMID:26283797]' - }, - 'GO:0098854': { - 'name': 'podocyte primary projection', - 'def': 'A cell projection originating from a renal glomerular podocyte and extending to the renal glomerular podocyte foot. [PMID:24309184, PMID:25324828]' - }, - 'GO:0098855': { - 'name': 'HCN channel complex', - 'def': 'A cation ion channel that consists of a tetramer of HCN family members, has a preference for K+ over Na+ ions and is activated by membrane hyperpolarization. Some members of this family (HCN1, HCN2 and HCN4) are also activated when cAMP binds to their cyclic nucleotide binding domain (CNBD). Channel complexes of this family play an important role in the control of pacemaker activity in the heart. [PMID:20829353]' - }, - 'GO:0098856': { - 'name': 'intestinal lipid absorption', - 'def': 'Any process in which lipids are taken up from the contents of the intestine. [GOC:dos, GOC:sl, PMID:18768481]' - }, - 'GO:0098857': { - 'name': 'membrane microdomain', - 'def': 'A membrane region with a lipid composition that is distinct from that of the membrane regions that surround it. [PMID:20044567, PMID:26253820]' - }, - 'GO:0098858': { - 'name': 'actin-based cell projection', - 'def': 'A cell projection supported by an assembly of actin filaments, and which lacks microtubules. [PMID:15661519]' - }, - 'GO:0098859': { - 'name': 'actin filament bundle of actin-based cell projection', - 'def': 'A bundle of cross-linked actin filaments that is part of an actin-based cell protrusion, in which filaments are oriented such that the plus (barbed) ends are at the tip of the protrusion, capped by a tip complex which stabilizes the filaments. [PMID:12566431, PMID:15661519]' - }, - 'GO:0098860': { - 'name': 'actin filament bundle of stereocilium', - 'def': 'A bundle of hundreds of cross-linked actin filaments (an actin cable), that is the supporting structure of a stereocilium. Filaments are oriented such that the the plus (barbed) ends are at the tip of the protrusion and are capped by a tip complex which bridges to the plasma membrane. [PMID:15661519]' - }, - 'GO:0098861': { - 'name': 'actin filament bundle of filopodium', - 'def': 'A parallel bundle of actin filaments that is part of filopodium. Filaments are oriented such that the plus (barbed) ends are at the tip of the protrusion, capped by a tip complex. [PMID:12566431]' - }, - 'GO:0098862': { - 'name': 'cluster of actin-based cell projections', - 'def': 'A cell part consisting of multiple, closely packed actin-based cell projections. [GOC:dos]' - }, - 'GO:0098863': { - 'name': 'nuclear migration by microtubule mediated pushing forces', - 'def': 'The directed movement of the nucleus by pushing forces exerted by polymerization of backward-extending microtubules. [GOC:vw, PMID:11309419, PMID:16611238]' - }, - 'GO:0098864': { - 'name': 'modification by symbiont of host occluding cell-cell junction', - 'def': 'The process in which a symbiont organism effects a change in the structure or function of its host occluding junction, a cell-cell junction that seals cells together in an epithelium in a way that prevents even small molecules from leaking from one side of the sheet to the other. [PMID:24287273]' - }, - 'GO:0098865': { - 'name': 'modification by symbiont of host bicellular tight junctions', - 'def': 'The process in which an organism effects a change in the structure or function of its host bicellular tight junctions, an occluding cell-cell junction that is composed of a branching network of sealing strands that completely encircles the apical end of each cell in an epithelial sheet [PMID:24287273]' - }, - 'GO:0098866': { - 'name': 'multivesicular body fusion to apical plasma membrane', - 'def': 'The fusion of the membrane of a multivesicular body with the apical plasma membrane, resulting in release of exosomes from the cell. [PMID:26459596]' - }, - 'GO:0098867': { - 'name': 'intramembranous bone growth', - 'def': 'The increase in size or mass of an intramembranous bone that contributes to the shaping of the bone. [PMID:26399686]' - }, - 'GO:0098868': { - 'name': 'bone growth', - 'def': 'The increase in size or mass of a bone that contributes to the shaping of that bone. [GOC:dos]' - }, - 'GO:0098869': { - 'name': 'cellular oxidant detoxification', - 'def': 'Any process carried out at the cellular level that reduces or removes the toxicity superoxide radicals or hydrogen peroxide. [GOC:dos, GOC:vw]' - }, - 'GO:0098870': { - 'name': 'action potential propagation', - 'def': 'The propagation of an action potential along the plane of an excitable membrane. Action potentials typically propagate once triggered because the depolarization of adjacent membrane regions due to an action potential crosses the firing threshold. [GOC:dos]' - }, - 'GO:0098871': { - 'name': 'postsynaptic actin cytoskeleton', - 'def': 'The actin cytoskeleton that is part of a postsynapse [GOC:dos]' - }, - 'GO:0098872': { - 'name': 'G-protein coupled neurotransmitter receptor activity involved in regulation of postsynaptic cytosolic calcium ion concentration', - 'def': 'G-protein coupled neurotransmitter receptor activity, occurring in the postsynaptic membrane that is involved in regulating the cytosolic concentration of calcium ions in the postsynapse. [GOC:dos]' - }, - 'GO:0098873': { - 'name': 'neuronal action potential back-propagation', - 'def': 'Propagation of an action potential in a neuron, from its site of initiation (typically the axon hillock) towards the soma. [GOC:dos]' - }, - 'GO:0098874': { - 'name': 'spike train', - 'def': 'A series of sequential, propagated action potentials occurring in a single cell. [ISBN:978-0071390118]' - }, - 'GO:0098875': { - 'name': 'epididymosome', - 'def': 'A microvesicle of the epididymal fluid, from which spermatozoa aquire membrane proteins. [GOC:dos, GOC:mg, PMID:23177142, PMID:26112475]' - }, - 'GO:0098876': { - 'name': 'vesicle-mediated transport to the plasma membrane', - 'def': 'The directed movement of substances to the plasma membrane in transport vesicles that fuse with the plasma membrane by exocytosis. [GOC:dos]' - }, - 'GO:0098877': { - 'name': 'neurotransmitter receptor transport to plasma membrane', - 'def': 'The directed movement of neurotransmitter receptor to the plasma membrane in transport vesicles. [GOC:dos]' - }, - 'GO:0098878': { - 'name': 'neurotransmitter receptor complex', - 'def': 'Any protein complex that is capable of functioning as a neurotransmitter receptor. [GOC:dos]' - }, - 'GO:0098879': { - 'name': 'structural constituent of postsynaptic specialization', - 'def': 'The action of a molecule that contributes to the structural integrity of a postsynaptic specialization. [GOC:dos]' - }, - 'GO:0098880': { - 'name': 'maintenance of postsynaptic specialization structure', - 'def': 'A process which maintains the organization and the arrangement of proteins in the presynaptic specialization. [GOC:dos]' - }, - 'GO:0098881': { - 'name': 'exocytic insertion of neurotransmitter receptor to plasma membrane', - 'def': 'The exocytic fusion of neurotransmitter receptor containing vesicles with a plasma-membrane resulting in the integration of NT receptors with the plasma-membrane. This process includes tethering and docking steps that prepare vesicles for fusion. [PMID:19503082]' - }, - 'GO:0098882': { - 'name': 'structural constituent of presynaptic active zone', - 'def': 'The action of a molecule that contributes to the structural integrity of a presynaptic active zone. [GOC:dos]' - }, - 'GO:0098883': { - 'name': 'synapse disassembly', - 'def': 'A cellular process that results in the controlled breakdown of synapse. After it starts the process is continuous until the synapse has disappeared [GOC:dos]' - }, - 'GO:0098884': { - 'name': 'postsynaptic neurotransmitter receptor internalization', - 'def': 'A receptor-mediated endocytosis process that results in the internalization of a neurotransmitter receptor from the postsynaptic membrane endocytic zone into an endocytic vesicle. [GOC:dos]' - }, - 'GO:0098885': { - 'name': 'modification of postsynaptic actin cytoskeleton', - 'def': 'Any process that modifies the structure of a postsynaptic actin cytoskeleton. [GOC:dos]' - }, - 'GO:0098886': { - 'name': 'modification of dendritic spine', - 'def': 'Any process that modifies the structure of a dendritic spine. [GOC:dos]' - }, - 'GO:0098887': { - 'name': 'neurotransmitter receptor transport, endosome to postsynaptic membrane', - 'def': 'The directed movement of neurotransmitter receptor from the postsynaptic endosome to the postsynaptic membrane in transport vesicles. [GOC:dos]' - }, - 'GO:0098888': { - 'name': 'extrinsic component of presynaptic membrane', - 'def': 'The component of the presynaptic membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0098889': { - 'name': 'intrinsic component of presynaptic membrane', - 'def': 'The component of the presynaptic membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098890': { - 'name': 'extrinsic component of postsynaptic membrane', - 'def': 'The component of the postsynaptic membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0098891': { - 'name': 'extrinsic component of presynaptic active zone membrane', - 'def': 'The component of the presynaptic active zone membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0098892': { - 'name': 'extrinsic component of postsynaptic specialization membrane', - 'def': 'The component of the postsynaptic specialization membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0098893': { - 'name': 'extrinsic component of postsynaptic endocytic zone', - 'def': 'The component of the postsynaptic endocytic zone membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0098894': { - 'name': 'extrinsic component of presynaptic endocytic zone membrane', - 'def': 'The component of the presynaptic endocytic zone membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0098895': { - 'name': 'postsynaptic endosome membrane', - 'def': 'The lipid bilayer surrounding a postsynaptic endosome. [GOC:pz]' - }, - 'GO:0098896': { - 'name': 'postsynaptic early endosome membrane', - 'def': 'The lipid bilayer surrounding a postsynaptic early endosome. [GOC:pz]' - }, - 'GO:0098897': { - 'name': 'spine apparatus membrane', - 'def': 'The lipid bilayer surrounding the spine apparatus. [GOC:mah]' - }, - 'GO:0098898': { - 'name': 'dense core granule lumen', - 'def': 'The volume enclosed by the dense core granule membrane. [GOC:dos]' - }, - 'GO:0098899': { - 'name': 'spine apparatus lumen', - 'def': 'The volume enclosed by the spine apparatus membrane. [GOC:dos]' - }, - 'GO:0098900': { - 'name': 'regulation of action potential', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:dos, GOC:dph, GOC:go_curators, GOC:tb, ISBN:978-0-07-139011-8]' - }, - 'GO:0098901': { - 'name': 'regulation of cardiac muscle cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination in a cardiac muscle cell. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:dos, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0098902': { - 'name': 'regulation of membrane depolarization during action potential', - 'def': 'Any process that modulates the rate, frequency or extent of membrane depolarization during an action potential. Membrane depolarization is the process in which membrane potential changes in the depolarizing direction from the resting potential. [GOC:dos, GOC:dph, GOC:tb, ISBN:978-0-07-139011-8]' - }, - 'GO:0098903': { - 'name': 'regulation of membrane repolarization during action potential', - 'def': 'Any process that modulates the rate, frequency or extent of membrane repolarization during an action potential. Membrane repolarization is the process in which membrane potential changes in the repolarizing direction, towards the resting potential. [GOC:dos, GOC:dph, GOC:tb, ISBN:978-0-07-139011-8]' - }, - 'GO:0098904': { - 'name': 'regulation of AV node cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination in an atrioventricular node myocyte. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0098905': { - 'name': 'regulation of bundle of His cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination in a cardiac muscle cell of the bundle of His. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0098906': { - 'name': 'regulation of Purkinje myocyte action potential', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination in a Purkinje myocyte. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0098907': { - 'name': 'regulation of SA node cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination in an SA node cardiac myocyte. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0098908': { - 'name': 'regulation of neuronal action potential', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination in a neuron. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:dph, GOC:isa_complete, GOC:tb]' - }, - 'GO:0098909': { - 'name': 'regulation of cardiac muscle cell action potential involved in regulation of contraction', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination in a cardiac muscle cell contributing to the regulation of its contraction. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0098910': { - 'name': 'regulation of atrial cardiac muscle cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination in an atrial cardiac muscle cell contributing to the regulation of its contraction. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0098911': { - 'name': 'regulation of ventricular cardiac muscle cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of action potential creation, propagation or termination in a ventricular cardiac muscle cell contributing to the regulation of its contraction. This typically occurs via modulation of the activity or expression of voltage-gated ion channels. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0098912': { - 'name': 'membrane depolarization during atrial cardiac muscle cell action potential', - 'def': 'The process in which atrial cardiac muscle cell membrane potential changes in the depolarizing direction from the negative resting potential towards the positive membrane potential that will be the peak of the action potential. [GOC:dph, GOC:mtg_cardiac_conduct_nov11, GOC:tb]' - }, - 'GO:0098913': { - 'name': 'membrane depolarization during ventricular cardiac muscle cell action potential', - 'def': 'The process in which ventricular cardiac muscle cell membrane potential changes in the depolarizing direction from the negative resting potential towards the positive membrane potential that will be the peak of the action potential. [GOC:dph, GOC:mtg_cardiac_conduct_nov11, GOC:tb]' - }, - 'GO:0098914': { - 'name': 'membrane repolarization during atrial cardiac muscle cell action potential', - 'def': 'The process in which ions are transported across a membrane such that the atrial cardiomyocyte membrane potential changes in the direction from the positive membrane potential at the peak of the action potential towards the negative resting potential. [GOC:dph, GOC:mtg_cardiac_conduct_nov11, GOC:tb]' - }, - 'GO:0098915': { - 'name': 'membrane repolarization during ventricular cardiac muscle cell action potential', - 'def': 'The process in which ions are transported across a membrane such that the ventricular cardiomyocyte membrane potential changes in the direction from the positive membrane potential at the peak of the action potential towards the negative resting potential. [GOC:BHF, GOC:dph, GOC:mtg_cardiac_conduct_nov11, GOC:tb]' - }, - 'GO:0098916': { - 'name': 'anterograde trans-synaptic signaling', - 'def': 'Cell-cell signaling from pre to post-synapse, across the synaptic cleft [GOC:dos]' - }, - 'GO:0098917': { - 'name': 'retrograde trans-synaptic signaling', - 'def': 'Cell-cell signaling from post to pre-synapse, across the synaptic cleft [GOC:dos]' - }, - 'GO:0098918': { - 'name': 'structural constituent of synapse', - 'def': 'The action of a molecule that contributes to the structural integrity of a synapse. [GOC:dos]' - }, - 'GO:0098919': { - 'name': 'structural constituent of postsynaptic density', - 'def': 'The action of a molecule that contributes to the structural integrity of a postsynaptic density. [GOC:dos]' - }, - 'GO:0098920': { - 'name': 'retrograde trans-synaptic signaling by lipid', - 'def': 'Cell-cell signaling from postsynapse to presynapse, across the synaptic cleft, mediated by a lipid ligand. [GOC:dos]' - }, - 'GO:0098921': { - 'name': 'retrograde trans-synaptic signaling by endocannabinoid', - 'def': 'Cell-cell signaling from postsynapse to presynapse, across the synaptic cleft, mediated by an endocannabinoid ligand. [GOC:dos]' - }, - 'GO:0098922': { - 'name': 'extrinsic component of dense core granule membrane', - 'def': 'The component of the dense core granule membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos]' - }, - 'GO:0098923': { - 'name': 'retrograde trans-synaptic signaling by soluble gas', - 'def': 'Cell-cell signaling from postsynapse to presynapse, across the synaptic cleft, mediated by an soluble gas ligand. [GOC:dos]' - }, - 'GO:0098924': { - 'name': 'retrograde trans-synaptic signaling by nitric oxide', - 'def': 'Cell-cell signaling from postsynapse to presynapse, across the synaptic cleft, mediated by nitric oxide. [GOC:dos]' - }, - 'GO:0098925': { - 'name': 'retrograde trans-synaptic signaling by nitric oxide, modulating synaptic transmission', - 'def': 'Modulation of synaptic transmission by cell-cell signaling from postsynapse to presynapse, across the synaptic cleft, mediated by nitric oxide. [GOC:dos]' - }, - 'GO:0098926': { - 'name': 'postsynaptic signal transduction', - 'def': 'Signal transduction in which the initial step occurs in a postsynapse. [GOC:dos]' - }, - 'GO:0098927': { - 'name': 'vesicle-mediated transport between endosomal compartments', - 'def': 'A cellular transport process in which transported substances are moved in membrane-bounded vesicles between endosomal compartments, e.g, between early endosome and sorting endosome. [GOC:dos, PMID:10930469]' - }, - 'GO:0098928': { - 'name': 'presynaptic signal transduction', - 'def': 'Signal transduction in which the initial step occurs in a presynapse. [GOC:dos]' - }, - 'GO:0098929': { - 'name': 'extrinsic component of spine apparatus membrane', - 'def': 'The component of the spine apparatus membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:dos]' - }, - 'GO:0098930': { - 'name': 'axonal transport', - 'def': 'The directed movement of organelles or molecules along microtubules in axons. [ISBN:0815316194]' - }, - 'GO:0098931': { - 'name': 'virion attachment to host cell flagellum', - 'def': 'The process by which a virion attaches to a the host cell flagellum. Some DNA bacterial viruses use flagella to attach to the host cell. This contact with the flagellum facilitates concentration of phage particles around the entry receptor on the bacterial cell surface. [GOC:dos, VZ:3949]' - }, - 'GO:0098932': { - 'name': 'disruption by virus of host cell wall peptidoglycan during virus entry', - 'def': 'A process carried out by a virus that breaks down peptidoglycans in the cell wall of its host during viral entry. [GOC:dos, VZ:3940]' - }, - 'GO:0098933': { - 'name': 'disruption by symbiont of host cell envelope', - 'def': 'The process by which a symbiont breaks down the cell wall of its host. The host is defined as the larger of the organisms involved in a symbiotic interaction. [ISBN:0198547684]' - }, - 'GO:0098934': { - 'name': 'retrograde dendritic transport', - 'def': 'The directed movement of organelles or molecules along microtubules in a dendrite from the postsynapse towards the cell body. [GOC:dos]' - }, - 'GO:0098935': { - 'name': 'dendritic transport', - 'def': 'The directed movement of organelles or molecules along microtubules in dendrites. [ISBN:0815316194]' - }, - 'GO:0098936': { - 'name': 'intrinsic component of postsynaptic membrane', - 'def': 'The component of the postsynaptic membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098937': { - 'name': 'anterograde dendritic transport', - 'def': 'The directed movement of organelles or molecules along microtubules from the cell body toward the postsynapse in dendrites. [ISBN:0815316194]' - }, - 'GO:0098938': { - 'name': 'actin cytoskeleton of dendritic spine', - 'def': 'The actin cytoskeleton that is part of a dendritic spine. [GOC:dos]' - }, - 'GO:0098939': { - 'name': 'dendritic transport of mitochondrion', - 'def': 'The directed movement of mitochondria along microtubules in nerve cell dendrites. [GOC:ai]' - }, - 'GO:0098940': { - 'name': 'anterograde trans-synaptic signaling by nitric oxide', - 'def': 'Cell-cell signaling from presynapse to postynapse, across the synaptic cleft, mediated by nitric oxide. [GOC:dos]' - }, - 'GO:0098941': { - 'name': 'anterograde trans-synaptic signaling by trans-synaptic protein complex', - 'def': 'Cell-cell signaling from postsynapse to presynapse, across the synaptic cleft, mediated by a trans-synaptic protein complex. [GOC:dos]' - }, - 'GO:0098942': { - 'name': 'retrograde trans-synaptic signaling by trans-synaptic protein complex', - 'def': 'Cell-cell signaling from postsynapse to presynapse, across the synaptic cleft, mediated by trans-synaptic protein complex. [GOC:dos]' - }, - 'GO:0098943': { - 'name': 'neurotransmitter receptor transport, postsynaptic endosome to lysosome', - 'def': 'The directed movement of neurotransmitter receptor from the postsynaptic endosome in tranpsort vesicles to the lysosome for degradation. [GOC:dos]' - }, - 'GO:0098944': { - 'name': 'postsynaptic recycling endosome membrane', - 'def': 'The lipid bilayer surrounding a postsynaptic recycling endosome. [GOC:pz]' - }, - 'GO:0098945': { - 'name': 'intrinsic component of presynaptic active zone membrane', - 'def': 'The component of the presynaptic active zone membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098946': { - 'name': 'intrinsic component of presynaptic endocytic zone membrane', - 'def': 'The component of the presynaptic endocytic zone membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098947': { - 'name': 'intrinsic component of postsynaptic endocytic zone membrane', - 'def': 'The component of the postsynaptic endocytic zone membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098948': { - 'name': 'intrinsic component of postsynaptic specialization membrane', - 'def': 'The component of the postsynaptic specialization membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098949': { - 'name': 'intrinsic component of postsynaptic endosome membrane', - 'def': 'The component of the postsynaptic endosome membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098950': { - 'name': 'intrinsic component of postsynaptic early endosome membrane', - 'def': 'The component of the postsynaptic early endosome membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098951': { - 'name': 'intrinsic component of postsynaptic recycling endosome membrane', - 'def': 'The component of the postsynaptic recycling endosome membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098952': { - 'name': 'intrinsic component of spine apparatus membrane', - 'def': 'The component of the spine apparatus membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098953': { - 'name': 'receptor diffusion trapping', - 'def': 'The process by which a membrane receptor, diffusing freely within the plasma membeane, becomes trapped in some plasma membrane region. This can happen when a receptor bind, directly or indirectly, to some component of the underlying matrix. [PMID:18832033]' - }, - 'GO:0098954': { - 'name': 'presynaptic endosome membrane', - 'def': 'The lipid bilayer surrounding a presynaptic endosome. [GOC:pz]' - }, - 'GO:0098955': { - 'name': 'intrinsic component of presynaptic endosome membrane', - 'def': 'The component of the presynaptic endosome membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098956': { - 'name': 'intrinsic component of dense core granule membrane', - 'def': 'The component of the dense core granule membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:dos, GOC:mah]' - }, - 'GO:0098957': { - 'name': 'anterograde axonal transport of mitochondrion', - 'def': 'The directed movement of mitochondria along microtubules in axons away from the cell body and towards the presynapse. [GOC:dos]' - }, - 'GO:0098958': { - 'name': 'retrograde axonal transport of mitochondrion', - 'def': 'The directed movement of mitochondria along microtubules in axons towards the cell body and away from the presynapse. [GOC:dos]' - }, - 'GO:0098959': { - 'name': 'retrograde dendritic transport of mitochondrion', - 'def': 'The directed movement of mitochondria along microtubules in dendrites towards the cell body and away from the postsynapse. [GOC:dos]' - }, - 'GO:0098960': { - 'name': 'postsynaptic neurotransmitter receptor activity', - 'def': 'Neurotransmitter receptor activity occuring in the postsynaptic membrane during synaptic transmission. [GOC:signaling] {comment=GOC:dos}' - }, - 'GO:0098961': { - 'name': 'dendritic transport of ribonucleoprotein complex', - 'def': 'The directed movement of a ribonucleoprotein complex along microtubules in nerve cell dendrites. [GOC:dos]' - }, - 'GO:0098962': { - 'name': 'regulation of postsynaptic neurotransmitter receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of neurotransmitter receptor activity involved in synaptic transmission. Modulation may be via an effect on ligand affinity, or effector funtion such as ion selectivity or pore opening/closing in ionotropic receptors. [GOC:dos]' - }, - 'GO:0098963': { - 'name': 'dendritic transport of messenger ribonucleoprotein complex', - 'def': 'The directed movement of a messenger ribonucleoprotein complex along microtubules in nerve cell dendrites. [GOC:dos]' - }, - 'GO:0098964': { - 'name': 'anterograde dendritic transport of messenger ribonucleoprotein complex', - 'def': 'The directed movement of a messenger ribonucleoprotein complex along microtubules in nerve cell dendrites towards the postsynapse. [GOC:dos]' - }, - 'GO:0098965': { - 'name': 'extracellular matrix of synaptic cleft', - 'def': 'The portion of the extracellular matrix that lies within the synaptic cleft. [GOC:dos]' - }, - 'GO:0098966': { - 'name': 'perisynaptic extracellular matrix', - 'def': 'The portion of the extracellular matrix that lies within the perisynaptic space. [GOC:dos]' - }, - 'GO:0098967': { - 'name': 'exocytic insertion of neurotransmitter receptor to postsynaptic membrane', - 'def': 'The exocytic fusion of neurotransmitter receptor containing vesicles with a plasma-membrane resulting in the integration of NT receptors with the plasma-membrane enabling them to participate in neurotransmitter reception. This process includes tethering and docking steps that prepare vesicles for fusion. [PMID:19503082]' - }, - 'GO:0098968': { - 'name': 'neurotransmitter receptor transport postsynaptic membrane to endosome', - 'def': 'Vesicle-mediated transport of a neurotransmitter receptor complex from the postsynaptic membrane to the postsynaptic early endosome. [GOC:dos]' - }, - 'GO:0098969': { - 'name': 'neurotransmitter receptor transport to postsynaptic membrane', - 'def': 'The directed movement of neurotransmitter receptor to the postsynaptic membrane in transport vesicles. [GOC:dos]' - }, - 'GO:0098970': { - 'name': 'postsynaptic neurotransmitter receptor diffusion trapping', - 'def': 'The process by which diffusing neurotransmitter receptor becomes trapped at the postsynaptic specialization membrane. This is typically due to interaction with components of the post-synaptic specialization. [PMID:18832033]' - }, - 'GO:0098971': { - 'name': 'anterograde dendritic transport of neurotransmitter receptor complex', - 'def': 'The directed movement of a neurotransmitter receptor complex along microtubules in nerve cell dendrites towards the postsynapse. [GOC:dos]' - }, - 'GO:0098972': { - 'name': 'anterograde dendritic transport of mitochondrion', - 'def': 'The directed movement of mitochondria along microtubules in dendrites towards the postsynapse and away from the cell body. [GOC:dos]' - }, - 'GO:0098973': { - 'name': 'structural constituent of postsynaptic actin cytoskeleton', - 'def': 'The action of a molecule that contributes to the structural integrity of a postsynaptic actin cytoskeleton. [GOC:dos]' - }, - 'GO:0098974': { - 'name': 'postsynaptic actin cytoskeleton organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of cytoskeletal structures comprising actin filaments and their associated proteins in the postsynaptic actin cytoskeleton. [GOC:dos]' - }, - 'GO:0098975': { - 'name': 'postsynapse of neuromuscular junction', - 'def': 'The postsynapse of a neuromuscular junction. In vertebrate muscles this includes the motor end-plate, consisting of postjunctional folds of the sarcolemma. [GOC:dos, Wikipedia:Neuromuscular_junction&oldid=723623502]' - }, - 'GO:0098976': { - 'name': 'excitatory chemical synaptic transmission', - 'def': 'Synaptic transmission that results in an excitatory postsynaptic potential. [GOC:dos]' - }, - 'GO:0098977': { - 'name': 'inhibitory chemical synaptic transmission', - 'def': 'Synaptic transmission that results in an inhibitory postsynaptic potential. [GOC:dos]' - }, - 'GO:0098978': { - 'name': 'glutamatergic synapse', - 'def': 'A synapse that uses glutamate as a neurotransmitter. [GOC:dos]' - }, - 'GO:0098979': { - 'name': 'polyadic synapse', - 'def': 'A synapse consisting of a single presynapse and multiple postsynapses. These postsynapses may come from the same cell of from different cells. Polyadic synapses are common in arthropod and nematode central nervous systems. [PMID:26780543]' - }, - 'GO:0098980': { - 'name': 'presynaptic density', - 'def': 'An electron dense specialization of the presynaptic active zone cytoskeleton. [GOC:dos, PMID:26780543]' - }, - 'GO:0098981': { - 'name': 'cholinergic synapse', - 'def': 'A synapse that uses acetylcholine as a neurotransmitter. [GOC:dos]' - }, - 'GO:0098982': { - 'name': 'GABA-ergic synapse', - 'def': 'A synapse that uses GABA as a neurotransmitter. These synapses are typically inhibitory. [GOC:dos]' - }, - 'GO:0098983': { - 'name': 'symmetric, GABA-ergic, inhibitory synapse', - 'def': 'An neuron to neuron synapse that lacks an electron dense postsynaptic specialization, uses GABA as a neurotransmitter and whose activity results in inhibitory postsynaptic potentials. [GOC:dos]' - }, - 'GO:0098984': { - 'name': 'neuron to neuron synapse', - 'def': 'A synapse in which pre and post-synaptic cells are neurons. [GOC:dos]' - }, - 'GO:0098985': { - 'name': 'asymmetric, glutamatergic, excitatory synapse', - 'def': 'An neuron to neuron synapse with a postsynaptic density, that uses glutamate as a neurotransmitter and whose activity results in excitatory postsynaptic potentials. [GOC:dos]' - }, - 'GO:0098986': { - 'name': 'T-bar', - 'def': 'A T-shaped presynpatic density. These are common in arhropod central nervous systems. [GOC:dos, PMID:26780543]' - }, - 'GO:0098987': { - 'name': 'regulation of modification of synapse structure, modulating synaptic transmission', - 'def': 'Any process that regulates the modification of synaptic structure and as a result regulates synaptic transmission. [GOC:dos]' - }, - 'GO:0098988': { - 'name': 'G-protein coupled glutamate receptor activity', - 'def': 'Combining with glutamate and transmitting a signal from one side of the membrane to the other by activating an associated G-protein, initiating a change in cell activity. [GOC:dos]' - }, - 'GO:0098989': { - 'name': 'NMDA selective glutamate receptor signaling pathway', - 'def': 'A series of molecular signals initiated by glutamate binding to an NMDA-selective glutamate receptor on the surface of the target cell, followed by the movement of ions through a channel in the receptor complex. Ends with regulation of a downstream cellular process, e.g. transcription. [GOC:dos, ISBN:9780071120005]' - }, - 'GO:0098990': { - 'name': 'AMPA selective glutamate receptor signaling pathway', - 'def': 'A series of molecular signals initiated by glutamate binding to an AMPA-selective glutamate receptor on the surface of the target cell, followed by the movement of ions through a channel in the receptor complex. Ends with regulation of a downstream cellular process, e.g. transcription. [GOC:dos, ISBN:9780071120005]' - }, - 'GO:0098991': { - 'name': 'kainate selective glutamate receptor signaling pathway', - 'def': 'A series of molecular signals initiated by glutamate binding to an kainate-selective glutamate receptor on the surface of the target cell, followed by the movement of ions through a channel in the receptor complex. Ends with regulation of a downstream cellular process, e.g. transcription. [GOC:signaling, ISBN:9780071120005]' - }, - 'GO:0098992': { - 'name': 'neuronal dense core vesicle', - 'def': 'A dense core vesicle (granule) that is part of a neuron. These vesicles typically contain neuropeptides. They can be found in all parts of neurons, including the soma, dendrites, axonal swellings (varicosities) and synaptic terminals. [GOC:dos, ISBN:978-0-07-181001-2, Wikipedia:Neuropeptide&oldid=713905176]' - }, - 'GO:0098993': { - 'name': 'anchored component of synaptic vesicle membrane', - 'def': 'The component of the synaptic vesicle membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0098994': { - 'name': 'disruption of host cell envelope during viral entry', - 'def': 'The disruption of host cell envelope by viral proteins during virus entry [GOC:dos]' - }, - 'GO:0098995': { - 'name': 'disruption by virus of host envelope lipopolysaccharide during virus entry', - 'def': 'The breakdown of lipopolysaccharides in a host cell envelope during virus entry into a host cell. For example a phage entering a gram-negative bacterium may actively break down outer membrane lipopolysaccharides. [GOC:dos, VZ:3940]' - }, - 'GO:0098996': { - 'name': 'disruption of host cell glycocalyx during viral entry', - 'def': 'The disruption of host cell glycocalyx by viral proteins during virus entry [GOC:dos]' - }, - 'GO:0098997': { - 'name': 'fusion of virus membrane with host outer membrane', - 'def': 'Fusion of a viral membrane with the host cell outer membrane during viral entry. [GOC:dos, VZ:3941]' - }, - 'GO:0098998': { - 'name': 'extrinsic component of postsynaptic early endosome membrane', - 'def': 'The component of the postsynaptic early endosome membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0098999': { - 'name': 'extrinsic component of postsynaptic endosome membrane', - 'def': 'The component of the postsynaptic endosome membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0099000': { - 'name': 'viral genome ejection through host cell envelope, contractile tail mechanism', - 'def': 'Ejection by a non-enveloped prokaryotic virus of its genome into the host cytoplasm via a contractile tail ejection system consisting of a baseplate, a central tube and an external contractile sheath. Upon binding to the host cell surface, the baseplate changes its conformation and triggers sheath contraction, driving the rigid internal tail tube through the cell envelope. [GOC:dos, PMID:26283379, VZ:3950]' - }, - 'GO:0099001': { - 'name': 'viral genome ejection through host cell envelope, long flexible tail mechanism', - 'def': 'Ejection by a non-enveloped prokaryotic virus of its genome into the host cytoplasm via a long, flexible tail ejection system consisting a baseplate, a central tube and a terminator complex which attaches the tail to the phage capsid. Upon binding to the host cell surface, the baseplate changes its conformation and triggers genome ejection into the host cell cytoplasm. [GOC:dos, PMID:22297512, VZ:3952]' - }, - 'GO:0099002': { - 'name': 'viral genome ejection through host cell envelope, short tail mechanism', - 'def': 'Ejection by a non-enveloped prokaryotic virus of its genome into the host cytoplasm via a short tail ejection system consisting a central tube, the connector which attaches the tail to the phage capsid and releases inner core proteins. Upon binding to the host cell surface, the phage displays a tube-like extension of its short tail that penetrates both host membranes. This tail extension comes from the release of viral core proteins with channel forming properties. [GOC:dos, PMID:22297513, VZ:3954]' - }, - 'GO:0099003': { - 'name': 'vesicle-mediated transport in synapse', - 'def': 'Any vesicle-mediated transport that occurs in a synapse [GOC:dos]' - }, - 'GO:0099004': { - 'name': 'calmodulin dependent kinase signaling pathway', - 'def': 'Any signal transduction pathway involving calmodulin dependent kinase activity. [GOC:dos]' - }, - 'GO:0099005': { - 'name': 'extrinsic component of postsynaptic recycling endosome membrane', - 'def': 'The component of the postsynaptic recycling endosome membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0099006': { - 'name': 'viral entry via permeabilization of endosomal membrane', - 'def': 'The entry of a non-enveloped virus into a host eukaryotic cell, following endocytosis, via permeabilization of the endosomal membrane by membrane penetration protein(s) associated with the viral capsid. In some cases, viral membrane-penetration protein require first to be activated to display its membrane penetrating activity. Activation can be due to receptor binding or the acidic pH of the endosomal lumen. [PMID:15329727, VZ:985]' - }, - 'GO:0099007': { - 'name': 'extrinsic component of presynaptic endosome membrane', - 'def': 'The component of the presynaptic endosome membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region. [GOC:autophagy, GOC:mf]' - }, - 'GO:0099008': { - 'name': 'viral entry via permeabilization of inner membrane', - 'def': 'The entry of a non-enveloped virus into the cytoplasm of a host prokaryotic cell, following fusion with the outer membrane, via permeabilization of the plasma (inner) membrane. In the case of some double stranded RNA viruses of prokaryotes this occurs via interaction of a membrane-interacting component of the capsid, leading to depolarization an permeabilization of the plasma membrane. [PMID:15795287, PMID:20427561, VZ:985]' - }, - 'GO:0099009': { - 'name': 'viral genome circularization', - 'def': 'The circularization of a viral genome following infection of a host cell. This is common amongst bacterial viruses to protect the viral genome ends from nucleases, to convert the linear genome to an integrative precursor or to give rise to the replicative form of the genome. It can be mediated by covalent closure of the DNA sticky ends, recombinaison between redundant terminal sequences or via the binding of a protein at the viral DNA extremities [PMID:2011894948, PMID:2015489417, PMID:2019523475, PMID:20319596, VZ:3968]' - }, - 'GO:0099010': { - 'name': 'modification of postsynaptic structure', - 'def': 'Any process that modifies the structure of a postsynapse. [GOC:dos]' - }, - 'GO:0099011': { - 'name': 'neuronal dense core vesicle exocytosis', - 'def': 'The secretion of molecules (e.g. neuropeptides, insulin-related peptides or neuromodulators such as serotonin and dopamine) contained within a neuronal dense core vesicle by fusion of the granule with the plasma membrane of a neuron in response to increased cytosolic calcium levels. [GOC:kmv, PMID:17553987, PMID:24653208]' - }, - 'GO:0099012': { - 'name': 'neuronal dense core vesicle membrane', - 'def': 'The lipid bilayer surrounding a neuronal dense core vesicle. [GOC:dos]' - }, - 'GO:0099013': { - 'name': 'neuronal dense core vesicle lumen', - 'def': 'The volume enclosed by a neuronal dense core vesicle membrane. [GOC:dos]' - }, - 'GO:0099014': { - 'name': 'neuronal dense core vesicle organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a neuronal dense core vesicle. [GOC:dos]' - }, - 'GO:0099015': { - 'name': 'degradation of host chromosome by virus', - 'def': "The catabolic breakdown of the DNA of a host chromosome by a virus. This occurs during infection of bacteria by some phages. It frees up a large pool of nucleoside 5'-triphophates for use in viral DNA synthesis. [PMID:163355, PMID:335083, PMID:3972821, PMID:5263754, VZ:3947]" - }, - 'GO:0099016': { - 'name': 'DNA end degradation evasion by virus', - 'def': 'Any process, either active or passive, by which a virus evades and ends degradation of its DNA when free viral-DNA ends are exposed as part of its life-cycle. For example, some bacteriophages encode proteins that bind to free viral DNA ends, protecting them from degradation by host exonucleases. [GOC:dos, VZ:3963]' - }, - 'GO:0099017': { - 'name': 'maintenance of protein localization at cell tip', - 'def': 'Any process in which localization of a protein is maintained at the cell tip. [GOC:dos, GOC:vw, PMID:12894167]' - }, - 'GO:0099018': { - 'name': 'restriction-modification system evasion by virus', - 'def': 'Any process, either active or passive, by which a virus evades the DNA restriction modification system of its host. Some viruses encode their own methyltransferase in order to protect their genome from host restriction enzymes. Others directly inhibit restruction enzymes while some use unusual bases in their genome to avoid restriction. [PMID:20348932, PMID:23979432, PMID:24123737, VZ:3966]' - }, - 'GO:0099019': { - 'name': 'maintenance of protein localization at growing cell tip', - 'def': 'Any process in which localization of a protein is maintained at the growing cell tip. [GOC:dos, GOC:vw, PMID:24146635]' - }, - 'GO:0099020': { - 'name': 'perinuclear endoplasmic reticulum lumen', - 'def': 'The volume enclosed by the membranes of the perinuclear endoplasmic reticulum. [GOC:dos, GOC:vw]' - }, - 'GO:0099021': { - 'name': 'cortical endoplasmic reticulum lumen', - 'def': 'The volume enclosed by the membranes of the cortical endoplasmic reticulum. [GOC:dos, GOC:vw]' - }, - 'GO:0099022': { - 'name': 'vesicle tethering', - 'def': 'The initial, indirect interaction between a vesicle membrane and a membrane to which it is targeted for fusion. This interaction is mediated by tethering factors (or complexes), which interact with both membranes. Interaction can occur via direct binding to membrane phospholipids or membrane proteins, or via binding to vesicle coat proteins. This process is distinct from and prior to interaction between factors involved in fusion. [PMID:27243008]' - }, - 'GO:0099023': { - 'name': 'tethering complex', - 'def': 'Any protein complex that plays a role in vesicle tethering. [GOC:dos, GOC:vw, PMID:27243008]' - }, - 'GO:0099024': { - 'name': 'plasma membrane invagination', - 'def': 'An infolding of the plasma membrane. [GOC:dos, GOC:vw]' - }, - 'GO:0099025': { - 'name': 'anchored component of postsynaptic membrane', - 'def': 'The component of the postsynaptic membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099026': { - 'name': 'anchored component of presynaptic membrane', - 'def': 'The component of the presynaptic membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099027': { - 'name': 'anchored component of presynaptic endocytic zone membrane', - 'def': 'The component of the presynaptic endocytic zone membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099028': { - 'name': 'anchored component of postynaptic endocytic zone membrane', - 'def': 'The component of the postynaptic endocytic zone membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099029': { - 'name': 'anchored component of presynaptic active zone membrane', - 'def': 'The component of the presynaptic active zone membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099030': { - 'name': 'anchored component of postsynaptic specialization membrane', - 'def': 'The component of the postsynaptic specialization membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099031': { - 'name': 'anchored component of postsynaptic density membrane', - 'def': 'The component of the postsynaptic density membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099032': { - 'name': 'anchored component of postsynaptic early endosome membrane', - 'def': 'The component of the postsynaptic early endosome membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099033': { - 'name': 'anchored component of postsynaptic recycling endosome membrane', - 'def': 'The component of the postsynaptic recycling endosome membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099034': { - 'name': 'anchored component of postsynaptic endosome membrane', - 'def': 'The component of the postsynaptic endosome membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099035': { - 'name': 'anchored component of spine apparatus membrane', - 'def': 'The component of the spine apparatus membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099036': { - 'name': 'anchored component of neuronal dense core vesicle membrane', - 'def': 'The component of the neuronal dense core vesicle membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099037': { - 'name': 'anchored component of presynaptic endosome membrane', - 'def': 'The component of the presynaptic endosome membrane consisting of the gene products that are tethered to the membrane only by a covalently attached anchor, such as a lipid group that is embedded in the membrane. Gene products with peptide sequences that are embedded in the membrane are excluded from this grouping. [GOC:dos]' - }, - 'GO:0099038': { - 'name': 'ceramide-translocating ATPase activity', - 'def': 'Catalysis of the movement of ceramide from one membrane bilayer leaflet to the other, driven by the hydrolysis of ATP. [GOC:BHF, GOC:dos, GOC:rl]' - }, - 'GO:0099039': { - 'name': 'sphingolipid translocation', - 'def': 'The movement of a sphingolipid molecule from one leaflet of a membrane bilayer to the opposite leaflet. [GOC:BHF, GOC:rl]' - }, - 'GO:0099040': { - 'name': 'ceramide translocation', - 'def': 'The movement of a ceramide molecule from one leaflet of a membrane bilayer to the opposite leaflet. [GOC:BHF, GOC:rl]' - }, - 'GO:0099041': { - 'name': 'vesicle tethering to Golgi', - 'def': 'The initial, indirect interaction between a transport vesicle membrane and the membrane of the Golgi. This interaction is mediated by tethering factors (or complexes), which interact with both membranes. Interaction can occur via direct binding to membrane phospholipids or membrane proteins, or via binding to vesicle coat proteins. This process is distinct from and prior fusion. [PMID:27243008]' - }, - 'GO:0099042': { - 'name': 'nucleation of clathrin-coated pit', - 'def': 'The first step in clathrin-dependent endocytosis: invagination of the plasma membrane to form a pit. [GOC:dos, GOC:vw, PMID:21779028]' - }, - 'GO:0099043': { - 'name': 'cargo loading involved in clathrin-dependent endocytosis', - 'def': 'Formation of a macromolecular complex during clathrin-dependent endocytosis that connects the assembling clathrin coat to the proteins and/or lipoproteins to be transported in an endocytic vesicle. This complex includes a receptor and an adaptor protein that links the receptor to the clathrin coat. [GOC:dos, GOC:lb, GOC:vw, PMID:21779028]' - }, - 'GO:0099044': { - 'name': 'vesicle tethering to endoplasmic reticulum', - 'def': 'The initial, indirect interaction between a transport vesicle membrane and the membrane of the endoplasmic reticulum. This interaction is mediated by tethering factors (or complexes), which interact with both membranes. Interaction can occur via direct binding to membrane phospholipids or membrane proteins, or via binding to vesicle coat proteins. This process is distinct from and prior fusion. [PMID:27243008]' - }, - 'GO:0099045': { - 'name': 'viral extrusion', - 'def': 'The process whereby a filamentous phage particle is released from a bacterial host cell via a concerted mechanism of assembly and secretion. Neosynthesized virions are coordinately exported as they are assembled at the cell surface in a secretory process that leaves the host cell fully viable. Non-capsid proteins form structures that facilitate translocation through the inner membrane and outer membranes. A viral single-stranded DNA binding protein coats progeny viral DNA molecules to generate the intracellular precursor for assembly of phage particles as they are extruded through the membranes of the bacterial host. The structural proteins of the virus are anchored in the inner membrane before their incorporation into the phage particle. As assembly proceeds, the phage genome traverses the inner and outer membranes until the entire DNA molecule has been coated and extruded. [PMID:2024582831, VZ:3951]' - }, - 'GO:0099046': { - 'name': 'clearance of foreign intracellular nucleic acids', - 'def': 'A defense process that protects an organism from invading foreign DNA or RNA. [GO:dos]' - }, - 'GO:0099047': { - 'name': 'clearance of foreign intracellular RNA', - 'def': 'A defense process that protects an organism from invading foreign RNA. [GO:dos]' - }, - 'GO:0099048': { - 'name': 'CRISPR-cas system', - 'def': 'An adaptive immune response of bacteria that serves to clear host cells of foreign DNA and RNA. It has three distinct stage: acquisition of foreign DNA by integration into CRISPR loci in the host chromosome, CRISPR RNA (crRNA) biogenesis, and target interference. CISPR stands for Clustered Regularly Interspaced Short Palindromic Repeat, which describes the nature of the loci. [PMID:23495939]' - }, - 'GO:0099049': { - 'name': 'clathrin coat assembly involved in endocytosis', - 'def': 'The process that results in the assembly of clathrin triskelia into a clathrin cage during endocytosis. Clathrin is recruited to the plasma membrane via interaction with scaffolding proteins that bridge between clathtin and cell surface receptors. Clathrin coat formation is concomittant with coated pit formation leading to endocytic vesicle formation. [PMID:21779028]' - }, - 'GO:0099050': { - 'name': 'vesicle scission', - 'def': 'The membrane scission process that is the final step in the formation of a vesicle: separation from its parent membrane. [PMID:21779028]' - }, - 'GO:0099051': { - 'name': 'vesicle scission involved in endocytosis', - 'def': 'The membrane scission process that is the final step in the formation of an endocytic vesicle: separation from the plasma membrane. [PMID:21779028]' - }, - 'GO:0099052': { - 'name': 'vesicle scission involved in clathrin-mediated endocytosis', - 'def': 'The membrane scission process that is the final step in the formation of a clathrin-coated endocytic vesicle: separation from the plasma membrane. [PMID:21779028]' - }, - 'GO:0099053': { - 'name': 'activating signal cointegrator 1 complex', - 'def': 'A protein complex that contains TRIP4 (ASC1) and acts a transcriptional coactivator by interacting with transcription factors such as NF-kappa B. In humans this complex has 4 subunits: TRIP4 + ASCC1-3. [PMID:12077347]' - }, - 'GO:0099054': { - 'name': 'presynapse assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a presynapse. [GOC:bf, GOC:dos, GOC:PARL, PMID:24449494]' - }, - 'GO:0099055': { - 'name': 'integral component of postsynaptic membrane', - 'def': 'The component of the postsynaptic membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099056': { - 'name': 'integral component of presynaptic membrane', - 'def': 'The component of the presynaptic membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099057': { - 'name': 'integral component of presynaptic endocytic zone membrane', - 'def': 'The component of the presynaptic endocytic zone membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099058': { - 'name': 'integral component of postsynaptic endocytic zone membrane', - 'def': 'The component of the postsynaptic endocytic zone membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099059': { - 'name': 'integral component of presynaptic active zone membrane', - 'def': 'The component of the presynaptic active zone membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099060': { - 'name': 'integral component of postsynaptic specialization membrane', - 'def': 'The component of the postsynaptic specialization membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099061': { - 'name': 'integral component of postsynaptic density membrane', - 'def': 'The component of the postsynaptic density membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099062': { - 'name': 'integral component of postsynaptic early endosome membrane', - 'def': 'The component of the postsynaptic early endosome membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099063': { - 'name': 'integral component of postsynaptic recycling endosome membrane', - 'def': 'The component of the postsynaptic recycling endosome membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099064': { - 'name': 'integral component of postsynaptic endosome membrane', - 'def': 'The component of the postsynaptic endosome membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099065': { - 'name': 'integral component of spine apparatus membrane', - 'def': 'The component of the spine apparatus membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099066': { - 'name': 'integral component of neuronal dense core vesicle membrane', - 'def': 'The component of the neuronal dense core vesicle membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099067': { - 'name': 'integral component of presynaptic endosome membrane', - 'def': 'The component of the presynaptic endosome membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:dos]' - }, - 'GO:0099068': { - 'name': 'postsynapse assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a postsynapse. [GOC:bf, GOC:dos, GOCL:PARL]' - }, - 'GO:0099069': { - 'name': 'synaptic vesicle tethering involved in synaptic vesicle exocytosis', - 'def': 'The initial, indirect interaction between a synaptic vesicle membrane and a the preseynaptic membrane active zone. This interaction is mediated by tethering factors (or complexes), which interact with both membranes. This process is distinct from and prior to synaptic vesicle priming and fusion. [GOC:rn]' - }, - 'GO:0099070': { - 'name': 'static microtubule bundle', - 'def': 'A microtubule bundle that has a constant length, and in which microtubule sliding does not take place. [GOC:vw, PMID:26124291]' - }, - 'GO:0099071': { - 'name': 'dynamic microtubule bundle', - 'def': 'A microtubule bundle that undergoes changes in length, and in which microtubule sliding takes place. [GOC:vw, PMID:26124291]' - }, - 'GO:0099072': { - 'name': 'regulation of postsynaptic specialization membrane neurotransmitter receptor levels', - 'def': 'Any process that regulates the the local concentration of neurotransmitter receptor at the postsynaptic specialization membrane. [GOC:dos]' - }, - 'GO:0099073': { - 'name': 'mitochondrion-derived vesicle', - 'def': 'A vesicle derived via budding from a mitochondrion. These vesicles often contain inner membrane and, much more rarely, cristae. [PMID:18207745, PMID:20619655, PMID:22226745, PMID:23300790]' - }, - 'GO:0099074': { - 'name': 'mitochondrion to lysosome transport', - 'def': 'Transport from the mitochondrion to the lysosome, mediated by mitochondrion-derived vesicles [PMID:20619655]' - }, - 'GO:0099075': { - 'name': 'mitochondrion-derived vesicle mediated transport', - 'def': 'Transport from the mitochondrion, mediated by mitochondrion derived vesicles. [PMID:2061965, PMID:20619655]' - }, - 'GO:0099076': { - 'name': 'mitochondrion to peroxisome transport', - 'def': 'Transport from the mitochondrion to the peroxisome, mediated by mitochondrion-derived vesicles. [PMID:20619655]' - }, - 'GO:0099077': { - 'name': 'histone-dependent DNA binding', - 'def': 'DNA-binding activity that is dependent on binding to a histone. [PMID:11691835]' - }, - 'GO:0099078': { - 'name': 'BORC complex', - 'def': 'A protein complex that is invovled in positioning of the lysosome within the cytoplasm and which is composed of BLOC1S1, BLOC1S2, BORCS5, BORCS6, BORCS7, BORCS8, KXD1 and SNAPIN. The BORC complex recruits ARL8 at the cytosolic face of lysosomes and couples them to microtubule plus-end-directed kinesin motors. [GOC:dos, GOC:li, PMID:25898167]' - }, - 'GO:0099079': { - 'name': 'actin body', - 'def': 'An amorphous cytoskeletal structure consisting of aggregated actin filaments and associated proteins (including fibrin and capping protein) in which there is little or no actin filament turnover. In yeast (S. pombe and S. cerevisiae) these are found only in quiescent cells and are thought to serve as a reserve store of actin. [PMID:16914523]' - }, - 'GO:0099080': { - 'name': 'supramolecular complex', - 'def': 'A cellular component that consists of an indeterminate number of proteins or macromolecular complexes, organized into a regular, higher-order structure such as a polymer, sheet, network or a fiber. [GOC:dos]' - }, - 'GO:0099081': { - 'name': 'supramolecular polymer', - 'def': 'A polymeric supramolecular structure. [GOC:dos]' - }, - 'GO:0099082': { - 'name': 'retrograde trans-synaptic signaling by neuropeptide', - 'def': 'Cell-cell signaling from postsynapse to presynapse, across the synaptic cleft, mediated by a neuropeptide. [GOC:bf, GOC:dos, GOC:PARL, PMID:19448629]' - }, - 'GO:0099083': { - 'name': 'retrograde trans-synaptic signaling by neuropeptide, modulating synaptic transmission', - 'def': 'Modulation of synaptic transmittion by cell-cell signaling across the synaptic cleft from postsynapse to presynapse, mediated by a neuropeptide. [GOC:bf, GOC:dos, GOC:PARL, PMID:19448629]' - }, - 'GO:0099084': { - 'name': 'postsynaptic specialization organization', - 'def': 'A process that results in the assembly, arrangement of constituent parts, or disassembly of a postsynaptic specialization, a structure that lies adjacent to the cytoplasmic face of the postsynaptic membrane. [GOC:BHF, GOC:sjp, PMID:21525273]' - }, - 'GO:0099085': { - 'name': 'DIF dechlorinase activity', - 'def': 'Catalysis of the reaction: 1-[(3,5-dichloro-2,6-dihydroxy-4-methoxy)phenyl]hexan-1-one => 1-[(3-chloro-2,6-dihydroxy-4-methoxy)phenyl]hexan-1-one + Cl- [PMID:1521542, PMID:22035794]' - }, - 'GO:0099086': { - 'name': 'synaptonemal structure', - 'def': 'A proteinaceous scaffold found between homologous chromosomes during meiosis. [GOC:elh] {comment=GOC:vw}' - }, - 'GO:0099087': { - 'name': 'anterograde axonal transport of messenger ribonucleoprotein complex', - 'def': 'The directed movement of a messenger ribonucleoprotein complex along microtubules in axons, towards the presynapse. [GOC:dos, PMID:26586091]' - }, - 'GO:0099088': { - 'name': 'axonal transport of messenger ribonucleoprotein complex', - 'def': 'The directed movement of a messenger ribonucleoprotein complex along microtubules in axons. [GOC:dos, PMID:26586091]' - }, - 'GO:0099089': { - 'name': 'establishment of endoplasmic reticulum localization to postsynapse', - 'def': 'The directed movement of endoplasmic reticulum into a postsynaptic compartment such as a dendritic spine. [GOC:dos, PMID:21151132]' - }, - 'GO:0099090': { - 'name': 'recycling endosome localization within postsynapse', - 'def': 'Any process in which a postsynaptic recycling endosome is transported from one location to another within the postsynapse or mainted in a specific location in the postsynapse. [GOC:dos, PMID:20098723]' - }, - 'GO:0099091': { - 'name': 'postsynaptic specialization, intracellular component', - 'def': 'A network of proteins adjacent to the postsynaptic membrane. Its major components include the proteins that spatially and functionally organize neurotransmitter receptors in the membrane, such as anchoring and scaffolding molecules, signaling enzymes and cytoskeletal components. [GOC:dos]' - }, - 'GO:0099092': { - 'name': 'postsynaptic density, intracellular component', - 'def': 'A network of proteins adjacent to the postsynaptic membrane forming an electron dense disc. Its major components include neurotransmitter receptors and the proteins that spatially and functionally organize neurotransmitter receptors in the membrane, such as anchoring and scaffolding molecules, signaling enzymes and cytoskeletal components. [GOC:dos]' - }, - 'GO:0099093': { - 'name': 'mitochondrial calcium release', - 'def': 'A process in which a calcium ion (Ca2+) is transported from one side of a membrane to the other out of the mitochondrion by means of some agent such as a transporter or pore. [GOC:dos, GOC:vw]' - }, - 'GO:0099094': { - 'name': 'ligand-gated cation channel activity', - 'def': 'Enables the transmembrane transfer of an inorganic cation by a channel that opens when a specific ligand has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0099095': { - 'name': 'ligand-gated anion channel activity', - 'def': 'Enables the transmembrane transfer of an inorganic anion by a channel that opens when a specific ligand has been bound by the channel complex or one of its constituent parts. [GOC:mtg_transport, ISBN:0815340729]' - }, - 'GO:0099096': { - 'name': 'vestibular calyx terminal', - 'def': 'The giant, cup-shaped axon terminal of a vestibular afferent neuron, serving as a post-synaptic contact to a type I hair cell. [PMID:10706428, PMID:25355208]' - }, - 'GO:0099097': { - 'name': 'prospore membrane biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a prospore membrane. [GOC:dos, GOC:vw, PMID:27630265]' - }, - 'GO:0099098': { - 'name': 'microtubule polymerization based movement', - 'def': 'The movement of a cellular component as a result of microtubule polymerization. [GOC:cjm, ISBN:0815316194]' - }, - 'GO:0099099': { - 'name': 'G-protein gated ion channel activity', - 'def': 'An ion channel activity that is gated by binding of a G-protein beta-gamma dimer. [GOC:dos]' - }, - 'GO:0099100': { - 'name': 'G-protein gated cation channel activity', - 'def': 'A cation channel activity that is gated by binding of a G-protein beta-gamma dimer. [GOC:dos]' - }, - 'GO:0099101': { - 'name': 'G-protein gated potassium channel activity', - 'def': 'A potassium channel activity that is gated by binding of a G-protein beta-gamma dimer. [GOC:dos, PMID:9429760]' - }, - 'GO:0099102': { - 'name': 'G-protein gated potassium channel activity involved in regulation of postsynaptic membrane potential', - 'def': 'Any G-protein gated potassium channel activity that is involved regulation of postsynaptic membrane potential. [GOC:dos, PMID:9429760]' - }, - 'GO:0099103': { - 'name': 'channel activator activity', - 'def': 'Direct interaction with a channel (binding or modification), resulting in its opening. A channel catalyzes energy-independent facilitated diffusion, mediated by passage of a solute through a transmembrane aqueous pore or channel. [GOC:dos]' - }, - 'GO:0099104': { - 'name': 'potassium channel activator activity', - 'def': 'Direct interaction with a potassium channel (binding or modification), resulting in its opening. [GOC:dos]' - }, - 'GO:0099105': { - 'name': 'ion channel modulating, G-protein coupled receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, where the pathway proceeds through activation or inhibition of an ion channel. [GOC:dos]' - }, - 'GO:0099106': { - 'name': 'ion channel regulator activity', - 'def': 'Modulates the activity of a channel via direct interaction with it. A channel catalyzes energy-independent facilitated diffusion, mediated by passage of a solute through a transmembrane aqueous pore or channel. [GOC:dos]' - }, - 'GO:0099107': { - 'name': 'ion channel regulator activity involved in G-protein coupled receptor signaling pathway', - 'def': 'Modulation of the activity of an ion channel via direct interaction with it as part of G-protein coupled receptor signaling. [GOC:dos]' - }, - 'GO:0099108': { - 'name': 'potassium channel activator activity involved in G-protein coupled receptor signaling pathway', - 'def': 'Activation potassium ion channel activity via direct interaction with a potassium ion channel during G-protein coupled receptor signaling. [PMID:9429760]' - }, - 'GO:0099109': { - 'name': 'potassium channel activating, G-protein coupled receptor signaling pathway', - 'def': 'The series of molecular signals generated as a consequence of a G-protein coupled receptor binding to its physiological ligand, where the pathway proceeds activation of a potassium ion channel. [GOC:dos, PMID:9429760]' - }, - 'GO:0099110': { - 'name': 'microtubule polymerization based protein transport to cell tip cortex', - 'def': 'The transport of a protein to the cortex of the cell tip, driven by polymerization of a microtubule to which the protein is attached. [GOC:dos, GOC:vw, PMID:11018050]' - }, - 'GO:0099111': { - 'name': 'microtubule-based transport', - 'def': 'A microtubule-based process that results in the transport of organelles, other microtubules, or other cellular components. Examples include motor-driven movement along microtubules and movement driven by polymerization or depolymerization of microtubules. [GOC:cjm, ISBN:0815316194]' - }, - 'GO:0099112': { - 'name': 'microtubule polymerization based protein transport', - 'def': 'The transport of a protein driven by polymerization of a microtubule to which it is attached. [GOC:dos, GOC:vw, PMID:11018050]' - }, - 'GO:0099113': { - 'name': 'negative regulation of presynaptic cytosolic calcium concentration', - 'def': 'Any process that decreases the concentration of calcium ions in the presynaptic cytosol. [GOC:dos]' - }, - 'GO:0099114': { - 'name': 'chromatin silencing at subtelomere', - 'def': 'Repression of transcription of subtelomeric DNA by altering the structure of chromatin. [PMID:22771823, PMID:26205977]' - }, - 'GO:0099115': { - 'name': 'chromosome, subtelomeric region', - 'def': 'A heterochromatic region of the chromosome, adjacent to the telomere (on the centromeric side) that contains repetitive DNA and sometimes genes. [GOC:mah, PMID:22771823, PMID:26205977]' - }, - 'GO:0099116': { - 'name': "tRNA 5'-end processing", - 'def': "The process in which the 5' end of a pre-tRNA molecule is converted to that of a mature tRNA. [GOC:dos, GOC:pf, PMID:27484477]" - }, - 'GO:0099117': { - 'name': 'protein transport along microtubule to cell tip', - 'def': 'The movement of a protein along a microtubule to the cell-tip, mediated by motor proteins. [PMID:15177031]' - }, - 'GO:0099118': { - 'name': 'microtubule-based protein transport', - 'def': 'A microtubule-based process that results in the transport of proteins. [GOC:vw]' - }, - 'GO:0099119': { - 'name': '3-demethylubiquinone-8 3-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 3-demethylubiquinone-8 = S-adenosyl-L-homocysteine + ubiquinone-8. [GOC:ic]' - }, - 'GO:0099120': { - 'name': 'socially cooperative development', - 'def': 'Development a structure consisting of multiple co-operating unicellular organisms of the same species. Examples include sorocarp development in Dictystelia and co-operative colonial structures formed by Myxococcus xanthus for the purpose of predation and fruiting body formation. [PMID:12448714]' - }, - 'GO:0099121': { - 'name': 'fungal sorus development', - 'def': 'The process whose specific outcome is the progression of a fungal sorus over time, from its formation to the mature structure. A fungal sorus is a spore containing structure. [GOC:dos]' - }, - 'GO:0099122': { - 'name': 'RNA polymerase II C-terminal domain binding', - 'def': 'Interacting selectively and non-covalently with the C-terminal domain (CTD) of the largest subunit of RNA polymerase II. The CTD is comprised of repeats of a heptapeptide with the consensus sequence YSPTSPS. The number of repeats varies with the species and a minimum number of repeats is required for RNAP II function. [PMID:20889714]' - }, - 'GO:0099123': { - 'name': 'somato-dendritic dopamine secretion', - 'def': 'The regulated release of dopamine from the somatodendritic compartment (cell body or dendrites) of a neuron. [GOC:bf, GOC:PARL, PMID:21576241]' - }, - 'GO:0099124': { - 'name': 'axonal dopamine secretion', - 'def': 'The regulated release of dopamine from an axon. [GOC:bf, GOC:PARL, PMID:21576241]' - }, - 'GO:0099125': { - 'name': 'PAK family kinase-Sog2 complex', - 'def': 'A protein kinase complex comprising a conserved PAK/GC/Ste20 family kinase, leucine rich repeat protein Sog2 family, which function as part of the cell shape network. [PMID:23462181]' - }, - 'GO:0099126': { - 'name': 'transforming growth factor beta complex', - 'def': 'A protein complex acting as ligand of the transforming growth factor beta receptor complex, typically a homodimer of any of the TFGbeta isoforms. The precursor of TGFbeta proteins is cleaved into mature TGFbeta and the latency-associated peptide (LAP), which remains non-covalently linked to mature TGFbeta rendering it inactive. TGFbeta is activated by dimerisation and dissociation of the LAP. [GOC:bhm, PMID:22943793]' - }, - 'GO:0099127': { - 'name': 'envenomation resulting in positive regulation of argininosuccinate synthase activity in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with the activation of the cytosolic argininosuccinate synthase in the bitten organism. [PMID:19491403]' - }, - 'GO:0099128': { - 'name': 'mitochondrial iron-sulfur cluster assembly complex', - 'def': 'A protein complex consisting of frataxin, cysteine desulfurase, an accessory protein and a Fe-S scaffold protein. In human these genes correspond to FXN, NFS1, ISD11 and ISCU respectively. This complex assembles Fe-S clusters onto the scaffolding protein using the substrates ferrous iron, electrons, and sulfur from l-cysteine. [PMID:27519411]' - }, - 'GO:0099129': { - 'name': 'cochlear outer hair cell electromotile response', - 'def': 'A rapid, force generating length change of an outer hair cell in response to electical stimulation. This occurs naturally as during hearing where it serves a source of mechanical amplification. [PMID:12239568, PMID:2187727]' - }, - 'GO:0099130': { - 'name': 'estrogen binding', - 'def': 'Interacting selectively and non-covalently with any estrogen. [GOC:dos]' - }, - 'GO:0099131': { - 'name': 'ATP hydrolysis coupled ion transmembrane transport', - 'def': 'The transport of an inorganic ion across a membrane and against an electrochemical gradient, using energy from ATP hydrolysis. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:tb, PMID:18075585]' - }, - 'GO:0099132': { - 'name': 'ATP hydrolysis coupled cation transmembrane transport', - 'def': 'The transport of an inorganic cation across a membrane and against an electrochemical gradient, using energy from ATP hydrolysis. [GOC:BHF]' - }, - 'GO:0099133': { - 'name': 'ATP hydrolysis coupled anion transmembrane transport', - 'def': 'The transport of an inorganic anion across a membrane and against an electrochemical gradient, using energy from ATP hydrolysis. [GOC:BHF]' - }, - 'GO:0099134': { - 'name': 'chimeric sorocarp development', - 'def': 'Development of a sorocarp formed by aggregation of cells with different genotypes. [PMID:18272966]' - }, - 'GO:0099135': { - 'name': 'chimeric colonial development', - 'def': 'Development a structure consisting of multiple co-operating unicellular organisms of the same species, involving cells of more that one genotype. [PMID:18272966]' - }, - 'GO:0099136': { - 'name': 'chimeric non-reproductive fruiting body development', - 'def': 'Development of a non-reproductive fruiting body formed by aggregation of cells with different genotypes. [PMID:18272966]' - }, - 'GO:0099137': { - 'name': 'altruistic, chimeric, non-reproductive fruiting body development', - 'def': 'Development of a chimeric, non-reproductive fruiting body in which cells of all genotypes have an equal chance of becoming a spore cell. [PMID:18272966]' - }, - 'GO:0099138': { - 'name': 'altruistic, chimeric sorocarp development', - 'def': 'Development of a chimeric sorocarp in which cells of all genotypes have an equal chance of becoming a spore cell. [PMID:18272966]' - }, - 'GO:0099139': { - 'name': 'cheating during chimeric sorocarp development', - 'def': 'Any process during chimeric sorocarp development that increases by which a cell increases the number of spore cells sharing its genotype at the expense of cells of other genotypes. [PMID:18272966]' - }, - 'GO:0099141': { - 'name': 'cellular response to protozoan', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus from a protozoan. [GOC:dos]' - }, - 'GO:0099142': { - 'name': 'intracellular ATP-gated ion channel activity', - 'def': 'Enables the transmembrane transfer of an ion by a channel that opens when intracellular ATP has been bound by the channel complex or one of its constituent parts. [PMID:9755289]' - }, - 'GO:0099400': { - 'name': 'caveola neck', - 'def': 'A membrane microdomain that forms a necklace around the bulb (crater) of a caveola. Intramembrane particles are concentrated in this region and cytoskeletal components, including actin, are highly enriched in the area underlying it. [GOC:pad, GOC:PARL, PMID:17227843]' - }, - 'GO:0099401': { - 'name': 'caveola bulb', - 'def': 'The region of a caveola that extends into the cytoplasm, excluding the neck (rim). This region is associated with intracellular caveola proteins. [GOC:PARL, GOC:POD, PMID:17227843]' - }, - 'GO:0099402': { - 'name': 'plant organ development', - 'def': 'Development of a plant organ, a multi-tissue plant structure that forms a functional unit. [GOC:dos]' - }, - 'GO:0099403': { - 'name': 'maintenance of mitotic sister chromatid cohesion, telomeric', - 'def': 'The process in which the association between sister chromatids of a replicated chromosome along the length of the telomeric region is maintained as chromosomes condense, attach to the spindle in a bipolar orientation, and congress to the metaphase plate during a mitotic cell cycle. [GOC:BHF, GOC:BHF_telomere, GOC:dos, GOC:rph, PMID:26373281]' - }, - 'GO:0099404': { - 'name': 'mitotic sister chromatid cohesion, telomeric', - 'def': 'The cell cycle process in which telomeres of sister chromatids are joined during mitosis. [GOC:BHF, GOC:BHF_telomere, GOC:mah, GOC:rph, PMID:26373281]' - }, - 'GO:0099500': { - 'name': 'vesicle fusion to plasma membrane', - 'def': 'Fusion of the membrane of a vesicle with the plasma membrane, thereby releasing its contents into the extracellular space. [ISBN:0071120009]' - }, - 'GO:0099501': { - 'name': 'exocytic vesicle membrane', - 'def': 'The lipid bilayer surrounding an exocytic vesicle [GOC:dos]' - }, - 'GO:0099502': { - 'name': 'calcium-dependent activation of synaptic vesicle fusion', - 'def': 'The regulatory process by which increased cytosolic calcium levels lead to the the fusion of synaptic vesicles with the presynaptic active zone membrane by bringing primed synaptic vesicle membrane into contact with membrane presynaptic active zone membrane. [PMID:23060190]' - }, - 'GO:0099503': { - 'name': 'secretory vesicle', - 'def': 'A cytoplasmic, membrane bound vesicle that is capable of fusing to the plasma membrane to release its contents into the extracellular space. [GOC:dos]' - }, - 'GO:0099504': { - 'name': 'synaptic vesicle cycle', - 'def': 'A biological process in which synaptic vesicles are loaded with neurotransmitters, move to the active zone, exocytose and are then recycled via endocytosis, ultimately leading to reloading with neurotransmitters. [PMID:15217342]' - }, - 'GO:0099505': { - 'name': 'regulation of presynaptic membrane potential', - 'def': 'Any process that modulates the potential difference across a presynaptic membrane. [GOC:dph, GOC:ef]' - }, - 'GO:0099506': { - 'name': 'synaptic vesicle transport along actin filament', - 'def': 'The directed movement of synaptic vesicles along actin filaments within a cell, powered by molecular motors. [GOC:dos]' - }, - 'GO:0099507': { - 'name': 'ligand-gated ion channel activity involved in regulation of presynaptic membrane potential', - 'def': 'Any ligand-gated ion channel activity, occurring in the presynaptic membrane, that is involved in regulation of presynaptic membrane potential. [GOC:dos, PMID:15145529, PMID:19558451]' - }, - 'GO:0099508': { - 'name': 'voltage-gated ion channel activity involved in regulation of presynaptic membrane potential', - 'def': 'Voltage-gated ion channel activity, occurring in the presynaptic membrane, involved in regulation of presynaptic membrane potential. This is a key step in synaptic transmission, following the arrival of an action potential at the synapse. [GOC:dos]' - }, - 'GO:0099509': { - 'name': 'regulation of presynaptic cytosolic calcium ion concentration', - 'def': 'Any process that regulates the concentration of calcium in the presynaptic cytosol. [GOC:dos]' - }, - 'GO:0099510': { - 'name': 'calcium ion binding involved in regulation of cytosolic calcium ion concentration', - 'def': 'The directed change of cytosolic calcium ion concentration in the cytosol via the reversible binding of calcium ions to calcium-binding proteins in the cytosol thereby modulating the spatial and temporal dynamics of changes in cytosolic calcium concentrations. [PMID:24442513, PMID:26190970]' - }, - 'GO:0099511': { - 'name': 'voltage-gated calcium channel activity involved in regulation of cytosolic calcium levels', - 'def': 'Regulation of cytosolic calcium ion concentrations via the directed movement of calcium ions across the plasma-membrane into the cytosol via the action of a voltage-gated calcium ion channel. [GOC:dos]' - }, - 'GO:0099512': { - 'name': 'supramolecular fiber', - 'def': 'A polymer consisting of an indefinite number of protein or protein complex subunits that have polymerised to form a fiber-shaped structure. [GOC:dos]' - }, - 'GO:0099513': { - 'name': 'polymeric cytoskeletal fiber', - 'def': 'A component of the cytoskeleton consisting of a homo or heteropolymeric fiber constructed from an indeterminate number of protein subunits. [GOC:dos]' - }, - 'GO:0099514': { - 'name': 'synaptic vesicle cytoskeletal transport', - 'def': 'The directed movement of synaptic vesicles along cytoskeletal fibers such as microfilaments or microtubules within a cell, powered by molecular motors. [GOC:dos]' - }, - 'GO:0099515': { - 'name': 'actin filament-based transport', - 'def': 'The transport of organelles or other particles from one location in the cell to another along actin filaments. [GOC:dos, GOC:dph, GOC:mah, GOC:tb]' - }, - 'GO:0099516': { - 'name': 'ion antiporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ion A(out) + ion B(in) = ion A(in) + ion B(out) where ion A and ion B are different types of ion. [GOC:dos]' - }, - 'GO:0099517': { - 'name': 'synaptic vesicle transport along microtubule', - 'def': 'The directed movement of synaptic vesicles along microtubules within a cell, powered by molecular motors. [GOC:dos]' - }, - 'GO:0099518': { - 'name': 'vesicle cytoskeletal trafficking', - 'def': 'The directed movement of a vesicle along a cytoskeletal fiber such as a microtubule or and actin filament, mediated by motor proteins. [GOC:ecd, GOC:rl]' - }, - 'GO:0099519': { - 'name': 'dense core granule cytoskeletal transport', - 'def': 'The directed movement of dense core granules along cytoskeletal fibers, such as microtubules or actin filaments. [GOC:kmv, PMID:23358451]' - }, - 'GO:0099520': { - 'name': 'ion antiporter activity involved in regulation of presynaptic membrane potential', - 'def': 'Any ion antiporter activity, occurring in the presynaptic membrane, that is involved in regulation of presynaptic membrane potential [GOC:dos]' - }, - 'GO:0099521': { - 'name': 'ATPase coupled ion transmembrane transporter activity involved in regulation of presynaptic membrane potential', - 'def': 'Any ATPase coupled ion transmembrane transporter activity, occurring in the presynaptic membrane, that is involved in regulation of presynaptic membrane potential. [GOC:dos, PMID:17220883]' - }, - 'GO:0099522': { - 'name': 'region of cytosol', - 'def': 'Any (proper) part of the cytosol of a single cell of sufficient size to still be considered cytosol [GOC:dos]' - }, - 'GO:0099523': { - 'name': 'presynaptic cytosol', - 'def': 'The region of the cytosol consisting of all cytosol that is part of the presynapse. [GOC:dos]' - }, - 'GO:0099524': { - 'name': 'postsynaptic cytosol', - 'def': 'The region of the cytosol consisting of all cytosol that is part of the postsynapse. [GOC:dos]' - }, - 'GO:0099525': { - 'name': 'presynaptic dense core vesicle exocytosis', - 'def': 'The secretion of molecules (e.g. neuropeptides and neuromodulators such as serotonin and dopamine) contained within a membrane-bounced dense in response to increased presynaptic cytosolic calcium levels. [PMID:17553987, PMID:24653208]' - }, - 'GO:0099526': { - 'name': 'presynapse to nucleus signaling pathway', - 'def': 'A series of molecular signals that conveys information from the presynapse to the nucleus via cytoskeletal transport of a protein from a presynapse to the component to the nucleus where it affects biochemical processes that occur in the nucleus (e.g DNA transcription, mRNA splicing, or DNA/histone modifications). [GOC:dos, PMID:24317321, PMID:25652077]' - }, - 'GO:0099527': { - 'name': 'postsynapse to nucleus signaling pathway', - 'def': 'A series of molecular signals that conveys information from the postsynapse to the nucleus via cytoskeletal transport of a protein from a postsynapse to the component to the nucleus where it affects biochemical processes that occur in the nucleus (e.g DNA transcription, mRNA splicing, or DNA/histone modifications). [GOC:dos, PMID:24317321, PMID:25652077]' - }, - 'GO:0099528': { - 'name': 'G-protein coupled neurotransmitter receptor activity', - 'def': 'Combining with a neurotransmitter and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [GOC:bf, GOC:fj, GOC:mah]' - }, - 'GO:0099529': { - 'name': 'neurotransmitter receptor activity involved in regulation of postsynaptic membrane potential', - 'def': 'Neurotransmitter receptor activity occurring in the postsynaptic membrane that is involved in regulating postsynaptic membrane potential, either directly (ionotropic receptors) or indirectly (e.g. via GPCR activation of an ion channel.) [GOC:dos]' - }, - 'GO:0099530': { - 'name': 'G-protein coupled receptor activity involved in regulation of postsynaptic membrane potential', - 'def': 'G-protein coupled receptor activity occurring in the postsynaptic membrane that is part of a GPCR signaling pathway that positively regulates ion channel activity in the postsynaptic membrane. [GOC:dos]' - }, - 'GO:0099531': { - 'name': 'presynaptic process involved in chemical synaptic transmission', - 'def': 'The pathway leading to secretion of a neurotransmitter from the presynapse as part of synaptic transmission. [GOC:dos]' - }, - 'GO:0099532': { - 'name': 'synaptic vesicle endosomal processing', - 'def': 'The process in which synaptic vesicles fuse to the presynaptic endosome followed by sorting of synaptic vesicle components and budding of new synaptic vesicles. [GOC:dos]' - }, - 'GO:0099533': { - 'name': 'positive regulation of presynaptic cytosolic calcium concentration', - 'def': 'Any process that increases the concentration of calcium ions in the presynaptic cytosol. [GOC:dos]' - }, - 'GO:0099534': { - 'name': 'calcium ion binding involved in regulation of presynaptic cytosolic calcium ion concentration', - 'def': 'The directed change of presynaptic cytosolic free calcium ion concentration in the cytosol via the reversible binding of calcium ions to calcium-binding proteins in the cytosol thereby modulating the spatial and temporal dynamics of changes in presynaptic cytosolic calcium concentrations. [PMID:24442513, PMID:26190970]' - }, - 'GO:0099535': { - 'name': 'synapse associated extracellular matrix', - 'def': 'The extracellular matrix of the peri-synaptic space (the extracellular space adjacent to the synapse) and the synaptic cleft. [GOC:dos]' - }, - 'GO:0099536': { - 'name': 'synaptic signaling', - 'def': 'Cell-cell signaling to or from a synapse. [GOC:dos]' - }, - 'GO:0099537': { - 'name': 'trans-synaptic signaling', - 'def': 'Cell-cell signaling in either direction across the synaptic cleft. [GOC:dos]' - }, - 'GO:0099538': { - 'name': 'synaptic signaling via neuropeptide', - 'def': 'Cell-cell signaling to or from a synapse, mediated by a peptide. [GOC:dos]' - }, - 'GO:0099539': { - 'name': 'neuropeptide secretion from presynapse', - 'def': 'The secretion of neuropeptides contained within a dense core vesicle by fusion of the granule with the presynaptic membrane, stimulated by a rise in cytosolic calcium ion concentration. [PMID:17553987, PMID:24653208]' - }, - 'GO:0099540': { - 'name': 'trans-synaptic signaling by neuropeptide', - 'def': 'Cell-cell signaling between presynapse and postsynapse mediated by a peptide ligand crossing the synaptic cleft. [GOC:dos]' - }, - 'GO:0099541': { - 'name': 'trans-synaptic signaling by lipid', - 'def': 'Cell-cell signaling from post to pre-synapse, across the synaptic cleft, mediated by a lipid. [GOC:dos]' - }, - 'GO:0099542': { - 'name': 'trans-synaptic signaling by endocannabinoid', - 'def': 'Cell-cell signaling in either direction across the synaptic cleft, mediated by an endocannabinoid ligand. [GOC:dos]' - }, - 'GO:0099543': { - 'name': 'trans-synaptic signaling by soluble gas', - 'def': 'Cell-cell signaling between presynapse and postsynapse mediated by a soluble gas ligand crossing the synaptic cleft. [GOC:dos]' - }, - 'GO:0099544': { - 'name': 'perisynaptic space', - 'def': 'The extracellular region immediately adjacent to to a synapse. [GOC:dos]' - }, - 'GO:0099545': { - 'name': 'trans-synaptic signaling by trans-synaptic complex', - 'def': 'Cell-cell signaling between presynapse and postsynapse mediated by a trans-synaptic protein complex. [GOC:dos]' - }, - 'GO:0099546': { - 'name': 'protein catabolic process, modulating synaptic transmission', - 'def': 'Any catabolic process, occurring at a presynapse, that regulates synaptic transmission. [GOC:dos]' - }, - 'GO:0099547': { - 'name': 'regulation of translation at synapse, modulating synaptic transmission', - 'def': 'Any process that modulates synaptic transmission by regulating translation occurring at the synapse. [GOC:dos]' - }, - 'GO:0099548': { - 'name': 'trans-synaptic signaling by nitric oxide', - 'def': 'Cell-cell signaling between presynapse and postsynapse mediated by nitric oxide. [GOC:dos]' - }, - 'GO:0099549': { - 'name': 'trans-synaptic signaling by carbon monoxide', - 'def': 'Cell-cell signaling between presynapse and postsynapse mediated by carbon monoxide. [GOC:dos]' - }, - 'GO:0099550': { - 'name': 'trans-synaptic signalling, modulating synaptic transmission', - 'def': 'Cell-cell signaling between presynapse and postsynapse, across the synaptic cleft, that modulates the synaptic transmission properties of the synapse. [GOC:dos]' - }, - 'GO:0099551': { - 'name': 'trans-synaptic signaling by neuropeptide, modulating synaptic transmission', - 'def': 'Cell-cell signaling between presynapse and postsynapse, via the vesicular release and reception of neuropeptide molecules, that modulates the synaptic transmission properties of the synapse. [GOC:dos]' - }, - 'GO:0099552': { - 'name': 'trans-synaptic signaling by lipid, modulating synaptic transmission', - 'def': 'Cell-cell signaling between presynapse and postsynapse, via the release and reception of lipid molecules, that modulates the synaptic transmission properties of the synapse. [GOC:dos, PMID:21531987]' - }, - 'GO:0099553': { - 'name': 'trans-synaptic signaling by endocannabinoid, modulating synaptic transmission', - 'def': 'Cell-cell signaling between presynapse and postsynapse, via the release and reception of endocannabinoid ligands, that modulates the synaptic transmission properties of the synapse. [GOC:dos, PMID:21531987]' - }, - 'GO:0099554': { - 'name': 'trans-synaptic signaling by soluble gas, modulating synaptic transmission', - 'def': 'Cell-cell signaling between presynapse and postsynapse, via the release and reception of gaseous molecules, that modulates the synaptic transmission properties of the synapse. [GOC:dos]' - }, - 'GO:0099555': { - 'name': 'trans-synaptic signaling by nitric oxide, modulating synaptic transmission', - 'def': 'Cell-cell signaling between presynapse and postsynapse, via the release and reception of nitric oxide molecules, that modulates the synaptic transmission properties of the synapse. [GOC:dos]' - }, - 'GO:0099556': { - 'name': 'trans-synaptic signaling by carbon monoxide, modulating synaptic transmission', - 'def': 'Cell-cell signaling between presynapse and postsynapse, via the release and reception of carbon monoxide molecules, that modulates the synaptic transmission properties of the synapse. [GOC:dos]' - }, - 'GO:0099557': { - 'name': 'trans-synaptic signaling by trans-synaptic complex, modulating synaptic transmission', - 'def': 'Cell-cell signaling between presynapse and postsynapse, mediated by transynaptic protein complexes, that modulates the synaptic transmission properties of the synapse. [GOC:dos, PMID:19029886]' - }, - 'GO:0099558': { - 'name': 'maintenance of synapse structure', - 'def': 'A process that preserves the structural organistation and orientation of a synaptic cellular component such as the synaptic cytoskeleton and molecular scaffolds. [GOC:dos, PMID:24449494]' - }, - 'GO:0099559': { - 'name': 'maintenance of alignment of postsynaptic density and presynaptic active zone', - 'def': 'The process by which alignment between postsynaptic density and presynaptic active zone is maintained. [GOC:dos]' - }, - 'GO:0099560': { - 'name': 'synaptic membrane adhesion', - 'def': 'The attachment of presynaptic membrane to postsynaptic membrane via adhesion molecules that are at least partially embedded in the plasma membrane. [GOC:dos]' - }, - 'GO:0099561': { - 'name': 'synaptic membrane adhesion to extracellular matrix', - 'def': 'The binding of a synaptic membrane to the extracellular matrix via adhesion molecules. [GOC:dos]' - }, - 'GO:0099562': { - 'name': 'maintenance of postsynaptic density structure', - 'def': 'A process which maintains the organization and the arrangement of proteins in the presynaptic density. [GOC:dos]' - }, - 'GO:0099563': { - 'name': 'modification of synaptic structure', - 'def': 'Any process that modifies the structure/morphology of a synapse. [GOC:dos]' - }, - 'GO:0099564': { - 'name': 'modification of synaptic structure, modulating synaptic transmission', - 'def': 'Any process that modulates synaptic transmission via modification of the structure of the synapse. [GOC:dos]' - }, - 'GO:0099565': { - 'name': 'chemical synaptic transmission, postsynaptic', - 'def': 'The part of synaptic transmission occurring in the post-synapse: a signal transduction pathway consisting of neurotransmitter receptor activation and its effects on postsynaptic membrane potential and the ionic composition of the postsynaptic cytosol. [GOC:dos]' - }, - 'GO:0099566': { - 'name': 'regulation of postsynaptic cytosolic calcium ion concentration', - 'def': 'Any process that regulates the concentration of calcium in the postsynaptic cytosol. [GOC:dos]' - }, - 'GO:0099567': { - 'name': 'calcium ion binding involved in regulation of postsynaptic cytosolic calcium ion concentration', - 'def': 'The directed change of free calcium ion concentration in the postsynaptic cytosol via the reversible binding of calcium ions to calcium-binding proteins in the cytosol thereby modulating the spatial and temporal dynamics of changes in postsynaptic cytosolic calcium concentrations. [PMID:24442513, PMID:26190970]' - }, - 'GO:0099568': { - 'name': 'cytoplasmic region', - 'def': 'Any (proper) part of the cytoplasm of a single cell of sufficient size to still be considered cytoplasm\\ [GOC:dos]' - }, - 'GO:0099569': { - 'name': 'presynaptic cytoskeleton', - 'def': 'The portion of the cytoskeleton contained within the presynapse. [GOC:dos]' - }, - 'GO:0099571': { - 'name': 'postsynaptic cytoskeleton', - 'def': 'The portion of the cytoskeleton contained within the postsynapse. [GOC:dos, PMID:19889835]' - }, - 'GO:0099572': { - 'name': 'postsynaptic specialization', - 'def': 'A network of proteins within and adjacent to the postsynaptic membrane. Its major components include neurotransmitter receptors and the proteins that spatially and functionally organize them such as anchoring and scaffolding molecules, signaling enzymes and cytoskeletal components. [PMID:22046028]' - }, - 'GO:0099573': { - 'name': 'glutamatergic postsynaptic density', - 'def': 'The post-synaptic specialization of a glutamatergic excitatory synapse. [GOC:dos]' - }, - 'GO:0099574': { - 'name': 'regulation of protein catabolic process at synapse, modulating synaptic transmission', - 'def': 'Any process that modulates synaptic transmission by regulating a catabolic process occurring at the synapse. [GOC:dos]' - }, - 'GO:0099575': { - 'name': 'regulation of protein catabolic process at presynapse, modulating synaptic transmission', - 'def': 'Any process that modulates synaptic transmission by regulating a catabolic process occurring at a presynapse. [GOC:dos]' - }, - 'GO:0099576': { - 'name': 'regulation of protein catabolic process at postsynapse, modulating synaptic transmission', - 'def': 'Any process that modulates synaptic transmission by regulating a catabolic process occurring at a postsynapse. [GOC:dos]' - }, - 'GO:0099577': { - 'name': 'regulation of translation at presynapse, modulating synaptic transmission', - 'def': 'Any process that modulates synaptic transmission by regulating translation occurring at the presynapse. [GOC:dos]' - }, - 'GO:0099578': { - 'name': 'regulation of translation at postsynapse, modulating synaptic transmission', - 'def': 'Any process that modulates synaptic transmission by regulating translation occurring at the postsynapse. [GOC:dos]' - }, - 'GO:0099579': { - 'name': 'G-protein coupled neurotransmitter receptor activity involved in regulation of postsynaptic membrane potential', - 'def': 'G-protein coupled neurotransmitter receptor activity, occurring in the postsynaptic membrane that involved in regulation of postsynaptic membrane potential. [GOC:dos]' - }, - 'GO:0099580': { - 'name': 'ion antiporter activity involved in regulation of postsynaptic membrane potential', - 'def': 'Any ion antiporter activity, occurring in the postsynaptic membrane, that is involved in regulation of postsynaptic membrane potential [GOC:dos]' - }, - 'GO:0099581': { - 'name': 'ATPase coupled ion transmembrane transporter activity involved in regulation of postsynaptic membrane potential', - 'def': 'Any ATPase coupled ion transmembrane transporter activity, occurring in the postsynaptic membrane, that is involved in regulation of postsynaptic membrane potential. [GOC:dos]' - }, - 'GO:0099582': { - 'name': 'neurotransmitter receptor activity involved in regulation of presynaptic cytosolic calcium ion concentration', - 'def': 'Any neurotransmitter receptor activity that is involved in regulating the concentration of calcium in the presynaptic cytosol. [GOC:dos]' - }, - 'GO:0099583': { - 'name': 'neurotransmitter receptor activity involved in regulation of postsynaptic cytosolic calcium ion concentration', - 'def': 'Any neurotransmitter receptor activity that is involved in regulating the concentration of calcium in the postsynaptic cytosol. [GOC:dos]' - }, - 'GO:0099585': { - 'name': 'release of sequestered calcium ion into presynaptic cytosol', - 'def': 'The process in which calcium ions sequestered in the endoplasmic reticulum, Golgi apparatus or mitochondria are released into the presynaptic cytosol. [GOC:dos]' - }, - 'GO:0099586': { - 'name': 'release of sequestered calcium ion into postsynaptic cytosol', - 'def': 'The process in which calcium ions sequestered in the endoplasmic reticulum, Golgi apparatus or mitochondria are released into the postsynaptic cytosol. [GOC:dos]' - }, - 'GO:0099587': { - 'name': 'inorganic ion import into cell', - 'def': 'The directed movement of inorganic ions from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:dos]' - }, - 'GO:0099588': { - 'name': 'positive regulation of postsynaptic cytosolic calcium concentration', - 'def': 'Any process that increases the concentration of calcium ions in the postsynaptic cytosol. [GOC:dos]' - }, - 'GO:0099589': { - 'name': 'serotonin receptor activity', - 'def': 'Combining with the biogenic amine serotonin and transmitting a signal across a membrane by activating some effector activity. Serotonin (5-hydroxytryptamine) is a neurotransmitter and hormone found in vertebrates and invertebrates. [GOC:dos]' - }, - 'GO:0099590': { - 'name': 'neurotransmitter receptor internalization', - 'def': 'A receptor-mediated endocytosis process that results in the internalization of a neurotransmitter receptor. [GOC:dos]' - }, - 'GO:0099592': { - 'name': 'endocytosed synaptic vesicle processing via endosome', - 'def': 'The process in which endocytosed synaptic vesicles fuse to the presynaptic endosome followed by sorting of synaptic vesicle components and budding of new synaptic vesicles. [GOC:dos]' - }, - 'GO:0099593': { - 'name': 'endocytosed synaptic vesicle to endosome fusion', - 'def': 'Fusion of an endocytosed synaptic vesicle with an endosome. [GOC:dos]' - }, - 'GO:0099600': { - 'name': 'transmembrane receptor activity', - 'def': 'Combining with an extracellular or intracellular signal and transmitting a signal from one side of the membrane to the other. [GOC:dos]' - }, - 'GO:0099601': { - 'name': 'regulation of neurotransmitter receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of neurotransmitter receptor activity. Modulation may be via an effect on ligand affinity, or effector funtion such as ion selectivity or pore opening/closing in ionotropic receptors. [GOC:dos]' - }, - 'GO:0099602': { - 'name': 'neurotransmitter receptor regulator activity', - 'def': 'A molecular function that directly (via physical interaction or direct modification) activates, inhibits or otherwise modulates the activity of a neurotransmitter receptor. Modulation of activity includes changes in desensitization rate, ligand affinity, ion selectivity and pore-opening/closing. [GOC:dos, PMID:12740117, PMID:25172949]' - }, - 'GO:0099604': { - 'name': 'ligand-gated calcium channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ions by a channel that opens when a specific ligand has been bound by the channel complex or one of its constituent parts. [GOC:dos]' - }, - 'GO:0099605': { - 'name': 'regulation of action potential firing rate', - 'def': 'Any process that regulates the frequency of action potentials in a spike train. [ISBN:978-0071390118]' - }, - 'GO:0099606': { - 'name': 'microtubule plus-end directed mitotic chromosome migration', - 'def': 'The cell cycle process in which chromosomes that are laterally attached to one or more mitotic spindle microtubules migrate towards the spindle equator via plus-end-directed movement along the microtubules. This process is part of mitotic metaphase plate congression. [GOC:dos, PMID:26258632, PMID:26705896]' - }, - 'GO:0099607': { - 'name': 'lateral attachment of mitotic spindle microtubules to kinetochore', - 'def': 'The cell cycle process in which sister chromatids become laterally attached to spindle microtubules as part of mitotic metaphase plate congression. Attachment precedes migration along microtubules towards the spindle equator (metaphase plate). [PMID:26258632, PMID:26705896]' - }, - 'GO:0099608': { - 'name': 'regulation of action potential firing pattern', - 'def': 'Any process that regulates the temporal pattern of a sequence of action potentials in a neuron. [ISBN:978-0071390118]' - }, - 'GO:0099609': { - 'name': 'microtubule lateral binding', - 'def': 'Interacting selectively and non-covalently with the side of a microtubule. [GOC:dos]' - }, - 'GO:0099610': { - 'name': 'action potential initiation', - 'def': 'The initiating cycle of an action potential. In vertebrate neurons this typically occurs at an axon hillock. Not all initiated axon potentials propagate. [ISBN:978-0071390118, PMID:19439602]' - }, - 'GO:0099611': { - 'name': 'regulation of action potential firing threshold', - 'def': 'Any process that regulates the potential at which an axon potential is triggered. [ISBN:978-0071390118]' - }, - 'GO:0099612': { - 'name': 'protein localization to axon', - 'def': 'A process in which a protein is transported to or maintained in a location within an axon. [GOC:dos, PMID:26157139]' - }, - 'GO:0099613': { - 'name': 'protein targeting to cell wall', - 'def': 'The process of directing proteins towards the cell-wall. [ISBN:0716731363]' - }, - 'GO:0099614': { - 'name': 'protein targeting to spore cell wall', - 'def': 'The process of directing proteins towards the spore cell-wall. [GOC:dos]' - }, - 'GO:0099615': { - 'name': '(D)-2-hydroxyglutarate-pyruvate transhydrogenase activity', - 'def': 'Catalysis of the reaction: (R)-2-hydroxyglutarate + pyruvate = alpha-ketoglutarate + D-lactate, with FAD functioning as an intermediate hydrogen acceptor. [PMID:26774271]' - }, - 'GO:0099616': { - 'name': 'extrinsic component of matrix side of mitochondrial inner membrane', - 'def': 'The component of the matrix side of the mitochondrial inner membrane consisting of gene products and protein complexes that are loosely bound to one of its surfaces, but not integrated into the hydrophobic region.\\\\n [GOC:dos]' - }, - 'GO:0099617': { - 'name': 'matrix side of mitochondrial inner membrane', - 'def': 'The side (leaflet) of the mitochondrial inner membrane that faces the matrix. [GOC:dos]' - }, - 'GO:0099618': { - 'name': 'UDP-glucuronic acid dehydrogenase activity', - 'def': 'Catalytis of the reaction: UDP-glucuronate + NAD+ = UDP-beta-L-threo-pentapyranos-4-ulose + CO2 + NADH + H+ [GOC:al, GOC:dos]' - }, - 'GO:0099619': { - 'name': 'UDP-4-amino-4-deoxy-L-arabinose formyltransferase activity', - 'def': 'Catalysis of the reaction: 10-formyltetrahydrofolate + UDP-4-amino-4-deoxy-beta-L-arabinopyranose = 5,6,7,8-tetrahydrofolate + UDP-4-deoxy-4-formamido-beta-L-arabinopyranose [PMID:15695810, PMID:15807526, PMID:15809294, PMID:15939024, PMID:17928292]' - }, - 'GO:0099620': { - 'name': 'UDP-4-amino-4-deoxy-L-arabinose aminotransferase', - 'def': 'Catalysis of the reaction: UDP-4-amino-4-deoxy-beta-L-arabinopyranose + 2-oxoglutarate = UDP-beta-L-threo-pentapyranos-4-ulose + L-glutamate [GOC:al, GOC:dos, PMID:12429098, PMID:12704196]' - }, - 'GO:0099621': { - 'name': 'undecaprenyl-phosphate 4-deoxy-4-formamido-L-arabinose transferase activity', - 'def': 'Catalysis of the reaction: UDP-4-deoxy-4-formamido-beta-L-arabinopyranose + ditrans,octacis-undecaprenyl phosphate = UDP + 4-deoxy-4-formamido-alpha-L-arabinopyranosyl ditrans,octacis-undecaprenyl phosphate. [GOC:al, GOC:dos, PMID:11706007, PMID:15695810]' - }, - 'GO:0099622': { - 'name': 'cardiac muscle cell membrane repolarization', - 'def': 'The process in which ions are transported across the plasma membrane of a cardiac muscle cell such that the membrane potential changes in the repolarizing direction, toward the steady state potential. For example, the repolarization during an action potential is from a positive membrane potential towards a negative resting potential. [GOC:BHF]' - }, - 'GO:0099623': { - 'name': 'regulation of cardiac muscle cell membrane repolarization', - 'def': 'Any process that modulates the establishment or extent of a change in membrane potential in the polarizing direction towards the resting potential in a cardiomyocyte. [GOC:BHF, GOC:dos, GOC:rl]' - }, - 'GO:0099624': { - 'name': 'atrial cardiac muscle cell membrane repolarization', - 'def': 'The process in which ions are transported across the plasma membrane of an atrial cardiac muscle cell such that the membrane potential changes in the repolarizing direction, toward the steady state potential. For example, the repolarization during an action potential is from a positive membrane potential towards a negative resting potential. [GOC:BHF]' - }, - 'GO:0099625': { - 'name': 'ventricular cardiac muscle cell membrane repolarization', - 'def': 'The process in which ions are transported across the plasma membrane of a ventricular cardiac muscle cell such that the membrane potential changes in the repolarizing direction, toward the steady state potential. For example, the repolarization during an action potential is from a positive membrane potential towards a negative resting potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11]' - }, - 'GO:0099626': { - 'name': 'voltage-gated calcium channel activity involved in regulation of presynaptic cytosolic calcium levels', - 'def': 'Regulation of presynaptic cytosolic calcium ion concentrations via the action of voltage-gated calcium ion channels. [GOC:dos, PMID:15548655]' - }, - 'GO:0099627': { - 'name': 'neurotransmitter receptor cycle', - 'def': 'The process during which neurotransmitter receptors, anchored in some region of the synaptic membrane, are recycled via the endosome. This cycle includes release from anchoring, diffusion in the synaptic membrane to an endocytic region, endocytosis, transport to the endosome, recycling in the endosome, transport back the synaptic membrane and subsequent anchoring (trapping). [GOC:dos]' - }, - 'GO:0099628': { - 'name': 'neurotransmitter receptor diffusion trapping', - 'def': 'The process by which diffusing neurotransmitter receptor becomes trapped in region of the plasma membrane. [PMID:18832033]' - }, - 'GO:0099629': { - 'name': 'postsynaptic specialization of symmetric synapse', - 'def': 'A network of proteins, adjacent to the postsynaptic membrane of a symmetric synapse, consisting of anchoring and scaffolding molecules, signaling enzymes and cytoskeletal components that spatially and functionally organize the neurotransmitter receptors at the synapse. This structure is not as thick or electron dense as the postsynaptic densities found in asymmetric synapses. [PMID:18832033]' - }, - 'GO:0099630': { - 'name': 'postsynaptic neurotransmitter receptor cycle', - 'def': 'The process during which neurotransmitter receptors in the postsynaptic specialization membrane are recycled via the endosome. This cycle includes release from anchoring (trapping), diffusion in the synaptic membrane to the postsynaptic endocytic region, endocytosis, transport to the endosome, recycling in the endosome, transport back the synaptic membrane and subsequent trapping in the postsynaptic specialization membrane. [PMID:18832033]' - }, - 'GO:0099631': { - 'name': 'postsynaptic endocytic zone cytoplasmic component', - 'def': 'The cytoplasmic component of the postsynaptic endocytic zone. [GOC:dos]' - }, - 'GO:0099632': { - 'name': 'protein transport within plasma membrane', - 'def': 'A process in which protein is transported from one region of the plasma membrane to another. [GOC:dos]' - }, - 'GO:0099633': { - 'name': 'protein localization to postsynaptic specialization membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the membrane adjacent to a postsynaptic specialization (e.g. post synaptic density). [GOC:dos]' - }, - 'GO:0099634': { - 'name': 'postsynaptic specialization membrane', - 'def': 'The membrane component of the postsynaptic specialization. This is the region of the postsynaptic membrane in which the population of neurotransmitter receptors involved in synaptic transmission are concentrated. [GOC:dos]' - }, - 'GO:0099635': { - 'name': 'voltage-gated calcium channel activity involved in positive regulation of presynaptic cytosolic calcium levels', - 'def': 'Positive regulation of presynaptic cytosolic calcium ion concentrations via the directed movement of calcium ions across the plasma-membrane into the cytosol via the action of voltage-gated calcium ion channels. This is the first step in synaptic transmission [GOC:dos]' - }, - 'GO:0099636': { - 'name': 'cytoplasmic streaming', - 'def': 'The directed flow of cytosol (the liquid component of the cytoplasm) and the organelles it contains. [GOC:dos, Wikipedia:Cytoplasmic_streaming&oldid=706214009]' - }, - 'GO:0099637': { - 'name': 'neurotransmitter receptor transport', - 'def': 'The directed movement of neurotransmitter receptors. [GOC:dos]' - }, - 'GO:0099638': { - 'name': 'endosome to plasma membrane protein transport', - 'def': 'The directed movement of proteins from the endosome to the plasma membrane in transport vesicles. [GOC:dos]' - }, - 'GO:0099639': { - 'name': 'neurotransmitter receptor transport, endosome to plasma membrane', - 'def': 'The directed movement of neurotransmitter receptor from the endosome to the plasma membrane in transport vesicles. [GOC:dos]' - }, - 'GO:0099640': { - 'name': 'axo-dendritic protein transport', - 'def': 'The directed movement of proteins along microtubules in neuron projections. [ISBN:0815316194]' - }, - 'GO:0099641': { - 'name': 'anterograde axonal protein transport', - 'def': 'The directed movement of proteins along microtubules from the cell body toward the cell periphery in nerve cell axons. [GOC:dos]' - }, - 'GO:0099642': { - 'name': 'retrograde axonal protein transport', - 'def': 'The directed movement of proteins along microtubules from the cell periphery toward the cell body in nerve cell axons. [ISBN:0815316194]' - }, - 'GO:0099643': { - 'name': 'signal release from synapse', - 'def': 'Any signal release from a synapse. [GOC:dos]' - }, - 'GO:0099644': { - 'name': 'protein localization to presynaptic membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a presynaptic membrane. [GOC:dos]' - }, - 'GO:0099645': { - 'name': 'neurotransmitter receptor localization to postsynaptic specialization membrane', - 'def': 'A process in which a neurotransmitter is transported to, or maintained in, a location within the membrane adjacent to a postsynaptic specialization (e.g. postsynaptic density). [GOC:dos]' - }, - 'GO:0099646': { - 'name': 'neurotransmitter receptor transport, plasma membrane to endosome', - 'def': 'Vesicle-mediated transport of a neurotransmitter receptor vesicle from the plasma membrane to the endosome. [GOC:dos]' - }, - 'GO:0099703': { - 'name': 'induction of synaptic vesicle exocytosis by positive regulation of presynaptic cytosolic calcium ion concentration', - 'def': 'The induction of synaptic vesicle release by any process that leads to a rise in intracellular calcium ion concentration at the presynapse. This is the first step in synaptic transmission. [GOC:dos, ISBN:9780071120005]' - }, - 'GO:0099738': { - 'name': 'cell cortex region', - 'def': 'The complete extent of cell cortex that underlies some some region of the plasma membrane [GOC:dos]' - }, - 'GO:0100001': { - 'name': 'regulation of skeletal muscle contraction by action potential', - 'def': 'Any action potential process that regulates skeletal muscle contraction [GOC:cjm, GOC:obol]' - }, - 'GO:0100002': { - 'name': 'negative regulation of protein kinase activity by protein phosphorylation', - 'def': 'Any protein phosphorylation process that negatively_regulates protein kinase activity [GOC:cjm, GOC:obol]' - }, - 'GO:0100003': { - 'name': 'positive regulation of sodium ion transport by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates sodium ion transport [GOC:cjm, GOC:obol]' - }, - 'GO:0100004': { - 'name': 'positive regulation of peroxisome organization by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates peroxisome organization [GOC:cjm, GOC:obol]' - }, - 'GO:0100005': { - 'name': 'positive regulation of ethanol catabolic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates ethanol catabolic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100006': { - 'name': 'positive regulation of sulfite transport by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates sulfite transport [GOC:cjm, GOC:obol]' - }, - 'GO:0100007': { - 'name': 'negative regulation of ceramide biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates ceramide biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100008': { - 'name': 'regulation of fever generation by prostaglandin biosynthetic process', - 'def': 'Any prostaglandin biosynthetic process process that regulates fever generation [GOC:cjm, GOC:obol]' - }, - 'GO:0100009': { - 'name': 'regulation of fever generation by prostaglandin secretion', - 'def': 'Any prostaglandin secretion process that regulates fever generation [GOC:cjm, GOC:obol]' - }, - 'GO:0100010': { - 'name': 'positive regulation of fever generation by prostaglandin biosynthetic process', - 'def': 'Any prostaglandin biosynthetic process process that positively_regulates fever generation [GOC:cjm, GOC:obol]' - }, - 'GO:0100011': { - 'name': 'positive regulation of fever generation by prostaglandin secretion', - 'def': 'Any prostaglandin secretion process that positively_regulates fever generation [GOC:cjm, GOC:obol]' - }, - 'GO:0100012': { - 'name': 'regulation of heart induction by canonical Wnt signaling pathway', - 'def': 'Any canonical Wnt signaling pathway process that regulates heart induction [GOC:cjm, GOC:obol]' - }, - 'GO:0100013': { - 'name': 'positive regulation of fatty acid beta-oxidation by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates fatty acid beta-oxidation [GOC:cjm, GOC:obol]' - }, - 'GO:0100014': { - 'name': 'positive regulation of mating type switching by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates mating type switching [GOC:cjm, GOC:obol]' - }, - 'GO:0100015': { - 'name': 'positive regulation of inositol biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates inositol biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100016': { - 'name': 'regulation of thiamine biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates thiamine biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100017': { - 'name': 'negative regulation of cell-cell adhesion by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates single organismal cell-cell adhesion [GOC:cjm, GOC:obol]' - }, - 'GO:0100018': { - 'name': 'regulation of glucose import by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates glucose import [GOC:cjm, GOC:obol]' - }, - 'GO:0100019': { - 'name': 'regulation of cAMP-mediated signaling by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates cAMP-mediated signaling [GOC:cjm, GOC:obol]' - }, - 'GO:0100020': { - 'name': 'regulation of transport by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates transport [GOC:cjm, GOC:obol]' - }, - 'GO:0100021': { - 'name': 'regulation of iron ion transport by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates iron ion transport [GOC:cjm, GOC:obol]' - }, - 'GO:0100022': { - 'name': 'regulation of iron ion import by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates iron ion import [GOC:cjm, GOC:obol]' - }, - 'GO:0100023': { - 'name': 'regulation of meiotic nuclear division by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates meiotic nuclear division [GOC:cjm, GOC:obol]' - }, - 'GO:0100024': { - 'name': 'regulation of carbohydrate metabolic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates carbohydrate metabolic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100025': { - 'name': 'negative regulation of cellular amino acid biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates cellular amino acid biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100026': { - 'name': 'positive regulation of DNA repair by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates DNA repair [GOC:cjm, GOC:obol]' - }, - 'GO:0100027': { - 'name': 'regulation of cell separation after cytokinesis by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates cell separation after cytokinesis [GOC:cjm, GOC:obol]' - }, - 'GO:0100028': { - 'name': 'regulation of conjugation with cellular fusion by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates conjugation with cellular fusion [GOC:cjm, GOC:obol]' - }, - 'GO:0100029': { - 'name': 'obsolete regulation of histone modification by transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. Any transcription from RNA polymerase II promoter process that regulates histone modification. [GOC:cjm, GOC:obol]' - }, - 'GO:0100030': { - 'name': 'obsolete regulation of histone acetylation by transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. Any transcription from RNA polymerase II promoter process that regulates histone acetylation. [GOC:cjm, GOC:obol]' - }, - 'GO:0100031': { - 'name': 'obsolete regulation of histone methylation by transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. Any transcription from RNA polymerase II promoter process that regulates histone methylation. [GOC:cjm, GOC:obol]' - }, - 'GO:0100032': { - 'name': 'positive regulation of phospholipid biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates phospholipid biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100033': { - 'name': 'regulation of fungal-type cell wall biogenesis by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates fungal-type cell wall biogenesis [GOC:cjm, GOC:obol]' - }, - 'GO:0100034': { - 'name': 'regulation of 4,6-pyruvylated galactose residue biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates 4,6-pyruvylated galactose residue biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100035': { - 'name': 'negative regulation of transmembrane transport by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates transmembrane transport [GOC:cjm, GOC:obol]' - }, - 'GO:0100036': { - 'name': 'positive regulation of purine nucleotide biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates purine nucleotide biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100037': { - 'name': 'positive regulation of cellular alcohol catabolic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates cellular alcohol catabolic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100038': { - 'name': 'regulation of cellular response to oxidative stress by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates cellular response to oxidative stress [GOC:cjm, GOC:obol]' - }, - 'GO:0100039': { - 'name': 'regulation of pyrimidine nucleotide biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates pyrimidine nucleotide biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100040': { - 'name': 'negative regulation of invasive growth in response to glucose limitation by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates invasive growth in response to glucose limitation [GOC:cjm, GOC:obol]' - }, - 'GO:0100041': { - 'name': 'positive regulation of pseudohyphal growth by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates pseudohyphal growth [GOC:cjm, GOC:obol]' - }, - 'GO:0100042': { - 'name': 'negative regulation of pseudohyphal growth by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates pseudohyphal growth [GOC:cjm, GOC:obol]' - }, - 'GO:0100043': { - 'name': 'negative regulation of cellular response to alkaline pH by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates cellular response to alkaline pH [GOC:cjm, GOC:obol]' - }, - 'GO:0100044': { - 'name': 'negative regulation of cellular hyperosmotic salinity response by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates cellular hyperosmotic salinity response [GOC:cjm, GOC:obol]' - }, - 'GO:0100045': { - 'name': 'negative regulation of arginine catabolic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates arginine catabolic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100046': { - 'name': 'positive regulation of arginine biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates arginine biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100047': { - 'name': 'negative regulation of inositol biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates inositol biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100048': { - 'name': 'positive regulation of phosphatidylcholine biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates phosphatidylcholine biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100049': { - 'name': 'negative regulation of phosphatidylcholine biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates phosphatidylcholine biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100050': { - 'name': 'negative regulation of mating type switching by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates mating type switching [GOC:cjm, GOC:obol]' - }, - 'GO:0100051': { - 'name': 'positive regulation of meiotic nuclear division by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates meiotic nuclear division [GOC:cjm, GOC:obol]' - }, - 'GO:0100052': { - 'name': 'negative regulation of G1/S transition of mitotic cell cycle by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates G1/S transition of mitotic cell cycle [GOC:cjm, GOC:obol]' - }, - 'GO:0100053': { - 'name': 'positive regulation of sulfate assimilation by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates sulfate assimilation [GOC:cjm, GOC:obol]' - }, - 'GO:0100054': { - 'name': 'positive regulation of flocculation via cell wall protein-carbohydrate interaction by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates flocculation via cell wall protein-carbohydrate interaction [GOC:cjm, GOC:obol]' - }, - 'GO:0100055': { - 'name': 'positive regulation of phosphatidylserine biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates phosphatidylserine biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100056': { - 'name': 'negative regulation of phosphatidylserine biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates phosphatidylserine biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100057': { - 'name': 'regulation of phenotypic switching by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates phenotypic switching [GOC:cjm, GOC:obol]' - }, - 'GO:0100058': { - 'name': 'positive regulation of phenotypic switching by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates phenotypic switching [GOC:cjm, GOC:obol]' - }, - 'GO:0100059': { - 'name': 'negative regulation of phenotypic switching by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates phenotypic switching [GOC:cjm, GOC:obol]' - }, - 'GO:0100060': { - 'name': 'negative regulation of SREBP signaling pathway by DNA binding', - 'def': 'Any DNA binding that negatively_regulates SREBP signaling pathway [GOC:cjm, GOC:obol]' - }, - 'GO:0100061': { - 'name': 'negative regulation of SREBP signaling pathway by transcription factor catabolic process', - 'def': 'Any transcription factor catabolic process process that negatively_regulates SREBP signaling pathway [GOC:cjm, GOC:obol]' - }, - 'GO:0100062': { - 'name': 'positive regulation of SREBP signaling pathway by transcription factor catabolic process', - 'def': 'Any transcription factor catabolic process process that positively_regulates SREBP signaling pathway [GOC:cjm, GOC:obol]' - }, - 'GO:0100063': { - 'name': 'regulation of dipeptide transmembrane transport by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates dipeptide transmembrane transport [GOC:cjm, GOC:obol]' - }, - 'GO:0100064': { - 'name': 'negative regulation of filamentous growth of a population of unicellular organisms in response to starvation by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates filamentous growth of a population of unicellular organisms in response to starvation [GOC:cjm, GOC:obol]' - }, - 'GO:0100065': { - 'name': 'negative regulation of leucine import by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates leucine import [GOC:cjm, GOC:obol]' - }, - 'GO:0100066': { - 'name': 'negative regulation of induction of conjugation with cellular fusion by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates induction of conjugation with cellular fusion [GOC:cjm, GOC:obol]' - }, - 'GO:0100067': { - 'name': 'positive regulation of spinal cord association neuron differentiation by canonical Wnt signaling pathway', - 'def': 'Any canonical Wnt signaling pathway process that positively_regulates spinal cord association neuron differentiation [GOC:cjm, GOC:obol]' - }, - 'GO:0100068': { - 'name': 'positive regulation of pyrimidine-containing compound salvage by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that positively_regulates pyrimidine-containing compound salvage [GOC:cjm, GOC:obol]' - }, - 'GO:0100069': { - 'name': 'negative regulation of neuron apoptotic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that negatively_regulates neuron apoptotic process [GOC:cjm, GOC:obol]' - }, - 'GO:0100070': { - 'name': 'regulation of fatty acid biosynthetic process by transcription from RNA polymerase II promoter', - 'def': 'Any transcription from RNA polymerase II promoter process that regulates fatty acid biosynthetic process [GOC:cjm, GOC:obol]' - }, - 'GO:0101002': { - 'name': 'ficolin-1-rich granule', - 'def': 'Highly exocytosable gelatinase-poor granules found in neutrophils and rich in ficolin-1. Ficolin-1 is released from neutrophil granules by stimulation with fMLP or PMA, and the majority becomes associated with the surface membrane of the cells and can be detected by flow cytometry. [GOC:mec, PMID:19741154]' - }, - 'GO:0101003': { - 'name': 'ficolin-1-rich granule membrane', - 'def': 'The lipid bilayer surrounding a ficolin-1-rich granule. [GOC:mec, PMID:23650620]' - }, - 'GO:0101004': { - 'name': 'cytolytic granule membrane', - 'def': 'The lipid bilayer surrounding the cytolytic granule. [PMID:17272266, PMID:21247065]' - }, - 'GO:0101005': { - 'name': 'ubiquitinyl hydrolase activity', - 'def': 'Catalysis of the hydrolysis of ubiquitin from proteins and other molecules. [GOC:mec]' - }, - 'GO:0101006': { - 'name': 'protein histidine phosphatase activity', - 'def': 'Catalysis of the reaction: protein histidine phosphate + H2O = protein histidine + phosphate [GOC:mec]' - }, - 'GO:0101007': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to salt stress', - 'def': 'Any process that decreases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is under salt stress. The stress is usually an increase or decrease in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:mec]' - }, - 'GO:0101008': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to increased salt', - 'def': 'Any process that decreases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of detection of, or exposure to, an increase in the concentration of salt (particularly but not exclusively sodium and chloride ions) in the environment. [GOC:mec]' - }, - 'GO:0101010': { - 'name': 'pulmonary blood vessel remodeling', - 'def': 'The reorganization or renovation of existing pulmonary blood vessels. [GOC:mec]' - }, - 'GO:0101011': { - 'name': 'inositol 1-diphosphate 2,3,4,5,6-pentakisphosphate 1-diphosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol 1-diphosphate 2,3,4,5,6-pentakisphosphate + H2O = myo-inositol hexakisphosphate + phosphate. [GOC:mah, PMID:26422458]' - }, - 'GO:0101012': { - 'name': 'inositol 1,5-bisdiphosphate 2,3,4,6-tetrakisphosphate 1-diphosphatase activity', - 'def': 'Catalysis of the reaction: myo-inositol 1,5-bisdiphosphate 2,3,4,6-tetrakisphosphate + H2O = myo-inositol 5-diphosphate 1,2,3,4,6-pentakisphosphate + phosphate. [GOC:mah, PMID:26422458]' - }, - 'GO:0101013': { - 'name': 'mechanically-modulated voltage-gated sodium channel activity', - 'def': 'Enables the transmembrane transfer of a sodium ion by a voltage-gated channel whose activity is modulated in response to mechanical stress. Response to mechanical stress and voltage gating together is different than the sum of individual responses. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [PMID:21041530, PMID:26838316]' - }, - 'GO:0101014': { - 'name': '[isocitrate dehydrogenase (NADP+)] phosphatase activity', - 'def': 'Catalysis of the reaction: [isocitrate dehydrogenase] phosphate + H2O = [isocitrate dehydrogenase] + phosphate. [EC:2.7.11.5]' - }, - 'GO:0101016': { - 'name': 'FMN-binding domain binding', - 'def': 'Interacting selectively and non-covalently with the FMN-binding domain of a protein. [PMID:15752726]' - }, - 'GO:0101017': { - 'name': 'regulation of mitotic DNA replication initiation from late origin', - 'def': 'Any process that modulates the frequency, rate or extent of firing from a late origin of replication involved in mitotic DNA replication. [PMID:26436827]' - }, - 'GO:0101018': { - 'name': 'negative regulation of mitotic DNA replication initiation from late origin', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of firing from a late origin of replication involved in mitotic DNA replication. [PMID:26436827]' - }, - 'GO:0101019': { - 'name': 'nucleolar exosome (RNase complex)', - 'def': 'A ribonuclease complex that has 3-prime to 5-prime distributive hydrolytic exoribonuclease activity and in some taxa (e.g. yeast) endoribonuclease activity, producing 5-prime-phosphomonoesters. Participates in a multitude of cellular RNA processing and degradation events preventing nuclear export and/or translation of aberrant RNAs. Restricted to processing linear and circular single-stranded RNAs (ssRNA) only. RNAs with complex secondary structures may have to be unwound or pre-processed by co-factors prior to entering the complex, esp if the 3-prime end is structured. [PMID:17174896, PMID:20531386, PMID:26726035]' - }, - 'GO:0101020': { - 'name': 'estrogen 16-alpha-hydroxylase activity', - 'def': 'Catalysis of the reaction: estrogen + donor-H2 + O2 = 16-alpha-hydroxyestrogen + H2O. [GOC:BHF]' - }, - 'GO:0101021': { - 'name': 'estrogen 2-hydroxylase activity', - 'def': 'Catalysis of the reaction: estrogen + donor-H2 + O2 = 2-hydroxyestrogen + H2O. [GOC:BHF, GOC:rl, PMID:14559847]' - }, - 'GO:0101023': { - 'name': 'vascular endothelial cell proliferation', - 'def': 'The multiplication or reproduction of blood vessel endothelial cells, resulting in the expansion of a cell population. [GOC:BHF, GOC:BHF_telomere, GOC:nc, PMID:23201774]' - }, - 'GO:0101024': { - 'name': 'nuclear membrane organization involved in mitotic nuclear division', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the nuclear inner or outer membrane during mitotic nuclear division. [GOC:vw, PMID:15147872]' - }, - 'GO:0101025': { - 'name': 'nuclear membrane biogenesis', - 'def': 'The process in which a nuclear membrane is synthesized, aggregates, and bonds together. [GOC:vw]' - }, - 'GO:0101026': { - 'name': 'nuclear membrane biogenesis involved in mitotic nuclear division', - 'def': 'A process in which the nuclear inner or outer membrane is synthesized, aggregates, and bonds together during mitotic nuclear division. [GOC:vw, PMID:26869222]' - }, - 'GO:0101027': { - 'name': 'optical nerve axon regeneration', - 'def': 'The regrowth of axons of the optical nerve following their loss or damage. [GOC:pga, PMID:16699509]' - }, - 'GO:0101028': { - 'name': 'positive regulation of liquid surface tension', - 'def': 'Any process that activates or increases the surface tension of a liquid. [GOC:sl, PMID:20949060]' - }, - 'GO:0101029': { - 'name': 'negative regulation of liquid surface tension', - 'def': 'Any process that prevents or reduces the surface tension of a liquid. [GOC:sl, PMID:20949060]' - }, - 'GO:0101030': { - 'name': 'tRNA-guanine transglycosylation', - 'def': 'The modification of a tRNA anticodon loop by replacing guanine with queuonine. Reaction is tRNA guanine + queuine = tRNA queuine + guanine. [GOC:PomBase, GOC:vw, PMID:24911101]' - }, - 'GO:0101031': { - 'name': 'chaperone complex', - 'def': 'A protein complex required for the non-covalent folding or unfolding, maturation, stabilization or assembly or disassembly of macromolecular structures. Usually active during or immediately after completion of translation. Many chaperone complexes contain heat shock proteins. [GOC:bhm, PMID:21855797]' - }, - 'GO:0102001': { - 'name': 'isoleucine N-monooxygenase (oxime forming) activity', - 'def': 'Catalysis of the reaction: L-isoleucine + 2 O2 + 2 NADPH(4-) + 2 H+ <=> (E)-2-methylbutanal oxime + 2 NADP(3-) + carbon dioxide + 3 H2O. [EC:1.14.13.117]' - }, - 'GO:0102002': { - 'name': 'valine N-monooxygenase (oxime forming) activity', - 'def': 'Catalysis of the reaction: L-valine + 2 O2 + 2 NADPH(4-) + 2 H+ <=> (E)-2-methylpropanal oxime + 2 NADP(3-) + carbon dioxide + 3 H2O. [EC:1.14.13.118]' - }, - 'GO:0102003': { - 'name': 'Delta8-sphingolipid desaturase activity', - 'def': 'Catalysis of the reaction: phytosphingosine(1+) + O2 + a reduced electron acceptor <=> 4-hydroxy-trans-8-sphingenine + 2 H2O + an oxidized electron acceptor. [EC:1.14.19.4]' - }, - 'GO:0102004': { - 'name': '2-octaprenyl-6-hydroxyphenol methylase activity', - 'def': 'Catalysis of the reaction: 3-(all-trans-octaprenyl)benzene-1,2-diol + S-adenosyl-L-methionine <=> H+ + 2-methoxy-6-(all-trans-octaprenyl)phenol + S-adenosyl-L-homocysteine. [EC:2.1.1.222]' - }, - 'GO:0102005': { - 'name': '2-octaprenyl-6-methoxy-1,4-benzoquinone methylase activity', - 'def': 'Catalysis of the reaction: 6-methoxy-2-octaprenylhydroquinone + S-adenosyl-L-methionine <=> H+ + S-adenosyl-L-homocysteine + 5-methoxy-2-methyl-3-octaprenylhydroquinone. [EC:2.1.1.201]' - }, - 'GO:0102006': { - 'name': '4-methyl-2-oxopentanoate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 4-methyl-2-oxopentanoate + coenzyme A(4-) + NAD(1-) <=> isovaleryl-CoA(4-) + carbon dioxide + NADH(2-). [EC:1.2.1.-]' - }, - 'GO:0102007': { - 'name': 'acyl-L-homoserine-lactone lactonohydrolase activity', - 'def': 'Catalysis of the reaction: H2O + an N-acyl-L-homoserine lactone <=> H+ + an N-acyl-L-homoserine. [EC:3.1.1.81]' - }, - 'GO:0102008': { - 'name': 'cytosolic dipeptidase activity', - 'def': 'Catalysis of the reaction: H2O + a dipeptide <=> 2 a standard alpha amino acid that occurs in the cytosol [EC:3.4.13.18]' - }, - 'GO:0102009': { - 'name': 'proline dipeptidase activity', - 'def': 'Catalysis of the reaction: H2O + a dipeptide with proline at the C-terminal <=> L-proline + a standard alpha amino acid. [EC:3.4.13.9]' - }, - 'GO:0102013': { - 'name': 'L-glutamate-importing ATPase activity', - 'def': 'Catalysis of the reaction: ATP(4-) + L-glutamate(1-) + H2O <=> ADP(3-) + hydrogenphosphate + L-glutamate(1-) + H+. [EC:3.6.3.21]' - }, - 'GO:0102014': { - 'name': 'beta-D-galactose-importing ATPase activity', - 'def': 'Catalysis of the reaction: ATP(4-) + beta-D-galactoside + H2O <=> ADP(3-) + hydrogenphosphate + beta-D-galactoside + H+. [EC:3.6.3.17]' - }, - 'GO:0102017': { - 'name': 'ATPase-coupled alkylphosphonate transmembrane transporter activity', - 'def': 'Catalysis of the reaction: ATP(4-) + H2O + an alkylphosphonate <=> ADP(3-) + hydrogenphosphate + H+ + an alkylphosphonate. [EC:3.6.3.28]' - }, - 'GO:0102022': { - 'name': 'L-arginine-importing ATPase activity', - 'def': 'Catalysis of the reaction: ATP(4-) + L-argininium(1+) + H2O <=> ADP(3-) + hydrogenphosphate + L-argininium(1+) + H+. [EC:3.6.3.21]' - }, - 'GO:0102027': { - 'name': 'S-adenosylmethionine:2-demethylquinol-8 methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-demethylmenaquinol-8 + S-adenosyl-L-methionine <=> menaquinol-8 + H+ + S-adenosyl-L-homocysteine. [EC:2.1.1.163]' - }, - 'GO:0102030': { - 'name': 'dTDP-L-rhamnose synthetase activity', - 'def': 'Catalysis of the reaction: dTDP-6-deoxy-beta-L-mannose + NAD+ <=> dTDP-4-dehydro-6-deoxy-alpha-D-glucose + NADH + H+ [EC:1.1.1.-, MetaCyc:DTDPRHAMSYNTHMULTI-RXN]' - }, - 'GO:0102031': { - 'name': '4-acetamido-4,6-dideoxy-D-galactose transferase activity', - 'def': 'Catalysis of the reaction: dTDP-4-acetamido-4,6-dideoxy-alpha-D-galactose + beta-D-ManNAcA-(1->4)-alpha-D-GlcNAc-1-diphospho-ditrans,polycis-undecaprenol <=> H+ + alpha-D-FucNAc4-(1->4)-beta-D-ManNAcA-(1->4)-D-GlcNAc-undecaprenyl diphosphate + dTDP [EC:2.4.1.325]' - }, - 'GO:0102033': { - 'name': 'cytochrome P450 fatty acid omega-hydroxylase activity', - 'def': 'Catalysis of the reaction: linoleoyl-CoA(4-) + H2O <=> H+ + linoleate + coenzyme A [EC:3.1.2.-, MetaCyc:LINOLEOYL-RXN]' - }, - 'GO:0102035': { - 'name': 'isobutyryl-CoA:FAD oxidoreductase activity', - 'def': 'Catalysis of the reaction: H+ + isobutyryl-CoA + FAD <=> methacrylyl-CoA + FADH2 [EC:1.3.8.-, MetaCyc:MEPROPCOA-FAD-RXN]' - }, - 'GO:0102036': { - 'name': 'methyltetrahydrofolate:corrinoid/iron-sulfur protein methyltransferase activity', - 'def': 'Catalysis of the reaction: a tetrahydrofolate + a [methyl-Co(III) corrinoid Fe-S protein] <=> an N5-methyl-tetrahydrofolate + a [Co(I) corrinoid Fe-S protein] [EC:2.1.1.258]' - }, - 'GO:0102037': { - 'name': '4-nitrotoluene monooxygenase activity', - 'def': 'Catalysis of the reaction: H+ + 4-nitrotoluene + NADH + O2 <=> 4-nitrobenzyl alcohol + NAD+ + H2O [EC:1.14.13.-, MetaCyc:R361-RXN]' - }, - 'GO:0102038': { - 'name': '4-nitrobenzyl alcohol oxidase activity', - 'def': 'Catalysis of the reaction: 4-nitrobenzyl alcohol + O2 <=> 4-nitrobenzaldehyde + hydrogen peroxide [EC:1.1.3.-]' - }, - 'GO:0102039': { - 'name': 'alkylhydroperoxide reductase activity', - 'def': 'Catalysis of the reaction: H2O + NAD + an alcohol <=> NADH + H+ + an organic hydroperoxide [EC:1.8.1.-]' - }, - 'GO:0102043': { - 'name': 'isopentenyl phosphate kinase activity', - 'def': 'Catalysis of the reaction: isopentenyl phosphate(2-) + ATP(4-) <=> isopentenyl diphosphate(3-) + ADP(3-) [EC:2.7.4.26]' - }, - 'GO:0102044': { - 'name': '3-chlorobenzoate-4,5-oxygenase activity', - 'def': 'Catalysis of the reaction: 3-chlorobenzoate + O2 + a reduced electron acceptor <=> 3-chlorobenzoate-cis-4,5-diol + an oxidized electron acceptor [EC:1.14.12.-]' - }, - 'GO:0102045': { - 'name': '3-chlorobenzoate-3,4-oxygenase activity', - 'def': 'Catalysis of the reaction: 3-chlorobenzoate + O2 + a reduced electron acceptor <=> 3-chlorobenzoate-cis-3,4-diol + an oxidized electron acceptor [EC:1.14.12.-]' - }, - 'GO:0102046': { - 'name': '3,4-dichlorobenzoate-4,5-oxygenase activity', - 'def': 'Catalysis of the reaction: 3,4-dichlorobenzoate + O2 + a reduced electron acceptor <=> 3,4-dichlorobenzoate-cis-4,5-diol + an oxidized electron acceptor [EC:1.14.12.-]' - }, - 'GO:0102047': { - 'name': 'indole-3-acetyl-glycine synthetase activity', - 'def': 'Catalysis of the reaction: indole-3-acetate + glycine + ATP(4-) <=> H+ + indole-3-acetyl-glycine + AMP(2-) + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102048': { - 'name': 'indole-3-acetyl-isoleucine synthetase activity', - 'def': 'Catalysis of the reaction: indole-3-acetate + L-isoleucine + ATP(4-) <=> H+ + indole-3-acetyl-isoleucine + AMP(2-) + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102049': { - 'name': 'indole-3-acetyl-methionine synthetase activity', - 'def': 'Catalysis of the reaction: indole-3-acetate + L-methionine + ATP(4-) <=> H+ + indole-3-acetyl-methionine + AMP(2-) + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102050': { - 'name': 'indole-3-acetyl-tyrosine synthetase activity', - 'def': 'Catalysis of the reaction: indole-3-acetate + L-tyrosine + ATP(4-) <=> H+ + indole-3-acetyl-tyrosine + AMP(2-) + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102051': { - 'name': 'indole-3-acetyl-tryptophan synthetase activity', - 'def': 'Catalysis of the reaction: indole-3-acetate + L-tryptophan + ATP(4-) <=> H+ + indole-3-acetyl-tryptophan + AMP(2-) + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102052': { - 'name': 'indole-3-acetyl-proline synthetase activity', - 'def': 'Catalysis of the reaction: indole-3-acetate + L-proline + ATP(4-) <=> H+ + indole-3-acetyl-proline + AMP(2-) + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102053': { - 'name': '(-)-jasmonoyl-isoleucine synthetase activity', - 'def': 'Catalysis of the reaction: (-)-jasmonate + L-isoleucine + ATP(4-) <=> H+ + (-)-jasmonoyl-L-isoleucine + AMP(2-) + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102054': { - 'name': 'maleylpyruvate hydrolase activity', - 'def': 'Catalysis of the reaction: 3-maleylpyruvate(2-) + H2O <=> H+ + maleate(2-) + pyruvate [EC:3.7.1.-]' - }, - 'GO:0102055': { - 'name': '12-hydroxyjasmonate sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphonato-5'-adenylyl sulfate + a 12-hydroxyjasmonate <=> adenosine 3',5'-bismonophosphate + a 12-hydroxyjasmonate sulfate [EC:2.8.2.-]" - }, - 'GO:0102056': { - 'name': '11-hydroxyjasmonate sulfotransferase activity', - 'def': "Catalysis of the reaction: 3'-phosphonato-5'-adenylyl sulfate + an 11-hydroxyjasmonate <=> adenosine 3',5'-bismonophosphate + H+ + an 11-hydroxyjasmonate sulfate [EC:2.8.2.-]" - }, - 'GO:0102057': { - 'name': 'jasmonoyl-valine synthetase activity', - 'def': 'Catalysis of the reaction: L-valine + ATP(4-) + a jasmonic acid <=> AMP(2-) + diphosphoric acid + a jasmonoyl-valine [EC:6.3.-.-]' - }, - 'GO:0102058': { - 'name': 'jasmonoyl-leucine synthetase activity', - 'def': 'Catalysis of the reaction: L-leucine + ATP(4-) + a jasmonic acid <=> AMP(2-) + diphosphoric acid + a jasmonoyl-leucine [EC:6.3.-.-]' - }, - 'GO:0102059': { - 'name': '2-cis,6-cis-farnesyl pyrophosphate synthase activity', - 'def': 'Catalysis of the reaction: prenyl diphosphate + 2 isopentenyl diphosphate <=> 2 diphosphoric acid + 2-cis,6-cis-farnesyl diphosphate [EC:2.5.1.92]' - }, - 'GO:0102060': { - 'name': 'endo-alpha-bergamontene synthase activity', - 'def': 'Catalysis of the reaction: 2-cis,6-cis-farnesyl diphosphate <=> (-)-endo-alpha-bergamotene + diphosphoric acid [EC:4.2.3.54]' - }, - 'GO:0102061': { - 'name': 'endo-beta-bergamontene synthase activity', - 'def': 'Catalysis of the reaction: 2-cis,6-cis-farnesyl diphosphate <=> (+)-endo-beta-bergamotene + diphosphoric acid [EC:4.2.3.53]' - }, - 'GO:0102062': { - 'name': 'alpha-santalene synthase activity', - 'def': 'Catalysis of the reaction: 2-cis,6-cis-farnesyl diphosphate <=> (+)-alpha-santalene + diphosphoric acid [EC:4.2.3.50]' - }, - 'GO:0102063': { - 'name': 'beta-curcumene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate(3-) <=> diphosphoric acid + (-)-beta-curcumene [EC:4.2.3.-]' - }, - 'GO:0102064': { - 'name': 'gamma-curcumene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> gamma-curcumene + diphosphoric acid [EC:4.2.3.94]' - }, - 'GO:0102065': { - 'name': 'patchoulene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> diphosphoric acid + gamma-patchoulene [EC:4.2.3.-]' - }, - 'GO:0102068': { - 'name': 'alpha-humulene 10-hydroxylase activity', - 'def': 'Catalysis of the reaction: (1E,4E,8E)-alpha-humulene + NADPH + O2 + H+ <=> 8-hydroxy-alpha-humulene + NADP + H2O [EC:1.14.13.150]' - }, - 'GO:0102069': { - 'name': 'zerumbone synthase activity', - 'def': 'Catalysis of the reaction: 8-hydroxy-alpha-humulene + NAD <=> zerumbone + NADH + H+ [EC:1.1.1.326]' - }, - 'GO:0102070': { - 'name': '18-hydroxyoleate peroxygenase activity', - 'def': 'Catalysis of the reaction: 18-hydroxyoleate + a lipid hydroperoxide <=> 9,10-epoxy-18-hydroxystearate + a lipid alcohol [EC:1.11.-.-]' - }, - 'GO:0102071': { - 'name': '9,10-epoxy-18-hydroxystearate hydrolase activity', - 'def': 'Catalysis of the reaction: 9,10-epoxy-18-hydroxystearate + H2O <=> 9,10,18-trihydroxystearate [EC:3.3.2.-]' - }, - 'GO:0102072': { - 'name': '3-oxo-cis-Delta9-hexadecenoyl-[acp] reductase activity', - 'def': 'Catalysis of the reaction: NADP + a 3R-hydroxy cis Delta9-hexadecenoyl-[acp] <=> NADPH + H+ + a 3-oxo-cis-Delta9-hexadecenoyl-[acp] [EC:1.1.1.100]' - }, - 'GO:0102073': { - 'name': 'OPC8-trans-2-enoyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: OPC8-3-hydroxyacyl-CoA <=> OPC8-trans-2-enoyl-CoA + H2O [EC:4.2.1.17]' - }, - 'GO:0102074': { - 'name': 'OPC6-trans-2-enoyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: OPC6-3-hydroxyacyl-CoA <=> OPC6-trans-2-enoyl-CoA + H2O [EC:4.2.1.17]' - }, - 'GO:0102075': { - 'name': 'OPC4-trans-2-enoyl-CoA hydratase activity', - 'def': 'Catalysis of the reaction: OPC4-3-hydroxyacyl-CoA <=> OPC4-trans-2-enoyl-CoA + H2O [EC:4.2.1.17]' - }, - 'GO:0102076': { - 'name': "beta,beta-carotene-9',10'-cleaving oxygenase activity", - 'def': "Catalysis of the reaction: beta-carotene + O2 <=> 10'-apo-beta-carotenal + beta-ionone [EC:1.13.11.71]" - }, - 'GO:0102077': { - 'name': 'oleamide hydrolase activity', - 'def': 'Catalysis of the reaction: oleamide + H2O <=> oleate + ammonium [EC:3.5.1.99]' - }, - 'GO:0102078': { - 'name': 'methyl jasmonate methylesterase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + a jasmonic acid <=> S-adenosyl-L-homocysteine + a methyl jasmonate [EC:2.1.1.141]' - }, - 'GO:0102080': { - 'name': 'phenylacetyl-coenzyme A:glycine N-acyltransferase activity', - 'def': 'Catalysis of the reaction: phenylacetyl-CoA + glycine <=> H+ + phenylacetylglycine + coenzyme A [EC:2.3.1.192]' - }, - 'GO:0102081': { - 'name': 'homotaurine:2-oxoglutarate aminotransferase activity', - 'def': 'Catalysis of the reaction: homotaurine + 2-oxoglutarate(2-) <=> 3-sulfopropanal + L-glutamate(1-) [EC:2.6.1.-]' - }, - 'GO:0102082': { - 'name': 'demethylrebeccamycin--D-glucose O-methyltransferase activity', - 'def': "Catalysis of the reaction: 4'-demethylrebeccamycin + S-adenosyl-L-methionine <=> H+ + rebeccamycin + S-adenosyl-L-homocysteine [EC:2.1.1.164]" - }, - 'GO:0102083': { - 'name': '7,8-dihydromonapterin aldolase activity', - 'def': 'Catalysis of the reaction: 7,8-dihydromonapterin <=> glycolaldehyde + 2-amino-6-(hydroxymethyl)-7,8-dihydropteridin-4-ol [EC:4.1.2.25]' - }, - 'GO:0102084': { - 'name': 'L-dopa O-methyltransferase activity', - 'def': 'Catalysis of the reaction: L-dopa + S-adenosyl-L-methionine <=> 3-O-methyldopa + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.6]' - }, - 'GO:0102085': { - 'name': 'N-(4-aminobenzoyl)-L-glutamate synthetase activity', - 'def': 'Catalysis of the reaction: 4-aminobenzoate + L-glutamate + ATP <=> H+ + p-aminobenzoyl glutamate + AMP + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102086': { - 'name': 'N-vanillate-L-glutamate synthetase activity', - 'def': 'Catalysis of the reaction: vanillate + L-glutamate(1-) + ATP <=> H+ + N-vanillate-L-glutamate + AMP + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102088': { - 'name': 'N-(4-hydroxybenzoyl)-L-glutamate synthetase activity', - 'def': 'Catalysis of the reaction: 4-hydroxybenzoic acid + L-glutamate + ATP <=> H+ + N-(4-hydroxybenzoyl)-L-glutamate + AMP + diphosphoric acid [EC:6.3.-.-]' - }, - 'GO:0102090': { - 'name': 'adrenaline O-methyltransferase activity', - 'def': 'Catalysis of the reaction: (R)-adrenaline(1+) + S-adenosyl-L-methionine <=> metanephrine + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.6]' - }, - 'GO:0102093': { - 'name': 'acrylate:acyl-coA CoA transferase activity', - 'def': 'Catalysis of the reaction: acryloyl-CoA + H2O <=> acrylate + coenzyme A + H+ [EC:2.3.1.-]' - }, - 'GO:0102094': { - 'name': 'S-adenosylmethionine:2-demethylmenaquinol methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + a demethylmenaquinol <=> S-adenosyl-L-homocysteine + H+ + a menaquinol [EC:2.1.1.163]' - }, - 'GO:0102096': { - 'name': 'decaprenyl-N-acetyl-alpha-D-glucosaminyl-pyrophosphate:dTDP-alpha-L-rhamnose rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: dTDP-6-deoxy-beta-L-mannose + N-acetyl-alpha-D-glucosaminyl-diphospho-trans,octacis-decaprenol <=> dTDP(3-) + alpha-L-Rhap-(1->3)-alpha-D-GlcpNAc-1-diphospho-trans,octacis-decaprenol + H+ [EC:2.4.1.289]' - }, - 'GO:0102097': { - 'name': '(22S)-22-hydroxy-5alpha-campestan-3-one C-23 hydroxylase activity', - 'def': 'Catalysis of the reaction: (5alpha,22S,24R)-22-hydroxyergostan-3-one + O2 + NADPH + H+ <=> 3-dehydro-6-deoxoteasterone + NADP + H2O [EC:1.14.13.112]' - }, - 'GO:0102099': { - 'name': 'FAD-dependent urate hydroxylase activity', - 'def': 'Catalysis of the reaction: 7,9-dihydro-1H-purine-2,6,8(3H)-trione + NADH + H+ + O2 <=> 5-hydroxyisouric acid + NAD + H2O [EC:1.14.13.113]' - }, - 'GO:0102100': { - 'name': 'mycothiol-arsenate ligase activity', - 'def': 'Catalysis of the reaction: arsenate + mycothiol <=> mycothiol-arsenate conjugate + H2O [EC:2.8.4.2]' - }, - 'GO:0102101': { - 'name': 'sterol 24C methyltransferase activity', - 'def': 'Catalysis of the reaction: 26,27-dehydrozymosterol + S-adenosyl-L-methionine <=> 24-alkyl sterol 1 + S-adenosyl-L-homocysteine [EC:2.1.1.43]' - }, - 'GO:0102103': { - 'name': 'bisdemethoxycurcumin syntase activity', - 'def': 'Catalysis of the reaction: (4-coumaroyl)acetyl-CoA + 4-coumaryl-CoA + H2O <=> bisdemethoxycurcumin + 2 coenzyme A + carbon dioxide [EC:2.3.1.219]' - }, - 'GO:0102104': { - 'name': 'demethoxycurcumin synthase activity', - 'def': 'Catalysis of the reaction: (4-coumaroyl)acetyl-CoA(4-) + feruloyl-CoA + H2O <=> demethoxycurcumin + 2 coenzyme A + carbon dioxide [EC:2.3.1.-]' - }, - 'GO:0102106': { - 'name': 'curcumin synthase activity', - 'def': 'Catalysis of the reaction: feruloylacetyl-CoA + feruloyl-CoA(4-) + H2O <=> curcumin + 2 coenzyme A(4-) + carbon dioxide [EC:2.3.1.217]' - }, - 'GO:0102109': { - 'name': 'tricaffeoyl spermidine O-methyltransferase activity', - 'def': 'Catalysis of the reaction: tricaffeoyl spermidine + 3 S-adenosyl-L-methionine <=> 3 H+ + triferuloyl spermidine + 3 S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102111': { - 'name': 'gibberellin A20,2-oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A20 + 2-oxoglutarate + O2 <=> gibberellin A29 + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102114': { - 'name': 'caprate dehydroxylase activity', - 'def': 'Catalysis of the reaction: decanoate + NADPH + O2 + H+ <=> 10-hydroxycaprate + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102116': { - 'name': 'laurate hydroxylase activity', - 'def': 'Catalysis of the reaction: dodecanoate + NADPH + O2 + H+ <=> 11-hydroxylaurate + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102117': { - 'name': 'gibberellin A9 carboxyl methyltransferase activity', - 'def': 'Catalysis of the reaction: gibberellin A9 + S-adenosyl-L-methionine <=> gibberellin A9 methyl ester + S-adenosyl-L-homocysteine [EC:2.1.1.275]' - }, - 'GO:0102118': { - 'name': 'gibberellin A4 carboxyl methyltransferase activity', - 'def': 'Catalysis of the reaction: gibberellin A4 + S-adenosyl-L-methionine <=> gibberellin A4 methyl ester + S-adenosyl-L-homocysteine [EC:2.1.1.276]' - }, - 'GO:0102119': { - 'name': 'gibberellin A20 carboxyl methyltransferase activity', - 'def': 'Catalysis of the reaction: gibberellin A20 + S-adenosyl-L-methionine <=> gibberellin A20 methyl ester + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102123': { - 'name': 'gibberellin A4 16alpha,17 epoxidase activity', - 'def': 'Catalysis of the reaction: gibberellin A4 + O2 + H+ + NAD(P)H <=> 16alpha,17-epoxy gibberellin A4 + H2O + NAD(P) [EC:1.14.-.-]' - }, - 'GO:0102124': { - 'name': 'gibberellin A12 16alpha,17 epoxidase activity', - 'def': 'Catalysis of the reaction: gibberellin A12 + O2 + H+ + NAD(P)H <=> 16alpha, 17-epoxy gibberellin A12 + H2O + NAD(P) [EC:1.14.-.-]' - }, - 'GO:0102125': { - 'name': 'gibberellin A9 16alpha,17 epoxidase activity', - 'def': 'Catalysis of the reaction: gibberellin A9 + O2 + H+ + NAD(P)H <=> 16alpha, 17-epoxy gibberellin A9 + H2O + NAD(P) [EC:1.14.-.-]' - }, - 'GO:0102126': { - 'name': 'coniferyl aldehyde 5-hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + coniferyl aldehyde + NADPH + O2 <=> 5-hydroxy-coniferaldehyde + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102132': { - 'name': '3-oxo-pimeloyl-[acp] methyl ester reductase activity', - 'def': 'Catalysis of the reaction: NADP + a 3R-hydroxypimeloyl-[acp] methyl ester <=> NADPH + H+ + a 3-oxo-pimeloyl-[acp] methyl ester. [EC:1.1.1.100]' - }, - 'GO:0102133': { - 'name': 'limonene hydroxylase activity', - 'def': 'Catalysis of the reaction: (4R)-limonene + O2 + NADH + H+ <=> (4R)-perillyl alcohol + NAD + H2O. [EC:1.14.13.-]' - }, - 'GO:0102134': { - 'name': '(22S)-22-hydroxy-campesterol C-23 hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + (22S)-22-hydroxycampesterol + NADPH + O2 <=> (22R,23R)-22,23-dihydroxycampesterol + NADP + H2O. [EC:1.14.13.-]' - }, - 'GO:0102135': { - 'name': '(22S)-22-hydroxy-campest-4-en-3-one C-23 hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + (22S)-22-hydroxycampest-4-en-3-one + NADPH + O2 <=> (22R,23R)-22,23-dihydroxy-campest-4-en-3-one + NADP + H2O. [EC:1.14.13.-]' - }, - 'GO:0102136': { - 'name': '3-epi-6-deoxocathasterone C-23 hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + 3-epi-6-deoxocathasterone + NADPH + O2 <=> 6-deoxotyphasterol + NADP + H2O. [EC:1.14.13.-]' - }, - 'GO:0102137': { - 'name': '7-oxateasterone synthase activity', - 'def': 'Catalysis of the reaction: H+ + teasterone + NADPH + O2 <=> 7-oxateasterone + NADP + H2O. [EC:1.14.13.-]' - }, - 'GO:0102138': { - 'name': '7-oxatyphasterol synthase activity', - 'def': 'Catalysis of the reaction: H+ + typhasterol + NADPH + O2 <=> 7-oxatyphasterol + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102139': { - 'name': "2-hydroxy-6-oxo-6-(2'-aminophenyl)-hexa-2,4dienoate hydrolase activity", - 'def': 'Catalysis of the reaction: (2E,4E)-6-(2-aminophenyl)-2-hydroxy-6-oxohexa-2,4-dienoate + H2O <=> H+ + anthranilate + (2E)-2-hydroxypenta-2,4-dienoate. [EC:3.7.1.13]' - }, - 'GO:0102143': { - 'name': 'carboxynorspermidine dehydrogenase I activity', - 'def': 'Catalysis of the reaction: carboxynorspermidine + NADP + H2O <=> L-aspartic acid 4-semialdehyde betaine + trimethylenediaminium + NADPH + H+ [EC:1.5.1.43]' - }, - 'GO:0102144': { - 'name': 'carboxyspermidine dehydrogenase II activity', - 'def': 'Catalysis of the reaction: carboxyspermidine + H2O + NADP <=> L-aspartic acid 4-semialdehyde betaine + 1,4-butanediammonium + NADPH + H+ [EC:1.5.1.43]' - }, - 'GO:0102145': { - 'name': '(3R)-(E)-nerolidol synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate + H2O <=> (3R,6E)-nerolidol + diphosphoric acid [EC:4.2.3.49]' - }, - 'GO:0102150': { - 'name': '3-oxo-myristoyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: 3-oxotetradecanoyl-CoA + H2O <=> 3-oxo-myristate + coenzyme A + H+ [EC:3.1.2.-]' - }, - 'GO:0102151': { - 'name': '3-oxo-myristate decarboxylase activity', - 'def': 'Catalysis of the reaction: 3-oxo-myristate + H+ <=> 2-tridecanone + carbon dioxide [EC:4.1.1.56]' - }, - 'GO:0102154': { - 'name': '8C-naringenin dibenzoylmethane tautomer glucosyltransferase activity', - 'def': "Catalysis of the reaction: 2,4,4',6-tetrahydroxydibenzoylmethane + UDP-alpha-D-glucose <=> 8C-glucosyl-2-hydroxynaringenin + UDP + 2 H+ [EC:2.4.1.-]" - }, - 'GO:0102155': { - 'name': 'S-sulfolactate dehydrogenase activity', - 'def': 'Catalysis of the reaction: (S)-3-sulfonatolactate + NAD <=> 3-sulfonatopyruvate(2-) + NADH + H+ [EC:1.1.1.310]' - }, - 'GO:0102156': { - 'name': '2,5-DHBA UDP-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 2,5-dihydroxybenzoate + UDP-alpha-D-glucose <=> 2,5-dihydroxybenzoate 5-O-beta-D-glucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102157': { - 'name': '(R)-sulfopropanediol 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: (2R)-3-sulfopropanediol(1-) + NAD <=> 2-oxo-3-hydroxy-propane-1-sulfonate + NADH + H+ [EC:1.1.1.-]' - }, - 'GO:0102159': { - 'name': 'baicalein 7-O-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucuronate + baicalein <=> H+ + UDP + baicalin [EC:2.4.1.253]' - }, - 'GO:0102160': { - 'name': 'cyanidin-3-O-glucoside 2-O-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: cyanidin 3-O-beta-D-glucoside betaine + UDP-alpha-D-glucuronate <=> H+ + cyanidin 3-O-beta-(2-O-beta-D-glucuronosyl)-beta-D-glucoside + UDP [EC:2.4.1.254]' - }, - 'GO:0102161': { - 'name': 'copal-8-ol diphosphate synthase activity', - 'def': 'Catalysis of the reaction: copal-8-ol diphosphate <=> 2-trans,6-trans,10-trans-geranylgeranyl diphosphate + H2O [EC:4.2.1.133]' - }, - 'GO:0102162': { - 'name': 'all-trans-8prime-apo-beta-carotenal 15,15prime-oxygenase activity', - 'def': "Catalysis of the reaction: 8'-apo-beta,psi-caroten-8'-al + O2 <=> all-trans-retinal + 2,6-dimethylocta-2,4,6-trienedial [EC:1.13.11.75]" - }, - 'GO:0102164': { - 'name': '2-heptyl-3-hydroxy-4(1H)-quinolone synthase activity', - 'def': 'Catalysis of the reaction: 2-heptyl-4-quinolone + NADH + O2 + H+ <=> 2-heptyl-3-hydroxy-4-quinolone + NAD + H2O [EC:1.14.13.182]' - }, - 'GO:0102165': { - 'name': '(Z)-3-hexen-1-ol acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + (Z)-hex-3-en-1-ol <=> (3Z)-hex-3-en-1-yl acetate + coenzyme A [EC:2.3.1.195]' - }, - 'GO:0102168': { - 'name': '5-methyl-phenazine-1-carboxylate N-methyltransferase activity', - 'def': 'Catalysis of the reaction: phenazine-1-carboxylate + S-adenosyl-L-methionine <=> 5-methylphenazine-1-carboxylate + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102169': { - 'name': 'pyocyanin hydroxylase activity', - 'def': 'Catalysis of the reaction: 5-methylphenazine-1-carboxylate + NADH + O2 + 2 H+ <=> pyocyanin + NAD + carbon dioxide + H2O [EC:1.14.13.-]' - }, - 'GO:0102170': { - 'name': '5-epi-aristolochene-1,3-dihydroxylase activity', - 'def': 'Catalysis of the reaction: (+)-5-epi-aristolochene + 2 NADPH + 2 H+ + 2 O2 <=> capsidiol + 2 NADP + 2 H2O [EC:1.14.13.119]' - }, - 'GO:0102171': { - 'name': 'DMNT synthase activity', - 'def': 'Catalysis of the reaction: H+ + (3S,6E)-nerolidol + NADPH + O2 <=> (E)-4,8-dimethyl-1,3,7-nonatriene + buten-2-one + NADP + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102172': { - 'name': '4alpha-hydroxymethyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-ergost-24(241)-en-3beta-ol-4alpha-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-hydroxymethyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-ergost-24(241)-en-3beta-ol + NADH + O2 + H+ <=> 4alpha-formyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-ergost-24(241)-en-3beta-ol + NAD + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102173': { - 'name': '24-methylenecycloartanol 4alpha-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 24-methylenecycloartanol + NADH + O2 + H+ <=> 4alpha-hydroxymethyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-ergost-24(241)-en-3beta-ol + NAD + H2O [EC:1.14.13.-]' - }, - 'GO:0102174': { - 'name': '4alpha-formyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-ergost-24(241)-en-3beta-ol-4alpha-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-formyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-ergost-24(241)-en-3beta-ol + NADH + O2 <=> 4alpha-carboxy-4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-ergost-24(241)-en-3beta-ol + NAD + H2O [EC:1.14.13.-]' - }, - 'GO:0102176': { - 'name': 'cycloeucalenone reductase activity', - 'def': 'Catalysis of the reaction: cycloeucalenone + NADPH + H+ <=> cycloeucalenol + NADP [EC:1.1.1.-]' - }, - 'GO:0102177': { - 'name': '24-methylenelophenol methyl oxidase activity', - 'def': 'Catalysis of the reaction: 24-methylenelophenol + O2 + NADH + H+ <=> 4alpha-hydroxymethyl-ergosta-7,24(241)-dien-3beta-ol + NAD + H2O [EC:1.14.13.-]' - }, - 'GO:0102178': { - 'name': '4alpha-formyl-ergosta-7,24(241)-dien-3beta-ol-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-formyl-ergosta-7,24(241)-dien-3beta-ol + O2 + NADH <=> 4alpha-carboxy-ergosta-7,24(241)-dien-3beta-ol + NAD + H2O [EC:1.14.13.-]' - }, - 'GO:0102180': { - 'name': '4alpha-hydroxymethyl-stigmasta-7,24(241)-dien-3beta-ol-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-hydroxymethyl-stigmasta-7,24(241)-dien-3beta-ol + NADH + O2 + H+ <=> 4alpha-formyl-stigmasta-7,24(241)-dien-3beta-ol + NAD + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102181': { - 'name': '4alpha-formyl-stigmasta-7,24(241)-dien-3beta-ol-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-formyl-stigmasta-7,24(241)-dien-3beta-ol + NADH + O2 <=> 4alpha-carboxy-stigmasta-7,24(241)-dien-3beta-ol + NAD + H2O [EC:1.14.13.-]' - }, - 'GO:0102182': { - 'name': '4alpha-carboxy-stigmasta-7,24(241)-dien-3beta-ol dehydrogenase/C4-decarboxylase activity', - 'def': 'Catalysis of the reaction: 4alpha-carboxy-stigmasta-7,24(241)-dien-3beta-ol + NAD <=> avenastenone + NADH + carbon dioxide [EC:1.1.1.-]' - }, - 'GO:0102183': { - 'name': 'avenastenone reductase activity', - 'def': 'Catalysis of the reaction: avenastenone + NADPH + H+ <=> avenasterol + NADP [EC:1.1.1.-]' - }, - 'GO:0102184': { - 'name': 'cycloartenol 4alpha-methyl oxidase activity', - 'def': 'Catalysis of the reaction: cycloartenol + NADH + O2 + H+ <=> 4alpha-hydroxymethyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3beta-ol + NAD + H2O [EC:1.14.13.-]' - }, - 'GO:0102185': { - 'name': '4alpha-hydroxymethyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3beta-ol-4alpha-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-hydroxymethyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3beta-ol + NADH(2-) + O2 + H+ <=> 4alpha-formyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3beta-ol + NAD(1-) + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102186': { - 'name': '4alpha-formyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3beta-ol-4alpha-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-formyl,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3beta-ol + NADH(2-) + O2 <=> 4alpha-carboxy,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3beta-ol + NAD(1-) + H2O [EC:1.14.13.-]' - }, - 'GO:0102187': { - 'name': '4alpha-carboxy,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3beta-ol dehydrogenase/C4-decarboxylase activity', - 'def': 'Catalysis of the reaction: 4alpha-carboxy,4beta,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3beta-ol + NAD(1-) <=> 4alpha,14alpha-dimethyl-9beta,19-cyclo-5alpha-cholest-24-en-3-one + NADH(2-) + carbon dioxide [EC:1.1.1.-]' - }, - 'GO:0102188': { - 'name': '4alpha-methyl-5alpha-cholesta-7,24-dien-3beta-ol-4alpha-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-methyl-5alpha-cholesta-7,24-dien-3beta-ol + O2 + NADH(2-) + H+ <=> 4alpha-hydroxymethyl-5alpha-cholesta-7,24-dien-3beta-ol + NAD(1-) + H2O [EC:1.14.13.-]' - }, - 'GO:0102189': { - 'name': '4alpha-hydroxymethyl-5alpha-cholesta-7,24-dien-3beta-ol-4alpha-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-hydroxymethyl-5alpha-cholesta-7,24-dien-3beta-ol + O2 + NADH(2-) + H+ <=> 4alpha-formyl-5alpha-cholesta-7,24-dien-3beta-ol + NAD(1-) + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102190': { - 'name': '4alpha-formyl-5alpha-cholesta-7,24-dien-3beta-ol-4alpha-methyl oxidase activity', - 'def': 'Catalysis of the reaction: 4alpha-formyl-5alpha-cholesta-7,24-dien-3beta-ol + O2 + NADH(2-) <=> 4alpha-carboxy-5alpha-cholesta-7,24-dien-3beta-ol + NAD(1-) + H2O [EC:1.14.13.-]' - }, - 'GO:0102191': { - 'name': '4alpha-carboxy-5alpha-cholesta-7,24-dien-3beta-ol dehydrogenase/C4-decarboxylase activity', - 'def': 'Catalysis of the reaction: 4alpha-carboxy-5alpha-cholesta-7,24-dien-3beta-ol + NAD(1-) <=> 5alpha-cholesta-7,24-dien-3-one + NADH(2-) + carbon dioxide [EC:1.1.1.-]' - }, - 'GO:0102192': { - 'name': 'neryl-diphosphate:isopentenyl-diphosphate cistransferase activity', - 'def': 'Catalysis of the reaction: neryl diphosphate(3-) + isopentenyl diphosphate(3-) <=> diphosphoric acid + 2-cis,6-cis-farnesyl diphosphate(3-) [EC:2.5.1.92]' - }, - 'GO:0102193': { - 'name': 'protein-ribulosamine 3-kinase activity', - 'def': 'Catalysis of the reaction: ATP + a [protein]-N6-D-ribulosyl-L-lysine <=> ADP + a [protein]-N6-(3-O-phospho-D-ribulosyl)-L-lysine [EC:2.7.1.172]' - }, - 'GO:0102194': { - 'name': 'protein-fructosamine 3-kinase activity', - 'def': 'Catalysis of the reaction: ATP + a [protein]-N6-D-fructosyl-L-lysine <=> ADP + H+ + a [protein]-N6-(3-O-phospho-D-fructosyl)-L-lysine [EC:2.7.1.171]' - }, - 'GO:0102197': { - 'name': 'vinylacetate caboxylester hydrolase activity', - 'def': 'Catalysis of the reaction: but-3-enoate + H2O <=> allyl alcohol + formate [EC:3.1.1.-]' - }, - 'GO:0102201': { - 'name': '(+)-2-epi-prezizaene synthase activity', - 'def': 'Catalysis of the reaction: 2-cis,6-trans-farnesyl diphosphate <=> (+)-2-epi-prezizaene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102202': { - 'name': 'soladodine glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + solasodine <=> UDP + solasodine 3-O-beta-D-glucopyranoside + H+ [EC:2.4.1.173]' - }, - 'GO:0102203': { - 'name': 'brassicasterol glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + brassicasterol <=> UDP(3-) + 3-O-beta-D-glucosyl-brassicasterol + H+ [EC:2.4.1.173]' - }, - 'GO:0102208': { - 'name': '2-polyprenyl-6-hydroxyphenol methylase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + a 3-(all-trans-polyrenyl)benzene-1,2-diol <=> S-adenosyl-L-homocysteine + H+ + a 2-methoxy-6-(all-trans-polyprenyl)phenol [EC:2.1.1.222]' - }, - 'GO:0102209': { - 'name': 'trans-permethrin hydrolase activity', - 'def': 'Catalysis of the reaction: (-)-trans-permethrin + H2O <=> H+ + (3-phenoxyphenyl)methanol + (1S,3R)-3-(2,2-dichlorovinyl)-2,2-dimethylcyclopropanecarboxylate [EC:3.1.1.88]' - }, - 'GO:0102210': { - 'name': 'rhamnogalacturonan endolyase activity', - 'def': 'Catalysis of the reaction: H2O + a rhamnogalacturonan type I <=> [rhamnogalacturonan I oligosaccharide]-alpha-L-rhamnose + 4-deoxy-4,5-unsaturated D-galactopyranosyluronate-[rhamnogalacturonan I oligosaccharide] [EC:4.2.2.23]' - }, - 'GO:0102211': { - 'name': 'unsaturated rhamnogalacturonyl hydrolase activity', - 'def': 'Catalysis of the reaction: 2-O-(4-deoxy-beta-L-threo-hex-4-enopyranuronosyl)-alpha-L-rhamnopyranose(1-) + H2O <=> (4S,5S)-4,5-dihydroxy-2,6-dioxohexanoate + alpha-L-rhamnopyranose [EC:3.2.1.172]' - }, - 'GO:0102215': { - 'name': 'thiocyanate methyltransferase activity', - 'def': 'Catalysis of the reaction: thiocyanate + S-adenosyl-L-methionine <=> methyl thiocyanate + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102222': { - 'name': '6-phosophogluco-3-phosphogluco-starch phosphatase activity', - 'def': 'Catalysis of the reaction: m+q H2O + a 6-phosphogluco-3-phosphogluco-amylopectin <=> m+q hydrogenphosphate + a 6-phosphogluco-3-phosphogluco-amylopectin [EC:3.1.3.-]' - }, - 'GO:0102223': { - 'name': "4,4'-diapophytoene desaturase activity", - 'def': "Catalysis of the reaction: 4 H+ + 15-cis-4,4'-diapophytoene + 4 FAD <=> 4,4'-diapolycopene + 4 FADH2 [EC:1.3.8.2]" - }, - 'GO:0102224': { - 'name': 'GDP-2,4-diacetamido-2,4,6-trideoxy-alpha-D-glucopyranose hydrolase/2-epimerase activity', - 'def': 'Catalysis of the reaction: GDP-2,4-diacetamido-2,4,6-trideoxy-alpha-D-glucopyranose + H2O <=> 2,4-diacetamido-2,4,6-trideoxy-alpha-D-mannopyranose + GDP + H+ [EC:3.2.1.-]' - }, - 'GO:0102225': { - 'name': "4,4'-diaponeurosporene desaturase activity", - 'def': "Catalysis of the reaction: 4,4'-diaponeurosporene + FAD + H+ <=> 4,4'-diapolycopene + FADH2 [EC:1.3.8.-]" - }, - 'GO:0102232': { - 'name': 'acrolein reductase activity', - 'def': 'Catalysis of the reaction: acrolein + NADPH + H+ <=> propanal + NADP [EC:1.3.1.-]' - }, - 'GO:0102233': { - 'name': 'crotonaldehyde redutase activity', - 'def': 'Catalysis of the reaction: (cis)-crotonaldehyde + NADPH + H+ <=> butanal + NADP. [EC:1.3.1.-]' - }, - 'GO:0102234': { - 'name': 'but-1-en-3-one reductase activity', - 'def': 'Catalysis of the reaction: buten-2-one + NADPH + H+ <=> butan-2-one + NADP [EC:1.3.1.-]' - }, - 'GO:0102235': { - 'name': '1-penten-3-one reductase activity', - 'def': 'Catalysis of the reaction: 1-penten-3-one + NADPH + H+ <=> 1-pentan-3-one + NADP [EC:1.3.1.-]' - }, - 'GO:0102236': { - 'name': 'trans-4-hexen-3-one reductase activity', - 'def': 'Catalysis of the reaction: trans-4-hexen-3-one + NADPH + H+ <=> hexan-3-one + NADP [EC:1.3.1.-]' - }, - 'GO:0102240': { - 'name': 'soyasapogenol B glucuronide galactosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-D-galactose + soyasapogenol B 3-O-beta-glucuronate <=> H+ + UDP + soyasaponin III [EC:2.4.1.272]' - }, - 'GO:0102241': { - 'name': 'soyasaponin III rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-L-rhamnose + soyasaponin III <=> H+ + UDP + soyasaponin I [EC:2.4.1.273]' - }, - 'GO:0102244': { - 'name': '3-aminopropanal dehydrogenase activity', - 'def': 'Catalysis of the reaction: 3-ammoniopropanal + NAD + H2O <=> 2 H+ + beta-alanine + NADH [EC:1.2.1.-]' - }, - 'GO:0102245': { - 'name': 'lupan-3beta,20-diol synthase activity', - 'def': 'Catalysis of the reaction: lupan-3beta,20-diol <=> (S)-2,3-epoxysqualene + H2O [EC:4.2.1.128]' - }, - 'GO:0102246': { - 'name': '6-amino-6-deoxyfutalosine hydrolase activity', - 'def': 'Catalysis of the reaction: aminodeoxyfutalosinate + H2O <=> dehypoxanthine futalosine + adenine. [EC:3.2.2.30]' - }, - 'GO:0102251': { - 'name': "all-trans-beta-apo-10'-carotenal cleavage oxygenase activity", - 'def': "Catalysis of the reaction: 10'-apo-beta-carotenal + O2 <=> 13-apo-beta-carotenone + 4-methylocta-2,4,6-trienedial [EC:1.13.11.70]" - }, - 'GO:0102253': { - 'name': 'neoagarobiose 1,3-alpha-3,6-anhydro-L-galactosidase activity', - 'def': 'Catalysis of the reaction: neoagarobiose + H2O <=> 3,6-anhydro-alpha-L-galactopyranose + beta-D-galactoside. [EC:3.2.1.159]' - }, - 'GO:0102254': { - 'name': 'neoagarotetraose 1,3-alpha-3,6-anhydro-L-galactosidase activity', - 'def': 'Catalysis of the reaction: neoagarotetraose + H2O <=> 3,6-anhydro-alpha-L-galactopyranose + agarotriose. [EC:3.2.1.159]' - }, - 'GO:0102255': { - 'name': 'neo-lambda-carrahexaose hydrolase activity', - 'def': 'Catalysis of the reaction: neo-lambda-carrahexaose + H2O <=> neo-lambda-carratetraose + neo-lambda-carrabiose [EC:3.2.1.162]' - }, - 'GO:0102256': { - 'name': 'neoagarohexaose 1,3-alpha-3,6-anhydro-L-galactosidase activity', - 'def': 'Catalysis of the reaction: neoagarohexaose + H2O <=> 3,6-anhydro-alpha-L-galactopyranose + agaropentaose. [EC:3.2.1.159]' - }, - 'GO:0102260': { - 'name': 'germacrene A alcohol dehydrogenase activity', - 'def': 'Catalysis of the reaction: germacra-1(10),4,11(13)-trien-12-ol + 2 NADP + H2O <=> germacra-1(10),4,11(13)-trien-12-oate + 2 NADPH + 3 H+ [EC:1.1.1.314]' - }, - 'GO:0102261': { - 'name': '8-hydroxy-5-deazaflavin:NADPH oxidoreductase activity', - 'def': 'Catalysis of the reaction: NADP + a reduced coenzyme F420 <=> NADPH + H+ + an oxidized coenzyme F420 [EC:1.5.1.40]' - }, - 'GO:0102262': { - 'name': 'tRNA-dihydrouridine16 synthase activity', - 'def': 'Catalysis of the reaction: a 5,6-dihydrouracil16 in tRNA + NAD(P) <=> H+ + a uracil16 in tRNA + NAD(P)H [EC:1.3.1.88]' - }, - 'GO:0102263': { - 'name': 'tRNA-dihydrouridine17 synthase activity', - 'def': 'Catalysis of the reaction: a 5,6-dihydrouracil17 in tRNA + NAD(P) <=> H+ + a uracil17 in tRNA + NAD(P)H [EC:1.3.1.88]' - }, - 'GO:0102264': { - 'name': 'tRNA-dihydrouridine20 synthase activity', - 'def': 'Catalysis of the reaction: a 5,6-dihydrouracil20 in tRNA + NAD(P) <=> H+ + a uracil20 in tRNA + NAD(P)H [EC:1.3.1.91]' - }, - 'GO:0102265': { - 'name': 'tRNA-dihydrouridine47 synthase activity', - 'def': 'Catalysis of the reaction: a 5,6-dihydrouracil47 in tRNA + NAD(P) <=> H+ + a uracil47 in tRNA + NAD(P)H [EC:1.3.1.89]' - }, - 'GO:0102266': { - 'name': 'tRNA-dihydrouridine20a synthase activity', - 'def': 'Catalysis of the reaction: a 5,6-dihydrouracil20a in tRNA + NAD(P) <=> H+ + a uracil20a in tRNA + NAD(P)H [EC:1.3.1.90]' - }, - 'GO:0102267': { - 'name': 'tRNA-dihydrouridine20b synthase activity', - 'def': 'Catalysis of the reaction: a 5,6-dihydrouracil20b in tRNA + NAD(P) <=> H+ + a uracil20b in tRNA + NAD(P)H [EC:1.3.1.90]' - }, - 'GO:0102273': { - 'name': 'homophytochelatin synthase activity', - 'def': 'Catalysis of the reaction: glutathionate + L-gamma-glutamyl-L-cysteinyl-beta-alaninate <=> gamma-Glu-Cys-gamma-Glu-Cys-beta-Ala + glycine [EC:2.3.2.-]' - }, - 'GO:0102274': { - 'name': 'glutathione S-conjugate carboxypeptidase activity', - 'def': 'Catalysis of the reaction: H2O + a glutathione-toxin conjugate <=> glycine + a [Glu-Cys]-S-conjugate [EC:3.4.17.-]' - }, - 'GO:0102275': { - 'name': 'cysteine-S-conjugate N-malonyl transferase activity', - 'def': 'Catalysis of the reaction: malonyl-CoA(5-) + an L-cysteine-S-conjugate <=> coenzyme A + H+ + an N-malonyl-L-cysteine-S-conjugate [EC:2.3.1.-]' - }, - 'GO:0102276': { - 'name': '2-oxoglutarate oxygenase/decarboxylase (ethylene-forming) activity', - 'def': 'Catalysis of the reaction: 2-oxoglutarate(2-) + O2 + 2 H+ <=> ethene + 3 carbon dioxide + H2O [EC:1.13.12.19]' - }, - 'GO:0102278': { - 'name': "N,N'-diacetylchitobiose synthase activity", - 'def': "Catalysis of the reaction: n H2O + chitin <=> N,N'-diacetylchitobiose [EC:3.2.1.-]" - }, - 'GO:0102279': { - 'name': 'lecithin:11-cis retinol acyltransferase activity', - 'def': 'Catalysis of the reaction: an 11-cis retinol-[cellular-retinol-binding-protein] + a phosphatidylcholine <=> a cellular-retinol-binding protein + an 11-cis-retinyl ester + a 1-lysophosphatidylcholine [EC:2.3.1.135]' - }, - 'GO:0102281': { - 'name': 'formylaminopyrimidine deformylase activity', - 'def': 'Catalysis of the reaction: formylaminopyrimidine + H2O <=> 4-amino-5-ammoniomethyl-2-methylpyrimidine + formate [EC:3.5.1.-]' - }, - 'GO:0102282': { - 'name': '3-ketodihydrosphinganine (C18) reductase activity', - 'def': 'Catalysis of the reaction: NAD(1-) + a sphinganine <=> 3-dehydrosphinganinium(1+) + NADH + H+ [EC:1.1.1.-]' - }, - 'GO:0102283': { - 'name': '3-ketodihydrosphinganine (C20) reductase activity', - 'def': 'Catalysis of the reaction: C20 sphinganine(1+) + NADP <=> C20 3-dehydrosphinganine(1+) + NADPH + H+ [EC:1.1.1.102]' - }, - 'GO:0102284': { - 'name': 'L-threo-sphinganine reductase activity', - 'def': 'Catalysis of the reaction: L-threo-sphinganine + NADP <=> H+ + NADPH + 3-dehydrosphinganinium(1+) [EC:1.1.1.102]' - }, - 'GO:0102287': { - 'name': '4-coumaroylhexanoylmethane synthase activity', - 'def': 'Catalysis of the reaction: 4-coumaryl-CoA + 3-oxooctanoyl-CoA + H2O <=> 4-coumaroylhexanoylmethane + 2 coenzyme A + carbon dioxide. [EC:2.3.1.-]' - }, - 'GO:0102289': { - 'name': 'beta-amyrin 11-oxidase activity', - 'def': 'Catalysis of the reaction: beta-amyrin + 2 O2 + 2 NADPH + 2 H+ <=> 11-oxo-beta-amyrin + 3 H2O + 2 NADP. [EC:1.14.13.134]' - }, - 'GO:0102290': { - 'name': 'beta-amyrin monooxygenase activity', - 'def': 'Catalysis of the reaction: beta-amyrin + O2 + NADPH + H+ <=> 11alpha-hydroxy-beta-amyrin + H2O + NADP [EC:1.14.13.134]' - }, - 'GO:0102292': { - 'name': '30-hydroxy-beta-amyrin 11-hydroxylase activity', - 'def': 'Catalysis of the reaction: 30-hydroxy-beta-amyrin + O2 + NADPH + H+ <=> 11alpha,30-dihydroxy-beta-amyrin + H2O + NADP. [EC:1.14.13.-]' - }, - 'GO:0102293': { - 'name': 'pheophytinase b activity', - 'def': 'Catalysis of the reaction: pheophytin b + H2O <=> H+ + pheophorbide b + phytol. [EC:3.1.1.14]' - }, - 'GO:0102295': { - 'name': "4-methylumbelliferyl glucoside 6'-O-malonyltransferase activity", - 'def': "Catalysis of the reaction: 4-methylumbelliferyl glucoside + malonyl-CoA <=> 4-methylumbelliferone 6'-O-malonylglucoside + coenzyme A. [EC:2.3.1.-]" - }, - 'GO:0102296': { - 'name': '4,5-9,10-diseco-3-hydroxy-5,9,17-trioxoandrosta-1(10),2-diene-4-oate hydrolase activity', - 'def': 'Catalysis of the reaction: (1E,2Z)-3-hydroxy-5,9,17-trioxo-4,5:9,10-disecoandrosta-1(10),2-dien-4-oate + H2O <=> 9,17-dioxo-1,2,3,4,10,19-hexanorandrostan-5-oate + (2Z,4Z)-2-hydroxyhexa-2,4-dienoate + H+. [EC:3.7.1.17]' - }, - 'GO:0102297': { - 'name': 'selenate adenylyltransferase activity', - 'def': 'Catalysis of the reaction: selenic acid + ATP + 2 H+ <=> adenylyl selenate + diphosphoric acid [EC:2.7.7.4]' - }, - 'GO:0102299': { - 'name': 'linolenate 9R-lipoxygenase activity', - 'def': 'Catalysis of the reaction: alpha-linolenate + O2 <=> (9R,10E,12Z,15Z)-9-hydroperoxyoctadeca-10,12,15-trienoate [EC:1.13.11.61]' - }, - 'GO:0102302': { - 'name': "mycinamicin VI 2''-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + mycinamicin VI <=> S-adenosyl-L-homocysteine + mycinamicin III(1+) + H+. [EC:2.1.1.238]' - }, - 'GO:0102304': { - 'name': 'sesquithujene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate(3-) <=> 7-epi-sesquithujene + diphosphoric acid. [EC:4.2.3.102]' - }, - 'GO:0102306': { - 'name': 'benzil reductase [(S)-benzoin-forming] activity', - 'def': 'Catalysis of the reaction: (S)-benzoin + NADP(3-) <=> benzil + NADPH(4-) + H+ [EC:1.1.1.320]' - }, - 'GO:0102307': { - 'name': "erythromycin C 3''-o-methyltransferase activity", - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + erythromycin C <=> S-adenosyl-L-homocysteine + erythromycin A + H+ [EC:2.1.1.254]' - }, - 'GO:0102308': { - 'name': "erythromycin D 3''-o-methyltransferase activity", - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + erythromycin D <=> S-adenosyl-L-homocysteine + erythromycin B + H+ [EC:2.1.1.254]' - }, - 'GO:0102309': { - 'name': 'dTDP-4-oxo-2,6-dideoxy-D-glucose 4-ketoreductase (dTDP-D-oliose producing) activity', - 'def': 'Catalysis of the reaction: dTDP-D-oliose + NADP <=> dTDP-4-dehydro-2,6-dideoxy-D-glucose + NADPH + H+ [EC:1.1.1.-]' - }, - 'GO:0102310': { - 'name': 'dTDP-(2R,6S)-6-hydroxy-2-methyl-3-oxo-3,6-dihydro-2H-pyran-4-olate 3-ketoreductase (dTDP-4-dehydro-2,6-dideoxy-alpha-D-allose-forming) activity', - 'def': 'Catalysis of the reaction: dTDP-4-dehydro-2,6-dideoxy-alpha-D-allose + NAD(P) <=> dTDP-(2R,6S)-6-hydroxy-2-methyl-3-oxo-3,6-dihydro-2H-pyran-4-olate + 2 H+ + NAD(P)H [EC:1.17.1.-]' - }, - 'GO:0102312': { - 'name': "4-coumaroyl 2'-hydroxylase activity", - 'def': 'Catalysis of the reaction: 4-coumaryl-CoA + 2-oxoglutarate + O2 <=> 2,4-dihydroxycinnamoyl-CoA + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102313': { - 'name': '1,8-cineole synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate(3-) + H2O <=> 1,8-cineole + diphosphoric acid [EC:4.2.3.108]' - }, - 'GO:0102315': { - 'name': 'lipoatemdashprotein ligase activity', - 'def': 'Catalysis of the reaction: lipoyl-AMP + [glycine cleavage system lipoyl-carrier protein]-L-lysine <=> AMP + 2 H+ + a [glycine-cleavage complex H protein] N6-lipoyl-L-lysine [EC:2.7.7.63]' - }, - 'GO:0102318': { - 'name': '2-deoxystreptamine glucosyltransferase activity', - 'def': "Catalysis of the reaction: 2-deoxystreptamine + UDP-alpha-D-glucose <=> 2'-deamino-2'-hydroxyparomamine + UDP(3-) + H+ [EC:2.4.1.284]" - }, - 'GO:0102319': { - 'name': '2-deoxystreptamine N-acetyl-D-glucosaminyltransferase activity', - 'def': "Catalysis of the reaction: 2-deoxystreptamine(2+) + UDP-N-acetyl-alpha-D-glucosamine <=> H+ + 2'-N-acetylparomamine(2+) + UDP(3-) [EC:2.4.1.283]" - }, - 'GO:0102320': { - 'name': '1,8-cineole 2-exo-monooxygenase activity', - 'def': 'Catalysis of the reaction: 1,8-cineole + NADPH + H+ + O2 <=> 2-exo-hydroxy-1,8-cineole + NADP + H2O [EC:1.14.13.157]' - }, - 'GO:0102321': { - 'name': "2,2'-hydroxybiphenyl monooxygenase activity", - 'def': "Catalysis of the reaction: biphenyl-2,2'-diol + O2 + NADH + H+ <=> biphenyl-2,2',3-triol + H2O + NAD [EC:1.14.13.44]" - }, - 'GO:0102325': { - 'name': "2,2',3-trihydroxybiphenyl monooxygenase activity", - 'def': "Catalysis of the reaction: biphenyl-2,2',3-triol + O2 + NADH + H+ <=> 2,2',3,3'-tetrahydroxybiphenyl + NAD + H2O [EC:1.14.13.-]" - }, - 'GO:0102326': { - 'name': '2-hydroxy-6-oxo-6-(2,3-dihydroxyphenyl)-hexa-2,4-dienoate hydrolase activity', - 'def': 'Catalysis of the reaction: 2-hydroxy-6-oxo-6-(2,3-dihydroxyphenyl)-hexa-2,4-dienoate + H2O <=> 2,3-dihydroxybenzoate + 2-oxopent-4-enoate + H+ [EC:3.7.1.8]' - }, - 'GO:0102329': { - 'name': 'hentriaconta-3,6,9,12,19,22,25,28-octaene-16-one-15-oyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: 16-hydroxy-hentriaconta-3,6,9,12,19,22,25,28-octaene-15-oyl-CoA + NADP <=> hentriaconta-3,6,9,12,19,22,25,28-octaene-16-one-15-oyl-CoA + NADPH + H+. [EC:1.1.1.-]' - }, - 'GO:0102334': { - 'name': "N,N'-diacetylbacilliosaminyl-1-phosphate transferase activity", - 'def': "Catalysis of the reaction: ditrans,polycis-undecaprenyl phosphate + UDP-N,N'-diacetylbacillosamine <=> N,N'-diacetyl-alpha-D-bacillosaminyl-diphospho-tri-trans,hepta-cis-undecaprenol + UMP. [EC:2.7.8.36]" - }, - 'GO:0102335': { - 'name': "N,N'-diacetylbacillosaminyl-diphospho-undecaprenol alpha-1,3-N-acetylgalactosaminyltransferase activity", - 'def': "Catalysis of the reaction: N,N'-diacetyl-alpha-D-bacillosaminyl-diphospho-tri-trans,hepta-cis-undecaprenol + UDP-N-acetyl-D-galactosamine <=> N-acetyl-D-galactosaminyl-alpha-(1->3)-N,N'-diacetyl-alpha-D-bacillosaminyl-diphospho-tri-trans,hepta-cis-undecaprenol + UDP + H+. [EC:2.4.1.290]" - }, - 'GO:0102336': { - 'name': '3-oxo-arachidoyl-CoA synthase activity', - 'def': 'Catalysis of the reaction: stearoyl-CoA(4-) + malonyl-CoA(5-) + H+ <=> 3-oxoicosanoyl-CoA. + carbon dioxide + coenzyme A. [EC:2.3.1.199]' - }, - 'GO:0102337': { - 'name': '3-oxo-cerotoyl-CoA synthase activity', - 'def': 'Catalysis of the reaction: tetracosanoyl-CoA(4-) + malonyl-CoA(5-) + H+ <=> 3-oxohexacosanoyl-CoA + carbon dioxide + coenzyme A. [EC:2.3.1.199]' - }, - 'GO:0102338': { - 'name': '3-oxo-lignoceronyl-CoA synthase activity', - 'def': 'Catalysis of the reaction: behenoyl-CoA(4-) + malonyl-CoA(5-) + H+ <=> 3-oxotetracosanoyl-CoA. + carbon dioxide + coenzyme A. [EC:2.3.1.199]' - }, - 'GO:0102339': { - 'name': '3-oxo-arachidoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxyicosanoyl-CoA(4-) + NADP(3-) <=> 3-oxoicosanoyl-CoA + NADPH + H+. [EC:1.1.1.330]' - }, - 'GO:0102340': { - 'name': '3-oxo-behenoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxybehenoyl-CoA(4-) + NADP(3-) <=> 3-oxodocosanoyl-CoA + NADPH + H+. [EC:1.1.1.330]' - }, - 'GO:0102341': { - 'name': '3-oxo-lignoceroyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxylignoceroyl-CoA + NADP <=> 3-oxotetracosanoyl-CoA + NADPH + H+. [EC:1.1.1.330]' - }, - 'GO:0102342': { - 'name': '3-oxo-cerotoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxycerotoyl-CoA + NADP <=> 3-oxohexacosanoyl-CoA + NADPH + H+ [EC:1.1.1.330]' - }, - 'GO:0102344': { - 'name': '3-hydroxy-behenoyl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxybehenoyl-CoA <=> trans-2-docosenoyl-CoA + H2O. [EC:4.2.1.134]' - }, - 'GO:0102345': { - 'name': '3-hydroxy-lignoceroyl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxylignoceroyl-CoA(4-) <=> trans-2-tetracosenoyl-CoA + H2O. [EC:4.2.1.134]' - }, - 'GO:0102346': { - 'name': '3-hydroxy-cerotoyl-CoA dehydratase activity', - 'def': 'Catalysis of the reaction: (R)-3-hydroxycerotoyl-CoA(4-) <=> trans-2-hexacosenoyl-CoA(4-) + H2O [EC:4.2.1.134]' - }, - 'GO:0102347': { - 'name': 'trans-arachidon-2-enoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: icosanoyl-CoA(4-) + NADP(3-) <=> trans-2-icosenoyl-CoA(4-) + NADPH(4-) + H+ [EC:1.3.1.93]' - }, - 'GO:0102348': { - 'name': 'trans-docosan-2-enoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: behenoyl-CoA + NADP <=> trans-2-docosenoyl-CoA + NADPH + H+ [EC:1.3.1.93]' - }, - 'GO:0102349': { - 'name': 'trans-lignocero-2-enoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: tetracosanoyl-CoA + NADP <=> trans-2-tetracosenoyl-CoA + NADPH + H+ [EC:1.3.1.93]' - }, - 'GO:0102350': { - 'name': 'trans-cerot-2-enoyl-CoA reductase activity', - 'def': 'Catalysis of the reaction: hexacosanoyl-CoA(4-) + NADP(3-) <=> trans-2-hexacosenoyl-CoA + NADPH + H+ [EC:1.3.1.93]' - }, - 'GO:0102353': { - 'name': 'multiradiene synthase activity', - 'def': 'Catalysis of the reaction: 5alpha,9alpha,10beta-labda-8(20),13-dien-15-yl diphosphate <=> miltiradiene + diphosphoric acid [EC:4.2.3.131]' - }, - 'GO:0102355': { - 'name': '2-oxo-3-(5-oxofuran-2-ylidene)propanoate lactonase activity', - 'def': 'Catalysis of the reaction: 2-oxo-3-(5-oxofuran-2-ylidene)propanoate + H2O <=> 3-maleylpyruvate + H+ [EC:3.1.1.91]' - }, - 'GO:0102356': { - 'name': 'isoitalicene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate(3-) <=> diphosphoric acid + (+)-isoitalicene [EC:4.2.3.-]' - }, - 'GO:0102357': { - 'name': 'mithramycin dehydrogenase activity', - 'def': 'Catalysis of the reaction: mithramycin + NADP <=> mithramycin DK + NADPH + H+ [EC:1.1.1.-]' - }, - 'GO:0102358': { - 'name': 'daphnetin-8-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 7,8-dihydroxycoumarin <=> S-adenosyl-L-homocysteine + 7-hydroxy-8-methoxycoumarin + H+ [EC:2.1.1.-]' - }, - 'GO:0102359': { - 'name': 'daphnetin 4-O-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 7,8-dihydroxycoumarin <=> UDP + 4-O- beta -D-glucosyl-daphnetin + H+ [EC:2.4.1.126]' - }, - 'GO:0102360': { - 'name': 'daphnetin 3-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose(2-) + 7,8-dihydroxycoumarin <=> UDP(3-) + 3-O-beta-D-glucosyl-daphnetin + H+ [EC:2.4.1.91]' - }, - 'GO:0102361': { - 'name': 'esculetin 4-O-beta-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: esculetin + UDP-alpha-D-glucose <=> 4-O-beta-D-glucosyl-esculetin + UDP + H+ [EC:2.4.1.126]' - }, - 'GO:0102362': { - 'name': 'esculetin 3-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: esculetin + UDP-alpha-D-glucose <=> 3-O-beta-D-glucosyl-esculetin + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102363': { - 'name': 'isoscopoletin-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: isoscopoletin + S-adenosyl-L-methionine <=> scoparone + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]' - }, - 'GO:0102368': { - 'name': 'beta-amyrin 30-monooxygenase activity', - 'def': 'Catalysis of the reaction: beta-amyrin + NADPH + H+ + O2 <=> 30-hydroxy-beta-amyrin + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102369': { - 'name': '11alpha-30-dihydroxy beta-amyrin dehydrogenase activity', - 'def': 'Catalysis of the reaction: 11alpha,30-dihydroxy-beta-amyrin + NADPH + O2 + H+ <=> 30-hydroxy-11-oxo-beta-amyrin + NADP + 2 H2O [EC:1.14.-.-]' - }, - 'GO:0102370': { - 'name': 'lupeol 28-monooxygenase activity', - 'def': 'Catalysis of the reaction: lupeol + NADPH(4-) + O2 + H+ <=> betulin + NADP(3-) + H2O [EC:1.14.13.-]' - }, - 'GO:0102371': { - 'name': 'betulin dehydrogenase activity', - 'def': 'Catalysis of the reaction: betulin + NADPH(4-) + H+ + O2 <=> betulinic aldehyde + NADP(3-) + 2 H2O [EC:1.14.-.-]' - }, - 'GO:0102372': { - 'name': 'alpha-amyrin 28-monooxygenase activity', - 'def': 'Catalysis of the reaction: alpha-amyrin + NADPH(4-) + O2 + H+ <=> uvaol + NADP(3-) + H2O [EC:1.14.13.-]' - }, - 'GO:0102373': { - 'name': 'uvaol dehydrogenase activity', - 'def': 'Catalysis of the reaction: uvaol + NADPH + O2 + H+ <=> ursolic aldehyde + NADP + 2 H2O [EC:1.14.-.-]' - }, - 'GO:0102374': { - 'name': 'ursolic aldehyde 28-monooxygenase activity', - 'def': 'Catalysis of the reaction: ursolic aldehyde + NADPH + O2 + H+ <=> ursolic acid + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102375': { - 'name': '11-oxo-beta-amyrin 30-oxidase activity', - 'def': 'Catalysis of the reaction: 11-oxo-beta-amyrin + 3 NADPH + 3 O2 + 2 H+ <=> glycyrrhetinic acid + 3 NADP + 4 H2O [EC:1.14.13.173]' - }, - 'GO:0102376': { - 'name': 'lupeol 28-oxidase activity', - 'def': 'Catalysis of the reaction: lupeol + 3 NADPH + 3 O2 + 3 H+ <=> betulinic acid + 3 NADP + 4 H2O [EC:1.14.13.-]' - }, - 'GO:0102382': { - 'name': 'rebaudioside B glucosyltransferase activity', - 'def': 'Catalysis of the reaction: rebaudioside B + UDP-alpha-D-glucose <=> rebaudioside A + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102383': { - 'name': 'steviol glucosyltransferase activity', - 'def': 'Catalysis of the reaction: steviol + UDP-alpha-D-glucose <=> 19-O-beta-glucopyranosyl-steviol + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102384': { - 'name': '19-O-beta-glucopyranosyl-steviol glucosyltransferase activity', - 'def': 'Catalysis of the reaction: 19-O-beta-glucopyranosyl-steviol + UDP-alpha-D-glucose <=> rubusoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102385': { - 'name': 'patchoulol synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate(3-) <=> seychellene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102388': { - 'name': "UDP-N,N'-diacetylbacillosamine 2-epimerase activity", - 'def': "Catalysis of the reaction: UDP-N,N'-diacetylbacillosamine + H2O <=> 2,4-diacetamido-2,4,6-trideoxy-alpha-D-mannopyranose + UDP + H+ [EC:3.2.1.184]" - }, - 'GO:0102390': { - 'name': 'mycophenolic acid acyl-glucuronide esterase activity', - 'def': 'Catalysis of the reaction: mycophenolic acid O-acyl-glucuronide(1-) + H2O <=> mycophenolate + H+ + D-glucopyranuronate [EC:3.1.1.93]' - }, - 'GO:0102391': { - 'name': 'decanoate--CoA ligase activity', - 'def': 'Catalysis of the reaction: decanoate + ATP(4-) + coenzyme A(4-) <=> decanoyl-CoA(4-) + AMP(2-) + diphosphoric acid [EC:6.2.1.3]' - }, - 'GO:0102392': { - 'name': 'decanoate-[HmqF protein] ligase activity', - 'def': 'Catalysis of the reaction: decanoate + ATP(4-) + an HmqF protein <=> AMP(2-) + diphosphoric acid + a decanoyl-HmqF protein [EC:6.2.1.-]' - }, - 'GO:0102393': { - 'name': 'decanoyl-[acp] 2-dehydrogenase activity', - 'def': 'Catalysis of the reaction: FAD + H+ + a decanoyl-HmqF protein <=> FADH2(2-) + a 2,3-dehydro-decanoyl-HmqF [EC:1.3.8.-]' - }, - 'GO:0102394': { - 'name': '4-hydroxy-L-isoleucine dehydrogenase activity', - 'def': 'Catalysis of the reaction: (2S,3R,4S)-4-hydroxy-L-isoleucine + NAD <=> (2S,3R)-2-amino-3-methyl-4-ketopentanoate + NADH + H+ [EC:1.1.1.-]' - }, - 'GO:0102395': { - 'name': "9-cis-beta-carotene 9',10'-cleavage oxygenase activity", - 'def': "Catalysis of the reaction: 9-cis-beta-carotene + O2 <=> 9-cis-10'-apo-beta-carotenal + beta-ionone [EC:1.13.11.68]" - }, - 'GO:0102396': { - 'name': "9-cis-10'-apo-beta-carotenal cleavage oxygenase activity", - 'def': "Catalysis of the reaction: 9-cis-10'-apo-beta-carotenal + 2 O2 <=> carlactone + (2E,4E,6E)-7-hydroxy-4-methylhepta-2,4,6-trienal [EC:1.13.11.69]" - }, - 'GO:0102398': { - 'name': 'dTDP-3-amino-4-oxo-2,3,6-trideoxy-alpha-D-glucose N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + dTDP-3-amino-4-dehydro-2,3,6-trideoxy-alpha-D-glucose <=> S-adenosyl-L-homocysteine + dTDP-3-N-methylamino-4-oxo-2,3,6-trideoxy-alpha-D-glucose + H+ [EC:2.1.1.-]' - }, - 'GO:0102399': { - 'name': 'dTDP-3-N-methylamino-4-oxo-2,3,6-trideoxy-alpha-D-glucose N-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + dTDP-3-N-methylamino-4-oxo-2,3,6-trideoxy-alpha-D-glucose <=> S-adenosyl-L-homocysteine + dTDP-3-N,N-dimethylamino-4-oxo-2,3,6-trideoxy-alpha-D-glucose + H+ [EC:2.1.1.-]' - }, - 'GO:0102400': { - 'name': 'dTDP-3-amino-4-oxo-2,3,6-trideoxy-alpha-D-glucose N,N-dimethyltransferase activity', - 'def': 'Catalysis of the reaction: 2 S-adenosyl-L-methionine + dTDP-3-amino-4-dehydro-2,3,6-trideoxy-alpha-D-glucose <=> 2 S-adenosyl-L-homocysteine + dTDP-3-N,N-dimethylamino-4-oxo-2,3,6-trideoxy-alpha-D-glucose + 2 H+ [EC:2.1.1.-]' - }, - 'GO:0102404': { - 'name': 'linalyl 6-O-alpha-L-arabinopyranosyl-beta-D-glucopyranoside glucosidase (Yabukita) activity', - 'def': 'Catalysis of the reaction: linalyl 6-O-alpha-L-arabinopyranosyl- beta-D-glucopyranoside + H2O <=> vicianose + linalool [EC:3.2.1.149]' - }, - 'GO:0102405': { - 'name': "(+)-taxifolin 5'-hydroxylase activity", - 'def': 'Catalysis of the reaction: (+)-taxifolin(1-) + O2 + NADPH(4-) + H+ <=> (+)-dihydromyricetin + NADP(3-) + H2O [EC:1.14.13.-]' - }, - 'GO:0102406': { - 'name': 'omega-hydroxypalmitate O-sinapoyl transferase activity', - 'def': 'Catalysis of the reaction: sinapoyl-CoA + 16-hydroxypalmitate <=> coenzyme A + 16-sinapoyloxypalmitate [EC:2.3.1.188]' - }, - 'GO:0102407': { - 'name': 'sn-2-glycerol-3-phosphate C22:0-DCA-CoA acyl transferase activity', - 'def': 'Catalysis of the reaction: C22:0-DCA-CoA + sn-glycerol 3-phosphate <=> coenzyme A + 2-C22:0-DCA-LPA [EC:2.3.1.198]' - }, - 'GO:0102408': { - 'name': 'sn-2-glycerol-3-phosphate C16:0-DCA-CoA acyl transferase activity', - 'def': 'Catalysis of the reaction: hexadecanedioyl-CoA + sn-glycerol 3-phosphate <=> coenzyme A + sn-2-C16:0-DCA-LPA [EC:2.3.1.198]' - }, - 'GO:0102409': { - 'name': 'sn-2-glycerol-3-phosphate C16:0-CoA acyl transferase activity', - 'def': 'Catalysis of the reaction: behenoyl-CoA + sn-glycerol 3-phosphate(2-) <=> coenzyme A + 2-docosanoyl-glycerol 3-phosphate [EC:2.3.1.198]' - }, - 'GO:0102410': { - 'name': "quercetin-4',3-O-glucosyltransferase activity", - 'def': "Catalysis of the reaction: quercetin 4'-O-glucoside + UDP-alpha-D-glucose(2-) <=> quercetin 3,4'-O-diglucoside + UDP(3-) [EC:2.4.1.-]" - }, - 'GO:0102411': { - 'name': "quercetin-3,4'-O-glucosyltransferase activity", - 'def': "Catalysis of the reaction: quercetin-3-glucoside + UDP-alpha-D-glucose(2-) <=> quercetin 3,4'-O-diglucoside + UDP(3-) [EC:2.4.1.-]" - }, - 'GO:0102412': { - 'name': 'valerena-4,7(11)-diene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate(3-) <=> valerena-4,7(11)-diene + diphosphoric acid [EC:4.2.3.139]' - }, - 'GO:0102413': { - 'name': '6-O-methyl-deacetylisoipecoside beta-glucosidase activity', - 'def': 'Catalysis of the reaction: 6-O-methyl-N-deacetylisoipecoside + H2O <=> 6-O-methyl-N-deacetylisoipecoside aglycon + beta-D-glucose [EC:3.2.1.-]' - }, - 'GO:0102414': { - 'name': 'quercetin-3-O-glucoside 1,6-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: quercetin-3-glucoside + UDP-alpha-D-glucose(2-) <=> quercetin-3-gentiobioside + UDP [EC:2.4.1.-]' - }, - 'GO:0102415': { - 'name': 'quercetin gentiobioside 1,6-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: quercetin-3-gentiobioside + UDP-alpha-D-glucose <=> quercetin-3-gentiotrioside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102416': { - 'name': 'quercetin gentiotrioside 1,6-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: quercetin-3-gentiotrioside + UDP-alpha-D-glucose <=> quercetin-3-gentiotetraside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102417': { - 'name': 'apigenin-7-O-glucoside 1,6-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: apigenin 7-O-beta-D-glucoside + UDP-alpha-D-glucose <=> apigenin-7-O-gentiobioside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102421': { - 'name': "curcumin-4'-O-beta-D-gentiobioside 1,6-glucosyltransferase activity", - 'def': "Catalysis of the reaction: curcumin 4'-O-beta-D-gentiobioside + UDP-alpha-D-glucose <=> curcumin 4'-O-beta-D-gentiotrioside + UDP + H+ [EC:2.4.1.-]" - }, - 'GO:0102422': { - 'name': "curcumin-4'-O-beta-D-gentiotrioside 1,6-glucosyltransferase activity", - 'def': "Catalysis of the reaction: curcumin 4'-O-beta-D-gentiotrioside + UDP-alpha-D-glucose <=> curcumin 4'-O-beta-D-gentiotetraside + UDP + H+ [EC:2.4.1.-]" - }, - 'GO:0102423': { - 'name': '(+)-sesaminol 2-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: (+)-sesaminol + UDP-alpha-D-glucose <=> (+)-sesaminol 2-O-beta-D-glucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102424': { - 'name': 'sesaminol-2-O-gentiobioside 1,6-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: (+)-sesaminol 2-O-beta-D-gentiobioside + UDP-alpha-D-glucose <=> (+)-sesaminol 2-O-beta-D-gentiotrioside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102425': { - 'name': 'myricetin 3-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: myricetin + UDP-alpha-D-glucose <=> myricetin 3-O-beta-D-glucopyranoside + UDP [EC:2.4.1.91]' - }, - 'GO:0102426': { - 'name': 'myricetin-3-O-glucoside 1,6-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: myricetin 3-O-beta-D-glucopyranoside + UDP-alpha-D-glucose <=> myricetin 3-O-gentiobioside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102427': { - 'name': 'allocryptopine 6-hydroxylase activity', - 'def': 'Catalysis of the reaction: allocryptopine + NADPH + O2 + H+ <=> 6-hydroxy-allocryptopine + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102428': { - 'name': 'kaempferol-3-O-glucoside 1,6-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: kaempferol 3-O-glucoside + UDP-alpha-D-glucose <=> kaempferol-3-gentiobioside + UDP [EC:2.4.1.-]' - }, - 'GO:0102429': { - 'name': 'genistein-3-O-glucoside 1,6-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: genistin + UDP-alpha-D-glucose <=> genistin 7-gentiobioside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102432': { - 'name': 'quercetin 7-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: quercetin-7-olate + S-adenosyl-L-methionine <=> rhamnetin + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102435': { - 'name': 'myricetin 7-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: myricetin(1-) + S-adenosyl-L-methionine <=> 7-O-methylmyricetin + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102436': { - 'name': "7-methylmyricetin 4'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: 7-O-methylmyricetin + S-adenosyl-L-methionine <=> 7,4'-dimethylmyricetin + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]" - }, - 'GO:0102437': { - 'name': 'myricetin 3-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: myricetin(1-) + S-adenosyl-L-methionine <=> 3-O-methylmyricetin + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102438': { - 'name': "laricitrin 4'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: laricitrin(1-) + S-adenosyl-L-methionine <=> H+ + 3',4'-dimethylmyricetin + S-adenosyl-L-homocysteine [EC:2.1.1.-]" - }, - 'GO:0102439': { - 'name': "3',4',5'-trimethylmyricetin 7-O-methyltransferase activity", - 'def': "Catalysis of the reaction: 3',4',5'-trimethylmyricetin + S-adenosyl-L-methionine <=> 7,3',4',5'-tetramethylmyricetin + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]" - }, - 'GO:0102440': { - 'name': "3',4',5'-trimethylmyricetin 3-O-methyltransferase activity", - 'def': "Catalysis of the reaction: 3',4',5'-trimethylmyricetin + S-adenosyl-L-methionine <=> 3,3',4',5'-tetramethylmyricetin + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]" - }, - 'GO:0102441': { - 'name': 'syringetin 7-O-methyltransferase activity', - 'def': "Catalysis of the reaction: syringetin(1-) + S-adenosyl-L-methionine <=> 7,3',5'-trimethylmyricetin + S-adenosyl-L-homocysteine [EC:2.1.1.-]" - }, - 'GO:0102442': { - 'name': 'syringetin 3-O-methyltransferase activity', - 'def': "Catalysis of the reaction: syringetin(1-) + S-adenosyl-L-methionine <=> 3,3',5'-trimethylmyricetin + S-adenosyl-L-homocysteine [EC:2.1.1.-]" - }, - 'GO:0102443': { - 'name': 'L-2-hydroxycarboxylate dehydrogenase (NAD+) activity', - 'def': 'Catalysis of the reaction: NAD(1-) + a (2S)-2-hydroxycarboxylate <=> NADH(2-) + H+ + a 2-oxo carboxylate [EC:1.1.1.337]' - }, - 'GO:0102444': { - 'name': 'isorhamnetin 3-O-methyltransferase activity', - 'def': "Catalysis of the reaction: isorhamnetin + S-adenosyl-L-methionine <=> 3,3'-dimethylquercetin + S-adenosyl-L-homocysteine [EC:2.1.1.-]" - }, - 'GO:0102445': { - 'name': "3-methylquercetin 3'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: 3',4',5-trihydroxy-3-methoxyflavon-7-olate + S-adenosyl-L-methionine <=> 3,3'-dimethylquercetin + S-adenosyl-L-homocysteine [EC:2.1.1.-]" - }, - 'GO:0102446': { - 'name': 'rhamnetin 3-O-methyltransferase activity', - 'def': "Catalysis of the reaction: rhamnetin + S-adenosyl-L-methionine <=> 3',4',5-trihydroxy-3,7-dimethoxyflavone + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]" - }, - 'GO:0102447': { - 'name': "rhamnetin 3'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: rhamnetin + S-adenosyl-L-methionine <=> 7,3'-dimethylquercetin + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]" - }, - 'GO:0102448': { - 'name': "rhamnetin 4'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: rhamnetin + S-adenosyl-L-methionine <=> ombuin + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]' - }, - 'GO:0102449': { - 'name': 'kaempferol 3-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: kaempferol oxoanion + S-adenosyl-L-methionine <=> 3-O-methylkaempferol + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102450': { - 'name': 'kaempferide 7-O-methyltransferase activity', - 'def': "Catalysis of the reaction: kaempferide + S-adenosyl-L-methionine <=> 7,4'-dimethylkaempferol + S-adenosyl-L-homocysteine [EC:2.1.1.-]" - }, - 'GO:0102451': { - 'name': 'kaempferide 3-O-methyltransferase activity', - 'def': "Catalysis of the reaction: kaempferide + S-adenosyl-L-methionine <=> 3,4'-dimethylkaempferol + S-adenosyl-L-homocysteine [EC:2.1.1.-]" - }, - 'GO:0102452': { - 'name': 'bisdemethoxycurcumin synthase activity', - 'def': 'Catalysis of the reaction: 2 4-coumaryl-CoA + malonyl-CoA + H2O + H+ <=> 3 coenzyme A + bisdemethoxycurcumin + 2 carbon dioxide [EC:2.3.1.211]' - }, - 'GO:0102456': { - 'name': 'cyanidin 3-O-glucoside 5-O-glucosyltransferase (acyl-glucose dependent) activity', - 'def': 'Catalysis of the reaction: cyanidin 3-O-beta-D-glucoside betaine + 1-O-sinapoyl-beta-D-glucose <=> cyanin betaine + trans-sinapate + H+ [EC:2.4.1.299]' - }, - 'GO:0102457': { - 'name': 'cyanidin 3-O-glucoside 7-O-glucosyltransferase (acyl-glucose dependent) activity', - 'def': 'Catalysis of the reaction: cyanidin 3-O-beta-D-glucoside betaine + 1-O-vanilloyl-beta-D-glucose <=> H+ + cyanidin 3,7-di-O-beta-D-glucoside betaine + vanillate [EC:2.4.1.300]' - }, - 'GO:0102461': { - 'name': 'kaempferol 3-sophoroside 7-O-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: kaempferol 3-O-beta-D-glucosyl-(1->2)-beta-D-glucoside + UDP-L-rhamnose <=> kaempferol 3-O-rhamnosyl(1->2)glucoside-7-O-rhamnoside + UDP [EC:2.4.1.-]' - }, - 'GO:0102462': { - 'name': 'quercetin 3-sophoroside 7-O-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: quercetin 3-O-beta-D-glucosyl-(1->2)-beta-D-glucoside + UDP-L-rhamnose <=> quercetin 3-O-rhamnosyl(1->2)glucoside-7-O-rhamnoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102463': { - 'name': 'quercetin 3-gentiobioside 7-O-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: quercetin-3-gentiobioside + UDP-L-rhamnose <=> quercetin 3-O-gentiobioside-7-O-rhamnoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102464': { - 'name': 'zeaxanthin 2-beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: zeaxanthin + O2 + NADH + H+ <=> caloxanthin + H2O + NAD [EC:1.14.13.-]' - }, - 'GO:0102465': { - 'name': "zeaxanthin 2,2'-beta-hydroxylase activity", - 'def': 'Catalysis of the reaction: zeaxanthin + 2 NADH + 2 H+ + 2 O2 <=> nostoxanthin + 2 NAD + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102467': { - 'name': 'scutellarein 7-O-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucuronate + scutellarein <=> UDP( + scutellarin + H+ [EC:2.4.1.253]' - }, - 'GO:0102468': { - 'name': 'wogonin 7-O-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucuronate + wogonin <=> UDP + wogonin 7-O-beta-D-glucuronate + H+ [EC:2.4.1.253]' - }, - 'GO:0102469': { - 'name': 'naringenin 2-hydroxylase activity', - 'def': 'Catalysis of the reaction: (S)-naringenin + NADPH + O2 <=> 2-hydroxynaringenin + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102470': { - 'name': '6C-naringenin dibenzoylmethane tautomer glucosyltransferase activity', - 'def': "Catalysis of the reaction: 2,4,4',6-tetrahydroxydibenzoylmethane + UDP-alpha-D-glucose <=> 6C-glucosyl-2-hydroxynaringenin + UDP + H+ [EC:2.4.1.-]" - }, - 'GO:0102471': { - 'name': '2-hydroxynaringenin-6C-glucoside dehydratase activity', - 'def': 'Catalysis of the reaction: 6C-glucosyl-2-hydroxynaringenin <=> isovitexin-7-olate + H2O [EC:4.2.1.-]' - }, - 'GO:0102472': { - 'name': 'eriodictyol 2-hydroxylase activity', - 'def': 'Catalysis of the reaction: eriodictyol + NADPH + O2 + 2 H+ <=> 2-hydroxyeriodictyol + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102473': { - 'name': 'eriodictyol dibenzoylmethane tautomer 8C-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: eriodictyol dibenzoylmethane tautomer + UDP-alpha-D-glucose <=> 8C-beta-D-glucosyl-2-hydroxyeriodictyol + UDP(3-) + H+ [EC:2.4.1.-]' - }, - 'GO:0102474': { - 'name': 'eriodictyol dibenzoylmethane tautomer 6C-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: eriodictyol dibenzoylmethane tautomer + UDP-alpha-D-glucose <=> 6C-beta-D-glucosyl-2-hydroxyeriodictyol + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102475': { - 'name': '2-hydroxyeriodictyol 6C-glucoside dehydratase activity', - 'def': 'Catalysis of the reaction: 6C-beta-D-glucosyl-2-hydroxyeriodictyol <=> isoorientin + H2O [EC:4.2.1.-]' - }, - 'GO:0102476': { - 'name': 'pinocembrin 2-hydroxylase activity', - 'def': 'Catalysis of the reaction: pinocembrin + NADPH + O2 + H+ <=> 2,5,7-trihydroxyflavanone + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102477': { - 'name': '2,5,7-trihydroxyflavanone 6C-glucoside dehydratase activity', - 'def': 'Catalysis of the reaction: 6C-glucosyl-2,5,7-trihydroxyflavanone <=> H+ + 6C-hexosyl chrysin + H2O [EC:4.2.1.-]' - }, - 'GO:0102479': { - 'name': 'quercetin 3-O-beta:-D-galactosyltransferase activity', - 'def': 'Catalysis of the reaction: quercetin-7-olate + UDP-D-galactose <=> quercetin 3-O-beta-D-galactopyranoside + UDP(3-) + H+ [EC:2.4.1.234]' - }, - 'GO:0102480': { - 'name': '5-fluorocytosine deaminase activity', - 'def': 'Catalysis of the reaction: H+ + flucytosine + H2O <=> 5-fluorouracil + ammonium [EC:3.5.4.1]' - }, - 'GO:0102481': { - 'name': '3D-(3,5/4)-trihydroxycyclohexane-1,2-dione hydrolase activity', - 'def': 'Catalysis of the reaction: 3D-3,5/4-trihydroxycyclohexane-1,2-dione + H2O <=> 5-deoxy-D-glucuronate + H+ [EC:3.7.1.22]' - }, - 'GO:0102483': { - 'name': 'scopolin beta-glucosidase activity', - 'def': 'Catalysis of the reaction: H2O + scopolin <=> beta-D-glucose + scopoletin [EC:3.2.1.21]' - }, - 'GO:0102484': { - 'name': 'esculetin glucosyltransferase activity', - 'def': 'Catalysis of the reaction: esculetin + UDP-alpha-D-glucose(2-) <=> esculin + UDP(3-) + H+ [EC:2.4.1.-]' - }, - 'GO:0102490': { - 'name': '8-oxo-dGTP phosphohydrolase activity', - 'def': 'Catalysis of the reaction: 8-oxo-dGTP + 2 H2O <=> 8-oxo-dGMP + 2 hydrogenphosphate + 2 H+ [EC:3.6.1.5]' - }, - 'GO:0102493': { - 'name': 'wogonin 7-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: wogonin + UDP-alpha-D-glucose <=> wogonin 7-O-beta-D-glucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102494': { - 'name': 'GA20 2,3-desaturase activity', - 'def': 'Catalysis of the reaction: gibberellin A20 + O2 + a reduced electron acceptor <=> gibberellin A5 + 2 H2O + an oxidized electron acceptor [EC:1.14.11.-]' - }, - 'GO:0102495': { - 'name': 'GA5 3beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: gibberellin A5 + O2 + 2-oxoglutarate <=> gibberellin A3 + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102496': { - 'name': 'GA5 2,3 epoxidase activity', - 'def': 'Catalysis of the reaction: gibberellin A5 + O2 + 2-oxoglutarate <=> gibberellin A6 + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102497': { - 'name': 'scyllo-inositol dehydrogenase (NADP+) activity', - 'def': 'Catalysis of the reaction: scyllo-inositol + NADP <=> 2,4,6/3,5-pentahydroxycyclohexanone + NADPH + H+ [EC:1.1.1.371]' - }, - 'GO:0102504': { - 'name': 'luteolinidin 5-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: luteolinidin + UDP-alpha-D-glucose <=> luteolinidin 5-O-glucoside + UDP + 2 H+ [EC:2.4.1.-]' - }, - 'GO:0102505': { - 'name': 'apigeninidin 5-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: apigeninidin + UDP-alpha-D-glucose <=> apigeninidin 5-O-glucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102508': { - 'name': 'cyanidin 3,7-diglucoside glucosidase activity', - 'def': 'Catalysis of the reaction: cyanidin 3,7-di-O-beta-D-glucoside betaine + H2O <=> cyanidin 3-O-beta-D-glucoside betaine + beta-D-glucose [EC:3.2.1.-]' - }, - 'GO:0102509': { - 'name': 'cyanidin 3,5-diglucoside glucosidase activity', - 'def': 'Catalysis of the reaction: cyanin betaine + H2O <=> cyanidin 3-O-beta-D-glucoside betaine + beta-D-glucose [EC:3.2.1.-]' - }, - 'GO:0102510': { - 'name': 'pelargonidin 3-O-glucoside 5-O-glucosyltransferase (acyl-glucose dependent) activity', - 'def': 'Catalysis of the reaction: pelargonidin 3-O-beta-D-glucoside + 1-O-vanilloyl-beta-D-glucose <=> anthocyanidin 3,5-di-O-beta-D-glucoside + vanillate + H+ [EC:2.4.1.299]' - }, - 'GO:0102511': { - 'name': 'pelargonidin 3-O-glucoside 7-O-glucosyltransferase (acyl-glucose dependent) activity', - 'def': 'Catalysis of the reaction: pelargonidin 3-O-beta-D-glucoside + 1-O-vanilloyl-beta-D-glucose <=> pelargonidin 3,7-di-O-beta-D-glucoside + vanillate + H+ [EC:2.4.1.300]' - }, - 'GO:0102512': { - 'name': 'delphinidin 3-O-glucoside 5-O-glucosyltransferase (acyl-glucose dependent) activity', - 'def': 'Catalysis of the reaction: delphinidin 3-O-beta-D-glucoside + 1-O-vanilloyl-beta-D-glucose <=> delphinidin 3-O-beta-D-glucoside-5-O-beta-D-glucoside betaine + vanillate + H+ [EC:2.4.1.299]' - }, - 'GO:0102522': { - 'name': 'tRNA 4-demethylwyosine alpha-amino-alpha-carboxypropyltransferase activity', - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + 4-demethylwyosine37 in tRNAPhe <=> 5'-S-methyl-5'-thioadenosine + H+ + 7-[(3S)-3-amino-3-carboxypropyl]-4-demethylwyosine37 in tRNAPhe [EC:2.5.1.114]" - }, - 'GO:0102523': { - 'name': '2-chloroacrylate reductase activity', - 'def': 'Catalysis of the reaction: (S)-2-chloropropanoate + NADP <=> 2-chloroacrylate + NADPH + H+ [EC:1.3.1.103]' - }, - 'GO:0102526': { - 'name': '8-demethylnovobiocic acid C8-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 8-desmethylnovobiocic acid <=> S-adenosyl-L-homocysteine + novobiocic acid + H+ [EC:2.1.1.284]' - }, - 'GO:0102527': { - 'name': '8-demethylnovobiocate synthase activity', - 'def': 'Catalysis of the reaction: 3-amino-4,7-dihydroxycoumarin + 3-dimethylallyl-4-hydroxybenzoate + ATP(4-) <=> H+ + 8-desmethylnovobiocic acid(1-) + AMP(2-) + diphosphoric acid [EC:6.3.1.15]' - }, - 'GO:0102528': { - 'name': "7,8,4'-trihydroxyflavone methyltransferase activity", - 'def': "Catalysis of the reaction: S-adenosyl-L-methionine + 7,8,4'-trihydroxyflavone <=> H+ + S-adenosyl-L-homocysteine + 7,4'-dihydroxy, 8-methoxyflavone [EC:2.1.1.-]" - }, - 'GO:0102529': { - 'name': 'apigenin 7-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + apigenin-7-olate <=> S-adenosyl-L-homocysteine + genkwanin [EC:2.1.1.-]' - }, - 'GO:0102530': { - 'name': 'aclacinomycin T methylesterase activity', - 'def': 'Catalysis of the reaction: aclacinomycin T(1+) + H2O <=> 15-demethylaclacinomycin T + methanol + H+ [EC:3.1.1.95]' - }, - 'GO:0102531': { - 'name': 'ecdysteroid-phosphate phosphatase activity', - 'def': 'Catalysis of the reaction: H2O + an ecdysteroid 22-phosphate <=> hydrogenphosphate + an ecdysteroid [EC:3.1.3.-]' - }, - 'GO:0102532': { - 'name': 'genkwanin 6-hydroxylase activity', - 'def': 'Catalysis of the reaction: genkwanin + O2 + NADPH + H+ <=> scutellarein 7-methyl ether + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102533': { - 'name': "genkwanin 4'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: genkwanin + S-adenosyl-L-methionine <=> H+ + apigenin-7,4'-dimethyl ether + S-adenosyl-L-homocysteine [EC:2.1.1.-]" - }, - 'GO:0102534': { - 'name': "apigenin-7,4'-dimethyl ether 6-hydroxylase activity", - 'def': "Catalysis of the reaction: apigenin-7,4'-dimethyl ether + O2 + NADPH + H+ <=> ladanein + H2O + NADP [EC:1.14.13.-]" - }, - 'GO:0102535': { - 'name': 'ladanein 6-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: ladanein + S-adenosyl-L-methionine <=> H+ + salvigenin + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102536': { - 'name': 'sakuranetin 6-hydroxylase activity', - 'def': 'Catalysis of the reaction: sakuranetin + O2 + NADPH + H+ <=> carthamidin-7-methyl ether + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102542': { - 'name': 'aclacinomycin A methylesterase activity', - 'def': 'Catalysis of the reaction: aclacinomycin A + H2O <=> 15-demethoxy-aclacinomycin A + methanol + H+ [EC:3.1.1.95]' - }, - 'GO:0102543': { - 'name': 'epsilon-rhodomycinone methylesterase activity', - 'def': 'Catalysis of the reaction: epsilon-rhodomycinone + H2O <=> 15-demethoxy-epsilon-rhodomycinone + methanol + H+ [EC:3.1.1.95]' - }, - 'GO:0102546': { - 'name': 'mannosylglycerate hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + 2-(alpha-D-mannosyl)-D-glycerate <=> alpha-D-mannose + D-glycerate [EC:3.3.2.-]' - }, - 'GO:0102547': { - 'name': 'glucosylglycerate hydrolase activity', - 'def': 'Catalysis of the reaction: H2O + 2-O-(alpha-D-glucopyranosyl)-D-glycerate <=> alpha-D-glucose + D-glycerate [EC:3.3.2.-]' - }, - 'GO:0102549': { - 'name': '1-18:1-2-16:0-monogalactosyldiacylglycerol lipase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-16:0-monogalactosyldiacylglycerol + H2O <=> sn-1-lyso-2-16:0-monogalactosyldiacylglycerol + oleate + H+ [EC:3.1.1.26]' - }, - 'GO:0102550': { - 'name': '2-methyl-6-geranylgeranyl-1,4-benzoquinol methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + 2-methyl-6-geranylgeranyl-1,4-benzoquinol <=> S-adenosyl-L-homocysteine + 2,3-dimethyl-6-geranylgeranyl-1,4-benzoquinol + H+ [EC:2.1.1.295]' - }, - 'GO:0102551': { - 'name': 'homogentisate geranylgeranyl transferase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans,10-trans-geranylgeranyl diphosphate + homogentisate + H+ <=> diphosphoric acid + 2-methyl-6-geranylgeranyl-1,4-benzoquinol + carbon dioxide [EC:2.5.1.116]' - }, - 'GO:0102556': { - 'name': 'dammarenediol 12-hydroxylase activity', - 'def': 'Catalysis of the reaction: dammarenediol-II + NADPH + H+ + O2 <=> (20S)-protopanaxadiol + NADP + H2O [EC:1.14.13.183]' - }, - 'GO:0102557': { - 'name': 'protopanaxadiol 6-hydroxylase activity', - 'def': 'Catalysis of the reaction: (20S)-protopanaxadiol + O2 + NADPH(4-) + H+ <=> protopanaxatriol + NADP + H2O [EC:1.14.13.184]' - }, - 'GO:0102563': { - 'name': 'aurachin C monooxygenase activity', - 'def': 'Catalysis of the reaction: aurachin C + O2 + H+ + NAD(P)H <=> aurachin C epoxide + H2O + NAD(P) [EC:1.14.13.-]' - }, - 'GO:0102564': { - 'name': 'aurachin C epoxide hydrolase/isomerase activity', - 'def': 'Catalysis of the reaction: aurachin C epoxide + H+ + NAD(P)H <=> aurachin B + H2O + NAD(P) [EC:3.3.2.-]' - }, - 'GO:0102569': { - 'name': 'FR-33289 synthase activity', - 'def': 'Catalysis of the reaction: FR-900098 + 2-oxoglutarate(2-) + O2 <=> FR-33289 + succinate(2-) + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102573': { - 'name': 'aminodeoxyfutalosine synthase activity', - 'def': 'Catalysis of the reaction: 3-[(1-carboxylatovinyl)oxy]benzoate(2-) + S-adenosyl-L-methionine + H2O <=> aminodeoxyfutalosinate + L-methionine + hydrogencarbonate + H+ [EC:2.5.1.120]' - }, - 'GO:0102580': { - 'name': "cyanidin 3-O-glucoside 2-O''-xylosyltransferase activity", - 'def': 'Catalysis of the reaction: cyanidin 3-O-beta-D-glucoside betaine + UDP-alpha-D-xylose <=> cyanidin 3-O-beta-D-sambubioside + UDP [EC:2.4.2.51]' - }, - 'GO:0102581': { - 'name': 'cyanidin 3-O-glucoside-p-coumaroyltransferase activity', - 'def': 'Catalysis of the reaction: cyanidin 3-O-beta-D-glucoside betaine + 4-coumaryl-CoA + H+ <=> cyanidin 3-O-(6-O-(E)-4-coumaroyl-beta-D-glucoside) + coenzyme A [EC:2.3.1.-]' - }, - 'GO:0102582': { - 'name': "cyanidin 3-O-p-coumaroylglucoside 2-O''-xylosyltransferase activity", - 'def': "Catalysis of the reaction: cyanidin 3-O-(6-O-(E)-4-coumaroyl-beta-D-glucoside) + UDP-alpha-D-xylose <=> cyanidin 3-O-[2''-O-xylosyl) 6''-O-(p-coumaroyl) glucoside + UDP + H+. [EC:2.4.2.-]" - }, - 'GO:0102583': { - 'name': "cyanidin 3-O-glucoside-(2''-O-xyloside) 6''-O-acyltransferase activity", - 'def': "Catalysis of the reaction: cyanidin 3-O-beta-D-sambubioside + 4-coumaryl-CoA <=> cyanidin 3-O-[2''-O-xylosyl) 6''-O-(p-coumaroyl) glucoside + coenzyme A. [EC:2.3.1.-]" - }, - 'GO:0102584': { - 'name': "cyanidin 3-O-[2''-O-(xylosyl)-6''-O-(p-coumaroyl) glucoside] 5-O-glucosyltransferase activity 5-O-glucosyltransferase activity", - 'def': "Catalysis of the reaction: cyanidin 3-O-[2''-O-xylosyl) 6''-O-(p-coumaroyl) glucoside + UDP-alpha-D-glucose <=> cyanidin 3-O-[2''-O-(xylosyl)-6''-O-(p-coumaroyl) glucoside] 5-O-glucoside + UDP + H+ [EC:2.4.1-]" - }, - 'GO:0102585': { - 'name': "cyanidin 3-O-[2''-O-(xylosyl)-6''-O-(p-coumaroyl) glucoside] 5-O-glucoside malonyltransferase activity", - 'def': "Catalysis of the reaction: cyanidin 3-O-[2''-O-(xylosyl)-6''-O-(p-coumaroyl) glucoside] 5-O-glucoside + malonyl-CoA + H+ <=> cyanidin 3-O-[2''-O-(xylosyl)-6''-O-(p-coumaroyl) glucoside] 5-O-malonylglucoside + coenzyme A. [EC:2.3.1-]" - }, - 'GO:0102586': { - 'name': "cyanidin 3-O-[2''-O-(2''-O-(sinapoyl) xylosyl) 6''-O-(p-coumaroyl) glucoside] 5-O-[6''-O-(malonyl) glucoside] sinapoyltransferase activity", - 'def': "Catalysis of the reaction: cyanidin 3-O-[2''-O-(xylosyl)-6''-O-(p-coumaroyl) glucoside] 5-O-malonylglucoside + 1-O-sinapoyl-beta-D-glucose <=> cyanidin 3-O-[2''-O-(2''-O-(sinapoyl) xylosyl) 6'-O-(p-coumaroyl) glucoside] 5-O-[6''-O-(malonyl) glucoside + beta-D-glucose. [EC:2.3.1.-]" - }, - 'GO:0102587': { - 'name': "cyanidin 3-O-[2''-O-(2''-O-(sinapoyl) xylosyl) 6''-O-(p-O-(glucosyl)-p-coumaroyl) glucoside] 5-O-[6''-O-(malonyl) glucoside] sinapoylglucose glucosyltransferase activity", - 'def': "Catalysis of the reaction: cyanidin 3-O-[2''-O-(2'''-O-(sinapoyl) xylosyl) 6''-O-(p-coumaroyl) glucoside] 5-O-[6''-O-(malonyl) glucoside + 1-O-sinapoyl-beta-D-glucose <=> cyanidin 3-O-[6-O-(4-O-beta-D-glucosyl-p-coumaroyl)-2-O-(2-O-sinapoyl-beta-D-xylosyl)-beta-D-glucosyl]-5-O-(6-O-malonyl-beta-D-glucoside) + trans-sinapate + H+. [EC:2.4.1.-]" - }, - 'GO:0102588': { - 'name': "cyanidin 3-O-glucoside 6''-O-malonyltransferase activity", - 'def': 'Catalysis of the reaction: cyanidin 3-O-beta-D-glucoside betaine + malonyl-CoA <=> cyanidin 3-O-(6-O-malonyl-beta-D-glucoside) + coenzyme A. [EC:2.3.1.171]' - }, - 'GO:0102589': { - 'name': "cyanidin 3-O-glucoside 3'',6''-O-dimalonyltransferase activity", - 'def': "Catalysis of the reaction: cyanidin 3-O-(6-O-malonyl-beta-D-glucoside) + malonyl-CoA(5-) <=> cyanidin 3-O-(3''', 6''-O-dimalonyl-beta-glucopyranoside) + coenzyme A [EC:2.3.1.-]" - }, - 'GO:0102590': { - 'name': 'delphinidin 3-O-rutinoside 7-O-glucosyltransferase (acyl-glucose dependent) activity', - 'def': 'Catalysis of the reaction: delphinidin 3-O-rutinoside + 1-O-4-hydroxybenzoyl-beta-D-glucose <=> delphinidin 3-O-rutinoside-7-O-glucoside + 4-hydroxybenzoic acid + H+ [EC:2.4.1.-]' - }, - 'GO:0102591': { - 'name': 'delphinidin 7-O-glucoside acyltransferase (acyl-glucose dependent) activity', - 'def': 'Catalysis of the reaction: delphinidin 3-O-rutinoside-7-O-glucoside + 1-O-4-hydroxybenzoyl-beta-D-glucose <=> delphinidin 3-O-rutinoside-7-O-(6-O-(p-hydroxybenzoyl)-glucoside) + beta-D-glucose [EC:2.3.1.-]' - }, - 'GO:0102592': { - 'name': 'delphinidin 7-O-(6-O-(4-O-(glucosyl)-oxybenzoyl)-glucoside) acyltransferase (acyl-glucose dependent activity', - 'def': 'Catalysis of the reaction: delphinidin 3-O-rutinoside-7-O-(6-O-(4-O-(glucosyl)-oxybenzoyl)-glucoside) + 1-O-4-hydroxybenzoyl-beta-D-glucose <=> violdelphin + beta-D-glucose [EC:2.3.1.-]' - }, - 'GO:0102596': { - 'name': 'cytochrome P450 dependent ent-sandaracopimaradiene 3-hydroxylase activity', - 'def': 'Catalysis of the reaction: ent-sandaracopimara-8(14),15-diene + NADPH + H+ + O2 <=> ent-sandaracopimaradien-3beta-ol + NADP + H2O [EC:1.14.13.191]' - }, - 'GO:0102597': { - 'name': '3alpha-hydroxy-ent-sandaracopimardiene 9-beta-monooxygenase activity', - 'def': 'Catalysis of the reaction: ent-sandaracopimaradien-3-beta-ol + NADPH + H+ + O2 <=> oryzalexin E + NADP + H2O [EC:1.14.13.192]' - }, - 'GO:0102598': { - 'name': '3alpha-hydroxy-ent-sandaracopimardiene 7-beta-monooxygenase activity', - 'def': 'Catalysis of the reaction: ent-sandaracopimaradien-3-beta-ol + NADPH + H+ + O2 <=> oryzalexin D + NADP + H2O [EC:1.14.13.193]' - }, - 'GO:0102603': { - 'name': '12-demethyl-elloramycin C12a O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 12-demethyl-elloramycin + S-adenosyl-L-methionine <=> elloramycin + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]' - }, - 'GO:0102604': { - 'name': 'naringenin,NADPH:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: (S)-naringenin(1-) + O2 + NADPH + H+ <=> 2-hydroxy-2,3-dihydrogenistein-7-olate + NADP + H2O [EC:1.14.13.136]' - }, - 'GO:0102605': { - 'name': 'cyclooctat-9-en-5,7-diol C18-monooxygenase activity', - 'def': 'Catalysis of the reaction: cyclooctat-9-en-5,7-diol + O2 + NADPH + H+ <=> cyclooctatin + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102606': { - 'name': 'octat-9-en-7-ol 5-monooxygenase activity', - 'def': 'Catalysis of the reaction: cyclooctat-9-en-7-ol + O2 + NADPH + H+ <=> cyclooctat-9-en-5,7-diol + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102607': { - 'name': '3beta-hydroxy-12,15-cassadiene-11-one 2-hydroxylase activity', - 'def': 'Catalysis of the reaction: 3beta-hydroxy-12,15-cassadiene-11-one + NADPH + O2 + H+ <=> 2beta,3beta-dihydroxy-12,15-cassadiene-11-one + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102608': { - 'name': 'tetracenomycin B3 8-O-methyl transferase activity', - 'def': 'Catalysis of the reaction: tetracenomycin B3 + S-adenosyl-L-methionine <=> tetracenomycin E + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]' - }, - 'GO:0102610': { - 'name': '(+)-secoisolariciresinol glucosyltransferase activity', - 'def': 'Catalysis of the reaction: (+)-secoisolariciresinol + UDP-alpha-D-glucose <=> (+)-secoisolariciresinol monoglucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102611': { - 'name': '(+)-secoisolariciresinol monoglucoside glucosyltransferase activity', - 'def': 'Catalysis of the reaction: (+)-secoisolariciresinol monoglucoside + UDP-alpha-D-glucose <=> (+)-secoisolariciresinol diglucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102612': { - 'name': 'syn-pimaradiene 6beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: 9beta-pimara-7,15-diene + NADPH + O2 + H+ <=> 6beta-hydroxy-syn-pimaradiene + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102613': { - 'name': 'trimethyluric acid monooxygenase activity', - 'def': 'Catalysis of the reaction: 1,3,7-trimethyluric acid + O2 + NADH + 3 H+ <=> 1,3,7-trimethyl-5-hydroxyisourate + NAD + H2O [EC:1.14.13.-]' - }, - 'GO:0102614': { - 'name': 'germacrene A acid 8beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: germacra-1(10),4,11(13)-trien-12-oate + NADPH + O2 + H+ <=> 8beta-hydroxy-germacra-1(10),4,11(13)-trien-12-oate + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102615': { - 'name': 'ent-cassadiene-C2-hydroxylase activity', - 'def': 'Catalysis of the reaction: ent-cassa-12,15-diene + NADPH + O2 + H+ <=> 2alpha-hydroxy-ent-cassadiene + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102616': { - 'name': 'oryzalexin A synthase activity', - 'def': 'Catalysis of the reaction: oryzalexin D + NAD(P) <=> oryzalexin A + H+ + NAD(P)H [EC:1.1.1.-]' - }, - 'GO:0102618': { - 'name': 'oryzalexin B synthase activity', - 'def': 'Catalysis of the reaction: oryzalexin D + NAD(P) <=> oryzalexin B + H+ + NAD(P)H [EC:1.1.1.-]' - }, - 'GO:0102621': { - 'name': 'emindole-SB NADPH:oxygen oxidoreductase (14,15-epoxidizing) activity', - 'def': 'Catalysis of the reaction: emindole-SB + O2 + NADPH + H+ <=> 14,15-epoxyemindole-SB + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102622': { - 'name': 'linuron hydrolase activity', - 'def': 'Catalysis of the reaction: linuron + H2O <=> N,O-dimethylhydroxylamine + carbon dioxide + 3,4-dichloroaniline [EC:3.5.1.-]' - }, - 'GO:0102623': { - 'name': 'scutellarein 7-methyl ether 6-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: scutellarein 7-methyl ether + S-adenosyl-L-methionine <=> cirsimaritin + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]' - }, - 'GO:0102624': { - 'name': "scutellarein 7-methyl ether 4'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: scutellarein 7-methyl ether + S-adenosyl-L-methionine <=> ladanein + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]' - }, - 'GO:0102625': { - 'name': "cirsimaritin 4'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: cirsimaritin + S-adenosyl-L-methionine <=> salvigenin + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]' - }, - 'GO:0102626': { - 'name': 'parthenolide synthase activity', - 'def': 'Catalysis of the reaction: costunolide + NADPH + O2 + H+ <=> parthenolide + NADP(3-) + H2O [EC:1.14.13.-]' - }, - 'GO:0102627': { - 'name': 'parthenolide 3beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: parthenolide + NADPH + O2 + H+ <=> 3beta-hydroxyparthenolide + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102628': { - 'name': 'costunolide 3beta-hydroxylase activity', - 'def': 'Catalysis of the reaction: costunolide + NADPH + O2 + H+ <=> 3beta-hydroxycostunolide + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102629': { - 'name': "patuletin 3'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: patuletin + S-adenosyl-L-methionine <=> quercetagetin 3',6-dimethyl ether + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]" - }, - 'GO:0102630': { - 'name': "gossypetin 8-methyl ester 3'-O-methyltransferase activity", - 'def': "Catalysis of the reaction: 3',4',5,7-pentahydroxy-8-methoxyflavon-3-olate + S-adenosyl-L-methionine <=> gossypetin 3',8-dimethyl ether + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]" - }, - 'GO:0102631': { - 'name': 'caffeoylglucose 3-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 1-O-caffeoyl-beta-D-glucose + S-adenosyl-L-methionine <=> 1-O-feruloyl-beta-D-glucose + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.-]' - }, - 'GO:0102632': { - 'name': '(S)-nandinine synthase activity', - 'def': 'Catalysis of the reaction: (S)-scoulerine + NADPH + H+ + O2 <=> (S)-nandinine + NADP + 2 H2O [EC:1.14.21.2]' - }, - 'GO:0102634': { - 'name': '1,3,6,8-tetrahydroxynaphthalene monooxygenase (quinone-forming) activity', - 'def': 'Catalysis of the reaction: naphthalene-1,3,6,8-tetrol + O2 <=> flaviolin-2-olate + H2O + H+ [EC:1.13.12.-]' - }, - 'GO:0102639': { - 'name': 'paspalicine synthase activity', - 'def': 'Catalysis of the reaction: 13-desoxypaxilline + NADPH + O2 + H+ <=> paspalicine + NADP + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102640': { - 'name': 'paspalinine synthase activity', - 'def': 'Catalysis of the reaction: paspalicine + O2 + NADPH + H+ <=> paspalinine + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102643': { - 'name': 'scalarane-17alpha-19-diol synthase activity', - 'def': 'Catalysis of the reaction: scalarane-17alpha-19-diol <=> all-trans-geranylfarnesol + H2O [EC:4.2.1.-]' - }, - 'GO:0102644': { - 'name': 'monocyclic sesterterpenediol synthase activity', - 'def': 'Catalysis of the reaction: monocyclic sesterterpenediol <=> all-trans-geranylfarnesol + H2O [EC:4.2.1.-]' - }, - 'GO:0102645': { - 'name': '17(E)-cheilanthenediol synthase activity', - 'def': 'Catalysis of the reaction: 17(E)-cheilanthenediol <=> all-trans-geranylfarnesol + H2O [EC:4.2.1.-]' - }, - 'GO:0102646': { - 'name': '14betaH-scalarane-17alpha-19-diol synthase activity', - 'def': 'Catalysis of the reaction: 14betaH-scalarane-17alpha-19-diol <=> all-trans-geranylfarnesol + H2O [EC:4.2.1.-]' - }, - 'GO:0102659': { - 'name': 'UDP-glucose: 4-methylthiobutylhydroximate S-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 4-methylthiobutylhydroximate <=> H+ + 3-methylthiopropyl-desulfoglucosinolate + UDP [EC:2.4.1.195]' - }, - 'GO:0102660': { - 'name': 'caffeoyl-CoA:shikimate O-(hydroxycinnamoyl)transferase activity', - 'def': 'Catalysis of the reaction: caffeoylshikimate + coenzyme A <=> caffeoyl-CoA + shikimate [EC:2.3.1.-]' - }, - 'GO:0102668': { - 'name': 'liquiritigenin,NADPH:oxygen oxidoreductase activity', - 'def': "Catalysis of the reaction: liquiritigenin + NADPH + O2 + H+ <=> 2,4',7-trihydroxyisoflavanone + NADP(3-) + H2O [EC:1.14.13.136]" - }, - 'GO:0102671': { - 'name': '6a-hydroxymaackiain-3-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: (+)-6a-hydroxymaackiain + S-adenosyl-L-methionine <=> H+ + (+)-pisatin + S-adenosyl-L-homocysteine [EC:2.1.1.270]' - }, - 'GO:0102676': { - 'name': 'avenasterol-desaturase activity', - 'def': 'Catalysis of the reaction: avenasterol + O2 + NADPH + H+ <=> 5-dehydroavenasterol + 2 H2O + NADP [EC:1.14.19.-]' - }, - 'GO:0102677': { - 'name': 'campesterol,NADPH:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: H+ + campesterol + O2 + NADPH <=> (22S)-22-hydroxycampesterol + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102679': { - 'name': '(5alpha)-campestan-3-one hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + (5alpha)-campestan-3-one + O2 + NADPH <=> (5alpha,22S,24R)-22-hydroxyergostan-3-one + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102680': { - 'name': 'campest-4-en-3-one hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + campest-4-en-3-one + O2 + NADPH <=> (22S)-22-hydroxycampest-4-en-3-one + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102685': { - 'name': 'UDP-glucose:trans-zeatin 7-N-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + trans-zeatin <=> H+ + trans-zeatin-7-N-glucoside + UDP [EC:2.4.1.-]' - }, - 'GO:0102687': { - 'name': 'UDP-glucose:dihydrozeatin 7-N-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + dihydrozeatin <=> H+ + dihydrozeatin-7-N-glucose + UDP [EC:2.4.1.-]' - }, - 'GO:0102688': { - 'name': 'dihydrozeatin UDP glycosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + dihydrozeatin <=> H+ + 9-(alpha-D-glucosyl)dihydrozeatin + UDP [EC:2.4.1.-]' - }, - 'GO:0102692': { - 'name': 'benzyladenine UDP glycosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + N-benzyladenine <=> H+ + N-benzyl-9-(alpha-D-glucosyl)adenine + UDP [EC:2.4.1.-]' - }, - 'GO:0102695': { - 'name': 'UDP-glucose:cis-zeatin 7-N-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + cis-zeatin <=> H+ + cis-zeatin-7-N-glucoside + UDP [EC:2.4.1.-]' - }, - 'GO:0102698': { - 'name': '5-epi-aristolochene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> (+)-5-epi-aristolochene + diphosphoric acid [EC:4.2.3.61]' - }, - 'GO:0102699': { - 'name': '2-methylpropionitrile hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + 2-methylpropionitrile + O2 + NADPH <=> 2-hydroxy-2-methylpropanenitrile + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102700': { - 'name': 'alpha-thujene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate(3-) <=> alpha-thujene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102701': { - 'name': 'tricyclene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate(3-) <=> tricyclene + diphosphoric acid [EC:4.2.3.105]' - }, - 'GO:0102702': { - 'name': '2-carene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate <=> (+)-2-carene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102703': { - 'name': 'camphene synthase activity', - 'def': 'Catalysis of the reaction: geranyl diphosphate <=> (-)-camphene + diphosphoric acid [EC:4.2.3.117]' - }, - 'GO:0102704': { - 'name': 'GDP-Man:Man2GlcNAc2-PP-dolichol alpha-1,6-mannosyltransferase activity', - 'def': 'Catalysis of the reaction: GDP-alpha-D-mannose(2-) + a (mannosyl)2-(N-acetylglucosaminyl)2-diphosphodolichol <=> H+ + GDP(3-) + a (mannosyl)3-(N-acetylglucosaminyl)2-diphosphodolichol [EC:2.4.1.257]' - }, - 'GO:0102711': { - 'name': 'gibberellin A25,oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A25 + 2-oxoglutarate + O2 <=> gibberellin A13 + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102712': { - 'name': 'gibberellin A13,oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A13 + 2-oxoglutarate + O2 <=> gibberellin A43 + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102713': { - 'name': 'gibberellin A25 hydroxylase activity', - 'def': 'Catalysis of the reaction: gibberellin A25 + 2-oxoglutarate(2-) + O2 <=> gibberellin A46 + succinate(2-) + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102714': { - 'name': 'gibberellin A12,oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A12 + 2-oxoglutarate + O2 <=> gibberellin A14 + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102715': { - 'name': 'gibberellin A17,oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A17 + 2-oxoglutarate + O2 <=> gibberellin A28 + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102716': { - 'name': 'gibberellin A28,oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A28 + 2-oxoglutarate + O2 <=> (2betaOH)-gibberellin28 + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102717': { - 'name': 'DIMBOA-glucoside oxygenase activity', - 'def': 'Catalysis of the reaction: DIBOA-beta-D-glucoside + O2 + 2-oxoglutarate <=> TRIBOA-beta-D-glucoside + succinate + carbon dioxide [EC:1.14.20.2]' - }, - 'GO:0102718': { - 'name': 'TRIBOA-glucoside methyltransferase activity', - 'def': 'Catalysis of the reaction: TRIBOA-beta-D-glucoside + S-adenosyl-L-methionine <=> (2R)-DIMBOA glucoside + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.241]' - }, - 'GO:0102730': { - 'name': 'cathasterone hydroxylase activity', - 'def': 'Catalysis of the reaction: cathasterone + O2 + a reduced electron acceptor <=> teasterone + H2O + an oxidized electron acceptor [EC:1.14.-.-]' - }, - 'GO:0102734': { - 'name': 'brassinolide synthase activity', - 'def': 'Catalysis of the reaction: H+ + castasterone + NADPH + O2 <=> brassinolide + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102737': { - 'name': 'p-coumaroyltriacetic acid synthase activity', - 'def': 'Catalysis of the reaction: 2 H+ + 4-coumaryl-CoA + H2O + 3 malonyl-CoA <=> 4 coenzyme A + 3 carbon dioxide + p-coumaroyltriacetate [EC:2.3.1.-]' - }, - 'GO:0102738': { - 'name': '(gibberellin-14), 2-oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A14 + O2 + 2-oxoglutarate <=> gibberellin A37 + carbon dioxide + succinate [EC:1.14.11.-]' - }, - 'GO:0102739': { - 'name': '(gibberellin-36), 2-oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A36 + O2 + 2-oxoglutarate <=> H+ + gibberellin A4 + succinate + 2 carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0102740': { - 'name': 'theobromine:S-adenosyl-L-methionine 1-N-methyltransferase activity', - 'def': 'Catalysis of the reaction: theobromine + S-adenosyl-L-methionine <=> H+ + caffeine + S-adenosyl-L-homocysteine [EC:2.1.1.160]' - }, - 'GO:0102741': { - 'name': 'paraxanthine:S-adenosyl-L-methionine 3-N-methyltransferase activity', - 'def': 'Catalysis of the reaction: 1,7-dimethylxanthine + S-adenosyl-L-methionine <=> H+ + caffeine + S-adenosyl-L-homocysteine [EC:2.1.1.160]' - }, - 'GO:0102742': { - 'name': 'R(+)-3,4-dihydroxyphenyllactate:NADP+ oxidoreductase activity', - 'def': 'Catalysis of the reaction: H+ + 3,4-dihydroxyphenylpyruvate + NADPH <=> (2R)-3-(3,4-dihydroxyphenyl)lactate + NADP [EC:1.1.1.237]' - }, - 'GO:0102743': { - 'name': 'eriodictyol,NADPH:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: H+ + eriodictyol + NADPH + O2 <=> 2-(3,4-dihydroxyphenyl)-5-hydroxy-4-oxo-4H-chromen-7-olate luteolin-7-olate(1-) + NADP + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102747': { - 'name': 'chlorophyllide-a:geranyl-geranyl diphosphate geranyl-geranyl transferase activity', - 'def': 'Catalysis of the reaction: H+ + chlorophyllide a(1-) + 2-trans,6-trans,10-trans-geranylgeranyl diphosphate(3-) <=> geranylgeranyl-chlorophyll a + diphosphoric acid [EC:2.5.1.-]' - }, - 'GO:0102753': { - 'name': 'chlorophyllide b:geranyl-geranyl diphosphate geranyl-geranyltransferase activity', - 'def': 'Catalysis of the reaction: H+ + chlorophyllide b(1-) + 2-trans,6-trans,10-trans-geranylgeranyl diphosphate <=> geranylgeranyl-chlorophyll b + diphosphoric acid [EC:2.5.1.-]' - }, - 'GO:0102754': { - 'name': 'chlorophyllide-b:phytyl-diphosphate phytyltransferase activity', - 'def': 'Catalysis of the reaction: H+ + chlorophyllide b + (E)-3,7,11,15-tetramethylhexadec-2-en-1-yl diphosphate <=> chlorophyll b + diphosphoric acid [EC:2.5.1.-]' - }, - 'GO:0102759': { - 'name': 'campestanol hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + campestanol + O2 + NADPH <=> 6-deoxycathasterone + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102760': { - 'name': '6-deoxocathasterone hydroxylase activity', - 'def': 'Catalysis of the reaction: 6-deoxycathasterone + O2 + a reduced electron acceptor <=> 6-deoxoteasterone + H2O + an oxidized electron acceptor [EC:1.14.-.-]' - }, - 'GO:0102761': { - 'name': "eriodictyol 3'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: eriodictyol + S-adenosyl-L-methionine <=> H+ + homoeriodictyol + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102762': { - 'name': "eriodictyol 4'-O-methyltransferase activity", - 'def': 'Catalysis of the reaction: eriodictyol + S-adenosyl-L-methionine <=> H+ + hesperetin(1-) + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102763': { - 'name': 'phytyl-P kinase activity', - 'def': 'Catalysis of the reaction: phytyl phosphate(2-) + a nucleoside triphosphate <=> (E)-3,7,11,15-tetramethylhexadec-2-en-1-yl diphosphate + a nucleoside diphosphate [EC:2.7.4.-]' - }, - 'GO:0102766': { - 'name': 'naringenin 7-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: (S)-naringenin(1-) + S-adenosyl-L-methionine <=> sakuranetin + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.232]' - }, - 'GO:0102774': { - 'name': 'p-coumaroyltriacetic acid lactone synthase activity', - 'def': 'Catalysis of the reaction: 2 H+ + 4-coumaryl-CoA + 3 malonyl-CoA( <=> p-coumaroyltriacetic acid lactone + 4 coenzyme A + 3 carbon dioxide [EC:2.3.1.-]' - }, - 'GO:0102776': { - 'name': 'UDP-D-glucose:pelargonidin-3-O-beta-D-glucoside 5-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: pelargonidin 3-O-beta-D-glucoside + UDP-alpha-D-glucose <=> anthocyanidin 3,5-di-O-beta-D-glucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102777': { - 'name': 'caffeoyl-CoA:pelargonidin-3,5-diglucoside 5-O-glucoside-6-O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: anthocyanidin 3,5-di-O-beta-D-glucoside + caffeoyl-CoA <=> pelargonidin-3,5-diglucoside-5-O-caffeoylglucoside + coenzyme A(4-) [EC:2.3.1.153]' - }, - 'GO:0102778': { - 'name': 'Delta9-tetrahydrocannabinolate synthase activity', - 'def': 'Catalysis of the reaction: cannabigerolate + O2 <=> Delta(9)-tetrahydrocannabinolic acid + hydrogen peroxide [EC:1.21.3.7]' - }, - 'GO:0102779': { - 'name': 'cannabidiolate synthase activity', - 'def': 'Catalysis of the reaction: cannabigerolate + O2 <=> cannabidiolate + hydrogen peroxide [EC:1.21.3.8]' - }, - 'GO:0102780': { - 'name': 'sitosterol hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + sitosterol + O2 + NADPH <=> (22alpha)-hydroxy-sitosterol + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102781': { - 'name': 'isofucosterol hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + isofucosterol + O2 + NADPH <=> (22alpha)-hydroxy-isofucosterol + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0102792': { - 'name': 'sinapaldehyde:NAD(P)+ oxidoreductase activity', - 'def': 'Catalysis of the reaction: sinapoyl aldehyde + NADP + H2O <=> 2 H+ + trans-sinapate + NADPH [EC:1.2.1.-]' - }, - 'GO:0102793': { - 'name': 'soyasapogenol glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucuronate + soyasapogenol B <=> H+ + UDP + soyasapogenol B 3-O-beta-glucuronate [EC:2.4.1.262]' - }, - 'GO:0102796': { - 'name': 'protocatechualdehyde:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxybenzaldehyde + O2 + H2O <=> H+ + 3,4-dihydroxybenzoate + hydrogen peroxide [EC:1.2.3.9]' - }, - 'GO:0102802': { - 'name': 'thebaine 6-O-demethylase activity', - 'def': 'Catalysis of the reaction: thebaine + 2-oxoglutarate + O2 <=> neopinone + formaldehyde + succinate + carbon dioxide [EC:1.14.11.31]' - }, - 'GO:0102803': { - 'name': 'thebane O-demethylase activity', - 'def': 'Catalysis of the reaction: thebaine + 2-oxoglutarate + O2 <=> oripavine + formaldehyde + succinate + carbon dioxide [EC:1.14.11.32]' - }, - 'GO:0102804': { - 'name': 'oripavine 6-O-demethylase activity', - 'def': 'Catalysis of the reaction: oripavine + 2-oxoglutarate + O2 <=> morphinone + formaldehyde + succinate + carbon dioxide [EC:1.14.11.31]' - }, - 'GO:0102805': { - 'name': 'codeine O-demethylase activity', - 'def': 'Catalysis of the reaction: codeine + 2-oxoglutarate + O2 <=> morphine + formaldehyde + succinate + carbon dioxide [EC:1.14.11.32]' - }, - 'GO:0102806': { - 'name': "4-coumaroyl-CoA:cyanidin-3,5-diglucoside-6''-O-acyltransferase activity", - 'def': 'Catalysis of the reaction: 4-coumaryl-CoA + cyanin betaine <=> shisonin + coenzyme A [EC:2.3.1.-]' - }, - 'GO:0102807': { - 'name': "cyanidin 3-O-glucoside 2''-O-glucosyltransferase activity", - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + cyanidin 3-O-beta-D-glucoside betaine <=> cyanidin 3-O-sophoroside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102808': { - 'name': "pelargonidin 3-O-glucoside 2''-O-glucosyltransferase activity", - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + pelargonidin 3-O-beta-D-glucoside <=> H+ + pelargonidin 3-O-sophoroside + UDP [EC:2.4.1.-]' - }, - 'GO:0102809': { - 'name': "delphinidin 3-O-glucoside 2''-O-glucosyltransferase activity", - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + delphinidin 3-O-beta-D-glucoside <=> H+ + delphinidin 3-O-sophoroside + UDP [EC:2.4.1.-]' - }, - 'GO:0102811': { - 'name': 'geraniol 10-hydroxylase activity', - 'def': 'Catalysis of the reaction: geraniol + O2 + NADPH + H+ <=> (6E)-8-hydroxygeraniol + NADP + H2O [EC:1.14.13.152]' - }, - 'GO:0102812': { - 'name': "4-coumaroyl-CoA:cyanidin-3-O-beta-D-glucoside-6''-O-acyltransferase activity", - 'def': 'Catalysis of the reaction: 4-coumaryl-CoA + cyanidin 3-O-beta-D-glucoside betaine <=> cyanidin 3-(p-coumaroyl)-glucoside + coenzyme A [EC:2.3.1.-]' - }, - 'GO:0102814': { - 'name': "caffeoyl-CoA:delphinidin-3,5,3'-triglucoside 5-O-glucoside-6-O-hydroxycinnamoyltransferase activity", - 'def': "Catalysis of the reaction: delphinidin 3,3',5-tri-O-beta-D-glucoside betaine + caffeoyl-CoA <=> delphinidin 3-O-glucosyl-5-O-(caffeoylglucoside-3'-O-glucoside) + coenzyme A [EC:2.3.1.-]" - }, - 'GO:0102815': { - 'name': 'caffeoyl-CoA:delphinidin-3,5-diglucoside 5-O-glucoside-6-O-hydroxycinnamoyltransferase activity', - 'def': 'Catalysis of the reaction: delphinidin 3-O-beta-D-glucoside-5-O-beta-D-glucoside betaine + caffeoyl-CoA <=> delphinidin 3-O-glucosyl-5-O-caffeoylglucoside + coenzyme A [EC:2.3.1.153]' - }, - 'GO:0102816': { - 'name': 'UDP-D-glucose:delphinidin 3-O-glucosyl-5-O-caffeoylglucoside -O-beta-D-glucosyltransferase activity', - 'def': "Catalysis of the reaction: UDP-alpha-D-glucose + delphinidin 3-O-glucosyl-5-O-caffeoylglucoside <=> H+ + delphinidin 3-O-glucosyl-5-O-(caffeoylglucoside-3'-O-glucoside) + UDP [EC:2.4.1.298]" - }, - 'GO:0102817': { - 'name': "caffeoyl-CoA:3-O-glucosyl-5-O-(caffeoylglucoside-3'-O-glucoside) 3'-O-hydroxycinnamoyltransferase activity", - 'def': "Catalysis of the reaction: delphinidin 3-O-glucosyl-5-O-(caffeoylglucoside-3'-O-glucoside) + caffeoyl-CoA <=> gentiodelphin + coenzyme A [EC:2.3.1.-]" - }, - 'GO:0102818': { - 'name': 'lycopene cleavage oxygenase activity', - 'def': 'Catalysis of the reaction: lycopene + 2 O2 <=> 2 sulcatone + bixin aldehyde [EC:1.13.12.-]' - }, - 'GO:0102819': { - 'name': 'bixin aldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: bixin aldehyde + O2 + NAD <=> norbixin + NADH + H+ [EC:1.2.1.-]' - }, - 'GO:0102820': { - 'name': 'norbixin methyltransferase activity', - 'def': 'Catalysis of the reaction: norbixin + S-adenosyl-L-methionine <=> bixin + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102821': { - 'name': 'bixin methyltransferase activity', - 'def': 'Catalysis of the reaction: bixin + S-adenosyl-L-methionine <=> bixin dimethyl ester + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102823': { - 'name': 'kaempferol-3-rhamnoside-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + kaempferol-3-rhamnoside <=> kaempferol 3-O-rhamnoside-7-O-glucoside + UDP [EC:2.4.1.-]' - }, - 'GO:0102824': { - 'name': 'UDP-L-rhamnose:quercetin 3-O-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: quercetin-7-olate + UDP-L-rhamnose <=> H+ + quercetin 3-O-rhamnoside + UDP [EC:2.4.1.-]' - }, - 'GO:0102825': { - 'name': 'quercetin 3-O-rhamnoside-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose(2-) + quercetin 3-O-rhamnoside <=> quercetin 3-O-rhamnoside-7-O-glucoside + UDP [EC:2.4.1.-]' - }, - 'GO:0102826': { - 'name': 'kaempferol-3-glucoside-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + kaempferol 3-O-glucoside <=> kaempferol 3,7-O-diglucoside + UDP [EC:2.4.1.-]' - }, - 'GO:0102828': { - 'name': 'stachyose galactinol:verbascose galactosyltransferase activity', - 'def': 'Catalysis of the reaction: stachyose + alpha-D-galactosyl-(1->3)-1D-myo-inositol <=> verbascose + myo-inositol [EC:2.4.1.-]' - }, - 'GO:0102829': { - 'name': 'ajugose synthase activity', - 'def': 'Catalysis of the reaction: 2 verbascose <=> ajugose + stachyose [EC:2.4.1.-]' - }, - 'GO:0102830': { - 'name': 'verbascose synthase activity', - 'def': 'Catalysis of the reaction: 2 stachyose <=> verbascose + raffinose [EC:2.4.1.-]' - }, - 'GO:0102832': { - 'name': 'verbascose galactinol:ajugose galactosyltransferase activity', - 'def': 'Catalysis of the reaction: verbascose + alpha-D-galactosyl-(1->3)-1D-myo-inositol <=> ajugose + myo-inositol [EC:2.4.1.-]' - }, - 'GO:0102833': { - 'name': 'sequoyitol galactinol:D-galactosylononitol galactosyltransferase activity', - 'def': 'Catalysis of the reaction: 1D-5-O-methyl-myo-inositol + alpha-D-galactosyl-(1->3)-1D-myo-inositol <=> D-galactosylononitol + myo-inositol [EC:2.4.1.-]' - }, - 'GO:0102834': { - 'name': '1-18:1-2-16:0-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-16:0-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:2-2-16:0-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102835': { - 'name': '1-18:2-2-16:0-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-16:0-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-16:0-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102836': { - 'name': '1-18:1-2-16:1-monogalactosyldiacylglyceroldesaturase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-16:1-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:2-2-16:1-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102837': { - 'name': '1-18:2-2-16:1-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-16:1-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-16:1-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102838': { - 'name': '1-18:1-2-16:2-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-16:2-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:2-2-16:2-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102839': { - 'name': '1-18:2-2-16:2-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-16:2-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-16:2-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102840': { - 'name': '1-18:2-2-16:3-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-16:3-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-16:3-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102841': { - 'name': '1-18:1-2-16:2-monogalactosyldiacylglycerol synthase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-16:1-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:1-2-16:2-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102845': { - 'name': '1-18:3-2-16:0-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:3-2-16:0-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-16:1-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102846': { - 'name': '1-18:3-2-16:1-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:3-2-16:1-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-16:2-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102847': { - 'name': '1-18:3-2-16:2-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:3-2-16:2-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-16:3-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102848': { - 'name': '1-18:2-2-18:2-digalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-18:2-digalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-18:2-digalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102849': { - 'name': '1-18:2-2-18:3-digalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-18:3-digalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-18:3-digalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102850': { - 'name': '1-18:1-2-16:0-phosphatidylglycerol desaturase activity', - 'def': "Catalysis of the reaction: 1-[(9Z)-octadec-9-enoyl]-2-hexadecanoyl-sn-glycero-3-phospho-(1'-sn-glycerol)(1-) + O2 + a reduced electron acceptor <=> 1-18:2-2-16:0-phosphatidylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]" - }, - 'GO:0102851': { - 'name': '1-18:2-2-16:0-phosphatidylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-16:0-phosphatidylglycerol + O2 + a reduced electron acceptor <=> 1-18:2-2-trans-16:1-phosphatidylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102852': { - 'name': '1-18:3-2-16:0-phosphatidylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:3-2-16:0-phosphatidylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-trans-16:1-phosphatidylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102853': { - 'name': '1-18:1-2-18:1-sn-glycerol-3-phosphocholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-18:1-sn-glycerol-3-phosphocholine + O2 + a reduced electron acceptor <=> 1-18:2-2-18:1-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102854': { - 'name': '1-18:2-2-18:1-phosphatidylcholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-18:1-phosphatidylcholine + O2 + a reduced electron acceptor <=> 1-18:3-2-18:1-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102855': { - 'name': '1-18:1-2-18:2-phosphatidylcholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-18:2-phosphatidylcholine + O2 + a reduced electron acceptor <=> 1-18:2-2-18:2-sn-glycerol-3-phosphocholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102856': { - 'name': '1-18:2-2-18:2-sn-glycerol-3-phosphocholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-18:2-sn-glycerol-3-phosphocholine + O2 + a reduced electron acceptor <=> 1-18:3-2-18:2-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102857': { - 'name': '1-18:1-2-18:3-phosphatidylcholinedesaturase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-18:3-phosphatidylcholine + O2 + a reduced electron acceptor <=> 1-18:2-2-18:3-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102858': { - 'name': '1-18:2-2-18:3-phosphatidylcholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-18:3-phosphatidylcholine + O2 + a reduced electron acceptor <=> 1-18:3-2-18:3-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102860': { - 'name': '1-18:1-2-18:2-phosphatidylcholine synthase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-18:1-sn-glycerol-3-phosphocholine + O2 + a reduced electron acceptor <=> 1-18:1-2-18:2-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102863': { - 'name': '1-18:3-2-18:1-phosphatidylcholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:3-2-18:1-phosphatidylcholine + O2 + a reduced electron acceptor <=> 1-18:3-2-18:2-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102864': { - 'name': '1-18:3-2-18:2-phosphatidylcholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:3-2-18:2-phosphatidylcholine + O2 + a reduced electron acceptor <=> 1-18:3-2-18:3-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102865': { - 'name': 'Delta6-acyl-lipid desaturase activity', - 'def': 'Catalysis of the reaction: O2 + a lipid linoleoyl group + a reduced electron acceptor <=> 2 H2O + a lipid gamma-linolenoyl group + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102866': { - 'name': 'di-homo-gamma-linolenate Delta5 desaturase activity', - 'def': 'Catalysis of the reaction: all-cis-icosa-8,11,14-trienoate + O2 + a reduced electron acceptor <=> arachidonate + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102867': { - 'name': 'molybdenum cofactor sulfurtransferase activity', - 'def': 'Catalysis of the reaction: 2 H+ + MoO2-molybdopterin cofactor(2-) + L-cysteine <=> thio-molybdenum cofactor + L-alanine + H2O [EC:2.8.1.9]' - }, - 'GO:0102868': { - 'name': '24-epi-campsterol desaturase activity', - 'def': 'Catalysis of the reaction: 24-epi-campesterol + NADPH + H+ + O2 <=> brassicasterol + NADP + 2 H2O [EC:1.3.1.-]' - }, - 'GO:0102869': { - 'name': '6-hydroxyflavone-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 6-hydroxyflavone <=> 6-O-beta-D-glucosyl-6-hydroxyflavone + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102870': { - 'name': '7-hydroxyflavone-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 7-hydroxyflavone <=> 7-O-beta-D-glucosyl-7-hydroxyflavone + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0102871': { - 'name': '1-16:0-2-18:1-phosphatidylcholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-16:0-2-18:1-phosphatidylcholine + O2 + a reduced electron acceptor <=> 1-palmitoyl-2-linoleoyl-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102872': { - 'name': '1-16:0-2-18:2-phosphatidylcholine desaturase activity', - 'def': 'Catalysis of the reaction: 1-palmitoyl-2-linoleoyl-phosphatidylcholine + O2 + a reduced electron acceptor <=> 1-16:0-2-18:3-phosphatidylcholine + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102873': { - 'name': '1-18:1-2-16:0-digalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:1-2-16:0-digalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:2-2-16:0-digalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102874': { - 'name': '1-16:0-2-18:2-digalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-16:0-2-18:2-digalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-16:0-2-18:3-digalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102875': { - 'name': '1-18:2-2-18:2-monogalactosyldiacylglycerol desaturase activity', - 'def': 'Catalysis of the reaction: 1-18:2-2-18:2-monogalactosyldiacylglycerol + O2 + a reduced electron acceptor <=> 1-18:3-2-18:2-monogalactosyldiacylglycerol + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102876': { - 'name': 'psoralen synthase activity', - 'def': 'Catalysis of the reaction: (+)-marmesin + NADPH + H+ + O2 <=> psoralen + NADP + acetone + 2 H2O [EC:1.14.13.102]' - }, - 'GO:0102877': { - 'name': 'alpha-copaene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> alpha-copaene + diphosphoric acid [EC:4.2.3.133]' - }, - 'GO:0102878': { - 'name': '(+)-alpha-barbatene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> (+)-alpha-barbatene + diphosphoric acid [EC:4.2.3.69]' - }, - 'GO:0102879': { - 'name': '(+)-thujopsene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> (+)-thujopsene + diphosphoric acid [EC:4.2.3.79]' - }, - 'GO:0102880': { - 'name': 'isobazzanene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> isobazzanene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102881': { - 'name': '(+)-beta-barbatene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> (+)-beta-barbatene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102882': { - 'name': 'beta-acoradiene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> beta-acoradiene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102883': { - 'name': '(+)-beta-chamigrene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> (+)-beta-chamigrene + diphosphoric acid [EC:4.2.3.78]' - }, - 'GO:0102884': { - 'name': 'alpha-zingiberene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> zingiberene + diphosphoric acid [EC:4.2.3.65]' - }, - 'GO:0102885': { - 'name': 'alpha-cuprenene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> (-)-alpha-cuprenene + diphosphoric acid [EC:4.2.3.95]' - }, - 'GO:0102886': { - 'name': 'alpha-chamigrene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> alpha-chamigrene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102887': { - 'name': 'beta-sesquiphellandrene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> beta-sesquiphellandrene + diphosphoric acid [EC:4.2.3.123]' - }, - 'GO:0102888': { - 'name': 'delta-cuprenene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> delta-cuprenene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102889': { - 'name': 'beta-elemene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate <=> beta-elemene + diphosphoric acid [EC:4.2.3.-]' - }, - 'GO:0102890': { - 'name': "naringenin chalcone 4'-O-glucosyltransferase activity", - 'def': "Catalysis of the reaction: UDP-alpha-D-glucose + 2',4,4',6'-tetrahydroxychalcone <=> UDP + 2',4,4',6'-tetrahydroxychalcone 4'-O-beta-D-glucoside + H+ [EC:2.4.1.286]" - }, - 'GO:0102891': { - 'name': "2'4'6'34-pentahydroxychalcone 4'-O-glucosyltransferase activity", - 'def': "Catalysis of the reaction: UDP-alpha-D-glucose + 2',3,4,4',6'-pentahydroxychalcone <=> H+ + 2',3,4,4',6'-pentahydroxychalcone 4'-O-beta-D-glucoside + UDP [EC:2.4.1.286]" - }, - 'GO:0102892': { - 'name': 'betanidin 5-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + betanidin <=> H+ + betanin + UDP [EC:2.4.1.-]' - }, - 'GO:0102893': { - 'name': 'betanidin 6-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + betanidin <=> H+ + gomphrenin I + UDP [EC:2.4.1.-]' - }, - 'GO:0102894': { - 'name': 'UDPG:cyclo-DOPA 5-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + leucodopachrome <=> H+ + cyclo-dopa 5-O-glucoside + UDP [EC:2.4.1.-]' - }, - 'GO:0102895': { - 'name': 'colneleate synthase activity', - 'def': 'Catalysis of the reaction: 9(S)-HPODE <=> colneleate + H2O [EC:4.2.1.121]' - }, - 'GO:0102896': { - 'name': 'colnelenate synthase activity', - 'def': 'Catalysis of the reaction: (10E,12Z,15Z)-9-hydroperoxyoctadeca-10,12,15-trienoate <=> colnelenate + H2O [EC:4.2.1.121]' - }, - 'GO:0102897': { - 'name': 'abietadienal hydroxylase activity', - 'def': 'Catalysis of the reaction: abietal + NADPH + O2 <=> abietate + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102898': { - 'name': 'levopimaradienol hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + levopimaradienol + NADPH + O2 <=> levopiramadiene-diol + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102899': { - 'name': 'dehydroabietadienol hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + dehydroabietadienol + NADPH + O2 <=> dehydroabietadiene-diol + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102900': { - 'name': 'dehydroabietadienal hydroxylase activity', - 'def': 'Catalysis of the reaction: dehydroabietadienal + NADPH + O2 <=> dehydroabietic acid + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102901': { - 'name': 'isopimaradienol hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + isopimaradienol + NADPH + O2 <=> isopimaradiene-diol + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102902': { - 'name': 'isopimaradienal hydroxylase activity', - 'def': 'Catalysis of the reaction: isopimaradienal + NADPH + O2 <=> isopimaric acid + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102905': { - 'name': 'valencene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate(3-) <=> (+)-valencene + diphosphoric acid [EC:4.2.3.73]' - }, - 'GO:0102906': { - 'name': '7-epi-alpha-selinene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate(3-) <=> (-)-7-epi-alpha-selinene + diphosphoric acid [EC:4.2.3.86]' - }, - 'GO:0102907': { - 'name': 'sesquisabinene synthase activity', - 'def': 'Catalysis of the reaction: 2-trans,6-trans-farnesyl diphosphate(3-) <=> diphosphoric acid + sesquisabinene [EC:4.2.3.-]' - }, - 'GO:0102910': { - 'name': 'dirigent protein activity', - 'def': 'Catalysis of the reaction: 2 H+ + 2 coniferol + O2 <=> (+)-pinoresinol + 2 H2O [EC:1.10.3.-]' - }, - 'GO:0102911': { - 'name': '(-)-secoisolariciresinol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (-)-secoisolariciresinol + NAD <=> H+ + (-)-lactol + NADH [EC:1.1.1.-]' - }, - 'GO:0102912': { - 'name': '(-)-lactol dehydrogenase activity', - 'def': 'Catalysis of the reaction: (-)-lactol + NAD <=> H+ + (-)-matairesinol + NADH [EC:1.1.1.-]' - }, - 'GO:0102915': { - 'name': 'piperitol synthase activity', - 'def': 'Catalysis of the reaction: H+ + (+)-pinoresinol + NADPH + O2 <=> (+)-piperitol + NADP + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102916': { - 'name': 'sesamin synthase activity', - 'def': 'Catalysis of the reaction: H+ + (+)-piperitol + NADPH + O2 <=> (+)-sesamin + NADP + 2 H2O [EC:1.14.13.-]' - }, - 'GO:0102917': { - 'name': '(S)-reticuline 7-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: (S)-reticulinium(1+) + S-adenosyl-L-methionine <=> H+ + laudanine(1+) + S-adenosyl-L-homocysteine [EC:2.1.1.291]' - }, - 'GO:0102918': { - 'name': '(R)-reticuline 7-O-methyltransferase activity', - 'def': 'Catalysis of the reaction: (R)-reticulinium(1+) + S-adenosyl-L-methionine <=> (R)-laudanine(1+) + S-adenosyl-L-homocysteine + H+ [EC:2.1.1.291]' - }, - 'GO:0102919': { - 'name': '5,6-dimethylbenzimidazole synthase activity', - 'def': 'Catalysis of the reaction: FMNH2 + O2 <=> 5,6-dimethylbenzimidazole + D-erythrose 4-phosphate + dialuric acid [EC:1.13.11.79]' - }, - 'GO:0102920': { - 'name': 'acyl coenzyme A: isopenicillin N acyltransferase activity', - 'def': 'Catalysis of the reaction: octanoyl-CoA + isopenicillin N + H2O <=> H+ + coenzyme A + penicillin K + L-2-aminoadipate [EC:2.3.1.164]' - }, - 'GO:0102921': { - 'name': 'mannosylglycerate synthase activity', - 'def': 'Catalysis of the reaction: GDP-alpha-D-mannose + D-glycerate <=> H+ + 2-(alpha-D-mannosyl)-D-glycerate + GDP [EC:2.4.1.269]' - }, - 'GO:0102944': { - 'name': 'medicagenate UDP-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose(2-) + medicagenate <=> UDP(3-) + a medicagenate monoglucoside [EC:2.4.1.-]' - }, - 'GO:0102945': { - 'name': 'soyasapogenol B UDP-glucosyl transferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose(2-) + soyasapogenol B <=> UDP(3-) + a soyasapogenol B monoglucoside [EC:2.4.1.-]' - }, - 'GO:0102946': { - 'name': 'soyasapogenol E UDP-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + soyasapogenol E <=> UDP + a soyasapogenol E monoglucoside [EC:2.4.1.-]' - }, - 'GO:0102947': { - 'name': '(+)-delta-cadinene-8-hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + (+)-delta-cadinene + NADPH + O2 <=> 8-hydroxy-(+)-delta-cadinene + NADP + H2O [EC:1.14.13.-]' - }, - 'GO:0102954': { - 'name': 'dalcochinase activity', - 'def': "Catalysis of the reaction: dalcochinin-8'-O-beta-glucoside + H2O <=> dalcochinin + D-glucopyranose [EC:3.2.1.-]" - }, - 'GO:0102963': { - 'name': '(S)-corytuberine synthase activity', - 'def': 'Catalysis of the reaction: H+ + (S)-reticulinium(1+) + NADPH + O2 <=> (S)-corytuberine + NADP + 2 H2O [EC:1.14.21.-]' - }, - 'GO:0102964': { - 'name': 'S-adenosyl-L-methionine:(S)-corytuberine-N-methyltransferase activity', - 'def': 'Catalysis of the reaction: (S)-corytuberine + S-adenosyl-L-methionine <=> H+ + magnoflorine + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102967': { - 'name': '10-hydroxygeraniol oxidoreductase activity', - 'def': 'Catalysis of the reaction: (6E)-8-hydroxygeraniol + NADP <=> (6E)-8-hydroxygeranial + NADPH + H+ [EC:1.1.1.-]' - }, - 'GO:0102968': { - 'name': '10-hydroxygeranial oxidoreductase activity', - 'def': 'Catalysis of the reaction: (6E)-8-hydroxygeranial + NADP <=> (6E)-8-oxogeranial + NADPH + H+ [EC:1.1.1.-]' - }, - 'GO:0102969': { - 'name': '10-oxogeraniol oxidoreductase activity', - 'def': 'Catalysis of the reaction: (6E)-8-oxogeraniol + NADP <=> (6E)-8-oxogeranial + NADPH + H+ [EC:1.1.1.-]' - }, - 'GO:0102970': { - 'name': '7-deoxyloganetic acid glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 7-deoxyloganetate <=> H+ + 7-deoxyloganate + UDP [EC:2.4.1.323]' - }, - 'GO:0102971': { - 'name': 'phosphinothricin N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + phosphinothricin <=> H+ + coenzyme A(4-) + N-acetylphosphinatothricinate [EC:2.3.1.183]' - }, - 'GO:0102975': { - 'name': 'versiconal hemiacetal acetate reductase activity', - 'def': 'Catalysis of the reaction: versiconol acetate + NADP <=> versiconal hemiacetal acetate + NADPH [EC:1.1.1.353]' - }, - 'GO:0102976': { - 'name': 'versiconal reductase activity', - 'def': 'Catalysis of the reaction: versiconol + NADP <=> versiconal hemiacetal + NADPH + H+ [EC:1.1.1.353]' - }, - 'GO:0102978': { - 'name': 'furaneol oxidoreductase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-2,5-dimethylfuran-3-one + NADP <=> 4-hydroxy-5-methyl-2-methylenefuran-3-one + NADPH + H+ [EC:1.3.1.105]' - }, - 'GO:0102979': { - 'name': 'homofuraneol oxidoreductase activity', - 'def': 'Catalysis of the reaction: homofuraneol + NADP <=> (2E)-2-ethylidene-4-hydroxy-5-methyl-3(2H)-furanone + NADPH + H+ [EC:1.3.1.-]' - }, - 'GO:0102980': { - 'name': '2-butyl-4-hydroxy-5-methyl-3(2H)-furanoneoxidoreductase activity', - 'def': 'Catalysis of the reaction: 2-butyl-4-hydroxy-5-methyl-3(2H)-furanone + NADP <=> (2E)-2-butylidene-4-hydroxy-5-methyl-3(2H)-furanone + NADPH + H+ [EC:1.3.1.-]' - }, - 'GO:0102981': { - 'name': '4-hydroxy-5-methyl-2-propyl-3(2H)-furanone oxidoreductase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-5-methyl-2-propyl-3(2H)-furanone + NADP <=> (2E)-4-hydroxy-5-methyl-2-propylidene-3(2H)-furanone + NADPH + H+ [EC:1.3.1.-]' - }, - 'GO:0102982': { - 'name': 'UDP-3-dehydro-alpha-D-glucose dehydrogenase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + NAD <=> H+ + UDP-3-keto-alpha-D-glucose + NADH [EC:1.1.1.-]' - }, - 'GO:0102983': { - 'name': 'xylogalacturonan beta-1,3-xylosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-xylose + a homogalacturonan <=> UDP + 4 H+ + a xylogalacturonan [EC:2.4.2.41]' - }, - 'GO:0102984': { - 'name': 'sulfoacetaldehyde dehydrogenase activity', - 'def': 'Catalysis of the reaction: sulfonatoacetaldehyde + H2O + NAD <=> sulfonatoacetate + NADH + 2 H+ [EC:1.2.1.73]' - }, - 'GO:0102985': { - 'name': 'Delta12-fatty-acid desaturase activity', - 'def': 'Catalysis of the reaction: oleoyl-CoA + O2 + a reduced electron acceptor <=> linoleoyl-CoA + 2 H2O + an oxidized electron acceptor [EC:1.14.19.6]' - }, - 'GO:0102986': { - 'name': 'trehalose synthase activity', - 'def': 'Catalysis of the reaction: an NDP-alpha-D-glucose + D-glucopyranose <=> alpha,alpha-trehalose + H+ + a nucleoside diphosphate [EC:2.4.1.245]' - }, - 'GO:0102987': { - 'name': 'palmitoleic acid delta 12 desaturase activity', - 'def': 'Catalysis of the reaction: palmitoleoyl-CoA + O2 + a reduced electron acceptor <=> (9Z,12Z)-hexadecadienoyl-CoA + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102988': { - 'name': '9,12-cis-hexadecadienoic acid delta 15 desaturase activity', - 'def': 'Catalysis of the reaction: (9Z,12Z)-hexadecadienoyl-CoA + O2 + a reduced electron acceptor <=> 9,12,15-cis-hexadecatrienoyl-CoA + 2 H2O + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102989': { - 'name': '5-pentadecatrienylresorcinol synthase activity', - 'def': 'Catalysis of the reaction: 3 H+ + 9,12,15-cis-hexadecatrienoyl-CoA + 3 malonyl-CoA(5-) <=> 5-(pentadeca-8,11,14-trien-1-yl)resorcinol + 4 coenzyme A + 4 carbon dioxide [EC:2.3.1.-]' - }, - 'GO:0102990': { - 'name': '5-n-alk(en)ylresorcinol O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 5-(pentadeca-8,11,14-trien-1-yl)resorcinol + S-adenosyl-L-methionine <=> H+ + 5-(pentadeca-8,11,14-trien-1-yl)resorcinol monomethyl ether + S-adenosyl-L-homocysteine [EC:2.1.1.-]' - }, - 'GO:0102991': { - 'name': 'myristoyl-CoA hydrolase activity', - 'def': 'Catalysis of the reaction: myristoyl-CoA + H2O <=> H+ + tetradecanoate + coenzyme A [EC:3.1.2.2]' - }, - 'GO:0102992': { - 'name': '2-methylbutyronitrile hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + 2-methylbutyronitrile + NADPH + O2 <=> H2O + NADP + 2-hydroxy-2-methylbutyronitrile [EC:1.14.13.-]' - }, - 'GO:0102993': { - 'name': 'linolenate Delta15 desaturase activity', - 'def': 'Catalysis of the reaction: O2 + a lipid linoleoyl group + a reduced electron acceptor <=> 2 H2O + a lipid alpha-linolenoyl group + an oxidized electron acceptor [EC:1.14.19.-]' - }, - 'GO:0102995': { - 'name': 'angelicin synthase activity', - 'def': 'Catalysis of the reaction: columbianetin + NADPH + O2 + H+ <=> angelicin + acetone + NADP + 2 H2O [EC:1.14.13.115]' - }, - 'GO:0102996': { - 'name': 'beta,beta digalactosyldiacylglycerol galactosyltransferase activity', - 'def': 'Catalysis of the reaction: a 1,2-diacyl-3-beta-D-galactosyl-sn-glycerol + a beta,beta digalactosyldiacylglycerol <=> a trigalactosyldiacylglycerol + a 1,2-diacyl-sn-glycerol [EC:2.4.1.184]' - }, - 'GO:0102997': { - 'name': 'progesterone 5beta- reductase activity', - 'def': 'Catalysis of the reaction: H+ + progesterone + NADPH <=> 5beta-pregnane-3,20-dione + NADP [EC:1.3.1.-]' - }, - 'GO:0102998': { - 'name': '4-sulfomuconolactone hydrolase activity', - 'def': 'Catalysis of the reaction: (5-oxo-2-sulfonato-2,5-dihydrofuran-2-yl)acetate + H2O <=> maleylacetate + sulfite + 2 H+ [EC:3.1.1.92]' - }, - 'GO:0102999': { - 'name': 'UDP-glucose:2-hydroxylamino-4,6-dinitrotoluene-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 2-hydroxylamino-4,6-dinitrotoluene <=> 2-hydroxylamino-4,6-dinitrotoluene-O-glucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0103000': { - 'name': 'UDP-glucose:4-hydroxylamino-2,6-dinitrotoluene-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 4-hydroxylamino-2,6-dinitrotoluene <=> 4-hydroxylamino-2,6-dinitrotoluene-O-glucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0103001': { - 'name': 'dimethylsulfoxide oxygenase activity', - 'def': 'Catalysis of the reaction: dimethyl sulfoxide + O2 + NADPH + H+ <=> sulfonyldimethane + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0103002': { - 'name': '16-hydroxypalmitate dehydrogenase activity', - 'def': 'Catalysis of the reaction: 16-hydroxypalmitate + NADP <=> H+ + 16-oxo-palmitate + NADPH [EC:1.1.1.-]' - }, - 'GO:0103003': { - 'name': 'oleate peroxygenase activity', - 'def': 'Catalysis of the reaction: oleate + a lipid hydroperoxide <=> 9,10-epoxystearate + a lipid alcohol [EC:1.11.-.-]' - }, - 'GO:0103004': { - 'name': '9,10-epoxystearate hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + 9,10-epoxystearate + O2 + NADPH <=> 9,10-epoxy-18-hydroxystearate + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0103005': { - 'name': '9,10-epoxystearate hydrolase activity', - 'def': 'Catalysis of the reaction: 9,10-epoxystearate + H2O <=> (9R,10S)-dihydroxystearate [EC:3.3.2.-]' - }, - 'GO:0103006': { - 'name': '9,10-dihydroxystearate hydroxylase activity', - 'def': 'Catalysis of the reaction: H+ + (9R,10S)-dihydroxystearate + O2 + NADPH <=> 9,10,18-trihydroxystearate + H2O + NADP [EC:1.14.13.-]' - }, - 'GO:0103007': { - 'name': 'indole-3-acetate carboxyl methyltransferase activity', - 'def': 'Catalysis of the reaction: indole-3-acetate + S-adenosyl-L-methionine <=> methyl (indol-3-yl)acetate + S-adenosyl-L-homocysteine [EC:2.1.1.278]' - }, - 'GO:0103008': { - 'name': '4-chloro-2-methylphenoxyacetate oxygenase activity', - 'def': 'Catalysis of the reaction: 4-chloro-2-methylphenoxyacetate + 2-oxoglutarate + O2 <=> 4-chloro-2-methylphenol + 2-oxo monocarboxylic acid anion + succinate + carbon dioxide [EC:1.14.11.-]' - }, - 'GO:0103009': { - 'name': '3-chlorotoluene monooxygenase activity', - 'def': 'Catalysis of the reaction: H+ + 3-chlorotoluene + NADH + O2 <=> 3-chlorobenzyl alcohol + NAD + H2O [EC:1.14.13.-]' - }, - 'GO:0103011': { - 'name': 'mannosylfructose-phosphate synthase activity', - 'def': 'Catalysis of the reaction: GDP-alpha-D-mannose + beta-D-fructofuranose 6-phosphate <=> mannosylfructose-phosphate + GDP [EC:2.4.1.246]' - }, - 'GO:0103020': { - 'name': '1-deoxy-D-xylulose kinase activity', - 'def': 'Catalysis of the reaction: 1-deoxy-D-xylulose + ATP <=> H+ + 1-deoxy-D-xylulose 5-phosphate + ADP [EC:2.7.1.-]' - }, - 'GO:0103023': { - 'name': 'ITPase activity', - 'def': 'Catalysis of the reaction: ITP + H2O <=> H+ + IDP + hydrogenphosphate [EC:3.6.1.-]' - }, - 'GO:0103024': { - 'name': 'XTPase activity', - 'def': 'Catalysis of the reaction: XTP + H2O <=> H+ + XDP + hydrogenphosphate [EC:3.6.1.-]' - }, - 'GO:0103026': { - 'name': 'fructose-1-phosphatase activity', - 'def': 'Catalysis of the reaction: beta-D-fructofuranose 1-phosphate + H2O <=> beta-D-fructofuranose + hydrogenphosphate [EC:3.1.3.-]' - }, - 'GO:0103032': { - 'name': 'tartronate semialdehyde reductase activity', - 'def': 'Catalysis of the reaction: D-glycerate + NAD <=> H+ + 2-hydroxy-3-oxopropanoate + NADH [EC:1.1.1.-]' - }, - 'GO:0103042': { - 'name': '4-hydroxy-L-threonine aldolase activity', - 'def': 'Catalysis of the reaction: 4-hydroxy-L-threonine <=> glycolaldehyde + glycine [EC:4.1.2.-]' - }, - 'GO:0103043': { - 'name': '5-phospho-alpha-D-ribosyl 1,2-cyclic phosphate phosphodiesterase activity', - 'def': 'Catalysis of the reaction: 5-phosphonato-alpha-D-ribose cyclic-1,2-phosphate + H2O <=> H+ + alpha-D-ribose 1,5-bisphosphate [EC:3.1.4.55]' - }, - 'GO:0103046': { - 'name': 'alanylglutamate dipeptidase activity', - 'def': 'Catalysis of the reaction: L-alanyl-L-glutamate + H2O <=> L-alanine + L-glutamate [EC:3.4.13.18]' - }, - 'GO:0103053': { - 'name': '1-ethyladenine demethylase activity', - 'def': 'Catalysis of the reaction: 1-ethyladenine + O2 + 2-oxoglutarate(2-) <=> adenine + carbon dioxide + acetaldehyde + succinate [EC:1.14.11.33]' - }, - 'GO:0103054': { - 'name': 'gibberellin A12, 2-oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A12 + O2 + 2-oxoglutarate <=> gibberellin A15 + carbon dioxide + succinate [EC:1.14.11.-]' - }, - 'GO:0103055': { - 'name': 'gibberelli A15, 2-oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A15 + 2-oxoglutarate + O2 <=> gibberellin A24 + succinate + carbon dioxide + H2O [EC:1.14.11.-]' - }, - 'GO:0103056': { - 'name': 'gibberellin A53, 2-oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A53 + O2 + 2-oxoglutarate <=> gibberellin A44 diacid + carbon dioxide + succinate [EC:1.14.11.-]' - }, - 'GO:0103057': { - 'name': 'gibberellin A19, 2-oxoglutarate:oxygen oxidoreductase activity', - 'def': 'Catalysis of the reaction: gibberellin A19 + O2 + 2-oxoglutarate <=> H+ + gibberellin A20 + 2 carbon dioxide + succinate [EC:1.14.11.-]' - }, - 'GO:0103058': { - 'name': 'kaempferol 3-glucoside 7-O-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: kaempferol 3-O-glucoside + UDP-L-rhamnose <=> kaempferol-3-glucoside-7-rhamnoside + UDP [EC:2.4.1.-]' - }, - 'GO:0103059': { - 'name': 'UDP-L-rhamnose:kaempferol 3-O-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: kaempferol oxoanion + UDP-L-rhamnose <=> H+ + kaempferol-3-rhamnoside + UDP(3-) [EC:2.4.1.-]' - }, - 'GO:0103060': { - 'name': 'kaempferol 3-rhamnoside 7-O-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: kaempferol-3-rhamnoside + UDP-L-rhamnose <=> kaempferol-3-rhamnoside-7-rhamnoside + UDP. [EC:2.4.1.-]' - }, - 'GO:0103061': { - 'name': 'trans-methoxy-C60-meroacyl-AMP ligase activity', - 'def': 'Catalysis of the reaction: ATP(4-) + H2O + a trans-methoxy-C60-meroacyl-[acp] <=> diphosphoric acid + a trans-methoxy-meroacyl-adenylate + a holo-[acyl-carrier protein] [EC:6.2.1.-]' - }, - 'GO:0103062': { - 'name': 'cis-keto-C60-meroacyl-AMP ligase activity', - 'def': 'Catalysis of the reaction: ATP(4-) + H2O + a cis-keto-C60-meroacyl-[acp] <=> diphosphoric acid + a cis-keto-meroacyl-adenylate + a holo-[acyl-carrier protein] [EC:6.2.1.-]' - }, - 'GO:0103063': { - 'name': 'trans-keto-C61-meroacyl-AMP ligase activity', - 'def': 'Catalysis of the reaction: ATP(4-) + H2O + a trans-keto-C61-meroacyl-[acp] <=> diphosphoric acid + a trans-keto-meroacyl-adenylate + a holo-[acyl-carrier protein] [EC:6.2.1.-]' - }, - 'GO:0103069': { - 'name': '17-hydroxyprogesterone 21-hydroxylase activity', - 'def': 'Catalysis of the reaction: 17alpha-hydroxyprogesterone + NADPH + H+ + O2 <=> NADP + H2O + 11-deoxycortisol [EC:1.14.13.-]' - }, - 'GO:0103071': { - 'name': '2-hydroxy-3-methyl-branched 2,3,4-saturated fatty acyl-CoA lyase activity', - 'def': 'Catalysis of the reaction: a 2-hydroxy-3-methyl-branched 2,3,4-saturated fatty acyl-CoA <=> formyl-CoA + a 2-methyl branched 2,3,4-saturated fatty aldehyde [EC:4.1.-.-]' - }, - 'GO:0103073': { - 'name': 'anandamide amidohydrolase activity', - 'def': 'Catalysis of the reaction: anandamide + H2O <=> arachidonate + ethanolaminium(1+) [EC:3.5.1.99]' - }, - 'GO:0103075': { - 'name': 'indole-3-pyruvate monooxygenase activity', - 'def': 'Catalysis of the reaction: 3-(indol-3-yl)pyruvate + NADPH + O2 + H+ <=> indole-3-acetate + carbon dioxide + NADP + H2O [EC:1.14.13.168]' - }, - 'GO:0103077': { - 'name': 'quercetin 3-glucoside 7-O-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: quercetin-3-glucoside + UDP-L-rhamnose <=> quercetin-3-O-glucoside-7-O-rhamnoside + UDP [EC:2.4.1.-]' - }, - 'GO:0103078': { - 'name': 'quercetin 3-rhamnoside 7-O-rhamnosyltransferase activity', - 'def': 'Catalysis of the reaction: H+ + quercetin 3-O-rhamnoside + UDP-L-rhamnose <=> quercetin-3-rhamnoside-7-rhamnoside + UDP [EC:2.4.1.-]' - }, - 'GO:0103079': { - 'name': "2-(3'-methylthio)propylmalate synthase activity", - 'def': 'Catalysis of the reaction: 5-methylthio-2-oxopentanoate + acetyl-CoA + H2O <=> H+ + 2-(3-methylthiopropyl)malate + coenzyme A [EC:2.3.3.-]' - }, - 'GO:0103080': { - 'name': 'methylthiopropylmalate isomerase activity', - 'def': "Catalysis of the reaction: 2-(3-methylthiopropyl)malate(2-) <=> 3-(3'-methylthio)propylmalate [EC:5.4.4.-]" - }, - 'GO:0103081': { - 'name': 'methylthiopropylmalate dehydrogenase activity', - 'def': "Catalysis of the reaction: 3-(3'-methylthio)propylmalate <=> H+ + 2-oxo-6-methylthiohexanoate + carbon dioxide [EC:1.1.1.-]" - }, - 'GO:0103082': { - 'name': "2-(4'-methylthio)butylmalate synthase activity", - 'def': "Catalysis of the reaction: 2-oxo-6-methylthiohexanoate + acetyl-CoA + H2O <=> H+ + 2-(4'-methylthio)butylmalate + coenzyme A [EC:2.3.3.-]" - }, - 'GO:0103083': { - 'name': 'methylthiobutylmalate isomerase activity', - 'def': "Catalysis of the reaction: 2-(4'-methylthio)butylmalate <=> 3-(4'-methylthio)butylmalate [EC:5.4.4.-]" - }, - 'GO:0103084': { - 'name': 'methylthiobutylmalate dehydrogenase activity', - 'def': "Catalysis of the reaction: 3-(4'-methylthio)butylmalate <=> H+ + 2-oxo-7-methylthioheptanoate + carbon dioxide [EC:1.1.1.-]" - }, - 'GO:0103085': { - 'name': "2-(5'-methylthio)pentylmalate synthase activity", - 'def': "Catalysis of the reaction: 2-oxo-7-methylthioheptanoate + acetyl-CoA + H2O <=> H+ + 2-(5'-methylthio)pentylmalate + coenzyme A [EC:2.3.3.-]" - }, - 'GO:0103086': { - 'name': 'methylthiopentylmalate isomerase activity', - 'def': "Catalysis of the reaction: 2-(5'-methylthio)pentylmalate <=> 3-(5'-methylthio)pentylmalate [EC:5.4.4.-]" - }, - 'GO:0103087': { - 'name': 'methylthiopentylmalate dehydrogenase activity', - 'def': "Catalysis of the reaction: 3-(5'-methylthio)pentylmalate <=> H+ + 2-oxo-8-methylthiooctanoate + carbon dioxide [EC:1.1.1.-]" - }, - 'GO:0103088': { - 'name': "2-(6'-methylthio)hexylmalate synthase activity", - 'def': "Catalysis of the reaction: 2-oxo-8-methylthiooctanoate + acetyl-CoA + H2O <=> H+ + 2-(6'-methylthio)hexylmalate + coenzyme A [EC:2.3.3.-]" - }, - 'GO:0103089': { - 'name': 'methylthiohexylmalate isomerase activity', - 'def': "Catalysis of the reaction: 2-(6'-methylthio)hexylmalate <=> 3-(6'-methylthio)hexylmalate [EC:5.4.4.-]" - }, - 'GO:0103090': { - 'name': 'methylthiohexylmalate dehydrogenase activity', - 'def': "Catalysis of the reaction: 3-(6'-methylthio)hexylmalate <=> H+ + 2-oxo-9-methylthiononanoate + carbon dioxide [EC:1.1.1.-]" - }, - 'GO:0103091': { - 'name': "2-(7'-methylthio)heptylmalate synthase activity", - 'def': "Catalysis of the reaction: 2-oxo-9-methylthiononanoate + acetyl-CoA + H2O <=> H+ + 2-(7'-methylthio)heptylmalate + coenzyme A [EC:2.3.3.-]" - }, - 'GO:0103092': { - 'name': 'methylthioalkylmalate isomerase activity', - 'def': "Catalysis of the reaction: 2-(7'-methylthio)heptylmalate <=> 3-(7'-methylthio)heptylmalate [EC:5.4.4.-]" - }, - 'GO:0103093': { - 'name': 'methylthioalkylmalate dehydrogenase activity', - 'def': "Catalysis of the reaction: 3-(7'-methylthio)heptylmalate <=> H+ + 2-oxo-10-methylthiodecanoate + carbon dioxide [EC:1.1.1.-]" - }, - 'GO:0103095': { - 'name': 'wax ester synthase activity', - 'def': 'Catalysis of the reaction: a very long chain alcohol + a long-chain acyl-CoA <=> coenzyme A(4-) + a wax ester [EC:2.3.1.75]' - }, - 'GO:0103096': { - 'name': 'CYP79F1 dihomomethionine monooxygenase activity', - 'def': 'Catalysis of the reaction: dihomomethionine + 2 O2 + 2 NADPH + 2 H+ <=> 5-methylthiopentanaldoxime + 3 H2O + carbon dioxide + 2 NADP [EC:1.14.13.-]' - }, - 'GO:0103097': { - 'name': 'CYP79F1 trihomomethionine monooxygenase activity', - 'def': 'Catalysis of the reaction: trihomomethionine + 2 O2 + 2 NADPH + 2 H+ <=> 3 H2O + carbon dioxide + 2 NADP + 6-methylthiohexanaldoxime [EC:1.14.13.-]' - }, - 'GO:0103098': { - 'name': 'CYP79F1 tetrahomomethionine monooxygenase activity', - 'def': 'Catalysis of the reaction: 2 H+ + tetrahomomethionine + 2 O2 + 2 NADPH <=> 3 H2O + carbon dioxide + 2 NADP + 7-methylthioheptanaldoxime [EC:1.14.13.-]' - }, - 'GO:0103099': { - 'name': 'UDP-glucose:5-methylthiopentylhydroximate S-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 5-methylthiopentylhydroximate <=> H+ + 4-methylthiobutyldesulfoglucosinolate + UDP [EC:2.4.1.195]' - }, - 'GO:0103100': { - 'name': 'UDP-glucose: 6-methylthiohexylhydroximate S-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 6-methylthiohexylhydroximate <=> H+ + 5-methylthiopentyldesulfoglucosinolate + UDP(3-) [EC:2.4.1.195]' - }, - 'GO:0103101': { - 'name': 'UDP-glucose:7-methylthioheptylhydroximate S-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 7-methylthioheptylhydroximate <=> H+ + 6-methylthiohexyldesulfoglucosinolate + UDP [EC:2.4.1.195]' - }, - 'GO:0103102': { - 'name': 'UDP-glucose:8-methylthiooctylhydroximate S-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 8-methylthiooctylhydroximate <=> H+ + 7-methylthioheptyldesulfoglucosinolate + UDP [EC:2.4.1.195]' - }, - 'GO:0103103': { - 'name': 'UDP-glucose: 9-methylthiononylhydroximate S-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-alpha-D-glucose + 9-methylthiononylhydroximate <=> 8-methylthiooctyldesulfoglucosinolate + UDP + H+ [EC:2.4.1.195]' - }, - 'GO:0103104': { - 'name': '6-methylthiohexyldesulfoglucosinolate sulfotransferase activity', - 'def': "Catalysis of the reaction: 6-methylthiohexyldesulfoglucosinolate + 3'-phosphonato-5'-adenylyl sulfate <=> adenosine 3',5'-bismonophosphate + H+ + 6-methylthiohexylglucosinolate [EC:2.8.2.-]" - }, - 'GO:0103105': { - 'name': '2-oxo-6-methylthiohexanoate aminotransferase activity', - 'def': 'Catalysis of the reaction: 2-oxo-6-methylthiohexanoate + a standard alpha amino acid <=> dihomomethionine + a 2-oxo carboxylate [EC:2.6.1.-]' - }, - 'GO:0103106': { - 'name': 'brassinolide 23-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: brassinolide + UDP-alpha-D-glucose <=> brassinolide-23-O-glucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0103107': { - 'name': 'castasterone 23-O-glucosyltransferase activity', - 'def': 'Catalysis of the reaction: castasterone + UDP-alpha-D-glucose <=> castasterone-23-O-glucoside + UDP + H+ [EC:2.4.1.-]' - }, - 'GO:0103111': { - 'name': 'D-glucosamine PTS permease activity', - 'def': 'Catalysis of the reaction: a [PTS enzyme I]-Npi-phospho-L-histidine + D-glucosamine <=> D-glucosamine 6-phosphate + a [PTS enzyme I]-L-histidine [EC:2.7.1.69]' - }, - 'GO:0103113': { - 'name': 'glucosyl-oleandomycin-exporting ATPase activity', - 'def': 'Catalysis of the reaction: glucosyl-oleandomycin + ATP + H2O <=> glucosyl-oleandomycin + ADP + hydrogenphosphate + H+ [EC:3.6.3.-]' - }, - 'GO:0103115': { - 'name': 'protoheme IX ABC transporter activity', - 'def': 'Catalysis of the reaction: ATP + H2O + heme b <=> hydrogenphosphate + ADP + H+ + heme b [EC:3.6.3.41]' - }, - 'GO:0103116': { - 'name': 'alpha-D-galactofuranose transporter activity', - 'def': 'Catalysis of the reaction: alpha-D-galactofuranose + ATP + H2O <=> alpha-D-galactofuranose + hydrogenphosphate + ADP + H+ [EC:3.6.3.-]' - }, - 'GO:0103117': { - 'name': 'UDP-3-O-acyl-N-acetylglucosamine deacetylase activity', - 'def': 'Catalysis of the reaction: UDP-3-O-[(3R)-3-hydroxytetradecanoyl]-N-acetylglucosamine(2-) + H2O <=> UDP-3-O-[(3R)-3-hydroxytetradecanoyl]-alpha-D-glucosamine(1-) + acetate [EC:3.5.1.108]' - }, - 'GO:0103118': { - 'name': 'UDP-3-O-(R-3-hydroxymyristoyl)-glucosamine N-acyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-3-O-[(3R)-3-hydroxytetradecanoyl]-alpha-D-glucosamine(1-) + an (3R)-3-hydroxymyristoyl-[acp] <=> UDP-2,3-bis[O-(3R)-3-hydroxymyristoyl]-alpha-D-glucosamine + H+ + a holo-[acyl-carrier protein] [EC:2.3.1.191]' - }, - 'GO:0120001': { - 'name': 'apical plasma membrane urothelial plaque', - 'def': 'A scallop-shaped plaque, also referred to as an asymmetric unit membrane (AUM), found in the apical plasma membrane of urothelial superficial (umbrella) cells which form a a barrier to the passage of water and soluble toxic compounds found in urine. The plaques are thickened regions of membrane composed of uroplakin transmembrane proteins which form a crystalline array. [GOC:krc, PMID:21468280, PMID:21887288]' - }, - 'GO:0120002': { - 'name': 'fusiform vesicle', - 'def': 'A cytoplasmic vesicle which contains two urothelial plaques and can deliver these plaques to the apical plasma membrane of urothelial superficial (umbrella) cells. It can also be formed by endocytosis of apical plasma membrane during contractions of the urinary bladder. [GOC:krc, PMID:21468280, PMID:21887288]' - }, - 'GO:0120003': { - 'name': 'hinge region between urothelial plaques of apical plasma membrane', - 'def': 'A narrow rim of non-thickened membrane in between urothelial plaques in apical plasma membrane. [GOC:krc, PMID:21468280, PMID:21887288]' - }, - 'GO:0198738': { - 'name': 'cell-cell signaling by wnt', - 'def': 'Any process that mediates the transfer of information from one cell to another, medaited by a wnt family protein ligand. This process includes wnt signal transduction in the receiving cell, release of wnt ligand from a secreting cell as well as any processes that actively facilitate wnt transport and presentation to receptor on the recieving cell. [GOC:dos]' - }, - 'GO:1900000': { - 'name': 'regulation of anthocyanin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of anthocyanin catabolic process. [GOC:TermGenie]' - }, - 'GO:1900001': { - 'name': 'negative regulation of anthocyanin catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anthocyanin catabolic process. [GOC:TermGenie]' - }, - 'GO:1900002': { - 'name': 'positive regulation of anthocyanin catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of anthocyanin catabolic process. [GOC:TermGenie]' - }, - 'GO:1900003': { - 'name': 'regulation of serine-type endopeptidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of serine-type endopeptidase activity. [GOC:TermGenie]' - }, - 'GO:1900004': { - 'name': 'negative regulation of serine-type endopeptidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of serine-type endopeptidase activity. [GOC:TermGenie]' - }, - 'GO:1900005': { - 'name': 'positive regulation of serine-type endopeptidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of serine-type endopeptidase activity. [GOC:TermGenie]' - }, - 'GO:1900006': { - 'name': 'positive regulation of dendrite development', - 'def': 'Any process that activates or increases the frequency, rate or extent of dendrite development. [GOC:TermGenie]' - }, - 'GO:1900007': { - 'name': 'regulation of extrachromosomal rDNA circle accumulation involved in replicative cell aging', - 'def': 'Any process that modulates the frequency, rate or extent of extrachromosomal rDNA circle accumulation involved in replicative cell aging. [GOC:TermGenie, PMID:15020466]' - }, - 'GO:1900008': { - 'name': 'negative regulation of extrachromosomal rDNA circle accumulation involved in replicative cell aging', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of extrachromosomal rDNA circle accumulation involved in replicative cell aging. [GOC:TermGenie, PMID:15020466]' - }, - 'GO:1900009': { - 'name': 'positive regulation of extrachromosomal rDNA circle accumulation involved in replicative cell aging', - 'def': 'Any process that activates or increases the frequency, rate or extent of extrachromosomal rDNA circle accumulation involved in replicative cell aging. [GOC:TermGenie, PMID:15020466]' - }, - 'GO:1900010': { - 'name': 'regulation of corticotropin-releasing hormone receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of corticotropin-releasing hormone receptor activity. [GOC:TermGenie, GOC:yaf, PMID:18234674]' - }, - 'GO:1900011': { - 'name': 'negative regulation of corticotropin-releasing hormone receptor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of corticotropin-releasing hormone receptor activity. [GOC:TermGenie, GOC:yaf, PMID:18234674]' - }, - 'GO:1900012': { - 'name': 'positive regulation of corticotropin-releasing hormone receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of corticotropin-releasing hormone receptor activity. [GOC:TermGenie, GOC:yaf, PMID:18234674]' - }, - 'GO:1900013': { - 'name': 'obsolete cellular response to potassium ion involved in chemotaxis to cAMP', - 'def': "OBSOLETE. The directed movement of a motile cell in response to the presence of 3',5'-cAMP that results in a change in state or activity (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a potassium ion stimulus. [GOC:pf, GOC:TermGenie, PMID:19363786, PMID:21239624]" - }, - 'GO:1900014': { - 'name': 'obsolete cellular response to calcium ion involved in chemotaxis to cAMP', - 'def': "The directed movement of a motile cell in response to the presence of 3',5'-cAMP that results in a change in state or activity (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a calcium ion stimulus. [GOC:pf, GOC:TermGenie, PMID:19363786, PMID:21239624, PMID:8937985]" - }, - 'GO:1900015': { - 'name': 'regulation of cytokine production involved in inflammatory response', - 'def': 'Any process that modulates the frequency, rate or extent of cytokine production involved in inflammatory response. [GOC:TermGenie]' - }, - 'GO:1900016': { - 'name': 'negative regulation of cytokine production involved in inflammatory response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cytokine production involved in inflammatory response. [GOC:TermGenie]' - }, - 'GO:1900017': { - 'name': 'positive regulation of cytokine production involved in inflammatory response', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytokine production involved in inflammatory response. [GOC:TermGenie]' - }, - 'GO:1900018': { - 'name': 'phosphorylation of RNA polymerase II C-terminal domain serine 5 residues involved in recruitment of mRNA capping enzyme to RNA polymerase II holoenzyme complex', - 'def': 'Any phosphorylation of RNA polymerase II C-terminal domain serine 5 residues that is involved in recruitment of mRNA capping enzyme to RNA polymerase II holoenzyme complex. [GOC:rb, GOC:TermGenie, PMID:10594013, PMID:19666497]' - }, - 'GO:1900019': { - 'name': 'regulation of protein kinase C activity', - 'def': 'Any process that modulates the frequency, rate or extent of protein kinase C activity. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900020': { - 'name': 'positive regulation of protein kinase C activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein kinase C activity. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900022': { - 'name': 'regulation of D-erythro-sphingosine kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of D-erythro-sphingosine kinase activity. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900023': { - 'name': 'positive regulation of D-erythro-sphingosine kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of D-erythro-sphingosine kinase activity. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900024': { - 'name': 'regulation of substrate adhesion-dependent cell spreading', - 'def': 'Any process that modulates the frequency, rate or extent of substrate adhesion-dependent cell spreading. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900025': { - 'name': 'negative regulation of substrate adhesion-dependent cell spreading', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of substrate adhesion-dependent cell spreading. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900026': { - 'name': 'positive regulation of substrate adhesion-dependent cell spreading', - 'def': 'Any process that activates or increases the frequency, rate or extent of substrate adhesion-dependent cell spreading. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900027': { - 'name': 'regulation of ruffle assembly', - 'def': 'Any process that modulates the frequency, rate or extent of ruffle assembly. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900028': { - 'name': 'negative regulation of ruffle assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ruffle assembly. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900029': { - 'name': 'positive regulation of ruffle assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of ruffle assembly. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900030': { - 'name': 'regulation of pectin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of pectin biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900031': { - 'name': 'obsolete regulation of transcription from RNA polymerase II promoter involved in calcium-mediated signaling', - 'def': 'OBSOLETE. Any regulation of transcription from RNA polymerase II promoter that is involved in calcium-mediated signaling. [GOC:TermGenie, PMID:9407035, PMID:9407036]' - }, - 'GO:1900032': { - 'name': 'regulation of trichome patterning', - 'def': 'Any process that modulates the frequency, rate or extent of trichome patterning. [GOC:TermGenie]' - }, - 'GO:1900033': { - 'name': 'negative regulation of trichome patterning', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of trichome patterning. [GOC:TermGenie]' - }, - 'GO:1900034': { - 'name': 'regulation of cellular response to heat', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to heat. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900035': { - 'name': 'negative regulation of cellular response to heat', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to heat. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900036': { - 'name': 'positive regulation of cellular response to heat', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to heat. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900037': { - 'name': 'regulation of cellular response to hypoxia', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to hypoxia. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900038': { - 'name': 'negative regulation of cellular response to hypoxia', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to hypoxia. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900039': { - 'name': 'positive regulation of cellular response to hypoxia', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to hypoxia. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900040': { - 'name': 'regulation of interleukin-2 secretion', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-2 secretion. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900041': { - 'name': 'negative regulation of interleukin-2 secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-2 secretion. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900042': { - 'name': 'positive regulation of interleukin-2 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-2 secretion. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900043': { - 'name': 'obsolete leptin-mediated signaling pathway involved in negative regulation of appetite', - 'def': 'OBSOLETE. Any leptin-mediated signaling pathway that is involved in negative regulation of appetite. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900044': { - 'name': 'regulation of protein K63-linked ubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of protein K63-linked ubiquitination. [GOC:TermGenie]' - }, - 'GO:1900045': { - 'name': 'negative regulation of protein K63-linked ubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein K63-linked ubiquitination. [GOC:TermGenie]' - }, - 'GO:1900046': { - 'name': 'regulation of hemostasis', - 'def': 'Any process that modulates the frequency, rate or extent of hemostasis. [GOC:TermGenie]' - }, - 'GO:1900047': { - 'name': 'negative regulation of hemostasis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hemostasis. [GOC:TermGenie]' - }, - 'GO:1900048': { - 'name': 'positive regulation of hemostasis', - 'def': 'Any process that activates or increases the frequency, rate or extent of hemostasis. [GOC:TermGenie]' - }, - 'GO:1900049': { - 'name': 'regulation of histone exchange', - 'def': 'Any process that modulates the frequency, rate or extent of histone exchange. [GOC:TermGenie, PMID:20332092]' - }, - 'GO:1900050': { - 'name': 'negative regulation of histone exchange', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone exchange. [GOC:TermGenie, PMID:20332092]' - }, - 'GO:1900051': { - 'name': 'positive regulation of histone exchange', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone exchange. [GOC:TermGenie, PMID:20332092]' - }, - 'GO:1900052': { - 'name': 'regulation of retinoic acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of retinoic acid biosynthetic process. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900053': { - 'name': 'negative regulation of retinoic acid biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of retinoic acid biosynthetic process. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900054': { - 'name': 'positive regulation of retinoic acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of retinoic acid biosynthetic process. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900055': { - 'name': 'regulation of leaf senescence', - 'def': 'Any process that modulates the frequency, rate or extent of leaf senescence. [GOC:TermGenie]' - }, - 'GO:1900056': { - 'name': 'negative regulation of leaf senescence', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leaf senescence. [GOC:TermGenie]' - }, - 'GO:1900057': { - 'name': 'positive regulation of leaf senescence', - 'def': 'Any process that activates or increases the frequency, rate or extent of leaf senescence. [GOC:TermGenie]' - }, - 'GO:1900058': { - 'name': 'regulation of sulfate assimilation', - 'def': 'Any process that modulates the frequency, rate or extent of sulfate assimilation. [GOC:TermGenie, PMID:7601277, PMID:7891681]' - }, - 'GO:1900059': { - 'name': 'positive regulation of sulfate assimilation', - 'def': 'Any process that activates or increases the frequency, rate or extent of sulfate assimilation. [GOC:TermGenie, PMID:7601277, PMID:7891681]' - }, - 'GO:1900060': { - 'name': 'negative regulation of ceramide biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of a ceramide biosynthetic process. [GOC:TermGenie, PMID:15302821]' - }, - 'GO:1900061': { - 'name': 'obsolete positive regulation of transcription from RNA polymerase II promoter involved in calcium-mediated signaling', - 'def': 'OBSOLETE. Any positive regulation of transcription from RNA polymerase II promoter that is involved in calcium-mediated signaling. [GOC:TermGenie, PMID:9407035, PMID:9407036]' - }, - 'GO:1900062': { - 'name': 'regulation of replicative cell aging', - 'def': 'Any process that modulates the frequency, rate or extent of replicative cell aging. [GOC:TermGenie, PMID:17914901]' - }, - 'GO:1900063': { - 'name': 'regulation of peroxisome organization', - 'def': 'Any process that modulates the frequency, rate or extent of peroxisome organization. [GOC:TermGenie, PMID:7500953]' - }, - 'GO:1900064': { - 'name': 'positive regulation of peroxisome organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of peroxisome organization. [GOC:TermGenie, PMID:7500953]' - }, - 'GO:1900065': { - 'name': 'regulation of ethanol catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of ethanol catabolic process. [GOC:TermGenie, PMID:10608811, PMID:7760841]' - }, - 'GO:1900066': { - 'name': 'positive regulation of ethanol catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ethanol catabolic process. [GOC:TermGenie, PMID:10608811, PMID:7760841]' - }, - 'GO:1900067': { - 'name': 'regulation of cellular response to alkaline pH', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to alkalinity. [GOC:dgf, GOC:TermGenie, PMID:12509465, PMID:17023428]' - }, - 'GO:1900068': { - 'name': 'negative regulation of cellular response to alkaline pH', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to alkalinity. [GOC:dgf, GOC:TermGenie, PMID:12509465, PMID:17023428]' - }, - 'GO:1900069': { - 'name': 'regulation of cellular hyperosmotic salinity response', - 'def': 'Any process that modulates the frequency, rate or extent of cellular hyperosmotic salinity response. [GOC:dgf, GOC:TermGenie, PMID:16278455]' - }, - 'GO:1900070': { - 'name': 'negative regulation of cellular hyperosmotic salinity response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular hyperosmotic salinity response. [GOC:dgf, GOC:TermGenie, PMID:16278455]' - }, - 'GO:1900071': { - 'name': 'regulation of sulfite transport', - 'def': 'Any process that modulates the frequency, rate or extent of sulfite transport. [GOC:TermGenie, PMID:10234785, PMID:10870099]' - }, - 'GO:1900072': { - 'name': 'positive regulation of sulfite transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of sulfite transport. [GOC:TermGenie, PMID:10234785, PMID:10870099]' - }, - 'GO:1900073': { - 'name': 'regulation of neuromuscular synaptic transmission', - 'def': 'Any process that modulates the frequency, rate or extent of neuromuscular synaptic transmission. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1900074': { - 'name': 'negative regulation of neuromuscular synaptic transmission', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neuromuscular synaptic transmission. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1900075': { - 'name': 'positive regulation of neuromuscular synaptic transmission', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuromuscular synaptic transmission. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1900076': { - 'name': 'regulation of cellular response to insulin stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to insulin stimulus. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900077': { - 'name': 'negative regulation of cellular response to insulin stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to insulin stimulus. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900078': { - 'name': 'positive regulation of cellular response to insulin stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to insulin stimulus. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900079': { - 'name': 'regulation of arginine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of arginine biosynthetic process. [GOC:dgf, GOC:TermGenie]' - }, - 'GO:1900080': { - 'name': 'positive regulation of arginine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of arginine biosynthetic process. [GOC:dgf, GOC:TermGenie]' - }, - 'GO:1900081': { - 'name': 'regulation of arginine catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of arginine catabolic process. [GOC:dgf, GOC:TermGenie]' - }, - 'GO:1900082': { - 'name': 'negative regulation of arginine catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of arginine catabolic process. [GOC:dgf, GOC:TermGenie]' - }, - 'GO:1900083': { - 'name': 'obsolete regulation of Sertoli cell proliferation', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of Sertoli cell proliferation. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1900084': { - 'name': 'regulation of peptidyl-tyrosine autophosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of peptidyl-tyrosine autophosphorylation. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1900085': { - 'name': 'negative regulation of peptidyl-tyrosine autophosphorylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of peptidyl-tyrosine autophosphorylation. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1900086': { - 'name': 'positive regulation of peptidyl-tyrosine autophosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of peptidyl-tyrosine autophosphorylation. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1900087': { - 'name': 'positive regulation of G1/S transition of mitotic cell cycle', - 'def': 'Any cell cycle regulatory process that promotes the commitment of a cell from G1 to S phase of the mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:1900088': { - 'name': 'regulation of inositol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of inositol biosynthetic process. [GOC:TermGenie, PMID:22307851]' - }, - 'GO:1900089': { - 'name': 'negative regulation of inositol biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of inositol biosynthetic process. [GOC:TermGenie, PMID:22307851]' - }, - 'GO:1900090': { - 'name': 'positive regulation of inositol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of inositol biosynthetic process. [GOC:TermGenie, PMID:22307851]' - }, - 'GO:1900091': { - 'name': 'regulation of raffinose biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of raffinose biosynthetic process. [GOC:TermGenie, PMID:22307851]' - }, - 'GO:1900092': { - 'name': 'negative regulation of raffinose biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of raffinose biosynthetic process. [GOC:TermGenie, PMID:22307851]' - }, - 'GO:1900093': { - 'name': 'positive regulation of raffinose biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of raffinose biosynthetic process. [GOC:TermGenie, PMID:22307851]' - }, - 'GO:1900094': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in determination of left/right symmetry', - 'def': 'Any regulation of transcription from RNA polymerase II promoter that is involved in determination of left/right symmetry. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900095': { - 'name': 'regulation of dosage compensation by inactivation of X chromosome', - 'def': 'Any process that modulates the frequency, rate or extent of dosage compensation, by inactivation of X chromosome. [GOC:mr, GOC:TermGenie, https://en.wikipedia.org/wiki/XY_sex-determination_system, PMID:20622855]' - }, - 'GO:1900096': { - 'name': 'negative regulation of dosage compensation by inactivation of X chromosome', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dosage compensation, by inactivation of X chromosome. [GOC:TermGenie]' - }, - 'GO:1900097': { - 'name': 'positive regulation of dosage compensation by inactivation of X chromosome', - 'def': 'Any process that activates or increases the frequency, rate or extent of dosage compensation, by inactivation of X chromosome. [GOC:TermGenie]' - }, - 'GO:1900098': { - 'name': 'regulation of plasma cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of plasma cell differentiation. [GOC:TermGenie]' - }, - 'GO:1900099': { - 'name': 'negative regulation of plasma cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of plasma cell differentiation. [GOC:TermGenie]' - }, - 'GO:1900100': { - 'name': 'positive regulation of plasma cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of plasma cell differentiation. [GOC:TermGenie]' - }, - 'GO:1900101': { - 'name': 'regulation of endoplasmic reticulum unfolded protein response', - 'def': 'Any process that modulates the frequency, rate or extent of endoplasmic reticulum unfolded protein response. [GOC:TermGenie]' - }, - 'GO:1900102': { - 'name': 'negative regulation of endoplasmic reticulum unfolded protein response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endoplasmic reticulum unfolded protein response. [GOC:TermGenie]' - }, - 'GO:1900103': { - 'name': 'positive regulation of endoplasmic reticulum unfolded protein response', - 'def': 'Any process that activates or increases the frequency, rate or extent of endoplasmic reticulum unfolded protein response. [GOC:TermGenie]' - }, - 'GO:1900104': { - 'name': 'regulation of hyaluranon cable assembly', - 'def': 'Any process that modulates the frequency, rate or extent of hyaluranon cable assembly. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900105': { - 'name': 'negative regulation of hyaluranon cable assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hyaluranon cable assembly. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900106': { - 'name': 'positive regulation of hyaluranon cable assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of hyaluranon cable assembly. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900107': { - 'name': 'regulation of nodal signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of nodal signaling pathway. [GOC:BHF, GOC:TermGenie, GOC:vk]' - }, - 'GO:1900108': { - 'name': 'negative regulation of nodal signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nodal signaling pathway. [GOC:BHF, GOC:TermGenie, GOC:vk]' - }, - 'GO:1900109': { - 'name': 'regulation of histone H3-K9 dimethylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K9 dimethylation. [GOC:TermGenie, GOC:vw]' - }, - 'GO:1900110': { - 'name': 'negative regulation of histone H3-K9 dimethylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K9 dimethylation. [GOC:TermGenie, GOC:vw]' - }, - 'GO:1900111': { - 'name': 'positive regulation of histone H3-K9 dimethylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K9 dimethylation. [GOC:TermGenie, GOC:vw]' - }, - 'GO:1900112': { - 'name': 'regulation of histone H3-K9 trimethylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K9 trimethylation. [GOC:TermGenie]' - }, - 'GO:1900113': { - 'name': 'negative regulation of histone H3-K9 trimethylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K9 trimethylation. [GOC:TermGenie]' - }, - 'GO:1900114': { - 'name': 'positive regulation of histone H3-K9 trimethylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K9 trimethylation. [GOC:TermGenie]' - }, - 'GO:1900115': { - 'name': 'extracellular regulation of signal transduction', - 'def': 'Any regulation of signal transduction that takes place in the extracellular region. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900116': { - 'name': 'extracellular negative regulation of signal transduction', - 'def': 'Any negative regulation of signal transduction that takes place in extracellular region. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900117': { - 'name': 'regulation of execution phase of apoptosis', - 'def': 'Any process that modulates the frequency, rate or extent of execution phase of apoptosis. [GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1900118': { - 'name': 'negative regulation of execution phase of apoptosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of execution phase of apoptosis. [GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1900119': { - 'name': 'positive regulation of execution phase of apoptosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of execution phase of apoptosis. [GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1900120': { - 'name': 'regulation of receptor binding', - 'def': 'Any process that modulates the frequency, rate or extent of a protein or other molecule binding to a receptor. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900121': { - 'name': 'negative regulation of receptor binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of a protein or other molecule binding to a receptor. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900122': { - 'name': 'positive regulation of receptor binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of a protein or other molecule binding to a receptor. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900123': { - 'name': 'regulation of nodal receptor complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of nodal receptor complex assembly. [GOC:signaling, GOC:TermGenie, PMID:15062104]' - }, - 'GO:1900124': { - 'name': 'negative regulation of nodal receptor complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nodal receptor complex assembly. [GOC:signaling, GOC:TermGenie, PMID:15062104]' - }, - 'GO:1900125': { - 'name': 'regulation of hyaluronan biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of hyaluronan biosynthetic process. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900126': { - 'name': 'negative regulation of hyaluronan biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hyaluronan biosynthetic process. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900127': { - 'name': 'positive regulation of hyaluronan biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of hyaluronan biosynthetic process. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900128': { - 'name': 'regulation of G-protein activated inward rectifier potassium channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of G-protein activated inward rectifier potassium channel activity. [GOC:TermGenie]' - }, - 'GO:1900129': { - 'name': 'positive regulation of G-protein activated inward rectifier potassium channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of G-protein activated inward rectifier potassium channel activity. [GOC:TermGenie]' - }, - 'GO:1900130': { - 'name': 'regulation of lipid binding', - 'def': 'Any process that modulates the frequency, rate or extent of lipid binding. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1900131': { - 'name': 'negative regulation of lipid binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lipid binding. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1900132': { - 'name': 'positive regulation of lipid binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of lipid binding. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1900133': { - 'name': 'regulation of renin secretion into blood stream', - 'def': 'Any process that modulates the frequency, rate or extent of renin secretion into blood stream. [GOC:TermGenie]' - }, - 'GO:1900134': { - 'name': 'negative regulation of renin secretion into blood stream', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of renin secretion into blood stream. [GOC:TermGenie]' - }, - 'GO:1900135': { - 'name': 'positive regulation of renin secretion into blood stream', - 'def': 'Any process that activates or increases the frequency, rate or extent of renin secretion into blood stream. [GOC:TermGenie]' - }, - 'GO:1900136': { - 'name': 'regulation of chemokine activity', - 'def': 'Any process that modulates the frequency, rate or extent of chemokine activity. [GOC:TermGenie]' - }, - 'GO:1900137': { - 'name': 'negative regulation of chemokine activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chemokine activity. [GOC:TermGenie]' - }, - 'GO:1900138': { - 'name': 'negative regulation of phospholipase A2 activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phospholipase A2 activity. [GOC:TermGenie]' - }, - 'GO:1900139': { - 'name': 'negative regulation of arachidonic acid secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of arachidonic acid secretion. [GOC:TermGenie]' - }, - 'GO:1900140': { - 'name': 'regulation of seedling development', - 'def': 'Any process that modulates the frequency, rate or extent of seedling development. [GOC:TermGenie]' - }, - 'GO:1900141': { - 'name': 'regulation of oligodendrocyte apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of oligodendrocyte apoptotic process. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900142': { - 'name': 'negative regulation of oligodendrocyte apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oligodendrocyte apoptotic process. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900143': { - 'name': 'positive regulation of oligodendrocyte apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of oligodendrocyte apoptotic process. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900144': { - 'name': 'positive regulation of BMP secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of BMP secretion. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1900145': { - 'name': 'regulation of nodal signaling pathway involved in determination of left/right asymmetry', - 'def': 'Any process that modulates the frequency, rate or extent of a nodal signaling pathway, where the nodal signaling pathway is involved in determination of left/right asymmetry. [GOC:BHF, GOC:signaling, GOC:TermGenie, GOC:vk]' - }, - 'GO:1900146': { - 'name': 'negative regulation of nodal signaling pathway involved in determination of left/right asymmetry', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of a nodal signaling pathway, where the nodal signaling pathway is involved in determination of left/right asymmetry. [GOC:BHF, GOC:signaling, GOC:TermGenie, GOC:vk]' - }, - 'GO:1900147': { - 'name': 'regulation of Schwann cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of Schwann cell migration. [GOC:sjw, GOC:TermGenie]' - }, - 'GO:1900148': { - 'name': 'negative regulation of Schwann cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Schwann cell migration. [GOC:sjw, GOC:TermGenie]' - }, - 'GO:1900149': { - 'name': 'positive regulation of Schwann cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of Schwann cell migration. [GOC:sjw, GOC:TermGenie]' - }, - 'GO:1900150': { - 'name': 'regulation of defense response to fungus', - 'def': 'Any process that modulates the frequency, rate or extent of defense response to fungus. [GOC:dhl, GOC:TermGenie, PMID:22242006]' - }, - 'GO:1900151': { - 'name': 'regulation of nuclear-transcribed mRNA catabolic process, deadenylation-dependent decay', - 'def': 'Any process that modulates the frequency, rate or extent of nuclear-transcribed mRNA catabolic process, deadenylation-dependent decay. [GOC:mcc, GOC:TermGenie]' - }, - 'GO:1900152': { - 'name': 'negative regulation of nuclear-transcribed mRNA catabolic process, deadenylation-dependent decay', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nuclear-transcribed mRNA catabolic process, deadenylation-dependent decay. [GOC:mcc, GOC:TermGenie]' - }, - 'GO:1900153': { - 'name': 'positive regulation of nuclear-transcribed mRNA catabolic process, deadenylation-dependent decay', - 'def': 'Any process that activates or increases the frequency, rate or extent of nuclear-transcribed mRNA catabolic process, deadenylation-dependent decay. [GOC:mcc, GOC:TermGenie]' - }, - 'GO:1900154': { - 'name': 'regulation of bone trabecula formation', - 'def': 'Any process that modulates the frequency, rate or extent of bone trabecula formation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900155': { - 'name': 'negative regulation of bone trabecula formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of bone trabecula formation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900156': { - 'name': 'positive regulation of bone trabecula formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of bone trabecula formation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900157': { - 'name': 'regulation of bone mineralization involved in bone maturation', - 'def': 'Any process that modulates the frequency, rate or extent of bone mineralization involved in bone maturation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900158': { - 'name': 'negative regulation of bone mineralization involved in bone maturation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of bone mineralization involved in bone maturation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900159': { - 'name': 'positive regulation of bone mineralization involved in bone maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of bone mineralization involved in bone maturation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900160': { - 'name': 'plastid DNA packaging', - 'def': 'Any process in which plastidial DNA and associated proteins are formed into a compact, orderly structure. [GOC:emb, GOC:TermGenie, PMID:12081370]' - }, - 'GO:1900161': { - 'name': 'regulation of phospholipid scramblase activity', - 'def': 'Any process that modulates the frequency, rate or extent of phospholipid scramblase activity. [GOC:TermGenie]' - }, - 'GO:1900162': { - 'name': 'negative regulation of phospholipid scramblase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phospholipid scramblase activity. [GOC:TermGenie]' - }, - 'GO:1900163': { - 'name': 'positive regulation of phospholipid scramblase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of phospholipid scramblase activity. [GOC:TermGenie]' - }, - 'GO:1900164': { - 'name': 'nodal signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'A series of molecular signals initiated by the binding of a nodal protein to an activin receptor on the surface of a target cell, which contributes to the establishment of lateral mesoderm with respect to the left and right halves. [GOC:BHF, GOC:TermGenie, GOC:vk]' - }, - 'GO:1900165': { - 'name': 'negative regulation of interleukin-6 secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-6 secretion. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900166': { - 'name': 'regulation of glial cell-derived neurotrophic factor secretion', - 'def': 'Any process that modulates the frequency, rate or extent of glial cell-derived neurotrophic factor secretion. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900167': { - 'name': 'negative regulation of glial cell-derived neurotrophic factor secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glial cell-derived neurotrophic factor secretion. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900168': { - 'name': 'positive regulation of glial cell-derived neurotrophic factor secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of glial cell-derived neurotrophic factor secretion. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900169': { - 'name': 'regulation of glucocorticoid mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of glucocorticoid mediated signaling pathway. [GOC:TermGenie]' - }, - 'GO:1900170': { - 'name': 'negative regulation of glucocorticoid mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucocorticoid mediated signaling pathway. [GOC:TermGenie]' - }, - 'GO:1900171': { - 'name': 'positive regulation of glucocorticoid mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucocorticoid mediated signaling pathway. [GOC:TermGenie]' - }, - 'GO:1900175': { - 'name': 'regulation of nodal signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'Any process that modulates the frequency, rate or extent of a nodal signaling pathway, where the nodal signaling pathway is involved in determination of left/right asymmetry in the lateral mesoderm. [GOC:BHF, GOC:TermGenie, GOC:vk]' - }, - 'GO:1900176': { - 'name': 'negative regulation of nodal signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of a nodal signaling pathway, where the nodal signaling pathway is involved in determination of left/right asymmetry in the lateral mesoderm. [GOC:BHF, GOC:TermGenie, GOC:vk, PMID:15084459]' - }, - 'GO:1900177': { - 'name': 'regulation of aflatoxin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of aflatoxin biosynthetic process. [GOC:di]' - }, - 'GO:1900178': { - 'name': 'negative regulation of aflatoxin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aflatoxin biosynthetic process. [GOC:di]' - }, - 'GO:1900179': { - 'name': 'positive regulation of aflatoxin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of aflatoxin biosynthetic process. [GOC:di]' - }, - 'GO:1900180': { - 'name': 'regulation of protein localization to nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to nucleus. [GOC:TermGenie]' - }, - 'GO:1900181': { - 'name': 'negative regulation of protein localization to nucleus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to nucleus. [GOC:TermGenie]' - }, - 'GO:1900182': { - 'name': 'positive regulation of protein localization to nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to nucleus. [GOC:TermGenie]' - }, - 'GO:1900183': { - 'name': 'regulation of xanthone-containing compound biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of xanthone-containing compound biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900184': { - 'name': 'negative regulation of xanthone-containing compound biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of xanthone-containing compound biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900185': { - 'name': 'positive regulation of xanthone-containing compound biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of xanthone-containing compound biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900186': { - 'name': 'negative regulation of clathrin-dependent endocytosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of clathrin-mediated endocytosis. [GOC:TermGenie]' - }, - 'GO:1900187': { - 'name': 'regulation of cell adhesion involved in single-species biofilm formation', - 'def': 'Any process that modulates the frequency, rate or extent of cell adhesion involved in single-species biofilm formation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900188': { - 'name': 'negative regulation of cell adhesion involved in single-species biofilm formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell adhesion involved in single-species biofilm formation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900189': { - 'name': 'positive regulation of cell adhesion involved in single-species biofilm formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell adhesion involved in single-species biofilm formation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900190': { - 'name': 'regulation of single-species biofilm formation', - 'def': 'Any process that modulates the frequency, rate or extent of single-species biofilm formation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900191': { - 'name': 'negative regulation of single-species biofilm formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of single-species biofilm formation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900192': { - 'name': 'positive regulation of single-species biofilm formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of single-species biofilm formation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900193': { - 'name': 'regulation of oocyte maturation', - 'def': 'Any process that modulates the frequency, rate or extent of oocyte maturation. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1900194': { - 'name': 'negative regulation of oocyte maturation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oocyte maturation. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1900195': { - 'name': 'positive regulation of oocyte maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of oocyte maturation. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1900196': { - 'name': 'regulation of penicillin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of penicillin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900197': { - 'name': 'negative regulation of penicillin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of penicillin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900198': { - 'name': 'positive regulation of penicillin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of penicillin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900199': { - 'name': 'positive regulation of protein export from nucleus during meiotic anaphase II', - 'def': 'Any process that activates or increases the frequency, rate or extent of directed movement of proteins from the nucleus into the cytoplasm, during anaphase occurring as part of meiosis II. [GOC:al, GOC:TermGenie, PMID:20970342]' - }, - 'GO:1900200': { - 'name': 'mesenchymal cell apoptotic process involved in metanephros development', - 'def': 'Any mesenchymal cell apoptotic process that is involved in metanephros development. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900201': { - 'name': 'obsolete regulation of spread of virus in host, cell to cell', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of spread of virus in host, cell to cell. [GOC:TermGenie]' - }, - 'GO:1900202': { - 'name': 'obsolete negative regulation of spread of virus in host, cell to cell', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of spread of virus in host, cell to cell. [GOC:TermGenie]' - }, - 'GO:1900203': { - 'name': 'obsolete positive regulation of spread of virus in host, cell to cell', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of spread of virus in host, cell to cell. [GOC:TermGenie]' - }, - 'GO:1900204': { - 'name': 'apoptotic process involved in metanephric collecting duct development', - 'def': 'Any apoptotic process that is involved in metanephric collecting duct development. [GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900205': { - 'name': 'apoptotic process involved in metanephric nephron tubule development', - 'def': 'Any apoptotic process that is involved in metanephric nephron tubule development. [GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900206': { - 'name': 'regulation of pronephric nephron tubule development', - 'def': 'Any process that modulates the frequency, rate or extent of pronephric nephron tubule development. [GOC:TermGenie]' - }, - 'GO:1900207': { - 'name': 'negative regulation of pronephric nephron tubule development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pronephric nephron tubule development. [GOC:bf, GOC:TermGenie, PMID:9758706]' - }, - 'GO:1900208': { - 'name': 'regulation of cardiolipin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cardiolipin metabolic process. [GOC:TermGenie]' - }, - 'GO:1900209': { - 'name': 'negative regulation of cardiolipin metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiolipin metabolic process. [GOC:TermGenie]' - }, - 'GO:1900210': { - 'name': 'positive regulation of cardiolipin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiolipin metabolic process. [GOC:TermGenie]' - }, - 'GO:1900211': { - 'name': 'regulation of mesenchymal cell apoptotic process involved in metanephros development', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal cell apoptotic process involved in metanephros development. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900212': { - 'name': 'negative regulation of mesenchymal cell apoptotic process involved in metanephros development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mesenchymal cell apoptotic process involved in metanephros development. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900213': { - 'name': 'positive regulation of mesenchymal cell apoptotic process involved in metanephros development', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesenchymal cell apoptotic process involved in metanephros development. [GOC:mtg_apoptosis, GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900214': { - 'name': 'regulation of apoptotic process involved in metanephric collecting duct development', - 'def': 'Any process that modulates the frequency, rate or extent of apoptotic process involved in metanephric collecting duct development. [GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900215': { - 'name': 'negative regulation of apoptotic process involved in metanephric collecting duct development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apoptotic process involved in metanephric collecting duct development. [GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900216': { - 'name': 'positive regulation of apoptotic process involved in metanephric collecting duct development', - 'def': 'Any process that activates or increases the frequency, rate or extent of apoptotic process involved in metanephric collecting duct development. [GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900217': { - 'name': 'regulation of apoptotic process involved in metanephric nephron tubule development', - 'def': 'Any process that modulates the frequency, rate or extent of apoptotic process involved in metanephric nephron tubule development. [GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900218': { - 'name': 'negative regulation of apoptotic process involved in metanephric nephron tubule development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apoptotic process involved in metanephric nephron tubule development. [GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900219': { - 'name': 'positive regulation of apoptotic process involved in metanephric nephron tubule development', - 'def': 'Any process that activates or increases the frequency, rate or extent of apoptotic process involved in metanephric nephron tubule development. [GOC:mtg_kidney_jan10, GOC:TermGenie, GOC:yaf, PMID:17314325]' - }, - 'GO:1900220': { - 'name': 'semaphorin-plexin signaling pathway involved in bone trabecula morphogenesis', - 'def': 'Any semaphorin-plexin signaling pathway that contributes to bone trabecula morphogenesis. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900221': { - 'name': 'regulation of beta-amyloid clearance', - 'def': 'Any process that modulates the frequency, rate or extent of beta-amyloid clearance. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900222': { - 'name': 'negative regulation of beta-amyloid clearance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of beta-amyloid clearance. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900223': { - 'name': 'positive regulation of beta-amyloid clearance', - 'def': 'Any process that activates or increases the frequency, rate or extent of beta-amyloid clearance. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900224': { - 'name': 'positive regulation of nodal signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'Any process that activates or increases the frequency, rate or extent of nodal signaling pathway involved in determination of lateral mesoderm left/right asymmetry. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900225': { - 'name': 'regulation of NLRP3 inflammasome complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of NLRP3 inflammasome complex assembly. [GOC:TermGenie]' - }, - 'GO:1900226': { - 'name': 'negative regulation of NLRP3 inflammasome complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of NLRP3 inflammasome complex assembly. [GOC:TermGenie]' - }, - 'GO:1900227': { - 'name': 'positive regulation of NLRP3 inflammasome complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of NLRP3 inflammasome complex assembly. [GOC:TermGenie]' - }, - 'GO:1900228': { - 'name': 'regulation of single-species biofilm formation in or on host organism', - 'def': 'Any process that modulates the frequency, rate or extent of single-species biofilm formation in or on host organism. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900229': { - 'name': 'negative regulation of single-species biofilm formation in or on host organism', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of single-species biofilm formation in or on host organism. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900230': { - 'name': 'positive regulation of single-species biofilm formation in or on host organism', - 'def': 'Any process that activates or increases the frequency, rate or extent of single-species biofilm formation in or on host organism. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900231': { - 'name': 'regulation of single-species biofilm formation on inanimate substrate', - 'def': 'Any process that modulates the frequency, rate or extent of single-species biofilm formation on inanimate substrate. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900232': { - 'name': 'negative regulation of single-species biofilm formation on inanimate substrate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of single-species biofilm formation on inanimate substrate. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900233': { - 'name': 'positive regulation of single-species biofilm formation on inanimate substrate', - 'def': 'Any process that activates or increases the frequency, rate or extent of single-species biofilm formation on inanimate substrate. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900234': { - 'name': 'regulation of Kit signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of Kit signaling pathway. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900235': { - 'name': 'negative regulation of Kit signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Kit signaling pathway. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900236': { - 'name': 'positive regulation of Kit signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of Kit signaling pathway. [GOC:signaling, GOC:TermGenie]' - }, - 'GO:1900237': { - 'name': 'positive regulation of induction of conjugation with cellular fusion', - 'def': 'Any process that activates or increases the frequency, rate or extent of induction of conjugation with cellular fusion. [GOC:TermGenie]' - }, - 'GO:1900238': { - 'name': 'regulation of metanephric mesenchymal cell migration by platelet-derived growth factor receptor-beta signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of regulation of metanephric mesenchymal cell migration, by platelet-derived growth factor receptor-beta signaling pathway. [GOC:mtg_kidney_jan10, GOC:TermGenie, goc:yaf, PMID:19450854]' - }, - 'GO:1900239': { - 'name': 'regulation of phenotypic switching', - 'def': 'Any process that modulates the frequency, rate or extent of phenotypic switching. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900240': { - 'name': 'negative regulation of phenotypic switching', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phenotypic switching. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900241': { - 'name': 'positive regulation of phenotypic switching', - 'def': 'Any process that activates or increases the frequency, rate or extent of phenotypic switching. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900242': { - 'name': 'regulation of synaptic vesicle endocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle endocytosis. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900243': { - 'name': 'negative regulation of synaptic vesicle endocytosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synaptic vesicle endocytosis. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900244': { - 'name': 'positive regulation of synaptic vesicle endocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic vesicle endocytosis. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900245': { - 'name': 'positive regulation of MDA-5 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of MDA-5 signaling pathway. [GOC:TermGenie]' - }, - 'GO:1900246': { - 'name': 'positive regulation of RIG-I signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of RIG-I signaling pathway. [GOC:TermGenie]' - }, - 'GO:1900247': { - 'name': 'regulation of cytoplasmic translational elongation', - 'def': 'Any process that modulates the frequency, rate or extent of cytoplasmic translational elongation. [GOC:TermGenie]' - }, - 'GO:1900248': { - 'name': 'negative regulation of cytoplasmic translational elongation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cytoplasmic translational elongation. [GOC:TermGenie]' - }, - 'GO:1900249': { - 'name': 'positive regulation of cytoplasmic translational elongation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytoplasmic translational elongation. [GOC:TermGenie]' - }, - 'GO:1900256': { - 'name': 'regulation of beta1-adrenergic receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of beta1-adrenergic receptor activity. [GOC:TermGenie]' - }, - 'GO:1900257': { - 'name': 'negative regulation of beta1-adrenergic receptor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of beta1-adrenergic receptor activity. [GOC:TermGenie]' - }, - 'GO:1900258': { - 'name': 'positive regulation of beta1-adrenergic receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of beta1-adrenergic receptor activity. [GOC:TermGenie]' - }, - 'GO:1900259': { - 'name': "regulation of RNA-directed 5'-3' RNA polymerase activity", - 'def': "Any process that modulates the frequency, rate or extent of RNA-directed 5'-3' RNA polymerase activity. [GOC:pf, GOC:TermGenie]" - }, - 'GO:1900260': { - 'name': "negative regulation of RNA-directed 5'-3' RNA polymerase activity", - 'def': "Any process that stops, prevents or reduces the frequency, rate or extent of RNA-directed 5'-3' RNA polymerase activity. [GOC:pf, GOC:TermGenie]" - }, - 'GO:1900261': { - 'name': "positive regulation of RNA-directed 5'-3' RNA polymerase activity", - 'def': "Any process that activates or increases the frequency, rate or extent of RNA-directed 5'-3' RNA polymerase activity. [GOC:pf, GOC:TermGenie]" - }, - 'GO:1900262': { - 'name': 'regulation of DNA-directed DNA polymerase activity', - 'def': 'Any process that modulates the frequency, rate or extent of DNA-directed DNA polymerase activity. [GOC:TermGenie]' - }, - 'GO:1900263': { - 'name': 'negative regulation of DNA-directed DNA polymerase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA-directed DNA polymerase activity. [GOC:TermGenie]' - }, - 'GO:1900264': { - 'name': 'positive regulation of DNA-directed DNA polymerase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA-directed DNA polymerase activity. [GOC:TermGenie]' - }, - 'GO:1900265': { - 'name': 'regulation of substance P receptor binding', - 'def': 'Any process that modulates the frequency, rate or extent of substance P receptor binding. [GOC:TermGenie]' - }, - 'GO:1900266': { - 'name': 'negative regulation of substance P receptor binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of substance P receptor binding. [GOC:TermGenie]' - }, - 'GO:1900267': { - 'name': 'positive regulation of substance P receptor binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of substance P receptor binding. [GOC:TermGenie]' - }, - 'GO:1900268': { - 'name': 'regulation of reverse transcription', - 'def': 'Any process that modulates the frequency, rate or extent of reverse transcription. [GOC:TermGenie]' - }, - 'GO:1900269': { - 'name': 'negative regulation of reverse transcription', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of reverse transcription. [GOC:TermGenie]' - }, - 'GO:1900270': { - 'name': 'positive regulation of reverse transcription', - 'def': 'Any process that activates or increases the frequency, rate or extent of reverse transcription. [GOC:TermGenie]' - }, - 'GO:1900271': { - 'name': 'regulation of long-term synaptic potentiation', - 'def': 'Any process that modulates the frequency, rate or extent of long-term synaptic potentiation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900272': { - 'name': 'negative regulation of long-term synaptic potentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of long-term synaptic potentiation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900273': { - 'name': 'positive regulation of long-term synaptic potentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of long-term synaptic potentiation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900274': { - 'name': 'regulation of phospholipase C activity', - 'def': 'Any process that modulates the frequency, rate or extent of phospholipase C activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900275': { - 'name': 'negative regulation of phospholipase C activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phospholipase C activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900276': { - 'name': 'regulation of proteinase activated receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of proteinase activated receptor activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900277': { - 'name': 'negative regulation of proteinase activated receptor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of proteinase activated receptor activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900278': { - 'name': 'positive regulation of proteinase activated receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of proteinase activated receptor activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900279': { - 'name': 'regulation of CD4-positive, alpha-beta T cell costimulation', - 'def': 'Any process that modulates the frequency, rate or extent of CD4-positive, alpha-beta T cell costimulation. [GOC:BHF, GOC:pr, GOC:TermGenie]' - }, - 'GO:1900280': { - 'name': 'negative regulation of CD4-positive, alpha-beta T cell costimulation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CD4-positive, alpha-beta T cell costimulation. [GOC:BHF, GOC:pr, GOC:TermGenie]' - }, - 'GO:1900281': { - 'name': 'positive regulation of CD4-positive, alpha-beta T cell costimulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD4-positive, alpha-beta T cell costimulation. [GOC:BHF, GOC:pr, GOC:TermGenie]' - }, - 'GO:1900282': { - 'name': 'regulation of cellobiose catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellobiose catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900283': { - 'name': 'negative regulation of cellobiose catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellobiose catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900284': { - 'name': 'positive regulation of cellobiose catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellobiose catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900285': { - 'name': 'regulation of cellotriose transport', - 'def': 'Any process that modulates the frequency, rate or extent of cellotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900286': { - 'name': 'negative regulation of cellotriose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900287': { - 'name': 'positive regulation of cellotriose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900288': { - 'name': 'regulation of coenzyme F420-dependent bicyclic nitroimidazole catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of coenzyme F420-dependent bicyclic nitroimidazole catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900289': { - 'name': 'negative regulation of coenzyme F420-dependent bicyclic nitroimidazole catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of coenzyme F420-dependent bicyclic nitroimidazole catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900290': { - 'name': 'positive regulation of coenzyme F420-dependent bicyclic nitroimidazole catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of coenzyme F420-dependent bicyclic nitroimidazole catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900291': { - 'name': 'regulation of galactotriose transport', - 'def': 'Any process that modulates the frequency, rate or extent of galactotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900292': { - 'name': 'negative regulation of galactotriose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of galactotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900293': { - 'name': 'positive regulation of galactotriose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of galactotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900294': { - 'name': 'regulation of heptasaccharide transport', - 'def': 'Any process that modulates the frequency, rate or extent of heptasaccharide transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900295': { - 'name': 'negative regulation of heptasaccharide transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of heptasaccharide transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900296': { - 'name': 'positive regulation of heptasaccharide transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of heptasaccharide transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900297': { - 'name': 'regulation of hexasaccharide transport', - 'def': 'Any process that modulates the frequency, rate or extent of hexasaccharide transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900298': { - 'name': 'negative regulation of hexasaccharide transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hexasaccharide transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900299': { - 'name': 'positive regulation of hexasaccharide transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of hexasaccharide transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900300': { - 'name': 'regulation of laminarabiose transport', - 'def': 'Any process that modulates the frequency, rate or extent of laminarabiose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900301': { - 'name': 'negative regulation of laminarabiose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of laminarabiose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900302': { - 'name': 'positive regulation of laminarabiose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of laminarabiose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900303': { - 'name': 'regulation of laminaritriose transport', - 'def': 'Any process that modulates the frequency, rate or extent of laminaritriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900304': { - 'name': 'negative regulation of laminaritriose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of laminaritriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900305': { - 'name': 'positive regulation of laminaritriose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of laminaritriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900306': { - 'name': 'regulation of maltoheptaose transport', - 'def': 'Any process that modulates the frequency, rate or extent of maltoheptaose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900307': { - 'name': 'negative regulation of maltoheptaose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maltoheptaose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900308': { - 'name': 'positive regulation of maltoheptaose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of maltoheptaose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900309': { - 'name': 'regulation of maltoheptaose metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of maltoheptaose metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900310': { - 'name': 'negative regulation of maltoheptaose metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maltoheptaose metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900311': { - 'name': 'positive regulation of maltoheptaose metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of maltoheptaose metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900312': { - 'name': 'regulation of maltohexaose transport', - 'def': 'Any process that modulates the frequency, rate or extent of maltohexaose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900313': { - 'name': 'negative regulation of maltohexaose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maltohexaose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900314': { - 'name': 'positive regulation of maltohexaose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of maltohexaose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900315': { - 'name': 'regulation of maltopentaose transport', - 'def': 'Any process that modulates the frequency, rate or extent of maltopentaose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900316': { - 'name': 'negative regulation of maltopentaose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maltopentaose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900317': { - 'name': 'positive regulation of maltopentaose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of maltopentaose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900318': { - 'name': 'regulation of methane biosynthetic process from dimethylamine', - 'def': 'Any process that modulates the frequency, rate or extent of methane biosynthetic process from dimethylamine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900319': { - 'name': 'negative regulation of methane biosynthetic process from dimethylamine', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methane biosynthetic process from dimethylamine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900320': { - 'name': 'positive regulation of methane biosynthetic process from dimethylamine', - 'def': 'Any process that activates or increases the frequency, rate or extent of methane biosynthetic process from dimethylamine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900321': { - 'name': 'regulation of maltotetraose transport', - 'def': 'Any process that modulates the frequency, rate or extent of maltotetraose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900322': { - 'name': 'negative regulation of maltotetraose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maltotetraose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900323': { - 'name': 'positive regulation of maltotetraose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of maltotetraose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900324': { - 'name': 'regulation of maltotriulose transport', - 'def': 'Any process that modulates the frequency, rate or extent of maltotriulose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900325': { - 'name': 'negative regulation of maltotriulose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maltotriulose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900326': { - 'name': 'positive regulation of maltotriulose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of maltotriulose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900327': { - 'name': 'regulation of mannotriose transport', - 'def': 'Any process that modulates the frequency, rate or extent of mannotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900328': { - 'name': 'negative regulation of mannotriose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mannotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900329': { - 'name': 'positive regulation of mannotriose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of mannotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900330': { - 'name': 'regulation of methane biosynthetic process from trimethylamine', - 'def': 'Any process that modulates the frequency, rate or extent of methane biosynthetic process from trimethylamine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900331': { - 'name': 'negative regulation of methane biosynthetic process from trimethylamine', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methane biosynthetic process from trimethylamine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900332': { - 'name': 'positive regulation of methane biosynthetic process from trimethylamine', - 'def': 'Any process that activates or increases the frequency, rate or extent of methane biosynthetic process from trimethylamine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900333': { - 'name': 'regulation of methane biosynthetic process from 3-(methylthio)propionic acid', - 'def': 'Any process that modulates the frequency, rate or extent of methane biosynthetic process from 3-(methylthio)propionic acid. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900334': { - 'name': 'negative regulation of methane biosynthetic process from 3-(methylthio)propionic acid', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methane biosynthetic process from 3-(methylthio)propionic acid. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900335': { - 'name': 'positive regulation of methane biosynthetic process from 3-(methylthio)propionic acid', - 'def': 'Any process that activates or increases the frequency, rate or extent of methane biosynthetic process from 3-(methylthio)propionic acid. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900336': { - 'name': 'regulation of methane biosynthetic process from carbon monoxide', - 'def': 'Any process that modulates the frequency, rate or extent of methane biosynthetic process from carbon monoxide. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900337': { - 'name': 'negative regulation of methane biosynthetic process from carbon monoxide', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methane biosynthetic process from carbon monoxide. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900338': { - 'name': 'positive regulation of methane biosynthetic process from carbon monoxide', - 'def': 'Any process that activates or increases the frequency, rate or extent of methane biosynthetic process from carbon monoxide. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900339': { - 'name': 'regulation of methane biosynthetic process from formic acid', - 'def': 'Any process that modulates the frequency, rate or extent of methane biosynthetic process from formic acid. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900340': { - 'name': 'negative regulation of methane biosynthetic process from formic acid', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methane biosynthetic process from formic acid. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900341': { - 'name': 'positive regulation of methane biosynthetic process from formic acid', - 'def': 'Any process that activates or increases the frequency, rate or extent of methane biosynthetic process from formic acid. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900342': { - 'name': 'regulation of methane biosynthetic process from dimethyl sulfide', - 'def': 'Any process that modulates the frequency, rate or extent of methane biosynthetic process from dimethyl sulfide. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900343': { - 'name': 'negative regulation of methane biosynthetic process from dimethyl sulfide', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methane biosynthetic process from dimethyl sulfide. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900344': { - 'name': 'positive regulation of methane biosynthetic process from dimethyl sulfide', - 'def': 'Any process that activates or increases the frequency, rate or extent of methane biosynthetic process from dimethyl sulfide. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900345': { - 'name': 'regulation of methane biosynthetic process from methanethiol', - 'def': 'Any process that modulates the frequency, rate or extent of methane biosynthetic process from methanethiol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900346': { - 'name': 'negative regulation of methane biosynthetic process from methanethiol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methane biosynthetic process from methanethiol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900347': { - 'name': 'positive regulation of methane biosynthetic process from methanethiol', - 'def': 'Any process that activates or increases the frequency, rate or extent of methane biosynthetic process from methanethiol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900348': { - 'name': 'regulation of methane biosynthetic process from methylamine', - 'def': 'Any process that modulates the frequency, rate or extent of methane biosynthetic process from methylamine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900349': { - 'name': 'negative regulation of methane biosynthetic process from methylamine', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methane biosynthetic process from methylamine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900350': { - 'name': 'positive regulation of methane biosynthetic process from methylamine', - 'def': 'Any process that activates or increases the frequency, rate or extent of methane biosynthetic process from methylamine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900351': { - 'name': 'regulation of methanofuran biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of methanofuran biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900352': { - 'name': 'negative regulation of methanofuran biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methanofuran biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900353': { - 'name': 'positive regulation of methanofuran biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of methanofuran biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900354': { - 'name': 'regulation of methanofuran metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of methanofuran metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900355': { - 'name': 'negative regulation of methanofuran metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methanofuran metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900356': { - 'name': 'positive regulation of methanofuran metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of methanofuran metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900357': { - 'name': 'regulation of nigerotriose transport', - 'def': 'Any process that modulates the frequency, rate or extent of nigerotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900358': { - 'name': 'negative regulation of nigerotriose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nigerotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900359': { - 'name': 'positive regulation of nigerotriose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of nigerotriose transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900360': { - 'name': 'regulation of pentasaccharide transport', - 'def': 'Any process that modulates the frequency, rate or extent of pentasaccharide transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900361': { - 'name': 'negative regulation of pentasaccharide transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pentasaccharide transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900362': { - 'name': 'positive regulation of pentasaccharide transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of pentasaccharide transport. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900363': { - 'name': 'regulation of mRNA polyadenylation', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA polyadenylation. [GOC:se, GOC:TermGenie, PMID:15121841]' - }, - 'GO:1900364': { - 'name': 'negative regulation of mRNA polyadenylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mRNA polyadenylation. [GOC:se, GOC:TermGenie, PMID:15121841]' - }, - 'GO:1900365': { - 'name': 'positive regulation of mRNA polyadenylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mRNA polyadenylation. [GOC:se, GOC:TermGenie, PMID:15121841]' - }, - 'GO:1900366': { - 'name': 'negative regulation of defense response to insect', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of defense response to insect. [GOC:TermGenie, PMID:22474183]' - }, - 'GO:1900367': { - 'name': 'positive regulation of defense response to insect', - 'def': 'Any process that activates or increases the frequency, rate or extent of defense response to insect. [GOC:TermGenie, PMID:22474183]' - }, - 'GO:1900368': { - 'name': 'regulation of RNA interference', - 'def': 'Any process that modulates the frequency, rate or extent of RNA interference. [GOC:kmv, GOC:TermGenie, PMID:22412382]' - }, - 'GO:1900369': { - 'name': 'negative regulation of RNA interference', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of RNA interference. [GOC:kmv, GOC:TermGenie, PMID:22412382]' - }, - 'GO:1900370': { - 'name': 'positive regulation of RNA interference', - 'def': 'Any process that activates or increases the frequency, rate or extent of RNA interference. [GOC:kmv, GOC:TermGenie, PMID:22412382]' - }, - 'GO:1900371': { - 'name': 'regulation of purine nucleotide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of purine nucleotide biosynthetic processes. [GOC:go_curators, GOC:TermGenie]' - }, - 'GO:1900372': { - 'name': 'negative regulation of purine nucleotide biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of purine nucleotide biosynthetic processes. [GOC:go_curators, GOC:TermGenie]' - }, - 'GO:1900373': { - 'name': 'positive regulation of purine nucleotide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of purine nucleotide biosynthetic processes. [GOC:go_curators, GOC:TermGenie]' - }, - 'GO:1900374': { - 'name': 'positive regulation of mating type switching by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in positive regulation of mating type switching. [GOC:go_curators, GOC:TermGenie, PMID:8804308]' - }, - 'GO:1900375': { - 'name': 'positive regulation of inositol biosynthetic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter that results in positive regulation of inositol biosynthetic process. [GOC:go_curators, GOC:TermGenie, PMID:2004420]' - }, - 'GO:1900376': { - 'name': 'regulation of secondary metabolite biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of secondary metabolite biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900377': { - 'name': 'negative regulation of secondary metabolite biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of secondary metabolite biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900378': { - 'name': 'positive regulation of secondary metabolite biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of secondary metabolite biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900379': { - 'name': 'regulation of asperthecin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of asperthecin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900380': { - 'name': 'negative regulation of asperthecin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of asperthecin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900381': { - 'name': 'positive regulation of asperthecin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of asperthecin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900382': { - 'name': 'regulation of thiamine biosynthetic process by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of thiamine biosynthetic process. [GOC:mah, GOC:TermGenie, PMID:16874521]' - }, - 'GO:1900383': { - 'name': 'regulation of synaptic plasticity by receptor localization to synapse', - 'def': 'Any process that modulates synaptic plasticity, the ability of synapses to change as circumstances require, via receptor localization to the synapse, the junction between a nerve fiber of one neuron and another neuron or muscle fiber or glial cell. Processes may include receptor transport to, and/or maintenance at, the synapse. [GOC:kmv, GOC:TermGenie, PMID:22464329]' - }, - 'GO:1900384': { - 'name': 'regulation of flavonol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of flavonol biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900385': { - 'name': 'negative regulation of flavonol biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of flavonol biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900386': { - 'name': 'positive regulation of flavonol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of flavonol biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900387': { - 'name': 'negative regulation of cell-cell adhesion by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter that results in negative regulation of cell-cell adhesion. [GOC:BHF, GOC:TermGenie, PMID:15737616]' - }, - 'GO:1900388': { - 'name': 'obsolete regulation of vesicle-mediated transport by regulation of transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. A regulation of transcription from RNA polymerase II promoter that results in regulation of vesicle-mediated transport. [GOC:mah, GOC:TermGenie, PMID:18622392]' - }, - 'GO:1900389': { - 'name': 'regulation of glucose import by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of glucose import. [GOC:mah, GOC:TermGenie, PMID:18622392]' - }, - 'GO:1900390': { - 'name': 'regulation of iron ion import', - 'def': 'Any process that modulates the frequency, rate or extent of iron ion import. [GOC:TermGenie]' - }, - 'GO:1900391': { - 'name': 'regulation of cAMP-mediated signaling by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of cAMP-mediated signaling. [GOC:mah, GOC:TermGenie, PMID:15448137]' - }, - 'GO:1900392': { - 'name': 'regulation of transport by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter that results in regulation of transport. [GOC:mah, GOC:TermGenie, PMID:17446861]' - }, - 'GO:1900393': { - 'name': 'regulation of iron ion transport by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of iron ion transport. [GOC:mah, GOC:TermGenie, PMID:11956219]' - }, - 'GO:1900394': { - 'name': 'regulation of kojic acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of kojic acid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900395': { - 'name': 'negative regulation of kojic acid biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of kojic acid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900396': { - 'name': 'positive regulation of kojic acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of kojic acid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900397': { - 'name': 'regulation of pyrimidine nucleotide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of pyrimidine nucleotide biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900398': { - 'name': 'negative regulation of pyrimidine nucleotide biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pyrimidine nucleotide biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900399': { - 'name': 'positive regulation of pyrimidine nucleotide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of pyrimidine nucleotide biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900400': { - 'name': 'regulation of iron ion import by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of iron ion import. [GOC:mah, GOC:TermGenie, PMID:18622392]' - }, - 'GO:1900401': { - 'name': 'regulation of meiosis by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of meiosis. [GOC:mah, GOC:TermGenie, PMID:12161753]' - }, - 'GO:1900402': { - 'name': 'regulation of carbohydrate metabolic process by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of carbohydrate metabolic process. [GOC:mah, GOC:TermGenie, PMID:16408318]' - }, - 'GO:1900403': { - 'name': 'negative regulation of cellular amino acid biosynthetic process by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter that results in negative regulation of cellular amino acid biosynthetic process. [GOC:mah, GOC:TermGenie, PMID:17446861]' - }, - 'GO:1900404': { - 'name': 'positive regulation of DNA repair by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter that results in positive regulation of DNA repair. [GOC:mah, GOC:TermGenie, PMID:20299455]' - }, - 'GO:1900405': { - 'name': 'regulation of cell separation after cytokinesis by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of cell separation after cytokinesis. [GOC:mah, GOC:TermGenie, PMID:10491317, PMID:12665550]' - }, - 'GO:1900406': { - 'name': 'regulation of conjugation with cellular fusion by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of conjugation with cellular fusion. [GOC:mah, GOC:TermGenie, PMID:1112904]' - }, - 'GO:1900407': { - 'name': 'regulation of cellular response to oxidative stress', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to oxidative stress. [GOC:mah, GOC:TermGenie]' - }, - 'GO:1900408': { - 'name': 'negative regulation of cellular response to oxidative stress', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to oxidative stress. [GOC:mah, GOC:TermGenie]' - }, - 'GO:1900409': { - 'name': 'positive regulation of cellular response to oxidative stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to oxidative stress. [GOC:mah, GOC:TermGenie]' - }, - 'GO:1900410': { - 'name': 'obsolete regulation of histone modification by regulation of transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. A regulation of transcription from RNA polymerase II promoter that results in regulation of histone modification. [GOC:mah, GOC:TermGenie]' - }, - 'GO:1900411': { - 'name': 'obsolete regulation of histone acetylation by regulation of transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. A regulation of transcription from RNA polymerase II promoter that results in regulation of histone acetylation. [GOC:mah, GOC:TermGenie, PMID:15218150]' - }, - 'GO:1900412': { - 'name': 'obsolete regulation of histone methylation by regulation of transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. A regulation of transcription from RNA polymerase II promoter that results in regulation of histone methylation. [GOC:mah, GOC:TermGenie, PMID:15218150]' - }, - 'GO:1900413': { - 'name': 'positive regulation of phospholipid biosynthetic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter that results in positive regulation of phospholipid biosynthetic process. [GOC:mah, GOC:TermGenie, PMID:16537923]' - }, - 'GO:1900414': { - 'name': 'regulation of cytokinesis by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of cytokinesis. [GOC:mah, GOC:TermGenie, PMID:15509866]' - }, - 'GO:1900415': { - 'name': 'regulation of fungal-type cell wall biogenesis by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of fungal-type cell wall biogenesis. [GOC:mah, GOC:TermGenie, PMID:15509866]' - }, - 'GO:1900416': { - 'name': 'regulation of 4,6-pyruvylated galactose residue biosynthetic process by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of 4,6-pyruvylated galactose residue biosynthetic process. [GOC:mah, GOC:TermGenie, PMID:15173185]' - }, - 'GO:1900417': { - 'name': 'negative regulation of transmembrane transport by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter that results in negative regulation of transmembrane transport. [GOC:mah, GOC:TermGenie, PMID:20404084]' - }, - 'GO:1900418': { - 'name': 'positive regulation of purine nucleotide biosynthetic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter that results in positive regulation of purine nucleotide biosynthetic process. [GOC:curators, GOC:TermGenie, PMID:17573544]' - }, - 'GO:1900419': { - 'name': 'regulation of cellular alcohol catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellular alcohol catabolic process. [GOC:TermGenie]' - }, - 'GO:1900420': { - 'name': 'negative regulation of cellular alcohol catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular alcohol catabolic process. [GOC:TermGenie]' - }, - 'GO:1900421': { - 'name': 'positive regulation of cellular alcohol catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular alcohol catabolic process. [GOC:TermGenie]' - }, - 'GO:1900422': { - 'name': 'positive regulation of cellular alcohol catabolic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter that results in positive regulation of cellular alcohol catabolic process. [GOC:curators, GOC:TermGenie, PMID:3305157, PMID:8221926]' - }, - 'GO:1900423': { - 'name': 'positive regulation of mating type switching by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter that results in positive regulation of mating type switching. [GOC:TermGenie, PMID:8804308]' - }, - 'GO:1900424': { - 'name': 'regulation of defense response to bacterium', - 'def': 'Any process that modulates the frequency, rate or extent of defense response to bacterium. [GOC:TermGenie, PMID:22346749]' - }, - 'GO:1900425': { - 'name': 'negative regulation of defense response to bacterium', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of defense response to bacterium. [GOC:TermGenie, PMID:22346749]' - }, - 'GO:1900426': { - 'name': 'positive regulation of defense response to bacterium', - 'def': 'Any process that activates or increases the frequency, rate or extent of defense response to bacterium. [GOC:TermGenie, PMID:22346749]' - }, - 'GO:1900427': { - 'name': 'regulation of cellular response to oxidative stress by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of cellular response to oxidative stress. [GOC:mah, GOC:TermGenie, PMID:10348908]' - }, - 'GO:1900428': { - 'name': 'regulation of filamentous growth of a population of unicellular organisms', - 'def': 'Any process that modulates the frequency, rate or extent of filamentous growth of a population of unicellular organisms. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900429': { - 'name': 'negative regulation of filamentous growth of a population of unicellular organisms', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of filamentous growth of a population of unicellular organisms. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900430': { - 'name': 'positive regulation of filamentous growth of a population of unicellular organisms', - 'def': 'Any process that activates or increases the frequency, rate or extent of filamentous growth of a population of unicellular organisms. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900431': { - 'name': 'regulation of filamentous growth of a population of unicellular organisms in response to heat', - 'def': 'Any process that modulates the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to heat. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900432': { - 'name': 'negative regulation of filamentous growth of a population of unicellular organisms in response to heat', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to heat. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900433': { - 'name': 'positive regulation of filamentous growth of a population of unicellular organisms in response to heat', - 'def': 'Any process that activates or increases the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to heat. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900434': { - 'name': 'regulation of filamentous growth of a population of unicellular organisms in response to starvation', - 'def': 'Any process that modulates the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to starvation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900435': { - 'name': 'negative regulation of filamentous growth of a population of unicellular organisms in response to starvation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to starvation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900436': { - 'name': 'positive regulation of filamentous growth of a population of unicellular organisms in response to starvation', - 'def': 'Any process that activates or increases the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to starvation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900437': { - 'name': 'regulation of filamentous growth of a population of unicellular organisms in response to chemical stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to chemical stimulus. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900438': { - 'name': 'negative regulation of filamentous growth of a population of unicellular organisms in response to chemical stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to chemical stimulus. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900439': { - 'name': 'positive regulation of filamentous growth of a population of unicellular organisms in response to chemical stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to chemical stimulus. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900440': { - 'name': 'regulation of filamentous growth of a population of unicellular organisms in response to neutral pH', - 'def': 'Any process that modulates the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to neutral pH. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900441': { - 'name': 'negative regulation of filamentous growth of a population of unicellular organisms in response to neutral pH', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to neutral pH. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900442': { - 'name': 'positive regulation of filamentous growth of a population of unicellular organisms in response to neutral pH', - 'def': 'Any process that activates or increases the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to neutral pH. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900443': { - 'name': 'regulation of filamentous growth of a population of unicellular organisms in response to biotic stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to biotic stimulus. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900444': { - 'name': 'negative regulation of filamentous growth of a population of unicellular organisms in response to biotic stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to biotic stimulus. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900445': { - 'name': 'positive regulation of filamentous growth of a population of unicellular organisms in response to biotic stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to biotic stimulus. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900446': { - 'name': 'negative regulation of tRNA transcription from RNA polymerase III promoter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tRNA transcription from RNA polymerase III promoter. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1900447': { - 'name': 'regulation of cell morphogenesis involved in phenotypic switching', - 'def': "Any process that modulates the frequency, rate or extent of cell morphogenesis contributing a phenotypic switch. Cell morphogenesis involved in differentiation is the change in form (cell shape and size) that occurs when relatively unspecialized cells, such as the opaque cells of C. albicans, acquire specialized structural and/or functional features that characterize the cells, tissues, or organs of the mature organism or some other relatively stable phase of the organism's life history. [GOC:di, GOC:TermGenie]" - }, - 'GO:1900448': { - 'name': 'regulation of pyrimidine nucleotide biosynthetic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of pyrimidine nucleotide biosynthesis by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:TermGenie]' - }, - 'GO:1900449': { - 'name': 'regulation of glutamate receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of glutamate receptor signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900450': { - 'name': 'negative regulation of glutamate receptor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glutamate receptor signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900451': { - 'name': 'positive regulation of glutamate receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of glutamate receptor signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900452': { - 'name': 'regulation of long term synaptic depression', - 'def': 'Any process that modulates the frequency, rate or extent of long term synaptic depression. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900453': { - 'name': 'negative regulation of long term synaptic depression', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of long term synaptic depression. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900454': { - 'name': 'positive regulation of long term synaptic depression', - 'def': 'Any process that activates or increases the frequency, rate or extent of long term synaptic depression. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900455': { - 'name': 'regulation of flocculation via cell wall protein-carbohydrate interaction', - 'def': 'Any process that modulates the frequency, rate or extent of flocculation via cell wall protein-carbohydrate interaction. [GOC:dgf, GOC:TermGenie, PMID:10591965, PMID:15466424, PMID:16568252]' - }, - 'GO:1900456': { - 'name': 'obsolete regulation of invasive growth in response to glucose limitation by regulation of transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of invasive growth in response to glucose limitation by modulating the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:10373537, PMID:10591965, PMID:12024013, PMID:15466424, PMID:16568252, PMID:8710886, PMID:9811878, PMID:9987114]' - }, - 'GO:1900457': { - 'name': 'regulation of brassinosteroid mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of brassinosteroid mediated signaling pathway. [GOC:TermGenie, PMID:21855796]' - }, - 'GO:1900458': { - 'name': 'negative regulation of brassinosteroid mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of brassinosteroid mediated signaling pathway. [GOC:TermGenie, PMID:21855796]' - }, - 'GO:1900459': { - 'name': 'positive regulation of brassinosteroid mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of brassinosteroid mediated signaling pathway. [GOC:TermGenie, PMID:21855796]' - }, - 'GO:1900460': { - 'name': 'negative regulation of invasive growth in response to glucose limitation by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of invasive growth in response to glucose limitation by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:12024013, PMID:15466424, PMID:9811878]' - }, - 'GO:1900461': { - 'name': 'positive regulation of pseudohyphal growth by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of pseudohyphal growth by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:11046133, PMID:8710886, PMID:9987114]' - }, - 'GO:1900462': { - 'name': 'negative regulation of pseudohyphal growth by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of pseudohyphal growth by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II Any process that stops, prevents, or reduces the frequency, rate or extent of pseudohyphal growth by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:12024012, PMID:9811878]' - }, - 'GO:1900463': { - 'name': 'negative regulation of cellular response to alkaline pH by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cellular response to alkalinity by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:12509465, PMID:17023428]' - }, - 'GO:1900464': { - 'name': 'negative regulation of cellular hyperosmotic salinity response by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cellular hyperosmotic salinity response by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:16278455]' - }, - 'GO:1900465': { - 'name': 'negative regulation of arginine catabolic process by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cellular arginine catabolic process by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:19233144, PMID:8455631]' - }, - 'GO:1900466': { - 'name': 'positive regulation of arginine biosynthetic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of arginine biosynthetic process by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:19233144, PMID:8455631]' - }, - 'GO:1900467': { - 'name': 'obsolete regulation of cellular potassium ion homeostasis', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of cellular potassium ion homeostasis. [GOC:dgf, GOC:TermGenie, PMID:20412803]' - }, - 'GO:1900468': { - 'name': 'regulation of phosphatidylserine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of phosphatidylserine biosynthetic process. [GOC:dgf, GOC:TermGenie, PMID:8056324, PMID:8614637]' - }, - 'GO:1900469': { - 'name': 'negative regulation of phosphatidylserine biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phosphatidylserine biosynthetic process. [GOC:dgf, GOC:TermGenie, PMID:8056324, PMID:8614637]' - }, - 'GO:1900470': { - 'name': 'positive regulation of phosphatidylserine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidylserine biosynthetic process. [GOC:dgf, GOC:TermGenie, PMID:8056324, PMID:8614637]' - }, - 'GO:1900471': { - 'name': 'negative regulation of inositol biosynthetic process by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of inositol biosynthetic process by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:8056324, PMID:8614637]' - }, - 'GO:1900472': { - 'name': 'positive regulation of phosphatidylcholine biosynthetic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidylcholine biosynthetic process by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:8056324, PMID:8614637]' - }, - 'GO:1900473': { - 'name': 'negative regulation of phosphatidylcholine biosynthetic process by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of phosphatidylcholine biosynthetic process by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:8056324]' - }, - 'GO:1900474': { - 'name': 'negative regulation of mating type switching by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mating type switching by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:8625408, PMID:8625409]' - }, - 'GO:1900475': { - 'name': 'positive regulation of meiosis by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of meiosis by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:8618927]' - }, - 'GO:1900476': { - 'name': 'positive regulation of meiosis by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of meiosis by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:8618927]' - }, - 'GO:1900477': { - 'name': 'negative regulation of G1/S transition of mitotic cell cycle by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of G1/S transition of mitotic cell cycle by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:19841732]' - }, - 'GO:1900478': { - 'name': 'positive regulation of sulfate assimilation by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of sulfate assimilation by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:7601277, PMID:7891681]' - }, - 'GO:1900479': { - 'name': 'positive regulation of flocculation via cell wall protein-carbohydrate interaction', - 'def': 'Any process that activates or increases the frequency, rate or extent of flocculation via cell wall protein-carbohydrate interaction. [GOC:dgf, GOC:TermGenie, PMID:10591965, PMID:15466424, PMID:16568252]' - }, - 'GO:1900480': { - 'name': 'regulation of diacylglycerol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of diacylglycerol biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900481': { - 'name': 'negative regulation of diacylglycerol biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of diacylglycerol biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900482': { - 'name': 'positive regulation of diacylglycerol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of diacylglycerol biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1900483': { - 'name': 'regulation of protein targeting to vacuolar membrane', - 'def': 'Any process that modulates the frequency, rate or extent of protein targeting to vacuolar membrane. [GOC:TermGenie]' - }, - 'GO:1900484': { - 'name': 'negative regulation of protein targeting to vacuolar membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein targeting to vacuolar membrane. [GOC:TermGenie]' - }, - 'GO:1900485': { - 'name': 'positive regulation of protein targeting to vacuolar membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein targeting to vacuolar membrane. [GOC:TermGenie]' - }, - 'GO:1900486': { - 'name': 'positive regulation of isopentenyl diphosphate biosynthetic process, mevalonate pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of isopentenyl diphosphate biosynthetic process, mevalonate pathway. [GOC:TermGenie]' - }, - 'GO:1900487': { - 'name': 'regulation of [2Fe-2S] cluster assembly', - 'def': 'Any process that modulates the frequency, rate or extent of [2Fe-2S] cluster assembly. [GOC:mengo_curators, GOC:pr, GOC:TermGenie]' - }, - 'GO:1900488': { - 'name': 'negative regulation of [2Fe-2S] cluster assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of [2Fe-2S] cluster assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900489': { - 'name': 'positive regulation of [2Fe-2S] cluster assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of [2Fe-2S] cluster assembly. [GOC:mengo_curators, GOC:pr, GOC:TermGenie]' - }, - 'GO:1900490': { - 'name': 'positive regulation of hydroxymethylglutaryl-CoA reductase (NADPH) activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of hydroxymethylglutaryl-CoA reductase (NADPH) activity. [GOC:TermGenie]' - }, - 'GO:1900491': { - 'name': 'regulation of [4Fe-4S] cluster assembly', - 'def': 'Any process that modulates the frequency, rate or extent of [4Fe-4S] cluster assembly. [GOC:mengo_curators, GOC:pr, GOC:TermGenie]' - }, - 'GO:1900492': { - 'name': 'negative regulation of [4Fe-4S] cluster assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of [4Fe-4S] cluster assembly. [GOC:mengo_curators, GOC:pr, GOC:TermGenie]' - }, - 'GO:1900493': { - 'name': 'positive regulation of [4Fe-4S] cluster assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of [4Fe-4S] cluster assembly. [GOC:mengo_curators, GOC:pr, GOC:TermGenie]' - }, - 'GO:1900494': { - 'name': 'regulation of butyryl-CoA biosynthetic process from acetyl-CoA', - 'def': 'Any process that modulates the frequency, rate or extent of butyryl-CoA biosynthetic process from acetyl-CoA. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900495': { - 'name': 'negative regulation of butyryl-CoA biosynthetic process from acetyl-CoA', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of butyryl-CoA biosynthetic process from acetyl-CoA. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900496': { - 'name': 'positive regulation of butyryl-CoA biosynthetic process from acetyl-CoA', - 'def': 'Any process that activates or increases the frequency, rate or extent of butyryl-CoA biosynthetic process from acetyl-CoA. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900497': { - 'name': 'regulation of butyryl-CoA catabolic process to butanol', - 'def': 'Any process that modulates the frequency, rate or extent of butyryl-CoA catabolic process to butanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900498': { - 'name': 'negative regulation of butyryl-CoA catabolic process to butanol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of butyryl-CoA catabolic process to butanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900499': { - 'name': 'positive regulation of butyryl-CoA catabolic process to butanol', - 'def': 'Any process that activates or increases the frequency, rate or extent of butyryl-CoA catabolic process to butanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900500': { - 'name': 'regulation of butyryl-CoA catabolic process to butyrate', - 'def': 'Any process that modulates the frequency, rate or extent of butyryl-CoA catabolic process to butyrate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900501': { - 'name': 'negative regulation of butyryl-CoA catabolic process to butyrate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of butyryl-CoA catabolic process to butyrate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900502': { - 'name': 'positive regulation of butyryl-CoA catabolic process to butyrate', - 'def': 'Any process that activates or increases the frequency, rate or extent of butyryl-CoA catabolic process to butyrate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900503': { - 'name': 'regulation of cellulosome assembly', - 'def': 'Any process that modulates the frequency, rate or extent of cellulosome assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900504': { - 'name': 'negative regulation of cellulosome assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellulosome assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900505': { - 'name': 'positive regulation of cellulosome assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellulosome assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900506': { - 'name': 'regulation of iron-sulfur-molybdenum cofactor assembly', - 'def': 'Any process that modulates the frequency, rate or extent of iron-sulfur-molybdenum cofactor assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900507': { - 'name': 'negative regulation of iron-sulfur-molybdenum cofactor assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of iron-sulfur-molybdenum cofactor assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900508': { - 'name': 'positive regulation of iron-sulfur-molybdenum cofactor assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of iron-sulfur-molybdenum cofactor assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900509': { - 'name': 'regulation of pentose catabolic process to ethanol', - 'def': 'Any process that modulates the frequency, rate or extent of pentose catabolic process to ethanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900510': { - 'name': 'negative regulation of pentose catabolic process to ethanol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pentose catabolic process to ethanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900511': { - 'name': 'positive regulation of pentose catabolic process to ethanol', - 'def': 'Any process that activates or increases the frequency, rate or extent of pentose catabolic process to ethanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900512': { - 'name': 'regulation of starch utilization system complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of starch utilization system complex assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900513': { - 'name': 'negative regulation of starch utilization system complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of starch utilization system complex assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900514': { - 'name': 'positive regulation of starch utilization system complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of starch utilization system complex assembly. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900515': { - 'name': 'regulation of xylose catabolic process to ethanol', - 'def': 'Any process that modulates the frequency, rate or extent of xylose catabolic process to ethanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900516': { - 'name': 'negative regulation of xylose catabolic process to ethanol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of xylose catabolic process to ethanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900517': { - 'name': 'positive regulation of xylose catabolic process to ethanol', - 'def': 'Any process that activates or increases the frequency, rate or extent of xylose catabolic process to ethanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900518': { - 'name': 'regulation of response to pullulan', - 'def': 'Any process that modulates the frequency, rate or extent of response to pullulan. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900519': { - 'name': 'negative regulation of response to pullulan', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to pullulan. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900520': { - 'name': 'positive regulation of response to pullulan', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to pullulan. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900521': { - 'name': 'regulation of response to amylopectin', - 'def': 'Any process that modulates the frequency, rate or extent of response to amylopectin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900522': { - 'name': 'negative regulation of response to amylopectin', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to amylopectin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900523': { - 'name': 'positive regulation of response to amylopectin', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to amylopectin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900524': { - 'name': 'positive regulation of flocculation via cell wall protein-carbohydrate interaction by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of flocculation via cell wall protein-carbohydrate interaction process by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:10591965, PMID:15466424, PMID:16568252]' - }, - 'GO:1900525': { - 'name': 'positive regulation of phosphatidylserine biosynthetic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidylserine biosynthetic process by activating or increasing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:8056324, PMID:8614637]' - }, - 'GO:1900526': { - 'name': 'negative regulation of phosphatidylserine biosynthetic process by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of phosphatidylserine biosynthetic process by stopping, preventing, or reducing the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:dgf, GOC:TermGenie, PMID:8056324]' - }, - 'GO:1900527': { - 'name': 'obsolete regulation of nucleus size involved in G1 to G0 transition', - 'def': 'OBSOLETE. Any regulation of nucleus size that is involved in G1 to G0 transition. [GOC:al, GOC:TermGenie, PMID:19366728]' - }, - 'GO:1900528': { - 'name': 'obsolete regulation of cell shape involved in G1 to G0 transition', - 'def': 'OBSOLETE. Any regulation of cell shape that is involved in G1 to G0 transition. [GOC:al, GOC:TermGenie, PMID:19366728]' - }, - 'GO:1900529': { - 'name': 'obsolete regulation of cell shape involved in cellular response to glucose starvation', - 'def': 'OBSOLETE. Any regulation of cell shape that is involved in cellular response to glucose starvation. [GOC:al, GOC:TermGenie, PMID:9135147]' - }, - 'GO:1900530': { - 'name': 'obsolete regulation of cell shape involved in cellular response to salt stress', - 'def': 'OBSOLETE. Any regulation of cell shape that is involved in cellular response to salt stress. [GOC:al, GOC:TermGenie, PMID:9135147]' - }, - 'GO:1900531': { - 'name': 'obsolete regulation of cell shape involved in cellular response to heat', - 'def': 'OBSOLETE. Any regulation of cell shape that is involved in cellular response to heat. [GOC:al, GOC:TermGenie, PMID:9135147]' - }, - 'GO:1900532': { - 'name': 'obsolete negative regulation of cell proliferation involved in cellular hyperosmotic response', - 'def': 'OBSOLETE. negative regulation of cell proliferation during cellular hyperosmotic response [GOC:TermGenie]' - }, - 'GO:1900533': { - 'name': 'palmitic acid metabolic process', - 'def': 'The chemical reactions and pathways involving palmitic acid. [GOC:TermGenie]' - }, - 'GO:1900534': { - 'name': 'palmitic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of palmitic acid. [GOC:TermGenie]' - }, - 'GO:1900535': { - 'name': 'palmitic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of palmitic acid. [GOC:TermGenie]' - }, - 'GO:1900536': { - 'name': 'obsolete regulation of glucose homeostasis', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of glucose homeostasis. [GOC:TermGenie]' - }, - 'GO:1900537': { - 'name': 'obsolete negative regulation of glucose homeostasis', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of glucose homeostasis. [GOC:TermGenie]' - }, - 'GO:1900538': { - 'name': 'obsolete positive regulation of glucose homeostasis', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of glucose homeostasis. [GOC:TermGenie]' - }, - 'GO:1900539': { - 'name': 'fumonisin metabolic process', - 'def': 'The chemical reactions and pathways involving fumonisin. [GOC:TermGenie]' - }, - 'GO:1900540': { - 'name': 'fumonisin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fumonisin. [GOC:TermGenie]' - }, - 'GO:1900541': { - 'name': 'fumonisin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fumonisin. [GOC:TermGenie]' - }, - 'GO:1900542': { - 'name': 'regulation of purine nucleotide metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of purine nucleotide metabolic process. [GOC:TermGenie]' - }, - 'GO:1900543': { - 'name': 'negative regulation of purine nucleotide metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of purine nucleotide metabolic process. [GOC:TermGenie]' - }, - 'GO:1900544': { - 'name': 'positive regulation of purine nucleotide metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of purine nucleotide metabolic process. [GOC:TermGenie]' - }, - 'GO:1900545': { - 'name': 'regulation of phenotypic switching by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of phenotypic switching. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900546': { - 'name': 'positive regulation of phenotypic switching by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in positive regulation of phenotypic switching. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900547': { - 'name': 'negative regulation of phenotypic switching by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in negative regulation of phenotypic switching. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900548': { - 'name': 'heme b catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of heme b, a Fe(II) porphyrin complex readily isolated from the hemoglobin of beef blood, but also found in other proteins including other hemoglobins, myoglobins, cytochromes P-450, catalases, peroxidases as well as b type cytochromes. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5874, UniPathway:UPA00684]' - }, - 'GO:1900549': { - 'name': "N',N'',N'''-triacetylfusarinine C metabolic process", - 'def': "The chemical reactions and pathways involving N',N'',N'''-triacetylfusarinine C. [GOC:di, GOC:TermGenie]" - }, - 'GO:1900550': { - 'name': "N',N'',N'''-triacetylfusarinine C catabolic process", - 'def': "The chemical reactions and pathways resulting in the breakdown of N',N'',N'''-triacetylfusarinine C. [GOC:di, GOC:TermGenie]" - }, - 'GO:1900551': { - 'name': "N',N'',N'''-triacetylfusarinine C biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of N',N'',N'''-triacetylfusarinine C. [GOC:di, GOC:TermGenie]" - }, - 'GO:1900552': { - 'name': 'asperfuranone metabolic process', - 'def': 'The chemical reactions and pathways involving asperfuranone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900553': { - 'name': 'asperfuranone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of asperfuranone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900554': { - 'name': 'asperfuranone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of asperfuranone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900555': { - 'name': 'emericellamide metabolic process', - 'def': 'The chemical reactions and pathways involving emericellamide. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900556': { - 'name': 'emericellamide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of emericellamide. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900557': { - 'name': 'emericellamide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of emericellamide. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900558': { - 'name': 'austinol metabolic process', - 'def': 'The chemical reactions and pathways involving austinol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900559': { - 'name': 'austinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of austinol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900560': { - 'name': 'austinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of austinol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900561': { - 'name': 'dehydroaustinol metabolic process', - 'def': 'The chemical reactions and pathways involving dehydroaustinol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900562': { - 'name': 'dehydroaustinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dehydroaustinol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900563': { - 'name': 'dehydroaustinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of dehydroaustinol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900564': { - 'name': 'chanoclavine-I metabolic process', - 'def': 'The chemical reactions and pathways involving chanoclavine-I. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900565': { - 'name': 'chanoclavine-I catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of chanoclavine-I. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900566': { - 'name': 'chanoclavine-I biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chanoclavine-I. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900567': { - 'name': 'chanoclavine-I aldehyde metabolic process', - 'def': 'The chemical reactions and pathways involving chanoclavine-I aldehyde. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900568': { - 'name': 'chanoclavine-I aldehyde catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of chanoclavine-I aldehyde. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900569': { - 'name': 'chanoclavine-I aldehyde biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of chanoclavine-I aldehyde. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900570': { - 'name': 'diorcinol metabolic process', - 'def': 'The chemical reactions and pathways involving diorcinol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900571': { - 'name': 'diorcinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of diorcinol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900572': { - 'name': 'diorcinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of diorcinol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900573': { - 'name': 'emodin metabolic process', - 'def': 'The chemical reactions and pathways involving emodin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900574': { - 'name': 'emodin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of emodin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900575': { - 'name': 'emodin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of emodin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900576': { - 'name': 'gerfelin metabolic process', - 'def': 'The chemical reactions and pathways involving gerfelin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900577': { - 'name': 'gerfelin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gerfelin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900578': { - 'name': 'gerfelin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of gerfelin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900579': { - 'name': '(17Z)-protosta-17(20),24-dien-3beta-ol metabolic process', - 'def': 'The chemical reactions and pathways involving (17Z)-protosta-17(20),24-dien-3beta-ol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900580': { - 'name': '(17Z)-protosta-17(20),24-dien-3beta-ol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (17Z)-protosta-17(20),24-dien-3beta-ol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900581': { - 'name': '(17Z)-protosta-17(20),24-dien-3beta-ol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (17Z)-protosta-17(20),24-dien-3beta-ol. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900582': { - 'name': 'o-orsellinic acid metabolic process', - 'def': 'The chemical reactions and pathways involving o-orsellinic acid. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900583': { - 'name': 'o-orsellinic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of o-orsellinic acid. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900584': { - 'name': 'o-orsellinic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of o-orsellinic acid. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900585': { - 'name': 'arugosin metabolic process', - 'def': 'The chemical reactions and pathways involving arugosin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900586': { - 'name': 'arugosin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of arugosin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900587': { - 'name': 'arugosin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of arugosin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900588': { - 'name': 'violaceol I metabolic process', - 'def': 'The chemical reactions and pathways involving violaceol I. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900589': { - 'name': 'violaceol I catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of violaceol I. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900590': { - 'name': 'violaceol I biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of violaceol I. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900591': { - 'name': 'violaceol II metabolic process', - 'def': 'The chemical reactions and pathways involving violaceol II. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900592': { - 'name': 'violaceol II catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of violaceol II. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900593': { - 'name': 'violaceol II biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of violaceol II. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900594': { - 'name': '(+)-kotanin metabolic process', - 'def': 'The chemical reactions and pathways involving (+)-kotanin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900595': { - 'name': '(+)-kotanin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (+)-kotanin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900596': { - 'name': '(+)-kotanin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (+)-kotanin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900597': { - 'name': 'demethylkotanin metabolic process', - 'def': 'The chemical reactions and pathways involving demethylkotanin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900598': { - 'name': 'demethylkotanin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of demethylkotanin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900599': { - 'name': 'demethylkotanin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of demethylkotanin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900600': { - 'name': 'endocrocin metabolic process', - 'def': 'The chemical reactions and pathways involving endocrocin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900601': { - 'name': 'endocrocin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of endocrocin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900602': { - 'name': 'endocrocin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of endocrocin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900603': { - 'name': 'tensidol A metabolic process', - 'def': 'The chemical reactions and pathways involving tensidol A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900604': { - 'name': 'tensidol A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tensidol A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900605': { - 'name': 'tensidol A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tensidol A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900606': { - 'name': 'tensidol B metabolic process', - 'def': 'The chemical reactions and pathways involving tensidol B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900607': { - 'name': 'tensidol B catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tensidol B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900608': { - 'name': 'tensidol B biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tensidol B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900609': { - 'name': 'F-9775A metabolic process', - 'def': 'The chemical reactions and pathways involving F-9775A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900610': { - 'name': 'F-9775A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of F-9775A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900611': { - 'name': 'F-9775A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of F-9775A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900612': { - 'name': 'F-9775B metabolic process', - 'def': 'The chemical reactions and pathways involving F-9775B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900613': { - 'name': 'F-9775B catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of F-9775B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900614': { - 'name': 'F-9775B biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of F-9775B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900615': { - 'name': 'emericellamide A metabolic process', - 'def': 'The chemical reactions and pathways involving emericellamide A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900616': { - 'name': 'emericellamide A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of emericellamide A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900617': { - 'name': 'emericellamide A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of emericellamide A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900618': { - 'name': 'regulation of shoot system morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of shoot morphogenesis. [GOC:TermGenie]' - }, - 'GO:1900619': { - 'name': 'acetate ester metabolic process', - 'def': 'The chemical reactions and pathways involving an acetate ester, any carboxylic ester where the carboxylic acid component is acetic acid. [GOC:TermGenie]' - }, - 'GO:1900620': { - 'name': 'acetate ester biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an acetate esteran acetate ester, any carboxylic ester where the carboxylic acid component is acetic acid. [GOC:TermGenie, PMID:15042596]' - }, - 'GO:1900621': { - 'name': 'regulation of transcription from RNA polymerase II promoter by calcium-mediated signaling', - 'def': 'Calcium-mediated signaling that results in regulation of transcription from an RNA polymerase II promoter. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900622': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter by calcium-mediated signaling', - 'def': 'Calcium-mediated signaling that results in positive regulation of transcription from an RNA polymerase II promoter. [GOC:bf, GOC:BHF, GOC:dgf, GOC:TermGenie, PMID:9407035, PMID:9407036]' - }, - 'GO:1900623': { - 'name': 'regulation of monocyte aggregation', - 'def': 'Any process that modulates the frequency, rate or extent of monocyte aggregation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900624': { - 'name': 'negative regulation of monocyte aggregation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of monocyte aggregation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900625': { - 'name': 'positive regulation of monocyte aggregation', - 'def': 'Any process that activates or increases the frequency, rate or extent of monocyte aggregation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900626': { - 'name': 'regulation of arugosin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of arugosin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900627': { - 'name': 'negative regulation of arugosin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of arugosin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900628': { - 'name': 'positive regulation of arugosin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of arugosin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900629': { - 'name': 'methanophenazine metabolic process', - 'def': 'The chemical reactions and pathways involving methanophenazine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900630': { - 'name': 'methanophenazine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of methanophenazine. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900631': { - 'name': 'tridecane metabolic process', - 'def': 'The chemical reactions and pathways involving tridecane. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900632': { - 'name': 'tridecane biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tridecane. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900633': { - 'name': 'pentadecane metabolic process', - 'def': 'The chemical reactions and pathways involving pentadecane. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900634': { - 'name': 'pentadecane biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pentadecane. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900635': { - 'name': 'heptadecane metabolic process', - 'def': 'The chemical reactions and pathways involving heptadecane. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900636': { - 'name': 'heptadecane biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of heptadecane. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900637': { - 'name': 'regulation of asperfuranone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of asperfuranone biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900638': { - 'name': 'negative regulation of asperfuranone biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of asperfuranone biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900639': { - 'name': 'positive regulation of asperfuranone biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of asperfuranone biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900640': { - 'name': 'regulation of austinol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of austinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900641': { - 'name': 'negative regulation of austinol biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of austinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900642': { - 'name': 'positive regulation of austinol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of austinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900643': { - 'name': 'regulation of chanoclavine-I biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of chanoclavine-I biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900644': { - 'name': 'negative regulation of chanoclavine-I biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chanoclavine-I biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900645': { - 'name': 'positive regulation of chanoclavine-I biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of chanoclavine-I biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900646': { - 'name': 'regulation of chanoclavine-I aldehyde biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of chanoclavine-I aldehyde biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900647': { - 'name': 'negative regulation of chanoclavine-I aldehyde biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chanoclavine-I aldehyde biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900648': { - 'name': 'positive regulation of chanoclavine-I aldehyde biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of chanoclavine-I aldehyde biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900649': { - 'name': 'regulation of dehydroaustinol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of dehydroaustinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900650': { - 'name': 'negative regulation of dehydroaustinol biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dehydroaustinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900651': { - 'name': 'positive regulation of dehydroaustinol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of dehydroaustinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900652': { - 'name': 'regulation of demethylkotanin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of demethylkotanin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900653': { - 'name': 'negative regulation of demethylkotanin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of demethylkotanin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900654': { - 'name': 'positive regulation of demethylkotanin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of demethylkotanin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900655': { - 'name': 'regulation of diorcinol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of diorcinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900656': { - 'name': 'negative regulation of diorcinol biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of diorcinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900657': { - 'name': 'positive regulation of diorcinol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of diorcinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900658': { - 'name': 'regulation of emericellamide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of emericellamide biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900659': { - 'name': 'negative regulation of emericellamide biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of emericellamide biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900660': { - 'name': 'positive regulation of emericellamide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of emericellamide biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900661': { - 'name': 'regulation of emericellamide A biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of emericellamide A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900662': { - 'name': 'negative regulation of emericellamide A biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of emericellamide A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900663': { - 'name': 'positive regulation of emericellamide A biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of emericellamide A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900664': { - 'name': 'regulation of emodin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of emodin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900665': { - 'name': 'negative regulation of emodin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of emodin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900666': { - 'name': 'positive regulation of emodin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of emodin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900667': { - 'name': 'regulation of endocrocin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of endocrocin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900668': { - 'name': 'negative regulation of endocrocin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endocrocin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900669': { - 'name': 'positive regulation of endocrocin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of endocrocin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900670': { - 'name': 'regulation of F-9775A biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of F-9775A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900671': { - 'name': 'negative regulation of F-9775A biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of F-9775A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900672': { - 'name': 'positive regulation of F-9775A biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of F-9775A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900673': { - 'name': 'olefin metabolic process', - 'def': 'The chemical reactions and pathways involving olefin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900674': { - 'name': 'olefin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of olefin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900675': { - 'name': 'regulation of F-9775B biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of F-9775B biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900676': { - 'name': 'negative regulation of F-9775B biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of F-9775B biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900677': { - 'name': 'positive regulation of F-9775B biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of F-9775B biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900678': { - 'name': 'regulation of ferricrocin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of ferricrocin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900679': { - 'name': 'negative regulation of ferricrocin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ferricrocin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900680': { - 'name': 'positive regulation of ferricrocin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ferricrocin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900681': { - 'name': 'octadecene metabolic process', - 'def': 'The chemical reactions and pathways involving octadecene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900682': { - 'name': 'octadecene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of octadecene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900683': { - 'name': 'regulation of fumonisin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of fumonisin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900684': { - 'name': 'negative regulation of fumonisin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fumonisin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900685': { - 'name': 'positive regulation of fumonisin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of fumonisin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900686': { - 'name': 'regulation of gerfelin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of gerfelin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900687': { - 'name': 'negative regulation of gerfelin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gerfelin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900688': { - 'name': 'positive regulation of gerfelin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of gerfelin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900689': { - 'name': 'regulation of gliotoxin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of gliotoxin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900690': { - 'name': 'negative regulation of gliotoxin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gliotoxin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900691': { - 'name': 'positive regulation of gliotoxin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of gliotoxin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900692': { - 'name': 'regulation of (+)-kotanin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of (+)-kotanin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900693': { - 'name': 'negative regulation of (+)-kotanin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of (+)-kotanin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900694': { - 'name': 'positive regulation of (+)-kotanin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of (+)-kotanin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900695': { - 'name': "regulation of N',N'',N'''-triacetylfusarinine C biosynthetic process", - 'def': "Any process that modulates the frequency, rate or extent of N',N'',N'''-triacetylfusarinine C biosynthetic process. [GOC:di, GOC:TermGenie]" - }, - 'GO:1900696': { - 'name': "negative regulation of N',N'',N'''-triacetylfusarinine C biosynthetic process", - 'def': "Any process that stops, prevents or reduces the frequency, rate or extent of N',N'',N'''-triacetylfusarinine C biosynthetic process. [GOC:di, GOC:TermGenie]" - }, - 'GO:1900697': { - 'name': "positive regulation of N',N'',N'''-triacetylfusarinine C biosynthetic process", - 'def': "Any process that activates or increases the frequency, rate or extent of N',N'',N'''-triacetylfusarinine C biosynthetic process. [GOC:di, GOC:TermGenie]" - }, - 'GO:1900698': { - 'name': 'regulation of o-orsellinic acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of o-orsellinic acid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900699': { - 'name': 'negative regulation of o-orsellinic acid biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of o-orsellinic acid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900700': { - 'name': 'positive regulation of o-orsellinic acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of o-orsellinic acid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900701': { - 'name': 'regulation of orcinol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of orcinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900702': { - 'name': 'negative regulation of orcinol biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of orcinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900703': { - 'name': 'positive regulation of orcinol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of orcinol biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900704': { - 'name': 'regulation of siderophore biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of siderophore biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900705': { - 'name': 'negative regulation of siderophore biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of siderophore biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900706': { - 'name': 'positive regulation of siderophore biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of siderophore biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900707': { - 'name': 'regulation of tensidol A biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of tensidol A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900708': { - 'name': 'negative regulation of tensidol A biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tensidol A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900709': { - 'name': 'positive regulation of tensidol A biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tensidol A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900710': { - 'name': 'regulation of tensidol B biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of tensidol B biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900711': { - 'name': 'negative regulation of tensidol B biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tensidol B biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900712': { - 'name': 'positive regulation of tensidol B biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tensidol B biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900713': { - 'name': 'regulation of violaceol I biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of violaceol I biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900714': { - 'name': 'negative regulation of violaceol I biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of violaceol I biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900715': { - 'name': 'positive regulation of violaceol I biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of violaceol I biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900716': { - 'name': 'regulation of violaceol II biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of violaceol II biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900717': { - 'name': 'negative regulation of violaceol II biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of violaceol II biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900718': { - 'name': 'positive regulation of violaceol II biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of violaceol II biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900719': { - 'name': 'regulation of uterine smooth muscle relaxation', - 'def': 'Any process that modulates the frequency, rate or extent of uterine smooth muscle relaxation. [GOC:TermGenie]' - }, - 'GO:1900720': { - 'name': 'negative regulation of uterine smooth muscle relaxation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of uterine smooth muscle relaxation. [GOC:TermGenie]' - }, - 'GO:1900721': { - 'name': 'positive regulation of uterine smooth muscle relaxation', - 'def': 'Any process that activates or increases the frequency, rate or extent of uterine smooth muscle relaxation. [GOC:TermGenie]' - }, - 'GO:1900722': { - 'name': 'regulation of protein adenylylation', - 'def': 'Any process that modulates the frequency, rate or extent of protein adenylylation. [GOC:TermGenie]' - }, - 'GO:1900723': { - 'name': 'negative regulation of protein adenylylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein adenylylation. [GOC:TermGenie]' - }, - 'GO:1900724': { - 'name': 'positive regulation of protein adenylylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein adenylylation. [GOC:TermGenie]' - }, - 'GO:1900725': { - 'name': 'osmoregulated periplasmic glucan metabolic process', - 'def': 'The chemical reactions and pathways involving osmoregulated periplasmic glucan. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900726': { - 'name': 'osmoregulated periplasmic glucan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of osmoregulated periplasmic glucan. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900727': { - 'name': 'osmoregulated periplasmic glucan biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of osmoregulated periplasmic glucan. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1900728': { - 'name': 'cardiac neural crest cell delamination involved in outflow tract morphogenesis', - 'def': 'Any cardiac neural crest cell delamination that is involved in outflow tract morphogenesis. [GOC:hjd, GOC:TermGenie, PMID:18539270]' - }, - 'GO:1900729': { - 'name': 'regulation of adenylate cyclase-inhibiting opioid receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of adenylate cyclase-inhibiting opioid receptor signaling pathway. [GOC:sjw, GOC:TermGenie, PMID:17157995]' - }, - 'GO:1900730': { - 'name': 'negative regulation of adenylate cyclase-inhibiting opioid receptor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of adenylate cyclase-inhibiting opioid receptor signaling pathway. [GOC:sjw, GOC:TermGenie, PMID:17157995]' - }, - 'GO:1900731': { - 'name': 'positive regulation of adenylate cyclase-inhibiting opioid receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of adenylate cyclase-inhibiting opioid receptor signaling pathway. [GOC:sjw, GOC:TermGenie, PMID:17157995]' - }, - 'GO:1900732': { - 'name': 'regulation of polyketide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of polyketide biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900733': { - 'name': 'negative regulation of polyketide biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of polyketide biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900734': { - 'name': 'positive regulation of polyketide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of polyketide biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900735': { - 'name': 'positive regulation of flocculation', - 'def': 'Any process that activates or increases the frequency, rate or extent of flocculation. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900736': { - 'name': 'regulation of phospholipase C-activating G-protein coupled receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of phospholipase C-activating G-protein coupled receptor signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900737': { - 'name': 'negative regulation of phospholipase C-activating G-protein coupled receptor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phospholipase C-activating G-protein coupled receptor signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900738': { - 'name': 'positive regulation of phospholipase C-activating G-protein coupled receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of phospholipase C-activating G-protein coupled receptor signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1900739': { - 'name': 'regulation of protein insertion into mitochondrial membrane involved in apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of protein insertion into mitochondrial membrane involved in apoptotic signaling pathway. [GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1900740': { - 'name': 'positive regulation of protein insertion into mitochondrial membrane involved in apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein insertion into mitochondrial membrane involved in apoptotic signaling pathway. [GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1900741': { - 'name': 'regulation of filamentous growth of a population of unicellular organisms in response to pH', - 'def': 'Any process that modulates the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to pH. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900742': { - 'name': 'negative regulation of filamentous growth of a population of unicellular organisms in response to pH', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to pH. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900743': { - 'name': 'positive regulation of filamentous growth of a population of unicellular organisms in response to pH', - 'def': 'Any process that activates or increases the frequency, rate or extent of filamentous growth of a population of unicellular organisms in response to pH. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900744': { - 'name': 'regulation of p38MAPK cascade', - 'def': 'Any process that modulates the frequency, rate or extent of p38MAPK cascade. [GOC:TermGenie]' - }, - 'GO:1900745': { - 'name': 'positive regulation of p38MAPK cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of p38MAPK cascade. [GOC:TermGenie]' - }, - 'GO:1900746': { - 'name': 'regulation of vascular endothelial growth factor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of vascular endothelial growth factor signaling pathway. [GOC:TermGenie]' - }, - 'GO:1900747': { - 'name': 'negative regulation of vascular endothelial growth factor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular endothelial growth factor signaling pathway. [GOC:TermGenie]' - }, - 'GO:1900748': { - 'name': 'positive regulation of vascular endothelial growth factor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular endothelial growth factor signaling pathway. [GOC:TermGenie]' - }, - 'GO:1900749': { - 'name': '(R)-carnitine transport', - 'def': 'The directed movement of a (R)-carnitine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie, PMID:16365044, PMID:20357772, PMID:20829798]' - }, - 'GO:1900750': { - 'name': 'oligopeptide binding', - 'def': 'Interacting selectively and non-covalently with an oligopeptide. [GOC:TermGenie, PMID:21854595]' - }, - 'GO:1900751': { - 'name': '4-(trimethylammonio)butanoate transport', - 'def': 'The directed movement of a 4-(trimethylammonio)butanoate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie, PMID:16365044, PMID:20357772, PMID:20829798]' - }, - 'GO:1900752': { - 'name': 'malonic acid transport', - 'def': 'The directed movement of a malonic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie, PMID:9128730, PMID:9573154]' - }, - 'GO:1900753': { - 'name': 'doxorubicin transport', - 'def': 'The directed movement of a doxorubicin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie, PMID:12057006, PMID:15090538, PMID:19063901, PMID:19651502, PMID:9651400]' - }, - 'GO:1900754': { - 'name': '4-hydroxyphenylacetate transport', - 'def': 'The directed movement of a 4-hydroxyphenylacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie, PMID:9315705]' - }, - 'GO:1900756': { - 'name': 'protein processing in phagocytic vesicle', - 'def': 'Protein processing that takes place in the phagosome. Most protein processing in the phagosome represents protein degradation. [GOC:rjd, GOC:TermGenie]' - }, - 'GO:1900757': { - 'name': 'regulation of D-amino-acid oxidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of D-amino-acid oxidase activity. [GOC:TermGenie]' - }, - 'GO:1900758': { - 'name': 'negative regulation of D-amino-acid oxidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of D-amino-acid oxidase activity. [GOC:TermGenie]' - }, - 'GO:1900759': { - 'name': 'positive regulation of D-amino-acid oxidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of D-amino-acid oxidase activity. [GOC:TermGenie]' - }, - 'GO:1900760': { - 'name': 'negative regulation of sterigmatocystin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sterigmatocystin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900761': { - 'name': 'averantin metabolic process', - 'def': 'The chemical reactions and pathways involving averantin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900762': { - 'name': 'averantin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of averantin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900763': { - 'name': 'averantin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of averantin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900764': { - 'name': 'emericellin metabolic process', - 'def': 'The chemical reactions and pathways involving emericellin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900765': { - 'name': 'emericellin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of emericellin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900766': { - 'name': 'emericellin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of emericellin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900767': { - 'name': 'fonsecin metabolic process', - 'def': 'The chemical reactions and pathways involving fonsecin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900768': { - 'name': 'fonsecin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fonsecin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900769': { - 'name': 'fonsecin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fonsecin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900770': { - 'name': 'fumitremorgin B metabolic process', - 'def': 'The chemical reactions and pathways involving fumitremorgin B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900771': { - 'name': 'fumitremorgin B catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fumitremorgin B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900772': { - 'name': 'fumitremorgin B biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fumitremorgin B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900773': { - 'name': 'fumiquinazoline metabolic process', - 'def': 'The chemical reactions and pathways involving fumiquinazoline. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900774': { - 'name': 'fumiquinazoline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fumiquinazoline. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900775': { - 'name': 'fumiquinazoline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fumiquinazoline. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900776': { - 'name': 'fumiquinazoline A metabolic process', - 'def': 'The chemical reactions and pathways involving fumiquinazoline A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900777': { - 'name': 'fumiquinazoline A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fumiquinazoline A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900778': { - 'name': 'fumiquinazoline A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fumiquinazoline A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900779': { - 'name': 'fumiquinazoline C metabolic process', - 'def': 'The chemical reactions and pathways involving fumiquinazoline C. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900780': { - 'name': 'fumiquinazoline C catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fumiquinazoline C. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900781': { - 'name': 'fumiquinazoline C biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fumiquinazoline C. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900782': { - 'name': 'fumiquinazoline F metabolic process', - 'def': 'The chemical reactions and pathways involving fumiquinazoline F. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900783': { - 'name': 'fumiquinazoline F catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fumiquinazoline F. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900784': { - 'name': 'fumiquinazoline F biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fumiquinazoline F. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900785': { - 'name': 'naphtho-gamma-pyrone metabolic process', - 'def': 'The chemical reactions and pathways involving naphtho-gamma-pyrone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900786': { - 'name': 'naphtho-gamma-pyrone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of naphtho-gamma-pyrone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900787': { - 'name': 'naphtho-gamma-pyrone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of naphtho-gamma-pyrone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900788': { - 'name': 'pseurotin A metabolic process', - 'def': 'The chemical reactions and pathways involving pseurotin A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900789': { - 'name': 'pseurotin A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pseurotin A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900790': { - 'name': 'pseurotin A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pseurotin A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900791': { - 'name': 'shamixanthone metabolic process', - 'def': 'The chemical reactions and pathways involving shamixanthone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900792': { - 'name': 'shamixanthone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of shamixanthone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900793': { - 'name': 'shamixanthone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of shamixanthone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900794': { - 'name': 'terrequinone A metabolic process', - 'def': 'The chemical reactions and pathways involving terrequinone A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900795': { - 'name': 'terrequinone A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of terrequinone A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900796': { - 'name': 'terrequinone A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of terrequinone A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900797': { - 'name': 'cordyol C metabolic process', - 'def': 'The chemical reactions and pathways involving cordyol C. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900798': { - 'name': 'cordyol C catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cordyol C. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900799': { - 'name': 'cordyol C biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cordyol C. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900800': { - 'name': 'cspyrone B1 metabolic process', - 'def': 'The chemical reactions and pathways involving cspyrone B1. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900801': { - 'name': 'cspyrone B1 catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cspyrone B1. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900802': { - 'name': 'cspyrone B1 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cspyrone B1. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900803': { - 'name': 'brevianamide F metabolic process', - 'def': 'The chemical reactions and pathways involving brevianamide F. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900804': { - 'name': 'brevianamide F catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of brevianamide F. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900805': { - 'name': 'brevianamide F biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of brevianamide F. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900806': { - 'name': 'ergot alkaloid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ergot alkaloid. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900807': { - 'name': 'fumigaclavine C metabolic process', - 'def': 'The chemical reactions and pathways involving fumigaclavine C. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900808': { - 'name': 'fumigaclavine C catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fumigaclavine C. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900809': { - 'name': 'fumigaclavine C biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fumigaclavine C. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900810': { - 'name': 'helvolic acid metabolic process', - 'def': 'The chemical reactions and pathways involving helvolic acid. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900811': { - 'name': 'helvolic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of helvolic acid. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900812': { - 'name': 'helvolic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of helvolic acid. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900813': { - 'name': 'monodictyphenone metabolic process', - 'def': 'The chemical reactions and pathways involving monodictyphenone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900814': { - 'name': 'monodictyphenone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of monodictyphenone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900815': { - 'name': 'monodictyphenone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of monodictyphenone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900816': { - 'name': 'ochratoxin A metabolic process', - 'def': 'The chemical reactions and pathways involving ochratoxin A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900817': { - 'name': 'ochratoxin A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ochratoxin A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900818': { - 'name': 'ochratoxin A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ochratoxin A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900819': { - 'name': 'orlandin metabolic process', - 'def': 'The chemical reactions and pathways involving orlandin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900820': { - 'name': 'orlandin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of orlandin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900821': { - 'name': 'orlandin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of orlandin. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900822': { - 'name': 'regulation of ergot alkaloid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of ergot alkaloid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900823': { - 'name': 'negative regulation of ergot alkaloid biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ergot alkaloid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900824': { - 'name': 'positive regulation of ergot alkaloid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ergot alkaloid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900825': { - 'name': 'regulation of membrane depolarization during cardiac muscle cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of membrane depolarization during a cardiac muscle cell action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:TermGenie]' - }, - 'GO:1900826': { - 'name': 'negative regulation of membrane depolarization during cardiac muscle cell action potential', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of membrane depolarization during a cardiac muscle cell action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:TermGenie]' - }, - 'GO:1900827': { - 'name': 'positive regulation of membrane depolarization during cardiac muscle cell action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane depolarization during a cardiac muscle cell action potential. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:TermGenie]' - }, - 'GO:1900828': { - 'name': 'D-tyrosine metabolic process', - 'def': 'The chemical reactions and pathways involving D-tyrosine. [GOC:TermGenie, PMID:10766779]' - }, - 'GO:1900829': { - 'name': 'D-tyrosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-tyrosine. [GOC:TermGenie, PMID:10766779]' - }, - 'GO:1900830': { - 'name': 'D-tyrosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-tyrosine. [GOC:TermGenie, PMID:10766779]' - }, - 'GO:1900831': { - 'name': 'D-leucine metabolic process', - 'def': 'The chemical reactions and pathways involving D-leucine. [GOC:TermGenie, PMID:10918062]' - }, - 'GO:1900832': { - 'name': 'D-leucine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-leucine. [GOC:TermGenie, PMID:10918062]' - }, - 'GO:1900833': { - 'name': 'D-leucine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-leucine. [GOC:TermGenie, PMID:10918062]' - }, - 'GO:1900834': { - 'name': 'regulation of emericellin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of emericellin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900835': { - 'name': 'negative regulation of emericellin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of emericellin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900836': { - 'name': 'positive regulation of emericellin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of emericellin biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900837': { - 'name': 'regulation of fumigaclavine C biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of fumigaclavine C biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900838': { - 'name': 'negative regulation of fumigaclavine C biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fumigaclavine C biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900839': { - 'name': 'positive regulation of fumigaclavine C biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of fumigaclavine C biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900840': { - 'name': 'regulation of helvolic acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of helvolic acid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900841': { - 'name': 'negative regulation of helvolic acid biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of helvolic acid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900842': { - 'name': 'positive regulation of helvolic acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of helvolic acid biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900843': { - 'name': 'regulation of monodictyphenone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of monodictyphenone biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900844': { - 'name': 'negative regulation of monodictyphenone biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of monodictyphenone biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900845': { - 'name': 'positive regulation of monodictyphenone biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of monodictyphenone biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900846': { - 'name': 'regulation of naphtho-gamma-pyrone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of naphtho-gamma-pyrone biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900847': { - 'name': 'negative regulation of naphtho-gamma-pyrone biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of naphtho-gamma-pyrone biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900848': { - 'name': 'positive regulation of naphtho-gamma-pyrone biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of naphtho-gamma-pyrone biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900849': { - 'name': 'regulation of pseurotin A biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of pseurotin A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900850': { - 'name': 'negative regulation of pseurotin A biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pseurotin A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900851': { - 'name': 'positive regulation of pseurotin A biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of pseurotin A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900852': { - 'name': 'regulation of terrequinone A biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of terrequinone A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900853': { - 'name': 'negative regulation of terrequinone A biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of terrequinone A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900854': { - 'name': 'positive regulation of terrequinone A biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of terrequinone A biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900855': { - 'name': 'regulation of fumitremorgin B biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of fumitremorgin B biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900856': { - 'name': 'negative regulation of fumitremorgin B biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fumitremorgin B biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900857': { - 'name': 'positive regulation of fumitremorgin B biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of fumitremorgin B biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900858': { - 'name': 'regulation of brevianamide F biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of brevianamide F biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900859': { - 'name': 'negative regulation of brevianamide F biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of brevianamide F biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900860': { - 'name': 'positive regulation of brevianamide F biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of brevianamide F biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900861': { - 'name': 'regulation of cordyol C biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of cordyol C biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900862': { - 'name': 'negative regulation of cordyol C biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cordyol C biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900863': { - 'name': 'positive regulation of cordyol C biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cordyol C biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1900864': { - 'name': 'mitochondrial RNA modification', - 'def': 'Any RNA modification that takes place in mitochondrion. [GOC:TermGenie]' - }, - 'GO:1900865': { - 'name': 'chloroplast RNA modification', - 'def': 'Any RNA modification that takes place in chloroplast. [GOC:TermGenie]' - }, - 'GO:1900866': { - 'name': 'glycolate transport', - 'def': 'The directed movement of a glycolate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1900867': { - 'name': 'sarcinapterin metabolic process', - 'def': 'The chemical reactions and pathways involving sarcinapterin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900868': { - 'name': 'sarcinapterin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sarcinapterin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900869': { - 'name': 'tatiopterin metabolic process', - 'def': 'The chemical reactions and pathways involving tatiopterin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900870': { - 'name': 'tatiopterin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tatiopterin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900871': { - 'name': 'chloroplast mRNA modification', - 'def': 'The covalent alteration within the chloroplast of one or more nucleotides within an mRNA to produce an mRNA molecule with a sequence that differs from that coded genetically. [GOC:TermGenie, PMID:1653905]' - }, - 'GO:1900872': { - 'name': 'pentadec-1-ene metabolic process', - 'def': 'The chemical reactions and pathways involving pentadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900873': { - 'name': 'pentadec-1-ene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pentadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900874': { - 'name': 'heptadec-1-ene metabolic process', - 'def': 'The chemical reactions and pathways involving heptadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900875': { - 'name': 'heptadec-1-ene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of heptadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900876': { - 'name': 'nonadec-1-ene metabolic process', - 'def': 'The chemical reactions and pathways involving nonadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900877': { - 'name': 'nonadec-1-ene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nonadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900878': { - 'name': '(Z)-nonadeca-1,14-diene metabolic process', - 'def': 'The chemical reactions and pathways involving (Z)-nonadeca-1,14-diene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900879': { - 'name': '(Z)-nonadeca-1,14-diene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (Z)-nonadeca-1,14-diene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900880': { - 'name': '18-methylnonadec-1-ene metabolic process', - 'def': 'The chemical reactions and pathways involving 18-methylnonadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900881': { - 'name': '18-methylnonadec-1-ene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 18-methylnonadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900882': { - 'name': '17-methylnonadec-1-ene metabolic process', - 'def': 'The chemical reactions and pathways involving 17-methylnonadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900883': { - 'name': '17-methylnonadec-1-ene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 17-methylnonadec-1-ene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900884': { - 'name': 'regulation of tridecane biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of tridecane biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900885': { - 'name': 'negative regulation of tridecane biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tridecane biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900886': { - 'name': 'positive regulation of tridecane biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tridecane biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900887': { - 'name': 'regulation of pentadecane biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of pentadecane biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900888': { - 'name': 'negative regulation of pentadecane biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pentadecane biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900889': { - 'name': 'positive regulation of pentadecane biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of pentadecane biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900890': { - 'name': 'regulation of pentadecane metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of pentadecane metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900891': { - 'name': 'negative regulation of pentadecane metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pentadecane metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900892': { - 'name': 'positive regulation of pentadecane metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of pentadecane metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900893': { - 'name': 'regulation of tridecane metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of tridecane metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900894': { - 'name': 'negative regulation of tridecane metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tridecane metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900895': { - 'name': 'positive regulation of tridecane metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tridecane metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900896': { - 'name': 'regulation of heptadecane biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of heptadecane biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900897': { - 'name': 'negative regulation of heptadecane biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of heptadecane biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900898': { - 'name': 'positive regulation of heptadecane biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of heptadecane biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900899': { - 'name': 'regulation of heptadecane metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of heptadecane metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900900': { - 'name': 'negative regulation of heptadecane metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of heptadecane metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900901': { - 'name': 'positive regulation of heptadecane metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of heptadecane metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900902': { - 'name': 'regulation of hexadecanal biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of hexadecanal biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900903': { - 'name': 'negative regulation of hexadecanal biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hexadecanal biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900904': { - 'name': 'positive regulation of hexadecanal biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of hexadecanal biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900905': { - 'name': 'regulation of hexadecanal metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of hexadecanal metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900906': { - 'name': 'negative regulation of hexadecanal metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hexadecanal metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900907': { - 'name': 'positive regulation of hexadecanal metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of hexadecanal metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900908': { - 'name': 'regulation of olefin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of olefin metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900909': { - 'name': 'negative regulation of olefin metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of olefin metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900910': { - 'name': 'positive regulation of olefin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of olefin metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900911': { - 'name': 'regulation of olefin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of olefin biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900912': { - 'name': 'negative regulation of olefin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of olefin biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900913': { - 'name': 'positive regulation of olefin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of olefin biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900914': { - 'name': 'regulation of octadecene biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of octadecene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900915': { - 'name': 'negative regulation of octadecene biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of octadecene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900916': { - 'name': 'positive regulation of octadecene biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of octadecene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900917': { - 'name': 'regulation of octadecene metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of octadecene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900918': { - 'name': 'negative regulation of octadecene metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of octadecene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900919': { - 'name': 'positive regulation of octadecene metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of octadecene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900920': { - 'name': 'regulation of L-glutamate import', - 'def': 'Any process that modulates the frequency, rate or extent of L-glutamate import. [GOC:TermGenie]' - }, - 'GO:1900921': { - 'name': 'negative regulation of L-glutamate import', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-glutamate import. [GOC:TermGenie]' - }, - 'GO:1900922': { - 'name': 'positive regulation of L-glutamate import', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-glutamate import. [GOC:TermGenie]' - }, - 'GO:1900923': { - 'name': 'regulation of glycine import', - 'def': 'Any process that modulates the frequency, rate or extent of glycine import. [GOC:TermGenie]' - }, - 'GO:1900924': { - 'name': 'negative regulation of glycine import', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glycine import. [GOC:TermGenie]' - }, - 'GO:1900925': { - 'name': 'positive regulation of glycine import', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycine import. [GOC:TermGenie]' - }, - 'GO:1900926': { - 'name': 'regulation of L-threonine import', - 'def': 'Any process that modulates the frequency, rate or extent of L-threonine import. [GOC:TermGenie]' - }, - 'GO:1900927': { - 'name': 'negative regulation of L-threonine import', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-threonine import. [GOC:TermGenie]' - }, - 'GO:1900928': { - 'name': 'positive regulation of L-threonine import', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-threonine import. [GOC:TermGenie]' - }, - 'GO:1900929': { - 'name': 'regulation of L-tyrosine import', - 'def': 'Any process that modulates the frequency, rate or extent of L-tyrosine import. [GOC:TermGenie]' - }, - 'GO:1900930': { - 'name': 'negative regulation of L-tyrosine import', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-tyrosine import. [GOC:TermGenie]' - }, - 'GO:1900931': { - 'name': 'positive regulation of L-tyrosine import', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-tyrosine import. [GOC:TermGenie]' - }, - 'GO:1900932': { - 'name': 'regulation of nonadec-1-ene metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of nonadec-1-ene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900933': { - 'name': 'negative regulation of nonadec-1-ene metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nonadec-1-ene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900934': { - 'name': 'positive regulation of nonadec-1-ene metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of nonadec-1-ene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900935': { - 'name': 'regulation of nonadec-1-ene biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of nonadec-1-ene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900936': { - 'name': 'negative regulation of nonadec-1-ene biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nonadec-1-ene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900937': { - 'name': 'positive regulation of nonadec-1-ene biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of nonadec-1-ene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900938': { - 'name': 'regulation of (Z)-nonadeca-1,14-diene metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of (Z)-nonadeca-1,14-diene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900939': { - 'name': 'negative regulation of (Z)-nonadeca-1,14-diene metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of (Z)-nonadeca-1,14-diene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900940': { - 'name': 'positive regulation of (Z)-nonadeca-1,14-diene metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of (Z)-nonadeca-1,14-diene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900941': { - 'name': 'regulation of (Z)-nonadeca-1,14-diene biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of (Z)-nonadeca-1,14-diene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900942': { - 'name': 'negative regulation of (Z)-nonadeca-1,14-diene biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of (Z)-nonadeca-1,14-diene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900943': { - 'name': 'positive regulation of (Z)-nonadeca-1,14-diene biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of (Z)-nonadeca-1,14-diene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900944': { - 'name': 'regulation of isoprene metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of isoprene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900945': { - 'name': 'negative regulation of isoprene metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of isoprene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900946': { - 'name': 'positive regulation of isoprene metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of isoprene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900947': { - 'name': 'regulation of isoprene biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of isoprene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900948': { - 'name': 'negative regulation of isoprene biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of isoprene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900949': { - 'name': 'positive regulation of isoprene biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of isoprene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900950': { - 'name': 'regulation of 18-methylnonadec-1-ene biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of 18-methylnonadec-1-ene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900951': { - 'name': 'negative regulation of 18-methylnonadec-1-ene biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of 18-methylnonadec-1-ene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900952': { - 'name': 'positive regulation of 18-methylnonadec-1-ene biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of 18-methylnonadec-1-ene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900953': { - 'name': 'regulation of 18-methylnonadec-1-ene metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of 18-methylnonadec-1-ene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900954': { - 'name': 'negative regulation of 18-methylnonadec-1-ene metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of 18-methylnonadec-1-ene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900955': { - 'name': 'positive regulation of 18-methylnonadec-1-ene metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of 18-methylnonadec-1-ene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900956': { - 'name': 'regulation of 17-methylnonadec-1-ene biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of 17-methylnonadec-1-ene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900957': { - 'name': 'negative regulation of 17-methylnonadec-1-ene biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of 17-methylnonadec-1-ene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900958': { - 'name': 'positive regulation of 17-methylnonadec-1-ene biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of 17-methylnonadec-1-ene biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900959': { - 'name': 'regulation of 17-methylnonadec-1-ene metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of 17-methylnonadec-1-ene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900960': { - 'name': 'negative regulation of 17-methylnonadec-1-ene metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of 17-methylnonadec-1-ene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900961': { - 'name': 'positive regulation of 17-methylnonadec-1-ene metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of 17-methylnonadec-1-ene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900962': { - 'name': 'regulation of methanophenazine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of methanophenazine biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900963': { - 'name': 'negative regulation of methanophenazine biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methanophenazine biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900964': { - 'name': 'positive regulation of methanophenazine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of methanophenazine biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900965': { - 'name': 'regulation of methanophenazine metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of methanophenazine metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900966': { - 'name': 'negative regulation of methanophenazine metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methanophenazine metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900967': { - 'name': 'positive regulation of methanophenazine metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of methanophenazine metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900968': { - 'name': 'regulation of sarcinapterin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of sarcinapterin metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900969': { - 'name': 'negative regulation of sarcinapterin metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sarcinapterin metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900970': { - 'name': 'positive regulation of sarcinapterin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of sarcinapterin metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900971': { - 'name': 'regulation of sarcinapterin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of sarcinapterin biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900972': { - 'name': 'negative regulation of sarcinapterin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sarcinapterin biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900973': { - 'name': 'positive regulation of sarcinapterin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of sarcinapterin biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900974': { - 'name': 'regulation of tatiopterin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of tatiopterin biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900975': { - 'name': 'negative regulation of tatiopterin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tatiopterin biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900976': { - 'name': 'positive regulation of tatiopterin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tatiopterin biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900977': { - 'name': 'regulation of tatiopterin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of tatiopterin metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900978': { - 'name': 'negative regulation of tatiopterin metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tatiopterin metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900979': { - 'name': 'positive regulation of tatiopterin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tatiopterin metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900980': { - 'name': 'regulation of phenazine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of phenazine biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900981': { - 'name': 'negative regulation of phenazine biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phenazine biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900982': { - 'name': 'positive regulation of phenazine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of phenazine biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1900983': { - 'name': 'vindoline metabolic process', - 'def': 'The chemical reactions and pathways involving vindoline. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5292, UniPathway:UPA00365]' - }, - 'GO:1900984': { - 'name': 'vindoline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of vindoline. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5292, UniPathway:UPA00365]' - }, - 'GO:1900985': { - 'name': 'vindoline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of vindoline. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5292, UniPathway:UPA00365]' - }, - 'GO:1900986': { - 'name': 'ajmaline metabolic process', - 'def': 'The chemical reactions and pathways involving ajmaline. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00310]' - }, - 'GO:1900987': { - 'name': 'ajmaline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ajmaline. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00310]' - }, - 'GO:1900988': { - 'name': 'ajmaline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ajmaline. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00310]' - }, - 'GO:1900989': { - 'name': 'scopolamine metabolic process', - 'def': 'The chemical reactions and pathways involving scopolamine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00725]' - }, - 'GO:1900990': { - 'name': 'scopolamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of scopolamine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00725]' - }, - 'GO:1900991': { - 'name': 'scopolamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of scopolamine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00725]' - }, - 'GO:1900992': { - 'name': '(-)-secologanin metabolic process', - 'def': 'The chemical reactions and pathways involving (-)-secologanin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00328]' - }, - 'GO:1900993': { - 'name': '(-)-secologanin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (-)-secologanin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00328]' - }, - 'GO:1900994': { - 'name': '(-)-secologanin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (-)-secologanin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00328]' - }, - 'GO:1900995': { - 'name': 'ubiquinone-6 binding', - 'def': 'Interacting selectively and non-covalently with ubiquinone-6. Ubiquinone-6 is a ubiquinone compound having a (2E,6E,10E,14E,18E)-3,7,11,15,19,23-hexamethyltetracosa-2,6,10,14,18,22-hexaen-1-yl substituent at position 2. [CHEBI:52971, GOC:al, GOC:TermGenie]' - }, - 'GO:1900996': { - 'name': 'benzene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of benzene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00272]' - }, - 'GO:1900997': { - 'name': 'benzene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of benzene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00272]' - }, - 'GO:1900998': { - 'name': 'nitrobenzene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nitrobenzene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00923]' - }, - 'GO:1900999': { - 'name': 'nitrobenzene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nitrobenzene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00923]' - }, - 'GO:1901000': { - 'name': 'regulation of response to salt stress', - 'def': 'Any process that modulates the frequency, rate or extent of response to salt stress. [GOC:TermGenie, PMID:22627139]' - }, - 'GO:1901001': { - 'name': 'negative regulation of response to salt stress', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to salt stress. [GOC:TermGenie, PMID:22627139]' - }, - 'GO:1901002': { - 'name': 'positive regulation of response to salt stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to salt stress. [GOC:TermGenie, PMID:22627139]' - }, - 'GO:1901003': { - 'name': 'negative regulation of fermentation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fermentation. [GOC:TermGenie]' - }, - 'GO:1901004': { - 'name': 'ubiquinone-6 metabolic process', - 'def': 'The chemical reactions and pathways involving ubiquinone-6. Ubiquinone-6 is a ubiquinone compound having a (2E,6E,10E,14E,18E)-3,7,11,15,19,23-hexamethyltetracosa-2,6,10,14,18,22-hexaen-1-yl substituent at position 2. [GOC:al, GOC:TermGenie, PMID:1409592]' - }, - 'GO:1901005': { - 'name': 'ubiquinone-6 catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ubiquinone-6. [GOC:TermGenie]' - }, - 'GO:1901006': { - 'name': 'ubiquinone-6 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ubiquinone-6. [GOC:TermGenie]' - }, - 'GO:1901007': { - 'name': '(S)-scoulerine metabolic process', - 'def': 'The chemical reactions and pathways involving (S)-scoulerine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00319]' - }, - 'GO:1901008': { - 'name': '(S)-scoulerine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (S)-scoulerine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00319]' - }, - 'GO:1901009': { - 'name': '(S)-scoulerine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (S)-scoulerine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00319]' - }, - 'GO:1901010': { - 'name': '(S)-reticuline metabolic process', - 'def': 'The chemical reactions and pathways involving (S)-reticuline. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00306]' - }, - 'GO:1901011': { - 'name': '(S)-reticuline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (S)-reticuline. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00306]' - }, - 'GO:1901012': { - 'name': '(S)-reticuline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (S)-reticuline. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00306]' - }, - 'GO:1901013': { - 'name': '3alpha(S)-strictosidine metabolic process', - 'def': 'The chemical reactions and pathways involving 3alpha(S)-strictosidine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00311]' - }, - 'GO:1901014': { - 'name': '3alpha(S)-strictosidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3alpha(S)-strictosidine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00311]' - }, - 'GO:1901015': { - 'name': '3alpha(S)-strictosidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 3alpha(S)-strictosidine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00311]' - }, - 'GO:1901016': { - 'name': 'regulation of potassium ion transmembrane transporter activity', - 'def': 'Any process that modulates the frequency, rate or extent of potassium ion transmembrane transporter activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901017': { - 'name': 'negative regulation of potassium ion transmembrane transporter activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of potassium ion transmembrane transporter activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901018': { - 'name': 'positive regulation of potassium ion transmembrane transporter activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of potassium ion transmembrane transporter activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901019': { - 'name': 'regulation of calcium ion transmembrane transporter activity', - 'def': 'Any process that modulates the frequency, rate or extent of calcium ion transmembrane transporter activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901020': { - 'name': 'negative regulation of calcium ion transmembrane transporter activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium ion transmembrane transporter activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901021': { - 'name': 'positive regulation of calcium ion transmembrane transporter activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium ion transmembrane transporter activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901022': { - 'name': '4-hydroxyphenylacetate metabolic process', - 'def': 'The chemical reactions and pathways involving 4-hydroxyphenylacetate. [GOC:TermGenie, GOC:yaf, MetaCyc:RXN-8505, UniPathway:UPA00208]' - }, - 'GO:1901023': { - 'name': '4-hydroxyphenylacetate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 4-hydroxyphenylacetate. [GOC:TermGenie, GOC:yaf, MetaCyc:RXN-8505, UniPathway:UPA00208]' - }, - 'GO:1901024': { - 'name': '4-hydroxyphenylacetate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 4-hydroxyphenylacetate. [GOC:TermGenie, GOC:yaf, MetaCyc:RXN-8505, UniPathway:UPA00208]' - }, - 'GO:1901025': { - 'name': 'ripoptosome assembly involved in extrinsic apoptotic signaling pathway', - 'def': 'The aggregation, arrangement and bonding together of ripoptosome components leading to apoptosis via the extrinsic apoptotic signaling pathway. [GOC:mtg_apoptosis, GOC:TermGenie, PMID:22274400]' - }, - 'GO:1901026': { - 'name': 'ripoptosome assembly involved in necroptotic process', - 'def': 'The aggregation, arrangement and bonding together of ripoptosome components leading to a necroptotic process. [GOC:mtg_apoptosis, GOC:TermGenie, PMID:22274400]' - }, - 'GO:1901027': { - 'name': 'dextrin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of dextrin. [GOC:TermGenie]' - }, - 'GO:1901028': { - 'name': 'regulation of mitochondrial outer membrane permeabilization involved in apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of mitochondrial outer membrane permeabilization involved in apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1901029': { - 'name': 'negative regulation of mitochondrial outer membrane permeabilization involved in apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitochondrial outer membrane permeabilization involved in apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1901030': { - 'name': 'positive regulation of mitochondrial outer membrane permeabilization involved in apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitochondrial outer membrane permeabilization involved in apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1901031': { - 'name': 'regulation of response to reactive oxygen species', - 'def': 'Any process that modulates the frequency, rate or extent of response to reactive oxygen species. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1901032': { - 'name': 'negative regulation of response to reactive oxygen species', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to reactive oxygen species. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1901033': { - 'name': 'positive regulation of response to reactive oxygen species', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to reactive oxygen species. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1901034': { - 'name': 'regulation of L-glutamine import', - 'def': 'Any process that modulates the frequency, rate or extent of L-glutamine import. [GOC:TermGenie]' - }, - 'GO:1901035': { - 'name': 'negative regulation of L-glutamine import', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-glutamine import. [GOC:TermGenie]' - }, - 'GO:1901036': { - 'name': 'positive regulation of L-glutamine import', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-glutamine import. [GOC:TermGenie]' - }, - 'GO:1901037': { - 'name': 'obsolete regulation of transcription from RNA polymerase II promoter during M/G1 transition of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that regulates transcription such that the target genes are transcribed during the M/G1 transition of the mitotic cell cycle. [GOC:mah, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:12411492]' - }, - 'GO:1901038': { - 'name': 'cyanidin 3-O-glucoside metabolic process', - 'def': 'The chemical reactions and pathways involving cyanidin 3-O-beta-D-glucoside. [GOC:TermGenie, PMID:21899608]' - }, - 'GO:1901039': { - 'name': 'regulation of peptide antigen transport', - 'def': 'Any process that modulates the frequency, rate or extent of peptide antigen transport. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1901040': { - 'name': 'negative regulation of peptide antigen transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of peptide antigen transport. [GOC:bf, GOC:TermGenie, PMID:16691491]' - }, - 'GO:1901041': { - 'name': 'positive regulation of peptide antigen transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of peptide antigen transport. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1901042': { - 'name': 'positive regulation of L-arginine import', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-arginine import. [GOC:TermGenie]' - }, - 'GO:1901043': { - 'name': 'obsolete protein polyubiquitination involved in cellular response to misfolded protein', - 'def': 'OBSOLETE. Any protein polyubiquitination that is involved in cellular response to misfolded protein. [GOC:al, GOC:TermGenie, PMID:21324894]' - }, - 'GO:1901044': { - 'name': 'protein polyubiquitination involved in nucleus-associated proteasomal ubiquitin-dependent protein catabolic process', - 'def': 'Any protein polyubiquitination that is involved in nucleus-associated proteasomal ubiquitin-dependent protein catabolic process. [GOC:al, GOC:TermGenie, PMID:21324894]' - }, - 'GO:1901045': { - 'name': 'negative regulation of oviposition', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oviposition. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1901046': { - 'name': 'positive regulation of oviposition', - 'def': 'Any process that activates or increases the frequency, rate or extent of oviposition. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1901047': { - 'name': 'insulin receptor signaling pathway involved in determination of adult lifespan', - 'def': 'The series of molecular signals generated as a consequence of the insulin receptor binding to insulin that controls viability and duration in the adult phase of the life-cycle. [GOC:kmv, GOC:TermGenie, PMID:9360933]' - }, - 'GO:1901048': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in regulation of multicellular organism growth', - 'def': 'A series of molecular signals initiated by the binding of an extracellular ligand to a transforming growth factor beta receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription, that modulates the frequency, rate or extent of growth of the body of an organism so that it reaches its usual body size. [GOC:kmv, GOC:TermGenie, PMID:9847239]' - }, - 'GO:1901049': { - 'name': 'atropine metabolic process', - 'def': 'The chemical reactions and pathways involving atropine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00303]' - }, - 'GO:1901050': { - 'name': 'atropine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of atropine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00303]' - }, - 'GO:1901051': { - 'name': 'atropine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of atropine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00303]' - }, - 'GO:1901052': { - 'name': 'sarcosine metabolic process', - 'def': 'The chemical reactions and pathways involving sarcosine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00292]' - }, - 'GO:1901053': { - 'name': 'sarcosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of sarcosine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00292]' - }, - 'GO:1901054': { - 'name': 'sarcosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sarcosine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00292]' - }, - 'GO:1901055': { - 'name': 'trimethylenediamine metabolic process', - 'def': 'The chemical reactions and pathways involving trimethylenediamine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00010]' - }, - 'GO:1901056': { - 'name': 'trimethylenediamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of trimethylenediamine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00010]' - }, - 'GO:1901057': { - 'name': 'trimethylenediamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of trimethylenediamine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00010]' - }, - 'GO:1901058': { - 'name': 'p-hydroxyphenyl lignin metabolic process', - 'def': 'The chemical reactions and pathways involving p-hydroxyphenyl lignin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901059': { - 'name': 'p-hydroxyphenyl lignin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of p-hydroxyphenyl lignin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901060': { - 'name': 'p-hydroxyphenyl lignin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of p-hydroxyphenyl lignin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901061': { - 'name': 'guaiacyl lignin metabolic process', - 'def': 'The chemical reactions and pathways involving guaiacyl lignin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901062': { - 'name': 'guaiacyl lignin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of guaiacyl lignin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901063': { - 'name': 'guaiacyl lignin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of guaiacyl lignin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901064': { - 'name': 'syringal lignin metabolic process', - 'def': 'The chemical reactions and pathways involving syringal lignin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901065': { - 'name': 'syringal lignin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of syringal lignin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901066': { - 'name': 'syringal lignin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of syringal lignin. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901067': { - 'name': 'ferulate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ferulate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901068': { - 'name': 'guanosine-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving guanosine-containing compounds (guanosines). [GOC:TermGenie]' - }, - 'GO:1901069': { - 'name': 'guanosine-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of guanosine-containing compounds (guanosines). [GOC:TermGenie]' - }, - 'GO:1901070': { - 'name': 'guanosine-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of guanosine-containing compounds (guanosines). [GOC:TermGenie]' - }, - 'GO:1901071': { - 'name': 'glucosamine-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving glucosamine-containing compounds (glucosamines). [GOC:TermGenie]' - }, - 'GO:1901072': { - 'name': 'glucosamine-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glucosamine-containing compounds (glucosamines). [GOC:TermGenie]' - }, - 'GO:1901073': { - 'name': 'glucosamine-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glucosamine-containing compounds (glucosamines). [GOC:TermGenie]' - }, - 'GO:1901074': { - 'name': 'regulation of engulfment of apoptotic cell', - 'def': 'Any process that modulates the frequency, rate or extent of engulfment of apoptotic cell. [GO:kmv, GOC:TermGenie, PMID:19402756]' - }, - 'GO:1901075': { - 'name': 'negative regulation of engulfment of apoptotic cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of engulfment of apoptotic cell. [GO:kmv, GOC:TermGenie, PMID:19402756]' - }, - 'GO:1901076': { - 'name': 'positive regulation of engulfment of apoptotic cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of engulfment of apoptotic cell. [GO:kmv, GOC:TermGenie, PMID:19402756]' - }, - 'GO:1901077': { - 'name': 'regulation of relaxation of muscle', - 'def': 'Any process that modulates the frequency, rate or extent of relaxation of muscle. [GOC:TermGenie]' - }, - 'GO:1901078': { - 'name': 'negative regulation of relaxation of muscle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of relaxation of muscle. [GOC:TermGenie]' - }, - 'GO:1901079': { - 'name': 'positive regulation of relaxation of muscle', - 'def': 'Any process that activates or increases the frequency, rate or extent of relaxation of muscle. [GOC:TermGenie]' - }, - 'GO:1901080': { - 'name': 'regulation of relaxation of smooth muscle', - 'def': 'Any process that modulates the frequency, rate or extent of relaxation of smooth muscle. [GOC:TermGenie]' - }, - 'GO:1901081': { - 'name': 'negative regulation of relaxation of smooth muscle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of relaxation of smooth muscle. [GOC:TermGenie]' - }, - 'GO:1901082': { - 'name': 'positive regulation of relaxation of smooth muscle', - 'def': 'Any process that activates or increases the frequency, rate or extent of relaxation of smooth muscle. [GOC:TermGenie]' - }, - 'GO:1901083': { - 'name': 'pyrrolizidine alkaloid metabolic process', - 'def': 'The chemical reactions and pathways involving pyrrolizidine alkaloid. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00329]' - }, - 'GO:1901084': { - 'name': 'pyrrolizidine alkaloid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pyrrolizidine alkaloid. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00329]' - }, - 'GO:1901085': { - 'name': 'pyrrolizidine alkaloid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pyrrolizidine alkaloid. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00329]' - }, - 'GO:1901086': { - 'name': 'benzylpenicillin metabolic process', - 'def': 'The chemical reactions and pathways involving benzylpenicillin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00149]' - }, - 'GO:1901087': { - 'name': 'benzylpenicillin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of benzylpenicillin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00149]' - }, - 'GO:1901088': { - 'name': 'benzylpenicillin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of benzylpenicillin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00149]' - }, - 'GO:1901089': { - 'name': 'acetate ester metabolic process involved in fermentation', - 'def': 'Any acetate ester metabolic process that is involved in fermentation. [GOC:sgd_curators, GOC:TermGenie]' - }, - 'GO:1901090': { - 'name': 'regulation of protein tetramerization', - 'def': 'Any process that modulates the frequency, rate or extent of protein tetramerization. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1901091': { - 'name': 'negative regulation of protein tetramerization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein tetramerization. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1901092': { - 'name': 'positive regulation of protein tetramerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein tetramerization. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1901093': { - 'name': 'regulation of protein homotetramerization', - 'def': 'Any process that modulates the frequency, rate or extent of protein homotetramerization. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1901094': { - 'name': 'negative regulation of protein homotetramerization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein homotetramerization. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1901095': { - 'name': 'positive regulation of protein homotetramerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein homotetramerization. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1901096': { - 'name': 'regulation of autophagosome maturation', - 'def': 'Any process that modulates the frequency, rate or extent of autophagosome maturation. [GOC:autophagy, GOC:TermGenie, PMID:10436019, PMID:21383079]' - }, - 'GO:1901097': { - 'name': 'negative regulation of autophagosome maturation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of autophagosome maturation. [GOC:autophagy, GOC:TermGenie, PMID:10436019, PMID:21383079]' - }, - 'GO:1901098': { - 'name': 'positive regulation of autophagosome maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of autophagosome maturation. [GOC:autophagy, GOC:TermGenie, PMID:10436019, PMID:21383079]' - }, - 'GO:1901099': { - 'name': 'negative regulation of signal transduction in absence of ligand', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of signal transduction in absence of ligand. [GOC:TermGenie]' - }, - 'GO:1901101': { - 'name': 'gramicidin S metabolic process', - 'def': 'The chemical reactions and pathways involving gramicidin S. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00102]' - }, - 'GO:1901102': { - 'name': 'gramicidin S catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gramicidin S. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00102]' - }, - 'GO:1901103': { - 'name': 'gramicidin S biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of gramicidin S. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00102]' - }, - 'GO:1901104': { - 'name': 'tetracenomycin C metabolic process', - 'def': 'The chemical reactions and pathways involving tetracenomycin C. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00174]' - }, - 'GO:1901105': { - 'name': 'tetracenomycin C catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tetracenomycin C. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00174]' - }, - 'GO:1901106': { - 'name': 'tetracenomycin C biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tetracenomycin C. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00174]' - }, - 'GO:1901107': { - 'name': 'granaticin metabolic process', - 'def': 'The chemical reactions and pathways involving granaticin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00175]' - }, - 'GO:1901108': { - 'name': 'granaticin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of granaticin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00175]' - }, - 'GO:1901109': { - 'name': 'granaticin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of granaticin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00175]' - }, - 'GO:1901110': { - 'name': 'actinorhodin metabolic process', - 'def': 'The chemical reactions and pathways involving actinorhodin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00173]' - }, - 'GO:1901111': { - 'name': 'actinorhodin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of actinorhodin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00173]' - }, - 'GO:1901112': { - 'name': 'actinorhodin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of actinorhodin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00173]' - }, - 'GO:1901113': { - 'name': 'erythromycin metabolic process', - 'def': 'The chemical reactions and pathways involving erythromycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00240]' - }, - 'GO:1901114': { - 'name': 'erythromycin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of erythromycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00240]' - }, - 'GO:1901115': { - 'name': 'erythromycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of erythromycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00240]' - }, - 'GO:1901116': { - 'name': 'cephamycin C metabolic process', - 'def': 'The chemical reactions and pathways involving cephamycin C. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00183]' - }, - 'GO:1901117': { - 'name': 'cephamycin C catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cephamycin C. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00183]' - }, - 'GO:1901118': { - 'name': 'cephamycin C biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cephamycin C. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00183]' - }, - 'GO:1901119': { - 'name': 'tobramycin metabolic process', - 'def': 'The chemical reactions and pathways involving tobramycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00971]' - }, - 'GO:1901120': { - 'name': 'tobramycin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tobramycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00971]' - }, - 'GO:1901121': { - 'name': 'tobramycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tobramycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00971]' - }, - 'GO:1901122': { - 'name': 'bacitracin A metabolic process', - 'def': 'The chemical reactions and pathways involving bacitracin A. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00179]' - }, - 'GO:1901123': { - 'name': 'bacitracin A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of bacitracin A. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00179]' - }, - 'GO:1901124': { - 'name': 'bacitracin A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of bacitracin A. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00179]' - }, - 'GO:1901125': { - 'name': 'candicidin metabolic process', - 'def': 'The chemical reactions and pathways involving candicidin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00101]' - }, - 'GO:1901126': { - 'name': 'candicidin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of candicidin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00101]' - }, - 'GO:1901127': { - 'name': 'candicidin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of candicidin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00101]' - }, - 'GO:1901128': { - 'name': 'gentamycin metabolic process', - 'def': 'The chemical reactions and pathways involving gentamycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00967]' - }, - 'GO:1901129': { - 'name': 'gentamycin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of gentamycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00967]' - }, - 'GO:1901130': { - 'name': 'gentamycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of gentamycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00967]' - }, - 'GO:1901131': { - 'name': 'kanamycin metabolic process', - 'def': 'The chemical reactions and pathways involving kanamycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00965]' - }, - 'GO:1901132': { - 'name': 'kanamycin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of kanamycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00965]' - }, - 'GO:1901133': { - 'name': 'kanamycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of kanamycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00965]' - }, - 'GO:1901134': { - 'name': 'negative regulation of coflocculation via protein-carbohydrate interaction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of coflocculation via protein-carbohydrate interaction. [GOC:TermGenie, PMID:11472912]' - }, - 'GO:1901135': { - 'name': 'carbohydrate derivative metabolic process', - 'def': 'The chemical reactions and pathways involving carbohydrate derivative. [GOC:TermGenie]' - }, - 'GO:1901136': { - 'name': 'carbohydrate derivative catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbohydrate derivative. [GOC:TermGenie]' - }, - 'GO:1901137': { - 'name': 'carbohydrate derivative biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of carbohydrate derivative. [GOC:TermGenie]' - }, - 'GO:1901140': { - 'name': 'p-coumaryl alcohol transport', - 'def': 'The directed movement of a p-coumaryl alcohol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie]' - }, - 'GO:1901141': { - 'name': 'regulation of lignin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of lignin biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901142': { - 'name': 'insulin metabolic process', - 'def': 'The chemical reactions and pathways involving insulin. [GOC:TermGenie]' - }, - 'GO:1901143': { - 'name': 'insulin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of insulin. [GOC:TermGenie]' - }, - 'GO:1901144': { - 'name': 'obsolete insulin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of insulin. [GOC:TermGenie]' - }, - 'GO:1901145': { - 'name': 'mesenchymal cell apoptotic process involved in nephron morphogenesis', - 'def': 'Any mesenchymal cell apoptotic process that is involved in nephron morphogenesis. [GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1901146': { - 'name': 'mesenchymal cell apoptotic process involved in mesonephric nephron morphogenesis', - 'def': 'Any mesenchymal cell apoptotic process that is involved in mesonephric nephron morphogenesis. [GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1901147': { - 'name': 'mesenchymal cell apoptotic process involved in metanephric nephron morphogenesis', - 'def': 'Any mesenchymal cell apoptotic process that is involved in metanephric nephron morphogenesis. [GOC:mtg_apoptosis, GOC:TermGenie]' - }, - 'GO:1901148': { - 'name': 'gene expression involved in extracellular matrix organization', - 'def': 'Any gene expression that is involved in extracellular matrix organization. Gene expression includes both transcription to produce an RNA transcript, and the translation of that mRNA into protein. Protein maturation is included in gene expression when required to form an active form of a product from an inactive precursor form. [GOC:pg, GOC:TermGenie, PMID:18668558]' - }, - 'GO:1901149': { - 'name': 'salicylic acid binding', - 'def': 'Interacting selectively and non-covalently with salicylic acid. [GOC:TermGenie, PMID:22699612]' - }, - 'GO:1901150': { - 'name': 'vistamycin metabolic process', - 'def': 'The chemical reactions and pathways involving vistamycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00972]' - }, - 'GO:1901151': { - 'name': 'vistamycin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of vistamycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00972]' - }, - 'GO:1901152': { - 'name': 'vistamycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of vistamycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00972]' - }, - 'GO:1901153': { - 'name': 'paromomycin metabolic process', - 'def': 'The chemical reactions and pathways involving paromomycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00970]' - }, - 'GO:1901154': { - 'name': 'paromomycin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of paromomycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00970]' - }, - 'GO:1901155': { - 'name': 'paromomycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of paromomycin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00970]' - }, - 'GO:1901156': { - 'name': 'neomycin metabolic process', - 'def': 'The chemical reactions and pathways involving neomycin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-7016, UniPathway:UPA00969]' - }, - 'GO:1901157': { - 'name': 'neomycin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of neomycin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-7016, UniPathway:UPA00969]' - }, - 'GO:1901158': { - 'name': 'neomycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of neomycin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-7016, UniPathway:UPA00969]' - }, - 'GO:1901159': { - 'name': 'xylulose 5-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of xylulose 5-phosphate. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1901160': { - 'name': 'primary amino compound metabolic process', - 'def': 'The chemical reactions and pathways involving primary amino compound. [GOC:TermGenie]' - }, - 'GO:1901161': { - 'name': 'primary amino compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of primary amino compound. [GOC:TermGenie]' - }, - 'GO:1901162': { - 'name': 'primary amino compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of primary amino compound. [GOC:TermGenie]' - }, - 'GO:1901163': { - 'name': 'regulation of trophoblast cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of trophoblast cell migration. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901164': { - 'name': 'negative regulation of trophoblast cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of trophoblast cell migration. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901165': { - 'name': 'positive regulation of trophoblast cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of trophoblast cell migration. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901166': { - 'name': 'neural crest cell migration involved in autonomic nervous system development', - 'def': 'Any neural crest cell migration that is involved in autonomic nervous system development. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901167': { - 'name': '3-chlorocatechol metabolic process', - 'def': 'The chemical reactions and pathways involving 3-chlorocatechol. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00083]' - }, - 'GO:1901168': { - 'name': '3-chlorocatechol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3-chlorocatechol. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00083]' - }, - 'GO:1901169': { - 'name': '3-chlorocatechol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 3-chlorocatechol. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00083]' - }, - 'GO:1901170': { - 'name': 'naphthalene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of naphthalene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00082]' - }, - 'GO:1901171': { - 'name': 'naphthalene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of naphthalene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00082]' - }, - 'GO:1901172': { - 'name': 'phytoene metabolic process', - 'def': 'The chemical reactions and pathways involving phytoene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00799]' - }, - 'GO:1901173': { - 'name': 'phytoene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phytoene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00799]' - }, - 'GO:1901174': { - 'name': 'phytoene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phytoene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00799]' - }, - 'GO:1901175': { - 'name': 'lycopene metabolic process', - 'def': 'The chemical reactions and pathways involving lycopene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00803]' - }, - 'GO:1901176': { - 'name': 'lycopene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lycopene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00803]' - }, - 'GO:1901177': { - 'name': 'lycopene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lycopene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00803]' - }, - 'GO:1901178': { - 'name': 'spheroidene metabolic process', - 'def': 'The chemical reactions and pathways involving spheroidene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00683]' - }, - 'GO:1901179': { - 'name': 'spheroidene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of spheroidene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00683]' - }, - 'GO:1901180': { - 'name': 'spheroidene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of spheroidene. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00683]' - }, - 'GO:1901181': { - 'name': 'negative regulation of cellular response to caffeine', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to caffeine. [GOC:TermGenie]' - }, - 'GO:1901182': { - 'name': 'regulation of camalexin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of camalexin biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901183': { - 'name': 'positive regulation of camalexin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of camalexin biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901184': { - 'name': 'regulation of ERBB signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of ERBB signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901185': { - 'name': 'negative regulation of ERBB signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ERBB signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901186': { - 'name': 'positive regulation of ERBB signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of ERBB signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901187': { - 'name': 'regulation of ephrin receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of ephrin receptor signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901188': { - 'name': 'negative regulation of ephrin receptor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ephrin receptor signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901189': { - 'name': 'positive regulation of ephrin receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of ephrin receptor signaling pathway. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901190': { - 'name': 'regulation of formation of translation initiation ternary complex', - 'def': 'Any process that modulates the frequency, rate or extent of formation of translation initiation ternary complex. [GOC:TermGenie]' - }, - 'GO:1901191': { - 'name': 'negative regulation of formation of translation initiation ternary complex', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of formation of translation initiation ternary complex. [GOC:TermGenie]' - }, - 'GO:1901192': { - 'name': 'positive regulation of formation of translation initiation ternary complex', - 'def': 'Any process that activates or increases the frequency, rate or extent of formation of translation initiation ternary complex. [GOC:TermGenie]' - }, - 'GO:1901193': { - 'name': 'regulation of formation of translation preinitiation complex', - 'def': 'Any process that modulates the frequency, rate or extent of formation of translation preinitiation complex. [GOC:TermGenie]' - }, - 'GO:1901194': { - 'name': 'negative regulation of formation of translation preinitiation complex', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of formation of translation preinitiation complex. [GOC:TermGenie]' - }, - 'GO:1901195': { - 'name': 'positive regulation of formation of translation preinitiation complex', - 'def': 'Any process that activates or increases the frequency, rate or extent of formation of translation preinitiation complex. [GOC:TermGenie]' - }, - 'GO:1901196': { - 'name': 'positive regulation of calcium-mediated signaling involved in cellular response to salt stress', - 'def': 'Any positive regulation of calcium-mediated signaling that is involved in cellular response to salt stress. [GOC:TermGenie]' - }, - 'GO:1901197': { - 'name': 'positive regulation of calcium-mediated signaling involved in cellular response to calcium ion', - 'def': 'Any positive regulation of calcium-mediated signaling that is involved in cellular response to calcium ion. [GOC:TermGenie]' - }, - 'GO:1901198': { - 'name': 'positive regulation of calcium ion transport into cytosol involved in cellular response to calcium ion', - 'def': 'Any positive regulation of calcium ion transport into cytosol that is involved in cellular response to calcium ion. [GOC:TermGenie]' - }, - 'GO:1901199': { - 'name': 'positive regulation of calcium ion transport into cytosol involved in cellular response to salt stress', - 'def': 'Any positive regulation of calcium ion transport into cytosol that is involved in cellular response to salt stress. [GOC:TermGenie]' - }, - 'GO:1901200': { - 'name': 'negative regulation of calcium ion transport into cytosol involved in cellular response to salt stress', - 'def': 'Any negative regulation of calcium ion transport into cytosol that is involved in cellular response to salt stress. [GOC:TermGenie]' - }, - 'GO:1901201': { - 'name': 'regulation of extracellular matrix assembly', - 'def': 'Any process that modulates the frequency, rate or extent of extracellular matrix assembly. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901202': { - 'name': 'negative regulation of extracellular matrix assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of extracellular matrix assembly. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901203': { - 'name': 'positive regulation of extracellular matrix assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of extracellular matrix assembly. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901204': { - 'name': 'regulation of adrenergic receptor signaling pathway involved in heart process', - 'def': 'Any process that modulates the frequency, rate or extent of a cardiac adrenergic receptor signaling pathway. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie]' - }, - 'GO:1901205': { - 'name': 'negative regulation of adrenergic receptor signaling pathway involved in heart process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of a cardiac adrenergic receptor signaling pathway. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie]' - }, - 'GO:1901206': { - 'name': 'positive regulation of adrenergic receptor signaling pathway involved in heart process', - 'def': 'Any process that activates or increases the frequency, rate or extent of a cardiac adrenergic receptor signaling pathway. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie]' - }, - 'GO:1901207': { - 'name': 'regulation of heart looping', - 'def': 'Any process that modulates the frequency, rate or extent of heart looping. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901208': { - 'name': 'negative regulation of heart looping', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of heart looping. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901209': { - 'name': 'positive regulation of heart looping', - 'def': 'Any process that activates or increases the frequency, rate or extent of heart looping. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901210': { - 'name': 'regulation of cardiac chamber formation', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac chamber formation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901211': { - 'name': 'negative regulation of cardiac chamber formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac chamber formation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901212': { - 'name': 'positive regulation of cardiac chamber formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac chamber formation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901213': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in heart development', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter that contributes to the development of the heart over time. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901214': { - 'name': 'regulation of neuron death', - 'def': 'Any process that modulates the frequency, rate or extent of neuron death. [GOC:rph, GOC:TermGenie]' - }, - 'GO:1901215': { - 'name': 'negative regulation of neuron death', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neuron death. [GOC:rph, GOC:TermGenie]' - }, - 'GO:1901216': { - 'name': 'positive regulation of neuron death', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuron death. [GOC:rph, GOC:TermGenie]' - }, - 'GO:1901217': { - 'name': 'regulation of holin activity', - 'def': 'Any process that modulates the frequency, rate or extent of holin activity. [GOC:bm, GOC:TermGenie]' - }, - 'GO:1901218': { - 'name': 'negative regulation of holin activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of holin activity. [GOC:bm, GOC:TermGenie]' - }, - 'GO:1901219': { - 'name': 'regulation of cardiac chamber morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac chamber morphogenesis. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901220': { - 'name': 'negative regulation of cardiac chamber morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac chamber morphogenesis. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901221': { - 'name': 'positive regulation of cardiac chamber morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac chamber morphogenesis. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901222': { - 'name': 'regulation of NIK/NF-kappaB signaling', - 'def': 'Any process that modulates the frequency, rate or extent of NIK/NF-kappaB signaling. [GOC:TermGenie]' - }, - 'GO:1901223': { - 'name': 'negative regulation of NIK/NF-kappaB signaling', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of NIK/NF-kappaB signaling. [GOC:TermGenie]' - }, - 'GO:1901224': { - 'name': 'positive regulation of NIK/NF-kappaB signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of NIK/NF-kappaB signaling. [GOC:TermGenie]' - }, - 'GO:1901225': { - 'name': 'obsolete negative regulation of transcription from RNA polymerase II promoter involved in heart development', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of regulation of transcription from RNA polymerase II promoter involved in heart development. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901226': { - 'name': 'obsolete positive regulation of transcription from RNA polymerase II promoter involved in heart development', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of regulation of transcription from RNA polymerase II promoter involved in heart development. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901227': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter involved in heart development', - 'def': 'Any negative regulation of transcription from RNA polymerase II promoter that is involved in heart development. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901228': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in heart development', - 'def': 'Any positive regulation of transcription from RNA polymerase II promoter that is involved in heart development. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901229': { - 'name': 'regulation of non-canonical Wnt signaling pathway via JNK cascade', - 'def': 'Any process that modulates the frequency, rate or extent of non-canonical Wnt signaling pathway via JNK cascade. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901230': { - 'name': 'negative regulation of non-canonical Wnt signaling pathway via JNK cascade', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of non-canonical Wnt signaling pathway via JNK cascade. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901231': { - 'name': 'positive regulation of non-canonical Wnt signaling pathway via JNK cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of non-canonical Wnt signaling pathway via JNK cascade. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901232': { - 'name': 'regulation of convergent extension involved in axis elongation', - 'def': 'Any process that modulates the frequency, rate or extent of convergent extension involved in axis elongation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901233': { - 'name': 'negative regulation of convergent extension involved in axis elongation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of convergent extension involved in axis elongation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901234': { - 'name': 'positive regulation of convergent extension involved in axis elongation', - 'def': 'Any process that activates or increases the frequency, rate or extent of convergent extension involved in axis elongation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901235': { - 'name': '(R)-carnitine transmembrane transporter activity', - 'def': 'Enables the transfer of (R)-carnitine from one side of the membrane to the other. [GOC:TermGenie, PMID:16365042, PMID:20357772, PMID:20829798]' - }, - 'GO:1901236': { - 'name': '4-(trimethylammonio)butanoate transmembrane transporter activity', - 'def': 'Enables the transfer of 4-(trimethylammonio)butanoate from one side of the membrane to the other. [GOC:TermGenie, PMID:16952940, PMID:21784948]' - }, - 'GO:1901237': { - 'name': 'tungstate transmembrane transporter activity', - 'def': 'Enables the transfer of tungstate from one side of the membrane to the other. [GOC:TermGenie, PMID:16952940, PMID:21784948]' - }, - 'GO:1901238': { - 'name': 'ATPase-coupled tungstate transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + tungstate(in) = ADP + phosphate + tungstate(out). [GOC:TermGenie, PMID:16952940, PMID:21784948]' - }, - 'GO:1901239': { - 'name': 'malonate(1-) transmembrane transporter activity', - 'def': 'Enables the transfer of malonate(1-) from one side of the membrane to the other. [GOC:TermGenie, PMID:9128730, PMID:9573154]' - }, - 'GO:1901241': { - 'name': '4-hydroxyphenylacetate transmembrane transporter activity', - 'def': 'Enables the transfer of 4-hydroxyphenylacetate from one side of the membrane to the other. [GOC:TermGenie, PMID:9315705]' - }, - 'GO:1901242': { - 'name': 'ATPase-coupled doxorubicin transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + doxorubicin(in) = ADP + phosphate + doxorubicin(out). [GOC:TermGenie, PMID:12057006]' - }, - 'GO:1901243': { - 'name': 'ATPase-coupled methionine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + methionine(in) = ADP + phosphate + methionine(out). [GOC:TermGenie, PMID:12169620, PMID:12819857]' - }, - 'GO:1901244': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in defense response to fungus', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter to protect the cell or organism in response to the presence of a fungus. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1901245': { - 'name': 'positive regulation of toll-like receptor 9 signaling pathway by B cell receptor internalization', - 'def': 'The movement of a B cell receptor (BCR) from the plasma membrane to the inside of the cell, which results in positive regulation of toll-like receptor 9 (TLR9) signaling. For example, internalized BCR signals to recruit TLR9 from multiple small endosomes to large autophagosome-like compartments to enhance TLR9 signaling. [GOC:amm, GOC:bf, GOC:TermGenie, PMID:18513998]' - }, - 'GO:1901246': { - 'name': 'regulation of lung ciliated cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of lung ciliated cell differentiation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901247': { - 'name': 'negative regulation of lung ciliated cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lung ciliated cell differentiation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901248': { - 'name': 'positive regulation of lung ciliated cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of lung ciliated cell differentiation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901249': { - 'name': 'regulation of lung goblet cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of lung goblet cell differentiation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901250': { - 'name': 'negative regulation of lung goblet cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lung goblet cell differentiation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901251': { - 'name': 'positive regulation of lung goblet cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of lung goblet cell differentiation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901252': { - 'name': 'regulation of intracellular transport of viral material', - 'def': 'Any process that modulates the frequency, rate or extent of egress of virus within host cell. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1901253': { - 'name': 'negative regulation of intracellular transport of viral material', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intracellular transport of viral material. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1901254': { - 'name': 'positive regulation of intracellular transport of viral material', - 'def': 'Any process that activates or increases the frequency, rate or extent of intracellular transport of viral material. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1901255': { - 'name': 'nucleotide-excision repair involved in interstrand cross-link repair', - 'def': 'Any nucleotide-excision repair that is involved in interstrand cross-link repair. [GOC:TermGenie, PMID:22064477]' - }, - 'GO:1901256': { - 'name': 'regulation of macrophage colony-stimulating factor production', - 'def': 'Any process that modulates the frequency, rate or extent of macrophage colony-stimulating factor production. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901257': { - 'name': 'negative regulation of macrophage colony-stimulating factor production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of macrophage colony-stimulating factor production. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901258': { - 'name': 'positive regulation of macrophage colony-stimulating factor production', - 'def': 'Any process that activates or increases the frequency, rate or extent of macrophage colony-stimulating factor production. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901259': { - 'name': 'chloroplast rRNA processing', - 'def': 'Any rRNA processing that takes place in chloroplast. [GOC:TermGenie]' - }, - 'GO:1901260': { - 'name': 'peptidyl-lysine hydroxylation involved in bacterial-type EF-P lysine modification', - 'def': 'Any peptidyl-lysine hydroxylation that is involved in bacterial-type EF-P lysine modification. [GOC:imk, GOC:TermGenie, PMID:22706199]' - }, - 'GO:1901261': { - 'name': 'regulation of sorocarp spore cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of sorocarp spore cell differentiation. [GOC:rjd, GOC:TermGenie]' - }, - 'GO:1901262': { - 'name': 'negative regulation of sorocarp spore cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sorocarp spore cell differentiation. [GOC:rjd, GOC:TermGenie]' - }, - 'GO:1901263': { - 'name': 'positive regulation of sorocarp spore cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of sorocarp spore cell differentiation. [GOC:rjd, GOC:TermGenie]' - }, - 'GO:1901264': { - 'name': 'carbohydrate derivative transport', - 'def': 'The directed movement of a carbohydrate derivative into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1901265': { - 'name': 'nucleoside phosphate binding', - 'def': 'Interacting selectively and non-covalently with nucleoside phosphate. [GOC:TermGenie]' - }, - 'GO:1901266': { - 'name': 'cephalosporin C metabolic process', - 'def': 'The chemical reactions and pathways involving cephalosporin C. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00172]' - }, - 'GO:1901267': { - 'name': 'cephalosporin C catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cephalosporin C. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00172]' - }, - 'GO:1901268': { - 'name': 'cephalosporin C biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cephalosporin C. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00172]' - }, - 'GO:1901269': { - 'name': 'lipooligosaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving lipooligosaccharide. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00501]' - }, - 'GO:1901270': { - 'name': 'lipooligosaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lipooligosaccharide. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00501]' - }, - 'GO:1901271': { - 'name': 'lipooligosaccharide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lipooligosaccharide. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00501]' - }, - 'GO:1901272': { - 'name': '2-dehydro-3-deoxy-D-gluconic acid metabolic process', - 'def': 'The chemical reactions and pathways involving 2-dehydro-3-deoxy-D-gluconic acid. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00856]' - }, - 'GO:1901273': { - 'name': '2-dehydro-3-deoxy-D-gluconic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-dehydro-3-deoxy-D-gluconic acid. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00856]' - }, - 'GO:1901274': { - 'name': '2-dehydro-3-deoxy-D-gluconic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 2-dehydro-3-deoxy-D-gluconic acid. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00856]' - }, - 'GO:1901275': { - 'name': 'tartrate metabolic process', - 'def': 'The chemical reactions and pathways involving tartrate. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00839]' - }, - 'GO:1901276': { - 'name': 'tartrate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tartrate. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00839]' - }, - 'GO:1901277': { - 'name': 'tartrate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tartrate. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00839]' - }, - 'GO:1901278': { - 'name': 'D-ribose 5-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving D-ribose 5-phosphate. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00293]' - }, - 'GO:1901279': { - 'name': 'D-ribose 5-phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-ribose 5-phosphate. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00293]' - }, - 'GO:1901280': { - 'name': 'D-ribose 5-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of D-ribose 5-phosphate. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00293]' - }, - 'GO:1901281': { - 'name': 'fructoselysine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fructoselysine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00784]' - }, - 'GO:1901282': { - 'name': 'fructoselysine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fructoselysine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00784]' - }, - 'GO:1901283': { - 'name': '5,6,7,8-tetrahydromethanopterin metabolic process', - 'def': 'The chemical reactions and pathways involving 5,6,7,8-tetrahydromethanopterin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00065]' - }, - 'GO:1901284': { - 'name': '5,6,7,8-tetrahydromethanopterin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 5,6,7,8-tetrahydromethanopterin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00065]' - }, - 'GO:1901285': { - 'name': '5,6,7,8-tetrahydromethanopterin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 5,6,7,8-tetrahydromethanopterin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00065]' - }, - 'GO:1901286': { - 'name': 'iron-sulfur-molybdenum cofactor metabolic process', - 'def': 'The chemical reactions and pathways involving iron-sulfur-molybdenum cofactor. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00782]' - }, - 'GO:1901287': { - 'name': 'iron-sulfur-molybdenum cofactor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of iron-sulfur-molybdenum cofactor. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00782]' - }, - 'GO:1901288': { - 'name': 'iron-sulfur-molybdenum cofactor biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of iron-sulfur-molybdenum cofactor. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00782]' - }, - 'GO:1901289': { - 'name': 'succinyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of succinyl-CoA. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00929]' - }, - 'GO:1901290': { - 'name': 'succinyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of succinyl-CoA. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00929]' - }, - 'GO:1901291': { - 'name': 'negative regulation of double-strand break repair via single-strand annealing', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of double-strand break repair via single-strand annealing. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1901292': { - 'name': 'nucleoside phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a nucleoside phosphate. [GOC:TermGenie]' - }, - 'GO:1901293': { - 'name': 'nucleoside phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a nucleoside phosphate. [GOC:TermGenie]' - }, - 'GO:1901294': { - 'name': 'negative regulation of SREBP signaling pathway by negative regulation of DNA binding', - 'def': 'Negative regulation of DNA binding that results in negative regulation of a SREBP signaling pathway. [GOC:TermGenie, PMID:22017871]' - }, - 'GO:1901295': { - 'name': 'regulation of canonical Wnt signaling pathway involved in cardiac muscle cell fate commitment', - 'def': 'Any process that modulates the frequency, rate or extent of canonical Wnt signaling pathway involved in cardiac muscle cell fate commitment. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901296': { - 'name': 'negative regulation of canonical Wnt signaling pathway involved in cardiac muscle cell fate commitment', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of canonical Wnt signaling pathway involved in cardiac muscle cell fate commitment. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901297': { - 'name': 'positive regulation of canonical Wnt signaling pathway involved in cardiac muscle cell fate commitment', - 'def': 'Any process that activates or increases the frequency, rate or extent of canonical Wnt signaling pathway involved in cardiac muscle cell fate commitment. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901298': { - 'name': 'regulation of hydrogen peroxide-mediated programmed cell death', - 'def': 'Any process that modulates the frequency, rate or extent of hydrogen peroxide-mediated programmed cell death. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901299': { - 'name': 'negative regulation of hydrogen peroxide-mediated programmed cell death', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hydrogen peroxide-mediated programmed cell death. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901300': { - 'name': 'positive regulation of hydrogen peroxide-mediated programmed cell death', - 'def': 'Any process that activates or increases the frequency, rate or extent of hydrogen peroxide-mediated programmed cell death. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901301': { - 'name': 'regulation of cargo loading into COPII-coated vesicle', - 'def': 'Any process that modulates the frequency, rate or extent of cargo loading into COPII-coated vesicle. [GOC:lb, GOC:TermGenie, PMID:15899885]' - }, - 'GO:1901303': { - 'name': 'negative regulation of cargo loading into COPII-coated vesicle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cargo loading into a COPII-coated vesicle. [GOC:lb, GOC:TermGenie, PMID:15899885]' - }, - 'GO:1901304': { - 'name': 'regulation of spermidine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of spermidine biosynthetic process. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1901305': { - 'name': 'negative regulation of spermidine biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of spermidine biosynthetic process. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1901307': { - 'name': 'positive regulation of spermidine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of spermidine biosynthetic process. [GOC:pm, GOC:TermGenie]' - }, - 'GO:1901308': { - 'name': 'regulation of sterol regulatory element binding protein cleavage', - 'def': 'Any process that modulates the frequency, rate or extent of sterol regulatory element binding protein cleavage. [GOC:TermGenie]' - }, - 'GO:1901309': { - 'name': 'negative regulation of sterol regulatory element binding protein cleavage', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sterol regulatory element binding protein cleavage. [GOC:TermGenie, PMID:15899885, PMID:16525117]' - }, - 'GO:1901310': { - 'name': 'positive regulation of sterol regulatory element binding protein cleavage', - 'def': 'Any process that activates or increases the frequency, rate or extent of sterol regulatory element binding protein cleavage. [GOC:TermGenie, PMID:15899885, PMID:16525117]' - }, - 'GO:1901311': { - 'name': 'obsolete regulation of gene expression involved in extracellular matrix organization', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of gene expression involved in extracellular matrix organization. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901312': { - 'name': 'obsolete negative regulation of gene expression involved in extracellular matrix organization', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of gene expression involved in extracellular matrix organization. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901313': { - 'name': 'obsolete positive regulation of gene expression involved in extracellular matrix organization', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of gene expression involved in extracellular matrix organization. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901314': { - 'name': 'regulation of histone H2A K63-linked ubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of histone H2A K63-linked ubiquitination. [GOC:TermGenie]' - }, - 'GO:1901315': { - 'name': 'negative regulation of histone H2A K63-linked ubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H2A K63-linked ubiquitination. [GOC:TermGenie]' - }, - 'GO:1901316': { - 'name': 'positive regulation of histone H2A K63-linked ubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H2A K63-linked ubiquitination. [GOC:TermGenie]' - }, - 'GO:1901317': { - 'name': 'regulation of flagellated sperm motility', - 'def': 'Any process that modulates the frequency, rate or extent of flagellated sperm motility. [GOC:cilia, GOC:krc, GOC:TermGenie]' - }, - 'GO:1901318': { - 'name': 'negative regulation of flagellated sperm motility', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of flagellated sperm motility. [GOC:cilia, GOC:krc, GOC:TermGenie]' - }, - 'GO:1901319': { - 'name': 'positive regulation of trehalose catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of trehalose catabolic process. [GOC:TermGenie]' - }, - 'GO:1901320': { - 'name': 'negative regulation of heart induction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of heart induction. [GOC:TermGenie]' - }, - 'GO:1901321': { - 'name': 'positive regulation of heart induction', - 'def': 'Any process that activates or increases the frequency, rate or extent of heart induction. [GOC:TermGenie]' - }, - 'GO:1901322': { - 'name': 'response to chloramphenicol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chloramphenicol stimulus. [GOC:TermGenie]' - }, - 'GO:1901323': { - 'name': 'response to erythromycin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an erythromycin stimulus. [GOC:TermGenie]' - }, - 'GO:1901324': { - 'name': 'response to trichodermin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a trichodermin stimulus. [GOC:TermGenie]' - }, - 'GO:1901325': { - 'name': 'response to antimycin A', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an antimycin A stimulus. [GOC:TermGenie]' - }, - 'GO:1901326': { - 'name': 'response to tetracycline', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tetracycline stimulus. [GOC:TermGenie]' - }, - 'GO:1901327': { - 'name': 'response to tacrolimus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tacrolimus stimulus. [GOC:TermGenie]' - }, - 'GO:1901328': { - 'name': 'response to cytochalasin B', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cytochalasin B stimulus. [GOC:TermGenie]' - }, - 'GO:1901329': { - 'name': 'regulation of odontoblast differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of odontoblast differentiation. [GOC:TermGenie]' - }, - 'GO:1901330': { - 'name': 'negative regulation of odontoblast differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of odontoblast differentiation. [GOC:TermGenie]' - }, - 'GO:1901331': { - 'name': 'positive regulation of odontoblast differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of odontoblast differentiation. [GOC:TermGenie]' - }, - 'GO:1901332': { - 'name': 'negative regulation of lateral root development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lateral root development. [GOC:TermGenie]' - }, - 'GO:1901333': { - 'name': 'positive regulation of lateral root development', - 'def': 'Any process that activates or increases the frequency, rate or extent of lateral root development. [GOC:TermGenie]' - }, - 'GO:1901334': { - 'name': 'lactone metabolic process', - 'def': 'The chemical reactions and pathways involving lactone. [GOC:TermGenie]' - }, - 'GO:1901335': { - 'name': 'lactone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lactone. [GOC:TermGenie]' - }, - 'GO:1901336': { - 'name': 'lactone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lactone. [GOC:TermGenie]' - }, - 'GO:1901337': { - 'name': 'thioester transport', - 'def': 'The directed movement of a thioester into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie]' - }, - 'GO:1901338': { - 'name': 'catecholamine binding', - 'def': 'Interacting selectively and non-covalently with catecholamine. [GOC:TermGenie]' - }, - 'GO:1901339': { - 'name': 'regulation of store-operated calcium channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of store-operated calcium channel activity. [GOC:TermGenie]' - }, - 'GO:1901340': { - 'name': 'negative regulation of store-operated calcium channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of store-operated calcium channel activity. [GOC:TermGenie]' - }, - 'GO:1901341': { - 'name': 'positive regulation of store-operated calcium channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of store-operated calcium channel activity. [GOC:TermGenie]' - }, - 'GO:1901342': { - 'name': 'regulation of vasculature development', - 'def': 'Any process that modulates the frequency, rate or extent of vasculature development. [GOC:TermGenie]' - }, - 'GO:1901343': { - 'name': 'negative regulation of vasculature development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vasculature development. [GOC:TermGenie]' - }, - 'GO:1901344': { - 'name': 'response to leptomycin B', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leptomycin B stimulus. [GOC:TermGenie]' - }, - 'GO:1901345': { - 'name': 'response to L-thialysine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-thialysine stimulus. [GOC:TermGenie]' - }, - 'GO:1901346': { - 'name': 'negative regulation of vasculature development involved in avascular cornea development in camera-type eye', - 'def': 'Any negative regulation of vasculature development that is involved in developing an avascular cornea of a camera-type eye. [GOC:TermGenie, GOC:uh, PMID:16849433, PMID:17051153]' - }, - 'GO:1901347': { - 'name': 'negative regulation of secondary cell wall biogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of secondary cell wall biogenesis. [GOC:TermGenie]' - }, - 'GO:1901348': { - 'name': 'positive regulation of secondary cell wall biogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of secondary cell wall biogenesis. [GOC:TermGenie]' - }, - 'GO:1901349': { - 'name': 'glucosinolate transport', - 'def': 'The directed movement of a glucosinolate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie]' - }, - 'GO:1901350': { - 'name': 'cell-cell signaling involved in cell-cell junction organization', - 'def': 'Any cell-cell signaling that is involved in cell-cell junction organization. [GOC:TermGenie]' - }, - 'GO:1901351': { - 'name': 'regulation of phosphatidylglycerol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of phosphatidylglycerol biosynthetic process. [GOC:dgf, GOC:TermGenie, PMID:12869188]' - }, - 'GO:1901352': { - 'name': 'negative regulation of phosphatidylglycerol biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phosphatidylglycerol biosynthetic process. [GOC:dgf, GOC:TermGenie, PMID:12869188]' - }, - 'GO:1901353': { - 'name': 'positive regulation of phosphatidylglycerol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidylglycerol biosynthetic process. [GOC:dgf, GOC:TermGenie, PMID:12869188]' - }, - 'GO:1901354': { - 'name': 'response to L-canavanine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-canavanine stimulus. [GOC:TermGenie]' - }, - 'GO:1901355': { - 'name': 'response to rapamycin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a rapamycin stimulus. [GOC:TermGenie]' - }, - 'GO:1901356': { - 'name': 'beta-D-galactofuranose metabolic process', - 'def': 'The chemical reactions and pathways involving beta-D-galactofuranose. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901357': { - 'name': 'beta-D-galactofuranose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of beta-D-galactofuranose. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901358': { - 'name': 'beta-D-galactofuranose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-D-galactofuranose. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901359': { - 'name': 'tungstate binding', - 'def': 'Interacting selectively and non-covalently with tungstate. [GOC:TermGenie]' - }, - 'GO:1901360': { - 'name': 'organic cyclic compound metabolic process', - 'def': 'The chemical reactions and pathways involving organic cyclic compound. [GOC:TermGenie]' - }, - 'GO:1901361': { - 'name': 'organic cyclic compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of organic cyclic compound. [GOC:TermGenie]' - }, - 'GO:1901362': { - 'name': 'organic cyclic compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of organic cyclic compound. [GOC:TermGenie]' - }, - 'GO:1901363': { - 'name': 'heterocyclic compound binding', - 'def': 'Interacting selectively and non-covalently with heterocyclic compound. [GOC:TermGenie]' - }, - 'GO:1901364': { - 'name': 'funalenone metabolic process', - 'def': 'The chemical reactions and pathways involving funalenone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901365': { - 'name': 'funalenone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of funalenone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901366': { - 'name': 'funalenone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of funalenone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901367': { - 'name': 'response to L-cysteine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-cysteine stimulus. [GOC:TermGenie]' - }, - 'GO:1901368': { - 'name': 'NAD transmembrane transporter activity', - 'def': 'Enables the transfer of NAD from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901369': { - 'name': 'cyclic 2,3-bisphospho-D-glycerate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cyclic 2,3-bisphospho-D-glyceric acid. [GOC:bf, GOC:crds, GOC:TermGenie, PMID:2226838]' - }, - 'GO:1901370': { - 'name': 'response to glutathione', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glutathione stimulus. [GOC:TermGenie]' - }, - 'GO:1901371': { - 'name': 'regulation of leaf morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of leaf morphogenesis. [GOC:TermGenie]' - }, - 'GO:1901372': { - 'name': 'trehalose biosynthetic process involved in ascospore formation', - 'def': 'Any trehalose biosynthetic process that is involved in ascospore formation. [GOC:TermGenie]' - }, - 'GO:1901373': { - 'name': 'lipid hydroperoxide transport', - 'def': 'The directed movement of a lipid hydroperoxide into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie]' - }, - 'GO:1901374': { - 'name': 'acetate ester transport', - 'def': 'The directed movement of an acetate ester into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie]' - }, - 'GO:1901375': { - 'name': 'acetate ester transmembrane transporter activity', - 'def': 'Enables the transfer of an acetate ester from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901376': { - 'name': 'organic heteropentacyclic compound metabolic process', - 'def': 'The chemical reactions and pathways involving organic heteropentacyclic compound. [GOC:TermGenie]' - }, - 'GO:1901377': { - 'name': 'organic heteropentacyclic compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of organic heteropentacyclic compound. [GOC:TermGenie]' - }, - 'GO:1901378': { - 'name': 'organic heteropentacyclic compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of organic heteropentacyclic compound. [GOC:TermGenie]' - }, - 'GO:1901379': { - 'name': 'regulation of potassium ion transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of potassium ion transmembrane transport. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901380': { - 'name': 'negative regulation of potassium ion transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of potassium ion transmembrane transport. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901381': { - 'name': 'positive regulation of potassium ion transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of potassium ion transmembrane transport. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901382': { - 'name': 'regulation of chorionic trophoblast cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of chorionic trophoblast cell proliferation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901383': { - 'name': 'negative regulation of chorionic trophoblast cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chorionic trophoblast cell proliferation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901384': { - 'name': 'positive regulation of chorionic trophoblast cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of chorionic trophoblast cell proliferation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901385': { - 'name': 'regulation of voltage-gated calcium channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of voltage-gated calcium channel activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901386': { - 'name': 'negative regulation of voltage-gated calcium channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of voltage-gated calcium channel activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901387': { - 'name': 'positive regulation of voltage-gated calcium channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of voltage-gated calcium channel activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901388': { - 'name': 'regulation of transforming growth factor beta activation', - 'def': 'Any process that modulates the frequency, rate or extent of transforming growth factor beta activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901389': { - 'name': 'negative regulation of transforming growth factor beta activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transforming growth factor beta activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901390': { - 'name': 'positive regulation of transforming growth factor beta activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of transforming growth factor beta activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901392': { - 'name': 'regulation of transforming growth factor beta1 activation', - 'def': 'Any process that modulates the frequency, rate or extent of transforming growth factor beta1 activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901393': { - 'name': 'negative regulation of transforming growth factor beta1 activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transforming growth factor beta1 activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901394': { - 'name': 'positive regulation of transforming growth factor beta1 activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of transforming growth factor beta1 activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901395': { - 'name': 'regulation of transforming growth factor beta2 activation', - 'def': 'Any process that modulates the frequency, rate or extent of transforming growth factor beta2 activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901396': { - 'name': 'negative regulation of transforming growth factor beta2 activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transforming growth factor beta2 activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901397': { - 'name': 'positive regulation of transforming growth factor beta2 activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of transforming growth factor beta2 activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901398': { - 'name': 'regulation of transforming growth factor beta3 activation', - 'def': 'Any process that modulates the frequency, rate or extent of transforming growth factor beta3 activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901399': { - 'name': 'negative regulation of transforming growth factor beta3 activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transforming growth factor beta3 activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901400': { - 'name': 'positive regulation of transforming growth factor beta3 activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of transforming growth factor beta3 activation. [GOC:sl, GOC:TermGenie]' - }, - 'GO:1901401': { - 'name': 'regulation of tetrapyrrole metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of tetrapyrrole metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901402': { - 'name': 'negative regulation of tetrapyrrole metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tetrapyrrole metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901403': { - 'name': 'positive regulation of tetrapyrrole metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tetrapyrrole metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901404': { - 'name': 'regulation of tetrapyrrole catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of tetrapyrrole catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901405': { - 'name': 'negative regulation of tetrapyrrole catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tetrapyrrole catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901406': { - 'name': 'positive regulation of tetrapyrrole catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tetrapyrrole catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901407': { - 'name': 'regulation of phosphorylation of RNA polymerase II C-terminal domain', - 'def': 'Any process that modulates the frequency, rate or extent of phosphorylation of RNA polymerase II C-terminal domain. [GOC:TermGenie]' - }, - 'GO:1901408': { - 'name': 'negative regulation of phosphorylation of RNA polymerase II C-terminal domain', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phosphorylation of RNA polymerase II C-terminal domain. [GOC:TermGenie]' - }, - 'GO:1901409': { - 'name': 'positive regulation of phosphorylation of RNA polymerase II C-terminal domain', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphorylation of RNA polymerase II C-terminal domain. [GOC:TermGenie]' - }, - 'GO:1901410': { - 'name': 'regulation of tetrapyrrole biosynthetic process from glutamate', - 'def': 'Any process that modulates the frequency, rate or extent of tetrapyrrole biosynthetic process from glutamate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901411': { - 'name': 'negative regulation of tetrapyrrole biosynthetic process from glutamate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tetrapyrrole biosynthetic process from glutamate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901412': { - 'name': 'positive regulation of tetrapyrrole biosynthetic process from glutamate', - 'def': 'Any process that activates or increases the frequency, rate or extent of tetrapyrrole biosynthetic process from glutamate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901413': { - 'name': 'regulation of tetrapyrrole biosynthetic process from glycine and succinyl-CoA', - 'def': 'Any process that modulates the frequency, rate or extent of tetrapyrrole biosynthetic process from glycine and succinyl-CoA. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901414': { - 'name': 'negative regulation of tetrapyrrole biosynthetic process from glycine and succinyl-CoA', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tetrapyrrole biosynthetic process from glycine and succinyl-CoA. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901415': { - 'name': 'positive regulation of tetrapyrrole biosynthetic process from glycine and succinyl-CoA', - 'def': 'Any process that activates or increases the frequency, rate or extent of tetrapyrrole biosynthetic process from glycine and succinyl-CoA. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901416': { - 'name': 'regulation of response to ethanol', - 'def': 'Any process that modulates the frequency, rate or extent of response to ethanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901417': { - 'name': 'negative regulation of response to ethanol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to ethanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901418': { - 'name': 'positive regulation of response to ethanol', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to ethanol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901419': { - 'name': 'regulation of response to alcohol', - 'def': 'Any process that modulates the frequency, rate or extent of response to alcohol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901420': { - 'name': 'negative regulation of response to alcohol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to alcohol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901421': { - 'name': 'positive regulation of response to alcohol', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to alcohol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901422': { - 'name': 'response to butan-1-ol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a butan-1-ol stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901423': { - 'name': 'response to benzene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a benzene stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901424': { - 'name': 'response to toluene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a toluene stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901425': { - 'name': 'response to formic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a formic acid stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901426': { - 'name': 'response to furfural', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a furfural stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901427': { - 'name': 'response to propan-1-ol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a propan-1-ol stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901428': { - 'name': 'regulation of syringal lignin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of syringal lignin biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901429': { - 'name': 'negative regulation of syringal lignin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of syringal lignin biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901430': { - 'name': 'positive regulation of syringal lignin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of syringal lignin biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901431': { - 'name': 'regulation of response to cycloalkane', - 'def': 'Any process that modulates the frequency, rate or extent of response to cycloalkane. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901432': { - 'name': 'negative regulation of response to cycloalkane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to cycloalkane. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901433': { - 'name': 'positive regulation of response to cycloalkane', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to cycloalkane. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901434': { - 'name': 'regulation of toluene catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of toluene catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901435': { - 'name': 'negative regulation of toluene catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of toluene catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901436': { - 'name': 'positive regulation of toluene catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of toluene catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901437': { - 'name': 'regulation of toluene metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of toluene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901438': { - 'name': 'negative regulation of toluene metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of toluene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901439': { - 'name': 'positive regulation of toluene metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of toluene metabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901440': { - 'name': 'poly(hydroxyalkanoate) metabolic process', - 'def': 'The chemical reactions and pathways involving poly(hydroxyalkanoate). [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901441': { - 'name': 'poly(hydroxyalkanoate) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(hydroxyalkanoate). [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901442': { - 'name': 'regulation of response to furfural', - 'def': 'Any process that modulates the frequency, rate or extent of response to furfural. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901443': { - 'name': 'negative regulation of response to furfural', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to furfural. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901444': { - 'name': 'positive regulation of response to furfural', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to furfural. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901445': { - 'name': 'regulation of response to propan-1-ol', - 'def': 'Any process that modulates the frequency, rate or extent of response to propan-1-ol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901446': { - 'name': 'negative regulation of response to propan-1-ol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to propan-1-ol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901447': { - 'name': 'positive regulation of response to propan-1-ol', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to propan-1-ol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901448': { - 'name': 'regulation of response to butan-1-ol', - 'def': 'Any process that modulates the frequency, rate or extent of response to butan-1-ol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901449': { - 'name': 'negative regulation of response to butan-1-ol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to butan-1-ol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901450': { - 'name': 'positive regulation of response to butan-1-ol', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to butan-1-ol. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901451': { - 'name': 'regulation of response to benzene', - 'def': 'Any process that modulates the frequency, rate or extent of response to benzene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901452': { - 'name': 'negative regulation of response to benzene', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to benzene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901453': { - 'name': 'positive regulation of response to benzene', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to benzene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901454': { - 'name': 'regulation of response to toluene', - 'def': 'Any process that modulates the frequency, rate or extent of response to toluene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901455': { - 'name': 'negative regulation of response to toluene', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to toluene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901456': { - 'name': 'positive regulation of response to toluene', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to toluene. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901457': { - 'name': 'regulation of response to acetate', - 'def': 'Any process that modulates the frequency, rate or extent of response to acetate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901458': { - 'name': 'negative regulation of response to acetate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to acetate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901459': { - 'name': 'positive regulation of response to acetate', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to acetate. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901460': { - 'name': 'regulation of response to formic acid', - 'def': 'Any process that modulates the frequency, rate or extent of response to formic acid. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901461': { - 'name': 'negative regulation of response to formic acid', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to formic acid. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901462': { - 'name': 'positive regulation of response to formic acid', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to formic acid. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901463': { - 'name': 'regulation of tetrapyrrole biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of tetrapyrrole biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901464': { - 'name': 'negative regulation of tetrapyrrole biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tetrapyrrole biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901465': { - 'name': 'positive regulation of tetrapyrrole biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tetrapyrrole biosynthetic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901466': { - 'name': 'regulation of ferulate catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of ferulate catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901467': { - 'name': 'negative regulation of ferulate catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ferulate catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901468': { - 'name': 'positive regulation of ferulate catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ferulate catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901469': { - 'name': 'regulation of syringal lignin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of syringal lignin catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901470': { - 'name': 'negative regulation of syringal lignin catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of syringal lignin catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901471': { - 'name': 'positive regulation of syringal lignin catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of syringal lignin catabolic process. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901472': { - 'name': 'regulation of Golgi calcium ion export', - 'def': 'Any process that modulates the frequency, rate or extent of Golgi calcium ion export. [GOC:TermGenie]' - }, - 'GO:1901474': { - 'name': 'azole transmembrane transporter activity', - 'def': 'Enables the transfer of azole from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901475': { - 'name': 'pyruvate transmembrane transport', - 'def': 'The directed movement of pyruvate across a membrane. [GOC:TermGenie]' - }, - 'GO:1901476': { - 'name': 'carbohydrate transporter activity', - 'def': 'Enables the directed movement of carbohydrate into, out of or within a cell, or between cells. [GOC:TermGenie]' - }, - 'GO:1901477': { - 'name': 'benomyl transmembrane transport', - 'def': 'The directed movement of benomyl across a membrane. [GOC:TermGenie]' - }, - 'GO:1901478': { - 'name': 'aminotriazole transmembrane transporter activity', - 'def': 'Enables the transfer of amitrole from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901479': { - 'name': 'benomyl transmembrane transporter activity', - 'def': 'Enables the transfer of benomyl from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901480': { - 'name': 'oleate transporter activity', - 'def': 'Enables the directed movement of oleate into, out of or within a cell, or between cells. [GOC:TermGenie, RHEA:33658]' - }, - 'GO:1901481': { - 'name': 'L-glutamate import involved in cellular response to nitrogen starvation', - 'def': 'Any L-glutamate import that is involved in cellular response to nitrogen starvation. [GOC:TermGenie]' - }, - 'GO:1901482': { - 'name': 'L-lysine import involved in cellular response to nitrogen starvation', - 'def': 'Any L-lysine import that is involved in cellular response to nitrogen starvation. [GOC:TermGenie]' - }, - 'GO:1901483': { - 'name': 'regulation of transcription factor catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of transcription factor catabolic process. [GOC:al, GOC:TermGenie, GOC:vw, PMID:22833559]' - }, - 'GO:1901484': { - 'name': 'negative regulation of transcription factor catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transcription factor catabolic process. [GOC:al, GOC:TermGenie, GOC:vw]' - }, - 'GO:1901485': { - 'name': 'positive regulation of transcription factor catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription factor catabolic process. [GOC:al, GOC:TermGenie, GOC:vw, PMID:22833559]' - }, - 'GO:1901486': { - 'name': 'negative regulation of SREBP signaling pathway by positive regulation of transcription factor catabolic process', - 'def': 'Positive regulation of transcription factor catabolism that results in negative regulation of the SREBP signaling pathway. [GOC:TermGenie, GOC:vw, PMID:22833559]' - }, - 'GO:1901487': { - 'name': 'negative regulation of SREBP signaling pathway by positive regulation of transcription factor catabolic process in response to increased oxygen levels', - 'def': 'Positive regulation of transcription factor catabolism in response to increased oxygen levels, which results in negative regulation of the SREBP signaling pathway. [GOC:TermGenie, GOC:vw, PMID:22833559]' - }, - 'GO:1901488': { - 'name': 'positive regulation of SREBP signaling pathway by negative regulation of transcription factor catabolic process', - 'def': 'Negative regulation of transcription factor catabolism that results in positive regulation of the SREBP signaling pathway. [GOC:TermGenie, GOC:vw, PMID:22833559]' - }, - 'GO:1901489': { - 'name': 'positive regulation of SREBP signaling pathway by negative regulation of transcription factor catabolic process in response to decreased oxygen levels', - 'def': 'Negative regulation of transcription factor catabolism in response to decreased oxygen levels, which results in positive regulation of the SREBP signaling pathway. [GOC:TermGenie, GOC:vw, PMID:22833559]' - }, - 'GO:1901490': { - 'name': 'regulation of lymphangiogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of lymphangiogenesis. [GOC:dph, GOC:TermGenie, PMID:20133819]' - }, - 'GO:1901491': { - 'name': 'negative regulation of lymphangiogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lymphangiogenesis. [GOC:dph, GOC:TermGenie, PMID:20133819]' - }, - 'GO:1901492': { - 'name': 'positive regulation of lymphangiogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of lymphangiogenesis. [GOC:dph, GOC:TermGenie, PMID:20133819]' - }, - 'GO:1901493': { - 'name': 'response to decalin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a decalin stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901494': { - 'name': 'regulation of cysteine metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cysteine metabolic process. [GOC:TermGenie]' - }, - 'GO:1901495': { - 'name': 'negative regulation of cysteine metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cysteine metabolic process. [GOC:TermGenie]' - }, - 'GO:1901496': { - 'name': 'positive regulation of cysteine metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cysteine metabolic process. [GOC:TermGenie]' - }, - 'GO:1901497': { - 'name': 'response to diphenyl ether', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diphenyl ether stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901498': { - 'name': 'response to tetralin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tetralin stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901499': { - 'name': 'response to hexane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hexane stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901500': { - 'name': 'response to p-xylene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a p-xylene stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901501': { - 'name': 'response to xylene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a xylene stimulus. [GOC:mengo_curators, GOC:TermGenie]' - }, - 'GO:1901502': { - 'name': 'ether catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ether. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901503': { - 'name': 'ether biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ether. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901504': { - 'name': 'triazole transport', - 'def': 'The directed movement of a triazole into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901505': { - 'name': 'carbohydrate derivative transporter activity', - 'def': 'Enables the directed movement of carbohydrate derivative into, out of or within a cell, or between cells. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901506': { - 'name': 'regulation of acylglycerol transport', - 'def': 'Any process that modulates the frequency, rate or extent of acylglycerol transport. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1901507': { - 'name': 'negative regulation of acylglycerol transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of acylglycerol transport. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1901508': { - 'name': 'positive regulation of acylglycerol transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of acylglycerol transport. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1901509': { - 'name': 'regulation of endothelial tube morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial tube morphogenesis. [GOC:dph, GOC:TermGenie]' - }, - 'GO:1901510': { - 'name': '(-)-microperfuranone metabolic process', - 'def': 'The chemical reactions and pathways involving (-)-microperfuranone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901511': { - 'name': '(-)-microperfuranone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (-)-microperfuranone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901512': { - 'name': '(-)-microperfuranone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (-)-microperfuranone. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901513': { - 'name': 'lipo-chitin oligosaccharide transmembrane transporter activity', - 'def': 'Enables the transfer of lipo-chitin oligosaccharide from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901514': { - 'name': 'ATPase-coupled lipo-chitin oligosaccharide transmembrane transporter activity', - 'def': 'Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + lipo-chitin oligosaccharide(in) = ADP + phosphate + lipo-chitin oligosaccharide(out). [GOC:TermGenie]' - }, - 'GO:1901515': { - 'name': 'poly-beta-1,6-N-acetyl-D-glucosamine transmembrane transporter activity', - 'def': 'Enables the transfer of poly-beta-1,6-N-acetyl-D-glucosamine from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901516': { - 'name': 'aspyridone A metabolic process', - 'def': 'The chemical reactions and pathways involving aspyridone A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901517': { - 'name': 'aspyridone A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aspyridone A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901518': { - 'name': 'aspyridone A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aspyridone A. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901519': { - 'name': 'aspyridone B metabolic process', - 'def': 'The chemical reactions and pathways involving aspyridone B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901520': { - 'name': 'aspyridone B catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of aspyridone B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901521': { - 'name': 'aspyridone B biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aspyridone B. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901522': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in cellular response to chemical stimulus', - 'def': 'Any positive regulation of transcription from RNA polymerase II promoter that is involved in cellular response to chemical stimulus. [GOC:TermGenie, PMID:22840777]' - }, - 'GO:1901523': { - 'name': 'icosanoid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of icosanoid. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901524': { - 'name': 'regulation of macromitophagy', - 'def': 'Any process that modulates the frequency, rate or extent of macromitophagy. [GOC:TermGenie]' - }, - 'GO:1901525': { - 'name': 'negative regulation of macromitophagy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of macromitophagy. [GOC:TermGenie]' - }, - 'GO:1901526': { - 'name': 'positive regulation of macromitophagy', - 'def': 'Any process that activates or increases the frequency, rate or extent of macromitophagy. [GOC:TermGenie]' - }, - 'GO:1901527': { - 'name': 'abscisic acid-activated signaling pathway involved in stomatal movement', - 'def': 'Any abscisic acid mediated signaling pathway that is involved in stomatal movement. [GOC:TermGenie, PMID:22730405]' - }, - 'GO:1901528': { - 'name': 'hydrogen peroxide mediated signaling pathway involved in stomatal movement', - 'def': 'Any hydrogen peroxide mediated signaling pathway that is involved in stomatal movement. [GOC:TermGenie]' - }, - 'GO:1901529': { - 'name': 'positive regulation of anion channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of anion channel activity. [GOC:TermGenie]' - }, - 'GO:1901530': { - 'name': 'response to hypochlorite', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hypochlorite stimulus. [GOC:pr, GOC:TermGenie, PMID:22223481]' - }, - 'GO:1901531': { - 'name': 'hypochlorite binding', - 'def': 'Interacting selectively and non-covalently with hypochlorite. [GOC:pr, GOC:TermGenie, PMID:22223481]' - }, - 'GO:1901532': { - 'name': 'regulation of hematopoietic progenitor cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of hematopoietic progenitor cell differentiation. [GOC:BHF, GOC:rl, GOC:TermGenie]' - }, - 'GO:1901533': { - 'name': 'negative regulation of hematopoietic progenitor cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hematopoietic progenitor cell differentiation. [GOC:BHF, GOC:rl, GOC:TermGenie]' - }, - 'GO:1901534': { - 'name': 'positive regulation of hematopoietic progenitor cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of hematopoietic progenitor cell differentiation. [GOC:BHF, GOC:rl, GOC:TermGenie]' - }, - 'GO:1901535': { - 'name': 'regulation of DNA demethylation', - 'def': 'Any process that modulates the frequency, rate or extent of DNA demethylation. [GOC:TermGenie]' - }, - 'GO:1901536': { - 'name': 'negative regulation of DNA demethylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA demethylation. [GOC:TermGenie]' - }, - 'GO:1901537': { - 'name': 'positive regulation of DNA demethylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA demethylation. [GOC:TermGenie]' - }, - 'GO:1901538': { - 'name': 'changes to DNA methylation involved in embryo development', - 'def': 'The addition or removal of methyl groups to DNA that contributes to the epigenetic regulation of embryonic gene expression. [GOC:TermGenie]' - }, - 'GO:1901539': { - 'name': 'ent-pimara-8(14),15-diene metabolic process', - 'def': 'The chemical reactions and pathways involving ent-pimara-8(14),15-diene. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901540': { - 'name': 'ent-pimara-8(14),15-diene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ent-pimara-8(14),15-diene. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901541': { - 'name': 'ent-pimara-8(14),15-diene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ent-pimara-8(14),15-diene. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901542': { - 'name': 'regulation of ent-pimara-8(14),15-diene biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of ent-pimara-8(14),15-diene biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901543': { - 'name': 'negative regulation of ent-pimara-8(14),15-diene biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ent-pimara-8(14),15-diene biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901544': { - 'name': 'positive regulation of ent-pimara-8(14),15-diene biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ent-pimara-8(14),15-diene biosynthetic process. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901545': { - 'name': 'response to raffinose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a raffinose stimulus. [GOC:TermGenie]' - }, - 'GO:1901546': { - 'name': 'regulation of synaptic vesicle lumen acidification', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle lumen acidification. [GOC:TermGenie]' - }, - 'GO:1901547': { - 'name': 'negative regulation of synaptic vesicle lumen acidification', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synaptic vesicle lumen acidification. [GOC:TermGenie]' - }, - 'GO:1901548': { - 'name': 'positive regulation of synaptic vesicle lumen acidification', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic vesicle lumen acidification. [GOC:TermGenie]' - }, - 'GO:1901549': { - 'name': 'malonic acid uptake transmembrane transporter activity', - 'def': 'Enables the transfer of malonic acid from the outside of a cell to the inside across a membrane. [GOC:TermGenie]' - }, - 'GO:1901550': { - 'name': 'regulation of endothelial cell development', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial cell development. [GOC:pr, GOC:TermGenie, PMID:19470579]' - }, - 'GO:1901551': { - 'name': 'negative regulation of endothelial cell development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelial cell development. [GOC:pr, GOC:TermGenie, PMID:19470579]' - }, - 'GO:1901552': { - 'name': 'positive regulation of endothelial cell development', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial cell development. [GOC:pr, GOC:TermGenie, PMID:19470579]' - }, - 'GO:1901553': { - 'name': 'malonic acid transmembrane transport', - 'def': 'The directed movement of malonic acid across a membrane. [GOC:al, GOC:TermGenie]' - }, - 'GO:1901554': { - 'name': 'response to paracetamol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a paracetamol stimulus. [GOC:TermGenie]' - }, - 'GO:1901555': { - 'name': 'response to paclitaxel', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a paclitaxel stimulus. [GOC:TermGenie]' - }, - 'GO:1901556': { - 'name': 'response to candesartan', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a candesartan stimulus. [GOC:TermGenie]' - }, - 'GO:1901557': { - 'name': 'response to fenofibrate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fenofibrate stimulus. [GOC:TermGenie]' - }, - 'GO:1901558': { - 'name': 'response to metformin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a metformin stimulus. [GOC:TermGenie]' - }, - 'GO:1901559': { - 'name': 'response to ribavirin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ribavirin stimulus. [GOC:TermGenie]' - }, - 'GO:1901560': { - 'name': 'response to purvalanol A', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a purvalanol A stimulus. [GOC:TermGenie]' - }, - 'GO:1901561': { - 'name': 'response to benomyl', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a benomyl stimulus. [GOC:TermGenie]' - }, - 'GO:1901562': { - 'name': 'response to paraquat', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a paraquat stimulus. [GOC:TermGenie]' - }, - 'GO:1901563': { - 'name': 'response to camptothecin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a camptothecin stimulus. [GOC:TermGenie]' - }, - 'GO:1901564': { - 'name': 'organonitrogen compound metabolic process', - 'def': 'The chemical reactions and pathways involving organonitrogen compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901565': { - 'name': 'organonitrogen compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of organonitrogen compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901566': { - 'name': 'organonitrogen compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of organonitrogen compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901567': { - 'name': 'fatty acid derivative binding', - 'def': 'Interacting selectively and non-covalently with fatty acid derivative. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901568': { - 'name': 'fatty acid derivative metabolic process', - 'def': 'The chemical reactions and pathways involving fatty acid derivative. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901569': { - 'name': 'fatty acid derivative catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fatty acid derivative. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901570': { - 'name': 'fatty acid derivative biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fatty acid derivative. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901571': { - 'name': 'fatty acid derivative transport', - 'def': 'The directed movement of a fatty acid derivative into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901572': { - 'name': 'obsolete chemical substance metabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways involving chemical substance. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901573': { - 'name': 'obsolete chemical substance catabolic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of chemical substance. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901574': { - 'name': 'obsolete chemical substance biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of chemical substance. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901575': { - 'name': 'organic substance catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an organic substance, any molecular entity containing carbon. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901576': { - 'name': 'organic substance biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an organic substance, any molecular entity containing carbon. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901577': { - 'name': 'regulation of alkane biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of alkane biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901578': { - 'name': 'negative regulation of alkane biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of alkane biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901579': { - 'name': 'positive regulation of alkane biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of alkane biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901580': { - 'name': 'regulation of telomeric RNA transcription from RNA pol II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of telomeric RNA transcription from RNA pol II promoter. [GOC:TermGenie]' - }, - 'GO:1901581': { - 'name': 'negative regulation of telomeric RNA transcription from RNA pol II promoter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomeric RNA transcription from RNA pol II promoter. [GOC:TermGenie]' - }, - 'GO:1901582': { - 'name': 'positive regulation of telomeric RNA transcription from RNA pol II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomeric RNA transcription from RNA pol II promoter. [GOC:TermGenie]' - }, - 'GO:1901583': { - 'name': 'tetrapeptide transmembrane transport', - 'def': 'The directed movement of tetrapeptide across a membrane. [GOC:TermGenie]' - }, - 'GO:1901584': { - 'name': 'tetrapeptide transmembrane transporter activity', - 'def': 'Enables the transfer of tetrapeptide from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901585': { - 'name': 'regulation of acid-sensing ion channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of acid-sensing ion channel activity. [GOC:TermGenie]' - }, - 'GO:1901586': { - 'name': 'negative regulation of acid-sensing ion channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of acid-sensing ion channel activity. [GOC:TermGenie]' - }, - 'GO:1901587': { - 'name': 'positive regulation of acid-sensing ion channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of acid-sensing ion channel activity. [GOC:TermGenie]' - }, - 'GO:1901588': { - 'name': 'dendritic microtubule', - 'def': 'Any microtubule in a dendrite, a neuron projection. [GOC:TermGenie, NIF_Subcellular:sao110773650]' - }, - 'GO:1901589': { - 'name': 'axon microtubule bundle', - 'def': 'An arrangement of closely apposed microtubules running parallel to each other in the axon hillock and initial segment. [GOC:TermGenie, NIF_Subcellular:sao707332678]' - }, - 'GO:1901591': { - 'name': 'regulation of double-strand break repair via break-induced replication', - 'def': 'Any process that modulates the frequency, rate or extent of double-strand break repair via break-induced replication. [GOC:TermGenie]' - }, - 'GO:1901592': { - 'name': 'negative regulation of double-strand break repair via break-induced replication', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of double-strand break repair via break-induced replication. [GOC:TermGenie]' - }, - 'GO:1901593': { - 'name': 'response to GW 7647', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a GW 7647 stimulus. [GOC:TermGenie]' - }, - 'GO:1901594': { - 'name': 'response to capsazepine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a capsazepine stimulus. [GOC:TermGenie]' - }, - 'GO:1901595': { - 'name': 'response to hesperadin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hesperadin stimulus. [GOC:TermGenie]' - }, - 'GO:1901596': { - 'name': 'response to reversine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a reversine stimulus. [GOC:TermGenie]' - }, - 'GO:1901597': { - 'name': 'response to carbendazim', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carbendazim stimulus. [GOC:TermGenie]' - }, - 'GO:1901598': { - 'name': '(-)-pinoresinol metabolic process', - 'def': 'The chemical reactions and pathways involving (-)-pinoresinol. [GOC:TermGenie]' - }, - 'GO:1901599': { - 'name': '(-)-pinoresinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (-)-pinoresinol. [GOC:TermGenie]' - }, - 'GO:1901600': { - 'name': 'strigolactone metabolic process', - 'def': 'The chemical reactions and pathways involving strigolactone. [GOC:TermGenie]' - }, - 'GO:1901601': { - 'name': 'strigolactone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of strigolactone. [GOC:TermGenie]' - }, - 'GO:1901602': { - 'name': 'dethiobiotin binding', - 'def': 'Interacting selectively and non-covalently with dethiobiotin. [GOC:TermGenie]' - }, - 'GO:1901603': { - 'name': 'biotin transmembrane transporter activity', - 'def': 'Enables the transfer of biotin from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901604': { - 'name': 'dethiobiotin transmembrane transporter activity', - 'def': 'Enables the transfer of dethiobiotin from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901605': { - 'name': 'alpha-amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving an alpha-amino acid. [GOC:TermGenie]' - }, - 'GO:1901606': { - 'name': 'alpha-amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an alpha-amino acid. [GOC:TermGenie]' - }, - 'GO:1901607': { - 'name': 'alpha-amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of an alpha-amino acid. [GOC:TermGenie]' - }, - 'GO:1901608': { - 'name': 'regulation of vesicle transport along microtubule', - 'def': 'Any process that modulates the frequency, rate or extent of vesicle transport along microtubule. [GOC:TermGenie]' - }, - 'GO:1901609': { - 'name': 'negative regulation of vesicle transport along microtubule', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vesicle transport along microtubule. [GOC:TermGenie]' - }, - 'GO:1901610': { - 'name': 'positive regulation of vesicle transport along microtubule', - 'def': 'Any process that activates or increases the frequency, rate or extent of vesicle transport along microtubule. [GOC:TermGenie]' - }, - 'GO:1901611': { - 'name': 'phosphatidylglycerol binding', - 'def': 'Interacting selectively and non-covalently with phosphatidylglycerol. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1901612': { - 'name': 'cardiolipin binding', - 'def': 'Interacting selectively and non-covalently with cardiolipin. [GOC:kmv, GOC:TermGenie]' - }, - 'GO:1901613': { - 'name': 'negative regulation of terminal button organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of terminal button organization. [GOC:TermGenie, PMID:22426000]' - }, - 'GO:1901614': { - 'name': 'positive regulation of terminal button organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of terminal button organization. [GOC:TermGenie, PMID:22426000]' - }, - 'GO:1901615': { - 'name': 'organic hydroxy compound metabolic process', - 'def': 'The chemical reactions and pathways involving organic hydroxy compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901616': { - 'name': 'organic hydroxy compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of organic hydroxy compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901617': { - 'name': 'organic hydroxy compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of organic hydroxy compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901618': { - 'name': 'organic hydroxy compound transmembrane transporter activity', - 'def': 'Enables the transfer of organic hydroxy compound from one side of the membrane to the other. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901619': { - 'name': 'tRNA methylation in response to nitrogen starvation', - 'def': 'The posttranscriptional addition of methyl groups to specific residues in a tRNA molecule as a result of deprivation of nitrogen. [GOC:TermGenie, PMID:23074192]' - }, - 'GO:1901620': { - 'name': 'regulation of smoothened signaling pathway involved in dorsal/ventral neural tube patterning', - 'def': 'Any process that modulates the frequency, rate or extent of smoothened signaling pathway involved in dorsal/ventral neural tube patterning. [GOC:TermGenie]' - }, - 'GO:1901621': { - 'name': 'negative regulation of smoothened signaling pathway involved in dorsal/ventral neural tube patterning', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of smoothened signaling pathway involved in dorsal/ventral neural tube patterning. [GOC:TermGenie]' - }, - 'GO:1901622': { - 'name': 'positive regulation of smoothened signaling pathway involved in dorsal/ventral neural tube patterning', - 'def': 'Any process that activates or increases the frequency, rate or extent of smoothened signaling pathway involved in dorsal/ventral neural tube patterning. [GOC:TermGenie]' - }, - 'GO:1901623': { - 'name': 'regulation of lymphocyte chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of lymphocyte chemotaxis. [GOC:TermGenie]' - }, - 'GO:1901624': { - 'name': 'negative regulation of lymphocyte chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lymphocyte chemotaxis. [GOC:TermGenie]' - }, - 'GO:1901625': { - 'name': 'cellular response to ergosterol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ergosterol stimulus. [GOC:TermGenie]' - }, - 'GO:1901626': { - 'name': 'regulation of postsynaptic membrane organization', - 'def': 'Any process that modulates the frequency, rate or extent of postsynaptic membrane organization. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901627': { - 'name': 'negative regulation of postsynaptic membrane organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of postsynaptic membrane organization. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901628': { - 'name': 'positive regulation of postsynaptic membrane organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of postsynaptic membrane organization. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901629': { - 'name': 'regulation of presynaptic membrane organization', - 'def': 'Any process that modulates the frequency, rate or extent of presynaptic membrane organization. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901630': { - 'name': 'negative regulation of presynaptic membrane organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of presynaptic membrane organization. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901631': { - 'name': 'positive regulation of presynaptic membrane organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of presynaptic membrane organization. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901632': { - 'name': 'regulation of synaptic vesicle membrane organization', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle membrane organization. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901633': { - 'name': 'negative regulation of synaptic vesicle membrane organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synaptic vesicle membrane organization. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901634': { - 'name': 'positive regulation of synaptic vesicle membrane organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic vesicle membrane organization. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901635': { - 'name': 'obsolete regulation of maintenance of presynaptic active zone structure', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of maintenance of presynaptic active zone structure. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901636': { - 'name': 'obsolete negative regulation of maintenance of presynaptic active zone structure', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of maintenance of presynaptic active zone structure. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901637': { - 'name': 'obsolete positive regulation of maintenance of presynaptic active zone structure', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of maintenance of presynaptic active zone structure. [GOC:TermGenie, PubMed:22426000]' - }, - 'GO:1901638': { - 'name': 'obsolete copper ion import into ascospore-type prospore', - 'def': 'OBSOLETE. Any copper ion import that takes place in ascospore-type prospore. [GOC:TermGenie]' - }, - 'GO:1901639': { - 'name': 'XDP catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of XDP. [GOC:TermGenie]' - }, - 'GO:1901640': { - 'name': 'XTP binding', - 'def': 'Interacting selectively and non-covalently with XTP. [GOC:TermGenie]' - }, - 'GO:1901641': { - 'name': 'ITP binding', - 'def': 'Interacting selectively and non-covalently with ITP. [GOC:TermGenie]' - }, - 'GO:1901642': { - 'name': 'nucleoside transmembrane transport', - 'def': 'The directed movement of nucleoside across a membrane. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901643': { - 'name': 'regulation of tRNA methylation in response to nitrogen starvation', - 'def': 'Any process that modulates the frequency, rate or extent of tRNA methylation in response to nitrogen starvation. [GOC:TermGenie]' - }, - 'GO:1901644': { - 'name': 'positive regulation of tRNA methylation in response to nitrogen starvation', - 'def': 'Any process that activates or increases the frequency, rate or extent of tRNA methylation in response to nitrogen starvation. [GOC:TermGenie]' - }, - 'GO:1901645': { - 'name': 'regulation of synoviocyte proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of synoviocyte proliferation. [GOC:TermGenie]' - }, - 'GO:1901646': { - 'name': 'negative regulation of synoviocyte proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synoviocyte proliferation. [GOC:TermGenie]' - }, - 'GO:1901647': { - 'name': 'positive regulation of synoviocyte proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of synoviocyte proliferation. [GOC:TermGenie]' - }, - 'GO:1901648': { - 'name': 'regulation of actomyosin contractile ring localization', - 'def': 'Any process that modulates the frequency, rate or extent of actomyosin contractile ring localization. [GOC:TermGenie]' - }, - 'GO:1901649': { - 'name': 'negative regulation of actomyosin contractile ring localization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of actomyosin contractile ring localization. [GOC:TermGenie]' - }, - 'GO:1901650': { - 'name': 'positive regulation of actomyosin contractile ring localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of actomyosin contractile ring localization. [GOC:TermGenie]' - }, - 'GO:1901651': { - 'name': 'regulation of mitotic chromosome decondensation', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic chromosome decondensation. [GOC:TermGenie]' - }, - 'GO:1901652': { - 'name': 'response to peptide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a peptide stimulus. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901653': { - 'name': 'cellular response to peptide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a peptide stimulus. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901654': { - 'name': 'response to ketone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ketone stimulus. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901655': { - 'name': 'cellular response to ketone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ketone stimulus. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901656': { - 'name': 'glycoside transport', - 'def': 'The directed movement of a glycoside into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901657': { - 'name': 'glycosyl compound metabolic process', - 'def': 'The chemical reactions and pathways involving glycosyl compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901658': { - 'name': 'glycosyl compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycosyl compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901659': { - 'name': 'glycosyl compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycosyl compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901660': { - 'name': 'calcium ion export', - 'def': 'The directed movement of calcium ion out of a cell or organelle. [GOC:TermGenie]' - }, - 'GO:1901661': { - 'name': 'quinone metabolic process', - 'def': 'The chemical reactions and pathways involving quinone. [GOC:go_curators, GOC:pr, GOC:TermGenie]' - }, - 'GO:1901662': { - 'name': 'quinone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of quinone. [GOC:go_curators, GOC:pr, GOC:TermGenie]' - }, - 'GO:1901663': { - 'name': 'quinone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of quinone. [GOC:mb, GOC:pr, GOC:TermGenie]' - }, - 'GO:1901664': { - 'name': 'regulation of NAD+ ADP-ribosyltransferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of NAD+ ADP-ribosyltransferase activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901665': { - 'name': 'negative regulation of NAD+ ADP-ribosyltransferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of NAD+ ADP-ribosyltransferase activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901666': { - 'name': 'positive regulation of NAD+ ADP-ribosyltransferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of NAD+ ADP-ribosyltransferase activity. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901667': { - 'name': 'negative regulation of skeletal muscle satellite cell activation involved in skeletal muscle regeneration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of satellite cell activation involved in skeletal muscle regeneration. [GOC:dph, GOC:TermGenie, PMID:21272575]' - }, - 'GO:1901668': { - 'name': 'regulation of superoxide dismutase activity', - 'def': 'Any process that modulates the frequency, rate or extent of superoxide dismutase activity. [GOC:TermGenie]' - }, - 'GO:1901670': { - 'name': 'negative regulation of superoxide dismutase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of superoxide dismutase activity. [GOC:TermGenie]' - }, - 'GO:1901671': { - 'name': 'positive regulation of superoxide dismutase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of superoxide dismutase activity. [GOC:TermGenie]' - }, - 'GO:1901672': { - 'name': 'positive regulation of systemic acquired resistance', - 'def': 'Any process that activates or increases the frequency, rate or extent of systemic acquired resistance. [GOC:TermGenie]' - }, - 'GO:1901673': { - 'name': 'regulation of mitotic spindle assembly', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic spindle assembly. [GOC:TermGenie]' - }, - 'GO:1901674': { - 'name': 'regulation of histone H3-K27 acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K27 acetylation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901675': { - 'name': 'negative regulation of histone H3-K27 acetylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K27 acetylation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901676': { - 'name': 'positive regulation of histone H3-K27 acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K27 acetylation. [GOC:BHF, GOC:TermGenie]' - }, - 'GO:1901677': { - 'name': 'phosphate transmembrane transporter activity', - 'def': 'Enables the transfer of phosphate from one side of the membrane to the other. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901678': { - 'name': 'iron coordination entity transport', - 'def': 'The directed movement of an iron coordination entity into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901679': { - 'name': 'nucleotide transmembrane transport', - 'def': 'The directed movement of nucleotide across a membrane. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901680': { - 'name': 'sulfur-containing amino acid secondary active transmembrane transporter activity', - 'def': 'Catalysis of the transfer of sulfur-containing amino acid from one side of the membrane to the other, up its concentration gradient. The transporter binds the solute and undergoes a series of conformational changes. Transport works equally well in either direction and is driven by a chemiosmotic source of energy. Chemiosmotic sources of energy include uniport, symport or antiport. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901681': { - 'name': 'sulfur compound binding', - 'def': 'Interacting selectively and non-covalently with a sulfur compound. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901682': { - 'name': 'sulfur compound transmembrane transporter activity', - 'def': 'Enables the transfer of a sulfur compound from one side of the membrane to the other. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901683': { - 'name': 'arsenate ion transmembrane transporter activity', - 'def': 'Enables the transfer of an arsenate ion from one side of the membrane to the other. [GOC:TermGenie]' - }, - 'GO:1901684': { - 'name': 'arsenate ion transmembrane transport', - 'def': 'The directed movement of arsenate ion across a membrane. [GOC:TermGenie]' - }, - 'GO:1901685': { - 'name': 'glutathione derivative metabolic process', - 'def': 'The chemical reactions and pathways involving glutathione derivative. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901686': { - 'name': 'glutathione derivative catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glutathione derivative. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901687': { - 'name': 'glutathione derivative biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glutathione derivative. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901688': { - 'name': 'pantothenate import', - 'def': 'The directed movement of pantothenate into a cell or organelle. [GOC:TermGenie]' - }, - 'GO:1901689': { - 'name': 'biotin import', - 'def': 'The directed movement of biotin into a cell or organelle. [GOC:TermGenie]' - }, - 'GO:1901690': { - 'name': 'dethiobiotin import', - 'def': 'The directed movement of dethiobiotin into a cell or organelle. [GOC:TermGenie]' - }, - 'GO:1901691': { - 'name': 'proton binding', - 'def': 'Interacting selectively and non-covalently with proton. [GOC:TermGenie]' - }, - 'GO:1901692': { - 'name': 'regulation of compound eye retinal cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of compound eye retinal cell apoptotic process. [GOC:mtg_apoptosis, GOC:TermGenie, PMID:12021768]' - }, - 'GO:1901693': { - 'name': 'negative regulation of compound eye retinal cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of compound eye retinal cell apoptotic process. [GOC:mtg_apoptosis, GOC:TermGenie, PMID:12021768]' - }, - 'GO:1901694': { - 'name': 'positive regulation of compound eye retinal cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of compound eye retinal cell apoptotic process. [GOC:mtg_apoptosis, GOC:TermGenie, PMID:12021768]' - }, - 'GO:1901695': { - 'name': 'tyramine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tyramine. [GOC:TermGenie, PMID:21284755]' - }, - 'GO:1901696': { - 'name': 'cannabinoid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cannabinoid. [GOC:TermGenie]' - }, - 'GO:1901697': { - 'name': 'olivetolic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of olivetolic acid. [GOC:TermGenie]' - }, - 'GO:1901698': { - 'name': 'response to nitrogen compound', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrogen compound stimulus. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901699': { - 'name': 'cellular response to nitrogen compound', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitrogen compound stimulus. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901700': { - 'name': 'response to oxygen-containing compound', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an oxygen-containing compound stimulus. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901701': { - 'name': 'cellular response to oxygen-containing compound', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an oxygen-containing compound stimulus. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901702': { - 'name': 'salt transmembrane transporter activity', - 'def': 'Enables the transfer of salt from one side of the membrane to the other. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1901703': { - 'name': 'protein localization involved in auxin polar transport', - 'def': 'Any protein localization that is involved in auxin polar transport. [GOC:TermGenie, PMID:23163883]' - }, - 'GO:1901704': { - 'name': 'L-glutamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-glutamine. [GOC:TermGenie]' - }, - 'GO:1901705': { - 'name': 'L-isoleucine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-isoleucine. [GOC:TermGenie]' - }, - 'GO:1901706': { - 'name': 'mesenchymal cell differentiation involved in bone development', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the mesenchymal cells of bone as it progresses from its formation to the mature state. [GOC:hjd, GOC:TermGenie, PMID:21571217]' - }, - 'GO:1901707': { - 'name': 'leptomycin B binding', - 'def': 'Interacting selectively and non-covalently with leptomycin B. [GOC:TermGenie]' - }, - 'GO:1901708': { - 'name': "(+)-3'-hydroxylarreatricin biosynthetic process", - 'def': "The chemical reactions and pathways resulting in the formation of (+)-3'-hydroxylarreatricin. [GOC:TermGenie, pmid:12960376]" - }, - 'GO:1901709': { - 'name': '(+)-larreatricin metabolic process', - 'def': 'The chemical reactions and pathways involving (+)-larreatricin. [GOC:TermGenie, pmid:12960376]' - }, - 'GO:1901710': { - 'name': 'regulation of homoserine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of homoserine biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901711': { - 'name': 'negative regulation of homoserine biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of homoserine biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901712': { - 'name': 'positive regulation of homoserine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of homoserine biosynthetic process. [GOC:TermGenie]' - }, - 'GO:1901713': { - 'name': 'negative regulation of urea catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of urea catabolic process. [GOC:TermGenie]' - }, - 'GO:1901714': { - 'name': 'positive regulation of urea catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of urea catabolic process. [GOC:TermGenie]' - }, - 'GO:1901715': { - 'name': 'regulation of gamma-aminobutyric acid catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of gamma-aminobutyric acid catabolic process. [GOC:TermGenie]' - }, - 'GO:1901716': { - 'name': 'negative regulation of gamma-aminobutyric acid catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gamma-aminobutyric acid catabolic process. [GOC:TermGenie]' - }, - 'GO:1901717': { - 'name': 'positive regulation of gamma-aminobutyric acid catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of gamma-aminobutyric acid catabolic process. [GOC:TermGenie]' - }, - 'GO:1901718': { - 'name': 'regulation of dipeptide transmembrane transport by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in regulation of dipeptide transmembrane transport. [GOC:TermGenie, GOC:vw]' - }, - 'GO:1901719': { - 'name': 'regulation of NMS complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of NMS complex assembly. The NMS complex is involved in chromosome segregation. [GOC:TermGenie, GOC:vw, PMID:22561345]' - }, - 'GO:1901720': { - 'name': 'negative regulation of NMS complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of NMS complex assembly. The NMS complex is involved in chromosome segregation. [GOC:TermGenie, GOC:vw, PMID:22561345]' - }, - 'GO:1901721': { - 'name': 'positive regulation of NMS complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of NMS complex assembly. The NMS complex is involved in chromosome segregation. [GOC:TermGenie, GOC:vw, PMID:22561345]' - }, - 'GO:1901722': { - 'name': 'regulation of cell proliferation involved in kidney development', - 'def': 'Any process that modulates the frequency, rate or extent of cell proliferation involved in kidney development. [GOC:TermGenie, PMID:18182616]' - }, - 'GO:1901723': { - 'name': 'negative regulation of cell proliferation involved in kidney development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell proliferation involved in kidney development. [GOC:TermGenie, PMID:18182616]' - }, - 'GO:1901724': { - 'name': 'positive regulation of cell proliferation involved in kidney development', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell proliferation involved in kidney development. [GOC:TermGenie, PMID:18182616]' - }, - 'GO:1901725': { - 'name': 'regulation of histone deacetylase activity', - 'def': 'Any process that modulates the frequency, rate or extent of histone deacetylase activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20497126]' - }, - 'GO:1901726': { - 'name': 'negative regulation of histone deacetylase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone deacetylase activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20497126]' - }, - 'GO:1901727': { - 'name': 'positive regulation of histone deacetylase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone deacetylase activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20497126]' - }, - 'GO:1901728': { - 'name': 'monensin A metabolic process', - 'def': 'The chemical reactions and pathways involving monensin A. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00178]' - }, - 'GO:1901729': { - 'name': 'monensin A catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of monensin A. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00178]' - }, - 'GO:1901730': { - 'name': 'monensin A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of monensin A. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00178]' - }, - 'GO:1901731': { - 'name': 'positive regulation of platelet aggregation', - 'def': 'Any process that activates or increases the frequency, rate or extent of platelet aggregation. Platelet aggregation is the adhesion of one platelet to one or more other platelets via adhesion molecules. [GOC:fj, GOC:TermGenie]' - }, - 'GO:1901732': { - 'name': 'quercetin metabolic process', - 'def': 'The chemical reactions and pathways involving quercetin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00724]' - }, - 'GO:1901733': { - 'name': 'quercetin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of quercetin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00724]' - }, - 'GO:1901734': { - 'name': 'quercetin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of quercetin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00724]' - }, - 'GO:1901735': { - 'name': '(R)-mevalonic acid metabolic process', - 'def': 'The chemical reactions and pathways involving (R)-mevalonic acid. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00058]' - }, - 'GO:1901736': { - 'name': '(R)-mevalonic acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (R)-mevalonic acid. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00058]' - }, - 'GO:1901737': { - 'name': '(R)-mevalonic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (R)-mevalonic acid. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00058]' - }, - 'GO:1901738': { - 'name': 'regulation of vitamin A metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of vitamin A metabolic process. [GOC:TermGenie, PMID:18093975]' - }, - 'GO:1901739': { - 'name': 'regulation of myoblast fusion', - 'def': 'Any process that modulates the frequency, rate or extent of myoblast fusion. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21364645]' - }, - 'GO:1901740': { - 'name': 'negative regulation of myoblast fusion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of myoblast fusion. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21364645]' - }, - 'GO:1901741': { - 'name': 'positive regulation of myoblast fusion', - 'def': 'Any process that activates or increases the frequency, rate or extent of myoblast fusion. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21364645]' - }, - 'GO:1901742': { - 'name': '2-deoxystreptamine metabolic process', - 'def': 'The chemical reactions and pathways involving 2-deoxystreptamine. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901743': { - 'name': '2-deoxystreptamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-deoxystreptamine. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901744': { - 'name': '2-deoxystreptamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 2-deoxystreptamine. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00907]' - }, - 'GO:1901745': { - 'name': 'prephenate(2-) metabolic process', - 'def': 'The chemical reactions and pathways involving prephenate(2-). [GOC:TermGenie, GOC:yaf, PMID:16752890]' - }, - 'GO:1901746': { - 'name': 'prephenate(2-) catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of prephenate(2-). [GOC:TermGenie, GOC:yaf, PMID:16752890]' - }, - 'GO:1901747': { - 'name': 'prephenate(2-) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of prephenate(2-). [GOC:TermGenie, GOC:yaf, PMID:16752890, UniPathway:UPA00120]' - }, - 'GO:1901748': { - 'name': 'leukotriene D4 metabolic process', - 'def': 'The chemical reactions and pathways involving leukotriene D4. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901749': { - 'name': 'leukotriene D4 catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of leukotriene D4. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901750': { - 'name': 'leukotriene D4 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of leukotriene D4. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00880]' - }, - 'GO:1901751': { - 'name': 'leukotriene A4 metabolic process', - 'def': 'The chemical reactions and pathways involving leukotriene A4. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901752': { - 'name': 'leukotriene A4 catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of leukotriene A4. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901753': { - 'name': 'leukotriene A4 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of leukotriene A4. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00877]' - }, - 'GO:1901754': { - 'name': 'vitamin D3 catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of vitamin D3. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901755': { - 'name': 'vitamin D3 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of vitamin D3. [GOC:TermGenie, GOC:yaf, Unipathway:UPA00955]' - }, - 'GO:1901756': { - 'name': 'butirosin metabolic process', - 'def': 'The chemical reactions and pathways involving butirosin. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901757': { - 'name': 'butirosin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of butirosin. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901758': { - 'name': 'butirosin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of butirosin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00964]' - }, - 'GO:1901759': { - 'name': 'beta-L-Ara4N-lipid A metabolic process', - 'def': 'The chemical reactions and pathways involving beta-L-Ara4N-lipid A. [GOC:TermGenie, GOC:yaf, PMID:17928292, PMID:19166326]' - }, - 'GO:1901760': { - 'name': 'beta-L-Ara4N-lipid A biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-L-Ara4N-lipid A which occurs as a result of modification of the lipid A moiety of lipopolysaccharide by the addition of the sugar 4-amino-4-deoxy-L-arabinose (L-Ara4N). This strategy is adopted by pathogenic Gram-negative bacteria to evade cationic antimicrobial peptides produced by the innate immune system. [GOC:TermGenie, GOC:yaf, PMID:17928292, PMID:19166326, UniPathway:UPA00037]' - }, - 'GO:1901761': { - 'name': 'oxytetracycline metabolic process', - 'def': 'The chemical reactions and pathways involving oxytetracycline. [GOC:TermGenie, GOC:yaf, PMID:8163168]' - }, - 'GO:1901762': { - 'name': 'oxytetracycline catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of oxytetracycline. [GOC:TermGenie, GOC:yaf, PMID:8163168]' - }, - 'GO:1901763': { - 'name': 'oxytetracycline biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of oxytetracycline. [GOC:TermGenie, GOC:yaf, PMID:8163168, UniPathway:UPA00926]' - }, - 'GO:1901764': { - 'name': 'phosphinothricin metabolic process', - 'def': 'The chemical reactions and pathways involving phosphinothricin. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901765': { - 'name': 'phosphinothricin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of phosphinothricin. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901766': { - 'name': 'phosphinothricin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphinothricin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00168]' - }, - 'GO:1901767': { - 'name': 'carbapenem metabolic process', - 'def': 'The chemical reactions and pathways involving carbapenem. [GOC:TermGenie, GOC:yaf, PMID:9402024]' - }, - 'GO:1901768': { - 'name': 'carbapenem catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of carbapenem. [GOC:TermGenie, GOC:yaf, PMID:9402024]' - }, - 'GO:1901769': { - 'name': 'carbapenem biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of carbapenem. [GOC:TermGenie, GOC:yaf, PMID:9402024, UniPathway:UPA00182]' - }, - 'GO:1901770': { - 'name': 'daunorubicin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of daunorubicin. [GOC:TermGenie, GOC:yaf, PMID:7601857]' - }, - 'GO:1901771': { - 'name': 'daunorubicin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of daunorubicin. [GOC:TermGenie, GOC:yaf, PMID:7601857, UniPathway:UPA00054]' - }, - 'GO:1901772': { - 'name': 'lincomycin metabolic process', - 'def': 'The chemical reactions and pathways involving lincomycin. [GOC:TermGenie, GOC:yaf, PMID:8577249]' - }, - 'GO:1901773': { - 'name': 'lincomycin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lincomycin. [GOC:TermGenie, GOC:yaf, PMID:8577249]' - }, - 'GO:1901774': { - 'name': 'lincomycin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lincomycin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6955, PMID:8577249, UniPathway:UPA00161]' - }, - 'GO:1901775': { - 'name': 'mitomycin C metabolic process', - 'def': 'The chemical reactions and pathways involving mitomycin C. [GOC:TermGenie, GOC:yaf, PMID:10094699, PMID:10099135]' - }, - 'GO:1901776': { - 'name': 'mitomycin C catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of mitomycin C. [GOC:TermGenie, GOC:yaf, PMID:10094699, PMID:10099135]' - }, - 'GO:1901777': { - 'name': 'mitomycin C biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of mitomycin C. [GOC:TermGenie, GOC:yaf, PMID:10094699, PMID:10099135, UniPathway:UPA00851]' - }, - 'GO:1901778': { - 'name': 'pentalenolactone metabolic process', - 'def': 'The chemical reactions and pathways involving pentalenolactone. [GOC:TermGenie, GOC:yaf, PMID:17178094]' - }, - 'GO:1901779': { - 'name': 'pentalenolactone catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pentalenolactone. [GOC:TermGenie, GOC:yaf, PMID:17178094]' - }, - 'GO:1901780': { - 'name': 'pentalenolactone biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of pentalenolactone. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6915, PMID:17178094, UniPathway:UPA00974]' - }, - 'GO:1901781': { - 'name': 'p-cumate metabolic process', - 'def': 'The chemical reactions and pathways involving p-cumate. [GOC:TermGenie, GOC:yaf, PMID:8631713]' - }, - 'GO:1901782': { - 'name': 'p-cumate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of p-cumate. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5273, PMID:8631713, UniPathway:UPA00937]' - }, - 'GO:1901783': { - 'name': 'p-cumate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of p-cumate. [GOC:TermGenie, GOC:yaf, PMID:8631713]' - }, - 'GO:1901784': { - 'name': 'p-cresol metabolic process', - 'def': 'The chemical reactions and pathways involving p-cresol. [GOC:TermGenie, GOC:yaf, PMID:10623531]' - }, - 'GO:1901785': { - 'name': 'p-cresol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of p-cresol. [GOC:TermGenie, GOC:yaf, PMID:10623531, UniPathway:UPA00708]' - }, - 'GO:1901786': { - 'name': 'p-cresol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of p-cresol. [GOC:TermGenie, GOC:yaf, PMID:10623531]' - }, - 'GO:1901787': { - 'name': 'benzoyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving benzoyl-CoA. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901788': { - 'name': 'benzoyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of benzoyl-CoA. [GOC:TermGenie, GOC:yaf, MetaCyc:CENTBENZCOA-PWY, MetaCyc:P321-PWY, MetaCyc:PWY-1361, UniPathway:UPA00739]' - }, - 'GO:1901789': { - 'name': 'benzoyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of benzoyl-CoA. [GOC:TermGenie, GOC:yaf]' - }, - 'GO:1901790': { - 'name': '3-(2,3-dihydroxyphenyl)propanoate metabolic process', - 'def': 'The chemical reactions and pathways involving 3-(2,3-dihydroxyphenyl)propanoate. [GOC:TermGenie, GOC:yaf, MetaCyc:1.13.11.16-RXN, MetaCyc:HCAMHPDEG-PWY]' - }, - 'GO:1901791': { - 'name': '3-(2,3-dihydroxyphenyl)propanoate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3-(2,3-dihydroxyphenyl)propanoate. [GOC:TermGenie, GOC:yaf, MetaCyc:1.13.11.16-RXN, MetaCyc:HCAMHPDEG-PWY, UniPathway:UPA00836]' - }, - 'GO:1901792': { - 'name': '3-(2,3-dihydroxyphenyl)propanoate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 3-(2,3-dihydroxyphenyl)propanoate. [GOC:TermGenie, GOC:yaf, MetaCyc:1.13.11.16-RXN, MetaCyc:HCAMHPDEG-PWY]' - }, - 'GO:1901793': { - 'name': '3-(3-hydroxyphenyl)propanoate metabolic process', - 'def': 'The chemical reactions and pathways involving 3-(3-hydroxyphenyl)propanoate. [GOC:TermGenie, GOC:yaf, PMID:10537203]' - }, - 'GO:1901794': { - 'name': '3-(3-hydroxyphenyl)propanoate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3-(3-hydroxyphenyl)propanoate. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY0-1277, PMID:10537203, UniPathway:UPA00835]' - }, - 'GO:1901795': { - 'name': '3-(3-hydroxyphenyl)propanoate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 3-(3-hydroxyphenyl)propanoate. [GOC:TermGenie, GOC:yaf, PMID:10537203]' - }, - 'GO:1901796': { - 'name': 'regulation of signal transduction by p53 class mediator', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction by p53 class mediator. [GOC:TermGenie]' - }, - 'GO:1901797': { - 'name': 'negative regulation of signal transduction by p53 class mediator', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of signal transduction by p53 class mediator. [GOC:TermGenie]' - }, - 'GO:1901798': { - 'name': 'positive regulation of signal transduction by p53 class mediator', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction by p53 class mediator. [GOC:TermGenie]' - }, - 'GO:1901799': { - 'name': 'negative regulation of proteasomal protein catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of proteasomal protein catabolic process. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21669198]' - }, - 'GO:1901800': { - 'name': 'positive regulation of proteasomal protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of proteasomal protein catabolic process. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21669198]' - }, - 'GO:1901801': { - 'name': '1,5-anhydro-D-fructose metabolic process', - 'def': 'The chemical reactions and pathways involving 1,5-anhydro-D-fructose. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6992, PMID:15716041, UniPathway:UPA00738]' - }, - 'GO:1901802': { - 'name': '1,5-anhydro-D-fructose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1,5-anhydro-D-fructose. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6992, PMID:15716041, UniPathway:UPA00738]' - }, - 'GO:1901803': { - 'name': '1,5-anhydro-D-fructose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 1,5-anhydro-D-fructose. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6992, PMID:15716041, UniPathway:UPA00738]' - }, - 'GO:1901804': { - 'name': 'beta-glucoside metabolic process', - 'def': 'The chemical reactions and pathways involving beta-glucoside. [GOC:TermGenie, GOC:yaf, PMID:15205427, PMID:16390337, PMID:8990303, Unipathway:UPA00237]' - }, - 'GO:1901805': { - 'name': 'beta-glucoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of beta-glucoside. [GOC:TermGenie, GOC:yaf, PMID:15205427, PMID:16390337, PMID:8990303, Unipathway:UPA00237]' - }, - 'GO:1901806': { - 'name': 'beta-glucoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-glucoside. [GOC:TermGenie, GOC:yaf, PMID:15205427, PMID:16390337, PMID:8990303, Unipathway:UPA00237]' - }, - 'GO:1901807': { - 'name': 'capsanthin metabolic process', - 'def': 'The chemical reactions and pathways involving capsanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5174, PMID:10995282, UniPathway:UPA00806]' - }, - 'GO:1901808': { - 'name': 'capsanthin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of capsanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5174, PMID:10995282, UniPathway:UPA00806]' - }, - 'GO:1901809': { - 'name': 'capsanthin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of capsanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5174, PMID:10995282, UniPathway:UPA00806]' - }, - 'GO:1901810': { - 'name': 'beta-carotene metabolic process', - 'def': 'The chemical reactions and pathways involving beta-carotene. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5943, PMID:11387982, UniPathway:UPA00802]' - }, - 'GO:1901811': { - 'name': 'beta-carotene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of beta-carotene. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5943, PMID:11387982, UniPathway:UPA00802]' - }, - 'GO:1901812': { - 'name': 'beta-carotene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-carotene. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5943, PMID:11387982, UniPathway:UPA00802]' - }, - 'GO:1901813': { - 'name': 'astaxanthin metabolic process', - 'def': 'The chemical reactions and pathways involving astaxanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5288, PMID:16434154, UniPathway:UPA00387]' - }, - 'GO:1901814': { - 'name': 'astaxanthin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of astaxanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5288, PMID:16434154, UniPathway:UPA00387]' - }, - 'GO:1901815': { - 'name': 'astaxanthin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of astaxanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5288, PMID:16434154, UniPathway:UPA00387]' - }, - 'GO:1901816': { - 'name': 'beta-zeacarotene metabolic process', - 'def': 'The chemical reactions and pathways involving beta-zeacarotene. [GOC:TermGenie, GOC:yaf, PMID:3710717, UniPathway:UPA00805]' - }, - 'GO:1901817': { - 'name': 'beta-zeacarotene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of beta-zeacarotene. [GOC:TermGenie, GOC:yaf, PMID:3710717, UniPathway:UPA00805]' - }, - 'GO:1901818': { - 'name': 'beta-zeacarotene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-zeacarotene. [GOC:TermGenie, GOC:yaf, PMID:3710717, UniPathway:UPA00805]' - }, - 'GO:1901819': { - 'name': 'alpha-zeacarotene metabolic process', - 'def': 'The chemical reactions and pathways involving alpha-zeacarotene. [GOC:TermGenie, GOC:yaf, PMID:6060456, UniPathway:UPA00804]' - }, - 'GO:1901820': { - 'name': 'alpha-zeacarotene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alpha-zeacarotene. [GOC:TermGenie, GOC:yaf, PMID:6060456, UniPathway:UPA00804]' - }, - 'GO:1901821': { - 'name': 'alpha-zeacarotene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alpha-zeacarotene. [GOC:TermGenie, GOC:yaf, PMID:6060456, UniPathway:UPA00804]' - }, - 'GO:1901822': { - 'name': 'delta-carotene metabolic process', - 'def': 'The chemical reactions and pathways involving delta-carotene. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5946, PMID:8837512, UniPathway:UPA00801]' - }, - 'GO:1901823': { - 'name': 'delta-carotene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of delta-carotene. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5946, PMID:8837512, UniPathway:UPA00801]' - }, - 'GO:1901824': { - 'name': 'delta-carotene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of delta-carotene. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5946, PMID:8837512, UniPathway:UPA00801]' - }, - 'GO:1901825': { - 'name': 'zeaxanthin metabolic process', - 'def': 'The chemical reactions and pathways involving zeaxanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5944, UniPathway:UPA00843]' - }, - 'GO:1901826': { - 'name': 'zeaxanthin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of zeaxanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5944, UniPathway:UPA00843]' - }, - 'GO:1901827': { - 'name': 'zeaxanthin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of zeaxanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5944, UniPathway:UPA00843]' - }, - 'GO:1901828': { - 'name': 'zeaxanthin bis(beta-D-glucoside) metabolic process', - 'def': 'The chemical reactions and pathways involving zeaxanthin bis(beta-D-glucoside). [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6288, PMID:20075616, UniPathway:UPA00798]' - }, - 'GO:1901829': { - 'name': 'zeaxanthin bis(beta-D-glucoside) catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of zeaxanthin bis(beta-D-glucoside). [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6288, PMID:20075616, UniPathway:UPA00798]' - }, - 'GO:1901830': { - 'name': 'zeaxanthin bis(beta-D-glucoside) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of zeaxanthin bis(beta-D-glucoside). [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6288, PMID:20075616, UniPathway:UPA00798]' - }, - 'GO:1901831': { - 'name': 'all-trans-neoxanthin metabolic process', - 'def': 'The chemical reactions and pathways involving all-trans-neoxanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6809, PMID:11029576, UniPathway:UPA00388]' - }, - 'GO:1901832': { - 'name': 'all-trans-neoxanthin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of all-trans-neoxanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6809, PMID:11029576, UniPathway:UPA00388]' - }, - 'GO:1901833': { - 'name': 'all-trans-neoxanthin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of all-trans-neoxanthin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-6809, PMID:11029576, UniPathway:UPA00388]' - }, - 'GO:1901834': { - 'name': 'regulation of deadenylation-independent decapping of nuclear-transcribed mRNA', - 'def': 'Any process that modulates the frequency, rate or extent of deadenylation-independent decapping of nuclear-transcribed mRNA. [GOC:TermGenie]' - }, - 'GO:1901835': { - 'name': 'positive regulation of deadenylation-independent decapping of nuclear-transcribed mRNA', - 'def': 'Any process that activates or increases the frequency, rate or extent of deadenylation-independent decapping of nuclear-transcribed mRNA. [GOC:TermGenie]' - }, - 'GO:1901836': { - 'name': 'regulation of transcription of nuclear large rRNA transcript from RNA polymerase I promoter', - 'def': 'Any process that modulates the frequency, rate or extent of transcription of nuclear large rRNA transcript from RNA polymerase I promoter. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1901837': { - 'name': 'negative regulation of transcription of nuclear large rRNA transcript from RNA polymerase I promoter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transcription of nuclear large rRNA transcript from RNA polymerase I promoter. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1901838': { - 'name': 'positive regulation of transcription of nuclear large rRNA transcript from RNA polymerase I promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription of nuclear large rRNA transcript from RNA polymerase I promoter. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1901839': { - 'name': 'regulation of RNA polymerase I regulatory region sequence-specific DNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of RNA polymerase I regulatory region sequence-specific DNA binding. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1901840': { - 'name': 'negative regulation of RNA polymerase I regulatory region sequence-specific DNA binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of RNA polymerase I regulatory region sequence-specific DNA binding. [GOC:sart, GOC:TermGenie]' - }, - 'GO:1901841': { - 'name': 'regulation of high voltage-gated calcium channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of high voltage-gated calcium channel activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:12754254]' - }, - 'GO:1901842': { - 'name': 'negative regulation of high voltage-gated calcium channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of high voltage-gated calcium channel activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:12754254]' - }, - 'GO:1901843': { - 'name': 'positive regulation of high voltage-gated calcium channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of high voltage-gated calcium channel activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:12754254]' - }, - 'GO:1901844': { - 'name': 'regulation of cell communication by electrical coupling involved in cardiac conduction', - 'def': 'Any process that modulates the frequency, rate or extent of cell communication by electrical coupling involved in cardiac conduction. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17130302]' - }, - 'GO:1901845': { - 'name': 'negative regulation of cell communication by electrical coupling involved in cardiac conduction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell communication by electrical coupling involved in cardiac conduction. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17130302]' - }, - 'GO:1901846': { - 'name': 'positive regulation of cell communication by electrical coupling involved in cardiac conduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell communication by electrical coupling involved in cardiac conduction. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17130302]' - }, - 'GO:1901847': { - 'name': 'nicotinate metabolic process', - 'def': 'The chemical reactions and pathways involving nicotinate. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00830]' - }, - 'GO:1901848': { - 'name': 'nicotinate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of nicotinate. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00830]' - }, - 'GO:1901849': { - 'name': 'nicotinate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of nicotinate. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00830]' - }, - 'GO:1901850': { - 'name': '7,8-didemethyl-8-hydroxy-5-deazariboflavin metabolic process', - 'def': 'The chemical reactions and pathways involving 7,8-didemethyl-8-hydroxy-5-deazariboflavin. [GOC:TermGenie, GOC:yaf, PMID:14593448, UniPathway:UPA00072]' - }, - 'GO:1901851': { - 'name': '7,8-didemethyl-8-hydroxy-5-deazariboflavin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 7,8-didemethyl-8-hydroxy-5-deazariboflavin. [GOC:TermGenie, GOC:yaf, PMID:14593448, UniPathway:UPA00072]' - }, - 'GO:1901852': { - 'name': '7,8-didemethyl-8-hydroxy-5-deazariboflavin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 7,8-didemethyl-8-hydroxy-5-deazariboflavin. [GOC:TermGenie, GOC:yaf, PMID:14593448, UniPathway:UPA00072]' - }, - 'GO:1901853': { - 'name': '5,6,7,8-tetrahydrosarcinapterin metabolic process', - 'def': 'The chemical reactions and pathways involving 5,6,7,8-tetrahydrosarcinapterin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00069]' - }, - 'GO:1901854': { - 'name': '5,6,7,8-tetrahydrosarcinapterin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 5,6,7,8-tetrahydrosarcinapterin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00069]' - }, - 'GO:1901855': { - 'name': '5,6,7,8-tetrahydrosarcinapterin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 5,6,7,8-tetrahydrosarcinapterin. [GOC:TermGenie, GOC:yaf, UniPathway:UPA00069]' - }, - 'GO:1901856': { - 'name': 'negative regulation of cellular respiration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular respiration. [GOC:TermGenie, GOC:yaf, PMID:23150719]' - }, - 'GO:1901857': { - 'name': 'positive regulation of cellular respiration', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular respiration. [GOC:TermGenie, GOC:yaf, PMID:23150719]' - }, - 'GO:1901858': { - 'name': 'regulation of mitochondrial DNA metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of mitochondrial DNA metabolic process. [GOC:TermGenie, GOC:yaf, PMID:23150719]' - }, - 'GO:1901859': { - 'name': 'negative regulation of mitochondrial DNA metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitochondrial DNA metabolic process. [GOC:TermGenie, GOC:yaf, PMID:23150719]' - }, - 'GO:1901860': { - 'name': 'positive regulation of mitochondrial DNA metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitochondrial DNA metabolic process. [GOC:TermGenie, GOC:yaf, PMID:23150719]' - }, - 'GO:1901861': { - 'name': 'regulation of muscle tissue development', - 'def': 'Any process that modulates the frequency, rate or extent of muscle tissue development. [GOC:TermGenie, GOC:yaf, PMID:23150719]' - }, - 'GO:1901862': { - 'name': 'negative regulation of muscle tissue development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of muscle tissue development. [GOC:TermGenie, GOC:yaf, PMID:23150719]' - }, - 'GO:1901863': { - 'name': 'positive regulation of muscle tissue development', - 'def': 'Any process that activates or increases the frequency, rate or extent of muscle tissue development. [GOC:TermGenie, GOC:yaf, PMID:23150719]' - }, - 'GO:1901864': { - 'name': 'capsorubin metabolic process', - 'def': 'The chemical reactions and pathways involving capsorubin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5174, UniPathway:UPA00807]' - }, - 'GO:1901865': { - 'name': 'capsorubin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of capsorubin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5174, UniPathway:UPA00807]' - }, - 'GO:1901866': { - 'name': 'capsorubin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of capsorubin. [GOC:TermGenie, GOC:yaf, MetaCyc:PWY-5174, UniPathway:UPA00807]' - }, - 'GO:1901867': { - 'name': 'ecgonine methyl ester metabolic process', - 'def': 'The chemical reactions and pathways involving ecgonine methyl ester. [GOC:TermGenie, PMID:22665766]' - }, - 'GO:1901868': { - 'name': 'ecgonine methyl ester catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ecgonine methyl ester. [GOC:TermGenie, PMID:22665766]' - }, - 'GO:1901869': { - 'name': 'ecgonine methyl ester biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ecgonine methyl ester. [GOC:TermGenie, PMID:22665766]' - }, - 'GO:1901870': { - 'name': 'ecgonone methyl ester metabolic process', - 'def': 'The chemical reactions and pathways involving ecgonone methyl ester. [GOC:TermGenie, PMID:22665766]' - }, - 'GO:1901871': { - 'name': 'ecgonone methyl ester catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ecgonone methyl ester. [GOC:TermGenie, PMID:22665766]' - }, - 'GO:1901872': { - 'name': 'ecgonone methyl ester biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ecgonone methyl ester. [GOC:TermGenie, PMID:22665766]' - }, - 'GO:1901873': { - 'name': 'regulation of post-translational protein modification', - 'def': 'Any process that modulates the frequency, rate or extent of post-translational protein modification. [GOC:TermGenie, GOC:yaf, PMID:21209915]' - }, - 'GO:1901874': { - 'name': 'negative regulation of post-translational protein modification', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of post-translational protein modification. [GOC:TermGenie, GOC:yaf, PMID:21209915]' - }, - 'GO:1901875': { - 'name': 'positive regulation of post-translational protein modification', - 'def': 'Any process that activates or increases the frequency, rate or extent of post-translational protein modification. [GOC:TermGenie, GOC:yaf, PMID:21209915]' - }, - 'GO:1901876': { - 'name': 'regulation of calcium ion binding', - 'def': 'Any process that modulates the frequency, rate or extent of calcium ion binding. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16432188]' - }, - 'GO:1901877': { - 'name': 'negative regulation of calcium ion binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium ion binding. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16432188]' - }, - 'GO:1901878': { - 'name': 'positive regulation of calcium ion binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium ion binding. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16432188]' - }, - 'GO:1901879': { - 'name': 'regulation of protein depolymerization', - 'def': 'Any process that modulates the frequency, rate or extent of protein depolymerization. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:12032137]' - }, - 'GO:1901880': { - 'name': 'negative regulation of protein depolymerization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein depolymerization. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:12032137]' - }, - 'GO:1901881': { - 'name': 'positive regulation of protein depolymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein depolymerization. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:12032137]' - }, - 'GO:1901882': { - 'name': '4-hydroxycoumarin metabolic process', - 'def': 'The chemical reactions and pathways involving 4-hydroxycoumarin. [GOC:TermGenie, pmid:19757094]' - }, - 'GO:1901883': { - 'name': '4-hydroxycoumarin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 4-hydroxycoumarin. [GOC:TermGenie, pmid:19757094]' - }, - 'GO:1901884': { - 'name': '4-hydroxycoumarin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 4-hydroxycoumarin. [GOC:TermGenie, pmid:19757094]' - }, - 'GO:1901885': { - 'name': '2-hydroxybenzoyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving 2-hydroxybenzoyl-CoA. [GOC:TermGenie, pmid:19757094]' - }, - 'GO:1901886': { - 'name': '2-hydroxybenzoyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-hydroxybenzoyl-CoA. [GOC:TermGenie, pmid:19757094]' - }, - 'GO:1901887': { - 'name': '2-hydroxybenzoyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 2-hydroxybenzoyl-CoA. [GOC:TermGenie, pmid:19757094]' - }, - 'GO:1901888': { - 'name': 'regulation of cell junction assembly', - 'def': 'Any process that modulates the frequency, rate or extent of cell junction assembly. [GOC:TermGenie]' - }, - 'GO:1901889': { - 'name': 'negative regulation of cell junction assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell junction assembly. [GOC:TermGenie]' - }, - 'GO:1901890': { - 'name': 'positive regulation of cell junction assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell junction assembly. [GOC:TermGenie]' - }, - 'GO:1901891': { - 'name': 'regulation of cell septum assembly', - 'def': 'Any process that modulates the frequency, rate or extent of cell septum assembly. [GOC:TermGenie]' - }, - 'GO:1901892': { - 'name': 'negative regulation of cell septum assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell septum assembly. [GOC:TermGenie]' - }, - 'GO:1901893': { - 'name': 'positive regulation of cell septum assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell septum assembly. [GOC:TermGenie]' - }, - 'GO:1901894': { - 'name': 'regulation of calcium-transporting ATPase activity', - 'def': 'Any process that modulates the frequency, rate or extent of calcium-transporting ATPase activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19708671]' - }, - 'GO:1901895': { - 'name': 'negative regulation of calcium-transporting ATPase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium-transporting ATPase activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19708671]' - }, - 'GO:1901896': { - 'name': 'positive regulation of calcium-transporting ATPase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium-transporting ATPase activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19708671]' - }, - 'GO:1901897': { - 'name': 'regulation of relaxation of cardiac muscle', - 'def': 'Any process that modulates the frequency, rate or extent of relaxation of cardiac muscle. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19708671]' - }, - 'GO:1901898': { - 'name': 'negative regulation of relaxation of cardiac muscle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of relaxation of cardiac muscle. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19708671]' - }, - 'GO:1901899': { - 'name': 'positive regulation of relaxation of cardiac muscle', - 'def': 'Any process that activates or increases the frequency, rate or extent of relaxation of cardiac muscle. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19708671]' - }, - 'GO:1901900': { - 'name': 'regulation of protein localization to cell division site', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to cell division site. [GOC:dph, GOC:TermGenie, PMID:22573892]' - }, - 'GO:1901901': { - 'name': 'regulation of protein localization to cell division site involved in cytokinesis', - 'def': 'Any regulation of protein localization to cell division site that is involved in cytokinesis. [GOC:dph, GOC:TermGenie, PMID:22573892]' - }, - 'GO:1901902': { - 'name': 'tyrocidine metabolic process', - 'def': 'The chemical reactions and pathways involving tyrocidine. [GOC:TermGenie, GOC:yaf, PMID:9352938]' - }, - 'GO:1901903': { - 'name': 'tyrocidine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of tyrocidine. [GOC:TermGenie, GOC:yaf, PMID:9352938]' - }, - 'GO:1901904': { - 'name': 'tyrocidine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tyrocidine. [GOC:TermGenie, GOC:yaf, PMID:9352938, UniPathway:UPA00180]' - }, - 'GO:1901905': { - 'name': 'response to tamsulosin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tamsulosin stimulus. [GOC:TermGenie]' - }, - 'GO:1901906': { - 'name': 'diadenosine pentaphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving diadenosine pentaphosphate. [GOC:TermGenie, PMID:10090752]' - }, - 'GO:1901907': { - 'name': 'diadenosine pentaphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of diadenosine pentaphosphate. [GOC:TermGenie, PMID:10090752]' - }, - 'GO:1901908': { - 'name': 'diadenosine hexaphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving diadenosine hexaphosphate. [GOC:TermGenie, PMID:10090752]' - }, - 'GO:1901909': { - 'name': 'diadenosine hexaphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of diadenosine hexaphosphate. [GOC:TermGenie, PMID:10090752]' - }, - 'GO:1901910': { - 'name': "adenosine 5'-(hexahydrogen pentaphosphate) metabolic process", - 'def': "The chemical reactions and pathways involving adenosine 5'-(hexahydrogen pentaphosphate). [GOC:TermGenie, PMID:10090752]" - }, - 'GO:1901911': { - 'name': "adenosine 5'-(hexahydrogen pentaphosphate) catabolic process", - 'def': "The chemical reactions and pathways resulting in the breakdown of adenosine 5'-(hexahydrogen pentaphosphate). [GOC:TermGenie, PMID:10090752]" - }, - 'GO:1901913': { - 'name': 'regulation of capsule organization', - 'def': 'Any process that modulates the frequency, rate or extent of capsule organization. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901914': { - 'name': 'negative regulation of capsule organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of capsule organization. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901915': { - 'name': 'positive regulation of capsule organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of capsule organization. [GOC:di, GOC:TermGenie]' - }, - 'GO:1901916': { - 'name': 'protein kinase activity involved in regulation of protein localization to cell division site involved in cytokinesis', - 'def': 'Any protein kinase activity that is involved in regulation of protein localization to cell division site involved in cytokinesis. [GOC:dph, GOC:TermGenie, PMID:22573892]' - }, - 'GO:1901917': { - 'name': 'regulation of exoribonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of exoribonuclease activity. [GOC:TermGenie, PMID:22570495]' - }, - 'GO:1901918': { - 'name': 'negative regulation of exoribonuclease activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of exoribonuclease activity. [GOC:TermGenie, PMID:22570495]' - }, - 'GO:1901919': { - 'name': 'positive regulation of exoribonuclease activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of exoribonuclease activity. [GOC:TermGenie, PMID:22570495]' - }, - 'GO:1901920': { - 'name': 'peptidyl-tyrosine dephosphorylation involved in activation of protein kinase activity', - 'def': 'Any peptidyl-tyrosine dephosphorylation that is involved in activation of protein kinase activity. [GOC:TermGenie, PMID:1756737]' - }, - 'GO:1901921': { - 'name': "phosphorylation of RNA polymerase II C-terminal domain involved in recruitment of 3'-end processing factors to RNA polymerase II holoenzyme complex", - 'def': "Any phosphorylation of RNA polymerase II C-terminal domain that is involved in recruitment of 3'-end processing factors to RNA polymerase II holoenzyme complex. [GOC:TermGenie, PMID:10594013]" - }, - 'GO:1901922': { - 'name': 'regulation of sclerotium development', - 'def': 'Any process that modulates the frequency, rate or extent of sclerotium development. [GOC:di, GOC:TermGenie, PMID:21148914]' - }, - 'GO:1901923': { - 'name': 'negative regulation of sclerotium development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sclerotium development. [GOC:di, GOC:TermGenie, PMID:21148914]' - }, - 'GO:1901924': { - 'name': 'positive regulation of sclerotium development', - 'def': 'Any process that activates or increases the frequency, rate or extent of sclerotium development. [GOC:di, GOC:TermGenie, PMID:21148914]' - }, - 'GO:1901925': { - 'name': 'negative regulation of protein import into nucleus during spindle assembly checkpoint', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the movement of proteins from the cytoplasm into the nucleus, and that occurs as a response to the mitotic cell cycle spindle assembly checkpoint. In S. cerevisiae, this process involves inhibition of the karyopherin/importin Kap121p (also known as Pse1p), which acts as the specific nuclear import receptor for several proteins, including Glc7p. Glc7p functions in opposition to key spindle assembly checkpoint protein Aurora kinase (Ipl1p). [GOC:dgf, GOC:TermGenie, PMID:23177738]' - }, - 'GO:1901926': { - 'name': 'cadinene metabolic process', - 'def': 'The chemical reactions and pathways involving cadinene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901927': { - 'name': 'cadinene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cadinene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901928': { - 'name': 'cadinene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cadinene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901929': { - 'name': 'alpha-copaene metabolic process', - 'def': 'The chemical reactions and pathways involving alpha-copaene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901930': { - 'name': 'alpha-copaene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of alpha-copaene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901931': { - 'name': 'alpha-copaene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of alpha-copaene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901932': { - 'name': 'bicyclogermacrene metabolic process', - 'def': 'The chemical reactions and pathways involving bicyclogermacrene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901933': { - 'name': 'bicyclogermacrene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of bicyclogermacrene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901934': { - 'name': 'bicyclogermacrene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of bicyclogermacrene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901935': { - 'name': 'beta-caryophyllene metabolic process', - 'def': 'The chemical reactions and pathways involving beta-caryophyllene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901936': { - 'name': 'beta-caryophyllene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of beta-caryophyllene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901937': { - 'name': 'beta-caryophyllene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of beta-caryophyllene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901938': { - 'name': '(-)-exo-alpha-bergamotene metabolic process', - 'def': 'The chemical reactions and pathways involving (-)-exo-alpha-bergamotene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901939': { - 'name': '(-)-exo-alpha-bergamotene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (-)-exo-alpha-bergamotene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901940': { - 'name': '(-)-exo-alpha-bergamotene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (-)-exo-alpha-bergamotene. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901941': { - 'name': '(+)-epi-alpha-bisabolol metabolic process', - 'def': 'The chemical reactions and pathways involving (+)-epi-alpha-bisabolol. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901942': { - 'name': '(+)-epi-alpha-bisabolol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (+)-epi-alpha-bisabolol. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901943': { - 'name': '(+)-epi-alpha-bisabolol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (+)-epi-alpha-bisabolol. [GOC:TermGenie, pmid:22867794]' - }, - 'GO:1901944': { - 'name': 'miltiradiene metabolic process', - 'def': 'The chemical reactions and pathways involving miltiradiene. [GOC:TermGenie, pmid:22027823]' - }, - 'GO:1901945': { - 'name': 'miltiradiene catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of miltiradiene. [GOC:TermGenie, pmid:22027823]' - }, - 'GO:1901946': { - 'name': 'miltiradiene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of miltiradiene. [GOC:TermGenie, pmid:22027823]' - }, - 'GO:1901947': { - 'name': '5alpha,9alpha,10beta-labda-8(20),13-dien-15-yl diphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving 5alpha,9alpha,10beta-labda-8(20),13-dien-15-yl diphosphate. [GOC:TermGenie, pmid:22027823]' - }, - 'GO:1901948': { - 'name': '5alpha,9alpha,10beta-labda-8(20),13-dien-15-yl diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 5alpha,9alpha,10beta-labda-8(20),13-dien-15-yl diphosphate. [GOC:TermGenie, pmid:22027823]' - }, - 'GO:1901949': { - 'name': '5alpha,9alpha,10beta-labda-8(20),13-dien-15-yl diphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 5alpha,9alpha,10beta-labda-8(20),13-dien-15-yl diphosphate. [GOC:TermGenie, pmid:22027823]' - }, - 'GO:1901950': { - 'name': 'dense core granule transport', - 'def': 'The directed movement a dense core granule within a cell. [GOC:kmv, GOC:TermGenie, PMID:23358451]' - }, - 'GO:1901951': { - 'name': 'regulation of anterograde dense core granule transport', - 'def': 'Any process that modulates the frequency, rate or extent of anterograde dense core granule transport. [GOC:kmv, GOC:TermGenie, PMID:23358451]' - }, - 'GO:1901952': { - 'name': 'negative regulation of anterograde dense core granule transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anterograde dense core granule transport. [GOC:kmv, GOC:TermGenie, PMID:23358451]' - }, - 'GO:1901953': { - 'name': 'positive regulation of anterograde dense core granule transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of anterograde dense core granule transport. [GOC:kmv, GOC:TermGenie, PMID:23358451]' - }, - 'GO:1901954': { - 'name': 'regulation of retrograde dense core granule transport', - 'def': 'Any process that modulates the frequency, rate or extent of retrograde dense core granule transport. [GOC:kmv, GOC:TermGenie, PMID:23358451]' - }, - 'GO:1901955': { - 'name': 'negative regulation of retrograde dense core granule transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of retrograde dense core granule transport. [GOC:kmv, GOC:TermGenie, PMID:23358451]' - }, - 'GO:1901956': { - 'name': 'positive regulation of retrograde dense core granule transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of retrograde dense core granule transport. [GOC:kmv, GOC:TermGenie, PMID:23358451]' - }, - 'GO:1901957': { - 'name': 'regulation of cutin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of cutin biosynthetic process. [GOC:tb, GOC:TermGenie, PMID:23243127]' - }, - 'GO:1901958': { - 'name': 'negative regulation of cutin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cutin biosynthetic process. [GOC:tb, GOC:TermGenie, PMID:23243127]' - }, - 'GO:1901959': { - 'name': 'positive regulation of cutin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cutin biosynthetic process. [GOC:tb, GOC:TermGenie, PMID:23243127]' - }, - 'GO:1901960': { - 'name': 'isobutanol metabolic process', - 'def': 'The chemical reactions and pathways involving isobutanol. [GOC:mengo_curators, GOC:TermGenie, PMID:22224870]' - }, - 'GO:1901961': { - 'name': 'isobutanol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isobutanol. [GOC:mengo_curators, GOC:TermGenie, PMID:22224870]' - }, - 'GO:1901962': { - 'name': 'S-adenosyl-L-methionine transmembrane transport', - 'def': 'The directed movement of S-adenosyl-L-methionine across a membrane. [GOC:TermGenie, PMID:10497160]' - }, - 'GO:1901963': { - 'name': 'regulation of cell proliferation involved in outflow tract morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cell proliferation involved in outflow tract morphogenesis. [GOC:dph, GOC:mtg_heart, GOC:TermGenie, PMID:21419760]' - }, - 'GO:1901964': { - 'name': 'positive regulation of cell proliferation involved in outflow tract morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell proliferation involved in outflow tract morphogenesis. [GOC:dph, GOC:mtg_heart, GOC:TermGenie, PMID:21419760]' - }, - 'GO:1901965': { - 'name': 'endoplasmic reticulum to chloroplast transport', - 'def': 'The directed movement of substances from endoplasmic reticulum to chloroplast. [GOC:TermGenie, PMID:18689504]' - }, - 'GO:1901966': { - 'name': 'regulation of cellular response to iron ion starvation', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to iron ion starvation. [GOC:TermGenie, PMID:23115244]' - }, - 'GO:1901967': { - 'name': 'negative regulation of cellular response to iron ion starvation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to iron ion starvation. [GOC:TermGenie, PMID:23115244]' - }, - 'GO:1901968': { - 'name': "regulation of polynucleotide 3'-phosphatase activity", - 'def': "Any process that modulates the frequency, rate or extent of polynucleotide 3'-phosphatase activity. [GOC:TermGenie, PMID:23316050]" - }, - 'GO:1901969': { - 'name': "positive regulation of polynucleotide 3'-phosphatase activity", - 'def': "Any process that activates or increases the frequency, rate or extent of polynucleotide 3'-phosphatase activity. [GOC:TermGenie, PMID:23316050]" - }, - 'GO:1901970': { - 'name': 'positive regulation of mitotic sister chromatid separation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic sister chromatid separation. [GOC:TermGenie, PMID:1846086]' - }, - 'GO:1901971': { - 'name': 'regulation of DNA-5-methylcytosine glycosylase activity', - 'def': 'Any process that modulates the frequency, rate or extent of DNA-5-methylcytosine glycosylase activity. [GOC:TermGenie, PMID:23316050]' - }, - 'GO:1901972': { - 'name': 'positive regulation of DNA-5-methylcytosine glycosylase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA-5-methylcytosine glycosylase activity. [GOC:TermGenie, PMID:23316050]' - }, - 'GO:1901973': { - 'name': 'proline binding', - 'def': 'Interacting selectively and non-covalently with proline. [GOC:pm, GOC:TermGenie, PMID:7730362]' - }, - 'GO:1901974': { - 'name': 'glycerate transmembrane transporter activity', - 'def': 'Enables the transfer of glycerate from one side of the membrane to the other. [GOC:TermGenie, pmid:23382251]' - }, - 'GO:1901975': { - 'name': 'glycerate transmembrane transport', - 'def': 'The directed movement of glycerate across a membrane. [GOC:TermGenie, pmid:23382251]' - }, - 'GO:1901976': { - 'name': 'regulation of cell cycle checkpoint', - 'def': 'Any process that modulates the frequency, rate or extent of cell cycle checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:23028116]' - }, - 'GO:1901977': { - 'name': 'negative regulation of cell cycle checkpoint', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell cycle checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:23028116]' - }, - 'GO:1901978': { - 'name': 'positive regulation of cell cycle checkpoint', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell cycle checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:23028116]' - }, - 'GO:1901979': { - 'name': 'regulation of inward rectifier potassium channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of inward rectifier potassium channel activity. [GOC:TermGenie, PMID:23449501]' - }, - 'GO:1901980': { - 'name': 'positive regulation of inward rectifier potassium channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of inward rectifier potassium channel activity. [GOC:TermGenie, PMID:23449501]' - }, - 'GO:1901981': { - 'name': 'phosphatidylinositol phosphate binding', - 'def': 'Interacting selectively and non-covalently with phosphatidylinositol phosphate. [GOC:TermGenie, PMID:23445487]' - }, - 'GO:1901982': { - 'name': 'maltose binding', - 'def': 'Interacting selectively and non-covalently with maltose. [GOC:TermGenie, PMID:21566157]' - }, - 'GO:1901983': { - 'name': 'regulation of protein acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of protein acetylation. [GOC:TermGenie, PMID:22117195]' - }, - 'GO:1901984': { - 'name': 'negative regulation of protein acetylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein acetylation. [GOC:TermGenie, PMID:22117195]' - }, - 'GO:1901985': { - 'name': 'positive regulation of protein acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein acetylation. [GOC:TermGenie, PMID:22117195]' - }, - 'GO:1901986': { - 'name': 'response to ketamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ketamine stimulus. [GOC:TermGenie, PMID:11251190]' - }, - 'GO:1901987': { - 'name': 'regulation of cell cycle phase transition', - 'def': 'Any process that modulates the frequency, rate or extent of cell cycle phase transition. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:22841721]' - }, - 'GO:1901988': { - 'name': 'negative regulation of cell cycle phase transition', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell cycle phase transition. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:22841721]' - }, - 'GO:1901989': { - 'name': 'positive regulation of cell cycle phase transition', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell cycle phase transition. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:22841721]' - }, - 'GO:1901990': { - 'name': 'regulation of mitotic cell cycle phase transition', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic cell cycle phase transition. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:22841721]' - }, - 'GO:1901991': { - 'name': 'negative regulation of mitotic cell cycle phase transition', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic cell cycle phase transition. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:22841721]' - }, - 'GO:1901992': { - 'name': 'positive regulation of mitotic cell cycle phase transition', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic cell cycle phase transition. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:22841721]' - }, - 'GO:1901993': { - 'name': 'regulation of meiotic cell cycle phase transition', - 'def': 'Any process that modulates the frequency, rate or extent of meiotic cell cycle phase transition. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:22841721]' - }, - 'GO:1901994': { - 'name': 'negative regulation of meiotic cell cycle phase transition', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of meiotic cell cycle phase transition. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:22841721]' - }, - 'GO:1901995': { - 'name': 'positive regulation of meiotic cell cycle phase transition', - 'def': 'Any process that activates or increases the frequency, rate or extent of meiotic cell cycle phase transition. [GOC:mtg_cell_cycle, GOC:TermGenie, PMID:22841721]' - }, - 'GO:1901996': { - 'name': 'regulation of indoleacetic acid biosynthetic process via tryptophan', - 'def': 'Any process that modulates the frequency, rate or extent of indoleacetic acid biosynthetic process via tryptophan. [GOC:TermGenie, PMID:23377040]' - }, - 'GO:1901997': { - 'name': 'negative regulation of indoleacetic acid biosynthetic process via tryptophan', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of indoleacetic acid biosynthetic process via tryptophan. [GOC:TermGenie, PMID:23377040]' - }, - 'GO:1901998': { - 'name': 'toxin transport', - 'def': 'The directed movement of a toxin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:TermGenie, PMID:17118486]' - }, - 'GO:1901999': { - 'name': 'homogentisate metabolic process', - 'def': 'The chemical reactions and pathways involving homogentisate. [GOC:TermGenie, PMID:22980205]' - }, - 'GO:1902000': { - 'name': 'homogentisate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of homogentisate. [GOC:TermGenie, PMID:22980205]' - }, - 'GO:1902001': { - 'name': 'fatty acid transmembrane transport', - 'def': 'The directed movement of fatty acid across a membrane. [GOC:rb, GOC:TermGenie, PMID:9395310]' - }, - 'GO:1902002': { - 'name': 'protein phosphorylation involved in cellular protein catabolic process', - 'def': 'Any protein phosphorylation that is involved in cellular protein catabolic process. [GOC:rb, GOC:TermGenie, PMID:21098119, PMID:21993622, PMID:23264631]' - }, - 'GO:1902003': { - 'name': 'regulation of beta-amyloid formation', - 'def': 'Any process that modulates the frequency, rate or extent of beta-amyloid formation. [GOC:dph, GOC:TermGenie, PMID:17098871]' - }, - 'GO:1902004': { - 'name': 'positive regulation of beta-amyloid formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of beta-amyloid formation. [GOC:dph, GOC:TermGenie, PMID:17098871]' - }, - 'GO:1902005': { - 'name': 'regulation of proline biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of proline biosynthetic process. [GOC:TermGenie, PMID:23415322]' - }, - 'GO:1902006': { - 'name': 'negative regulation of proline biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of proline biosynthetic process. [GOC:TermGenie, PMID:23415322]' - }, - 'GO:1902007': { - 'name': 'regulation of toxin transport', - 'def': 'Any process that modulates the frequency, rate or extent of toxin transport. [GOC:dph, GOC:TermGenie, PMID:22792315]' - }, - 'GO:1902008': { - 'name': 'negative regulation of toxin transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of toxin transport. [GOC:dph, GOC:TermGenie, PMID:22792315]' - }, - 'GO:1902009': { - 'name': 'positive regulation of toxin transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of toxin transport. [GOC:dph, GOC:TermGenie, PMID:22792315]' - }, - 'GO:1902010': { - 'name': 'negative regulation of translation in response to endoplasmic reticulum stress', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of translation as a result of endoplasmic reticulum stress. [GOC:dph, GOC:TermGenie, PMID:10882126]' - }, - 'GO:1902011': { - 'name': 'poly(ribitol phosphate) teichoic acid metabolic process', - 'def': 'The chemical reactions and pathways involving poly(ribitol phosphate) teichoic acid. [GOC:TermGenie, PMID:11882717, UniPathway:UPA00790]' - }, - 'GO:1902012': { - 'name': 'poly(ribitol phosphate) teichoic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(ribitol phosphate) teichoic acid. [GOC:TermGenie, PMID:11882717, UniPathway:UPA00790]' - }, - 'GO:1902013': { - 'name': 'poly(glycerol phosphate) teichoic acid metabolic process', - 'def': 'The chemical reactions and pathways involving poly(glycerol phosphate) teichoic acid. [GOC:TermGenie, PMID:11882717, UniPathway:UPA00827]' - }, - 'GO:1902014': { - 'name': 'poly(glycerol phosphate) teichoic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(glycerol phosphate) teichoic acid. [GOC:TermGenie, PMID:11882717, UniPathway:UPA00827]' - }, - 'GO:1902015': { - 'name': 'poly(glucopyranosyl N-acetylgalactosamine 1-phosphate) teichoic acid metabolic process', - 'def': 'The chemical reactions and pathways involving poly(glucopyranosyl N-acetylgalactosamine 1-phosphate) teichoic acid. [GOC:TermGenie, PMID:16735734, UniPathway:UPA00789, UniPathway:UPA00828]' - }, - 'GO:1902016': { - 'name': 'poly(glucopyranosyl N-acetylgalactosamine 1-phosphate) teichoic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(glucopyranosyl N-acetylgalactosamine 1-phosphate) teichoic acid. [GOC:TermGenie, PMID:16735734, UniPathway:UPA00789, UniPathway:UPA00828]' - }, - 'GO:1902017': { - 'name': 'regulation of cilium assembly', - 'def': 'Any process that modulates the frequency, rate or extent of cilium assembly. [GOC:cilia, GOC:dph, GOC:TermGenie, PMID:17719545]' - }, - 'GO:1902018': { - 'name': 'negative regulation of cilium assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cilium assembly. [GOC:cilia, GOC:dph, GOC:TermGenie, PMID:17719545]' - }, - 'GO:1902019': { - 'name': 'regulation of cilium-dependent cell motility', - 'def': 'Any process that modulates the frequency, rate or extent of cilium-dependent cell motility. [GOC:cilia, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902020': { - 'name': 'negative regulation of cilium-dependent cell motility', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cilium-dependent cell motility. [GOC:cilia, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902021': { - 'name': 'regulation of bacterial-type flagellum-dependent cell motility', - 'def': 'Any process that modulates the frequency, rate or extent of bacterial-type flagellum-dependent cell motility. [GOC:cilia, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902022': { - 'name': 'L-lysine transport', - 'def': 'The directed movement of a L-lysine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:kmv, GOC:TermGenie, PMID:22822152]' - }, - 'GO:1902023': { - 'name': 'L-arginine transport', - 'def': 'The directed movement of a L-arginine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:kmv, GOC:TermGenie, PMID:22822152]' - }, - 'GO:1902024': { - 'name': 'L-histidine transport', - 'def': 'The directed movement of a L-histidine into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:kmv, GOC:TermGenie, PMID:22822152]' - }, - 'GO:1902025': { - 'name': 'nitrate import', - 'def': 'The directed movement of nitrate into a cell or organelle. [GOC:TermGenie, PMID:22658680]' - }, - 'GO:1902026': { - 'name': 'regulation of cartilage condensation', - 'def': 'Any process that modulates the frequency, rate or extent of cartilage condensation. [GOC:TermGenie, PMID:17202865]' - }, - 'GO:1902027': { - 'name': 'positive regulation of cartilage condensation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cartilage condensation. [GOC:TermGenie, PMID:17202865]' - }, - 'GO:1902028': { - 'name': 'regulation of histone H3-K18 acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K18 acetylation. [GOC:TermGenie, PMID:22110608]' - }, - 'GO:1902029': { - 'name': 'positive regulation of histone H3-K18 acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K18 acetylation. [GOC:TermGenie, PMID:22110608]' - }, - 'GO:1902030': { - 'name': 'negative regulation of histone H3-K18 acetylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K18 acetylation. [GOC:TermGenie, PMID:22110608]' - }, - 'GO:1902031': { - 'name': 'regulation of NADP metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of NADP metabolic process. [GOC:TermGenie, PMID:23334421]' - }, - 'GO:1902032': { - 'name': 'obsolete regulation of transcription from RNA polymerase II promoter involved in response to osmotic stress', - 'def': 'OBSOLETE. Any regulation of transcription from RNA polymerase II promoter that is involved in response to osmotic stress. [GOC:kmv, GOC:TermGenie, PMID:18636113]' - }, - 'GO:1902033': { - 'name': 'regulation of hematopoietic stem cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of hematopoietic stem cell proliferation. [GOC:TermGenie, PMID:23403623]' - }, - 'GO:1902034': { - 'name': 'negative regulation of hematopoietic stem cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hematopoietic stem cell proliferation. [GOC:TermGenie, PMID:23403623]' - }, - 'GO:1902035': { - 'name': 'positive regulation of hematopoietic stem cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of hematopoietic stem cell proliferation. [GOC:TermGenie, PMID:23403623]' - }, - 'GO:1902036': { - 'name': 'regulation of hematopoietic stem cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of hematopoietic stem cell differentiation. [GOC:TermGenie, PMID:23403623]' - }, - 'GO:1902037': { - 'name': 'negative regulation of hematopoietic stem cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hematopoietic stem cell differentiation. [GOC:TermGenie, PMID:23403623]' - }, - 'GO:1902038': { - 'name': 'positive regulation of hematopoietic stem cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of hematopoietic stem cell differentiation. [GOC:TermGenie, PMID:23403623]' - }, - 'GO:1902039': { - 'name': 'negative regulation of seed dormancy process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of seed dormancy process. [GOC:TermGenie, PMID:23378449]' - }, - 'GO:1902040': { - 'name': 'positive regulation of seed dormancy process', - 'def': 'Any process that activates or increases the frequency, rate or extent of seed dormancy process. [GOC:TermGenie, PMID:23378449]' - }, - 'GO:1902041': { - 'name': 'regulation of extrinsic apoptotic signaling pathway via death domain receptors', - 'def': 'Any process that modulates the frequency, rate or extent of extrinsic apoptotic signaling pathway via death domain receptors. [GOC:TermGenie, PMID:17245429]' - }, - 'GO:1902042': { - 'name': 'negative regulation of extrinsic apoptotic signaling pathway via death domain receptors', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of extrinsic apoptotic signaling pathway via death domain receptors. [GOC:TermGenie, PMID:17245429]' - }, - 'GO:1902043': { - 'name': 'positive regulation of extrinsic apoptotic signaling pathway via death domain receptors', - 'def': 'Any process that activates or increases the frequency, rate or extent of extrinsic apoptotic signaling pathway via death domain receptors. [GOC:TermGenie, PMID:17245429]' - }, - 'GO:1902044': { - 'name': 'regulation of Fas signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of Fas signaling pathway. [GOC:TermGenie, PMID:17245429]' - }, - 'GO:1902045': { - 'name': 'negative regulation of Fas signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Fas signaling pathway. [GOC:TermGenie, PMID:17245429]' - }, - 'GO:1902046': { - 'name': 'positive regulation of Fas signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of Fas signaling pathway. [GOC:TermGenie, PMID:17245429]' - }, - 'GO:1902047': { - 'name': 'polyamine transmembrane transport', - 'def': 'The directed movement of a polyamine macromolecule across a membrane. [GOC:TermGenie, GOC:vw]' - }, - 'GO:1902048': { - 'name': 'neosartoricin metabolic process', - 'def': 'The chemical reactions and pathways involving neosartoricin. [GOC:di, GOC:TermGenie, PMID:23368997]' - }, - 'GO:1902049': { - 'name': 'neosartoricin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of neosartoricin. [GOC:di, GOC:TermGenie, PMID:23368997]' - }, - 'GO:1902050': { - 'name': 'neosartoricin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of neosartoricin. [GOC:di, GOC:TermGenie, PMID:23368997]' - }, - 'GO:1902051': { - 'name': '(25S)-Delta(4)-dafachronate binding', - 'def': 'Interacting selectively and non-covalently with (25S)-Delta(4)-dafachronate. [GOC:TermGenie, PMID:16529801]' - }, - 'GO:1902052': { - 'name': '(25S)-Delta(7)-dafachronate binding', - 'def': 'Interacting selectively and non-covalently with (25S)-Delta(7)-dafachronate. [GOC:TermGenie, PMID:16529801]' - }, - 'GO:1902053': { - 'name': 'regulation of neosartoricin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of neosartoricin biosynthetic process. [GOC:di, GOC:TermGenie, PMID:23368997]' - }, - 'GO:1902054': { - 'name': 'negative regulation of neosartoricin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neosartoricin biosynthetic process. [GOC:di, GOC:TermGenie, PMID:23368997]' - }, - 'GO:1902055': { - 'name': 'positive regulation of neosartoricin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of neosartoricin biosynthetic process. [GOC:di, GOC:TermGenie, PMID:23368997]' - }, - 'GO:1902056': { - 'name': '(25S)-Delta(7)-dafachronate metabolic process', - 'def': 'The chemical reactions and pathways involving (25S)-Delta(7)-dafachronate. [GOC:TermGenie, PMID:22505847]' - }, - 'GO:1902057': { - 'name': '(25S)-Delta(4)-dafachronate metabolic process', - 'def': 'The chemical reactions and pathways involving (25S)-Delta(4)-dafachronate. [GOC:TermGenie, PMID:20178781]' - }, - 'GO:1902058': { - 'name': 'regulation of sporocarp development involved in sexual reproduction', - 'def': 'Any process that modulates the frequency, rate or extent of sporocarp development involved in sexual reproduction. [GOC:di, GOC:TermGenie, PMID:23480775]' - }, - 'GO:1902059': { - 'name': 'negative regulation of sporocarp development involved in sexual reproduction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sporocarp development involved in sexual reproduction. [GOC:di, GOC:TermGenie, PMID:23480775]' - }, - 'GO:1902060': { - 'name': 'positive regulation of sporocarp development involved in sexual reproduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of sporocarp development involved in sexual reproduction. [GOC:di, GOC:TermGenie, PMID:23480775]' - }, - 'GO:1902061': { - 'name': 'betaine aldehyde metabolic process', - 'def': 'The chemical reactions and pathways involving betaine aldehyde. [GOC:di, GOC:TermGenie, PMID:23563483]' - }, - 'GO:1902062': { - 'name': 'betaine aldehyde catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of betaine aldehyde. [GOC:di, GOC:TermGenie, PMID:23563483]' - }, - 'GO:1902063': { - 'name': 'betaine aldehyde biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of betaine aldehyde. [GOC:di, GOC:TermGenie, PMID:23563483]' - }, - 'GO:1902064': { - 'name': 'regulation of transcription from RNA polymerase II promoter involved in spermatogenesis', - 'def': 'Any regulation of transcription from RNA polymerase II promoter that is involved in spermatogenesis. [GOC:kmv, GOC:TermGenie, PMID:22570621]' - }, - 'GO:1902065': { - 'name': 'response to L-glutamate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an L-glutamate stimulus. [GOC:TermGenie, PMID:23574009]' - }, - 'GO:1902066': { - 'name': 'regulation of cell wall pectin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cell wall pectin metabolic process. [GOC:TermGenie, PMID:23453954]' - }, - 'GO:1902067': { - 'name': 'silicic acid import', - 'def': 'The directed movement of silicic acid into a cell or organelle. Silicic acid is the bioavailable form of silicon. [GOC:TermGenie, PMID:15753109]' - }, - 'GO:1902068': { - 'name': 'regulation of sphingolipid mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of sphingolipid signaling. [GOC:TermGenie, PMID:20870412]' - }, - 'GO:1902069': { - 'name': 'negative regulation of sphingolipid mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sphingolipid signaling. [GOC:TermGenie, PMID:20870412]' - }, - 'GO:1902070': { - 'name': 'positive regulation of sphingolipid mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of sphingolipid signaling. [GOC:TermGenie, PMID:20870412]' - }, - 'GO:1902071': { - 'name': 'regulation of hypoxia-inducible factor-1alpha signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of hypoxia-inducible factor-1alpha signaling pathway. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1902072': { - 'name': 'negative regulation of hypoxia-inducible factor-1alpha signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hypoxia-inducible factor-1alpha signaling pathway. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1902073': { - 'name': 'positive regulation of hypoxia-inducible factor-1alpha signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of hypoxia-inducible factor-1alpha signaling pathway. [GOC:bf, GOC:TermGenie, PMID:21685248]' - }, - 'GO:1902074': { - 'name': 'response to salt', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a salt stimulus. [GOC:mls, GOC:TermGenie, PMID:16666921]' - }, - 'GO:1902075': { - 'name': 'cellular response to salt', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a salt stimulus. [GOC:mls, GOC:TermGenie, PMID:16666921]' - }, - 'GO:1902076': { - 'name': 'regulation of lateral motor column neuron migration', - 'def': 'Any process that modulates the frequency, rate or extent of lateral motor column neuron migration. [GOC:TermGenie, GOC:yaf, PMID:20711475]' - }, - 'GO:1902077': { - 'name': 'negative regulation of lateral motor column neuron migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lateral motor column neuron migration. [GOC:TermGenie, GOC:yaf, PMID:20711475]' - }, - 'GO:1902078': { - 'name': 'positive regulation of lateral motor column neuron migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of lateral motor column neuron migration. [GOC:TermGenie, GOC:yaf, PMID:20711475]' - }, - 'GO:1902079': { - 'name': 'D-valine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of D-valine. [GOC:TermGenie, PMID:23085840]' - }, - 'GO:1902080': { - 'name': 'regulation of calcium ion import into sarcoplasmic reticulum', - 'def': 'Any process that modulates the frequency, rate or extent of calcium ion import into sarcoplasmic reticulum. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:8349590]' - }, - 'GO:1902081': { - 'name': 'negative regulation of calcium ion import into sarcoplasmic reticulum', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium ion import into sarcoplasmic reticulum. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:8349590]' - }, - 'GO:1902082': { - 'name': 'positive regulation of calcium ion import into sarcoplasmic reticulum', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium ion import into sarcoplasmic reticulum. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:8349590]' - }, - 'GO:1902083': { - 'name': 'negative regulation of peptidyl-cysteine S-nitrosylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of peptidyl-cysteine S-nitrosylation. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19198614]' - }, - 'GO:1902084': { - 'name': 'fumagillin metabolic process', - 'def': 'The chemical reactions and pathways involving fumagillin. [GOC:di, GOC:TermGenie, PMID:23488861]' - }, - 'GO:1902085': { - 'name': 'fumagillin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fumagillin. [GOC:di, GOC:TermGenie, PMID:23488861]' - }, - 'GO:1902086': { - 'name': 'fumagillin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fumagillin. [GOC:di, GOC:TermGenie, PMID:23488861]' - }, - 'GO:1902087': { - 'name': 'dimethylsulfoniopropionate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of S,S-dimethyl-beta-propiothetin. [GOC:jh2, GOC:TermGenie, PMID:19807777]' - }, - 'GO:1902088': { - 'name': 'plant-type cell wall loosening involved in abscission', - 'def': 'Any plant-type cell wall loosening that is involved in abscission. [GOC:TermGenie, PMID:23479623]' - }, - 'GO:1902089': { - 'name': 'cell wall polysaccharide catabolic process involved in lateral root development', - 'def': 'Any cell wall polysaccharide catabolic process that is involved in lateral root development. [GOC:TermGenie, PMID:23479623]' - }, - 'GO:1902090': { - 'name': 'regulation of fumagillin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of fumagillin biosynthetic process. [GOC:di, GOC:TermGenie, PMID:23488861]' - }, - 'GO:1902091': { - 'name': 'negative regulation of fumagillin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fumagillin biosynthetic process. [GOC:di, GOC:TermGenie, PMID:23488861]' - }, - 'GO:1902092': { - 'name': 'positive regulation of fumagillin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of fumagillin biosynthetic process. [GOC:di, GOC:TermGenie, PMID:23488861]' - }, - 'GO:1902093': { - 'name': 'positive regulation of flagellated sperm motility', - 'def': 'Any process that activates or increases the frequency, rate or extent of flagellated sperm motility. [GOC:cilia, GOC:jh2, GOC:krc, GOC:TermGenie, PMID:7513657]' - }, - 'GO:1902094': { - 'name': 'regulation of cartilage homeostasis', - 'def': 'Any process that modulates the frequency, rate or extent of cartilage homeostasis. [GOC:hjd, GOC:TermGenie, PMID:21652695]' - }, - 'GO:1902095': { - 'name': 'negative regulation of cartilage homeostasis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cartilage homeostasis. [GOC:hjd, GOC:TermGenie, PMID:21652695]' - }, - 'GO:1902096': { - 'name': 'positive regulation of cartilage homeostasis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cartilage homeostasis. [GOC:hjd, GOC:TermGenie, PMID:21652695]' - }, - 'GO:1902097': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in defense response to Gram-negative bacterium', - 'def': 'Any positive regulation of transcription from RNA polymerase II promoter that is involved in defense response to Gram-negative bacterium. [GOC:kmv, GOC:TermGenie, PMID:17183709]' - }, - 'GO:1902098': { - 'name': 'calcitriol binding', - 'def': 'Interacting selectively and non-covalently with calcitriol. Calcitriol (1,25-dihydroxycholecalciferol) is the hormonally active form of vitamin D3. [GOC:TermGenie, PMID:21872797, Wikipedia:Calcitriol_receptor]' - }, - 'GO:1902099': { - 'name': 'regulation of metaphase/anaphase transition of cell cycle', - 'def': 'Any process that modulates the frequency, rate or extent of metaphase/anaphase transition of cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902100': { - 'name': 'negative regulation of metaphase/anaphase transition of cell cycle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metaphase/anaphase transition of cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902101': { - 'name': 'positive regulation of metaphase/anaphase transition of cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of metaphase/anaphase transition of cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902102': { - 'name': 'regulation of metaphase/anaphase transition of meiotic cell cycle', - 'def': 'Any process that modulates the frequency, rate or extent of metaphase/anaphase transition of meiotic cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902103': { - 'name': 'negative regulation of metaphase/anaphase transition of meiotic cell cycle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metaphase/anaphase transition of meiotic cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902104': { - 'name': 'positive regulation of metaphase/anaphase transition of meiotic cell cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of metaphase/anaphase transition of meiotic cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902105': { - 'name': 'regulation of leukocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of leukocyte differentiation. [GOC:add, GOC:TermGenie]' - }, - 'GO:1902106': { - 'name': 'negative regulation of leukocyte differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leukocyte differentiation. [GOC:add, GOC:TermGenie]' - }, - 'GO:1902107': { - 'name': 'positive regulation of leukocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of leukocyte differentiation. [GOC:add, GOC:TermGenie]' - }, - 'GO:1902108': { - 'name': 'regulation of mitochondrial membrane permeability involved in apoptotic process', - 'def': 'Any regulation of mitochondrial membrane permeability that is involved in apoptotic process. [GOC:mtg_apoptosis, GOC:pm, GOC:TermGenie, PMID:19168129]' - }, - 'GO:1902109': { - 'name': 'negative regulation of mitochondrial membrane permeability involved in apoptotic process', - 'def': 'Any negative regulation of mitochondrial membrane permeability that is involved in apoptotic process. [GOC:mtg_apoptosis, GOC:pm, GOC:TermGenie, PMID:19168129]' - }, - 'GO:1902110': { - 'name': 'positive regulation of mitochondrial membrane permeability involved in apoptotic process', - 'def': 'Any positive regulation of mitochondrial membrane permeability that is involved in apoptotic process. [GOC:mtg_apoptosis, GOC:pm, GOC:TermGenie, PMID:19168129]' - }, - 'GO:1902111': { - 'name': 'response to diethyl maleate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diethyl maleate stimulus. [GOC:TermGenie, PMID:12100563]' - }, - 'GO:1902112': { - 'name': 'cellular response to diethyl maleate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diethyl maleate stimulus. [GOC:TermGenie, PMID:12100563]' - }, - 'GO:1902113': { - 'name': 'nucleotide phosphorylation involved in DNA repair', - 'def': 'Any nucleotide phosphorylation that is involved in DNA repair. [GOC:TermGenie, PMID:11729194]' - }, - 'GO:1902114': { - 'name': 'D-valine metabolic process', - 'def': 'The chemical reactions and pathways involving D-valine. [GOC:TermGenie, PMID:23085840]' - }, - 'GO:1902115': { - 'name': 'regulation of organelle assembly', - 'def': 'Any process that modulates the frequency, rate or extent of organelle assembly. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1902116': { - 'name': 'negative regulation of organelle assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of organelle assembly. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1902117': { - 'name': 'positive regulation of organelle assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of organelle assembly. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1902118': { - 'name': 'calcidiol binding', - 'def': 'Interacting selectively and non-covalently with calcidiol. [GOC:bf, GOC:TermGenie, PMID:11799400]' - }, - 'GO:1902119': { - 'name': 'regulation of meiotic spindle elongation', - 'def': 'Any process that modulates the frequency, rate or extent of meiotic spindle elongation. [GOC:TermGenie, PMID:23370392]' - }, - 'GO:1902120': { - 'name': 'negative regulation of meiotic spindle elongation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of meiotic spindle elongation. [GOC:TermGenie, PMID:23370392]' - }, - 'GO:1902121': { - 'name': 'lithocholic acid binding', - 'def': 'Interacting selectively and non-covalently with lithocholic acid. [GOC:bf, GOC:TermGenie, PMID:20371703]' - }, - 'GO:1902122': { - 'name': 'chenodeoxycholic acid binding', - 'def': 'Interacting selectively and non-covalently with chenodeoxycholic acid. [GOC:bf, GOC:TermGenie, PMID:10334992]' - }, - 'GO:1902123': { - 'name': '(-)-pinoresinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (-)-pinoresinol. [GOC:TermGenie, PubMed:15949826, PubMed:9872995]' - }, - 'GO:1902124': { - 'name': '(+)-pinoresinol metabolic process', - 'def': 'The chemical reactions and pathways involving (+)-pinoresinol. [GOC:TermGenie, PubMed:8910615, PubMed:9872995]' - }, - 'GO:1902125': { - 'name': '(+)-pinoresinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (+)-pinoresinol. [GOC:TermGenie, PubMed:8910615, PubMed:9872995]' - }, - 'GO:1902126': { - 'name': '(+)-pinoresinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (+)-pinoresinol. [GOC:TermGenie, PubMed:8910615, PubMed:9872995]' - }, - 'GO:1902127': { - 'name': '(-)-lariciresinol metabolic process', - 'def': 'The chemical reactions and pathways involving (-)-lariciresinol. [GOC:TermGenie, PubMed:15949826, PubMed:9872995]' - }, - 'GO:1902128': { - 'name': '(-)-lariciresinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (-)-lariciresinol. [GOC:TermGenie, PubMed:15949826, PubMed:9872995]' - }, - 'GO:1902129': { - 'name': '(-)-lariciresinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (-)-lariciresinol. [GOC:TermGenie, PubMed:15949826, PubMed:9872995]' - }, - 'GO:1902130': { - 'name': '(+)-lariciresinol metabolic process', - 'def': 'The chemical reactions and pathways involving (+)-lariciresinol. [GOC:TermGenie, PubMed:8910615, PubMed:9872995]' - }, - 'GO:1902131': { - 'name': '(+)-lariciresinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (+)-lariciresinol. [GOC:TermGenie, PubMed:8910615, PubMed:9872995]' - }, - 'GO:1902132': { - 'name': '(+)-lariciresinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (+)-lariciresinol. [GOC:TermGenie, PubMed:8910615, PubMed:9872995]' - }, - 'GO:1902133': { - 'name': '(+)-secoisolariciresinol metabolic process', - 'def': 'The chemical reactions and pathways involving (+)-secoisolariciresinol. [GOC:TermGenie, PubMed:15949826, PubMed:9872995]' - }, - 'GO:1902134': { - 'name': '(+)-secoisolariciresinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (+)-secoisolariciresinol. [GOC:TermGenie, PubMed:15949826, PubMed:9872995]' - }, - 'GO:1902135': { - 'name': '(+)-secoisolariciresinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (+)-secoisolariciresinol. [GOC:TermGenie, PubMed:15949826, PubMed:9872995]' - }, - 'GO:1902136': { - 'name': '(-)-secoisolariciresinol metabolic process', - 'def': 'The chemical reactions and pathways involving (-)-secoisolariciresinol. [GOC:TermGenie, PubMed:8910615, PubMed:9872995]' - }, - 'GO:1902137': { - 'name': '(-)-secoisolariciresinol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of (-)-secoisolariciresinol. [GOC:TermGenie, PubMed:8910615, PubMed:9872995]' - }, - 'GO:1902138': { - 'name': '(-)-secoisolariciresinol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (-)-secoisolariciresinol. [GOC:TermGenie, PubMed:8910615, PubMed:9872995]' - }, - 'GO:1902140': { - 'name': 'response to inositol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an inositol stimulus. [GOC:TermGenie, PMID:16496115]' - }, - 'GO:1902141': { - 'name': 'cellular response to inositol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an inositol stimulus. [GOC:TermGenie, PMID:16496115]' - }, - 'GO:1902145': { - 'name': 'regulation of response to cell cycle checkpoint signaling', - 'def': 'Any process that modulates the frequency, rate or extent of response to cell cycle checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902146': { - 'name': 'positive regulation of response to cell cycle checkpoint signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to cell cycle checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902147': { - 'name': 'regulation of response to cytokinesis checkpoint signaling', - 'def': 'Any process that modulates the frequency, rate or extent of response to cytokinesis checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902148': { - 'name': 'positive regulation of response to cytokinesis checkpoint signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to cytokinesis checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902151': { - 'name': 'regulation of response to DNA integrity checkpoint signaling', - 'def': 'Any process that modulates the frequency, rate or extent of response to DNA integrity checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902152': { - 'name': 'positive regulation of response to DNA integrity checkpoint signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to DNA integrity checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902153': { - 'name': 'regulation of response to DNA damage checkpoint signaling', - 'def': 'Any process that modulates the frequency, rate or extent of response to DNA damage checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902154': { - 'name': 'positive regulation of response to DNA damage checkpoint signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to DNA damage checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902155': { - 'name': 'regulation of response to G1 DNA damage checkpoint signaling', - 'def': 'Any process that modulates the frequency, rate or extent of response to G1 DNA damage checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902156': { - 'name': 'positive regulation of response to G1 DNA damage checkpoint signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to G1 DNA damage checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902157': { - 'name': 'regulation of response to G2 DNA damage checkpoint signaling', - 'def': 'Any process that modulates the frequency, rate or extent of response to G2 DNA damage checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902158': { - 'name': 'positive regulation of response to G2 DNA damage checkpoint signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to G2 DNA damage checkpoint signaling. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902159': { - 'name': 'regulation of cyclic nucleotide-gated ion channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of cyclic nucleotide-gated ion channel activity. [GOC:TermGenie, PMID:11420311]' - }, - 'GO:1902160': { - 'name': 'negative regulation of cyclic nucleotide-gated ion channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cyclic nucleotide-gated ion channel activity. [GOC:TermGenie, PMID:11420311]' - }, - 'GO:1902161': { - 'name': 'positive regulation of cyclic nucleotide-gated ion channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of cyclic nucleotide-gated ion channel activity. [GOC:TermGenie, PMID:11420311]' - }, - 'GO:1902162': { - 'name': 'regulation of DNA damage response, signal transduction by p53 class mediator resulting in transcription of p21 class mediator', - 'def': 'Any process that modulates the frequency, rate or extent of DNA damage response, signal transduction by p53 class mediator resulting in transcription of p21 class mediator. [GOC:TermGenie, pubmed:17719541]' - }, - 'GO:1902163': { - 'name': 'negative regulation of DNA damage response, signal transduction by p53 class mediator resulting in transcription of p21 class mediator', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA damage response, signal transduction by p53 class mediator resulting in transcription of p21 class mediator. [GOC:TermGenie, pubmed:17719541]' - }, - 'GO:1902164': { - 'name': 'positive regulation of DNA damage response, signal transduction by p53 class mediator resulting in transcription of p21 class mediator', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA damage response, signal transduction by p53 class mediator resulting in transcription of p21 class mediator. [GOC:TermGenie, pubmed:17719541]' - }, - 'GO:1902165': { - 'name': 'regulation of intrinsic apoptotic signaling pathway in response to DNA damage by p53 class mediator', - 'def': 'Any process that modulates the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to DNA damage by p53 class mediator. [GOC:TermGenie, PMID:17719541]' - }, - 'GO:1902166': { - 'name': 'negative regulation of intrinsic apoptotic signaling pathway in response to DNA damage by p53 class mediator', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to DNA damage by p53 class mediator. [GOC:TermGenie, PMID:17719541]' - }, - 'GO:1902167': { - 'name': 'positive regulation of intrinsic apoptotic signaling pathway in response to DNA damage by p53 class mediator', - 'def': 'Any process that activates or increases the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to DNA damage by p53 class mediator. [GOC:TermGenie, PMID:17719541]' - }, - 'GO:1902168': { - 'name': 'response to catechin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a catechin stimulus. [GOC:rjd, GOC:TermGenie, PMID:23516620]' - }, - 'GO:1902169': { - 'name': 'cellular response to catechin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a catechin stimulus. [GOC:rjd, GOC:TermGenie, PMID:23516620]' - }, - 'GO:1902170': { - 'name': 'cellular response to reactive nitrogen species', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a reactive nitrogen species stimulus. [GOC:sl, GOC:TermGenie, PMID:22504638]' - }, - 'GO:1902171': { - 'name': 'regulation of tocopherol cyclase activity', - 'def': 'Any process that modulates the frequency, rate or extent of tocopherol cyclase activity. [GOC:TermGenie, PMID:23632854]' - }, - 'GO:1902172': { - 'name': 'regulation of keratinocyte apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of keratinocyte apoptotic process. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:18938133]' - }, - 'GO:1902173': { - 'name': 'negative regulation of keratinocyte apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of keratinocyte apoptotic process. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:18938133]' - }, - 'GO:1902174': { - 'name': 'positive regulation of keratinocyte apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of keratinocyte apoptotic process. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:18938133]' - }, - 'GO:1902175': { - 'name': 'regulation of oxidative stress-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of an oxidative stress-induced intrinsic apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:TermGenie, PMID:11672522]' - }, - 'GO:1902176': { - 'name': 'negative regulation of oxidative stress-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of an oxidative stress-induced intrinsic apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:TermGenie, PMID:11672522]' - }, - 'GO:1902177': { - 'name': 'positive regulation of oxidative stress-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of an oxidative stress-induced intrinsic apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:TermGenie, PMID:11672522]' - }, - 'GO:1902178': { - 'name': 'fibroblast growth factor receptor apoptotic signaling pathway', - 'def': 'An apoptotic signaling pathway that starts with a ligand binding to, or being withdrawn from, a fibroblast growth factor receptor (FGFR). [GOC:mtg_apoptosis, GOC:pm, GOC:pr, GOC:TermGenie, PMID:17561467]' - }, - 'GO:1902179': { - 'name': 'verruculogen metabolic process', - 'def': 'The chemical reactions and pathways involving verruculogen. [GOC:di, GOC:TermGenie, PMID:23649274]' - }, - 'GO:1902180': { - 'name': 'verruculogen catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of verruculogen. [GOC:di, GOC:TermGenie, PMID:23649274]' - }, - 'GO:1902181': { - 'name': 'verruculogen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of verruculogen. [GOC:di, GOC:TermGenie, PMID:23649274]' - }, - 'GO:1902182': { - 'name': 'shoot apical meristem development', - 'def': 'The process whose specific outcome is the progression of a shoot apical meristem over time, from its formation to the mature structure. [GOC:TermGenie, PMID:21496644]' - }, - 'GO:1902183': { - 'name': 'regulation of shoot apical meristem development', - 'def': 'Any process that modulates the frequency, rate or extent of shoot apical meristem development. [GOC:TermGenie, PMID:21496644]' - }, - 'GO:1902184': { - 'name': 'negative regulation of shoot apical meristem development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of shoot apical meristem development. [GOC:TermGenie, PMID:21496644]' - }, - 'GO:1902185': { - 'name': 'positive regulation of shoot apical meristem development', - 'def': 'Any process that activates or increases the frequency, rate or extent of shoot apical meristem development. [GOC:TermGenie, PMID:21496644]' - }, - 'GO:1902186': { - 'name': 'regulation of viral release from host cell', - 'def': 'Any process that modulates the frequency, rate or extent of viral release from host cell. [GOC:TermGenie, PMID:18305167]' - }, - 'GO:1902187': { - 'name': 'negative regulation of viral release from host cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of viral release from host cell. [GOC:TermGenie, PMID:18305167]' - }, - 'GO:1902188': { - 'name': 'positive regulation of viral release from host cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of viral release from host cell. [GOC:TermGenie, PMID:18305167]' - }, - 'GO:1902189': { - 'name': '2-methylbutanoyl-CoA(4-) metabolic process', - 'def': 'The chemical reactions and pathways involving 2-methylbutanoyl-CoA(4-). [GOC:TermGenie, pubmed:15574432]' - }, - 'GO:1902190': { - 'name': '2-methylbutanoyl-CoA(4-) catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-methylbutanoyl-CoA(4-). [GOC:TermGenie, pubmed:15574432]' - }, - 'GO:1902191': { - 'name': '2-methylbutanoyl-CoA(4-) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 2-methylbutanoyl-CoA(4-). [GOC:TermGenie, pubmed:15574432]' - }, - 'GO:1902192': { - 'name': '2-methylbut-2-enoyl-CoA(4-) metabolic process', - 'def': 'The chemical reactions and pathways involving 2-methylbut-2-enoyl-CoA(4-). [GOC:TermGenie, pubmed:15574432]' - }, - 'GO:1902193': { - 'name': '2-methylbut-2-enoyl-CoA(4-) catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 2-methylbut-2-enoyl-CoA(4-). [GOC:TermGenie, pubmed:15574432]' - }, - 'GO:1902194': { - 'name': '2-methylbut-2-enoyl-CoA(4-) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 2-methylbut-2-enoyl-CoA(4-). [GOC:TermGenie, pubmed:15574432]' - }, - 'GO:1902195': { - 'name': 'isovaleryl-CoA(4-) metabolic process', - 'def': 'The chemical reactions and pathways involving isovaleryl-CoA(4-). [GOC:TermGenie, pmid:11231285]' - }, - 'GO:1902196': { - 'name': 'isovaleryl-CoA(4-) catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of isovaleryl-CoA(4-). [GOC:TermGenie, pmid:11231285]' - }, - 'GO:1902197': { - 'name': 'isovaleryl-CoA(4-) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isovaleryl-CoA(4-). [GOC:TermGenie, pmid:11231285]' - }, - 'GO:1902198': { - 'name': '3-methylbut-2-enoyl-CoA(4-) metabolic process', - 'def': 'The chemical reactions and pathways involving 3-methylbut-2-enoyl-CoA(4-). [GOC:TermGenie, pmid:11231285]' - }, - 'GO:1902199': { - 'name': '3-methylbut-2-enoyl-CoA(4-) catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3-methylbut-2-enoyl-CoA(4-). [GOC:TermGenie, pmid:11231285]' - }, - 'GO:1902200': { - 'name': '3-methylbut-2-enoyl-CoA(4-) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 3-methylbut-2-enoyl-CoA(4-). [GOC:TermGenie, pmid:11231285]' - }, - 'GO:1902201': { - 'name': 'negative regulation of bacterial-type flagellum-dependent cell motility', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of bacterial-type flagellum-dependent cell motility. [GOC:cilia, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902202': { - 'name': 'regulation of hepatocyte growth factor receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of hepatocyte growth factor receptor signaling pathway. [GOC:TermGenie, PMID:18819921]' - }, - 'GO:1902203': { - 'name': 'negative regulation of hepatocyte growth factor receptor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hepatocyte growth factor receptor signaling pathway. [GOC:TermGenie, PMID:18819921]' - }, - 'GO:1902204': { - 'name': 'positive regulation of hepatocyte growth factor receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of hepatocyte growth factor receptor signaling pathway. [GOC:TermGenie, PMID:18819921]' - }, - 'GO:1902205': { - 'name': 'regulation of interleukin-2-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-2-mediated signaling pathway. [GOC:TermGenie, PMID:11909529]' - }, - 'GO:1902206': { - 'name': 'negative regulation of interleukin-2-mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-2-mediated signaling pathway. [GOC:TermGenie, PMID:11909529]' - }, - 'GO:1902207': { - 'name': 'positive regulation of interleukin-2-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-2-mediated signaling pathway. [GOC:TermGenie, PMID:11909529]' - }, - 'GO:1902208': { - 'name': 'regulation of bacterial-type flagellum assembly', - 'def': 'Any process that modulates the frequency, rate or extent of bacterial-type flagellum assembly. [GOC:jl, GOC:TermGenie]' - }, - 'GO:1902209': { - 'name': 'negative regulation of bacterial-type flagellum assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of bacterial-type flagellum assembly. [GOC:jl, GOC:TermGenie]' - }, - 'GO:1902210': { - 'name': 'positive regulation of bacterial-type flagellum assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of bacterial-type flagellum assembly. [GOC:jl, GOC:TermGenie]' - }, - 'GO:1902211': { - 'name': 'regulation of prolactin signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of prolactin signaling pathway. [GOC:TermGenie, PMID:11773439]' - }, - 'GO:1902212': { - 'name': 'negative regulation of prolactin signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of prolactin signaling pathway. [GOC:TermGenie, PMID:11773439]' - }, - 'GO:1902213': { - 'name': 'positive regulation of prolactin signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of prolactin signaling pathway. [GOC:TermGenie, PMID:11773439]' - }, - 'GO:1902214': { - 'name': 'regulation of interleukin-4-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-4-mediated signaling pathway. [GOC:TermGenie, PMID:17210636]' - }, - 'GO:1902215': { - 'name': 'negative regulation of interleukin-4-mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-4-mediated signaling pathway. [GOC:TermGenie, PMID:17210636]' - }, - 'GO:1902216': { - 'name': 'positive regulation of interleukin-4-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-4-mediated signaling pathway. [GOC:TermGenie, PMID:17210636]' - }, - 'GO:1902217': { - 'name': 'erythrocyte apoptotic process', - 'def': 'Any apoptotic process in an erythrocyte. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:14569084]' - }, - 'GO:1902218': { - 'name': 'regulation of intrinsic apoptotic signaling pathway in response to osmotic stress', - 'def': 'Any process that modulates the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to osmotic stress. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:14569084]' - }, - 'GO:1902219': { - 'name': 'negative regulation of intrinsic apoptotic signaling pathway in response to osmotic stress', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to osmotic stress. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:14569084]' - }, - 'GO:1902220': { - 'name': 'positive regulation of intrinsic apoptotic signaling pathway in response to osmotic stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to osmotic stress. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:14569084]' - }, - 'GO:1902221': { - 'name': 'erythrose 4-phosphate/phosphoenolpyruvate family amino acid metabolic process', - 'def': 'The chemical reactions and pathways involving erythrose 4-phosphate/phosphoenolpyruvate family amino acid. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1902222': { - 'name': 'erythrose 4-phosphate/phosphoenolpyruvate family amino acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of erythrose 4-phosphate/phosphoenolpyruvate family amino acid. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1902223': { - 'name': 'erythrose 4-phosphate/phosphoenolpyruvate family amino acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of erythrose 4-phosphate/phosphoenolpyruvate family amino acid. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1902224': { - 'name': 'ketone body metabolic process', - 'def': 'The chemical reactions and pathways involving ketone body. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1902225': { - 'name': 'negative regulation of acrosome reaction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of acrosome reaction. [GOC:TermGenie, PMID:23430248]' - }, - 'GO:1902226': { - 'name': 'regulation of macrophage colony-stimulating factor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of macrophage colony-stimulating factor signaling pathway. [GOC:TermGenie, PMID:16705167]' - }, - 'GO:1902227': { - 'name': 'negative regulation of macrophage colony-stimulating factor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of macrophage colony-stimulating factor signaling pathway. [GOC:TermGenie, PMID:16705167]' - }, - 'GO:1902228': { - 'name': 'positive regulation of macrophage colony-stimulating factor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of macrophage colony-stimulating factor signaling pathway. [GOC:TermGenie, PMID:16705167]' - }, - 'GO:1902229': { - 'name': 'regulation of intrinsic apoptotic signaling pathway in response to DNA damage', - 'def': 'Any process that modulates the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to DNA damage. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:15314165]' - }, - 'GO:1902230': { - 'name': 'negative regulation of intrinsic apoptotic signaling pathway in response to DNA damage', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to DNA damage. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:15314165]' - }, - 'GO:1902231': { - 'name': 'positive regulation of intrinsic apoptotic signaling pathway in response to DNA damage', - 'def': 'Any process that activates or increases the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to DNA damage. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:15314165]' - }, - 'GO:1902232': { - 'name': 'regulation of positive thymic T cell selection', - 'def': 'Any process that modulates the frequency, rate or extent of positive thymic T cell selection. [GOC:TermGenie, PMID:22080863]' - }, - 'GO:1902233': { - 'name': 'negative regulation of positive thymic T cell selection', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of positive thymic T cell selection. [GOC:TermGenie, PMID:22080863]' - }, - 'GO:1902234': { - 'name': 'positive regulation of positive thymic T cell selection', - 'def': 'Any process that activates or increases the frequency, rate or extent of positive thymic T cell selection. [GOC:TermGenie, PMID:22080863]' - }, - 'GO:1902235': { - 'name': 'regulation of endoplasmic reticulum stress-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of an endoplasmic reticulum stress-induced intrinsic apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:20160352]' - }, - 'GO:1902236': { - 'name': 'negative regulation of endoplasmic reticulum stress-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of an endoplasmic reticulum stress-induced intrinsic apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:20160352]' - }, - 'GO:1902237': { - 'name': 'positive regulation of endoplasmic reticulum stress-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of an endoplasmic reticulum stress-induced intrinsic apoptotic signaling pathway. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:20160352]' - }, - 'GO:1902238': { - 'name': 'regulation of intrinsic apoptotic signaling pathway in response to osmotic stress by p53 class mediator', - 'def': 'Any process that modulates the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to osmotic stress by p53 class mediator. [GOC:krc, GOC:mtg_apoptosis, GOC:TermGenie, PMID:16571598]' - }, - 'GO:1902239': { - 'name': 'negative regulation of intrinsic apoptotic signaling pathway in response to osmotic stress by p53 class mediator', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to osmotic stress by p53 class mediator. [GOC:krc, GOC:mtg_apoptosis, GOC:TermGenie, PMID:16571598]' - }, - 'GO:1902240': { - 'name': 'positive regulation of intrinsic apoptotic signaling pathway in response to osmotic stress by p53 class mediator', - 'def': 'Any process that activates or increases the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to osmotic stress by p53 class mediator. [GOC:krc, GOC:mtg_apoptosis, GOC:TermGenie, PMID:16571598]' - }, - 'GO:1902241': { - 'name': 'copal-8-ol diphosphate(3-) metabolic process', - 'def': 'The chemical reactions and pathways involving copal-8-ol diphosphate(3-). [GOC:TermGenie, pmid:22672125]' - }, - 'GO:1902242': { - 'name': 'copal-8-ol diphosphate(3-) catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of copal-8-ol diphosphate(3-). [GOC:TermGenie, pmid:22672125]' - }, - 'GO:1902243': { - 'name': 'copal-8-ol diphosphate(3-) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of copal-8-ol diphosphate(3-). [GOC:TermGenie, pmid:22672125]' - }, - 'GO:1902244': { - 'name': 'cis-abienol metabolic process', - 'def': 'The chemical reactions and pathways involving cis-abienol. [GOC:TermGenie, pmid:22672125]' - }, - 'GO:1902245': { - 'name': 'cis-abienol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cis-abienol. [GOC:TermGenie, pmid:22672125]' - }, - 'GO:1902246': { - 'name': 'cis-abienol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cis-abienol. [GOC:TermGenie, pmid:22672125]' - }, - 'GO:1902247': { - 'name': 'geranylgeranyl diphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of geranylgeranyl diphosphate. [GOC:TermGenie, pmid:22672125]' - }, - 'GO:1902248': { - 'name': '5-O-phosphono-alpha-D-ribofuranosyl diphosphate binding', - 'def': 'Interacting selectively and non-covalently with 5-O-phosphono-alpha-D-ribofuranosyl diphosphate. [GOC:mah, GOC:TermGenie, PMID:4314233]' - }, - 'GO:1902249': { - 'name': 'IMP binding', - 'def': 'Interacting selectively and non-covalently with IMP, inosine monophosphate. [GOC:mah, GOC:TermGenie, PMID:4314233]' - }, - 'GO:1902250': { - 'name': 'regulation of erythrocyte apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of erythrocyte apoptotic process. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:14569084]' - }, - 'GO:1902251': { - 'name': 'negative regulation of erythrocyte apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of erythrocyte apoptotic process. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:14569084]' - }, - 'GO:1902252': { - 'name': 'positive regulation of erythrocyte apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of erythrocyte apoptotic process. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:14569084]' - }, - 'GO:1902253': { - 'name': 'regulation of intrinsic apoptotic signaling pathway by p53 class mediator', - 'def': 'Any process that modulates the frequency, rate or extent of intrinsic apoptotic signaling pathway by p53 class mediator. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:15705871]' - }, - 'GO:1902254': { - 'name': 'negative regulation of intrinsic apoptotic signaling pathway by p53 class mediator', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intrinsic apoptotic signaling pathway by p53 class mediator. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:15705871]' - }, - 'GO:1902255': { - 'name': 'positive regulation of intrinsic apoptotic signaling pathway by p53 class mediator', - 'def': 'Any process that activates or increases the frequency, rate or extent of intrinsic apoptotic signaling pathway by p53 class mediator. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, GOC:TermGenie, PMID:15705871]' - }, - 'GO:1902256': { - 'name': 'regulation of apoptotic process involved in outflow tract morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of apoptotic process involved in outflow tract morphogenesis. [GOC:dph, GOC:mtg_apoptosis, GOC:TermGenie, PMID:16839542]' - }, - 'GO:1902257': { - 'name': 'negative regulation of apoptotic process involved in outflow tract morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apoptotic process involved in outflow tract morphogenesis. [GOC:dph, GOC:mtg_apoptosis, GOC:TermGenie, PMID:16839542]' - }, - 'GO:1902258': { - 'name': 'positive regulation of apoptotic process involved in outflow tract morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of apoptotic process involved in outflow tract morphogenesis. [GOC:dph, GOC:mtg_apoptosis, GOC:TermGenie, PMID:16839542]' - }, - 'GO:1902259': { - 'name': 'regulation of delayed rectifier potassium channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of delayed rectifier potassium channel activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:11299204]' - }, - 'GO:1902260': { - 'name': 'negative regulation of delayed rectifier potassium channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of delayed rectifier potassium channel activity. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:11299204]' - }, - 'GO:1902261': { - 'name': 'positive regulation of delayed rectifier potassium channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of delayed rectifier potassium channel activity. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:11299204]' - }, - 'GO:1902262': { - 'name': 'apoptotic process involved in blood vessel morphogenesis', - 'def': 'Any apoptotic process that is involved in blood vessel morphogenesis. [GOC:dph, GOC:mtg_apoptosis, GOC:TermGenie, PMID:16163358]' - }, - 'GO:1902263': { - 'name': 'apoptotic process involved in embryonic digit morphogenesis', - 'def': 'Any apoptotic process that is involved in embryonic digit morphogenesis. [GOC:dph, GOC:mtg_apoptosis, GOC:TermGenie, PMID:15967824]' - }, - 'GO:1902265': { - 'name': 'abscisic acid homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of abscisic acid within an organism or cell. [GOC:TermGenie, PMID:23252460]' - }, - 'GO:1902266': { - 'name': 'cellular abscisic acid homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of abscisic acid at the level of the cell. [GOC:TermGenie, PMID:23252460]' - }, - 'GO:1902267': { - 'name': 'regulation of polyamine transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of polyamine transmembrane transport. [GOC:TermGenie, PMID:23755272]' - }, - 'GO:1902268': { - 'name': 'negative regulation of polyamine transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of polyamine transmembrane transport. [GOC:TermGenie, PMID:23755272]' - }, - 'GO:1902269': { - 'name': 'positive regulation of polyamine transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of polyamine transmembrane transport. [GOC:TermGenie, PMID:23755272]' - }, - 'GO:1902270': { - 'name': '(R)-carnitine transmembrane transport', - 'def': 'The directed movement of (R)-carnitine across a membrane. [GOC:TermGenie, PMID:23755272]' - }, - 'GO:1902271': { - 'name': 'D3 vitamins binding', - 'def': 'Interacting selectively and non-covalently with D3 vitamins. [GOC:bf, GOC:TermGenie, PMID:9127467]' - }, - 'GO:1902272': { - 'name': 'regulation of (R)-carnitine transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of (R)-carnitine transmembrane transport. [GOC:TermGenie, PMID:23755272]' - }, - 'GO:1902273': { - 'name': 'negative regulation of (R)-carnitine transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of (R)-carnitine transmembrane transport. [GOC:TermGenie, PMID:23755272]' - }, - 'GO:1902274': { - 'name': 'positive regulation of (R)-carnitine transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of (R)-carnitine transmembrane transport. [GOC:TermGenie, PMID:23755272]' - }, - 'GO:1902275': { - 'name': 'regulation of chromatin organization', - 'def': 'Any process that modulates the frequency, rate or extent of chromatin organization. [GO_REF:0000058, GOC:bf, GOC:TermGenie, GOC:vw, PMID:18314879]' - }, - 'GO:1902276': { - 'name': 'regulation of pancreatic amylase secretion', - 'def': 'Any process that modulates the frequency, rate or extent of pancreatic amylase secretion. [GOC:jc, GOC:TermGenie]' - }, - 'GO:1902277': { - 'name': 'negative regulation of pancreatic amylase secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pancreatic amylase secretion. [GOC:jc, GOC:TermGenie]' - }, - 'GO:1902278': { - 'name': 'positive regulation of pancreatic amylase secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of pancreatic amylase secretion. [GOC:jc, GOC:TermGenie, PMID:19028687]' - }, - 'GO:1902279': { - 'name': 'positive regulation of pancreatic amylase secretion by cholecystokinin signaling pathway', - 'def': 'A cholecystokinin signaling pathway that results in positive regulation of pancreatic amylase secretion. [GOC:jc, GOC:TermGenie, PMID:19028687]' - }, - 'GO:1902280': { - 'name': 'regulation of ATP-dependent RNA helicase activity', - 'def': 'Any process that modulates the frequency, rate or extent of ATP-dependent RNA helicase activity. [GOC:rb, GOC:TermGenie, PMID:23721653]' - }, - 'GO:1902281': { - 'name': 'negative regulation of ATP-dependent RNA helicase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ATP-dependent RNA helicase activity. [GOC:rb, GOC:TermGenie, PMID:23721653]' - }, - 'GO:1902282': { - 'name': 'voltage-gated potassium channel activity involved in ventricular cardiac muscle cell action potential repolarization', - 'def': 'Enables the transmembrane transfer of a potassium ion by a voltage-gated channel through the plasma membrane of a ventricular cardiomyocyte contributing to the repolarization phase of an action potential. A voltage-gated channel is a channel whose open state is dependent on the voltage across the membrane in which it is embedded. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:8528244]' - }, - 'GO:1902283': { - 'name': 'negative regulation of primary amine oxidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of primary amine oxidase activity. [GOC:TermGenie, PMID:23349812]' - }, - 'GO:1902284': { - 'name': 'neuron projection extension involved in neuron projection guidance', - 'def': 'Any neuron projection extension that is involved in neuron projection guidance. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:22790009]' - }, - 'GO:1902285': { - 'name': 'semaphorin-plexin signaling pathway involved in neuron projection guidance', - 'def': 'Any semaphorin-plexin signaling pathway that is involved in neuron projection guidance. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:22790009]' - }, - 'GO:1902286': { - 'name': 'semaphorin-plexin signaling pathway involved in dendrite guidance', - 'def': 'Any semaphorin-plexin signaling pathway that is involved in dendrite guidance. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:22790009]' - }, - 'GO:1902287': { - 'name': 'semaphorin-plexin signaling pathway involved in axon guidance', - 'def': 'Any semaphorin-plexin signaling pathway that is involved in axon guidance. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:22790009]' - }, - 'GO:1902288': { - 'name': 'regulation of defense response to oomycetes', - 'def': 'Any process that modulates the frequency, rate or extent of defense response to oomycetes. [GOC:TermGenie, PMID:16040633]' - }, - 'GO:1902289': { - 'name': 'negative regulation of defense response to oomycetes', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of defense response to oomycetes. [GOC:TermGenie, PMID:16040633]' - }, - 'GO:1902290': { - 'name': 'positive regulation of defense response to oomycetes', - 'def': 'Any process that activates or increases the frequency, rate or extent of defense response to oomycetes. [GOC:TermGenie, PMID:16040633]' - }, - 'GO:1902291': { - 'name': 'cell cycle DNA replication DNA ligation', - 'def': 'Any DNA ligation that is involved in cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902292': { - 'name': 'cell cycle DNA replication initiation', - 'def': 'Any DNA replication initiation that is involved in cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902294': { - 'name': 'cell cycle DNA replication termination', - 'def': 'Any DNA replication termination that is involved in cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902295': { - 'name': 'synthesis of RNA primer involved in cell cycle DNA replication', - 'def': 'Any DNA replication, synthesis of RNA primer that is involved in cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902296': { - 'name': 'DNA strand elongation involved in cell cycle DNA replication', - 'def': 'Any DNA strand elongation that is involved in cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902297': { - 'name': 'cell cycle DNA replication DNA unwinding', - 'def': 'Any DNA unwinding that is involved in cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902298': { - 'name': 'cell cycle DNA replication maintenance of fidelity', - 'def': 'Any maintenance of fidelity that is involved in cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902299': { - 'name': 'pre-replicative complex assembly involved in cell cycle DNA replication', - 'def': 'Any pre-replicative complex assembly that is involved in cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902300': { - 'name': 'galactarate transport', - 'def': 'The directed movement of a galactaric acid anion (galactarate) into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1902301': { - 'name': 'galactarate transmembrane transporter activity', - 'def': 'Enables the transfer of galactaric acid anion (galactarate) from one side of the membrane to the other. [GOC:pr, GOC:TermGenie]' - }, - 'GO:1902302': { - 'name': 'regulation of potassium ion export', - 'def': 'Any process that modulates the frequency, rate or extent of potassium ion export. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:7604285]' - }, - 'GO:1902303': { - 'name': 'negative regulation of potassium ion export', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of potassium ion export. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:7604285]' - }, - 'GO:1902304': { - 'name': 'positive regulation of potassium ion export', - 'def': 'Any process that activates or increases the frequency, rate or extent of potassium ion export. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:7604285]' - }, - 'GO:1902305': { - 'name': 'regulation of sodium ion transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of sodium ion transmembrane transport. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:18591664]' - }, - 'GO:1902306': { - 'name': 'negative regulation of sodium ion transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sodium ion transmembrane transport. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:18591664]' - }, - 'GO:1902307': { - 'name': 'positive regulation of sodium ion transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of sodium ion transmembrane transport. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:18591664]' - }, - 'GO:1902308': { - 'name': 'regulation of peptidyl-serine dephosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of peptidyl-serine dephosphorylation. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:11953308]' - }, - 'GO:1902309': { - 'name': 'negative regulation of peptidyl-serine dephosphorylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of peptidyl-serine dephosphorylation. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:11953308]' - }, - 'GO:1902310': { - 'name': 'positive regulation of peptidyl-serine dephosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of peptidyl-serine dephosphorylation. [GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:11953308]' - }, - 'GO:1902311': { - 'name': 'regulation of copper ion transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of copper ion transmembrane transport. [GOC:di, GOC:TermGenie, PMID:21489137]' - }, - 'GO:1902312': { - 'name': 'negative regulation of copper ion transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of copper ion transmembrane transport. [GOC:di, GOC:TermGenie, PMID:21489137]' - }, - 'GO:1902313': { - 'name': 'positive regulation of copper ion transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of copper ion transmembrane transport. [GOC:di, GOC:TermGenie, PMID:21489137]' - }, - 'GO:1902314': { - 'name': 'hydroquinone binding', - 'def': 'Interacting selectively and non-covalently with hydroquinone. [GOC:bhm, GOC:TermGenie, pmid:15667223]' - }, - 'GO:1902315': { - 'name': 'nuclear cell cycle DNA replication initiation', - 'def': 'Any DNA replication initiation that is involved in nuclear cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902317': { - 'name': 'nuclear DNA replication termination', - 'def': 'Any DNA replication termination that is involved in nuclear cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902318': { - 'name': 'synthesis of RNA primer involved in nuclear cell cycle DNA replication', - 'def': 'Any synthesis of RNA primer that is involved in nuclear cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902319': { - 'name': 'DNA strand elongation involved in nuclear cell cycle DNA replication', - 'def': 'Any DNA strand elongation that is involved in nuclear cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902320': { - 'name': 'nuclear DNA replication DNA duplex unwinding', - 'def': 'Any DNA duplex unwinding that is involved in nuclear cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902321': { - 'name': 'methyl-branched fatty acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of methyl-branched fatty acid. [GOC:kmv, GOC:TermGenie, PMID:15340492]' - }, - 'GO:1902322': { - 'name': 'regulation of methyl-branched fatty acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of methyl-branched fatty acid biosynthetic process. [GOC:kmv, GOC:TermGenie, PMID:15340492]' - }, - 'GO:1902323': { - 'name': 'negative regulation of methyl-branched fatty acid biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methyl-branched fatty acid biosynthetic process. [GOC:kmv, GOC:TermGenie, PMID:15340492]' - }, - 'GO:1902324': { - 'name': 'positive regulation of methyl-branched fatty acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of methyl-branched fatty acid biosynthetic process. [GOC:kmv, GOC:TermGenie, PMID:15340492]' - }, - 'GO:1902325': { - 'name': 'negative regulation of chlorophyll biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chlorophyll biosynthetic process. [GOC:TermGenie, PMID:23555952]' - }, - 'GO:1902326': { - 'name': 'positive regulation of chlorophyll biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of chlorophyll biosynthetic process. [GOC:TermGenie, PMID:23555952]' - }, - 'GO:1902327': { - 'name': 'bacterial-type DNA replication DNA ligation', - 'def': 'Any DNA ligation that is involved in bacterial-type DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902328': { - 'name': 'bacterial-type DNA replication initiation', - 'def': 'Any DNA replication initiation that is involved in bacterial-type DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902329': { - 'name': 'bacterial-type DNA replication termination', - 'def': 'Any DNA replication termination that is involved in bacterial-type DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902330': { - 'name': 'synthesis of RNA primer involved in bacterial-type DNA replication', - 'def': 'Any synthesis of RNA primer that is involved in bacterial-type DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902331': { - 'name': 'DNA strand elongation involved in bacterial-type DNA replication', - 'def': 'Any DNA strand elongation that is involved in bacterial-type DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902332': { - 'name': 'bacterial-type DNA replication DNA duplex unwinding', - 'def': 'Any DNA duplex unwinding that is involved in bacterial-type DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902333': { - 'name': 'nuclear DNA replication DNA ligation', - 'def': 'Any DNA ligation that is involved in nuclear cell cycle DNA replication. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902334': { - 'name': 'fructose export from vacuole to cytoplasm', - 'def': 'The directed movement of fructose from vacuole to cytoplasm. [GOC:TermGenie, PMID:23583552]' - }, - 'GO:1902335': { - 'name': 'obsolete positive chemotaxis involved in neuron migration', - 'def': 'OBSOLETE. Any positive chemotaxis that is involved in neuron migration. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21658587]' - }, - 'GO:1902336': { - 'name': 'positive regulation of retinal ganglion cell axon guidance', - 'def': 'Any process that activates or increases the frequency, rate or extent of retinal ganglion cell axon guidance. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21658587]' - }, - 'GO:1902337': { - 'name': 'regulation of apoptotic process involved in morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of apoptotic process involved in morphogenesis. [GOC:sart, GOC:TermGenie, PMID:12202035]' - }, - 'GO:1902338': { - 'name': 'negative regulation of apoptotic process involved in morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apoptotic process involved in morphogenesis. [GOC:sart, GOC:TermGenie, PMID:12202035]' - }, - 'GO:1902339': { - 'name': 'positive regulation of apoptotic process involved in morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of apoptotic process involved in morphogenesis. [GOC:sart, GOC:TermGenie, PMID:12202035]' - }, - 'GO:1902340': { - 'name': 'negative regulation of chromosome condensation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chromosome condensation. [GOC:TermGenie, PMID:23219725]' - }, - 'GO:1902341': { - 'name': 'xylitol transport', - 'def': 'The directed movement of a xylitol into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Xylitol is a polyalcohol (pentane-1,2,3,4,5-pentol), produced by hydrogenation of xylose. [GOC:TermGenie, PMID:23475614]' - }, - 'GO:1902342': { - 'name': 'xylitol export', - 'def': 'The directed movement of xylitol out of a cell or organelle. [GOC:TermGenie, PMID:23475614]' - }, - 'GO:1902343': { - 'name': 'regulation of maltose transport', - 'def': 'Any process that modulates the frequency, rate or extent of maltose transport. [GOC:dph, GOC:TermGenie, PMID:23770568]' - }, - 'GO:1902344': { - 'name': 'negative regulation of maltose transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maltose transport. [GOC:dph, GOC:TermGenie, PMID:23770568]' - }, - 'GO:1902345': { - 'name': 'positive regulation of maltose transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of maltose transport. [GOC:dph, GOC:TermGenie, PMID:23770568]' - }, - 'GO:1902346': { - 'name': 'meiotic strand displacement involved in double-strand break repair via SDSA', - 'def': 'Any meiotic strand displacement that is involved in double-strand break repair via synthesis-dependent strand annealing (SDSA). [GOC:al, GOC:TermGenie, PMID:22723423]' - }, - 'GO:1902347': { - 'name': 'response to strigolactone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a strigolactone stimulus. [GOC:TermGenie, PMID:23893171]' - }, - 'GO:1902348': { - 'name': 'cellular response to strigolactone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a strigolactone stimulus. [GOC:TermGenie, PMID:23893171]' - }, - 'GO:1902349': { - 'name': 'response to chloroquine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chloroquine stimulus. [GOC:kmv, GOC:TermGenie, PMID:23922869]' - }, - 'GO:1902350': { - 'name': 'cellular response to chloroquine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chloroquine stimulus. [GOC:kmv, GOC:TermGenie, PMID:23922869]' - }, - 'GO:1902351': { - 'name': 'response to imidacloprid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an imidacloprid stimulus. [GOC:kmv, GOC:TermGenie, PMID:23922869]' - }, - 'GO:1902352': { - 'name': 'negative regulation of filamentous growth of a population of unicellular organisms in response to starvation by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter that results in negative regulation of filamentous growth of a population of unicellular organisms in response to starvation. [GOC:rn, GOC:TermGenie, PMID:23223039]' - }, - 'GO:1902353': { - 'name': 'positive regulation of induction of conjugation with cellular fusion by negative regulation of transcription from RNA polymerase II promoter by pheromones', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter by pheromones that results in positive regulation of induction of conjugation with cellular fusion. [GOC:rn, GOC:TermGenie, PMID:23872066]' - }, - 'GO:1902354': { - 'name': 'blood vessel endothelial cell delamination involved in blood vessel lumen ensheathment', - 'def': 'Any blood vessel endothelial cell delamination that is involved in blood vessel lumen ensheathment. [GOC:dgh, GOC:TermGenie, PMID:23698350]' - }, - 'GO:1902355': { - 'name': 'endothelial tube lumen extension involved in blood vessel lumen ensheathment', - 'def': 'Any endothelial tube lumen extension that is involved in blood vessel lumen ensheathment. [GOC:dgh, GOC:TermGenie, PMID:23698350]' - }, - 'GO:1902356': { - 'name': 'oxaloacetate(2-) transmembrane transport', - 'def': 'The directed movement of oxaloacetate(2-) across a membrane. [GOC:dph, GOC:TermGenie, PMID:18682385]' - }, - 'GO:1902357': { - 'name': '2-isopropylmalate(2-) transmembrane transport', - 'def': 'The directed movement of 2-isopropylmalate(2-) across a membrane. [GOC:dph, GOC:TermGenie, GOC:vw, PMID:18682385]' - }, - 'GO:1902358': { - 'name': 'sulfate transmembrane transport', - 'def': 'The directed movement of sulfate across a membrane. [GOC:dph, GOC:TermGenie, PMID:9055073]' - }, - 'GO:1902359': { - 'name': 'Notch signaling pathway involved in somitogenesis', - 'def': 'Any Notch signaling pathway that is involved in somitogenesis. [GOC:dph, GOC:TermGenie, PMID:21795391]' - }, - 'GO:1902360': { - 'name': 'conversion of ds siRNA to ss siRNA involved in chromatin silencing by small RNA', - 'def': 'Any conversion of ds siRNA to ss siRNA that is involved in chromatin silencing by small RNA. [GOC:TermGenie, GOC:vw, PMID:19239886]' - }, - 'GO:1902361': { - 'name': 'mitochondrial pyruvate transmembrane transport', - 'def': 'The directed movement of pyruvate across a mitochondrial membrane. [GOC:dph, GOC:TermGenie, GOC:vw, PMID:22628558]' - }, - 'GO:1902362': { - 'name': 'melanocyte apoptotic process', - 'def': 'Any apoptotic process in a melanocyte, the main structural component of the epidermis. [GOC:ic, GOC:TermGenie, PMID:20530876]' - }, - 'GO:1902363': { - 'name': 'regulation of protein localization to spindle pole body', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to spindle pole body. [GOC:TermGenie, PMID:21131906]' - }, - 'GO:1902364': { - 'name': 'negative regulation of protein localization to spindle pole body', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to spindle pole body. [GOC:TermGenie, PMID:21131906]' - }, - 'GO:1902365': { - 'name': 'positive regulation of protein localization to spindle pole body', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to spindle pole body. [GOC:TermGenie, PMID:21131906]' - }, - 'GO:1902366': { - 'name': 'regulation of Notch signaling pathway involved in somitogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of Notch signaling pathway involved in somitogenesis. [GOC:dph, GOC:TermGenie, PMID:21795391]' - }, - 'GO:1902367': { - 'name': 'negative regulation of Notch signaling pathway involved in somitogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Notch signaling pathway involved in somitogenesis. [GOC:dph, GOC:TermGenie, PMID:21795391]' - }, - 'GO:1902368': { - 'name': 'heterochromatin maintenance involved in chromatin silencing at centromere outer repeat region', - 'def': 'Any heterochromatin maintenance that is involved in chromatin silencing at centromere outer repeat region. [GOC:TermGenie, GOC:vw, PMID:21289066]' - }, - 'GO:1902369': { - 'name': 'negative regulation of RNA catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of RNA catabolic process. [GOC:bf, GOC:TermGenie, PMID:16640457]' - }, - 'GO:1902370': { - 'name': 'regulation of tRNA catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of tRNA catabolic process. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1902371': { - 'name': 'negative regulation of tRNA catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tRNA catabolic process. [GOC:bf, GOC:TermGenie, PMID:22919049]' - }, - 'GO:1902372': { - 'name': 'positive regulation of tRNA catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tRNA catabolic process. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1902373': { - 'name': 'negative regulation of mRNA catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mRNA catabolic process. [GOC:bf, GOC:TermGenie, PMID:22626865]' - }, - 'GO:1902374': { - 'name': 'regulation of rRNA catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of rRNA catabolic process. [GOC:bf, GOC:TermGenie, PMID:20160119]' - }, - 'GO:1902375': { - 'name': "nuclear tRNA 3'-trailer cleavage, endonucleolytic", - 'def': "Any tRNA 3'-trailer cleavage, endonucleolytic that takes place in nucleus. [GOC:TermGenie, PMID:23928301]" - }, - 'GO:1902376': { - 'name': 'protein denaturation involved in proteasomal ubiquitin-dependent protein catabolic process', - 'def': 'Any protein denaturation that is involved in proteasomal ubiquitin-dependent protein catabolic process. [GOC:TermGenie, PMID:21091378]' - }, - 'GO:1902377': { - 'name': 'nuclear rDNA heterochromatin', - 'def': 'Any rDNA heterochromatin that is part of a nucleus. [GOC:TermGenie, PMID:20661445]' - }, - 'GO:1902378': { - 'name': 'VEGF-activated neuropilin signaling pathway involved in axon guidance', - 'def': 'Any VEGF-activated neuropilin signaling pathway that is involved in axon guidance. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21658587]' - }, - 'GO:1902379': { - 'name': 'chemoattractant activity involved in axon guidance', - 'def': 'Any chemoattractant activity that is involved in axon guidance. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21658587]' - }, - 'GO:1902380': { - 'name': 'positive regulation of endoribonuclease activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of endoribonuclease activity. [GOC:bf, GOC:TermGenie]' - }, - 'GO:1902381': { - 'name': '11-oxo-beta-amyrin metabolic process', - 'def': 'The chemical reactions and pathways involving 11-oxo-beta-amyrin. [GOC:TermGenie, pmid:22128119]' - }, - 'GO:1902382': { - 'name': '11-oxo-beta-amyrin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 11-oxo-beta-amyrin. [GOC:TermGenie, pmid:22128119]' - }, - 'GO:1902383': { - 'name': '11-oxo-beta-amyrin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 11-oxo-beta-amyrin. [GOC:TermGenie, pmid:22128119]' - }, - 'GO:1902384': { - 'name': 'glycyrrhetinate metabolic process', - 'def': 'The chemical reactions and pathways involving glycyrrhetinate. [GOC:TermGenie, pmid:22128119]' - }, - 'GO:1902385': { - 'name': 'glycyrrhetinate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycyrrhetinate. [GOC:TermGenie, pmid:22128119]' - }, - 'GO:1902386': { - 'name': 'glycyrrhetinate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glycyrrhetinate. [GOC:TermGenie, pmid:22128119]' - }, - 'GO:1902387': { - 'name': 'ceramide 1-phosphate binding', - 'def': 'Interacting selectively and non-covalently with ceramide 1-phosphate. [GOC:TermGenie, PMID:23863933]' - }, - 'GO:1902388': { - 'name': 'ceramide 1-phosphate transporter activity', - 'def': 'Enables the directed movement of ceramide 1-phosphate into, out of or within a cell, or between cells. [GOC:TermGenie, PMID:23863933]' - }, - 'GO:1902389': { - 'name': 'ceramide 1-phosphate transport', - 'def': 'The directed movement of a ceramide 1-phosphate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:TermGenie, PMID:23863933]' - }, - 'GO:1902390': { - 'name': 'regulation of N-terminal peptidyl-serine acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of N-terminal peptidyl-serine acetylation. [GOC:TermGenie, PMID:23912279]' - }, - 'GO:1902391': { - 'name': 'positive regulation of N-terminal peptidyl-serine acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of N-terminal peptidyl-serine acetylation. [GOC:TermGenie, PMID:23912279]' - }, - 'GO:1902392': { - 'name': 'regulation of exodeoxyribonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of exodeoxyribonuclease activity. [GOC:jl, GOC:TermGenie]' - }, - 'GO:1902393': { - 'name': 'negative regulation of exodeoxyribonuclease activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of exodeoxyribonuclease activity. [GOC:jl, GOC:TermGenie]' - }, - 'GO:1902394': { - 'name': 'positive regulation of exodeoxyribonuclease activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of exodeoxyribonuclease activity. [GOC:jl, GOC:TermGenie, PMID:1234]' - }, - 'GO:1902395': { - 'name': 'regulation of 1-deoxy-D-xylulose-5-phosphate synthase activity', - 'def': 'Any process that modulates the frequency, rate or extent of 1-deoxy-D-xylulose-5-phosphate synthase activity. [GOC:TermGenie, PMID:23612965]' - }, - 'GO:1902396': { - 'name': 'protein localization to bicellular tight junction', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a bicellular tight junction. [GOC:TermGenie, PMID:18332111]' - }, - 'GO:1902397': { - 'name': 'detection of stimulus involved in meiotic spindle checkpoint', - 'def': 'Any detection of stimulus that is involved in meiotic spindle checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902398': { - 'name': 'intracellular signal transduction involved in meiotic spindle checkpoint', - 'def': 'Any intracellular signal transduction that is involved in meiotic spindle checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902399': { - 'name': 'detection of stimulus involved in G1 DNA damage checkpoint', - 'def': 'Any detection of stimulus that is involved in G1 DNA damage checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902400': { - 'name': 'intracellular signal transduction involved in G1 DNA damage checkpoint', - 'def': 'Any intracellular signal transduction that is involved in G1 DNA damage checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902401': { - 'name': 'detection of stimulus involved in mitotic DNA damage checkpoint', - 'def': 'Any detection of stimulus that is involved in mitotic DNA damage checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902402': { - 'name': 'signal transduction involved in mitotic DNA damage checkpoint', - 'def': 'Any intracellular signal transduction that is involved in mitotic DNA damage checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902403': { - 'name': 'signal transduction involved in mitotic DNA integrity checkpoint', - 'def': 'Any intracellular signal transduction that is involved in mitotic DNA integrity checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902404': { - 'name': 'mitotic actomyosin contractile ring contraction', - 'def': 'Any actomyosin contractile ring contraction that is involved in mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902405': { - 'name': 'mitotic actomyosin contractile ring localization', - 'def': 'Any actomyosin contractile ring localization that is involved in mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902406': { - 'name': 'mitotic actomyosin contractile ring maintenance', - 'def': 'Any actomyosin contractile ring maintenance that is involved in mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902407': { - 'name': 'assembly of actomyosin apparatus involved in mitotic cytokinesis', - 'def': 'Any assembly of mitotic cytokinetic actomyosin apparatus. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902408': { - 'name': 'mitotic cytokinesis, site selection', - 'def': 'Any cytokinesis, site selection that is involved in mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902410': { - 'name': 'mitotic cytokinetic process', - 'def': 'Any cytokinetic process that is involved in mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902412': { - 'name': 'regulation of mitotic cytokinesis', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic cytokinesis. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902413': { - 'name': 'negative regulation of mitotic cytokinesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic cytokinesis. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902414': { - 'name': 'protein localization to cell junction', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cell junction. [GOC:TermGenie, PMID:18332111]' - }, - 'GO:1902415': { - 'name': 'regulation of mRNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA binding. [GOC:rb, GOC:TermGenie, PMID:22890846]' - }, - 'GO:1902416': { - 'name': 'positive regulation of mRNA binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of mRNA binding. [GOC:rb, GOC:TermGenie, PMID:22890846]' - }, - 'GO:1902417': { - 'name': '(+)-abscisic acid D-glucopyranosyl ester transmembrane transporter activity', - 'def': 'Enables the transfer of (+)-abscisic acid D-glucopyranosyl ester from one side of the membrane to the other. [GOC:TermGenie, PMID:24028845]' - }, - 'GO:1902418': { - 'name': '(+)-abscisic acid D-glucopyranosyl ester transmembrane transport', - 'def': 'The directed movement of (+)-abscisic acid D-glucopyranosyl ester across a membrane. [GOC:TermGenie, PMID:24028845]' - }, - 'GO:1902419': { - 'name': 'detection of stimulus involved in Dma1-dependent checkpoint', - 'def': 'Any detection of stimulus that is involved in Dma1-dependent checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902420': { - 'name': 'signal transduction involved in Dma1-dependent checkpoint', - 'def': 'Any signal transduction that is involved in Dma1-dependent checkpoint. [GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902421': { - 'name': 'hydrogen metabolic process', - 'def': 'The chemical reactions and pathways involving H2 (dihydrogen). [GOC:mengo_curators, GOC:TermGenie, PMID:20395274, PMID:20692761]' - }, - 'GO:1902422': { - 'name': 'hydrogen biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of H2 (dihydrogen). [GOC:mengo_curators, GOC:TermGenie, PMID:20395274, PMID:20692761]' - }, - 'GO:1902423': { - 'name': 'regulation of attachment of mitotic spindle microtubules to kinetochore', - 'def': 'Any process that modulates the frequency, rate or extent of attachment of spindle microtubules to kinetochore involved in mitotic sister chromatid segregation. [GOC:TermGenie, GOC:vw, PMID:22065639]' - }, - 'GO:1902424': { - 'name': 'negative regulation of attachment of mitotic spindle microtubules to kinetochore', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of attachment of spindle microtubules to kinetochore involved in mitotic sister chromatid segregation. [GOC:TermGenie, GOC:vw, PMID:22065639]' - }, - 'GO:1902425': { - 'name': 'positive regulation of attachment of mitotic spindle microtubules to kinetochore', - 'def': 'Any process that activates or increases the frequency, rate or extent of attachment of spindle microtubules to kinetochore involved in mitotic sister chromatid segregation. [GOC:TermGenie, PMID:22065639]' - }, - 'GO:1902426': { - 'name': 'deactivation of mitotic spindle assembly checkpoint', - 'def': 'A positive regulation of the mitotic metaphase/anaphase transition that results from deactivation of the mitotic spindle assembly checkpoint. [GOC:dph, GOC:TermGenie, GOC:vw, PMID:19075002, PMID:19592249]' - }, - 'GO:1902427': { - 'name': 'regulation of water channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of water channel activity. [GOC:nhn, GOC:TermGenie, PMID:22095752]' - }, - 'GO:1902428': { - 'name': 'negative regulation of water channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of water channel activity. [GOC:TermGenie]' - }, - 'GO:1902429': { - 'name': 'positive regulation of water channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of water channel activity. [GOC:nhn, GOC:TermGenie, PMID:22095752]' - }, - 'GO:1902430': { - 'name': 'negative regulation of beta-amyloid formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of beta-amyloid formation. [GOC:hjd, GOC:TermGenie, PMID:22992957]' - }, - 'GO:1902431': { - 'name': 'uracil import into cell', - 'def': 'The directed movement of uracil from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:al, GOC:TermGenie]' - }, - 'GO:1902432': { - 'name': 'protein localization to barrier septum', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a barrier septum. [GOC:TermGenie, PMID:9367977]' - }, - 'GO:1902433': { - 'name': 'positive regulation of water channel activity involved in maintenance of lens transparency', - 'def': 'Any positive regulation of water channel activity that is involved in maintenance of lens transparency. [GOC:nhn, GOC:TermGenie, PMID:22095752]' - }, - 'GO:1902434': { - 'name': 'sulfate import into cell', - 'def': 'The directed movement of sulfate from outside of a cell into the intracellular region of a cell. [GOC:TermGenie, PMID:14723223]' - }, - 'GO:1902435': { - 'name': 'regulation of male mating behavior', - 'def': 'Any process that modulates the frequency, rate or extent of male mating behavior. [GOC:TermGenie, PMID:24089208]' - }, - 'GO:1902436': { - 'name': 'negative regulation of male mating behavior', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of male mating behavior. [GOC:TermGenie, PMID:24089208]' - }, - 'GO:1902437': { - 'name': 'positive regulation of male mating behavior', - 'def': 'Any process that activates or increases the frequency, rate or extent of male mating behavior. [GOC:TermGenie, PMID:24089208]' - }, - 'GO:1902438': { - 'name': 'response to vanadate(3-)', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vanadate(3-) stimulus. [GOC:di, GOC:TermGenie, PMID:7489911]' - }, - 'GO:1902439': { - 'name': 'cellular response to vanadate(3-)', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vanadate(3-) stimulus. [GOC:di, GOC:TermGenie, PMID:7489911]' - }, - 'GO:1902440': { - 'name': 'protein localization to mitotic spindle pole body', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a mitotic spindle pole body. [GOC:TermGenie, PMID:22438582]' - }, - 'GO:1902441': { - 'name': 'protein localization to meiotic spindle pole body', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a meiotic spindle pole body. [GOC:mah, GOC:TermGenie, GOC:vw, PMID:20833892, PMID:22438582]' - }, - 'GO:1902442': { - 'name': 'regulation of ripoptosome assembly involved in necroptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of ripoptosome assembly involved in a necroptotic process. [GOC:dph, GOC:mtg_apoptosis, GOC:TermGenie, PMID:21052097]' - }, - 'GO:1902443': { - 'name': 'negative regulation of ripoptosome assembly involved in necroptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ripoptosome assembly involved in a necroptotic process. [GOC:dph, GOC:mtg_apoptosis, GOC:TermGenie, PMID:21052097]' - }, - 'GO:1902444': { - 'name': 'riboflavin binding', - 'def': 'Interacting selectively and non-covalently with riboflavin. [GOC:TermGenie, PMID:12083520]' - }, - 'GO:1902445': { - 'name': 'regulation of mitochondrial membrane permeability involved in programmed necrotic cell death', - 'def': 'Any regulation of mitochondrial membrane permeability that is involved in programmed necrotic cell death. [GOC:dph, GOC:mtg_apoptosis, GOC:TermGenie, PMID:22493254]' - }, - 'GO:1902446': { - 'name': 'regulation of shade avoidance', - 'def': 'Any process that modulates the frequency, rate or extent of shade avoidance. [GOC:TermGenie, PMID:23763263]' - }, - 'GO:1902447': { - 'name': 'negative regulation of shade avoidance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of shade avoidance. [GOC:TermGenie, PMID:23763263]' - }, - 'GO:1902448': { - 'name': 'positive regulation of shade avoidance', - 'def': 'Any process that activates or increases the frequency, rate or extent of shade avoidance. [GOC:TermGenie, PMID:23763263]' - }, - 'GO:1902449': { - 'name': 'regulation of ATP-dependent DNA helicase activity', - 'def': 'Any process that modulates the frequency, rate or extent of ATP-dependent DNA helicase activity. [GOC:rb, GOC:TermGenie, PMID:13679365]' - }, - 'GO:1902450': { - 'name': 'negative regulation of ATP-dependent DNA helicase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ATP-dependent DNA helicase activity. [GOC:rb, GOC:TermGenie, PMID:13679365]' - }, - 'GO:1902451': { - 'name': 'positive regulation of ATP-dependent DNA helicase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of ATP-dependent DNA helicase activity. [GOC:rb, GOC:TermGenie, PMID:13679365]' - }, - 'GO:1902455': { - 'name': 'negative regulation of stem cell population maintenance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of stem cell population maintenance. [GOC:hjd, GOC:TermGenie, PMID:22969033]' - }, - 'GO:1902456': { - 'name': 'regulation of stomatal opening', - 'def': 'Any process that modulates the frequency, rate or extent of stomatal opening. [GOC:TermGenie, PMID:23766366]' - }, - 'GO:1902457': { - 'name': 'negative regulation of stomatal opening', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of stomatal opening. [GOC:TermGenie, PMID:23766366]' - }, - 'GO:1902458': { - 'name': 'positive regulation of stomatal opening', - 'def': 'Any process that activates or increases the frequency, rate or extent of stomatal opening. [GOC:TermGenie, PMID:23766366]' - }, - 'GO:1902459': { - 'name': 'positive regulation of stem cell population maintenance', - 'def': 'Any process that activates or increases the frequency, rate or extent of stem cell population maintenance. [GOC:hjd, GOC:TermGenie, PMID:22969033]' - }, - 'GO:1902460': { - 'name': 'regulation of mesenchymal stem cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal stem cell proliferation. [GOC:pm, GOC:TermGenie, PMID:18672106]' - }, - 'GO:1902461': { - 'name': 'negative regulation of mesenchymal stem cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mesenchymal stem cell proliferation. [GOC:pm, GOC:TermGenie, PMID:18672106]' - }, - 'GO:1902462': { - 'name': 'positive regulation of mesenchymal stem cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesenchymal stem cell proliferation. [GOC:pm, GOC:TermGenie, PMID:18672106]' - }, - 'GO:1902463': { - 'name': 'protein localization to cell leading edge', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cell leading edge. [GOC:lb, GOC:TermGenie, PMID:21543326]' - }, - 'GO:1902464': { - 'name': 'regulation of histone H3-K27 trimethylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K27 trimethylation. [GOC:TermGenie, PMID:19270745]' - }, - 'GO:1902465': { - 'name': 'negative regulation of histone H3-K27 trimethylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K27 trimethylation. [GOC:TermGenie, PMID:19270745]' - }, - 'GO:1902466': { - 'name': 'positive regulation of histone H3-K27 trimethylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K27 trimethylation. [GOC:TermGenie, PMID:19270745]' - }, - 'GO:1902471': { - 'name': 'regulation of mitotic actomyosin contractile ring localization', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic actomyosin contractile ring localization. [GOC:TermGenie, PMID:19959363, PMID:21246752, PMID:22786806]' - }, - 'GO:1902472': { - 'name': 'regulation of mitotic cytokinesis, site selection', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic cytokinesis, site selection. [GOC:TermGenie, PMID:19959363, PMID:21246752, PMID:22786806]' - }, - 'GO:1902473': { - 'name': 'regulation of protein localization to synapse', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to synapse. [GOC:kmv, GOC:TermGenie, PMID:22588719]' - }, - 'GO:1902474': { - 'name': 'positive regulation of protein localization to synapse', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to synapse. [GOC:kmv, GOC:TermGenie, PMID:22588719]' - }, - 'GO:1902475': { - 'name': 'L-alpha-amino acid transmembrane transport', - 'def': 'The directed movement of L-alpha-amino acid across a membrane. [GOC:kmv, GOC:TermGenie, PMID:14668347]' - }, - 'GO:1902476': { - 'name': 'chloride transmembrane transport', - 'def': 'The directed movement of chloride across a membrane. [GOC:TermGenie, GOC:vw]' - }, - 'GO:1902477': { - 'name': 'regulation of defense response to bacterium, incompatible interaction', - 'def': 'Any process that modulates the frequency, rate or extent of defense response to bacterium, incompatible interaction. [GOC:TermGenie, PMID:24134885]' - }, - 'GO:1902478': { - 'name': 'negative regulation of defense response to bacterium, incompatible interaction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of defense response to bacterium, incompatible interaction. [GOC:TermGenie, PMID:24134885]' - }, - 'GO:1902479': { - 'name': 'positive regulation of defense response to bacterium, incompatible interaction', - 'def': 'Any process that activates or increases the frequency, rate or extent of defense response to bacterium, incompatible interaction. [GOC:TermGenie, PMID:24134885]' - }, - 'GO:1902480': { - 'name': 'protein localization to mitotic spindle', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a mitotic spindle. [GOC:TermGenie, PMID:23885124]' - }, - 'GO:1902481': { - 'name': 'gamma-tubulin complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a gamma-tubulin complex. [GOC:TermGenie, PMID:23885124]' - }, - 'GO:1902482': { - 'name': 'regulatory T cell apoptotic process', - 'def': 'Any apoptotic process in a regulatory T cell. [GOC:nhn, GOC:TermGenie, PUBMED:20471291]' - }, - 'GO:1902483': { - 'name': 'cytotoxic T cell apoptotic process', - 'def': 'Any apoptotic process in a cytotoxic T cell. [GOC:nhn, GOC:TermGenie, PUBMED:19604492]' - }, - 'GO:1902484': { - 'name': 'Sertoli cell apoptotic process', - 'def': 'Any apoptotic process in a Sertoli cell. [GOC:ic, GOC:TermGenie, PMID:17761895]' - }, - 'GO:1902485': { - 'name': 'L-cysteine binding', - 'def': 'Interacting selectively and non-covalently with L-cysteine. [GOC:bhm, GOC:TermGenie, PMID:12941942]' - }, - 'GO:1902486': { - 'name': 'protein localization to growing cell tip', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a growing cell tip. [GOC:TermGenie, PMID:23041194]' - }, - 'GO:1902487': { - 'name': 'protein localization to non-growing cell tip', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a non-growing cell tip. [GOC:TermGenie, PMID:21652630, PMID:23041194]' - }, - 'GO:1902488': { - 'name': 'cholangiocyte apoptotic process', - 'def': 'Any apoptotic process in a cholangiocyte. [GOC:TermGenie, PMID:22961800]' - }, - 'GO:1902489': { - 'name': 'hepatoblast apoptotic process', - 'def': 'Any apoptotic process in a hepatoblast. [GOC:TermGenie, PMID:22412967]' - }, - 'GO:1902490': { - 'name': 'regulation of sperm capacitation', - 'def': 'Any process that modulates the frequency, rate or extent of sperm capacitation. [GOC:hjd, GOC:TermGenie, PMID:22539676]' - }, - 'GO:1902491': { - 'name': 'negative regulation of sperm capacitation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sperm capacitation. [GOC:hjd, GOC:TermGenie, PMID:22539676]' - }, - 'GO:1902492': { - 'name': 'positive regulation of sperm capacitation', - 'def': 'Any process that activates or increases the frequency, rate or extent of sperm capacitation. [GOC:hjd, GOC:TermGenie, PMID:22539676]' - }, - 'GO:1902493': { - 'name': 'acetyltransferase complex', - 'def': 'A protein complex which is capable of acetyltransferase activity. [GOC:bhm, GOC:TermGenie, PMID:8077207]' - }, - 'GO:1902494': { - 'name': 'catalytic complex', - 'def': 'A protein complex which is capable of catalytic activity. [GOC:bhm, GOC:TermGenie, PMID:8077207]' - }, - 'GO:1902495': { - 'name': 'transmembrane transporter complex', - 'def': 'A transmembrane protein complex which enables the transfer of a substance from one side of a membrane to the other. [GOC:bhm, GOC:TermGenie, PMID:18024586]' - }, - 'GO:1902496': { - 'name': 'protein binding involved in negative regulation of telomere maintenance via telomerase', - 'def': 'Any protein binding that is involved in negative regulation of telomere maintenance via telomerase. [GOC:dph, GOC:TermGenie, GOC:vw, PMID:24013504]' - }, - 'GO:1902497': { - 'name': 'iron-sulfur cluster transport', - 'def': 'The directed movement of an iron-sulfur cluster into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:dph, GOC:TermGenie, PMID:19810706]' - }, - 'GO:1902498': { - 'name': 'regulation of protein autoubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of protein autoubiquitination. [GOC:rb, GOC:TermGenie, PMID:24069405]' - }, - 'GO:1902499': { - 'name': 'positive regulation of protein autoubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein autoubiquitination. [GOC:rb, GOC:TermGenie, PMID:24069405]' - }, - 'GO:1902500': { - 'name': 'vacuolar HOPS complex', - 'def': 'Any HOPS complex that is part of a vacuolar membrane. [GOC:TermGenie, PMID:23645161]' - }, - 'GO:1902501': { - 'name': 'lysosomal HOPS complex', - 'def': 'Any HOPS complex that is part of a lysosomal membrane. [GOC:TermGenie, PMID:23645161]' - }, - 'GO:1902502': { - 'name': 'multivesicular body HOPS complex', - 'def': 'Any HOPS complex that is part of a multivesicular body membrane. [GOC:TermGenie, PMID:23645161]' - }, - 'GO:1902503': { - 'name': 'adenylyltransferase complex', - 'def': 'A protein complex which is capable of adenylyltransferase activity. [GOC:bhm, GOC:TermGenie, PMID:11713534]' - }, - 'GO:1902504': { - 'name': 'regulation of signal transduction involved in mitotic G2 DNA damage checkpoint', - 'def': 'Any process that modulates the frequency, rate or extent of signal transduction involved in mitotic G2 DNA damage checkpoint. [GOC:TermGenie, PMID:16299494]' - }, - 'GO:1902505': { - 'name': 'negative regulation of signal transduction involved in mitotic G2 DNA damage checkpoint', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of signal transduction involved in mitotic G2 DNA damage checkpoint. [GOC:TermGenie, PMID:16299494]' - }, - 'GO:1902506': { - 'name': 'positive regulation of signal transduction involved in mitotic G2 DNA damage checkpoint', - 'def': 'Any process that activates or increases the frequency, rate or extent of signal transduction involved in mitotic G2 DNA damage checkpoint. [GOC:TermGenie, PMID:16299494]' - }, - 'GO:1902507': { - 'name': 'thiazole synthase complex', - 'def': 'A protein complex which is capable of thiazole synthase activity. [GOC:bhm, GOC:TermGenie, PMID:12650933]' - }, - 'GO:1902508': { - 'name': '2-iminoacetate synthase complex', - 'def': 'A protein complex which is capable of 2-iminoacetate synthase activity. [GOC:bhm, GOC:TermGenie, PMID:12650933]' - }, - 'GO:1902509': { - 'name': 'methionine-importing complex', - 'def': 'A protein complex which is capable of methionine-importing activity. [GOC:pr, GOC:TermGenie, PMID:23748165]' - }, - 'GO:1902510': { - 'name': 'regulation of apoptotic DNA fragmentation', - 'def': 'Any process that modulates the frequency, rate or extent of apoptotic DNA fragmentation. [GOC:hjd, GOC:TermGenie, PMID:15572351, PMID:15723341]' - }, - 'GO:1902511': { - 'name': 'negative regulation of apoptotic DNA fragmentation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apoptotic DNA fragmentation. [GOC:hjd, GOC:TermGenie, PMID:15572351]' - }, - 'GO:1902512': { - 'name': 'positive regulation of apoptotic DNA fragmentation', - 'def': 'Any process that activates or increases the frequency, rate or extent of apoptotic DNA fragmentation. [GOC:hjd, GOC:TermGenie, PMID:15572351]' - }, - 'GO:1902513': { - 'name': 'regulation of organelle transport along microtubule', - 'def': 'Any process that modulates the frequency, rate or extent of organelle transport along microtubule. [GOC:dph, GOC:TermGenie, PMID:21147087]' - }, - 'GO:1902514': { - 'name': 'regulation of calcium ion transmembrane transport via high voltage-gated calcium channel', - 'def': 'Any process that modulates the frequency, rate or extent of generation of calcium ion transmembrane transport via high voltage-gated calcium channel. [GOC:dph, GOC:pg, GOC:TermGenie, PMID:1611048]' - }, - 'GO:1902515': { - 'name': 'thioredoxin-disulfide reductase complex', - 'def': 'A protein complex which is capable of thioredoxin-disulfide reductase activity. [GOC:bhm, GOC:TermGenie, PMID:10947986]' - }, - 'GO:1902516': { - 'name': 'sn-glycerol 3-phosphate binding', - 'def': 'Interacting selectively and non-covalently with sn-glycerol 3-phosphate. [GOC:bhm, GOC:TermGenie, PMID:23013274]' - }, - 'GO:1902517': { - 'name': 'glycerol-3-phosphate-transporting ATPase complex', - 'def': 'A protein complex which is capable of glycerol-3-phosphate-transporting ATPase activity. [GOC:bhm, GOC:TermGenie, PMID:23013274]' - }, - 'GO:1902518': { - 'name': 'response to cyclophosphamide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cyclophosphamide stimulus. [GOC:dw, GOC:TermGenie, PMID:23648065]' - }, - 'GO:1902519': { - 'name': 'response to docetaxel trihydrate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a docetaxel trihydrate stimulus. [GOC:dw, GOC:TermGenie, PMID:23648065]' - }, - 'GO:1902520': { - 'name': 'response to doxorubicin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a doxorubicin stimulus. [GOC:dw, GOC:TermGenie, PMID:23648065]' - }, - 'GO:1902521': { - 'name': 'response to etoposide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an etoposide stimulus. [GOC:dw, GOC:TermGenie, PMID:23648065]' - }, - 'GO:1902522': { - 'name': "response to 4'-epidoxorubicin", - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 4'-epidoxorubicin stimulus. [GOC:dw, GOC:TermGenie, PMID:23648065]" - }, - 'GO:1902523': { - 'name': 'positive regulation of protein K63-linked ubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein K63-linked ubiquitination. [GOC:TermGenie, PMID:21931591]' - }, - 'GO:1902524': { - 'name': 'positive regulation of protein K48-linked ubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein K48-linked ubiquitination. [GOC:TermGenie, PMID:21931591]' - }, - 'GO:1902525': { - 'name': 'regulation of protein monoubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of protein monoubiquitination. [GOC:TermGenie, PMID:21931591]' - }, - 'GO:1902526': { - 'name': 'negative regulation of protein monoubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein monoubiquitination. [GOC:TermGenie, PMID:21931591]' - }, - 'GO:1902527': { - 'name': 'positive regulation of protein monoubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein monoubiquitination. [GOC:TermGenie, PMID:21931591]' - }, - 'GO:1902528': { - 'name': 'regulation of protein linear polyubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of protein linear polyubiquitination. [GOC:TermGenie, PMID:21931591]' - }, - 'GO:1902529': { - 'name': 'negative regulation of protein linear polyubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein linear polyubiquitination. [GOC:TermGenie, PMID:21931591]' - }, - 'GO:1902530': { - 'name': 'positive regulation of protein linear polyubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein linear polyubiquitination. [GOC:TermGenie, PMID:21931591]' - }, - 'GO:1902531': { - 'name': 'regulation of intracellular signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of intracellular signal transduction. [GOC:dph, GOC:signaling, GOC:tb, GOC:TermGenie]' - }, - 'GO:1902532': { - 'name': 'negative regulation of intracellular signal transduction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intracellular signal transduction. [GOC:dph, GOC:signaling, GOC:tb, GOC:TermGenie]' - }, - 'GO:1902533': { - 'name': 'positive regulation of intracellular signal transduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of intracellular signal transduction. [GOC:BHF, GOC:dph, GOC:signaling, GOC:tb, GOC:TermGenie]' - }, - 'GO:1902534': { - 'name': 'single-organism membrane invagination', - 'def': 'A membrane invagination which involves only one organism. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902535': { - 'name': 'multi-organism membrane invagination', - 'def': 'A membrane invagination which involves another organism. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902536': { - 'name': 'single-organism pinocytosis', - 'def': 'A pinocytosis which involves only one organism. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902537': { - 'name': 'multi-organism pinocytosis', - 'def': 'A pinocytosis which involves another organism. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902538': { - 'name': 'single-organism macropinocytosis', - 'def': 'A macropinocytosis which involves only one organism. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902539': { - 'name': 'multi-organism macropinocytosis', - 'def': 'A macropinocytosis which involves another organism. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902540': { - 'name': 'single-organism micropinocytosis', - 'def': 'A micropinocytosis which involves only one organism. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902541': { - 'name': 'multi-organism micropinocytosis', - 'def': 'A micropinocytosis which involves another organism. [GOC:bf, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902542': { - 'name': 'regulation of protein localization to mitotic spindle pole body', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to mitotic spindle pole body. [GOC:TermGenie, PMID:22809626]' - }, - 'GO:1902543': { - 'name': 'negative regulation of protein localization to mitotic spindle pole body', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to mitotic spindle pole body. [GOC:TermGenie, PMID:22809626]' - }, - 'GO:1902544': { - 'name': 'regulation of DNA N-glycosylase activity', - 'def': 'Any process that modulates the frequency, rate or extent of DNA N-glycosylase activity. [GOC:rph, GOC:TermGenie, PMID:15518571]' - }, - 'GO:1902545': { - 'name': 'negative regulation of DNA N-glycosylase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA N-glycosylase activity. [GOC:rph, GOC:TermGenie, PMID:15518571]' - }, - 'GO:1902546': { - 'name': 'positive regulation of DNA N-glycosylase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA N-glycosylase activity. [GOC:rph, GOC:TermGenie, PMID:15518571]' - }, - 'GO:1902547': { - 'name': 'regulation of cellular response to vascular endothelial growth factor stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to vascular endothelial growth factor stimulus. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17895370]' - }, - 'GO:1902548': { - 'name': 'negative regulation of cellular response to vascular endothelial growth factor stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to vascular endothelial growth factor stimulus. [GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17895370]' - }, - 'GO:1902549': { - 'name': 'protein localization to Mei2 nuclear dot', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a Mei2 nuclear dot. [GOC:TermGenie, PMID:23980030]' - }, - 'GO:1902550': { - 'name': 'lymphoid lineage cell migration into thymus involved in thymus epithelium morphogenesis', - 'def': 'Any lymphoid lineage cell migration into thymus that is involved in thymus epithelium morphogenesis. [GOC:cvs, GOC:TermGenie, PMID:22342843]' - }, - 'GO:1902551': { - 'name': 'regulation of catalase activity', - 'def': 'Any process that modulates the frequency, rate or extent of catalase activity. [GOC:TermGenie, PMID:24285797]' - }, - 'GO:1902552': { - 'name': 'negative regulation of catalase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of catalase activity. [GOC:TermGenie, PMID:24285797]' - }, - 'GO:1902553': { - 'name': 'positive regulation of catalase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of catalase activity. [GOC:TermGenie, PMID:24285797]' - }, - 'GO:1902554': { - 'name': 'serine/threonine protein kinase complex', - 'def': 'A protein complex which is capable of protein serine/threonine kinase activity. [GOC:bhm, GOC:TermGenie, PMID:18191223]' - }, - 'GO:1902555': { - 'name': 'endoribonuclease complex', - 'def': 'A protein complex which is capable of endoribonuclease activity. [GOC:bhm, GOC:TermGenie, PMID:18191223]' - }, - 'GO:1902556': { - 'name': 'phosphatidylinositol transporter complex', - 'def': 'A protein complex which is capable of phosphatidylinositol transporter activity. [GOC:bhm, GOC:TermGenie, PMID:9890948]' - }, - 'GO:1902557': { - 'name': "5'-adenylyl sulfate transmembrane transporter activity", - 'def': "Enables the transfer of 5'-adenylyl sulfate from one side of the membrane to the other. [GOC:TermGenie, PMID:24296033]" - }, - 'GO:1902558': { - 'name': "5'-adenylyl sulfate transmembrane transport", - 'def': "The directed movement of 5'-adenylyl sulfate across a membrane. [GOC:TermGenie, PMID:24296033]" - }, - 'GO:1902559': { - 'name': "3'-phospho-5'-adenylyl sulfate transmembrane transport", - 'def': "The directed movement of 3'-phospho-5'-adenylyl sulfate across a membrane. [GOC:TermGenie, PMID:24296033]" - }, - 'GO:1902560': { - 'name': 'GMP reductase complex', - 'def': 'An oxidoreductase complex which is capable of GMP reductase activity. It catalyses the irreversible reaction: GMP + 2 H(+) + NADPH => IMP + NADP(+) + NH(4)(+). [GOC:bhm, GOC:TermGenie, PMID:12009299]' - }, - 'GO:1902561': { - 'name': 'origin recognition complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an origin recognition complex. [GOC:TermGenie, PMID:11717425]' - }, - 'GO:1902562': { - 'name': 'H4 histone acetyltransferase complex', - 'def': 'A protein complex which is capable of H4 histone acetyltransferase activity. [GOC:bhm, GOC:TermGenie, PMID:23775086]' - }, - 'GO:1902563': { - 'name': 'regulation of neutrophil activation', - 'def': 'Any process that modulates the frequency, rate or extent of neutrophil activation. [GOC:TermGenie, PMID:17588661]' - }, - 'GO:1902564': { - 'name': 'negative regulation of neutrophil activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neutrophil activation. [GOC:TermGenie, PMID:17588661]' - }, - 'GO:1902565': { - 'name': 'positive regulation of neutrophil activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neutrophil activation. [GOC:TermGenie, PMID:17588661]' - }, - 'GO:1902566': { - 'name': 'regulation of eosinophil activation', - 'def': 'Any process that modulates the frequency, rate or extent of eosinophil activation. [GOC:TermGenie, PMID:16254138]' - }, - 'GO:1902567': { - 'name': 'negative regulation of eosinophil activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of eosinophil activation. [GOC:TermGenie, PMID:16254138]' - }, - 'GO:1902568': { - 'name': 'positive regulation of eosinophil activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of eosinophil activation. [GOC:TermGenie, PMID:16254138]' - }, - 'GO:1902569': { - 'name': 'negative regulation of activation of JAK2 kinase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of activation of JAK2 kinase activity. [GOC:TermGenie, PMID:16254138]' - }, - 'GO:1902570': { - 'name': 'protein localization to nucleolus', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a nucleolus. [GOC:TermGenie, PMID:22809626]' - }, - 'GO:1902571': { - 'name': 'regulation of serine-type peptidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of serine-type peptidase activity. [GOC:krc, GOC:TermGenie, PMID:20179351]' - }, - 'GO:1902572': { - 'name': 'negative regulation of serine-type peptidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of serine-type peptidase activity. [GOC:krc, GOC:TermGenie, PMID:20179351]' - }, - 'GO:1902573': { - 'name': 'positive regulation of serine-type peptidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of serine-type peptidase activity. [GOC:krc, GOC:TermGenie, PMID:20179351]' - }, - 'GO:1902574': { - 'name': 'negative regulation of leucine import by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in negative regulation of leucine import. [GOC:TermGenie, PMID:22992726]' - }, - 'GO:1902575': { - 'name': 'protein localization to cell division site involved in cytokinesis, actomyosin contractile ring assembly', - 'def': 'Any protein localization to cell division site that is involved in cytokinesis, actomyosin contractile ring assembly. [GOC:al, GOC:TermGenie, PMID:24127216]' - }, - 'GO:1902576': { - 'name': 'negative regulation of nuclear cell cycle DNA replication', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nuclear cell cycle DNA replication. [GOC:TermGenie, PMID:19033384]' - }, - 'GO:1902577': { - 'name': 'protein localization to medial cortical node', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a medial cortical node. [GOC:TermGenie, PMID:24127216]' - }, - 'GO:1902578': { - 'name': 'single-organism localization', - 'def': 'A localization which involves only one organism. [GO_REF:0000089, GOC:jl, PMID:1234]' - }, - 'GO:1902579': { - 'name': 'multi-organism localization', - 'def': 'A localization which involves another organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902580': { - 'name': 'single-organism cellular localization', - 'def': 'A cellular localization which involves only one organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902581': { - 'name': 'multi-organism cellular localization', - 'def': 'A cellular localization which involves another organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902582': { - 'name': 'single-organism intracellular transport', - 'def': 'An intracellular transport which involves only one organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902583': { - 'name': 'multi-organism intracellular transport', - 'def': 'An intracellular transport which involves another organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902584': { - 'name': 'positive regulation of response to water deprivation', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to water deprivation. [GO_REF:0000058, GOC:TermGenie, PMID:24198318]' - }, - 'GO:1902585': { - 'name': 'single-organism intercellular transport', - 'def': 'An intercellular transport which involves only one organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902586': { - 'name': 'multi-organism intercellular transport', - 'def': 'An intercellular transport which involves another organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902587': { - 'name': 'single-organism plasmodesmata-mediated intercellular transport', - 'def': 'A plasmodesmata-mediated intercellular transport which involves only one organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902588': { - 'name': 'multi-organism plasmodesmata-mediated intercellular transport', - 'def': 'A plasmodesmata-mediated intercellular transport which involves another organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902589': { - 'name': 'single-organism organelle organization', - 'def': 'An organelle organization which involves only one organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902590': { - 'name': 'multi-organism organelle organization', - 'def': 'An organelle organization which involves another organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902591': { - 'name': 'single-organism membrane budding', - 'def': 'A membrane budding which involves only one organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902592': { - 'name': 'multi-organism membrane budding', - 'def': 'A membrane budding which involves another organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902593': { - 'name': 'single-organism nuclear import', - 'def': 'A nuclear import which involves only one organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902594': { - 'name': 'multi-organism nuclear import', - 'def': 'A nuclear import which involves another organism. [GO_REF:0000089, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902595': { - 'name': 'regulation of DNA replication origin binding', - 'def': 'Any process that modulates the frequency, rate or extent of DNA replication origin binding. [GO_REF:0000059, GOC:TermGenie, PMID:11850415]' - }, - 'GO:1902596': { - 'name': 'negative regulation of DNA replication origin binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA replication origin binding. [GO_REF:0000059, GOC:TermGenie, PMID:11850415]' - }, - 'GO:1902597': { - 'name': 'positive regulation of DNA replication origin binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA replication origin binding. [GO_REF:0000059, GOC:TermGenie, PMID:11850415]' - }, - 'GO:1902598': { - 'name': 'creatine transmembrane transport', - 'def': 'The directed movement of creatine across a membrane. [GO_REF:0000069, GOC:pr, GOC:TermGenie]' - }, - 'GO:1902599': { - 'name': 'sulfathiazole transmembrane transport', - 'def': 'The directed movement of sulfathiazole across a membrane. [GO_REF:0000069, GOC:pr, GOC:TermGenie]' - }, - 'GO:1902600': { - 'name': 'hydrogen ion transmembrane transport', - 'def': 'The directed movement of hydrogen ion (proton) across a membrane. [GO_REF:0000069, GOC:pr, GOC:TermGenie]' - }, - 'GO:1902601': { - 'name': 'silver ion transmembrane transport', - 'def': 'The directed movement of silver ion across a membrane. [GO_REF:0000069, GOC:pr, GOC:TermGenie]' - }, - 'GO:1902602': { - 'name': 'aluminum ion transmembrane transport', - 'def': 'The directed movement of aluminium ion across a membrane. [GO_REF:0000069, GOC:pr, GOC:TermGenie]' - }, - 'GO:1902603': { - 'name': 'carnitine transmembrane transport', - 'def': 'The directed movement of carnitine across a membrane. [GO_REF:0000069, GOC:pr, GOC:TermGenie]' - }, - 'GO:1902604': { - 'name': 'p-aminobenzoyl-glutamate transmembrane transport', - 'def': 'The directed movement of N-(4-aminobenzoyl)-L-glutamate across a membrane. [GO_REF:0000069, GOC:pr, GOC:TermGenie]' - }, - 'GO:1902605': { - 'name': 'heterotrimeric G-protein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a heterotrimeric G-protein complex. [GO_REF:0000079, GOC:dph, GOC:TermGenie, PMID:23637185]' - }, - 'GO:1902606': { - 'name': 'regulation of large conductance calcium-activated potassium channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of large conductance calcium-activated potassium channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:23407708]' - }, - 'GO:1902607': { - 'name': 'negative regulation of large conductance calcium-activated potassium channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of large conductance calcium-activated potassium channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:23407708]' - }, - 'GO:1902608': { - 'name': 'positive regulation of large conductance calcium-activated potassium channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of large conductance calcium-activated potassium channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:23407708]' - }, - 'GO:1902609': { - 'name': '(R)-2-hydroxy-alpha-linolenic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of (R)-2-hydroxy-alpha-linolenic acid. [GO_REF:0000068, GOC:TermGenie, PMID:24214535]' - }, - 'GO:1902610': { - 'name': 'response to N-phenylthiourea', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a N-phenylthiourea stimulus. [GO_REF:0000071, GOC:rjd, GOC:TermGenie, PMID:24006265]' - }, - 'GO:1902611': { - 'name': 'cellular response to N-phenylthiourea', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a N-phenylthiourea stimulus. [GO_REF:0000071, GOC:rjd, GOC:TermGenie, PMID:24006265]' - }, - 'GO:1902612': { - 'name': 'regulation of anti-Mullerian hormone signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of anti-Mullerian hormone signaling pathway. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:23624077]' - }, - 'GO:1902613': { - 'name': 'negative regulation of anti-Mullerian hormone signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anti-Mullerian hormone signaling pathway. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:23624077]' - }, - 'GO:1902614': { - 'name': 'positive regulation of anti-Mullerian hormone signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of anti-Mullerian hormone signaling pathway. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:23624077]' - }, - 'GO:1902615': { - 'name': 'immune response involved in response to exogenous dsRNA', - 'def': 'Any immune response that is involved in response to exogenous dsRNA. [GO_REF:0000060, GOC:pg, GOC:TermGenie, PMID:21266579]' - }, - 'GO:1902616': { - 'name': 'acyl carnitine transmembrane transport', - 'def': 'The directed movement of acyl carnitine across a membrane. [GO_REF:0000069, GOC:pr, GOC:TermGenie]' - }, - 'GO:1902617': { - 'name': 'response to fluoride', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fluoride stimulus. [GO_REF:0000071, GOC:kmv, GOC:TermGenie, PMID:8138152]' - }, - 'GO:1902618': { - 'name': 'cellular response to fluoride', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a fluoride stimulus. [GO_REF:0000071, GOC:kmv, GOC:TermGenie, PMID:8138152]' - }, - 'GO:1902619': { - 'name': 'regulation of microtubule minus-end binding', - 'def': 'Any process that modulates the frequency, rate or extent of microtubule minus-end binding. [GO_REF:0000059, GOC:di, GOC:TermGenie, PMID:22939623]' - }, - 'GO:1902620': { - 'name': 'positive regulation of microtubule minus-end binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of microtubule minus-end binding. [GO_REF:0000059, GOC:di, GOC:TermGenie, PMID:22939623]' - }, - 'GO:1902621': { - 'name': 'actomyosin contractile ring disassembly', - 'def': 'The disaggregation of an actomyosin contractile ring into its constituent components. [GO_REF:0000079, GOC:TermGenie, PMID:14602073, PMID:22891673]' - }, - 'GO:1902622': { - 'name': 'regulation of neutrophil migration', - 'def': 'Any process that modulates the frequency, rate or extent of neutrophil migration. [GO_REF:0000058, GOC:TermGenie, PMID:1826836]' - }, - 'GO:1902623': { - 'name': 'negative regulation of neutrophil migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neutrophil migration. [GO_REF:0000058, GOC:TermGenie, PMID:1826836]' - }, - 'GO:1902624': { - 'name': 'positive regulation of neutrophil migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of neutrophil migration. [GO_REF:0000058, GOC:TermGenie, PMID:1826836]' - }, - 'GO:1902625': { - 'name': 'negative regulation of induction of conjugation with cellular fusion by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter that results in negative regulation of induction of conjugation with cellular fusion. [GO_REF:0000063, GOC:TermGenie, PMID:9671458]' - }, - 'GO:1902626': { - 'name': 'assembly of large subunit precursor of preribosome', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the large subunit precursor of the preribosome. [GO_REF:0000079, GOC:di, GOC:TermGenie, PMID:22735702]' - }, - 'GO:1902627': { - 'name': 'regulation of assembly of large subunit precursor of preribosome', - 'def': 'Any process that modulates the frequency, rate or extent of assembly of a large subunit precursor of preribosome. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22735702]' - }, - 'GO:1902628': { - 'name': 'positive regulation of assembly of large subunit precursor of preribosome', - 'def': 'Any process that activates or increases the frequency, rate or extent of assembly of a large subunit precursor of preribosome. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22735702]' - }, - 'GO:1902629': { - 'name': 'regulation of mRNA stability involved in cellular response to UV', - 'def': 'Any regulation of mRNA stability that is involved in cellular response to UV. [GO_REF:0000060, GOC:TermGenie, PMID:10954610]' - }, - 'GO:1902630': { - 'name': 'regulation of membrane hyperpolarization', - 'def': 'Any process that modulates the frequency, rate or extent of membrane hyperpolarization. [GO_REF:0000058, GOC:TermGenie, PMID:23223304]' - }, - 'GO:1902631': { - 'name': 'negative regulation of membrane hyperpolarization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of membrane hyperpolarization. [GO_REF:0000058, GOC:TermGenie, PMID:23223304]' - }, - 'GO:1902632': { - 'name': 'positive regulation of membrane hyperpolarization', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane hyperpolarization. [GO_REF:0000058, GOC:TermGenie, PMID:23223304]' - }, - 'GO:1902633': { - 'name': '1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate. [GO_REF:0000068, GOC:di, GOC:TermGenie, PMID:22562153]' - }, - 'GO:1902634': { - 'name': '1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate. [GO_REF:0000068, GOC:di, GOC:TermGenie, PMID:22562153]' - }, - 'GO:1902635': { - 'name': '1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate. [GO_REF:0000068, GOC:di, GOC:TermGenie, PMID:22562153]' - }, - 'GO:1902636': { - 'name': 'kinociliary basal body', - 'def': 'A ciliary basal body that is part of a kinocilium. [GO_REF:0000064, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:15855039, PMID:15882574]' - }, - 'GO:1902637': { - 'name': 'neural crest cell differentiation involved in thymus development', - 'def': 'Any neural crest cell differentiation that is involved in thymus development. [GO_REF:0000060, GOC:nhn, GOC:TermGenie, PMID:15741317, PMID:18292542]' - }, - 'GO:1902638': { - 'name': 'neural crest cell differentiation involved in parathyroid gland development', - 'def': 'Any neural crest cell differentiation that is involved in parathyroid gland development. [GO_REF:0000060, GOC:nhn, GOC:TermGenie, PMID:15741317]' - }, - 'GO:1902639': { - 'name': 'propan-2-ol metabolic process', - 'def': 'The chemical reactions and pathways involving propan-2-ol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:16346237]' - }, - 'GO:1902640': { - 'name': 'propan-2-ol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of propan-2-ol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:16346237]' - }, - 'GO:1902641': { - 'name': 'regulation of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate catabolic process. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22562153]' - }, - 'GO:1902642': { - 'name': 'negative regulation of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate catabolic process. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22562153]' - }, - 'GO:1902643': { - 'name': 'positive regulation of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate catabolic process. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22562153]' - }, - 'GO:1902644': { - 'name': 'tertiary alcohol metabolic process', - 'def': 'The chemical reactions and pathways involving tertiary alcohol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:11288200]' - }, - 'GO:1902645': { - 'name': 'tertiary alcohol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of tertiary alcohol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:11288200]' - }, - 'GO:1902646': { - 'name': 'regulation of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate biosynthetic process. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22562153]' - }, - 'GO:1902647': { - 'name': 'negative regulation of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate biosynthetic process. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22562153]' - }, - 'GO:1902648': { - 'name': 'positive regulation of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of 1-phosphatidyl-1D-myo-inositol 4,5-bisphosphate biosynthetic process. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22562153]' - }, - 'GO:1902649': { - 'name': 'regulation of histone H2A-H2B dimer displacement', - 'def': 'Any process that modulates the frequency, rate or extent of histone H2A-H2B dimer displacement. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22199252]' - }, - 'GO:1902650': { - 'name': 'negative regulation of histone H2A-H2B dimer displacement', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H2A-H2B dimer displacement. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22199252]' - }, - 'GO:1902651': { - 'name': 'positive regulation of histone H2A-H2B dimer displacement', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H2A-H2B dimer displacement. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:22199252]' - }, - 'GO:1902652': { - 'name': 'secondary alcohol metabolic process', - 'def': 'The chemical reactions and pathways involving secondary alcohol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:11288200]' - }, - 'GO:1902653': { - 'name': 'secondary alcohol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of secondary alcohol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:11288200]' - }, - 'GO:1902654': { - 'name': 'aromatic primary alcohol metabolic process', - 'def': 'The chemical reactions and pathways involving aromatic primary alcohol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:19219878]' - }, - 'GO:1902655': { - 'name': 'aromatic primary alcohol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of aromatic primary alcohol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:19219878]' - }, - 'GO:1902656': { - 'name': 'calcium ion import into cytosol', - 'def': 'The directed movement of calcium ion into a cytosol. [GO_REF:0000075, GOC:TermGenie, GOC:vw]' - }, - 'GO:1902657': { - 'name': 'protein localization to prospore membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a prospore membrane. [GO_REF:0000087, GOC:dph, GOC:TermGenie, PMID:24036347]' - }, - 'GO:1902658': { - 'name': 'establishment of protein localization to prospore membrane', - 'def': 'The directed movement of a protein to a specific location in a prospore membrane. [GO_REF:0000087, GOC:dph, GOC:TermGenie, PMID:24036347]' - }, - 'GO:1902659': { - 'name': 'regulation of glucose mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of glucose mediated signaling pathway. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:24277933]' - }, - 'GO:1902660': { - 'name': 'negative regulation of glucose mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucose mediated signaling pathway. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:24277933]' - }, - 'GO:1902661': { - 'name': 'positive regulation of glucose mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucose mediated signaling pathway. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:24277933]' - }, - 'GO:1902662': { - 'name': 'regulation of peptidyl-L-cysteine S-palmitoylation', - 'def': 'Any process that modulates the frequency, rate or extent of peptidyl-L-cysteine S-palmitoylation. [GO_REF:0000058, GOC:TermGenie, PMID:23444136]' - }, - 'GO:1902663': { - 'name': 'negative regulation of peptidyl-L-cysteine S-palmitoylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of peptidyl-L-cysteine S-palmitoylation. [GO_REF:0000058, GOC:TermGenie, PMID:23444136]' - }, - 'GO:1902664': { - 'name': 'positive regulation of peptidyl-L-cysteine S-palmitoylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of peptidyl-L-cysteine S-palmitoylation. [GO_REF:0000058, GOC:TermGenie, PMID:23444136]' - }, - 'GO:1902665': { - 'name': 'response to isobutanol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an isobutanol stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:24014527]' - }, - 'GO:1902666': { - 'name': 'protein localization to Mmi1 nuclear focus complex', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a Mmi1 nuclear focus complex. [GO_REF:0000087, GOC:TermGenie, PMID:23980030]' - }, - 'GO:1902667': { - 'name': 'regulation of axon guidance', - 'def': 'Any process that modulates the frequency, rate or extent of axon guidance. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:23006775]' - }, - 'GO:1902668': { - 'name': 'negative regulation of axon guidance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of axon guidance. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:23006775]' - }, - 'GO:1902669': { - 'name': 'positive regulation of axon guidance', - 'def': 'Any process that activates or increases the frequency, rate or extent of axon guidance. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:23006775]' - }, - 'GO:1902670': { - 'name': 'carbon dioxide binding', - 'def': 'Interacting selectively and non-covalently with carbon dioxide. [GO_REF:0000067, GOC:bhm, GOC:TermGenie, PMID:15491402]' - }, - 'GO:1902671': { - 'name': 'left anterior basal body', - 'def': 'Any ciliary basal body that is part of a left anterior flagellum found in Giardia species (trophozoite stage). [GO_REF:0000064, GOC:giardia, GOC:TermGenie, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:1902672': { - 'name': 'right anterior basal body', - 'def': 'Any ciliary basal body that is part of a right anterior flagellum found in Giardia species (trophozoite stage). [GO_REF:0000064, GOC:giardia, GOC:TermGenie, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:1902673': { - 'name': 'left posteriolateral basal body', - 'def': 'Any ciliary basal body that is part of a left posteriolateral flagellum found in Giardia species (trophozoite stage). [GO_REF:0000064, GOC:giardia, GOC:TermGenie, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:1902674': { - 'name': 'right posteriolateral basal body', - 'def': 'Any ciliary basal body that is part of a right posteriolateral flagellum found in Giardia species (trophozoite stage). [GO_REF:0000064, GOC:giardia, GOC:TermGenie, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:1902675': { - 'name': 'left ventral basal body', - 'def': 'Any ciliary basal body that is part of a left ventral flagellum found in Giardia species (trophozoite stage). [GO_REF:0000064, GOC:giardia, GOC:TermGenie, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:1902676': { - 'name': 'right ventral basal body', - 'def': 'Any ciliary basal body that is part of a right ventral flagellum found in Giardia species (trophozoite stage). [GO_REF:0000064, GOC:giardia, GOC:TermGenie, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:1902677': { - 'name': 'left caudal basal body', - 'def': 'Any ciliary basal body that is part of a left caudal flagellum found in Giardia species (trophozoite stage). [GO_REF:0000064, GOC:giardia, GOC:TermGenie, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:1902678': { - 'name': 'right caudal basal body', - 'def': 'Any ciliary basal body that is part of a right caudal flagellum found in Giardia species (trophozoite stage). [GO_REF:0000064, GOC:giardia, GOC:TermGenie, ISBN:9780124260207, PMID:16607022, PMID:5961344]' - }, - 'GO:1902679': { - 'name': 'negative regulation of RNA biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of RNA biosynthetic process. [GO:jl, GO_REF:0000058, GOC:TermGenie]' - }, - 'GO:1902680': { - 'name': 'positive regulation of RNA biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of RNA biosynthetic process. [GO:jl, GO_REF:0000058, GOC:TermGenie]' - }, - 'GO:1902681': { - 'name': 'regulation of replication fork arrest at rDNA repeats', - 'def': 'Any process that modulates the frequency, rate or extent of replication fork arrest at rDNA repeats. [GO_REF:0000058, GOC:TermGenie, PMID:23260662]' - }, - 'GO:1902682': { - 'name': 'protein localization to nuclear pericentric heterochromatin', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a nuclear pericentric heterochromatin. [GO_REF:0000087, GOC:TermGenie, PMID:20211136]' - }, - 'GO:1902683': { - 'name': 'regulation of receptor localization to synapse', - 'def': 'Any process that modulates the frequency, rate or extent of receptor localization to synapse. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:22252129]' - }, - 'GO:1902684': { - 'name': 'negative regulation of receptor localization to synapse', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of receptor localization to synapse. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:22252129]' - }, - 'GO:1902685': { - 'name': 'positive regulation of receptor localization to synapse', - 'def': 'Any process that activates or increases the frequency, rate or extent of receptor localization to synapse. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:22252129]' - }, - 'GO:1902686': { - 'name': 'mitochondrial outer membrane permeabilization involved in programmed cell death', - 'def': 'The process by which the mitochondrial outer membrane becomes permeable to the passing of proteins and other molecules from the intermembrane space to the cytosol as part of a programmed cell death process. [GO_REF:0000060, GOC:mtg_apoptosis, GOC:pg, GOC:TermGenie, PMID:20151314]' - }, - 'GO:1902687': { - 'name': 'glucosidase complex', - 'def': 'A protein complex which is capable of glucosidase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:23826932]' - }, - 'GO:1902688': { - 'name': 'regulation of NAD metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of NAD metabolic process. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:19846558]' - }, - 'GO:1902689': { - 'name': 'negative regulation of NAD metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of NAD metabolic process. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:19846558]' - }, - 'GO:1902690': { - 'name': 'positive regulation of NAD metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of NAD metabolic process. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:19846558]' - }, - 'GO:1902691': { - 'name': 'respiratory basal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a respiratory basal cell. [GO_REF:0000086, GOC:TermGenie, MP:0011114, PMID:17909629]' - }, - 'GO:1902692': { - 'name': 'regulation of neuroblast proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of neuroblast proliferation. [GO_REF:0000058, GOC:PARL, GOC:rl, GOC:TermGenie, PMID:21168496]' - }, - 'GO:1902693': { - 'name': 'superoxide dismutase complex', - 'def': 'A protein complex which is capable of superoxide dismutase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:10026301]' - }, - 'GO:1902694': { - 'name': 'superoxide dismutase copper chaperone complex', - 'def': 'A protein complex which is capable of superoxide dismutase copper chaperone activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:10426947]' - }, - 'GO:1902695': { - 'name': 'metallochaperone complex', - 'def': 'A protein complex which is capable of metallochaperone activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:10426947]' - }, - 'GO:1902696': { - 'name': 'glycine catabolic process to isobutanol', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glycine to isobutanol. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:23642236]' - }, - 'GO:1902697': { - 'name': 'valine catabolic process to isobutanol', - 'def': 'The chemical reactions and pathways resulting in the breakdown of valine to isobutanol. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:9748245]' - }, - 'GO:1902698': { - 'name': 'pentose catabolic process to butyrate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pentose to butyrate. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902699': { - 'name': 'pentose catabolic process to acetate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pentose to acetate. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902700': { - 'name': 'pentose catabolic process to butan-1-ol', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pentose to butan-1-ol. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902701': { - 'name': 'pentose catabolic process to propan-2-ol', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pentose to propan-2-ol. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902702': { - 'name': 'hexose catabolic process to propan-2-ol', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hexose to propan-2-ol. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902703': { - 'name': 'hexose catabolic process to butan-1-ol', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hexose to butan-1-ol. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902704': { - 'name': 'hexose catabolic process to acetone', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hexose to acetone. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902705': { - 'name': 'hexose catabolic process to butyrate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hexose to butyrate. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902706': { - 'name': 'hexose catabolic process to acetate', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hexose to acetate. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902707': { - 'name': 'hexose catabolic process to ethanol', - 'def': 'The chemical reactions and pathways resulting in the breakdown of hexose to ethanol. [GO_REF:0000093, GOC:mengo_curators, GOC:TermGenie, PMID:18727018, PMID:19539744]' - }, - 'GO:1902708': { - 'name': 'response to plumbagin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a plumbagin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23028742]' - }, - 'GO:1902709': { - 'name': 'cellular response to plumbagin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a plumbagin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23028742]' - }, - 'GO:1902710': { - 'name': 'GABA receptor complex', - 'def': 'A protein complex which is capable of GABA receptor activity. Upon binding of gamma-aminobutyric acid (GABA) it transmits the signal from one side of the membrane to the other to initiate a change in cell activity. Major inhibitory receptor in vertebrate brain. Also found in other vertebrate tissues, invertebrates and possibly in plants. Effective benzodiazepine receptor. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:18790874]' - }, - 'GO:1902711': { - 'name': 'GABA-A receptor complex', - 'def': 'A protein complex which is capable of GABA-A receptor activity. In human, it is usually composed of either two alpha, two beta and one gamma chain of the GABA-A receptor subunits or 5 chains of the GABA-A receptor subunits rho1-3 (formally known as GABA-C receptor). [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:18790874]' - }, - 'GO:1902712': { - 'name': 'G-protein coupled GABA receptor complex', - 'def': 'A protein complex which is capable of G-protein coupled GABA receptor activity. In human, it is usually a heterodimer composed of GABA-B receptor subunits 1 and 2. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:18790874]' - }, - 'GO:1902713': { - 'name': 'regulation of interferon-gamma secretion', - 'def': 'Any process that modulates the frequency, rate or extent of interferon-gamma secretion. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:19109405]' - }, - 'GO:1902714': { - 'name': 'negative regulation of interferon-gamma secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interferon-gamma secretion. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:19109405]' - }, - 'GO:1902715': { - 'name': 'positive regulation of interferon-gamma secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interferon-gamma secretion. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:19109405]' - }, - 'GO:1902716': { - 'name': 'cell cortex of growing cell tip', - 'def': 'Any cell cortex that is part of a growing cell tip. [GO_REF:0000064, GOC:TermGenie, PMID:24146635]' - }, - 'GO:1902717': { - 'name': 'obsolete sequestering of iron ion', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of sequestering of iron ion. [GO_REF:0000058, GOC:TermGenie, PMID:3099306]' - }, - 'GO:1902718': { - 'name': 'obsolete sequestering of copper ion', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of sequestering of copper ion. [GO_REF:0000058, GOC:TermGenie, PMID:3099306]' - }, - 'GO:1902719': { - 'name': 'obsolete extracellular sequestering of copper ion', - 'def': 'OBSOLETE. The process of binding or confining copper ions in an extracellular area such that they are separated from other components of a biological system. [GO_REF:0000058, GOC:TermGenie, PMID:3099306]' - }, - 'GO:1902720': { - 'name': 'obsolete intracellular sequestering of copper ion', - 'def': 'OBSOLETE. The process of binding or confining copper ions in an intracellular area such that they are separated from other components of a biological system. [GO_REF:0000058, GOC:TermGenie, PMID:3099306]' - }, - 'GO:1902721': { - 'name': 'negative regulation of prolactin secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of prolactin secretion. [GO_REF:0000058, GOC:TermGenie, PMID:16159377]' - }, - 'GO:1902722': { - 'name': 'positive regulation of prolactin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of prolactin secretion. [GO_REF:0000058, GOC:TermGenie, PMID:16159377]' - }, - 'GO:1902723': { - 'name': 'negative regulation of skeletal muscle satellite cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of satellite cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902724': { - 'name': 'positive regulation of skeletal muscle satellite cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of skeletal muscle satellite cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902725': { - 'name': 'negative regulation of satellite cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of satellite cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902726': { - 'name': 'positive regulation of skeletal muscle satellite cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of satellite cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902727': { - 'name': 'negative regulation of growth factor dependent skeletal muscle satellite cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of satellite cell proliferation; dependent on specific growth factor activity such as fibroblast growth factors and transforming growth factor beta. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902728': { - 'name': 'positive regulation of growth factor dependent skeletal muscle satellite cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of satellite cell proliferation; dependent on specific growth factor activity such as fibroblast growth factors and transforming growth factor beta. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902729': { - 'name': 'negative regulation of proteoglycan biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of proteoglycans, any glycoprotein in which the carbohydrate units are glycosaminoglycans. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902730': { - 'name': 'positive regulation of proteoglycan biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of the chemical reactions and pathways resulting in the formation of proteoglycans, any glycoprotein in which the carbohydrate units are glycosaminoglycans. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902731': { - 'name': 'negative regulation of chondrocyte proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of the multiplication or reproduction of chondrocytes by cell division, resulting in the expansion of their population. A chondrocyte is a polymorphic cell that forms cartilage. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902732': { - 'name': 'positive regulation of chondrocyte proliferation', - 'def': 'Any process that increases the frequency, rate or extent of the multiplication or reproduction of chondrocytes by cell division, resulting in the expansion of their population. A chondrocyte is a polymorphic cell that forms cartilage. [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902733': { - 'name': 'regulation of growth plate cartilage chondrocyte differentiation', - 'def': 'Any process that modulates the rate, frequency, or extent of the process in which a chondroblast acquires specialized structural and/or functional features of a chondrocyte that will contribute to the growth of a bone. A chondrocyte is a polymorphic cell that forms cartilage [GO_REF:0000058, GOC:TermGenie, PMID:23212449]' - }, - 'GO:1902734': { - 'name': 'regulation of receptor-mediated virion attachment to host cell', - 'def': 'Any process that modulates the frequency, rate or extent of receptor-mediated virion attachment to host cell. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18385238]' - }, - 'GO:1902735': { - 'name': 'negative regulation of receptor-mediated virion attachment to host cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of receptor-mediated virion attachment to host cell. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18385238]' - }, - 'GO:1902736': { - 'name': 'positive regulation of receptor-mediated virion attachment to host cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of receptor-mediated virion attachment to host cell. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18385238]' - }, - 'GO:1902737': { - 'name': 'dendritic filopodium', - 'def': 'A small, membranous protrusion found primarily on dendritic stretches of developing neurons. May receive synaptic input, and can develop into dendritic spines. [GO_REF:0000064, GOC:pad, GOC:PARL, GOC:TermGenie, http://en.wikipedia.org/wiki/Dendritic_filopodia, PMID:24464040]' - }, - 'GO:1902738': { - 'name': 'regulation of chondrocyte differentiation involved in endochondral bone morphogenesis', - 'def': 'Any process that modulates the rate, frequency, or extent of the process in which a chondroblast acquires specialized structural and/or functional features of a chondrocyte that will contribute to the development of a bone. A chondrocyte is a polymorphic cell that forms cartilage. [GO_REF:0000058, GOC:TermGenie, PMID:8662546]' - }, - 'GO:1902739': { - 'name': 'regulation of interferon-alpha secretion', - 'def': 'Any process that modulates the frequency, rate or extent of interferon-alpha secretion. [GO_REF:0000058, GOC:TermGenie, PMID:19262501]' - }, - 'GO:1902740': { - 'name': 'negative regulation of interferon-alpha secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interferon-alpha secretion. [GO_REF:0000058, GOC:TermGenie, PMID:19262501]' - }, - 'GO:1902741': { - 'name': 'positive regulation of interferon-alpha secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interferon-alpha secretion. [GO_REF:0000058, GOC:TermGenie, PMID:19262501]' - }, - 'GO:1902742': { - 'name': 'apoptotic process involved in development', - 'def': 'Any apoptotic process that is involved in anatomical structure development. [GO_REF:0000060, GOC:mtg_apoptosis, GOC:pg, GOC:TermGenie]' - }, - 'GO:1902743': { - 'name': 'regulation of lamellipodium organization', - 'def': 'Any process that modulates the frequency, rate or extent of lamellipodium organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:16054028]' - }, - 'GO:1902744': { - 'name': 'negative regulation of lamellipodium organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lamellipodium organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:16054028]' - }, - 'GO:1902745': { - 'name': 'positive regulation of lamellipodium organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of lamellipodium organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:16054028]' - }, - 'GO:1902746': { - 'name': 'regulation of lens fiber cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of lens fiber cell differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:17592637]' - }, - 'GO:1902747': { - 'name': 'negative regulation of lens fiber cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lens fiber cell differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:17592637]' - }, - 'GO:1902748': { - 'name': 'positive regulation of lens fiber cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of lens fiber cell differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:17592637]' - }, - 'GO:1902749': { - 'name': 'regulation of cell cycle G2/M phase transition', - 'def': 'Any process that modulates the frequency, rate or extent of cell cycle G2/M phase transition. [GO_REF:0000058, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902750': { - 'name': 'negative regulation of cell cycle G2/M phase transition', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell cycle G2/M phase transition. [GO_REF:0000058, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902751': { - 'name': 'positive regulation of cell cycle G2/M phase transition', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell cycle G2/M phase transition. [GO_REF:0000058, GOC:jl, GOC:TermGenie]' - }, - 'GO:1902752': { - 'name': 'regulation of renal amino acid absorption', - 'def': 'Any process that modulates the frequency, rate or extent of renal amino acid absorption. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:1526373]' - }, - 'GO:1902753': { - 'name': 'negative regulation of renal amino acid absorption', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of renal amino acid absorption. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:1526373]' - }, - 'GO:1902754': { - 'name': 'positive regulation of renal amino acid absorption', - 'def': 'Any process that activates or increases the frequency, rate or extent of renal amino acid absorption. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:1526373]' - }, - 'GO:1902755': { - 'name': 'sulfurated eukaryotic molybdenum cofactor(2-) metabolic process', - 'def': 'The chemical reactions and pathways involving sulfurated eukaryotic molybdenum cofactor(2-). [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:18258600]' - }, - 'GO:1902756': { - 'name': 'sulfurated eukaryotic molybdenum cofactor(2-) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sulfurated eukaryotic molybdenum cofactor(2-). [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:18258600]' - }, - 'GO:1902757': { - 'name': 'bis(molybdopterin guanine dinucleotide)molybdenum metabolic process', - 'def': 'The chemical reactions and pathways involving bis(molybdopterin guanine dinucleotide)molybdenum. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:23201473]' - }, - 'GO:1902758': { - 'name': 'bis(molybdopterin guanine dinucleotide)molybdenum biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of bis(molybdopterin guanine dinucleotide)molybdenum. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:23201473]' - }, - 'GO:1902759': { - 'name': 'Mo(VI)-molybdopterin cytosine dinucleotide metabolic process', - 'def': 'The chemical reactions and pathways involving Mo(VI)-molybdopterin cytosine dinucleotide. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:23201473]' - }, - 'GO:1902760': { - 'name': 'Mo(VI)-molybdopterin cytosine dinucleotide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of Mo(VI)-molybdopterin cytosine dinucleotide. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:23201473]' - }, - 'GO:1902761': { - 'name': 'positive regulation of chondrocyte development', - 'def': 'Any process that activates or increases the frequency, rate or extent of chondrocyte development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16575901]' - }, - 'GO:1902762': { - 'name': 'regulation of embryonic skeletal joint development', - 'def': 'Any process that modulates the frequency, rate or extent of embryonic skeletal joint development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16575901]' - }, - 'GO:1902763': { - 'name': 'negative regulation of embryonic skeletal joint development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of embryonic skeletal joint development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16575901]' - }, - 'GO:1902764': { - 'name': 'positive regulation of embryonic skeletal joint development', - 'def': 'Any process that activates or increases the frequency, rate or extent of embryonic skeletal joint development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16575901]' - }, - 'GO:1902765': { - 'name': 'L-arginine import into cell', - 'def': 'The directed movement of L-arginine from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GO_REF:0000075, GOC:TermGenie, PMID:10617635]' - }, - 'GO:1902766': { - 'name': 'skeletal muscle satellite cell migration', - 'def': 'The orderly movement of a skeletal muscle satellite cell from one site to another. Migration of these cells is a key step in the process of growth and repair of skeletal muscle cells. [GO_REF:0000091, GOC:mr, GOC:TermGenie, PMID:17996437, PMID:19609936]' - }, - 'GO:1902767': { - 'name': 'isoprenoid biosynthetic process via mevalonate', - 'def': 'The chemical reactions and pathways resulting in the formation of isoprenoid via mevalonate. [GO_REF:0000092, GOC:mengo_curators, GOC:TermGenie, PMID:11078528]' - }, - 'GO:1902768': { - 'name': 'isoprenoid biosynthetic process via 1-deoxy-D-xylulose 5-phosphate', - 'def': 'The chemical reactions and pathways resulting in the formation of isoprenoid via 1-deoxy-D-xylulose 5-phosphate. [GO_REF:0000092, GOC:mengo_curators, GOC:TermGenie, PMID:23746261]' - }, - 'GO:1902769': { - 'name': 'regulation of choline O-acetyltransferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of choline O-acetyltransferase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:7576634]' - }, - 'GO:1902770': { - 'name': 'negative regulation of choline O-acetyltransferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of choline O-acetyltransferase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:7576634]' - }, - 'GO:1902771': { - 'name': 'positive regulation of choline O-acetyltransferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of choline O-acetyltransferase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:7576634]' - }, - 'GO:1902772': { - 'name': 'positive regulation of phosphorelay signal transduction system involved in hydrogen peroxide mediated signaling pathway', - 'def': 'Any positive regulation of phosphorelay signal transduction system that is involved in hydrogen peroxide mediated signaling pathway. [GO_REF:0000060, GOC:TermGenie, PMID:18406331]' - }, - 'GO:1902773': { - 'name': 'GTPase activator complex', - 'def': 'A protein complex which is capable of GTPase activator activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:16449187]' - }, - 'GO:1902774': { - 'name': 'late endosome to lysosome transport', - 'def': 'The directed movement of substances from late endosome to lysosome. [GO_REF:0000076, GOC:TermGenie, PMID:23949442]' - }, - 'GO:1902775': { - 'name': 'mitochondrial large ribosomal subunit assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a mitochondrial large ribosomal subunit. [GO_REF:0000079, GOC:TermGenie, PMID:24206665]' - }, - 'GO:1902776': { - 'name': '6-sulfoquinovose(1-) metabolic process', - 'def': 'The chemical reactions and pathways involving 6-sulfoquinovose(1-). [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:24463506]' - }, - 'GO:1902777': { - 'name': '6-sulfoquinovose(1-) catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 6-sulfoquinovose(1-). [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:24463506]' - }, - 'GO:1902778': { - 'name': 'response to alkane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an alkane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:22958739, PMID:23826995]' - }, - 'GO:1902779': { - 'name': 'cellular response to alkane', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an alkane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:22958739, PMID:23826995]' - }, - 'GO:1902780': { - 'name': 'response to nonane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nonane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:22958739]' - }, - 'GO:1902781': { - 'name': 'cellular response to nonane', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nonane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:22958739]' - }, - 'GO:1902782': { - 'name': 'response to decane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a decane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:23826995]' - }, - 'GO:1902783': { - 'name': 'cellular response to decane', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a decane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:23826995]' - }, - 'GO:1902784': { - 'name': 'response to undecane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an undecane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:23826995]' - }, - 'GO:1902785': { - 'name': 'cellular response to undecane', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an undecane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:23826995]' - }, - 'GO:1902786': { - 'name': 'response to dodecane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dodecane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:23826995]' - }, - 'GO:1902787': { - 'name': 'cellular response to dodecane', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dodecane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:23826995]' - }, - 'GO:1902788': { - 'name': 'response to isooctane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an isooctane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:22328008]' - }, - 'GO:1902789': { - 'name': 'cellular response to isooctane', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an isooctane stimulus. [GO_REF:0000071, GOC:mengo_curators, GOC:TermGenie, PMID:22328008]' - }, - 'GO:1902790': { - 'name': 'undecan-2-one metabolic process', - 'def': 'The chemical reactions and pathways involving undecan-2-one. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:4950559]' - }, - 'GO:1902791': { - 'name': 'undecan-2-one biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of undecan-2-one. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:4950559]' - }, - 'GO:1902792': { - 'name': 'pyrroline-5-carboxylate reductase complex', - 'def': 'A protein complex which is capable of pyrroline-5-carboxylate reductase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:2722838]' - }, - 'GO:1902793': { - 'name': 'glutamate decarboxylase complex', - 'def': 'A protein complex which is capable of glutamate decarboxylase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:17384644]' - }, - 'GO:1902794': { - 'name': 'heterochromatin island assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a heterochromatin island. [GO_REF:0000079, GOC:TermGenie, PMID:24210919]' - }, - 'GO:1902795': { - 'name': 'heterochromatin domain assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a heterochromatin domain. [GO_REF:0000079, GOC:TermGenie, PMID:24210919]' - }, - 'GO:1902796': { - 'name': 'regulation of snoRNA processing', - 'def': 'Any process that modulates the frequency, rate or extent of snoRNA processing. [GO_REF:0000058, GOC:TermGenie, PMID:24210919]' - }, - 'GO:1902797': { - 'name': 'negative regulation of snoRNA processing', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of snoRNA processing. [GO_REF:0000058, GOC:TermGenie, PMID:24210919]' - }, - 'GO:1902798': { - 'name': 'positive regulation of snoRNA processing', - 'def': 'Any process that activates or increases the frequency, rate or extent of snoRNA processing. [GO_REF:0000058, GOC:TermGenie, PMID:24210919]' - }, - 'GO:1902799': { - 'name': 'regulation of phosphodiesterase I activity', - 'def': 'Any process that modulates the frequency, rate or extent of phosphodiesterase I activity. [GO_REF:0000059, GOC:TermGenie, PMID:24559510]' - }, - 'GO:1902800': { - 'name': 'positive regulation of phosphodiesterase I activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphodiesterase I activity. [GO_REF:0000059, GOC:TermGenie, PMID:24559510]' - }, - 'GO:1902801': { - 'name': 'regulation of heterochromatin island assembly', - 'def': 'Any process that modulates the frequency, rate or extent of heterochromatin island assembly. [GO_REF:0000058, GOC:TermGenie, PMID:24210919]' - }, - 'GO:1902802': { - 'name': 'regulation of heterochromatin domain assembly', - 'def': 'Any process that modulates the frequency, rate or extent of heterochromatin domain assembly. [GO_REF:0000058, GOC:TermGenie, PMID:24210919]' - }, - 'GO:1902803': { - 'name': 'regulation of synaptic vesicle transport', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle transport. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:23527112]' - }, - 'GO:1902804': { - 'name': 'negative regulation of synaptic vesicle transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synaptic vesicle transport. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:23527112]' - }, - 'GO:1902805': { - 'name': 'positive regulation of synaptic vesicle transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic vesicle transport. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:23527112]' - }, - 'GO:1902806': { - 'name': 'regulation of cell cycle G1/S phase transition', - 'def': 'Any process that modulates the frequency, rate or extent of cell cycle G1/S phase transition. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902807': { - 'name': 'negative regulation of cell cycle G1/S phase transition', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell cycle G1/S phase transition. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902808': { - 'name': 'positive regulation of cell cycle G1/S phase transition', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell cycle G1/S phase transition. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1902809': { - 'name': 'regulation of skeletal muscle fiber differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle fiber differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:17879321]' - }, - 'GO:1902810': { - 'name': 'negative regulation of skeletal muscle fiber differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of skeletal muscle fiber differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:17879321]' - }, - 'GO:1902811': { - 'name': 'positive regulation of skeletal muscle fiber differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of skeletal muscle fiber differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:17879321]' - }, - 'GO:1902812': { - 'name': 'regulation of BMP signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'Any process that modulates the frequency, rate or extent of BMP signaling pathway involved in determination of lateral mesoderm left/right asymmetry. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:10499580]' - }, - 'GO:1902813': { - 'name': 'negative regulation of BMP signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of BMP signaling pathway involved in determination of lateral mesoderm left/right asymmetry. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:10499580]' - }, - 'GO:1902814': { - 'name': 'positive regulation of BMP signaling pathway involved in determination of lateral mesoderm left/right asymmetry', - 'def': 'Any process that activates or increases the frequency, rate or extent of BMP signaling pathway involved in determination of lateral mesoderm left/right asymmetry. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:10499580]' - }, - 'GO:1902815': { - 'name': "N,N'-diacetylchitobiose import", - 'def': "The directed movement of N,N'-diacetylchitobiose into a cell or organelle. [GO_REF:0000073, GOC:am, GOC:TermGenie, PMID:9405618]" - }, - 'GO:1902816': { - 'name': 'regulation of protein localization to microtubule', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to microtubule. [GO_REF:0000058, GOC:TermGenie, GOC:vw, PMID:23087209]' - }, - 'GO:1902817': { - 'name': 'negative regulation of protein localization to microtubule', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to microtubule. [GO_REF:0000058, GOC:TermGenie, GOC:vw, PMID:23087209]' - }, - 'GO:1902818': { - 'name': 'ethyl acetate metabolic process', - 'def': 'The chemical reactions and pathways involving ethyl acetate. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:16013377]' - }, - 'GO:1902819': { - 'name': 'ethyl acetate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ethyl acetate. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:16013377]' - }, - 'GO:1902820': { - 'name': '1-undecene metabolic process', - 'def': 'The chemical reactions and pathways involving 1-undecene. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:16013377]' - }, - 'GO:1902821': { - 'name': '1-undecene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 1-undecene. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:16013377]' - }, - 'GO:1902822': { - 'name': 'regulation of late endosome to lysosome transport', - 'def': 'Any process that modulates the frequency, rate or extent of late endosome to lysosome transport. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:23949442]' - }, - 'GO:1902823': { - 'name': 'negative regulation of late endosome to lysosome transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of late endosome to lysosome transport. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:23949442]' - }, - 'GO:1902824': { - 'name': 'positive regulation of late endosome to lysosome transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of late endosome to lysosome transport. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:23949442]' - }, - 'GO:1902825': { - 'name': 'proline import into cell', - 'def': 'The directed movement of proline from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GO_REF:0000075, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1902826': { - 'name': 'regulation of L-arginine import into cell', - 'def': 'Any process that modulates the frequency, rate or extent of L-arginine import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1902827': { - 'name': 'negative regulation of L-arginine import into cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-arginine import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1902828': { - 'name': 'positive regulation of L-arginine import into cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-arginine import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1902829': { - 'name': 'regulation of spinal cord association neuron differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of spinal cord association neuron differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21730158]' - }, - 'GO:1902830': { - 'name': 'negative regulation of spinal cord association neuron differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of spinal cord association neuron differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21730158]' - }, - 'GO:1902831': { - 'name': 'positive regulation of spinal cord association neuron differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of spinal cord association neuron differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21730158]' - }, - 'GO:1902832': { - 'name': 'negative regulation of cell proliferation in dorsal spinal cord', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell proliferation in dorsal spinal cord. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21730158]' - }, - 'GO:1902833': { - 'name': 'positive regulation of cell proliferation in dorsal spinal cord', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell proliferation in dorsal spinal cord. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21730158]' - }, - 'GO:1902834': { - 'name': 'regulation of proline import into cell', - 'def': 'Any process that modulates the frequency, rate or extent of proline import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1902835': { - 'name': 'negative regulation of proline import into cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of proline import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1902836': { - 'name': 'positive regulation of proline import into cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of proline import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1902837': { - 'name': 'amino acid import into cell', - 'def': 'The directed movement of amino acids from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GO_REF:0000075, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1902838': { - 'name': 'regulation of nuclear migration along microtubule', - 'def': 'Any process that modulates the frequency, rate or extent of nuclear migration along microtubule. [GO_REF:0000058, GOC:TermGenie, PMID:23087209]' - }, - 'GO:1902839': { - 'name': 'negative regulation of nuclear migration along microtubule', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nuclear migration along microtubule. [GO_REF:0000058, GOC:TermGenie, PMID:23087209]' - }, - 'GO:1902840': { - 'name': 'positive regulation of nuclear migration along microtubule', - 'def': 'Any process that activates or increases the frequency, rate or extent of nuclear migration along microtubule. [GO_REF:0000058, GOC:TermGenie, PMID:23087209]' - }, - 'GO:1902841': { - 'name': 'regulation of netrin-activated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of netrin-activated signaling pathway. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:24004945]' - }, - 'GO:1902842': { - 'name': 'negative regulation of netrin-activated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of netrin-activated signaling pathway. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:24004945]' - }, - 'GO:1902843': { - 'name': 'positive regulation of netrin-activated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of netrin-activated signaling pathway. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:24004945]' - }, - 'GO:1902844': { - 'name': 'positive regulation of spinal cord association neuron differentiation by negative regulation of canonical Wnt signaling pathway', - 'def': 'A negative regulation of canonical Wnt signaling pathway that results in positive regulation of spinal cord association neuron differentiation. [GO_REF:0000063, GOC:mr, GOC:TermGenie, PMID:11262869]' - }, - 'GO:1902845': { - 'name': 'negative regulation of mitotic spindle elongation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic spindle elongation. [GO_REF:0000058, GOC:TermGenie, PMID:23087209]' - }, - 'GO:1902846': { - 'name': 'positive regulation of mitotic spindle elongation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic spindle elongation. [GO_REF:0000058, GOC:TermGenie, PMID:23087209]' - }, - 'GO:1902847': { - 'name': 'regulation of neuronal signal transduction', - 'def': 'Any process that modulates the frequency, rate or extent of neuronal signal transduction. [GO_REF:0000058, GOC:sjp, GOC:TermGenie]' - }, - 'GO:1902848': { - 'name': 'negative regulation of neuronal signal transduction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neuronal signal transduction. [GO_REF:0000058, GOC:sjp, GOC:TermGenie]' - }, - 'GO:1902849': { - 'name': 'positive regulation of neuronal signal transduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuronal signal transduction. [GO_REF:0000058, GOC:sjp, GOC:TermGenie]' - }, - 'GO:1902850': { - 'name': 'microtubule cytoskeleton organization involved in mitosis', - 'def': 'Any microtubule cytoskeleton organization that is involved in mitosis. [GO_REF:0000060, GOC:TermGenie, PMID:18799626]' - }, - 'GO:1902852': { - 'name': 'regulation of nuclear migration during mitotic telophase', - 'def': 'Any process that modulates the frequency, rate or extent of nuclear migration during mitotic telophase. [GO_REF:0000058, GOC:TermGenie, PMID:23087209]' - }, - 'GO:1902853': { - 'name': 'negative regulation of nuclear migration during mitotic telophase', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nuclear migration during mitotic telophase. [GO_REF:0000058, GOC:TermGenie, PMID:23087209]' - }, - 'GO:1902854': { - 'name': 'positive regulation of nuclear migration during mitotic telophase', - 'def': 'Any process that activates or increases the frequency, rate or extent of nuclear migration during mitotic telophase. [GO_REF:0000058, GOC:TermGenie, PMID:23087209]' - }, - 'GO:1902855': { - 'name': 'regulation of non-motile cilium assembly', - 'def': 'Any process that modulates the frequency, rate or extent of non-motile cilium assembly. [GO_REF:0000058, GOC:cilia, GOC:kmv, GOC:TermGenie, PMID:23807208]' - }, - 'GO:1902856': { - 'name': 'negative regulation of non-motile cilium assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of non-motile cilium assembly. [GO_REF:0000058, GOC:cilia, GOC:kmv, GOC:TermGenie, PMID:23807208]' - }, - 'GO:1902857': { - 'name': 'positive regulation of non-motile cilium assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of non-motile cilium assembly. [GO_REF:0000058, GOC:cilia, GOC:kmv, GOC:TermGenie, PMID:23807208]' - }, - 'GO:1902858': { - 'name': 'propionyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving propionyl-CoA. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:15514053]' - }, - 'GO:1902859': { - 'name': 'propionyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of propionyl-CoA. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:15514053]' - }, - 'GO:1902860': { - 'name': 'propionyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of propionyl-CoA. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:15514053]' - }, - 'GO:1902861': { - 'name': 'copper ion import into cell', - 'def': 'The directed movement of copper ions from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GO_REF:0000075, GOC:TermGenie, PMID:12244050]' - }, - 'GO:1902862': { - 'name': 'obsolete glycerol catabolic process to glycerone phosphate', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the breakdown of glycerol to glycerone phosphate. [GO_REF:0000093, GOC:dph, GOC:TermGenie, ISBN:0201090910]' - }, - 'GO:1902863': { - 'name': 'regulation of embryonic camera-type eye development', - 'def': 'Any process that modulates the frequency, rate or extent of embryonic camera-type eye development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902864': { - 'name': 'negative regulation of embryonic camera-type eye development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of embryonic camera-type eye development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902865': { - 'name': 'positive regulation of embryonic camera-type eye development', - 'def': 'Any process that activates or increases the frequency, rate or extent of embryonic camera-type eye development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902866': { - 'name': 'regulation of retina development in camera-type eye', - 'def': 'Any process that modulates the frequency, rate or extent of retina development in camera-type eye. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902867': { - 'name': 'negative regulation of retina development in camera-type eye', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of retina development in camera-type eye. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902868': { - 'name': 'positive regulation of retina development in camera-type eye', - 'def': 'Any process that activates or increases the frequency, rate or extent of retina development in camera-type eye. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902869': { - 'name': 'regulation of amacrine cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of amacrine cell differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902870': { - 'name': 'negative regulation of amacrine cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of amacrine cell differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902871': { - 'name': 'positive regulation of amacrine cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of amacrine cell differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902872': { - 'name': 'regulation of horizontal cell localization', - 'def': 'Any process that modulates the frequency, rate or extent of horizontal cell localization. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902873': { - 'name': 'negative regulation of horizontal cell localization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of horizontal cell localization. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902874': { - 'name': 'positive regulation of horizontal cell localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of horizontal cell localization. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902875': { - 'name': 'regulation of embryonic pattern specification', - 'def': 'Any process that modulates the frequency, rate or extent of embryonic pattern specification. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902876': { - 'name': 'negative regulation of embryonic pattern specification', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of embryonic pattern specification. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902877': { - 'name': 'positive regulation of embryonic pattern specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of embryonic pattern specification. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16872597]' - }, - 'GO:1902878': { - 'name': 'regulation of BMP signaling pathway involved in spinal cord association neuron specification', - 'def': 'Any process that modulates the frequency, rate or extent of BMP signaling pathway involved in spinal cord association neuron specification. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21730158]' - }, - 'GO:1902879': { - 'name': 'negative regulation of BMP signaling pathway involved in spinal cord association neuron specification', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of BMP signaling pathway involved in spinal cord association neuron specification. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21730158]' - }, - 'GO:1902880': { - 'name': 'positive regulation of BMP signaling pathway involved in spinal cord association neuron specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of BMP signaling pathway involved in spinal cord association neuron specification. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21730158]' - }, - 'GO:1902882': { - 'name': 'regulation of response to oxidative stress', - 'def': 'Any process that modulates the frequency, rate or extent of response to oxidative stress. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:16899554]' - }, - 'GO:1902883': { - 'name': 'negative regulation of response to oxidative stress', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to oxidative stress. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:16899554]' - }, - 'GO:1902884': { - 'name': 'positive regulation of response to oxidative stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to oxidative stress. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:16899554]' - }, - 'GO:1902885': { - 'name': 'regulation of proteasome-activating ATPase activity', - 'def': 'Any process that modulates the frequency, rate or extent of proteasome-activating ATPase activity. [GO_REF:0000059, GOC:di, GOC:TermGenie, PMID:23995839]' - }, - 'GO:1902886': { - 'name': 'negative regulation of proteasome-activating ATPase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of proteasome-activating ATPase activity. [GO_REF:0000059, GOC:di, GOC:TermGenie, PMID:23995839]' - }, - 'GO:1902887': { - 'name': 'positive regulation of proteasome-activating ATPase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of proteasome-activating ATPase activity. [GO_REF:0000059, GOC:di, GOC:TermGenie, PMID:23995839]' - }, - 'GO:1902888': { - 'name': 'protein localization to astral microtubule', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an astral microtubule. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, PMID:16054030]' - }, - 'GO:1902889': { - 'name': 'protein localization to spindle microtubule', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a spindle microtubule. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, PMID:16054030]' - }, - 'GO:1902890': { - 'name': 'regulation of root hair elongation', - 'def': 'Any process that modulates the frequency, rate or extent of root hair elongation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22329353]' - }, - 'GO:1902891': { - 'name': 'negative regulation of root hair elongation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of root hair elongation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22329353]' - }, - 'GO:1902892': { - 'name': 'positive regulation of root hair elongation', - 'def': 'Any process that activates or increases the frequency, rate or extent of root hair elongation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22329353]' - }, - 'GO:1902893': { - 'name': 'regulation of pri-miRNA transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of pri-miRNA transcription from RNA polymerase II promoter. [GO_REF:0000058, GOC:dph, GOC:kmv, GOC:TermGenie, PMID:24699545]' - }, - 'GO:1902894': { - 'name': 'negative regulation of pri-miRNA transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pri-miRNA transcription from RNA polymerase II promoter. [GO_REF:0000058, GOC:dph, GOC:kmv, GOC:TermGenie, PMID:24699545]' - }, - 'GO:1902895': { - 'name': 'positive regulation of pri-miRNA transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of pri-miRNA transcription from RNA polymerase II promoter. [GO_REF:0000058, GOC:dph, GOC:kmv, GOC:TermGenie, PMID:24699545]' - }, - 'GO:1902896': { - 'name': 'terminal web assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a terminal web. [GO_REF:0000079, GOC:kmv, GOC:TermGenie, pmid:21949650]' - }, - 'GO:1902897': { - 'name': 'regulation of postsynaptic density protein 95 clustering', - 'def': 'Any process that modulates the frequency, rate or extent of postsynaptic density protein 95 clustering. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:10570482]' - }, - 'GO:1902898': { - 'name': 'fatty acid methyl ester metabolic process', - 'def': 'The chemical reactions and pathways involving fatty acid methyl ester. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:16570218]' - }, - 'GO:1902899': { - 'name': 'fatty acid methyl ester biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fatty acid methyl ester. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:16570218]' - }, - 'GO:1902900': { - 'name': 'gut granule assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a gut granule. [GO_REF:0000079, GOC:kmv, GOC:TermGenie, pmid:17202409]' - }, - 'GO:1902901': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in stress response to cadmium ion', - 'def': 'Any positive regulation of transcription from RNA polymerase II promoter that is involved in stress response to cadmium ion. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, pmid:17888400]' - }, - 'GO:1902902': { - 'name': 'negative regulation of autophagosome assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of autophagosome assembly. [GO_REF:0000058, GOC:als, GOC:autophagy, GOC:TermGenie, PMID:21975012]' - }, - 'GO:1902903': { - 'name': 'regulation of supramolecular fiber organization', - 'def': 'Any process that modulates the frequency, rate or extent of supramolecular fiber organization. [GO_REF:0000058, GOC:PARL, GOC:rl, GOC:TermGenie, PMID:23921388]' - }, - 'GO:1902904': { - 'name': 'negative regulation of supramolecular fiber organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fibril organization. [GO_REF:0000058, GOC:PARL, GOC:rl, GOC:TermGenie, PMID:23921388]' - }, - 'GO:1902905': { - 'name': 'positive regulation of supramolecular fiber organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of supramolecular fiber organization. [GO_REF:0000058, GOC:PARL, GOC:rl, GOC:TermGenie, PMID:23921388]' - }, - 'GO:1902906': { - 'name': 'proteasome storage granule assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a proteasome storage granule. [GO_REF:0000079, GOC:di, GOC:TermGenie, PMID:23690178]' - }, - 'GO:1902907': { - 'name': 'proteasome storage granule disassembly', - 'def': 'The disaggregation of a proteasome storage granule into its constituent components. [GO_REF:0000079, GOC:di, GOC:TermGenie, PMID:23690178]' - }, - 'GO:1902908': { - 'name': 'regulation of melanosome transport', - 'def': 'Any process that modulates the frequency, rate or extent of melanosome transport. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23334344]' - }, - 'GO:1902909': { - 'name': 'negative regulation of melanosome transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of melanosome transport. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23334344]' - }, - 'GO:1902910': { - 'name': 'positive regulation of melanosome transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of melanosome transport. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23334344]' - }, - 'GO:1902911': { - 'name': 'protein kinase complex', - 'def': 'A protein complex which is capable of protein kinase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:24606918]' - }, - 'GO:1902912': { - 'name': 'pyruvate kinase complex', - 'def': 'A protein complex which is capable of pyruvate kinase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:24606918]' - }, - 'GO:1902913': { - 'name': 'positive regulation of neuroepithelial cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuroepithelial cell differentiation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:16916506]' - }, - 'GO:1902914': { - 'name': 'regulation of protein polyubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of protein polyubiquitination. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:23645667]' - }, - 'GO:1902915': { - 'name': 'negative regulation of protein polyubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein polyubiquitination. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:23645667]' - }, - 'GO:1902916': { - 'name': 'positive regulation of protein polyubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein polyubiquitination. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:23645667]' - }, - 'GO:1902917': { - 'name': 'positive regulation of mating projection assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of mating projection assembly. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:12455985]' - }, - 'GO:1902918': { - 'name': 'poly(5-hydroxyvalerate) metabolic process', - 'def': 'The chemical reactions and pathways involving poly(5-hydroxyvalerate). [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:21705209]' - }, - 'GO:1902919': { - 'name': 'poly(5-hydroxyvalerate) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(5-hydroxyvalerate). [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:21705209]' - }, - 'GO:1902920': { - 'name': 'poly(hydroxyvalerate) metabolic process', - 'def': 'The chemical reactions and pathways involving poly(hydroxyvalerate). [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:21705209]' - }, - 'GO:1902921': { - 'name': 'poly(hydroxyvalerate) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(hydroxyvalerate). [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:21705209]' - }, - 'GO:1902922': { - 'name': 'poly(3-hydroxyvalerate) metabolic process', - 'def': 'The chemical reactions and pathways involving poly(3-hydroxyvalerate). [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:21705209]' - }, - 'GO:1902923': { - 'name': 'poly(3-hydroxyvalerate) biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(3-hydroxyvalerate). [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:21705209]' - }, - 'GO:1902924': { - 'name': 'poly(hydroxyalkanoate) biosynthetic process from glucose', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(hydroxyalkanoate) from glucose. [GO_REF:0000092, GOC:mengo_curators, GOC:TermGenie, PMID:24425304]' - }, - 'GO:1902925': { - 'name': 'poly(hydroxyalkanoate) biosynthetic process from fatty acid', - 'def': 'The chemical reactions and pathways resulting in the formation of poly(hydroxyalkanoate) from fatty acid. [GO_REF:0000092, GOC:mengo_curators, GOC:TermGenie, PMID:21129764]' - }, - 'GO:1902926': { - 'name': 'inulin metabolic process', - 'def': 'The chemical reactions and pathways involving inulin. [GO_REF:0000068, GOC:TermGenie, PMID:23104410]' - }, - 'GO:1902927': { - 'name': 'inulin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of inulin. [GO_REF:0000068, GOC:TermGenie, PMID:23104410]' - }, - 'GO:1902928': { - 'name': 'inulin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of inulin. [GO_REF:0000068, GOC:TermGenie, PMID:23104410]' - }, - 'GO:1902929': { - 'name': 'plasma membrane of growing cell tip', - 'def': 'Any plasma membrane part that is part of a growing cell tip. [GO_REF:0000064, GOC:TermGenie, PMID:17085965]' - }, - 'GO:1902930': { - 'name': 'regulation of alcohol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of alcohol biosynthetic process. [GO_REF:0000058, GOC:mengo_curators, GOC:TermGenie, PMID:23332010]' - }, - 'GO:1902931': { - 'name': 'negative regulation of alcohol biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of alcohol biosynthetic process. [GO_REF:0000058, GOC:mengo_curators, GOC:TermGenie, PMID:23332010]' - }, - 'GO:1902932': { - 'name': 'positive regulation of alcohol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of alcohol biosynthetic process. [GO_REF:0000058, GOC:mengo_curators, GOC:TermGenie, PMID:23332010]' - }, - 'GO:1902933': { - 'name': 'isopentenol metabolic process', - 'def': 'The chemical reactions and pathways involving isopentenol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:17693564]' - }, - 'GO:1902934': { - 'name': 'isopentenol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of isopentenol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:17693564]' - }, - 'GO:1902935': { - 'name': 'protein localization to septin ring', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a septin ring. [GO_REF:0000087, GOC:TermGenie, PMID:16325501]' - }, - 'GO:1902936': { - 'name': 'phosphatidylinositol bisphosphate binding', - 'def': 'Interacting selectively and non-covalently with phosphatidylinositol bisphosphate. [GO_REF:0000067, GOC:bhm, GOC:TermGenie, PMID:18690034]' - }, - 'GO:1902937': { - 'name': 'inward rectifier potassium channel complex', - 'def': 'A protein complex which is capable of inward rectifier potassium channel activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:16834334]' - }, - 'GO:1902938': { - 'name': 'regulation of intracellular calcium activated chloride channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of intracellular calcium activated chloride channel activity. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:22946059]' - }, - 'GO:1902939': { - 'name': 'negative regulation of intracellular calcium activated chloride channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intracellular calcium activated chloride channel activity. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:22946059]' - }, - 'GO:1902940': { - 'name': 'positive regulation of intracellular calcium activated chloride channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of intracellular calcium activated chloride channel activity. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:22946059]' - }, - 'GO:1902941': { - 'name': 'regulation of voltage-gated chloride channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of voltage-gated chloride channel activity. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:22006324]' - }, - 'GO:1902942': { - 'name': 'negative regulation of voltage-gated chloride channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of voltage-gated chloride channel activity. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:22006324]' - }, - 'GO:1902943': { - 'name': 'positive regulation of voltage-gated chloride channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of voltage-gated chloride channel activity. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:22006324]' - }, - 'GO:1902944': { - 'name': 'aspartic-type endopeptidase activity involved in amyloid precursor protein catabolic process', - 'def': 'Any aspartic-type endopeptidase activity that is involved in amyloid precursor protein catabolic process. [GO_REF:0000061, GOC:sjp, GOC:TermGenie, PMID:10206644, PMID:24577224]' - }, - 'GO:1902945': { - 'name': 'metalloendopeptidase activity involved in amyloid precursor protein catabolic process', - 'def': 'Any metalloendopeptidase activity that is involved in amyloid precursor protein catabolic process. [GO_REF:0000061, GOC:sjp, GOC:TermGenie, PMID:14598310, PMID:17855360]' - }, - 'GO:1902946': { - 'name': 'protein localization to early endosome', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an early endosome. [GO_REF:0000087, GOC:sjp, GOC:TermGenie, PMID:22621900]' - }, - 'GO:1902947': { - 'name': 'regulation of tau-protein kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of tau-protein kinase activity. [GO_REF:0000059, GOC:sjp, GOC:TermGenie, PMID:15897157, PMID:22986780]' - }, - 'GO:1902948': { - 'name': 'negative regulation of tau-protein kinase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tau-protein kinase activity. [GO_REF:0000059, GOC:sjp, GOC:TermGenie, PMID:15897157, PMID:22986780]' - }, - 'GO:1902949': { - 'name': 'positive regulation of tau-protein kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of tau-protein kinase activity. [GO_REF:0000059, GOC:sjp, GOC:TermGenie, PMID:15897157, PMID:22986780]' - }, - 'GO:1902950': { - 'name': 'regulation of dendritic spine maintenance', - 'def': 'Any process that modulates the frequency, rate or extent of dendritic spine maintenance. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:24328732]' - }, - 'GO:1902951': { - 'name': 'negative regulation of dendritic spine maintenance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dendritic spine maintenance. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:24328732]' - }, - 'GO:1902952': { - 'name': 'positive regulation of dendritic spine maintenance', - 'def': 'Any process that activates or increases the frequency, rate or extent of dendritic spine maintenance. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:24328732]' - }, - 'GO:1902953': { - 'name': 'positive regulation of ER to Golgi vesicle-mediated transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of ER to Golgi vesicle-mediated transport. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:17855360]' - }, - 'GO:1902954': { - 'name': 'regulation of early endosome to recycling endosome transport', - 'def': 'Any process that modulates the frequency, rate or extent of early endosome to recycling endosome transport. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:22621900]' - }, - 'GO:1902955': { - 'name': 'positive regulation of early endosome to recycling endosome transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of early endosome to recycling endosome transport. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:22621900]' - }, - 'GO:1902956': { - 'name': 'regulation of mitochondrial electron transport, NADH to ubiquinone', - 'def': 'Any process that modulates the frequency, rate or extent of mitochondrial electron transport, NADH to ubiquinone. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:23530063]' - }, - 'GO:1902957': { - 'name': 'negative regulation of mitochondrial electron transport, NADH to ubiquinone', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitochondrial electron transport, NADH to ubiquinone. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:23530063]' - }, - 'GO:1902958': { - 'name': 'positive regulation of mitochondrial electron transport, NADH to ubiquinone', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitochondrial electron transport, NADH to ubiquinone. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:23530063]' - }, - 'GO:1902959': { - 'name': 'regulation of aspartic-type endopeptidase activity involved in amyloid precursor protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of aspartic-type endopeptidase activity involved in amyloid precursor protein catabolic process. [GO_REF:0000059, GOC:sjp, GOC:TermGenie, PMID:24577224]' - }, - 'GO:1902960': { - 'name': 'negative regulation of aspartic-type endopeptidase activity involved in amyloid precursor protein catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aspartic-type endopeptidase activity involved in amyloid precursor protein catabolic process. [GO_REF:0000059, GOC:sjp, GOC:TermGenie, PMID:24577224]' - }, - 'GO:1902961': { - 'name': 'positive regulation of aspartic-type endopeptidase activity involved in amyloid precursor protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of aspartic-type endopeptidase activity involved in amyloid precursor protein catabolic process. [GO_REF:0000059, GOC:sjp, GOC:TermGenie, PMID:24577224]' - }, - 'GO:1902962': { - 'name': 'regulation of metalloendopeptidase activity involved in amyloid precursor protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of metalloendopeptidase activity involved in amyloid precursor protein catabolic process. [GO_REF:0000059, GOC:sjp, GOC:TermGenie, PMID:18362153]' - }, - 'GO:1902963': { - 'name': 'negative regulation of metalloendopeptidase activity involved in amyloid precursor protein catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metalloendopeptidase activity involved in amyloid precursor protein catabolic process. [GO_REF:0000059, GOC:sjp, GOC:TermGenie, PMID:18362153]' - }, - 'GO:1902964': { - 'name': 'positive regulation of metalloendopeptidase activity involved in amyloid precursor protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of metalloendopeptidase activity involved in amyloid precursor protein catabolic process. [GO_REF:0000059, GOC:sjp, GOC:TermGenie, PMID:18362153]' - }, - 'GO:1902965': { - 'name': 'regulation of protein localization to early endosome', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to early endosome. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:22621900]' - }, - 'GO:1902966': { - 'name': 'positive regulation of protein localization to early endosome', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to early endosome. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:22621900]' - }, - 'GO:1902967': { - 'name': 'protein localization to mitotic spindle midzone', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a mitotic spindle midzone. [GO_REF:0000087, GOC:TermGenie, PMID:16824200]' - }, - 'GO:1902969': { - 'name': 'mitotic DNA replication', - 'def': 'Any nuclear DNA replication that is involved in a mitotic cell cycle. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902970': { - 'name': 'premeiotic DNA replication DNA duplex unwinding', - 'def': 'Any DNA duplex unwinding involved in meiotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902971': { - 'name': 'mitotic DNA replication DNA duplex unwinding', - 'def': 'Any DNA duplex unwinding involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902972': { - 'name': 'premeiotic DNA replication DNA ligation', - 'def': 'Any DNA ligation involved in meiotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902973': { - 'name': 'mitotic DNA replication DNA ligation', - 'def': 'Any DNA ligation involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902974': { - 'name': 'meiotic DNA replication initiation', - 'def': 'Any DNA replication initiation involved in meiotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902975': { - 'name': 'mitotic DNA replication initiation', - 'def': 'Any DNA replication initiation involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902976': { - 'name': 'premeiotic DNA replication preinitiation complex assembly', - 'def': 'Any DNA replication preinitiation complex assembly that is involved in meiotic cell cycle. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902977': { - 'name': 'mitotic DNA replication preinitiation complex assembly', - 'def': 'Any DNA replication preinitiation complex assembly that is involved in mitotic cell cycle. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902978': { - 'name': 'premeiotic DNA replication termination', - 'def': 'Any DNA replication termination involved in meiotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902979': { - 'name': 'mitotic DNA replication termination', - 'def': 'Any DNA replication termination involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902980': { - 'name': 'synthesis of RNA primer involved in premeiotic DNA replication', - 'def': 'Any synthesis of RNA primer involved in meiotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902981': { - 'name': 'synthesis of RNA primer involved in mitotic DNA replication', - 'def': 'Any synthesis of RNA primer involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902982': { - 'name': 'DNA strand elongation involved in premeiotic DNA replication', - 'def': 'Any DNA strand elongation involved in meiotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902983': { - 'name': 'DNA strand elongation involved in mitotic DNA replication', - 'def': 'Any DNA strand elongation involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902984': { - 'name': 'pre-replicative complex assembly involved in premeiotic DNA replication', - 'def': 'Any pre-replicative complex assembly involved in meiotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902985': { - 'name': 'mitotic pre-replicative complex assembly', - 'def': 'Any pre-replicative complex assembly involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902986': { - 'name': 'regulation of lysine biosynthetic process via aminoadipic acid', - 'def': 'Any process that modulates the frequency, rate or extent of lysine biosynthetic process via aminoadipic acid. [GO_REF:0000058, GOC:TermGenie, PMID:8590464]' - }, - 'GO:1902987': { - 'name': 'negative regulation of lysine biosynthetic process via aminoadipic acid', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lysine biosynthetic process via aminoadipic acid. [GO_REF:0000058, GOC:TermGenie, PMID:8590464]' - }, - 'GO:1902988': { - 'name': 'neurofibrillary tangle assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a neurofibrillary tangle. [GO_REF:0000079, GOC:sjp, GOC:TermGenie, PMID:15897157, PMID:22986780, PMID:24154541]' - }, - 'GO:1902989': { - 'name': 'meiotic telomere maintenance via semi-conservative replication', - 'def': 'Any telomere maintenance via semi-conservative replication that is involved in meiotic cell cycle. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902990': { - 'name': 'mitotic telomere maintenance via semi-conservative replication', - 'def': 'Any telomere maintenance via semi-conservative replication that is involved in mitotic cell cycle. [GO_REF:0000060, GOC:TermGenie]' - }, - 'GO:1902991': { - 'name': 'regulation of amyloid precursor protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of amyloid precursor protein catabolic process. [GO_REF:0000058, GOC:PARL, GOC:rl, GOC:TermGenie, PMID:24499793]' - }, - 'GO:1902992': { - 'name': 'negative regulation of amyloid precursor protein catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of amyloid precursor protein catabolic process. [GO_REF:0000058, GOC:PARL, GOC:rl, GOC:TermGenie, PMID:24499793]' - }, - 'GO:1902993': { - 'name': 'positive regulation of amyloid precursor protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of amyloid precursor protein catabolic process. [GO_REF:0000058, GOC:PARL, GOC:rl, GOC:TermGenie, PMID:24499793]' - }, - 'GO:1902994': { - 'name': 'regulation of phospholipid efflux', - 'def': 'Any process that modulates the frequency, rate or extent of phospholipid efflux. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:12042316]' - }, - 'GO:1902995': { - 'name': 'positive regulation of phospholipid efflux', - 'def': 'Any process that activates or increases the frequency, rate or extent of phospholipid efflux. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:12042316]' - }, - 'GO:1902996': { - 'name': 'regulation of neurofibrillary tangle assembly', - 'def': 'Any process that modulates the frequency, rate or extent of neurofibrillary tangle assembly. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:15897157]' - }, - 'GO:1902997': { - 'name': 'negative regulation of neurofibrillary tangle assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neurofibrillary tangle assembly. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:15897157]' - }, - 'GO:1902998': { - 'name': 'positive regulation of neurofibrillary tangle assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of neurofibrillary tangle assembly. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:15897157]' - }, - 'GO:1902999': { - 'name': 'negative regulation of phospholipid efflux', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phospholipid efflux. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:12042316]' - }, - 'GO:1903000': { - 'name': 'regulation of lipid transport across blood brain barrier', - 'def': 'Any process that modulates the frequency, rate or extent of lipid transport across blood brain barrier. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:24345162]' - }, - 'GO:1903001': { - 'name': 'negative regulation of lipid transport across blood brain barrier', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lipid transport across blood brain barrier. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:24345162]' - }, - 'GO:1903002': { - 'name': 'positive regulation of lipid transport across blood brain barrier', - 'def': 'Any process that activates or increases the frequency, rate or extent of lipid transport across blood brain barrier. [GO_REF:0000058, GOC:sjp, GOC:TermGenie, PMID:24345162]' - }, - 'GO:1903003': { - 'name': 'positive regulation of protein deubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein deubiquitination. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22970133]' - }, - 'GO:1903004': { - 'name': 'regulation of protein K63-linked deubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of protein K63-linked deubiquitination. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22970133]' - }, - 'GO:1903005': { - 'name': 'negative regulation of protein K63-linked deubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein K63-linked deubiquitination. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22970133]' - }, - 'GO:1903006': { - 'name': 'positive regulation of protein K63-linked deubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein K63-linked deubiquitination. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22970133]' - }, - 'GO:1903007': { - 'name': 'positive regulation of Lys63-specific deubiquitinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of Lys63-specific deubiquitinase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22970133]' - }, - 'GO:1903008': { - 'name': 'organelle disassembly', - 'def': 'The disaggregation of an organelle into its constituent components. [GO_REF:0000079, GOC:TermGenie]' - }, - 'GO:1903009': { - 'name': 'proteasome complex disassembly', - 'def': 'The disaggregation of a proteasome complex into its constituent components. [GO_REF:0000079, GOC:TermGenie]' - }, - 'GO:1903010': { - 'name': 'regulation of bone development', - 'def': 'Any process that modulates the frequency, rate or extent of bone development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:22510437]' - }, - 'GO:1903011': { - 'name': 'negative regulation of bone development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of bone development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:22510437]' - }, - 'GO:1903012': { - 'name': 'positive regulation of bone development', - 'def': 'Any process that activates or increases the frequency, rate or extent of bone development. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:22510437]' - }, - 'GO:1903013': { - 'name': 'response to 1-(3,5-dichloro-2,6-dihydroxy-4-methoxyphenyl)hexan-1-one', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 1-(3,5-dichloro-2,6-dihydroxy-4-methoxyphenyl)hexan-1-one stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22365144]' - }, - 'GO:1903014': { - 'name': 'cellular response to 1-(3,5-dichloro-2,6-dihydroxy-4-methoxyphenyl)hexan-1-one', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 1-(3,5-dichloro-2,6-dihydroxy-4-methoxyphenyl)hexan-1-one stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22365144]' - }, - 'GO:1903015': { - 'name': 'regulation of exo-alpha-sialidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of exo-alpha-sialidase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23544079]' - }, - 'GO:1903016': { - 'name': 'negative regulation of exo-alpha-sialidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of exo-alpha-sialidase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23544079]' - }, - 'GO:1903017': { - 'name': 'positive regulation of exo-alpha-sialidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of exo-alpha-sialidase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23544079]' - }, - 'GO:1903018': { - 'name': 'regulation of glycoprotein metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of glycoprotein metabolic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23544079]' - }, - 'GO:1903019': { - 'name': 'negative regulation of glycoprotein metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glycoprotein metabolic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23544079]' - }, - 'GO:1903020': { - 'name': 'positive regulation of glycoprotein metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycoprotein metabolic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23544079]' - }, - 'GO:1903021': { - 'name': "regulation of phosphodiesterase activity, acting on 3'-phosphoglycolate-terminated DNA strands", - 'def': "Any process that modulates the frequency, rate or extent of phosphodiesterase activity, acting on 3'-phosphoglycolate-terminated DNA strands. [GO_REF:0000059, GOC:rb, GOC:TermGenie, PMID:12192046]" - }, - 'GO:1903022': { - 'name': "positive regulation of phosphodiesterase activity, acting on 3'-phosphoglycolate-terminated DNA strands", - 'def': "Any process that activates or increases the frequency, rate or extent of phosphodiesterase activity, acting on 3'-phosphoglycolate-terminated DNA strands. [GO_REF:0000059, GOC:rb, GOC:TermGenie, PMID:12192046]" - }, - 'GO:1903023': { - 'name': 'regulation of ascospore-type prospore membrane assembly', - 'def': 'Any process that modulates the frequency, rate or extent of ascospore-type prospore membrane assembly. [GO_REF:0000058, GOC:TermGenie, PMID:11405625]' - }, - 'GO:1903024': { - 'name': 'positive regulation of ascospore-type prospore membrane assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of ascospore-type prospore membrane assembly. [GO_REF:0000058, GOC:TermGenie, PMID:11405625]' - }, - 'GO:1903025': { - 'name': 'regulation of RNA polymerase II regulatory region sequence-specific DNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of RNA polymerase II regulatory region sequence-specific DNA binding. [GO_REF:0000059, GOC:dph, GOC:krc, GOC:TermGenie, PMID:20026326]' - }, - 'GO:1903026': { - 'name': 'negative regulation of RNA polymerase II regulatory region sequence-specific DNA binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of RNA polymerase II regulatory region sequence-specific DNA binding. [GO_REF:0000059, GOC:dph, GOC:krc, GOC:TermGenie, PMID:20026326]' - }, - 'GO:1903027': { - 'name': 'regulation of opsonization', - 'def': 'Any process that modulates the frequency, rate or extent of opsonization. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:22333221]' - }, - 'GO:1903028': { - 'name': 'positive regulation of opsonization', - 'def': 'Any process that activates or increases the frequency, rate or extent of opsonization. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:22333221]' - }, - 'GO:1903031': { - 'name': 'regulation of microtubule plus-end binding', - 'def': 'Any process that modulates the frequency, rate or extent of microtubule plus-end binding. [GO_REF:0000059, GOC:hjd, GOC:TermGenie, PMID:16148041]' - }, - 'GO:1903032': { - 'name': 'negative regulation of microtubule plus-end binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of microtubule plus-end binding. [GO_REF:0000059, GOC:hjd, GOC:TermGenie, PMID:16148041]' - }, - 'GO:1903033': { - 'name': 'positive regulation of microtubule plus-end binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of microtubule plus-end binding. [GO_REF:0000059, GOC:hjd, GOC:TermGenie, PMID:16148041]' - }, - 'GO:1903034': { - 'name': 'regulation of response to wounding', - 'def': 'Any process that modulates the frequency, rate or extent of response to wounding. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:19164535]' - }, - 'GO:1903035': { - 'name': 'negative regulation of response to wounding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to wounding. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:19164535]' - }, - 'GO:1903036': { - 'name': 'positive regulation of response to wounding', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to wounding. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:19164535]' - }, - 'GO:1903037': { - 'name': 'regulation of leukocyte cell-cell adhesion', - 'def': 'Any process that modulates the frequency, rate or extent of leukocyte cell-cell adhesion. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21106532]' - }, - 'GO:1903038': { - 'name': 'negative regulation of leukocyte cell-cell adhesion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leukocyte cell-cell adhesion. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21106532]' - }, - 'GO:1903039': { - 'name': 'positive regulation of leukocyte cell-cell adhesion', - 'def': 'Any process that activates or increases the frequency, rate or extent of leukocyte cell-cell adhesion. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21106532]' - }, - 'GO:1903040': { - 'name': 'exon-exon junction complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an exon-exon junction complex. [GO_REF:0000079, GOC:sart, GOC:TermGenie, PMID:17606899]' - }, - 'GO:1903041': { - 'name': 'regulation of chondrocyte hypertrophy', - 'def': 'Any process that modulates the frequency, rate or extent of chondrocyte hypertrophy. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:23928032]' - }, - 'GO:1903042': { - 'name': 'negative regulation of chondrocyte hypertrophy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chondrocyte hypertrophy. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:23928032]' - }, - 'GO:1903043': { - 'name': 'positive regulation of chondrocyte hypertrophy', - 'def': 'Any process that activates or increases the frequency, rate or extent of chondrocyte hypertrophy. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:23928032]' - }, - 'GO:1903044': { - 'name': 'protein localization to membrane raft', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a membrane raft. [GO_REF:0000087, GOC:dl, GOC:TermGenie, PMID:19414744]' - }, - 'GO:1903045': { - 'name': 'neural crest cell migration involved in sympathetic nervous system development', - 'def': 'Any neural crest cell migration that is involved in sympathetic nervous system development. [GO_REF:0000060, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19325129]' - }, - 'GO:1903046': { - 'name': 'meiotic cell cycle process', - 'def': 'A process that is part of the meiotic cell cycle. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903047': { - 'name': 'mitotic cell cycle process', - 'def': 'A process that is part of the mitotic cell cycle. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903048': { - 'name': 'regulation of acetylcholine-gated cation channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of acetylcholine-gated cation channel activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21718690]' - }, - 'GO:1903049': { - 'name': 'negative regulation of acetylcholine-gated cation channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of acetylcholine-gated cation channel activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21718690]' - }, - 'GO:1903050': { - 'name': 'regulation of proteolysis involved in cellular protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of proteolysis involved in cellular protein catabolic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18307834]' - }, - 'GO:1903051': { - 'name': 'negative regulation of proteolysis involved in cellular protein catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of proteolysis involved in cellular protein catabolic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18307834]' - }, - 'GO:1903052': { - 'name': 'positive regulation of proteolysis involved in cellular protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of proteolysis involved in cellular protein catabolic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18307834]' - }, - 'GO:1903053': { - 'name': 'regulation of extracellular matrix organization', - 'def': 'Any process that modulates the frequency, rate or extent of extracellular matrix organization. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:22357537]' - }, - 'GO:1903054': { - 'name': 'negative regulation of extracellular matrix organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of extracellular matrix organization. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:22357537]' - }, - 'GO:1903055': { - 'name': 'positive regulation of extracellular matrix organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of extracellular matrix organization. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:22357537]' - }, - 'GO:1903056': { - 'name': 'regulation of melanosome organization', - 'def': 'Any process that modulates the frequency, rate or extent of melanosome organization. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:24769727]' - }, - 'GO:1903057': { - 'name': 'negative regulation of melanosome organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of melanosome organization. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:24769727]' - }, - 'GO:1903058': { - 'name': 'positive regulation of melanosome organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of melanosome organization. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:24769727]' - }, - 'GO:1903059': { - 'name': 'regulation of protein lipidation', - 'def': 'Any process that modulates the frequency, rate or extent of protein lipidation. [GO_REF:0000058, GOC:rph, GOC:TermGenie, PMID:21909394]' - }, - 'GO:1903060': { - 'name': 'negative regulation of protein lipidation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein lipidation. [GO_REF:0000058, GOC:rph, GOC:TermGenie, PMID:21909394]' - }, - 'GO:1903061': { - 'name': 'positive regulation of protein lipidation', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein lipidation. [GO_REF:0000058, GOC:rph, GOC:TermGenie, PMID:21909394]' - }, - 'GO:1903062': { - 'name': 'regulation of reverse cholesterol transport', - 'def': 'Any process that modulates the frequency, rate or extent of reverse cholesterol transport. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23931754]' - }, - 'GO:1903063': { - 'name': 'negative regulation of reverse cholesterol transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of reverse cholesterol transport. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23931754]' - }, - 'GO:1903064': { - 'name': 'positive regulation of reverse cholesterol transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of reverse cholesterol transport. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23931754]' - }, - 'GO:1903065': { - 'name': 'obsolete protein localization to cell tip involved in positive regulation of establishment of cell polarity regulating cell shape', - 'def': 'OBSOLETE. Any protein localization to cell tip that is involved in positive regulation of establishment of cell polarity regulating cell shape. [GO_REF:0000060, GOC:TermGenie, PMID:24554432]' - }, - 'GO:1903066': { - 'name': 'regulation of protein localization to cell tip', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to cell tip. [GO_REF:0000058, GOC:TermGenie, PMID:24554432]' - }, - 'GO:1903067': { - 'name': 'negative regulation of protein localization to cell tip', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to cell tip. [GO_REF:0000058, GOC:TermGenie, PMID:24554432]' - }, - 'GO:1903068': { - 'name': 'positive regulation of protein localization to cell tip', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to cell tip. [GO_REF:0000058, GOC:TermGenie, PMID:24554432]' - }, - 'GO:1903069': { - 'name': 'regulation of ER-associated ubiquitin-dependent protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of ER-associated ubiquitin-dependent protein catabolic process. [GO_REF:0000058, GOC:rph, GOC:TermGenie, PMID:17872946]' - }, - 'GO:1903070': { - 'name': 'negative regulation of ER-associated ubiquitin-dependent protein catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ER-associated ubiquitin-dependent protein catabolic process. [GO_REF:0000058, GOC:rph, GOC:TermGenie, PMID:17872946]' - }, - 'GO:1903071': { - 'name': 'positive regulation of ER-associated ubiquitin-dependent protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ER-associated ubiquitin-dependent protein catabolic process. [GO_REF:0000058, GOC:rph, GOC:TermGenie, PMID:17872946]' - }, - 'GO:1903072': { - 'name': 'regulation of death-inducing signaling complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of death-inducing signaling complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21785459]' - }, - 'GO:1903073': { - 'name': 'negative regulation of death-inducing signaling complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of death-inducing signaling complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21785459]' - }, - 'GO:1903074': { - 'name': 'TRAIL death-inducing signaling complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a TRAIL death-inducing signaling complex. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21785459]' - }, - 'GO:1903075': { - 'name': 'pyridoxine import into cell', - 'def': 'The directed movement of pyridoxine from outside of a cell into the intracellular region of a cell. [GO_REF:0000075, GOC:TermGenie, PMID:15701794]' - }, - 'GO:1903076': { - 'name': 'regulation of protein localization to plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:11602640]' - }, - 'GO:1903077': { - 'name': 'negative regulation of protein localization to plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:11602640]' - }, - 'GO:1903078': { - 'name': 'positive regulation of protein localization to plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:11602640]' - }, - 'GO:1903079': { - 'name': 'obsolete negative regulation of protein localization to cell tip involved in positive regulation of establishment of cell polarity regulating cell shape', - 'def': 'OBSOLETE. Any negative regulation of protein localization to cell tip that is involved in positive regulation of establishment of cell polarity regulating cell shape. [GO_REF:0000060, GOC:TermGenie, PMID:24554432]' - }, - 'GO:1903080': { - 'name': 'regulation of C-C chemokine receptor CCR7 signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of C-C chemokine receptor CCR7 signaling pathway. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:11602640]' - }, - 'GO:1903081': { - 'name': 'negative regulation of C-C chemokine receptor CCR7 signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of C-C chemokine receptor CCR7 signaling pathway. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:11602640]' - }, - 'GO:1903082': { - 'name': 'positive regulation of C-C chemokine receptor CCR7 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of C-C chemokine receptor CCR7 signaling pathway. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:11602640]' - }, - 'GO:1903083': { - 'name': 'protein localization to condensed chromosome', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a condensed chromosome. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, pmid:12707312]' - }, - 'GO:1903084': { - 'name': 'protein localization to condensed nuclear chromosome', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a condensed nuclear chromosome. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, pmid:12707312]' - }, - 'GO:1903085': { - 'name': 'regulation of sinapate ester biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of sinapate ester biosynthesis. [GO_REF:0000058, GOC:TermGenie, PMID:11080161]' - }, - 'GO:1903086': { - 'name': 'negative regulation of sinapate ester biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sinapate ester biosynthesis. [GO_REF:0000058, GOC:TermGenie, PMID:11080161]' - }, - 'GO:1903087': { - 'name': 'mitotic spindle pole body duplication', - 'def': 'Any spindle pole body duplication that is involved in the mitotic cell cycle. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903088': { - 'name': '5-amino-1-ribofuranosylimidazole-4-carboxamide transmembrane transport', - 'def': 'The directed movement of 5-amino-1-ribofuranosylimidazole-4-carboxamide across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:24778186]' - }, - 'GO:1903089': { - 'name': '5-amino-1-ribofuranosylimidazole-4-carboxamide transporter activity', - 'def': 'Enables the directed movement of 5-amino-1-ribofuranosylimidazole-4-carboxamide into, out of or within a cell, or between cells. [GO_REF:0000066, GOC:TermGenie, PMID:24778186]' - }, - 'GO:1903090': { - 'name': 'pyridoxal transmembrane transport', - 'def': 'The directed movement of pyridoxal across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:15701794]' - }, - 'GO:1903091': { - 'name': 'pyridoxamine transmembrane transport', - 'def': 'The directed movement of pyridoxamine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:15701794]' - }, - 'GO:1903092': { - 'name': 'pyridoxine transmembrane transport', - 'def': 'The directed movement of pyridoxine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:15701794]' - }, - 'GO:1903093': { - 'name': 'regulation of protein K48-linked deubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of protein K48-linked deubiquitination. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903094': { - 'name': 'negative regulation of protein K48-linked deubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein K48-linked deubiquitination. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21097510]' - }, - 'GO:1903095': { - 'name': 'ribonuclease III complex', - 'def': 'A protein complex which is capable of ribonuclease III activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:22393237]' - }, - 'GO:1903096': { - 'name': 'protein localization to meiotic spindle midzone', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a meiotic spindle midzone. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, pmid:12707312]' - }, - 'GO:1903097': { - 'name': 'regulation of CENP-A containing nucleosome assembly', - 'def': 'Any process that modulates the rate, frequency or extent of the formation of nucleosomes containing the histone H3 variant CENP-A to form centromeric chromatin. This specialised chromatin occurs at centromeric region in point centromeres, and the central core in modular centromeres. [GO_REF:0000058, GOC:TermGenie, PMID:24710126]' - }, - 'GO:1903098': { - 'name': 'negative regulation of CENP-A containing nucleosome assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of the formation of nucleosomes containing the histone H3 variant CENP-A to form centromeric chromatin. This specialised chromatin occurs at centromeric region in point centromeres, and the central core in modular centromeres. [GO_REF:0000058, GOC:TermGenie, PMID:24710126]' - }, - 'GO:1903099': { - 'name': 'positive regulation of CENP-A containing nucleosome assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of the formation of nucleosomes containing the histone H3 variant CENP-A to form centromeric chromatin. This specialised chromatin occurs at centromeric region in point centromeres, and the central core in modular centromeres. [GO_REF:0000058, GOC:TermGenie, PMID:24710126]' - }, - 'GO:1903100': { - 'name': '1-phosphatidyl-1D-myo-inositol 3,5-bisphosphate metabolic process', - 'def': 'The chemical reactions and pathways involving 1-phosphatidyl-1D-myo-inositol 3,5-bisphosphate. [GO_REF:0000068, GOC:bhm, GOC:TermGenie, PMID:19037259]' - }, - 'GO:1903101': { - 'name': '1-phosphatidyl-1D-myo-inositol 3,5-bisphosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 1-phosphatidyl-1D-myo-inositol 3,5-bisphosphate. [GO_REF:0000068, GOC:bhm, GOC:TermGenie, PMID:19037259]' - }, - 'GO:1903102': { - 'name': '1-phosphatidyl-1D-myo-inositol 3,5-bisphosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 1-phosphatidyl-1D-myo-inositol 3,5-bisphosphate. [GO_REF:0000068, GOC:bhm, GOC:TermGenie, PMID:19037259]' - }, - 'GO:1903103': { - 'name': 'potassium:proton antiporter complex', - 'def': 'A protein complex which is capable of potassium:proton antiporter activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:21041667]' - }, - 'GO:1903104': { - 'name': 'regulation of insulin receptor signaling pathway involved in determination of adult lifespan', - 'def': 'Any process that modulates the frequency, rate or extent of insulin receptor signaling pathway involved in determination of adult lifespan. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:19853560]' - }, - 'GO:1903105': { - 'name': 'negative regulation of insulin receptor signaling pathway involved in determination of adult lifespan', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of insulin receptor signaling pathway involved in determination of adult lifespan. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:19853560]' - }, - 'GO:1903106': { - 'name': 'positive regulation of insulin receptor signaling pathway involved in determination of adult lifespan', - 'def': 'Any process that activates or increases the frequency, rate or extent of insulin receptor signaling pathway involved in determination of adult lifespan. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:19853560]' - }, - 'GO:1903107': { - 'name': 'insulin receptor signaling pathway involved in dauer larval development', - 'def': 'Any insulin receptor signaling pathway that is involved in dauer larval development. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, PMID:19853560]' - }, - 'GO:1903108': { - 'name': 'regulation of transcription from mitochondrial promoter', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from mitochondrial promoter. [GO_REF:0000058, GOC:TermGenie, PMID:21357609]' - }, - 'GO:1903109': { - 'name': 'positive regulation of transcription from mitochondrial promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from mitochondrial promoter. [GO_REF:0000058, GOC:TermGenie, PMID:21357609]' - }, - 'GO:1903110': { - 'name': 'regulation of single-strand break repair via homologous recombination', - 'def': 'Any process that modulates the frequency, rate or extent of single-strand break repair via homologous recombination. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:24339919]' - }, - 'GO:1903111': { - 'name': 'negative regulation of single-strand break repair via homologous recombination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of single-strand break repair via homologous recombination. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:24339919]' - }, - 'GO:1903112': { - 'name': 'positive regulation of single-strand break repair via homologous recombination', - 'def': 'Any process that activates or increases the frequency, rate or extent of single-strand break repair via homologous recombination. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:24339919]' - }, - 'GO:1903113': { - 'name': 'copper ion transmembrane transporter complex', - 'def': 'A protein complex which is capable of copper ion transmembrane transporter activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:23122209]' - }, - 'GO:1903114': { - 'name': 'silver ion transmembrane transporter complex', - 'def': 'A protein complex which is capable of silver ion transmembrane transporter activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:11283292]' - }, - 'GO:1903115': { - 'name': 'regulation of actin filament-based movement', - 'def': 'Any process that modulates the frequency, rate or extent of actin filament-based movement. [GO_REF:0000058, GOC:TermGenie, PMID:24798735]' - }, - 'GO:1903116': { - 'name': 'positive regulation of actin filament-based movement', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin filament-based movement. [GO_REF:0000058, GOC:TermGenie, PMID:24798735]' - }, - 'GO:1903117': { - 'name': 'regulation of actin filament organization involved in cytokinetic actomyosin contractile ring assembly', - 'def': 'Any process that modulates the frequency, rate or extent of actin filament organization involved in cytokinetic actomyosin contractile ring assembly. [GO_REF:0000058, GOC:TermGenie, PMID:24798735]' - }, - 'GO:1903118': { - 'name': 'urate homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of urate within an organism or cell. [GO_REF:0000072, GOC:dph, GOC:TermGenie, PMID:22306318]' - }, - 'GO:1903119': { - 'name': 'protein localization to actin cytoskeleton', - 'def': 'A process in which a protein is transported to, or maintained in, the location of an actin cytoskeleton. [GO_REF:0000087, GOC:TermGenie, PMID:24798735]' - }, - 'GO:1903120': { - 'name': 'protein localization to actin filament bundle', - 'def': 'A process in which a protein is transported to, or maintained in, the location of an actin filament bundle. [GO_REF:0000087, GOC:TermGenie, PMID:24798735]' - }, - 'GO:1903121': { - 'name': 'regulation of TRAIL-activated apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of TRAIL-activated apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903122': { - 'name': 'negative regulation of TRAIL-activated apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of TRAIL-activated apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21785459]' - }, - 'GO:1903123': { - 'name': 'regulation of thioredoxin peroxidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of thioredoxin peroxidase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903124': { - 'name': 'negative regulation of thioredoxin peroxidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of thioredoxin peroxidase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21850687]' - }, - 'GO:1903125': { - 'name': 'negative regulation of thioredoxin peroxidase activity by peptidyl-threonine phosphorylation', - 'def': 'A peptidyl-threonine phosphorylation that results in negative regulation of thioredoxin peroxidase activity. [GO_REF:0000063, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21850687]' - }, - 'GO:1903126': { - 'name': 'negative regulation of centriole-centriole cohesion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of centriole-centriole cohesion. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24554434]' - }, - 'GO:1903127': { - 'name': 'positive regulation of centriole-centriole cohesion', - 'def': 'Any process that activates or increases the frequency, rate or extent of centriole-centriole cohesion. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24554434]' - }, - 'GO:1903128': { - 'name': 'regulation of leucine import into cell', - 'def': 'Any process that modulates the frequency, rate or extent of leucine import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:24876389]' - }, - 'GO:1903129': { - 'name': 'negative regulation of leucine import into cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leucine import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:24876389]' - }, - 'GO:1903130': { - 'name': 'positive regulation of leucine import into cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of leucine import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:24876389]' - }, - 'GO:1903131': { - 'name': 'mononuclear cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a mononuclear cell. [CL:0000842, GO_REF:0000086, GOC:TermGenie, PMID:24759906]' - }, - 'GO:1903132': { - 'name': 'regulation of tube lumen cavitation', - 'def': 'Any process that modulates the frequency, rate or extent of tube lumen cavitation. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:22898778]' - }, - 'GO:1903133': { - 'name': 'negative regulation of tube lumen cavitation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tube lumen cavitation. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:22898778]' - }, - 'GO:1903134': { - 'name': 'trehalose catabolic process involved in cellular response to stress', - 'def': 'Any trehalose catabolic process that is involved in cellular response to stress. [GO_REF:0000060, GOC:TermGenie, PMID:15965643]' - }, - 'GO:1903135': { - 'name': 'cupric ion binding', - 'def': 'Interacting selectively and non-covalently with cupric ion, copper(2+). [GO_REF:0000067, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24567322]' - }, - 'GO:1903136': { - 'name': 'cuprous ion binding', - 'def': 'Interacting selectively and non-covalently with cuprous ion, copper(1+). [GO_REF:0000067, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24567322]' - }, - 'GO:1903137': { - 'name': 'regulation of MAPK cascade involved in cell wall organization or biogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of MAPK cascade involved in cell wall organization or biogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:23934882]' - }, - 'GO:1903138': { - 'name': 'negative regulation of MAPK cascade involved in cell wall organization or biogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of MAPK cascade involved in cell wall organization or biogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:23934882]' - }, - 'GO:1903139': { - 'name': 'positive regulation of MAPK cascade involved in cell wall organization or biogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of MAPK cascade involved in cell wall organization or biogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:23934882]' - }, - 'GO:1903140': { - 'name': 'regulation of establishment of endothelial barrier', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of endothelial barrier. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24851274]' - }, - 'GO:1903141': { - 'name': 'negative regulation of establishment of endothelial barrier', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of endothelial barrier. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24851274]' - }, - 'GO:1903142': { - 'name': 'positive regulation of establishment of endothelial barrier', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of endothelial barrier. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24851274]' - }, - 'GO:1903143': { - 'name': 'adrenomedullin receptor complex', - 'def': 'A transmembrane, G-protein-coupled signalling receptor complex which is capable of adrenomedullin receptor activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:22102369]' - }, - 'GO:1903144': { - 'name': 'actomyosin contractile ring actin filament', - 'def': 'Any actin filament that is part of a actomyosin contractile ring. [GO_REF:0000064, GOC:TermGenie, PMID:20807799, PMID:24954052]' - }, - 'GO:1903145': { - 'name': 'actin filament of cell cortex of cell tip', - 'def': 'Any actin filament that is part of a cell cortex of cell tip. [GO_REF:0000064, GOC:TermGenie, PMID:20807799, PMID:24954052]' - }, - 'GO:1903146': { - 'name': 'regulation of mitophagy', - 'def': 'Any process that modulates the frequency, rate or extent of mitochondrion degradation (mitophagy). [GO_REF:0000058, GOC:autophagy, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24600391]' - }, - 'GO:1903147': { - 'name': 'negative regulation of mitophagy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitochondrion degradation (mitophagy). [GO_REF:0000058, GOC:autophagy, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24600391]' - }, - 'GO:1903148': { - 'name': 'obsolete uracil transmembrane transporter activity involved in uracil import into cell', - 'def': 'OBSOLETE. Any uracil transmembrane transporter activity that is involved in uracil import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903149': { - 'name': 'obsolete adenine transmembrane transporter activity involved in adenine import into cell', - 'def': 'OBSOLETE. Any adenine transmembrane transporter activity that is involved in adenine import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903150': { - 'name': 'obsolete calcium ion transmembrane transporter activity involved in calcium ion import into cell', - 'def': 'OBSOLETE. Any calcium ion transmembrane transporter activity that is involved in calcium ion import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903151': { - 'name': 'obsolete carbohydrate transmembrane transporter activity involved in carbohydrate import into cell', - 'def': 'OBSOLETE. Any carbohydrate transmembrane transporter activity that is involved in carbohydrate import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903152': { - 'name': 'obsolete copper ion transmembrane transporter activity involved in copper ion import into cell', - 'def': 'OBSOLETE. Any copper ion transmembrane transporter activity that is involved in copper ion import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903153': { - 'name': 'obsolete ferrous iron transmembrane transporter activity involved in ferrous iron import into cell', - 'def': 'OBSOLETE. Any ferrous iron transmembrane transporter activity that is involved in ferrous iron import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903154': { - 'name': 'obsolete glucose transmembrane transporter activity involved in glucose import into cell', - 'def': 'OBSOLETE. Any glucose transmembrane transporter activity that is involved in glucose import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903155': { - 'name': 'obsolete glutathione transmembrane transporter activity involved in glutathione import into cell', - 'def': 'OBSOLETE. Any glutathione transmembrane transporter activity that is involved in glutathione import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903156': { - 'name': 'obsolete guanine transmembrane transporter activity involved in guanine import into cell', - 'def': 'OBSOLETE. Any guanine transmembrane transporter activity that is involved in guanine import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903157': { - 'name': 'obsolete iron ion transmembrane transporter activity involved in iron ion import into cell', - 'def': 'OBSOLETE. Any iron ion transmembrane transporter activity that is involved in iron ion import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903158': { - 'name': 'obsolete L-glutamate transmembrane transporter activity involved in L-glutamate import into cell', - 'def': 'OBSOLETE. Any L-glutamate transmembrane transporter activity that is involved in L-glutamate import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903159': { - 'name': 'obsolete malate transmembrane transporter activity involved in malate import into cell', - 'def': 'OBSOLETE. Any malate transmembrane transporter activity that is involved in malate import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903160': { - 'name': 'obsolete nickel cation transmembrane transporter activity involved in nickel cation import into cell', - 'def': 'OBSOLETE. Any nickel cation transmembrane transporter activity that is involved in nickel cation import into cell. [GO_REF:0000061, GOC:dos, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903161': { - 'name': 'obsolete pantothenate transmembrane transporter activity involved in pantothenate import into cell', - 'def': 'OBSOLETE. Any pantothenate transmembrane transporter activity that is involved in pantothenate import into cell. [GO_REF:0000061, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903162': { - 'name': 'obsolete serine transmembrane transporter activity involved in serine import into cell', - 'def': 'OBSOLETE. Any serine transmembrane transporter activity that is involved in serine import into cell. [GO_REF:0000061, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903163': { - 'name': 'obsolete sodium ion transmembrane transporter activity involved in sodium ion import into cell', - 'def': 'OBSOLETE. Any sodium ion transmembrane transporter activity that is involved in sodium ion import into cell. [GO_REF:0000061, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903164': { - 'name': 'obsolete succinate transmembrane transporter activity involved in succinate import into cell', - 'def': 'OBSOLETE. Any succinate transmembrane transporter activity that is involved in succinate import into cell. [GO_REF:0000061, GOC:TermGenie, ISBN:0-8249-3695-6]' - }, - 'GO:1903165': { - 'name': 'response to polycyclic arene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a polycyclic arene stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:10998501]' - }, - 'GO:1903166': { - 'name': 'cellular response to polycyclic arene', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a polycyclic arene stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:10998501]' - }, - 'GO:1903167': { - 'name': 'regulation of pyrroline-5-carboxylate reductase activity', - 'def': 'Any process that modulates the frequency, rate or extent of pyrroline-5-carboxylate reductase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903168': { - 'name': 'positive regulation of pyrroline-5-carboxylate reductase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of pyrroline-5-carboxylate reductase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23743200]' - }, - 'GO:1903169': { - 'name': 'regulation of calcium ion transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of calcium ion transmembrane transport. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:24125847]' - }, - 'GO:1903170': { - 'name': 'negative regulation of calcium ion transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium ion transmembrane transport. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:24125847]' - }, - 'GO:1903171': { - 'name': 'carbon dioxide homeostasis', - 'def': 'Any process involved in the maintenance of an internal steady state of carbon dioxide within an organism or cell. [GO_REF:0000072, GOC:mr, GOC:TermGenie, PMID:16571594]' - }, - 'GO:1903172': { - 'name': 'cellular carbon dioxide homeostasis', - 'def': 'Any biological process involved in the maintenance of an internal steady state of carbon dioxide at the level of the cell. [GO_REF:0000072, GOC:mr, GOC:TermGenie, PMID:16571594]' - }, - 'GO:1903173': { - 'name': 'fatty alcohol metabolic process', - 'def': 'The chemical reactions and pathways involving fatty alcohol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:24036493]' - }, - 'GO:1903174': { - 'name': 'fatty alcohol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of fatty alcohol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:24036493]' - }, - 'GO:1903175': { - 'name': 'fatty alcohol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of fatty alcohol. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:24036493]' - }, - 'GO:1903176': { - 'name': 'regulation of tyrosine 3-monooxygenase activity', - 'def': 'Any process that modulates the frequency, rate or extent of tyrosine 3-monooxygenase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903177': { - 'name': 'negative regulation of tyrosine 3-monooxygenase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tyrosine 3-monooxygenase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903178': { - 'name': 'positive regulation of tyrosine 3-monooxygenase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of tyrosine 3-monooxygenase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19703902]' - }, - 'GO:1903179': { - 'name': 'regulation of dopamine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of dopamine biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903180': { - 'name': 'negative regulation of dopamine biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dopamine biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903181': { - 'name': 'positive regulation of dopamine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of dopamine biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19703902]' - }, - 'GO:1903182': { - 'name': 'regulation of SUMO transferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of SUMO ligase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903183': { - 'name': 'negative regulation of SUMO transferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of SUMO ligase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:16731528]' - }, - 'GO:1903184': { - 'name': 'L-dopa metabolic process', - 'def': 'The chemical reactions and pathways involving L-dopa. [GO_REF:0000068, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:8822146]' - }, - 'GO:1903185': { - 'name': 'L-dopa biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of L-dopa. [GO_REF:0000068, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:8822146]' - }, - 'GO:1903186': { - 'name': 'regulation of vitellogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of vitellogenesis. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:19467235]' - }, - 'GO:1903187': { - 'name': 'negative regulation of vitellogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vitellogenesis. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:19467235]' - }, - 'GO:1903188': { - 'name': 'positive regulation of vitellogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of vitellogenesis. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:19467235]' - }, - 'GO:1903189': { - 'name': 'glyoxal metabolic process', - 'def': 'The chemical reactions and pathways involving glyoxal. [GO_REF:0000068, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903190': { - 'name': 'glyoxal catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of glyoxal. [GO_REF:0000068, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22523093, PMID:23651081]' - }, - 'GO:1903191': { - 'name': 'glyoxal biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of glyoxal. [GO_REF:0000068, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903192': { - 'name': 'sesquarterpene metabolic process', - 'def': 'The chemical reactions and pathways involving sesquarterpene. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:21627333]' - }, - 'GO:1903193': { - 'name': 'sesquarterpene biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of sesquarterpene. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:21627333]' - }, - 'GO:1903195': { - 'name': 'regulation of L-dopa biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of L-dopa biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903196': { - 'name': 'negative regulation of L-dopa biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-dopa biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903197': { - 'name': 'positive regulation of L-dopa biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-dopa biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:16731528]' - }, - 'GO:1903198': { - 'name': 'regulation of L-dopa decarboxylase activity', - 'def': 'Any process that modulates the frequency, rate or extent of L-dopa decarboxylase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903199': { - 'name': 'negative regulation of L-dopa decarboxylase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-dopa decarboxylase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903200': { - 'name': 'positive regulation of L-dopa decarboxylase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-dopa decarboxylase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19703902]' - }, - 'GO:1903201': { - 'name': 'regulation of oxidative stress-induced cell death', - 'def': 'Any process that modulates the frequency, rate or extent of oxidative stress-induced cell death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903202': { - 'name': 'negative regulation of oxidative stress-induced cell death', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oxidative stress-induced cell death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24252804]' - }, - 'GO:1903203': { - 'name': 'regulation of oxidative stress-induced neuron death', - 'def': 'Any process that modulates the frequency, rate or extent of oxidative stress-induced neuron death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903204': { - 'name': 'negative regulation of oxidative stress-induced neuron death', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oxidative stress-induced neuron death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24252804]' - }, - 'GO:1903205': { - 'name': 'regulation of hydrogen peroxide-induced cell death', - 'def': 'Any process that modulates the frequency, rate or extent of hydrogen peroxide-induced cell death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903206': { - 'name': 'negative regulation of hydrogen peroxide-induced cell death', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hydrogen peroxide-induced cell death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:14749723, PMID:24252804]' - }, - 'GO:1903207': { - 'name': 'regulation of hydrogen peroxide-induced neuron death', - 'def': 'Any process that modulates the frequency, rate or extent of hydrogen peroxide-induced neuron death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903208': { - 'name': 'negative regulation of hydrogen peroxide-induced neuron death', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hydrogen peroxide-induced neuron death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24252804]' - }, - 'GO:1903209': { - 'name': 'positive regulation of oxidative stress-induced cell death', - 'def': 'Any process that activates or increases the frequency, rate or extent of oxidative stress-induced cell death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:20969476]' - }, - 'GO:1903210': { - 'name': 'glomerular visceral epithelial cell apoptotic process', - 'def': 'Any apoptotic process in a glomerular visceral epithelial cell. [GO_REF:0000085, GOC:TermGenie, PMID:23515840]' - }, - 'GO:1903211': { - 'name': 'mitotic recombination involved in replication fork processing', - 'def': 'Any mitotic recombination that is involved in replication fork processing. [GO_REF:0000060, GOC:mah, GOC:TermGenie, PMID:23093942]' - }, - 'GO:1903212': { - 'name': 'protein localization to mating-type region heterochromatin', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a mating-type region heterochromatin. [GO_REF:0000087, GOC:TermGenie, PMID:18761674]' - }, - 'GO:1903213': { - 'name': 'protein localization to subtelomeric heterochromatin', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a subtelomeric heterochromatin. [GO_REF:0000087, GOC:TermGenie, SO:0001997]' - }, - 'GO:1903214': { - 'name': 'regulation of protein targeting to mitochondrion', - 'def': 'Any process that modulates the frequency, rate or extent of protein targeting to mitochondrion. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903215': { - 'name': 'negative regulation of protein targeting to mitochondrion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein targeting to mitochondrion. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21370995]' - }, - 'GO:1903216': { - 'name': 'regulation of protein processing involved in protein targeting to mitochondrion', - 'def': 'Any process that modulates the frequency, rate or extent of protein processing involved in protein targeting to mitochondrion. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21370995]' - }, - 'GO:1903217': { - 'name': 'negative regulation of protein processing involved in protein targeting to mitochondrion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein processing involved in protein targeting to mitochondrion. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21370995]' - }, - 'GO:1903218': { - 'name': 'regulation of malate dehydrogenase (decarboxylating) (NADP+) activity', - 'def': 'Any process that modulates the frequency, rate or extent of malate dehydrogenase (decarboxylating) (NADP+) activity. [GO_REF:0000059, GOC:sart, GOC:TermGenie, PMID:12398416]' - }, - 'GO:1903219': { - 'name': 'negative regulation of malate dehydrogenase (decarboxylating) (NADP+) activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of malate dehydrogenase (decarboxylating) (NADP+) activity. [GO_REF:0000059, GOC:sart, GOC:TermGenie, PMID:12398416]' - }, - 'GO:1903220': { - 'name': 'positive regulation of malate dehydrogenase (decarboxylating) (NADP+) activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of malate dehydrogenase (decarboxylating) (NADP+) activity. [GO_REF:0000059, GOC:sart, GOC:TermGenie, PMID:12398416]' - }, - 'GO:1903221': { - 'name': 'regulation of mitotic recombination involved in replication fork processing', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic recombination involved in replication fork processing. Regulation of mitotic recombination contributes to replication fork processing by preventing recombination between inappropriate homologous sequences. [GO_REF:0000058, GOC:TermGenie, PMID:23093942]' - }, - 'GO:1903222': { - 'name': 'quinolinic acid transmembrane transport', - 'def': 'The directed movement of quinolinic acid across a membrane. [GO_REF:0000069, GOC:di, GOC:TermGenie, PMID:23457190]' - }, - 'GO:1903223': { - 'name': 'positive regulation of oxidative stress-induced neuron death', - 'def': 'Any process that activates or increases the frequency, rate or extent of oxidative stress-induced neuron death. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23858059]' - }, - 'GO:1903224': { - 'name': 'regulation of endodermal cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of endodermal cell differentiation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23154389]' - }, - 'GO:1903225': { - 'name': 'negative regulation of endodermal cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endodermal cell differentiation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23154389]' - }, - 'GO:1903226': { - 'name': 'positive regulation of endodermal cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of endodermal cell differentiation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23154389]' - }, - 'GO:1903227': { - 'name': 'xanthosine metabolic process', - 'def': 'The chemical reactions and pathways involving xanthosine. [GO_REF:0000068, GOC:TermGenie, PMID:7007809, PMID:7559336]' - }, - 'GO:1903228': { - 'name': 'xanthosine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of xanthosine. [GO_REF:0000068, GOC:TermGenie, PMID:7007809, PMID:7559336]' - }, - 'GO:1903229': { - 'name': 'xanthosine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of xanthosine. [GO_REF:0000068, GOC:TermGenie, PMID:7007809, PMID:7559336]' - }, - 'GO:1903230': { - 'name': 'obsolete miRNA binding involved in posttranscriptional gene silencing', - 'def': 'OBSOLETE. Any miRNA binding that is involved in posttranscriptional gene silencing. [GO_REF:0000061, GOC:BHF, GOC:jl, GOC:TermGenie]' - }, - 'GO:1903231': { - 'name': 'mRNA binding involved in posttranscriptional gene silencing', - 'def': 'Any mRNA binding that is involved in posttranscriptional gene silencing. [GO_REF:0000061, GOC:BHF, GOC:BHF_miRNA, GOC:jl, GOC:TermGenie]' - }, - 'GO:1903232': { - 'name': 'melanosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a melanosome, a tissue-specific, membrane-bounded cytoplasmic organelle within which melanin pigments are synthesized and stored. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22511774]' - }, - 'GO:1903233': { - 'name': 'regulation of calcium ion-dependent exocytosis of neurotransmitter', - 'def': 'Any process that modulates the frequency, rate or extent of calcium ion-dependent exocytosis of neurotransmitter. [GO_REF:0000058, GOC:TermGenie, PMID:16782817]' - }, - 'GO:1903234': { - 'name': 'negative regulation of calcium ion-dependent exocytosis of neurotransmitter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium ion-dependent exocytosis of neurotransmitter. [GO_REF:0000058, GOC:TermGenie, PMID:16782817]' - }, - 'GO:1903235': { - 'name': 'positive regulation of calcium ion-dependent exocytosis of neurotransmitter', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium ion-dependent exocytosis of neurotransmitter. [GO_REF:0000058, GOC:TermGenie, PMID:16782817]' - }, - 'GO:1903236': { - 'name': 'regulation of leukocyte tethering or rolling', - 'def': 'Any process that modulates the frequency, rate or extent of leukocyte tethering or rolling. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18308860]' - }, - 'GO:1903237': { - 'name': 'negative regulation of leukocyte tethering or rolling', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leukocyte tethering or rolling. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18308860]' - }, - 'GO:1903238': { - 'name': 'positive regulation of leukocyte tethering or rolling', - 'def': 'Any process that activates or increases the frequency, rate or extent of leukocyte tethering or rolling. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18308860]' - }, - 'GO:1903239': { - 'name': 'obsolete regulation of positive regulation of the force of heart contraction by chemical signal', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of positive regulation of the force of heart contraction by chemical signal. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17242280]' - }, - 'GO:1903240': { - 'name': 'obsolete negative regulation of positive regulation of the force of heart contraction by chemical signal', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of positive regulation of the force of heart contraction by chemical signal. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17242280]' - }, - 'GO:1903241': { - 'name': 'U2-type prespliceosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an U2-type prespliceosome. [GO_REF:0000079, GOC:TermGenie, PMID:12374752]' - }, - 'GO:1903242': { - 'name': 'regulation of cardiac muscle hypertrophy in response to stress', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle hypertrophy in response to stress. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19287093]' - }, - 'GO:1903243': { - 'name': 'negative regulation of cardiac muscle hypertrophy in response to stress', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac muscle hypertrophy in response to stress. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19287093]' - }, - 'GO:1903244': { - 'name': 'positive regulation of cardiac muscle hypertrophy in response to stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac muscle hypertrophy in response to stress. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19287093]' - }, - 'GO:1903245': { - 'name': 'regulation of adrenergic receptor signaling pathway involved in positive regulation of heart rate', - 'def': 'Any process that modulates the frequency, rate or extent of adrenergic receptor signaling pathway involved in positive regulation of heart rate. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:17242280]' - }, - 'GO:1903246': { - 'name': 'negative regulation of adrenergic receptor signaling pathway involved in positive regulation of heart rate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of adrenergic receptor signaling pathway involved in positive regulation of heart rate. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:17242280]' - }, - 'GO:1903247': { - 'name': 'positive regulation of adrenergic receptor signaling pathway involved in positive regulation of heart rate', - 'def': 'Any process that activates or increases the frequency, rate or extent of adrenergic receptor signaling pathway involved in positive regulation of heart rate. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:17242280]' - }, - 'GO:1903248': { - 'name': 'regulation of citrulline biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of citrulline biosynthetic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19278978]' - }, - 'GO:1903249': { - 'name': 'negative regulation of citrulline biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of citrulline biosynthetic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19278978]' - }, - 'GO:1903250': { - 'name': 'positive regulation of citrulline biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of citrulline biosynthetic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19278978]' - }, - 'GO:1903251': { - 'name': 'multi-ciliated epithelial cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a multi-ciliated epithelial cell. [GO_REF:0000086, GOC:sp, GOC:TermGenie, PMID:22231168, PMID:24934224]' - }, - 'GO:1903252': { - 'name': 'hercynylcysteine sulfoxide metabolic process', - 'def': 'The chemical reactions and pathways involving hercynylcysteine sulfoxide. [GO_REF:0000068, GOC:TermGenie, PMID:24828577]' - }, - 'GO:1903253': { - 'name': 'hercynylcysteine sulfoxide biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hercynylcysteine sulfoxide. [GO_REF:0000068, GOC:TermGenie, PMID:24828577]' - }, - 'GO:1903254': { - 'name': 'hercynylselenocysteine metabolic process', - 'def': 'The chemical reactions and pathways involving hercynylselenocysteine. [GO_REF:0000068, GOC:TermGenie, PMID:24828577]' - }, - 'GO:1903255': { - 'name': 'hercynylselenocysteine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of hercynylselenocysteine. [GO_REF:0000068, GOC:TermGenie, PMID:24828577]' - }, - 'GO:1903256': { - 'name': 'selenoneine metabolic process', - 'def': 'The chemical reactions and pathways involving selenoneine. [GO_REF:0000068, GOC:TermGenie, PMID:24828577]' - }, - 'GO:1903257': { - 'name': 'selenoneine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of selenoneine. [GO_REF:0000068, GOC:TermGenie, PMID:24828577]' - }, - 'GO:1903258': { - 'name': 'sorbose import into cell', - 'def': 'The directed movement of sorbose into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:2878925]' - }, - 'GO:1903259': { - 'name': 'exon-exon junction complex disassembly', - 'def': 'The disaggregation of an exon-exon junction complex into its constituent components. [GO_REF:0000079, GOC:sart, GOC:TermGenie, PMID:24967911]' - }, - 'GO:1903260': { - 'name': 'protein localization to mating projection tip', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a mating projection tip. [GO_REF:0000087, GOC:TermGenie, PMID:11952834]' - }, - 'GO:1903261': { - 'name': 'regulation of serine phosphorylation of STAT3 protein', - 'def': 'Any process that modulates the frequency, rate or extent of serine phosphorylation of STAT3 protein. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21704380]' - }, - 'GO:1903262': { - 'name': 'negative regulation of serine phosphorylation of STAT3 protein', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of serine phosphorylation of STAT3 protein. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21704380]' - }, - 'GO:1903263': { - 'name': 'positive regulation of serine phosphorylation of STAT3 protein', - 'def': 'Any process that activates or increases the frequency, rate or extent of serine phosphorylation of STAT3 protein. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:21704380]' - }, - 'GO:1903264': { - 'name': 'nitrate reductase activity involved in anaerobic electron transport chain', - 'def': 'Any nitrate reductase activity that is involved in anaerobic electron transport chain. [GO_REF:0000061, GOC:dos, GOC:TermGenie, PMID:12910261]' - }, - 'GO:1903265': { - 'name': 'positive regulation of tumor necrosis factor-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of tumor necrosis factor-mediated signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23453807]' - }, - 'GO:1903266': { - 'name': 'regulation of ornithine catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of ornithine catabolic process. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:12679340]' - }, - 'GO:1903267': { - 'name': 'negative regulation of ornithine catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ornithine catabolic process. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:12679340]' - }, - 'GO:1903268': { - 'name': 'positive regulation of ornithine catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ornithine catabolic process. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:12679340]' - }, - 'GO:1903269': { - 'name': 'ornithine carbamoyltransferase inhibitor complex', - 'def': 'A protein complex which is capable of ornithine carbamoyltransferase inhibitor activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:12679340]' - }, - 'GO:1903270': { - 'name': 'regulation of cytoplasmic translational elongation through polyproline stretches', - 'def': 'Any process that modulates the frequency, rate or extent of cytoplasmic translational elongation through polyproline stretches. [GO_REF:0000058, GOC:TermGenie, PMID:24923804]' - }, - 'GO:1903271': { - 'name': 'negative regulation of cytoplasmic translational elongation through polyproline stretches', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cytoplasmic translational elongation through polyproline stretches. [GO_REF:0000058, GOC:TermGenie, PMID:24923804]' - }, - 'GO:1903272': { - 'name': 'positive regulation of cytoplasmic translational elongation through polyproline stretches', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytoplasmic translational elongation through polyproline stretches. [GO_REF:0000058, GOC:TermGenie, PMID:24923804]' - }, - 'GO:1903273': { - 'name': 'regulation of sodium ion export', - 'def': 'Any process that modulates the frequency, rate or extent of sodium ion export. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17095720]' - }, - 'GO:1903274': { - 'name': 'negative regulation of sodium ion export', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sodium ion export. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17095720]' - }, - 'GO:1903275': { - 'name': 'positive regulation of sodium ion export', - 'def': 'Any process that activates or increases the frequency, rate or extent of sodium ion export. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17095720]' - }, - 'GO:1903276': { - 'name': 'regulation of sodium ion export from cell', - 'def': 'Any process that modulates the frequency, rate or extent of sodium ion export from cell. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17095720]' - }, - 'GO:1903277': { - 'name': 'negative regulation of sodium ion export from cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sodium ion export from cell. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17095720]' - }, - 'GO:1903278': { - 'name': 'positive regulation of sodium ion export from cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of sodium ion export from cell. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17095720]' - }, - 'GO:1903279': { - 'name': 'regulation of calcium:sodium antiporter activity', - 'def': 'Any process that modulates the frequency, rate or extent of calcium:sodium antiporter activity. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:19683723]' - }, - 'GO:1903280': { - 'name': 'negative regulation of calcium:sodium antiporter activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium:sodium antiporter activity. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:19683723]' - }, - 'GO:1903281': { - 'name': 'positive regulation of calcium:sodium antiporter activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium:sodium antiporter activity. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:19683723]' - }, - 'GO:1903282': { - 'name': 'regulation of glutathione peroxidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of glutathione peroxidase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903283': { - 'name': 'negative regulation of glutathione peroxidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glutathione peroxidase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903284': { - 'name': 'positive regulation of glutathione peroxidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of glutathione peroxidase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23507046]' - }, - 'GO:1903285': { - 'name': 'positive regulation of hydrogen peroxide catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of hydrogen peroxide catabolic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23507046]' - }, - 'GO:1903286': { - 'name': 'regulation of potassium ion import', - 'def': 'Any process that modulates the frequency, rate or extent of potassium ion import. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:10636900]' - }, - 'GO:1903287': { - 'name': 'negative regulation of potassium ion import', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of potassium ion import. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:10636900]' - }, - 'GO:1903288': { - 'name': 'positive regulation of potassium ion import', - 'def': 'Any process that activates or increases the frequency, rate or extent of potassium ion import. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:10636900]' - }, - 'GO:1903289': { - 'name': 'obsolete regulation of ATP catabolic process', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of ATP catabolic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:10636900]' - }, - 'GO:1903290': { - 'name': 'obsolete negative regulation of ATP catabolic process', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of ATP catabolic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:10636900]' - }, - 'GO:1903291': { - 'name': 'obsolete positive regulation of ATP catabolic process', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of ATP catabolic process. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:10636900]' - }, - 'GO:1903292': { - 'name': 'protein localization to Golgi membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a Golgi membrane. [GO_REF:0000087, GOC:TermGenie, PMID:11378902]' - }, - 'GO:1903293': { - 'name': 'phosphatase complex', - 'def': 'A protein complex which is capable of phosphatase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:24766807]' - }, - 'GO:1903294': { - 'name': 'regulation of glutamate secretion, neurotransmission', - 'def': 'Any process that modulates the frequency, rate or extent of glutamate secretion, neurotransmission. [GO_REF:0000058, GOC:TermGenie, PMID:16782817]' - }, - 'GO:1903295': { - 'name': 'negative regulation of glutamate secretion, neurotransmission', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glutamate secretion, neurotransmission. [GO_REF:0000058, GOC:TermGenie, PMID:16782817]' - }, - 'GO:1903296': { - 'name': 'positive regulation of glutamate secretion, neurotransmission', - 'def': 'Any process that activates or increases the frequency, rate or extent of glutamate secretion, where glutamate acts as a neurotransmitter. [GO_REF:0000058, GOC:TermGenie, PMID:16782817]' - }, - 'GO:1903297': { - 'name': 'regulation of hypoxia-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of hypoxia-induced intrinsic apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903298': { - 'name': 'negative regulation of hypoxia-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hypoxia-induced intrinsic apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24553947]' - }, - 'GO:1903299': { - 'name': 'regulation of hexokinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of hexokinase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:15804508]' - }, - 'GO:1903300': { - 'name': 'negative regulation of hexokinase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hexokinase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:15804508]' - }, - 'GO:1903301': { - 'name': 'positive regulation of hexokinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of hexokinase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:15804508]' - }, - 'GO:1903302': { - 'name': 'regulation of pyruvate kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of pyruvate kinase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:15804508]' - }, - 'GO:1903303': { - 'name': 'negative regulation of pyruvate kinase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pyruvate kinase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:15804508]' - }, - 'GO:1903304': { - 'name': 'positive regulation of pyruvate kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of pyruvate kinase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:15804508]' - }, - 'GO:1903305': { - 'name': 'regulation of regulated secretory pathway', - 'def': 'Any process that modulates the frequency, rate or extent of regulated secretory pathway. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:12526776]' - }, - 'GO:1903306': { - 'name': 'negative regulation of regulated secretory pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of regulated secretory pathway. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:12526776]' - }, - 'GO:1903307': { - 'name': 'positive regulation of regulated secretory pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of regulated secretory pathway. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:12526776]' - }, - 'GO:1903311': { - 'name': 'regulation of mRNA metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903312': { - 'name': 'negative regulation of mRNA metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mRNA metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903313': { - 'name': 'positive regulation of mRNA metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of mRNA metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903314': { - 'name': 'regulation of nitrogen cycle metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of nitrogen cycle metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903315': { - 'name': 'negative regulation of nitrogen cycle metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nitrogen cycle metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903316': { - 'name': 'positive regulation of nitrogen cycle metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of nitrogen cycle metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903317': { - 'name': 'regulation of protein maturation', - 'def': 'Any process that modulates the frequency, rate or extent of protein maturation. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903318': { - 'name': 'negative regulation of protein maturation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein maturation. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903319': { - 'name': 'positive regulation of protein maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein maturation. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903320': { - 'name': 'regulation of protein modification by small protein conjugation or removal', - 'def': 'Any process that modulates the frequency, rate or extent of protein modification by small protein conjugation or removal. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903321': { - 'name': 'negative regulation of protein modification by small protein conjugation or removal', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein modification by small protein conjugation or removal. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903322': { - 'name': 'positive regulation of protein modification by small protein conjugation or removal', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein modification by small protein conjugation or removal. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903323': { - 'name': 'regulation of snoRNA metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of snoRNA metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903324': { - 'name': 'negative regulation of snoRNA metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of snoRNA metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903325': { - 'name': 'positive regulation of snoRNA metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of snoRNA metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903326': { - 'name': 'regulation of tRNA metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of tRNA metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903327': { - 'name': 'negative regulation of tRNA metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tRNA metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903328': { - 'name': 'positive regulation of tRNA metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of tRNA metabolic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903329': { - 'name': 'regulation of iron-sulfur cluster assembly', - 'def': 'Any process that modulates the frequency, rate or extent of iron-sulfur cluster assembly. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903330': { - 'name': 'negative regulation of iron-sulfur cluster assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of iron-sulfur cluster assembly. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903331': { - 'name': 'positive regulation of iron-sulfur cluster assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of iron-sulfur cluster assembly. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903332': { - 'name': 'regulation of protein folding', - 'def': 'Any process that modulates the frequency, rate or extent of protein folding. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903333': { - 'name': 'negative regulation of protein folding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein folding. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903334': { - 'name': 'positive regulation of protein folding', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein folding. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903335': { - 'name': 'regulation of vacuolar transport', - 'def': 'Any process that modulates the frequency, rate or extent of vacuolar transport. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903336': { - 'name': 'negative regulation of vacuolar transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vacuolar transport. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903337': { - 'name': 'positive regulation of vacuolar transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of vacuolar transport. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903338': { - 'name': 'regulation of cell wall organization or biogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cell wall organization or biogenesis. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903339': { - 'name': 'negative regulation of cell wall organization or biogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell wall organization or biogenesis. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903340': { - 'name': 'positive regulation of cell wall organization or biogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell wall organization or biogenesis. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903341': { - 'name': 'regulation of meiotic DNA double-strand break formation', - 'def': 'Any process that modulates the frequency, rate or extent of meiotic DNA double-strand break formation. [GO_REF:0000058, GOC:TermGenie, PMID:25103240]' - }, - 'GO:1903342': { - 'name': 'negative regulation of meiotic DNA double-strand break formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of meiotic DNA double-strand break formation. [GO_REF:0000058, GOC:TermGenie, PMID:25103240]' - }, - 'GO:1903343': { - 'name': 'positive regulation of meiotic DNA double-strand break formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of meiotic DNA double-strand break formation. [GO_REF:0000058, GOC:TermGenie, PMID:25103240]' - }, - 'GO:1903344': { - 'name': 'regulation of protein polyglycylation', - 'def': 'Any process that modulates the frequency, rate or extent of protein polyglycylation. [GO_REF:0000058, GOC:sart, GOC:TermGenie]' - }, - 'GO:1903345': { - 'name': 'negative regulation of protein polyglycylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein polyglycylation. [GO_REF:0000058, GOC:sart, GOC:TermGenie]' - }, - 'GO:1903346': { - 'name': 'positive regulation of protein polyglycylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein polyglycylation. [GO_REF:0000058, GOC:sart, GOC:TermGenie, PMID:21298005]' - }, - 'GO:1903347': { - 'name': 'negative regulation of bicellular tight junction assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tight junction assembly. [GO_REF:0000058, GOC:jz, GOC:TermGenie, PMID:25050009]' - }, - 'GO:1903348': { - 'name': 'positive regulation of bicellular tight junction assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of tight junction assembly. [GO_REF:0000058, GOC:jz, GOC:TermGenie, PMID:25050009]' - }, - 'GO:1903349': { - 'name': 'omegasome membrane', - 'def': 'Any membrane that is part of an omegasome. [GO_REF:0000064, GOC:mf, GOC:TermGenie, PMID:18725538, PMID:24591649]' - }, - 'GO:1903350': { - 'name': 'response to dopamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dopamine stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:11118945]' - }, - 'GO:1903351': { - 'name': 'cellular response to dopamine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dopamine stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:11118945]' - }, - 'GO:1903352': { - 'name': 'L-ornithine transmembrane transport', - 'def': 'The directed movement of L-ornithine across a membrane. [GO_REF:0000069, GOC:krc, GOC:TermGenie, PMID:8195186]' - }, - 'GO:1903353': { - 'name': 'regulation of nucleus organization', - 'def': 'Any process that modulates the frequency, rate or extent of nucleus organization. [GO_REF:0000058, GOC:TermGenie, PMID:16943282]' - }, - 'GO:1903354': { - 'name': 'regulation of distal tip cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of distal tip cell migration. [GO_REF:0000058, GOC:mm2, GOC:TermGenie, PMID:24968003]' - }, - 'GO:1903355': { - 'name': 'negative regulation of distal tip cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of distal tip cell migration. [GO_REF:0000058, GOC:mm2, GOC:TermGenie, PMID:24968003]' - }, - 'GO:1903356': { - 'name': 'positive regulation of distal tip cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of distal tip cell migration. [GO_REF:0000058, GOC:mm2, GOC:TermGenie, PMID:24968003]' - }, - 'GO:1903357': { - 'name': 'regulation of transcription initiation from RNA polymerase I promoter for nuclear large rRNA transcript', - 'def': 'Any process that modulates the frequency, rate or extent of transcription initiation from RNA polymerase I promoter for nuclear large rRNA transcript. [GO_REF:0000058, GOC:TermGenie, PMID:9092673]' - }, - 'GO:1903358': { - 'name': 'regulation of Golgi organization', - 'def': 'Any process that modulates the frequency, rate or extent of Golgi organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:17562788]' - }, - 'GO:1903359': { - 'name': 'lateral cortical node assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a lateral cortical node. [GO_REF:0000079, GOC:TermGenie, PMID:25009287]' - }, - 'GO:1903360': { - 'name': 'protein localization to lateral cortical node', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a lateral cortical node. [GO_REF:0000087, GOC:TermGenie, PMID:25009287]' - }, - 'GO:1903361': { - 'name': 'protein localization to basolateral plasma membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a basolateral plasma membrane. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, PMID:24785082, PMID:9425351]' - }, - 'GO:1903362': { - 'name': 'regulation of cellular protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellular protein catabolic process. [GO_REF:0000058, GOC:kmv, GOC:obol, GOC:TermGenie, PMID:24785082]' - }, - 'GO:1903363': { - 'name': 'negative regulation of cellular protein catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular protein catabolic process. [GO_REF:0000058, GOC:kmv, GOC:obol, GOC:TermGenie, PMID:24785082]' - }, - 'GO:1903364': { - 'name': 'positive regulation of cellular protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular protein catabolic process. [GO_REF:0000058, GOC:kmv, GOC:obol, GOC:TermGenie, PMID:24785082]' - }, - 'GO:1903365': { - 'name': 'regulation of fear response', - 'def': 'Any process that modulates the frequency, rate or extent of fear response. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:8677262]' - }, - 'GO:1903366': { - 'name': 'negative regulation of fear response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fear response. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:8677262]' - }, - 'GO:1903367': { - 'name': 'positive regulation of fear response', - 'def': 'Any process that activates or increases the frequency, rate or extent of fear response. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:8677262]' - }, - 'GO:1903368': { - 'name': 'regulation of foraging behavior', - 'def': 'Any process that modulates the frequency, rate or extent of foraging behavior. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:8677262]' - }, - 'GO:1903369': { - 'name': 'negative regulation of foraging behavior', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of foraging behavior. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:8677262]' - }, - 'GO:1903370': { - 'name': 'positive regulation of foraging behavior', - 'def': 'Any process that activates or increases the frequency, rate or extent of foraging behavior. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:8677262]' - }, - 'GO:1903371': { - 'name': 'regulation of endoplasmic reticulum tubular network organization', - 'def': 'Any process that modulates the frequency, rate or extent of endoplasmic reticulum tubular network organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24891604]' - }, - 'GO:1903372': { - 'name': 'negative regulation of endoplasmic reticulum tubular network organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endoplasmic reticulum tubular network organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24891604]' - }, - 'GO:1903373': { - 'name': 'positive regulation of endoplasmic reticulum tubular network organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of endoplasmic reticulum tubular network organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24891604]' - }, - 'GO:1903374': { - 'name': 'subarachnoid space development', - 'def': 'The process whose specific outcome is the progression of a subarachnoid space over time, from its formation to the mature structure. [GO_REF:0000094, GOC:cjm, GOC:TermGenie, Wikipedia:Subarachnoid_space]' - }, - 'GO:1903375': { - 'name': 'facioacoustic ganglion development', - 'def': 'The process whose specific outcome is the progression of an acoustico-facial VII-VIII ganglion complex over time, from its formation to the mature structure. [GO_REF:0000094, GOC:bf, GOC:mat, GOC:PARL, GOC:TermGenie, PMID:18356247]' - }, - 'GO:1903376': { - 'name': 'regulation of oxidative stress-induced neuron intrinsic apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of oxidative stress-induced neuron intrinsic apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903377': { - 'name': 'negative regulation of oxidative stress-induced neuron intrinsic apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oxidative stress-induced neuron intrinsic apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:15790595]' - }, - 'GO:1903378': { - 'name': 'positive regulation of oxidative stress-induced neuron intrinsic apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of oxidative stress-induced neuron intrinsic apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903379': { - 'name': 'regulation of mitotic chromosome condensation', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic chromosome condensation. [GO_REF:0000058, GOC:TermGenie, PMID:9490640]' - }, - 'GO:1903380': { - 'name': 'positive regulation of mitotic chromosome condensation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic chromosome condensation. [GO_REF:0000058, GOC:TermGenie, PMID:9490640]' - }, - 'GO:1903381': { - 'name': 'regulation of endoplasmic reticulum stress-induced neuron intrinsic apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of an endoplasmic reticulum stress-induced neuron intrinsic apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903382': { - 'name': 'negative regulation of endoplasmic reticulum stress-induced neuron intrinsic apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of an endoplasmic reticulum stress-induced neuron intrinsic apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23453807]' - }, - 'GO:1903383': { - 'name': 'regulation of hydrogen peroxide-induced neuron intrinsic apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of a hydrogen peroxide-induced neuron intrinsic apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903384': { - 'name': 'negative regulation of hydrogen peroxide-induced neuron intrinsic apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of a hydrogen peroxide-induced neuron intrinsic apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23261939]' - }, - 'GO:1903385': { - 'name': 'regulation of homophilic cell adhesion', - 'def': 'Any process that modulates the frequency, rate or extent of homophilic cell adhesion. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:21724833]' - }, - 'GO:1903386': { - 'name': 'negative regulation of homophilic cell adhesion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of homophilic cell adhesion. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:21724833]' - }, - 'GO:1903387': { - 'name': 'positive regulation of homophilic cell adhesion', - 'def': 'Any process that activates or increases the frequency, rate or extent of homophilic cell adhesion. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:21724833]' - }, - 'GO:1903388': { - 'name': 'regulation of synaptic vesicle uncoating', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle uncoating. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:21563316]' - }, - 'GO:1903389': { - 'name': 'negative regulation of synaptic vesicle uncoating', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synaptic vesicle uncoating. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:21563316]' - }, - 'GO:1903390': { - 'name': 'positive regulation of synaptic vesicle uncoating', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic vesicle uncoating. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:21563316]' - }, - 'GO:1903391': { - 'name': 'regulation of adherens junction organization', - 'def': 'Any process that modulates the frequency, rate or extent of adherens junction organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:21724833]' - }, - 'GO:1903392': { - 'name': 'negative regulation of adherens junction organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of adherens junction organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:21724833]' - }, - 'GO:1903393': { - 'name': 'positive regulation of adherens junction organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of adherens junction organization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:21724833]' - }, - 'GO:1903394': { - 'name': 'protein localization to kinetochore involved in kinetochore assembly', - 'def': 'Any protein localization to kinetochore that is involved in kinetochore assembly. [GO_REF:0000060, GOC:TermGenie, PMID:15369671]' - }, - 'GO:1903395': { - 'name': 'regulation of secondary cell septum biogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of secondary cell septum biogenesis. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:23878277]' - }, - 'GO:1903396': { - 'name': 'negative regulation of secondary cell septum biogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of secondary cell septum biogenesis. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:23878277]' - }, - 'GO:1903397': { - 'name': 'positive regulation of secondary cell septum biogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of secondary cell septum biogenesis. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:23878277]' - }, - 'GO:1903398': { - 'name': "regulation of m7G(5')pppN diphosphatase activity", - 'def': "Any process that modulates the frequency, rate or extent of m7G(5')pppN diphosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:22323607]" - }, - 'GO:1903399': { - 'name': "positive regulation of m7G(5')pppN diphosphatase activity", - 'def': "Any process that activates or increases the frequency, rate or extent of m7G(5')pppN diphosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:22323607]" - }, - 'GO:1903400': { - 'name': 'L-arginine transmembrane transport', - 'def': 'The directed movement of L-arginine across a membrane. [GO_REF:0000069, GOC:krc, GOC:TermGenie, PMID:8195186]' - }, - 'GO:1903401': { - 'name': 'L-lysine transmembrane transport', - 'def': 'The directed movement of L-lysine across a membrane. [GO_REF:0000069, GOC:krc, GOC:TermGenie, PMID:8195186]' - }, - 'GO:1903402': { - 'name': 'regulation of renal phosphate excretion', - 'def': 'Any process that modulates the frequency, rate or extent of renal phosphate excretion. [GO_REF:0000058, GOC:pm, GOC:TermGenie, PMID:8700837]' - }, - 'GO:1903403': { - 'name': 'negative regulation of renal phosphate excretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of renal phosphate excretion. [GO_REF:0000058, GOC:pm, GOC:TermGenie, PMID:8700837]' - }, - 'GO:1903404': { - 'name': 'positive regulation of renal phosphate excretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of renal phosphate excretion. [GO_REF:0000058, GOC:pm, GOC:TermGenie, PMID:8700837]' - }, - 'GO:1903405': { - 'name': 'protein localization to nuclear body', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a nuclear body. [GO_REF:0000087, GOC:TermGenie, PMID:24713849]' - }, - 'GO:1903406': { - 'name': 'regulation of sodium:potassium-exchanging ATPase activity', - 'def': 'Any process that modulates the frequency, rate or extent of sodium:potassium-exchanging ATPase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:8160880]' - }, - 'GO:1903407': { - 'name': 'negative regulation of sodium:potassium-exchanging ATPase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sodium:potassium-exchanging ATPase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:8160880]' - }, - 'GO:1903408': { - 'name': 'positive regulation of sodium:potassium-exchanging ATPase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of sodium:potassium-exchanging ATPase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:8160880]' - }, - 'GO:1903409': { - 'name': 'reactive oxygen species biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of reactive oxygen species, any molecules or ions formed by the incomplete one-electron reduction of oxygen. [GO_REF:0000068, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24252804]' - }, - 'GO:1903410': { - 'name': 'L-lysine import into cell', - 'def': 'The directed movement of L-lysine into a cell. [GO_REF:0000075, GOC:krc, GOC:TermGenie, PMID:8195186]' - }, - 'GO:1903411': { - 'name': 'L-ornithine import into cell', - 'def': 'The directed movement of L-ornithine into a cell. [GO_REF:0000075, GOC:krc, GOC:TermGenie, PMID:8195186]' - }, - 'GO:1903412': { - 'name': 'response to bile acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bile acid stimulus. [GO_REF:0000071, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21757002]' - }, - 'GO:1903413': { - 'name': 'cellular response to bile acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bile acid stimulus. [GO_REF:0000071, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21757002]' - }, - 'GO:1903414': { - 'name': 'iron cation export', - 'def': 'The directed movement of iron cation out of a cell or organelle. [GO_REF:0000074, GOC:dph, GOC:TermGenie, PMID:15514116]' - }, - 'GO:1903415': { - 'name': 'flavonoid transport from endoplasmic reticulum to plant-type vacuole', - 'def': 'The directed movement of flavonoid from endoplasmic reticulum to plant-type vacuole. [GO_REF:0000078, GOC:tb, GOC:TermGenie, PMID:25116949]' - }, - 'GO:1903416': { - 'name': 'response to glycoside', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glycoside stimulus. [GO_REF:0000071, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:12027881, PMID:16243970]' - }, - 'GO:1903418': { - 'name': 'protein localization to plasma membrane of cell tip', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a plasma membrane of cell tip. [GO_REF:0000087, GOC:TermGenie, PMID:25157670]' - }, - 'GO:1903419': { - 'name': 'protein localization to cortical endoplasmic reticulum', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cortical endoplasmic reticulum. [GO_REF:0000087, GOC:TermGenie, PMID:25103238]' - }, - 'GO:1903420': { - 'name': 'protein localization to endoplasmic reticulum tubular network', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an endoplasmic reticulum tubular network. [GO_REF:0000087, GOC:TermGenie, PMID:25103238]' - }, - 'GO:1903421': { - 'name': 'regulation of synaptic vesicle recycling', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle recycling. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22745285]' - }, - 'GO:1903422': { - 'name': 'negative regulation of synaptic vesicle recycling', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synaptic vesicle recycling. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22745285]' - }, - 'GO:1903423': { - 'name': 'positive regulation of synaptic vesicle recycling', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic vesicle recycling. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22745285]' - }, - 'GO:1903424': { - 'name': 'fluoride transmembrane transport', - 'def': 'The directed movement of fluoride across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:24173035]' - }, - 'GO:1903425': { - 'name': 'fluoride transmembrane transporter activity', - 'def': 'Enables the transfer of fluoride from one side of the membrane to the other. [GO_REF:0000070, GOC:TermGenie, PMID:24173035]' - }, - 'GO:1903426': { - 'name': 'regulation of reactive oxygen species biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of reactive oxygen species biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24252804]' - }, - 'GO:1903427': { - 'name': 'negative regulation of reactive oxygen species biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of reactive oxygen species biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24252804]' - }, - 'GO:1903428': { - 'name': 'positive regulation of reactive oxygen species biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of reactive oxygen species biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24252804]' - }, - 'GO:1903429': { - 'name': 'regulation of cell maturation', - 'def': 'Any process that modulates the frequency, rate or extent of cell maturation. [GO_REF:0000058, GOC:TermGenie, PMID:17459944]' - }, - 'GO:1903430': { - 'name': 'negative regulation of cell maturation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell maturation. [GO_REF:0000058, GOC:TermGenie, PMID:17459944]' - }, - 'GO:1903431': { - 'name': 'positive regulation of cell maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell maturation. [GO_REF:0000058, GOC:TermGenie, PMID:17459944]' - }, - 'GO:1903432': { - 'name': 'regulation of TORC1 signaling', - 'def': 'Any process that modulates the frequency, rate or extent of TORC1 signaling. [GO_REF:0000058, GOC:TermGenie]' - }, - 'GO:1903433': { - 'name': 'regulation of constitutive secretory pathway', - 'def': 'Any process that modulates the frequency, rate or extent of constitutive secretory pathway. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22899725]' - }, - 'GO:1903434': { - 'name': 'negative regulation of constitutive secretory pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of constitutive secretory pathway. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22899725]' - }, - 'GO:1903435': { - 'name': 'positive regulation of constitutive secretory pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of constitutive secretory pathway. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22899725]' - }, - 'GO:1903436': { - 'name': 'regulation of mitotic cytokinetic process', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic cytokinetic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903437': { - 'name': 'negative regulation of mitotic cytokinetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic cytokinetic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903438': { - 'name': 'positive regulation of mitotic cytokinetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic cytokinetic process. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903439': { - 'name': 'calcitonin family receptor complex', - 'def': 'A protein complex which is capable of calcitonin family receptor activity. Calcitonin family receptors may form dimers, trimers or tetramers; adrenomedullin and amylin receptors have only been observed as dimers so far. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:10871296, PMID:12037140, PMID:18687416]' - }, - 'GO:1903440': { - 'name': 'amylin receptor complex', - 'def': 'A protein complex which is capable of amylin receptor activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:10871296, PMID:12037140, PMID:18687416]' - }, - 'GO:1903441': { - 'name': 'protein localization to ciliary membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a ciliary membrane. [GO_REF:0000087, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:22139371]' - }, - 'GO:1903442': { - 'name': 'response to lipoic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipoic acid stimulus. [GO_REF:0000071, GOC:sl, GOC:TermGenie, PMID:23232760]' - }, - 'GO:1903443': { - 'name': 'cellular response to lipoic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipoic acid stimulus. [GO_REF:0000071, GOC:sl, GOC:TermGenie, PMID:23232760]' - }, - 'GO:1903444': { - 'name': 'negative regulation of brown fat cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of brown fat cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:23977283]' - }, - 'GO:1903445': { - 'name': 'protein transport from ciliary membrane to plasma membrane', - 'def': 'The directed movement of protein from ciliary membrane to plasma membrane. [GO_REF:0000078, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:22139371]' - }, - 'GO:1903446': { - 'name': 'geraniol metabolic process', - 'def': 'The chemical reactions and pathways involving geraniol. [GO_REF:0000068, GOC:di, GOC:TermGenie, PMID:23200656]' - }, - 'GO:1903447': { - 'name': 'geraniol catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of geraniol. [GO_REF:0000068, GOC:di, GOC:TermGenie, PMID:23200656]' - }, - 'GO:1903448': { - 'name': 'geraniol biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of geraniol. [GO_REF:0000068, GOC:di, GOC:TermGenie, PMID:23200656]' - }, - 'GO:1903449': { - 'name': 'androst-4-ene-3,17-dione biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of androst-4-ene-3,17-dione. [GO_REF:0000068, GOC:mr, GOC:TermGenie, PMID:2028480, PMID:4149619]' - }, - 'GO:1903450': { - 'name': 'regulation of G1 to G0 transition', - 'def': 'Any process that modulates the frequency, rate or extent of G1 to G0 transition. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:24088570]' - }, - 'GO:1903451': { - 'name': 'negative regulation of G1 to G0 transition', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of G1 to G0 transition. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:24088570]' - }, - 'GO:1903452': { - 'name': 'positive regulation of G1 to G0 transition', - 'def': 'Any process that activates or increases the frequency, rate or extent of G1 to G0 transition. [GO_REF:0000058, GOC:di, GOC:TermGenie, PMID:24088570]' - }, - 'GO:1903453': { - 'name': 'RNA interference involved in olfactory learning', - 'def': 'Any RNA interference that is involved in olfactory learning. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, PMID:23993094]' - }, - 'GO:1903454': { - 'name': 'regulation of androst-4-ene-3,17-dione biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of androst-4-ene-3,17-dione biosynthetic process. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:24399684]' - }, - 'GO:1903455': { - 'name': 'negative regulation of androst-4-ene-3,17-dione biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of androst-4-ene-3,17-dione biosynthetic process. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:24399684]' - }, - 'GO:1903456': { - 'name': 'positive regulation of androst-4-ene-3,17-dione biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of androst-4-ene-3,17-dione biosynthetic process. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:24399684]' - }, - 'GO:1903457': { - 'name': 'lactate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lactate. [GO_REF:0000068, GOC:mengo_curators, GOC:TermGenie, PMID:8941775]' - }, - 'GO:1903459': { - 'name': 'mitotic DNA replication lagging strand elongation', - 'def': 'Any lagging strand elongation that is involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903460': { - 'name': 'mitotic DNA replication leading strand elongation', - 'def': 'Any leading strand elongation that is involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903461': { - 'name': 'Okazaki fragment processing involved in mitotic DNA replication', - 'def': 'Any DNA replication, Okazaki fragment processing that is involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903463': { - 'name': 'regulation of mitotic cell cycle DNA replication', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic cell cycle DNA replication. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903464': { - 'name': 'negative regulation of mitotic cell cycle DNA replication', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic cell cycle DNA replication. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903465': { - 'name': 'positive regulation of mitotic cell cycle DNA replication', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic cell cycle DNA replication. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903466': { - 'name': 'regulation of mitotic DNA replication initiation', - 'def': 'Any process that modulates the frequency, rate or extent of DNA replication initiation involved in mitotic DNA replication. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903467': { - 'name': 'negative regulation of mitotic DNA replication initiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA replication initiation involved in mitotic DNA replication. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903468': { - 'name': 'positive regulation of DNA replication initiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA replication initiation involved in mitotic DNA replication. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903469': { - 'name': 'removal of RNA primer involved in mitotic DNA replication', - 'def': 'Any DNA replication, removal of RNA primer that is involved in mitotic cell cycle DNA replication. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903470': { - 'name': 'obsolete actomyosin contractile ring assembly involved in mitotic cell cycle', - 'def': 'OBSOLETE. Any actomyosin contractile ring assembly that is involved in mitotic cell cycle. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903471': { - 'name': 'regulation of mitotic actomyosin contractile ring contraction', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic actomyosin contractile ring contraction. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903472': { - 'name': 'negative regulation of mitotic actomyosin contractile ring contraction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic actomyosin contractile ring contraction. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903473': { - 'name': 'positive regulation of mitotic actomyosin contractile ring contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic actomyosin contractile ring contraction. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:1234]' - }, - 'GO:1903474': { - 'name': 'maintenance of mitotic actomyosin contractile ring localization', - 'def': 'Any maintenance of actomyosin contractile ring localization that is involved in mitotic cell cycle. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie, PMID:12345]' - }, - 'GO:1903475': { - 'name': 'mitotic actomyosin contractile ring assembly', - 'def': 'Any actomyosin contractile ring assembly that is involved in mitotic cytokinesis. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903476': { - 'name': 'protein localization to cell division site involved in mitotic actomyosin contractile ring assembly', - 'def': 'Any protein localization to cell division site that is involved in mitotic actomyosin contractile ring assembly. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903477': { - 'name': 'mitotic contractile ring actin filament bundle assembly', - 'def': 'Any actin filament bundle assembly that is involved in mitotic actomyosin contractile ring assembly. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903478': { - 'name': 'actin filament bundle convergence involved in mitotic contractile ring assembly', - 'def': 'Any actin filament bundle convergence that is involved in mitotic actomyosin contractile ring assembly. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903479': { - 'name': 'mitotic actomyosin contractile ring assembly actin filament organization', - 'def': 'Any actin filament organization that is involved in mitotic actomyosin contractile ring assembly. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903480': { - 'name': 'regulation of actin filament organization involved in mitotic actomyosin contractile ring assembly', - 'def': 'Any process that modulates the frequency, rate or extent of actin filament organization involved in mitotic actomyosin contractile ring assembly. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903481': { - 'name': 'negative regulation of actin filament organization involved in mitotic actomyosin contractile ring assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of actin filament organization involved in mitotic actomyosin contractile ring assembly. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903482': { - 'name': 'positive regulation of actin filament organization involved in mitotic actomyosin contractile ring assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin filament organization involved in mitotic actomyosin contractile ring assembly. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903483': { - 'name': 'regulation of maintenance of mitotic actomyosin contractile ring localization', - 'def': 'Any process that modulates the frequency, rate or extent of maintenance of mitotic actomyosin contractile ring localization. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903484': { - 'name': 'negative regulation of maintenance of mitotic actomyosin contractile ring localization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maintenance of mitotic actomyosin contractile ring localization. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903485': { - 'name': 'positive regulation of maintenance of mitotic actomyosin contractile ring localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of maintenance of mitotic actomyosin contractile ring localization. [GO_REF:0000058, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903486': { - 'name': 'establishment of mitotic actomyosin contractile ring localization', - 'def': 'Any establishment of actomyosin contractile ring localization that is involved in mitotic cell cycle. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903487': { - 'name': 'regulation of lactation', - 'def': 'Any process that modulates the frequency, rate or extent of lactation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:19563620]' - }, - 'GO:1903488': { - 'name': 'negative regulation of lactation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lactation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:19563620]' - }, - 'GO:1903489': { - 'name': 'positive regulation of lactation', - 'def': 'Any process that activates or increases the frequency, rate or extent of lactation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:19563620]' - }, - 'GO:1903490': { - 'name': 'positive regulation of mitotic cytokinesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic cytokinesis. [GO_REF:0000058, GOC:TermGenie, PMID:24920823]' - }, - 'GO:1903491': { - 'name': 'response to simvastatin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a simvastatin stimulus. Simvastatin is a statin used as a cholesterol-lowering and anti-cardiovascular disease drug. [GO_REF:0000071, GOC:sl, GOC:TermGenie, PMID:23100282]' - }, - 'GO:1903492': { - 'name': 'response to acetylsalicylate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an aspirin (acetylsalicylate) stimulus. Aspirin is a non-steroidal anti-inflammatory drug with moA cyclooxygenase inhibitor activity. [GO_REF:0000071, GOC:TermGenie, PMID:23392654]' - }, - 'GO:1903493': { - 'name': 'response to clopidogrel', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a clopidogrel stimulus. Clopidogrel is a is an oral, thienopyridine-class antiplatelet agent used to inhibit blood clots in coronary artery disease, peripheral vascular disease, and cerebrovascular disease. [GO_REF:0000071, GOC:TermGenie, PMID:23392654]' - }, - 'GO:1903494': { - 'name': 'response to dehydroepiandrosterone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dehydroepiandrosterone stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:3585228]' - }, - 'GO:1903495': { - 'name': 'cellular response to dehydroepiandrosterone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dehydroepiandrosterone stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:3585228]' - }, - 'GO:1903496': { - 'name': 'response to 11-deoxycorticosterone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 11-deoxycorticosterone stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:3585228]' - }, - 'GO:1903497': { - 'name': 'cellular response to 11-deoxycorticosterone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 11-deoxycorticosterone stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:3585228]' - }, - 'GO:1903498': { - 'name': 'bundle sheath cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a bundle sheath cell. [GO_REF:0000086, GOC:tb, GOC:TermGenie, PMID:24517883]' - }, - 'GO:1903499': { - 'name': 'regulation of mitotic actomyosin contractile ring assembly', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic actomyosin contractile ring assembly. [GO_REF:0000058, GOC:al, GOC:mtg_cell_cycle, GOC:TermGenie, GOC:vw, PMID:18256290]' - }, - 'GO:1903500': { - 'name': 'negative regulation of mitotic actomyosin contractile ring assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic actomyosin contractile ring assembly. [GO_REF:0000058, GOC:al, GOC:mtg_cell_cycle, GOC:TermGenie, GOC:vw, PMID:18256290]' - }, - 'GO:1903501': { - 'name': 'positive regulation of mitotic actomyosin contractile ring assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic actomyosin contractile ring assembly. [GO_REF:0000058, GOC:al, GOC:mtg_cell_cycle, GOC:TermGenie, GOC:vw, PMID:18256290]' - }, - 'GO:1903502': { - 'name': 'translation repressor complex', - 'def': 'A protein complex which is capable of translation repressor activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:14723848]' - }, - 'GO:1903503': { - 'name': 'ATPase inhibitor complex', - 'def': 'A protein complex which is capable of ATPase inhibitor activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:16170325]' - }, - 'GO:1903504': { - 'name': 'regulation of mitotic spindle checkpoint', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic spindle checkpoint. [GO_REF:0000058, GOC:TermGenie, PMID:23442800]' - }, - 'GO:1903505': { - 'name': 'regulation of establishment of actomyosin contractile ring localization involved in mitotic cell cycle', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of actomyosin contractile ring localization involved in mitotic cell cycle. [GO_REF:0000058, GOC:TermGenie, PMID:24165938]' - }, - 'GO:1903506': { - 'name': 'regulation of nucleic acid-templated transcription', - 'def': 'Any process that modulates the frequency, rate or extent of nucleic acid-templated transcription. [GO_REF:0000058, GOC:pr, GOC:TermGenie, GOC:txnOH, GOC:vw]' - }, - 'GO:1903507': { - 'name': 'negative regulation of nucleic acid-templated transcription', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nucleic acid-templated transcription. [GO_REF:0000058, GOC:pr, GOC:TermGenie, GOC:txnOH, GOC:vw]' - }, - 'GO:1903508': { - 'name': 'positive regulation of nucleic acid-templated transcription', - 'def': 'Any process that activates or increases the frequency, rate or extent of nucleic acid-templated transcription. [GO_REF:0000058, GOC:pr, GOC:TermGenie, GOC:txnOH, GOC:vw]' - }, - 'GO:1903509': { - 'name': 'liposaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving liposaccharide. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:9452964]' - }, - 'GO:1903510': { - 'name': 'mucopolysaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving mucopolysaccharide. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:4236091]' - }, - 'GO:1903511': { - 'name': 'orotic acid metabolic process', - 'def': 'The chemical reactions and pathways involving orotic acid. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:10727948]' - }, - 'GO:1903512': { - 'name': 'phytanic acid metabolic process', - 'def': 'The chemical reactions and pathways involving phytanic acid. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:16799769]' - }, - 'GO:1903513': { - 'name': 'endoplasmic reticulum to cytosol transport', - 'def': 'The directed movement of substances from endoplasmic reticulum to cytosol. [GO_REF:0000076, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:16402920]' - }, - 'GO:1903514': { - 'name': 'calcium ion transport from endoplasmic reticulum to cytosol', - 'def': 'The directed movement of calcium ion from endoplasmic reticulum to cytosol. [GO_REF:0000078, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:16402920]' - }, - 'GO:1903515': { - 'name': 'calcium ion transport from cytosol to endoplasmic reticulum', - 'def': 'The directed movement of calcium ion from cytosol to endoplasmic reticulum. [GO_REF:0000078, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:16402920]' - }, - 'GO:1903516': { - 'name': 'regulation of single strand break repair', - 'def': 'Any process that modulates the frequency, rate or extent of single strand break repair. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17395247]' - }, - 'GO:1903517': { - 'name': 'negative regulation of single strand break repair', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of single strand break repair. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17395247]' - }, - 'GO:1903518': { - 'name': 'positive regulation of single strand break repair', - 'def': 'Any process that activates or increases the frequency, rate or extent of single strand break repair. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17395247]' - }, - 'GO:1903519': { - 'name': 'regulation of mammary gland involution', - 'def': 'Any process that modulates the frequency, rate or extent of mammary gland involution. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:23164222]' - }, - 'GO:1903520': { - 'name': 'negative regulation of mammary gland involution', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mammary gland involution. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:23164222]' - }, - 'GO:1903521': { - 'name': 'positive regulation of mammary gland involution', - 'def': 'Any process that activates or increases the frequency, rate or extent of mammary gland involution. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:23164222]' - }, - 'GO:1903522': { - 'name': 'regulation of blood circulation', - 'def': 'Any process that modulates the frequency, rate or extent of blood circulation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:10659969]' - }, - 'GO:1903523': { - 'name': 'negative regulation of blood circulation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of blood circulation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:10659969]' - }, - 'GO:1903524': { - 'name': 'positive regulation of blood circulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of blood circulation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:10659969]' - }, - 'GO:1903525': { - 'name': 'regulation of membrane tubulation', - 'def': 'Any process that modulates the frequency, rate or extent of membrane tubulation. [GO_REF:0000058, GOC:pm, GOC:TermGenie, PMID:18388313]' - }, - 'GO:1903526': { - 'name': 'negative regulation of membrane tubulation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of membrane tubulation. [GO_REF:0000058, GOC:pm, GOC:TermGenie, PMID:18388313]' - }, - 'GO:1903527': { - 'name': 'positive regulation of membrane tubulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane tubulation. [GO_REF:0000058, GOC:pm, GOC:TermGenie, PMID:18388313]' - }, - 'GO:1903528': { - 'name': 'regulation of dCDP biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of dCDP biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:16317005]' - }, - 'GO:1903529': { - 'name': 'negative regulation of dCDP biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dCDP biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:16317005]' - }, - 'GO:1903530': { - 'name': 'regulation of secretion by cell', - 'def': 'Any process that modulates the frequency, rate or extent of secretion by cell. [GO_REF:0000058, GOC:pm, GOC:TermGenie, PMID:12130530]' - }, - 'GO:1903531': { - 'name': 'negative regulation of secretion by cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of secretion by cell. [GO_REF:0000058, GOC:pm, GOC:TermGenie, PMID:12130530]' - }, - 'GO:1903532': { - 'name': 'positive regulation of secretion by cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of secretion by cell. [GO_REF:0000058, GOC:pm, GOC:TermGenie, PMID:12130530]' - }, - 'GO:1903533': { - 'name': 'regulation of protein targeting', - 'def': 'Any process that modulates the frequency, rate or extent of protein targeting. [GO_REF:0000058, GOC:TermGenie]' - }, - 'GO:1903534': { - 'name': 'regulation of lactose biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of lactose biosynthetic process. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:12018418]' - }, - 'GO:1903535': { - 'name': 'negative regulation of lactose biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lactose biosynthetic process. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:12018418]' - }, - 'GO:1903536': { - 'name': 'positive regulation of lactose biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of lactose biosynthetic process. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:12018418]' - }, - 'GO:1903537': { - 'name': 'meiotic cell cycle process involved in oocyte maturation', - 'def': 'Any meiotic cell cycle process that is involved in oocyte maturation. [GO_REF:0000060, GOC:jz, GOC:TermGenie, PMID:25212395]' - }, - 'GO:1903538': { - 'name': 'regulation of meiotic cell cycle process involved in oocyte maturation', - 'def': 'Any process that modulates the frequency, rate or extent of meiotic cell cycle process involved in oocyte maturation. [GO_REF:0000058, GOC:jz, GOC:TermGenie, PMID:25212395]' - }, - 'GO:1903539': { - 'name': 'protein localization to postsynaptic membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a postsynaptic membrane. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, pmid:9753322]' - }, - 'GO:1903540': { - 'name': 'establishment of protein localization to postsynaptic membrane', - 'def': 'The directed movement of a protein to a specific location in a postsynaptic membrane. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, pmid:9753322]' - }, - 'GO:1903541': { - 'name': 'regulation of exosomal secretion', - 'def': 'Any process that modulates the frequency, rate or extent of exosomal secretion. [GO_REF:0000058, GOC:TermGenie, PMID:24105262]' - }, - 'GO:1903542': { - 'name': 'negative regulation of exosomal secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of exosomal secretion. [GO_REF:0000058, GOC:TermGenie, PMID:24105262]' - }, - 'GO:1903543': { - 'name': 'positive regulation of exosomal secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of exosomal secretion. [GO_REF:0000058, GOC:TermGenie, PMID:24105262]' - }, - 'GO:1903544': { - 'name': 'response to butyrate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a butyrate stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:9734870]' - }, - 'GO:1903545': { - 'name': 'cellular response to butyrate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a butyrate stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:9734870]' - }, - 'GO:1903546': { - 'name': 'protein localization to photoreceptor outer segment', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a photoreceptor outer segment. [GO_REF:0000087, GOC:TermGenie, PMID:11481257, PMID:21867699]' - }, - 'GO:1903547': { - 'name': 'regulation of growth hormone activity', - 'def': 'Any process that modulates the frequency, rate or extent of growth hormone activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:3068266]' - }, - 'GO:1903548': { - 'name': 'negative regulation of growth hormone activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of growth hormone activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:3068266]' - }, - 'GO:1903549': { - 'name': 'positive regulation of growth hormone activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of growth hormone activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:3068266]' - }, - 'GO:1903551': { - 'name': 'regulation of extracellular exosome assembly', - 'def': 'Any process that modulates the frequency, rate or extent of extracellular vesicular exosome assembly. [GO_REF:0000058, GOC:TermGenie, PMID:24105262]' - }, - 'GO:1903552': { - 'name': 'negative regulation of extracellular exosome assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of extracellular vesicular exosome assembly. [GO_REF:0000058, GOC:TermGenie, PMID:24105262]' - }, - 'GO:1903553': { - 'name': 'positive regulation of extracellular exosome assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of extracellular vesicular exosome assembly. [GO_REF:0000058, GOC:TermGenie, PMID:24105262]' - }, - 'GO:1903554': { - 'name': 'G-protein coupled receptor signaling pathway involved in defense response to Gram-negative bacterium', - 'def': 'Any G-protein coupled receptor signaling pathway that is involved in defense response to Gram-negative bacterium. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, pmid:25303524]' - }, - 'GO:1903555': { - 'name': 'regulation of tumor necrosis factor superfamily cytokine production', - 'def': 'Any process that modulates the frequency, rate or extent of tumor necrosis factor superfamily cytokine production. [GO_REF:0000058, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1903556': { - 'name': 'negative regulation of tumor necrosis factor superfamily cytokine production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tumor necrosis factor superfamily cytokine production. [GO_REF:0000058, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1903557': { - 'name': 'positive regulation of tumor necrosis factor superfamily cytokine production', - 'def': 'Any process that activates or increases the frequency, rate or extent of tumor necrosis factor superfamily cytokine production. [GO_REF:0000058, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1903558': { - 'name': '3-cyano-L-alanine metabolic process', - 'def': 'The chemical reactions and pathways involving 3-cyano-L-alanine. [GO_REF:0000068, GOC:kmv, GOC:TermGenie, pmid:24100226, pmid:24843024]' - }, - 'GO:1903559': { - 'name': '3-cyano-L-alanine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of 3-cyano-L-alanine. [GO_REF:0000068, GOC:kmv, GOC:TermGenie, pmid:24100226, pmid:24843024]' - }, - 'GO:1903560': { - 'name': '3-cyano-L-alanine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of 3-cyano-L-alanine. [GO_REF:0000068, GOC:kmv, GOC:TermGenie, pmid:24100226, pmid:24843024]' - }, - 'GO:1903561': { - 'name': 'extracellular vesicle', - 'def': 'Any vesicle that is part of the extracellular region. [GO_REF:0000064, GOC:pm, GOC:TermGenie, PMID:24769233]' - }, - 'GO:1903562': { - 'name': 'microtubule bundle formation involved in mitotic spindle midzone assembly', - 'def': 'Any microtubule bundle formation that is involved in spindle midzone assembly involved in mitosis. [GO_REF:0000060, GOC:TermGenie, PMID:15647375]' - }, - 'GO:1903563': { - 'name': 'microtubule bundle formation involved in horsetail-astral microtubule organization', - 'def': 'Any microtubule bundle formation that is involved in horsetail-astral microtubule organization. [GO_REF:0000060, GOC:TermGenie, PMID:15647375]' - }, - 'GO:1903564': { - 'name': 'regulation of protein localization to cilium', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to cilium. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:22072986]' - }, - 'GO:1903565': { - 'name': 'negative regulation of protein localization to cilium', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to cilium. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:22072986]' - }, - 'GO:1903566': { - 'name': 'positive regulation of protein localization to cilium', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to cilium. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:22072986]' - }, - 'GO:1903567': { - 'name': 'regulation of protein localization to ciliary membrane', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to ciliary membrane. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:22072986]' - }, - 'GO:1903568': { - 'name': 'negative regulation of protein localization to ciliary membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to ciliary membrane. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:22072986]' - }, - 'GO:1903569': { - 'name': 'positive regulation of protein localization to ciliary membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to ciliary membrane. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:22072986]' - }, - 'GO:1903570': { - 'name': 'regulation of protein kinase D signaling', - 'def': 'Any process that modulates the frequency, rate or extent of protein kinase D signaling. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20497126]' - }, - 'GO:1903571': { - 'name': 'negative regulation of protein kinase D signaling', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein kinase D signaling. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20497126]' - }, - 'GO:1903572': { - 'name': 'positive regulation of protein kinase D signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein kinase D signaling. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20497126]' - }, - 'GO:1903573': { - 'name': 'negative regulation of response to endoplasmic reticulum stress', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of a response to endoplasmic reticulum stress. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:11381086]' - }, - 'GO:1903574': { - 'name': 'negative regulation of cellular response to amino acid starvation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of a cellular response to amino acid starvation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:11381086]' - }, - 'GO:1903575': { - 'name': 'cornified envelope assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a cornified envelope. [GO_REF:0000079, GOC:pm, GOC:TermGenie, PMID:22226963, PMID:24794495]' - }, - 'GO:1903576': { - 'name': 'response to L-arginine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-arginine stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:6394628]' - }, - 'GO:1903577': { - 'name': 'cellular response to L-arginine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-arginine stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:6394628]' - }, - 'GO:1903578': { - 'name': 'regulation of ATP metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of ATP metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:20695849]' - }, - 'GO:1903579': { - 'name': 'negative regulation of ATP metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ATP metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:20695849]' - }, - 'GO:1903580': { - 'name': 'positive regulation of ATP metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ATP metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:20695849]' - }, - 'GO:1903581': { - 'name': 'regulation of basophil degranulation', - 'def': 'Any process that modulates the frequency, rate or extent of basophil degranulation. [GO_REF:0000058, GOC:TermGenie, PMID:10880837]' - }, - 'GO:1903582': { - 'name': 'negative regulation of basophil degranulation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of basophil degranulation. [GO_REF:0000058, GOC:TermGenie, PMID:10880837]' - }, - 'GO:1903583': { - 'name': 'positive regulation of basophil degranulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of basophil degranulation. [GO_REF:0000058, GOC:TermGenie, PMID:10880837]' - }, - 'GO:1903584': { - 'name': 'regulation of histone deubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of histone deubiquitination. [GO_REF:0000058, GOC:TermGenie, Pubmed:24526689]' - }, - 'GO:1903585': { - 'name': 'negative regulation of histone deubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone deubiquitination. [GO_REF:0000058, GOC:TermGenie, Pubmed:24526689]' - }, - 'GO:1903586': { - 'name': 'positive regulation of histone deubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone deubiquitination. [GO_REF:0000058, GOC:TermGenie, Pubmed:24526689]' - }, - 'GO:1903587': { - 'name': 'regulation of blood vessel endothelial cell proliferation involved in sprouting angiogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of blood vessel endothelial cell proliferation involved in sprouting angiogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:23388056]' - }, - 'GO:1903588': { - 'name': 'negative regulation of blood vessel endothelial cell proliferation involved in sprouting angiogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of blood vessel endothelial cell proliferation involved in sprouting angiogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:23388056]' - }, - 'GO:1903589': { - 'name': 'positive regulation of blood vessel endothelial cell proliferation involved in sprouting angiogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of blood vessel endothelial cell proliferation involved in sprouting angiogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:23388056]' - }, - 'GO:1903590': { - 'name': 'regulation of lysozyme activity', - 'def': 'Any process that modulates the frequency, rate or extent of lysozyme activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:23954697]' - }, - 'GO:1903591': { - 'name': 'negative regulation of lysozyme activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lysozyme activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:23954697]' - }, - 'GO:1903592': { - 'name': 'positive regulation of lysozyme activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of lysozyme activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:23954697]' - }, - 'GO:1903593': { - 'name': 'regulation of histamine secretion by mast cell', - 'def': 'Any process that modulates the frequency, rate or extent of histamine secretion by mast cell. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18253931]' - }, - 'GO:1903594': { - 'name': 'negative regulation of histamine secretion by mast cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histamine secretion by mast cell. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18253931]' - }, - 'GO:1903595': { - 'name': 'positive regulation of histamine secretion by mast cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of histamine secretion by mast cell. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18253931]' - }, - 'GO:1903596': { - 'name': 'regulation of gap junction assembly', - 'def': 'Any process that modulates the frequency, rate or extent of gap junction assembly. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:25017399]' - }, - 'GO:1903597': { - 'name': 'negative regulation of gap junction assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gap junction assembly. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:25017399]' - }, - 'GO:1903598': { - 'name': 'positive regulation of gap junction assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of gap junction assembly. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:25017399]' - }, - 'GO:1903599': { - 'name': 'positive regulation of mitophagy', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitochondrion degradation. [GO_REF:0000058, GOC:autophagy, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:21753002]' - }, - 'GO:1903600': { - 'name': 'glutaminase complex', - 'def': 'A protein complex which is capable of glutaminase activity. [GO_REF:0000088, GOC:TermGenie, PMID:14764090]' - }, - 'GO:1903601': { - 'name': 'thermospermine metabolic process', - 'def': 'The chemical reactions and pathways involving thermospermine. [GO_REF:0000068, GOC:TermGenie, PMID:24906355]' - }, - 'GO:1903602': { - 'name': 'thermospermine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of thermospermine. [GO_REF:0000068, GOC:TermGenie, PMID:24906355]' - }, - 'GO:1903603': { - 'name': 'thermospermine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of thermospermine. [GO_REF:0000068, GOC:TermGenie, PMID:24906355]' - }, - 'GO:1903604': { - 'name': 'cytochrome metabolic process', - 'def': 'The chemical reactions and pathways involving a cytochrome. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:19721088]' - }, - 'GO:1903605': { - 'name': 'cytochrome biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a cytochrome. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:19721088]' - }, - 'GO:1903606': { - 'name': 'cytochrome c metabolic process', - 'def': 'The chemical reactions and pathways involving cytochrome c. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:19721088]' - }, - 'GO:1903607': { - 'name': 'cytochrome c biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of cytochrome c. [GO_REF:0000068, GOC:dph, GOC:TermGenie, PMID:19721088]' - }, - 'GO:1903608': { - 'name': 'protein localization to cytoplasmic stress granule', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cytoplasmic stress granule. [GO_REF:0000087, GOC:TermGenie, PMID:24755092]' - }, - 'GO:1903609': { - 'name': 'negative regulation of inward rectifier potassium channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of inward rectifier potassium channel activity. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:18923542]' - }, - 'GO:1903610': { - 'name': 'regulation of calcium-dependent ATPase activity', - 'def': 'Any process that modulates the frequency, rate or extent of calcium-dependent ATPase activity. [GO_REF:0000059, GOC:TermGenie, PMID:10861851]' - }, - 'GO:1903611': { - 'name': 'negative regulation of calcium-dependent ATPase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium-dependent ATPase activity. [GO_REF:0000059, GOC:TermGenie, PMID:10861851]' - }, - 'GO:1903612': { - 'name': 'positive regulation of calcium-dependent ATPase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium-dependent ATPase activity. [GO_REF:0000059, GOC:TermGenie, PMID:10861851]' - }, - 'GO:1903613': { - 'name': 'regulation of protein tyrosine phosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of protein tyrosine phosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:11129957]' - }, - 'GO:1903614': { - 'name': 'negative regulation of protein tyrosine phosphatase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein tyrosine phosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:11129957]' - }, - 'GO:1903615': { - 'name': 'positive regulation of protein tyrosine phosphatase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein tyrosine phosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:11129957]' - }, - 'GO:1903616': { - 'name': 'MAPK cascade involved in axon regeneration', - 'def': 'Any MAPK cascade that is involved in axon regeneration. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, PMID:19164707, PMID:19417215, PMID:19737525]' - }, - 'GO:1903617': { - 'name': 'positive regulation of mitotic cytokinesis, site selection', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic cytokinesis, site selection. [GO_REF:0000058, GOC:TermGenie, PMID:21246752]' - }, - 'GO:1903618': { - 'name': 'regulation of transdifferentiation', - 'def': 'Any process that modulates the frequency, rate or extent of transdifferentiation. [GO_REF:0000058, GOC:TermGenie, PMID:22118091]' - }, - 'GO:1903619': { - 'name': 'negative regulation of transdifferentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transdifferentiation. [GO_REF:0000058, GOC:TermGenie, PMID:22118091]' - }, - 'GO:1903620': { - 'name': 'positive regulation of transdifferentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of transdifferentiation. [GO_REF:0000058, GOC:TermGenie, PMID:22118091]' - }, - 'GO:1903621': { - 'name': 'protein localization to photoreceptor connecting cilium', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a photoreceptor connecting cilium. [GO_REF:0000087, GOC:lb, GOC:TermGenie, PMID:25398945]' - }, - 'GO:1903622': { - 'name': 'regulation of RNA polymerase III activity', - 'def': 'Any process that modulates the frequency, rate or extent of RNA polymerase III activity. [GO_REF:0000059, GOC:TermGenie, PMID:25392932]' - }, - 'GO:1903623': { - 'name': 'negative regulation of RNA polymerase III activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of RNA polymerase III activity. [GO_REF:0000059, GOC:TermGenie, PMID:25392932]' - }, - 'GO:1903624': { - 'name': 'regulation of DNA catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of DNA catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:2001740]' - }, - 'GO:1903625': { - 'name': 'negative regulation of DNA catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:2001740]' - }, - 'GO:1903626': { - 'name': 'positive regulation of DNA catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:2001740]' - }, - 'GO:1903627': { - 'name': 'regulation of dUTP diphosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of dUTP diphosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:1315924]' - }, - 'GO:1903628': { - 'name': 'negative regulation of dUTP diphosphatase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dUTP diphosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:1315924]' - }, - 'GO:1903629': { - 'name': 'positive regulation of dUTP diphosphatase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of dUTP diphosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:1315924]' - }, - 'GO:1903630': { - 'name': 'regulation of aminoacyl-tRNA ligase activity', - 'def': 'Any process that modulates the frequency, rate or extent of aminoacyl-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:2280766]' - }, - 'GO:1903631': { - 'name': 'negative regulation of aminoacyl-tRNA ligase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aminoacyl-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:2280766]' - }, - 'GO:1903632': { - 'name': 'positive regulation of aminoacyl-tRNA ligase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of aminoacyl-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:2280766]' - }, - 'GO:1903633': { - 'name': 'regulation of leucine-tRNA ligase activity', - 'def': 'Any process that modulates the frequency, rate or extent of leucine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:2280766]' - }, - 'GO:1903634': { - 'name': 'negative regulation of leucine-tRNA ligase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leucine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:2280766]' - }, - 'GO:1903635': { - 'name': 'positive regulation of leucine-tRNA ligase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of leucine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:2280766]' - }, - 'GO:1903636': { - 'name': 'regulation of protein import into mitochondrial outer membrane', - 'def': 'Any process that modulates the frequency, rate or extent of protein import into mitochondrial outer membrane. [GO_REF:0000058, GOC:TermGenie, PMID:16374546]' - }, - 'GO:1903637': { - 'name': 'negative regulation of protein import into mitochondrial outer membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein import into mitochondrial outer membrane. [GO_REF:0000058, GOC:TermGenie, PMID:16374546]' - }, - 'GO:1903638': { - 'name': 'positive regulation of protein import into mitochondrial outer membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein import into mitochondrial outer membrane. [GO_REF:0000058, GOC:TermGenie, PMID:16374546]' - }, - 'GO:1903639': { - 'name': 'regulation of gastrin-induced gastric acid secretion', - 'def': 'Any process that modulates the frequency, rate or extent of gastrin-induced gastric acid secretion. [GO_REF:0000058, GOC:TermGenie, PMID:11123201]' - }, - 'GO:1903640': { - 'name': 'negative regulation of gastrin-induced gastric acid secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gastrin-induced gastric acid secretion. [GO_REF:0000058, GOC:TermGenie, PMID:11123201]' - }, - 'GO:1903641': { - 'name': 'positive regulation of gastrin-induced gastric acid secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of gastrin-induced gastric acid secretion. [GO_REF:0000058, GOC:TermGenie, PMID:11123201]' - }, - 'GO:1903642': { - 'name': 'regulation of recombination hotspot binding', - 'def': 'Any process that modulates the frequency, rate or extent of recombination hotspot binding. [GO_REF:0000059, GOC:TermGenie, PMID:19436749]' - }, - 'GO:1903643': { - 'name': 'positive regulation of recombination hotspot binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of recombination hotspot binding. [GO_REF:0000059, GOC:TermGenie, PMID:19436749]' - }, - 'GO:1903644': { - 'name': 'regulation of chaperone-mediated protein folding', - 'def': 'Any process that modulates the frequency, rate or extent of chaperone-mediated protein folding. [GO_REF:0000058, GOC:TermGenie, PMID:24375412]' - }, - 'GO:1903645': { - 'name': 'negative regulation of chaperone-mediated protein folding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chaperone-mediated protein folding. [GO_REF:0000058, GOC:TermGenie, PMID:24375412]' - }, - 'GO:1903646': { - 'name': 'positive regulation of chaperone-mediated protein folding', - 'def': 'Any process that activates or increases the frequency, rate or extent of chaperone-mediated protein folding. [GO_REF:0000058, GOC:TermGenie, PMID:24375412]' - }, - 'GO:1903647': { - 'name': 'negative regulation of chlorophyll catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chlorophyll catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:24719469]' - }, - 'GO:1903648': { - 'name': 'positive regulation of chlorophyll catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of chlorophyll catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:24719469]' - }, - 'GO:1903649': { - 'name': 'regulation of cytoplasmic transport', - 'def': 'Any process that modulates the frequency, rate or extent of cytoplasmic transport. [GO_REF:0000058, GOC:TermGenie, PMID:25049409]' - }, - 'GO:1903650': { - 'name': 'negative regulation of cytoplasmic transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cytoplasmic transport. [GO_REF:0000058, GOC:TermGenie, PMID:25049409]' - }, - 'GO:1903651': { - 'name': 'positive regulation of cytoplasmic transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytoplasmic transport. [GO_REF:0000058, GOC:TermGenie, PMID:25049409]' - }, - 'GO:1903652': { - 'name': 'modulation by virus of host cytoplasmic transport', - 'def': 'Modulation by an infecting virus of host cytoplasmic transport. [GO_REF:0000063, GOC:TermGenie, PMID:25049409]' - }, - 'GO:1903653': { - 'name': 'modulation by symbiont of host cell motility', - 'def': 'Modulation of host cell motility by a symbiont of that host. [GO_REF:0000063, GOC:TermGenie, PMID:25049409]' - }, - 'GO:1903654': { - 'name': 'phosphorylation of RNA polymerase II C-terminal domain serine 5 residues involved in positive regulation of transcription elongation from RNA polymerase II promoter', - 'def': 'Any phosphorylation of RNA polymerase II C-terminal domain serine 5 residues that is involved in positive regulation of transcription elongation from RNA polymerase II promoter. [GO_REF:0000060, GOC:TermGenie, PMID:19328067]' - }, - 'GO:1903655': { - 'name': 'phosphorylation of RNA polymerase II C-terminal domain serine 2 residues involved in positive regulation of transcription elongation from RNA polymerase II promoter', - 'def': 'Any phosphorylation of RNA polymerase II C-terminal domain serine 2 residues that is involved in positive regulation of transcription elongation from RNA polymerase II promoter. [GO_REF:0000060, GOC:TermGenie, PMID:19328067]' - }, - 'GO:1903656': { - 'name': 'regulation of type IV pilus biogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of type IV pilus biogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:25049409]' - }, - 'GO:1903657': { - 'name': 'negative regulation of type IV pilus biogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of type IV pilus biogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:25049409]' - }, - 'GO:1903658': { - 'name': 'positive regulation of type IV pilus biogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of type IV pilus biogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:25049409]' - }, - 'GO:1903659': { - 'name': 'regulation of complement-dependent cytotoxicity', - 'def': 'Any process that modulates the frequency, rate or extent of complement-dependent cytotoxicity. [GO_REF:0000058, GOC:TermGenie, PMID:24280217]' - }, - 'GO:1903660': { - 'name': 'negative regulation of complement-dependent cytotoxicity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of complement-dependent cytotoxicity. [GO_REF:0000058, GOC:TermGenie, PMID:24280217]' - }, - 'GO:1903661': { - 'name': 'positive regulation of complement-dependent cytotoxicity', - 'def': 'Any process that activates or increases the frequency, rate or extent of complement-dependent cytotoxicity. [GO_REF:0000058, GOC:TermGenie, PMID:24280217]' - }, - 'GO:1903662': { - 'name': 'L-altrarate metabolic process', - 'def': 'The chemical reactions and pathways involving L-altrarate. [GO_REF:0000068, GOC:TermGenie, PMID:17649980]' - }, - 'GO:1903663': { - 'name': 'L-altrarate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of L-altrarate. [GO_REF:0000068, GOC:TermGenie, PMID:17649980]' - }, - 'GO:1903664': { - 'name': 'regulation of asexual reproduction', - 'def': 'Any process that modulates the frequency, rate or extent of asexual reproduction. [GO_REF:0000058, GOC:TermGenie, PMID:24390142]' - }, - 'GO:1903665': { - 'name': 'negative regulation of asexual reproduction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of asexual reproduction. [GO_REF:0000058, GOC:TermGenie, PMID:24390142]' - }, - 'GO:1903666': { - 'name': 'positive regulation of asexual reproduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of asexual reproduction. [GO_REF:0000058, GOC:TermGenie, PMID:24390142]' - }, - 'GO:1903667': { - 'name': 'regulation of chemorepellent activity', - 'def': 'Any process that modulates the frequency, rate or extent of chemorepellent activity. [GO_REF:0000059, GOC:TermGenie, PMID:22711818, PMID:24390142]' - }, - 'GO:1903668': { - 'name': 'negative regulation of chemorepellent activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chemorepellent activity. [GO_REF:0000059, GOC:TermGenie, PMID:22711818, PMID:24390142]' - }, - 'GO:1903669': { - 'name': 'positive regulation of chemorepellent activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of chemorepellent activity. [GO_REF:0000059, GOC:TermGenie, PMID:22711818, PMID:24390142]' - }, - 'GO:1903670': { - 'name': 'regulation of sprouting angiogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of sprouting angiogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:16756958]' - }, - 'GO:1903671': { - 'name': 'negative regulation of sprouting angiogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sprouting angiogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:16756958]' - }, - 'GO:1903672': { - 'name': 'positive regulation of sprouting angiogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of sprouting angiogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:16756958]' - }, - 'GO:1903673': { - 'name': 'mitotic cleavage furrow formation', - 'def': 'Any cleavage furrow formation that is involved in mitotic cell cycle. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903674': { - 'name': 'regulation of cap-dependent translational initiation', - 'def': 'Any process that modulates the frequency, rate or extent of cap-dependent translational initiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903675': { - 'name': 'negative regulation of cap-dependent translational initiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cap-dependent translational initiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903676': { - 'name': 'positive regulation of cap-dependent translational initiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cap-dependent translational initiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:11959995]' - }, - 'GO:1903677': { - 'name': 'regulation of cap-independent translational initiation', - 'def': 'Any process that modulates the frequency, rate or extent of cap-independent translational initiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903678': { - 'name': 'negative regulation of cap-independent translational initiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cap-independent translational initiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903679': { - 'name': 'positive regulation of cap-independent translational initiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cap-independent translational initiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:11959995]' - }, - 'GO:1903680': { - 'name': 'acinar cell of sebaceous gland differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an acinar cell of sebaceous gland. [GO_REF:0000086, GOC:TermGenie, PMID:17018284, PMID:18334552, PMID:19944183]' - }, - 'GO:1903681': { - 'name': 'regulation of epithelial cell-cell adhesion involved in epithelium migration', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial cell-cell adhesion involved in epithelium migration. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18394891]' - }, - 'GO:1903682': { - 'name': 'negative regulation of epithelial cell-cell adhesion involved in epithelium migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of epithelial cell-cell adhesion involved in epithelium migration. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18394891]' - }, - 'GO:1903683': { - 'name': 'positive regulation of epithelial cell-cell adhesion involved in epithelium migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of epithelial cell-cell adhesion involved in epithelium migration. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18394891]' - }, - 'GO:1903684': { - 'name': 'regulation of border follicle cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of border follicle cell migration. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18394891]' - }, - 'GO:1903687': { - 'name': 'negative regulation of border follicle cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of border follicle cell migration. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18394891]' - }, - 'GO:1903688': { - 'name': 'positive regulation of border follicle cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of border follicle cell migration. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18394891]' - }, - 'GO:1903689': { - 'name': 'regulation of wound healing, spreading of epidermal cells', - 'def': 'Any process that modulates the frequency, rate or extent of wound healing, spreading of epidermal cells. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18394891]' - }, - 'GO:1903690': { - 'name': 'negative regulation of wound healing, spreading of epidermal cells', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of wound healing, spreading of epidermal cells. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18394891]' - }, - 'GO:1903691': { - 'name': 'positive regulation of wound healing, spreading of epidermal cells', - 'def': 'Any process that activates or increases the frequency, rate or extent of wound healing, spreading of epidermal cells. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18394891]' - }, - 'GO:1903692': { - 'name': 'methionine import into cell', - 'def': 'The directed movement of methionine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:17556368]' - }, - 'GO:1903693': { - 'name': 'regulation of mitotic G1 cell cycle arrest in response to nitrogen starvation', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic G1 cell cycle arrest in response to nitrogen starvation. [GO_REF:0000058, GOC:TermGenie, PMID:15713656]' - }, - 'GO:1903694': { - 'name': 'positive regulation of mitotic G1 cell cycle arrest in response to nitrogen starvation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic G1 cell cycle arrest in response to nitrogen starvation. [GO_REF:0000058, GOC:TermGenie, PMID:15713656]' - }, - 'GO:1903695': { - 'name': 'MAPK cascade involved in ascospore formation', - 'def': 'Any MAPK cascade that is involved in ascospore formation. [GO_REF:0000060, GOC:TermGenie, PMID:8443406]' - }, - 'GO:1903696': { - 'name': 'protein localization to horsetail-astral microtubule array', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a horsetail-astral microtubule array. [GO_REF:0000087, GOC:TermGenie, PMID:11907273]' - }, - 'GO:1903697': { - 'name': 'negative regulation of microvillus assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of microvillus assembly. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22797597]' - }, - 'GO:1903698': { - 'name': 'positive regulation of microvillus assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of microvillus assembly. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22797597]' - }, - 'GO:1903699': { - 'name': 'tarsal gland development', - 'def': 'The process whose specific outcome is the progression of a tarsal gland over time, from its formation to the mature structure. [GO_REF:0000094, GOC:TermGenie, PMID:20664693]' - }, - 'GO:1903700': { - 'name': 'caecum development', - 'def': 'The process whose specific outcome is the progression of a caecum over time, from its formation to the mature structure. [GO_REF:0000094, GOC:TermGenie, ISBN:0-683-40008-8]' - }, - 'GO:1903701': { - 'name': 'substantia propria of cornea development', - 'def': 'The process whose specific outcome is the progression of a substantia propria of cornea over time, from its formation to the mature structure. [GO_REF:0000094, GOC:TermGenie, PMID:12556382]' - }, - 'GO:1903702': { - 'name': 'esophagus development', - 'def': 'The process whose specific outcome is the progression of an esophagus over time, from its formation to the mature structure. [GO_REF:0000094, GOC:TermGenie, ISBN:0-683-40008-8]' - }, - 'GO:1903703': { - 'name': 'enterocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of an enterocyte. [GO_REF:0000086, GOC:TermGenie, http://en.wikipedia.org/wiki/List_of_intestinal_epithelial_differentiation_genes, PMID:16782882]' - }, - 'GO:1903704': { - 'name': 'negative regulation of production of siRNA involved in RNA interference', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of production of siRNA involved in RNA interference. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19701182]' - }, - 'GO:1903705': { - 'name': 'positive regulation of production of siRNA involved in RNA interference', - 'def': 'Any process that activates or increases the frequency, rate or extent of production of siRNA involved in RNA interference. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19701182]' - }, - 'GO:1903706': { - 'name': 'regulation of hemopoiesis', - 'def': 'Any process that modulates the frequency, rate or extent of hemopoiesis. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:20080761]' - }, - 'GO:1903707': { - 'name': 'negative regulation of hemopoiesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hemopoiesis. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:20080761]' - }, - 'GO:1903708': { - 'name': 'positive regulation of hemopoiesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of hemopoiesis. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:20080761]' - }, - 'GO:1903709': { - 'name': 'uterine gland development', - 'def': 'The process whose specific outcome is the progression of an uterine gland over time, from its formation to the mature structure. [GO_REF:0000094, GOC:TermGenie, PMID:23619340]' - }, - 'GO:1903710': { - 'name': 'spermine transmembrane transport', - 'def': 'The directed movement of spermine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:15637075]' - }, - 'GO:1903711': { - 'name': 'spermidine transmembrane transport', - 'def': 'The directed movement of spermidine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:15637075]' - }, - 'GO:1903712': { - 'name': 'cysteine transmembrane transport', - 'def': 'The directed movement of cysteine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:17435223]' - }, - 'GO:1903713': { - 'name': 'asparagine transmembrane transport', - 'def': 'The directed movement of asparagine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:18503766]' - }, - 'GO:1903714': { - 'name': 'isoleucine transmembrane transport', - 'def': 'The directed movement of isoleucine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:18503766]' - }, - 'GO:1903715': { - 'name': 'regulation of aerobic respiration', - 'def': 'Any process that modulates the frequency, rate or extent of aerobic respiration. [GO_REF:0000058, GOC:TermGenie, PMID:19266076]' - }, - 'GO:1903716': { - 'name': 'guanine transmembrane transport', - 'def': 'The directed movement of guanine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:14998997]' - }, - 'GO:1903717': { - 'name': 'response to ammonia', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ammonia stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23509267]' - }, - 'GO:1903718': { - 'name': 'cellular response to ammonia', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ammonia stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23509267]' - }, - 'GO:1903719': { - 'name': 'regulation of I-kappaB phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of I-kappaB phosphorylation. [GO_REF:0000058, GOC:TermGenie, PubMed:23675531]' - }, - 'GO:1903720': { - 'name': 'negative regulation of I-kappaB phosphorylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of I-kappaB phosphorylation. [GO_REF:0000058, GOC:TermGenie, PubMed:23675531]' - }, - 'GO:1903721': { - 'name': 'positive regulation of I-kappaB phosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of I-kappaB phosphorylation. [GO_REF:0000058, GOC:TermGenie, PubMed:23675531]' - }, - 'GO:1903722': { - 'name': 'regulation of centriole elongation', - 'def': 'Any process that modulates the frequency, rate or extent of centriole elongation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:20616062]' - }, - 'GO:1903723': { - 'name': 'negative regulation of centriole elongation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of centriole elongation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:20616062]' - }, - 'GO:1903724': { - 'name': 'positive regulation of centriole elongation', - 'def': 'Any process that activates or increases the frequency, rate or extent of centriole elongation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:20616062]' - }, - 'GO:1903725': { - 'name': 'regulation of phospholipid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of phospholipid metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:10657240]' - }, - 'GO:1903726': { - 'name': 'negative regulation of phospholipid metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phospholipid metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:10657240]' - }, - 'GO:1903727': { - 'name': 'positive regulation of phospholipid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of phospholipid metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:10657240]' - }, - 'GO:1903728': { - 'name': 'luteal cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a luteal cell. Large luteal cells develop from granulosa cells. Small luteal cells develop from theca cells. [GO_REF:0000086, GOC:TermGenie, MP:0001133]' - }, - 'GO:1903729': { - 'name': 'regulation of plasma membrane organization', - 'def': 'Any process that modulates the frequency, rate or extent of plasma membrane organization. [GO_REF:0000058, GOC:TermGenie, PMID:24514900]' - }, - 'GO:1903730': { - 'name': 'regulation of phosphatidate phosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of phosphatidate phosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:22334681, PMID:24876385, PMID:25359770]' - }, - 'GO:1903740': { - 'name': 'positive regulation of phosphatidate phosphatase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidate phosphatase activity. [GO_REF:0000059, GOC:rn, GOC:TermGenie, PMID:25359770]' - }, - 'GO:1903741': { - 'name': 'negative regulation of phosphatidate phosphatase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phosphatidate phosphatase activity. [GO_REF:0000059, GOC:rn, GOC:TermGenie, PMID:22334681]' - }, - 'GO:1903742': { - 'name': 'regulation of anterograde synaptic vesicle transport', - 'def': 'Any process that modulates the frequency, rate or extent of anterograde synaptic vesicle transport. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:25329901]' - }, - 'GO:1903743': { - 'name': 'negative regulation of anterograde synaptic vesicle transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anterograde synaptic vesicle transport. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:25329901]' - }, - 'GO:1903744': { - 'name': 'positive regulation of anterograde synaptic vesicle transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of anterograde synaptic vesicle transport. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:25329901]' - }, - 'GO:1903745': { - 'name': 'negative regulation of pharyngeal pumping', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pharyngeal pumping. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:25329901]' - }, - 'GO:1903746': { - 'name': 'positive regulation of pharyngeal pumping', - 'def': 'Any process that activates or increases the frequency, rate or extent of pharyngeal pumping. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, pmid:25329901]' - }, - 'GO:1903747': { - 'name': 'regulation of establishment of protein localization to mitochondrion', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of protein localization to mitochondrion. [GO_REF:0000058, GOC:TermGenie, PMID:16857185]' - }, - 'GO:1903748': { - 'name': 'negative regulation of establishment of protein localization to mitochondrion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of protein localization to mitochondrion. [GO_REF:0000058, GOC:TermGenie, PMID:16857185]' - }, - 'GO:1903749': { - 'name': 'positive regulation of establishment of protein localization to mitochondrion', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of protein localization to mitochondrion. [GO_REF:0000058, GOC:TermGenie, PMID:16857185]' - }, - 'GO:1903750': { - 'name': 'regulation of intrinsic apoptotic signaling pathway in response to hydrogen peroxide', - 'def': 'Any process that modulates the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to hydrogen peroxide. [GO_REF:0000058, GOC:TermGenie, PMID:18681888]' - }, - 'GO:1903751': { - 'name': 'negative regulation of intrinsic apoptotic signaling pathway in response to hydrogen peroxide', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to hydrogen peroxide. [GO_REF:0000058, GOC:TermGenie, PMID:18681888]' - }, - 'GO:1903752': { - 'name': 'positive regulation of intrinsic apoptotic signaling pathway in response to hydrogen peroxide', - 'def': 'Any process that activates or increases the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to hydrogen peroxide. [GO_REF:0000058, GOC:TermGenie, PMID:18681888]' - }, - 'GO:1903753': { - 'name': 'negative regulation of p38MAPK cascade', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of p38MAPK cascade. [GO_REF:0000058, GOC:TermGenie, PMID:18681888]' - }, - 'GO:1903754': { - 'name': 'cortical microtubule plus-end', - 'def': 'The plus-end of a cortical microtubule. [GO_REF:0000064, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903755': { - 'name': 'positive regulation of SUMO transferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of SUMO transferase activity. [GO_REF:0000059, GOC:PARL, GOC:rl, GOC:TermGenie, PMID:19955185]' - }, - 'GO:1903756': { - 'name': 'regulation of transcription from RNA polymerase II promoter by histone modification', - 'def': 'A histone modification that results in regulation of transcription from RNA polymerase II promoter. [GO_REF:0000063, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21102443]' - }, - 'GO:1903757': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter by histone modification', - 'def': 'A histone modification that results in positive regulation of transcription from RNA polymerase II promoter. [GO_REF:0000063, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21102443]' - }, - 'GO:1903758': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter by histone modification', - 'def': 'A histone modification that results in negative regulation of transcription from RNA polymerase II promoter. [GO_REF:0000063, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:21102443]' - }, - 'GO:1903759': { - 'name': 'signal transduction involved in regulation of aerobic respiration', - 'def': 'Any signal transduction that is involved in regulation of aerobic respiration. [GO_REF:0000060, GOC:TermGenie, PMID:19266076]' - }, - 'GO:1903760': { - 'name': 'regulation of voltage-gated potassium channel activity involved in ventricular cardiac muscle cell action potential repolarization', - 'def': 'Any process that modulates the frequency, rate or extent of voltage-gated potassium channel activity involved in ventricular cardiac muscle cell action potential repolarization. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:18337493]' - }, - 'GO:1903761': { - 'name': 'negative regulation of voltage-gated potassium channel activity involved in ventricular cardiac muscle cell action potential repolarization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of voltage-gated potassium channel activity involved in ventricular cardiac muscle cell action potential repolarization. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:18337493]' - }, - 'GO:1903762': { - 'name': 'positive regulation of voltage-gated potassium channel activity involved in ventricular cardiac muscle cell action potential repolarization', - 'def': 'Any process that activates or increases the frequency, rate or extent of voltage-gated potassium channel activity involved in ventricular cardiac muscle cell action potential repolarization. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:18337493]' - }, - 'GO:1903763': { - 'name': 'gap junction channel activity involved in cell communication by electrical coupling', - 'def': 'Any gap junction channel activity that is involved in cell communication by electrical coupling. [GO_REF:0000061, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:24587307]' - }, - 'GO:1903764': { - 'name': 'regulation of potassium ion export across plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of potassium ion export across plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:19646991]' - }, - 'GO:1903765': { - 'name': 'negative regulation of potassium ion export across plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of potassium ion export across plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:19646991]' - }, - 'GO:1903766': { - 'name': 'positive regulation of potassium ion export across plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of potassium ion export across plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rl, GOC:TermGenie, PMID:19646991]' - }, - 'GO:1903767': { - 'name': 'sweet taste receptor complex', - 'def': 'A protein complex which is capable of sweet taste receptor activity. [GO_REF:0000088, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16720576]' - }, - 'GO:1903768': { - 'name': 'taste receptor complex', - 'def': 'A protein complex which is capable of taste receptor activity. [GO_REF:0000088, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16720576]' - }, - 'GO:1903769': { - 'name': 'negative regulation of cell proliferation in bone marrow', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell proliferation in bone marrow. [GO_REF:0000058, GOC:TermGenie, PMID:9241534]' - }, - 'GO:1903770': { - 'name': 'negative regulation of beta-galactosidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of beta-galactosidase activity. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:11927518]' - }, - 'GO:1903771': { - 'name': 'positive regulation of beta-galactosidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of beta-galactosidase activity. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:11927518]' - }, - 'GO:1903772': { - 'name': 'regulation of viral budding via host ESCRT complex', - 'def': 'Any process that modulates the frequency, rate or extent of viral budding via host ESCRT complex. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24878737]' - }, - 'GO:1903773': { - 'name': 'negative regulation of viral budding via host ESCRT complex', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of viral budding via host ESCRT complex. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24878737]' - }, - 'GO:1903774': { - 'name': 'positive regulation of viral budding via host ESCRT complex', - 'def': 'Any process that activates or increases the frequency, rate or extent of viral budding via host ESCRT complex. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:24878737]' - }, - 'GO:1903775': { - 'name': 'regulation of DNA double-strand break processing', - 'def': 'Any process that modulates the frequency, rate or extent of DNA double-strand break processing. [GO_REF:0000058, GOC:TermGenie, PMID:25203555]' - }, - 'GO:1903776': { - 'name': 'regulation of double-strand break repair via single-strand annealing, removal of nonhomologous ends', - 'def': 'Any process that modulates the frequency, rate or extent of double-strand break repair via single-strand annealing, removal of nonhomologous ends. [GO_REF:0000058, GOC:TermGenie, PMID:25203555]' - }, - 'GO:1903777': { - 'name': 'melibiose binding', - 'def': 'Interacting selectively and non-covalently with melibiose. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:11471732]' - }, - 'GO:1903778': { - 'name': 'protein localization to vacuolar membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a vacuolar membrane. [GO_REF:0000087, GOC:TermGenie, PMID:25378562]' - }, - 'GO:1903779': { - 'name': 'regulation of cardiac conduction', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac conduction. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:12967627]' - }, - 'GO:1903780': { - 'name': 'negative regulation of cardiac conduction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac conduction. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:12967627]' - }, - 'GO:1903781': { - 'name': 'positive regulation of cardiac conduction', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac conduction. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:12967627]' - }, - 'GO:1903782': { - 'name': 'regulation of sodium ion import across plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of sodium ion import across plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:19376779]' - }, - 'GO:1903783': { - 'name': 'negative regulation of sodium ion import across plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sodium ion import across plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:19376779]' - }, - 'GO:1903784': { - 'name': 'positive regulation of sodium ion import across plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of sodium ion import across plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:19376779]' - }, - 'GO:1903785': { - 'name': 'L-valine transmembrane transport', - 'def': 'The directed movement of L-valine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:20944394]' - }, - 'GO:1903786': { - 'name': 'regulation of glutathione biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of glutathione biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903787': { - 'name': 'negative regulation of glutathione biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glutathione biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903788': { - 'name': 'positive regulation of glutathione biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of glutathione biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903789': { - 'name': 'regulation of amino acid transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of amino acid transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:16115814]' - }, - 'GO:1903790': { - 'name': 'guanine nucleotide transmembrane transport', - 'def': 'The directed movement of guanyl nucleotide across a membrane. [GO_REF:0000069, GOC:dph, GOC:TermGenie, GOC:vw, PMID:25320081]' - }, - 'GO:1903791': { - 'name': 'uracil transmembrane transport', - 'def': 'The directed movement of uracil across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:8948441]' - }, - 'GO:1903792': { - 'name': 'negative regulation of anion transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anion transport. [GO_REF:0000058, GOC:TermGenie, PMID:11336802]' - }, - 'GO:1903793': { - 'name': 'positive regulation of anion transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of anion transport. [GO_REF:0000058, GOC:TermGenie, PMID:11336802]' - }, - 'GO:1903794': { - 'name': 'cortisol binding', - 'def': 'Interacting selectively and non-covalently with cortisol. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:18483153]' - }, - 'GO:1903795': { - 'name': 'regulation of inorganic anion transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of inorganic anion transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:11336802]' - }, - 'GO:1903796': { - 'name': 'negative regulation of inorganic anion transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of inorganic anion transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:11336802]' - }, - 'GO:1903797': { - 'name': 'positive regulation of inorganic anion transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of inorganic anion transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:11336802]' - }, - 'GO:1903798': { - 'name': 'regulation of production of miRNAs involved in gene silencing by miRNA', - 'def': 'Any process that modulates the frequency, rate or extent of production of miRNAs involved in gene silencing by miRNA. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22269326]' - }, - 'GO:1903799': { - 'name': 'negative regulation of production of miRNAs involved in gene silencing by miRNA', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of production of miRNAs involved in gene silencing by miRNA. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22269326]' - }, - 'GO:1903800': { - 'name': 'positive regulation of production of miRNAs involved in gene silencing by miRNA', - 'def': 'Any process that activates or increases the frequency, rate or extent of production of miRNAs involved in gene silencing by miRNA. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22269326]' - }, - 'GO:1903801': { - 'name': 'L-leucine import into cell', - 'def': 'The directed movement of L-leucine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903802': { - 'name': 'L-glutamate(1-) import into cell', - 'def': 'The directed movement of L-glutamate(1-) into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903803': { - 'name': 'L-glutamine import into cell', - 'def': 'The directed movement of L-glutamine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903804': { - 'name': 'glycine import into cell', - 'def': 'The directed movement of glycine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903805': { - 'name': 'L-valine import into cell', - 'def': 'The directed movement of L-valine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903806': { - 'name': 'L-isoleucine import into cell', - 'def': 'The directed movement of L-isoleucine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903807': { - 'name': 'L-threonine import into cell', - 'def': 'The directed movement of L-threonine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903808': { - 'name': 'L-tyrosine import into cell', - 'def': 'The directed movement of L-tyrosine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903809': { - 'name': 'L-proline import into cell', - 'def': 'The directed movement of L-proline into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903810': { - 'name': 'L-histidine import into cell', - 'def': 'The directed movement of L-histidine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903811': { - 'name': 'L-asparagine import into cell', - 'def': 'The directed movement of L-asparagine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903812': { - 'name': 'L-serine import into cell', - 'def': 'The directed movement of L-serine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903813': { - 'name': 'L-methionine import into cell', - 'def': 'The directed movement of L-methionine into a cell. [GO_REF:0000075, GOC:TermGenie, PMID:23895341]' - }, - 'GO:1903814': { - 'name': 'regulation of collecting lymphatic vessel constriction', - 'def': 'Any process that modulates the frequency, rate or extent of collecting lymphatic vessel constriction. [GO_REF:0000058, GOC:TermGenie, PMID:23897233]' - }, - 'GO:1903815': { - 'name': 'negative regulation of collecting lymphatic vessel constriction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of collecting lymphatic vessel constriction. [GO_REF:0000058, GOC:TermGenie, PMID:23897233]' - }, - 'GO:1903816': { - 'name': 'positive regulation of collecting lymphatic vessel constriction', - 'def': 'Any process that activates or increases the frequency, rate or extent of collecting lymphatic vessel constriction. [GO_REF:0000058, GOC:TermGenie, PMID:23897233]' - }, - 'GO:1903817': { - 'name': 'negative regulation of voltage-gated potassium channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of voltage-gated potassium channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:19219384]' - }, - 'GO:1903818': { - 'name': 'positive regulation of voltage-gated potassium channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of voltage-gated potassium channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:19219384]' - }, - 'GO:1903819': { - 'name': 'detection of stimulus involved in mitotic cytokinesis checkpoint', - 'def': 'Any detection of stimulus that is involved in a mitotic cytokinesis checkpoint. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903820': { - 'name': 'signal transduction involved in mitotic cytokinesis checkpoint', - 'def': 'Any signal transduction that is involved in a mitotic cytokinesis checkpoint. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903821': { - 'name': 'detection of stimulus involved in morphogenesis checkpoint', - 'def': 'Any detection of stimulus that is involved in morphogenesis checkpoint. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903822': { - 'name': 'signal transduction involved in morphogenesis checkpoint', - 'def': 'Any signal transduction that is involved in morphogenesis checkpoint. [GO_REF:0000060, GOC:mtg_cell_cycle, GOC:TermGenie]' - }, - 'GO:1903823': { - 'name': 'telomere single strand break repair', - 'def': 'Single strand break repair that takes place in a telomere. [GO_REF:0000062, GOC:TermGenie, PMID:24374808]' - }, - 'GO:1903824': { - 'name': 'negative regulation of telomere single strand break repair', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomere single strand break repair. [GO_REF:0000058, GOC:TermGenie, PMID:24374808]' - }, - 'GO:1903825': { - 'name': 'organic acid transmembrane transport', - 'def': 'The directed movement of organic acid across a membrane. [GO_REF:0000069, GOC:TermGenie]' - }, - 'GO:1903826': { - 'name': 'arginine transmembrane transport', - 'def': 'The directed movement of arginine across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:18357653]' - }, - 'GO:1903827': { - 'name': 'regulation of cellular protein localization', - 'def': 'Any process that modulates the frequency, rate or extent of cellular protein localization. Cellular protein localization is any process in which a protein is transported to, and/or maintained in, a specific location and encompasses movement within the cell, from within the cell to the cell surface, or from one location to another at the surface of a cell. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903828': { - 'name': 'negative regulation of cellular protein localization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular protein localization. Cellular protein localization is any process in which a protein is transported to, and/or maintained in, a specific location and encompasses movement within the cell, from within the cell to the cell surface, or from one location to another at the surface of a cell. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903829': { - 'name': 'positive regulation of cellular protein localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular protein localization. Cellular protein localization is any process in which a protein is transported to, and/or maintained in, a specific location and encompasses movement within the cell, from within the cell to the cell surface, or from one location to another at the surface of a cell. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903830': { - 'name': 'magnesium ion transmembrane transport', - 'def': 'The directed movement of magnesium ion across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:11254124]' - }, - 'GO:1903831': { - 'name': 'signal transduction involved in cellular response to ammonium ion', - 'def': 'Any signal transduction that is involved in cellular response to ammonium ion. [GO_REF:0000060, GOC:TermGenie, PMID:16297994]' - }, - 'GO:1903832': { - 'name': 'regulation of cellular response to amino acid starvation', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to amino acid starvation. [GO_REF:0000058, GOC:TermGenie, PMID:25002487, PMID:7623840]' - }, - 'GO:1903833': { - 'name': 'positive regulation of cellular response to amino acid starvation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to amino acid starvation. [GO_REF:0000058, GOC:TermGenie, PMID:25002487, PMID:7623840]' - }, - 'GO:1903837': { - 'name': "regulation of mRNA 3'-UTR binding", - 'def': "Any process that modulates the frequency, rate or extent of mRNA 3'-UTR binding. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:19575011]" - }, - 'GO:1903838': { - 'name': "negative regulation of mRNA 3'-UTR binding", - 'def': "Any process that stops, prevents or reduces the frequency, rate or extent of mRNA 3'-UTR binding. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:19575011]" - }, - 'GO:1903839': { - 'name': "positive regulation of mRNA 3'-UTR binding", - 'def': "Any process that activates or increases the frequency, rate or extent of mRNA 3'-UTR binding. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:19575011]" - }, - 'GO:1903840': { - 'name': 'response to arsenite(3-)', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an arsenite(3-) stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:12106899]' - }, - 'GO:1903841': { - 'name': 'cellular response to arsenite(3-)', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an arsenite(3-) stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:12106899]' - }, - 'GO:1903842': { - 'name': 'response to arsenite ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an arsenite ion stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:12106899]' - }, - 'GO:1903843': { - 'name': 'cellular response to arsenite ion', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an arsenite ion stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:12106899]' - }, - 'GO:1903844': { - 'name': 'regulation of cellular response to transforming growth factor beta stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to transforming growth factor beta stimulus. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22269326]' - }, - 'GO:1903845': { - 'name': 'negative regulation of cellular response to transforming growth factor beta stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to transforming growth factor beta stimulus. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22269326]' - }, - 'GO:1903846': { - 'name': 'positive regulation of cellular response to transforming growth factor beta stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to transforming growth factor beta stimulus. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22269326]' - }, - 'GO:1903847': { - 'name': 'regulation of aorta morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of aorta morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22269326]' - }, - 'GO:1903848': { - 'name': 'negative regulation of aorta morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aorta morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22269326]' - }, - 'GO:1903849': { - 'name': 'positive regulation of aorta morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of aorta morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22269326]' - }, - 'GO:1903850': { - 'name': 'regulation of cristae formation', - 'def': 'Any process that modulates the frequency, rate or extent of cristae formation. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:19279012]' - }, - 'GO:1903851': { - 'name': 'negative regulation of cristae formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cristae formation. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:19279012]' - }, - 'GO:1903852': { - 'name': 'positive regulation of cristae formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cristae formation. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:19279012]' - }, - 'GO:1903853': { - 'name': 'regulation of stress response to copper ion', - 'def': 'Any process that modulates the frequency, rate or extent of stress response to copper ion. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:23437011]' - }, - 'GO:1903854': { - 'name': 'negative regulation of stress response to copper ion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of stress response to copper ion. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:23437011]' - }, - 'GO:1903855': { - 'name': 'positive regulation of stress response to copper ion', - 'def': 'Any process that activates or increases the frequency, rate or extent of stress response to copper ion. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:23437011]' - }, - 'GO:1903856': { - 'name': 'regulation of cytokinin dehydrogenase activity', - 'def': 'Any process that modulates the frequency, rate or extent of cytokinin dehydrogenase activity. [GO_REF:0000059, GOC:TermGenie, PMID:25535363]' - }, - 'GO:1903857': { - 'name': 'negative regulation of cytokinin dehydrogenase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cytokinin dehydrogenase activity. [GO_REF:0000059, GOC:TermGenie, PMID:25535363]' - }, - 'GO:1903858': { - 'name': 'protein localization to old growing cell tip', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an old growing cell tip. [GO_REF:0000087, GOC:TermGenie, PMID:17895368]' - }, - 'GO:1903859': { - 'name': 'regulation of dendrite extension', - 'def': 'Any process that modulates the frequency, rate or extent of dendrite extension. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:24898855]' - }, - 'GO:1903860': { - 'name': 'negative regulation of dendrite extension', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dendrite extension. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:24898855]' - }, - 'GO:1903861': { - 'name': 'positive regulation of dendrite extension', - 'def': 'Any process that activates or increases the frequency, rate or extent of dendrite extension. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:24898855]' - }, - 'GO:1903862': { - 'name': 'positive regulation of oxidative phosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of oxidative phosphorylation. [GO_REF:0000058, GOC:TermGenie, PMID:10225962]' - }, - 'GO:1903863': { - 'name': 'P granule assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a P granule. [GO_REF:0000079, GOC:kmv, GOC:TermGenie, PMID:25535836]' - }, - 'GO:1903864': { - 'name': 'P granule disassembly', - 'def': 'The disaggregation of a P granule into its constituent components. [GO_REF:0000079, GOC:kmv, GOC:TermGenie, PMID:25535836]' - }, - 'GO:1903865': { - 'name': 'sigma factor antagonist complex', - 'def': 'A protein complex which is capable of sigma factor antagonist activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:23687042]' - }, - 'GO:1903866': { - 'name': 'palisade mesophyll development', - 'def': 'The process whose specific outcome is the progression of a palisade mesophyll over time, from its formation to the mature structure. [GO_REF:0000080, GOC:TermGenie, PMID:24663344]' - }, - 'GO:1903867': { - 'name': 'extraembryonic membrane development', - 'def': 'The process whose specific outcome is the progression of an extraembryonic membrane over time, from its formation to the mature structure. [GO_REF:0000094, GOC:TermGenie, ISBN:0073040584]' - }, - 'GO:1903868': { - 'name': 'regulation of methylenetetrahydrofolate reductase (NAD(P)H) activity', - 'def': 'Any process that modulates the frequency, rate or extent of methylenetetrahydrofolate reductase (NAD(P)H) activity. [GO_REF:0000059, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:24769206]' - }, - 'GO:1903869': { - 'name': 'negative regulation of methylenetetrahydrofolate reductase (NAD(P)H) activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methylenetetrahydrofolate reductase (NAD(P)H) activity. [GO_REF:0000059, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:24769206]' - }, - 'GO:1903870': { - 'name': 'positive regulation of methylenetetrahydrofolate reductase (NAD(P)H) activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of methylenetetrahydrofolate reductase (NAD(P)H) activity. [GO_REF:0000059, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:24769206]' - }, - 'GO:1903871': { - 'name': 'DNA recombinase mediator complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a DNA recombinase mediator complex. [GO_REF:0000079, GOC:rb, GOC:TermGenie, PMID:18347097]' - }, - 'GO:1903872': { - 'name': 'regulation of DNA recombinase mediator complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of DNA recombinase mediator complex assembly. [GO_REF:0000058, GOC:rb, GOC:TermGenie, PMID:18347097]' - }, - 'GO:1903873': { - 'name': 'negative regulation of DNA recombinase mediator complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA recombinase mediator complex assembly. [GO_REF:0000058, GOC:rb, GOC:TermGenie, PMID:18347097]' - }, - 'GO:1903874': { - 'name': 'ferrous iron transmembrane transport', - 'def': 'The directed movement of ferrous iron (iron(2+)) across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:11390404]' - }, - 'GO:1903875': { - 'name': 'corticosterone binding', - 'def': 'Interacting selectively and non-covalently with corticosterone. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:10802282]' - }, - 'GO:1903876': { - 'name': '11-deoxycortisol binding', - 'def': 'Interacting selectively and non-covalently with 11-deoxycortisol. [GO_REF:0000067, GOC:TermGenie, PMID:10802282]' - }, - 'GO:1903877': { - 'name': '21-deoxycortisol binding', - 'def': 'Interacting selectively and non-covalently with 21-deoxycortisol. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:10802282]' - }, - 'GO:1903878': { - 'name': '11-deoxycorticosterone binding', - 'def': 'Interacting selectively and non-covalently with 11-deoxycorticosterone. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:10802282]' - }, - 'GO:1903879': { - 'name': '11beta-hydroxyprogesterone binding', - 'def': 'Interacting selectively and non-covalently with 11beta-hydroxyprogesterone. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:10802282]' - }, - 'GO:1903880': { - 'name': '17alpha-hydroxyprogesterone binding', - 'def': 'Interacting selectively and non-covalently with 17alpha-hydroxyprogesterone. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:10802282]' - }, - 'GO:1903881': { - 'name': 'regulation of interleukin-17-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-17-mediated signaling pathway. [GO_REF:0000058, GOC:krc, GOC:TermGenie, PMID:20054338]' - }, - 'GO:1903882': { - 'name': 'negative regulation of interleukin-17-mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-17-mediated signaling pathway. [GO_REF:0000058, GOC:krc, GOC:TermGenie, PMID:20054338]' - }, - 'GO:1903883': { - 'name': 'positive regulation of interleukin-17-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-17-mediated signaling pathway. [GO_REF:0000058, GOC:krc, GOC:TermGenie, PMID:20054338]' - }, - 'GO:1903884': { - 'name': 'regulation of chemokine (C-C motif) ligand 20 production', - 'def': 'Any process that modulates the frequency, rate or extent of chemokine (C-C motif) ligand 20 production. [GO_REF:0000058, GOC:krc, GOC:TermGenie, PMID:20054338]' - }, - 'GO:1903885': { - 'name': 'negative regulation of chemokine (C-C motif) ligand 20 production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chemokine (C-C motif) ligand 20 production. [GO_REF:0000058, GOC:krc, GOC:TermGenie, PMID:20054338]' - }, - 'GO:1903886': { - 'name': 'positive regulation of chemokine (C-C motif) ligand 20 production', - 'def': 'Any process that activates or increases the frequency, rate or extent of chemokine (C-C motif) ligand 20 production. [GO_REF:0000058, GOC:krc, GOC:TermGenie, PMID:20054338]' - }, - 'GO:1903888': { - 'name': 'regulation of plant epidermal cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of plant epidermal cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:123345]' - }, - 'GO:1903889': { - 'name': 'negative regulation of plant epidermal cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of plant epidermal cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:123345]' - }, - 'GO:1903890': { - 'name': 'positive regulation of plant epidermal cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of plant epidermal cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:123345]' - }, - 'GO:1903891': { - 'name': 'regulation of ATF6-mediated unfolded protein response', - 'def': 'Any process that modulates the frequency, rate or extent of the ATF6-mediated unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22013210]' - }, - 'GO:1903892': { - 'name': 'negative regulation of ATF6-mediated unfolded protein response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of the ATF6-mediated unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22013210]' - }, - 'GO:1903893': { - 'name': 'positive regulation of ATF6-mediated unfolded protein response', - 'def': 'Any process that activates or increases the frequency, rate or extent of the ATF6-mediated unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22013210]' - }, - 'GO:1903894': { - 'name': 'regulation of IRE1-mediated unfolded protein response', - 'def': 'Any process that modulates the frequency, rate or extent of the IRE1-mediated unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22013210]' - }, - 'GO:1903895': { - 'name': 'negative regulation of IRE1-mediated unfolded protein response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of the IRE1-mediated unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22013210]' - }, - 'GO:1903896': { - 'name': 'positive regulation of IRE1-mediated unfolded protein response', - 'def': 'Any process that activates or increases the frequency, rate or extent of the IRE1-mediated unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22013210]' - }, - 'GO:1903897': { - 'name': 'regulation of PERK-mediated unfolded protein response', - 'def': 'Any process that modulates the frequency, rate or extent of the PERK-mediated unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22013210]' - }, - 'GO:1903898': { - 'name': 'negative regulation of PERK-mediated unfolded protein response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of the PERK-mediated unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22013210]' - }, - 'GO:1903899': { - 'name': 'positive regulation of PERK-mediated unfolded protein response', - 'def': 'Any process that activates or increases the frequency, rate or extent of the PERK-mediated unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22013210]' - }, - 'GO:1903900': { - 'name': 'regulation of viral life cycle', - 'def': 'Any process that modulates the frequency, rate or extent of viral life cycle. [GO_REF:0000058, GOC:TermGenie, PMID:18005716]' - }, - 'GO:1903901': { - 'name': 'negative regulation of viral life cycle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of viral life cycle. [GO_REF:0000058, GOC:TermGenie, PMID:18005716]' - }, - 'GO:1903902': { - 'name': 'positive regulation of viral life cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of viral life cycle. [GO_REF:0000058, GOC:TermGenie, PMID:18005716]' - }, - 'GO:1903903': { - 'name': 'regulation of establishment of T cell polarity', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of T cell polarity. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903904': { - 'name': 'negative regulation of establishment of T cell polarity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of T cell polarity. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903905': { - 'name': 'positive regulation of establishment of T cell polarity', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of T cell polarity. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903906': { - 'name': 'regulation of plasma membrane raft polarization', - 'def': 'Any process that modulates the frequency, rate or extent of plasma membrane raft polarization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903907': { - 'name': 'negative regulation of plasma membrane raft polarization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of plasma membrane raft polarization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903908': { - 'name': 'positive regulation of plasma membrane raft polarization', - 'def': 'Any process that activates or increases the frequency, rate or extent of plasma membrane raft polarization. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903909': { - 'name': 'regulation of receptor clustering', - 'def': 'Any process that modulates the frequency, rate or extent of receptor clustering. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903910': { - 'name': 'negative regulation of receptor clustering', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of receptor clustering. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903911': { - 'name': 'positive regulation of receptor clustering', - 'def': 'Any process that activates or increases the frequency, rate or extent of receptor clustering. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903912': { - 'name': 'negative regulation of endoplasmic reticulum stress-induced eIF2 alpha phosphorylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endoplasmic reticulum stress-induced eiF2alpha phosphorylation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:16835242]' - }, - 'GO:1903913': { - 'name': 'regulation of fusion of virus membrane with host plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of fusion of virus membrane with host plasma membrane. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903914': { - 'name': 'negative regulation of fusion of virus membrane with host plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fusion of virus membrane with host plasma membrane. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903915': { - 'name': 'positive regulation of fusion of virus membrane with host plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of fusion of virus membrane with host plasma membrane. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23575248]' - }, - 'GO:1903916': { - 'name': 'regulation of endoplasmic reticulum stress-induced eIF2 alpha dephosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of endoplasmic reticulum stress-induced eIF2alpha dephosphorylation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1903917': { - 'name': 'positive regulation of endoplasmic reticulum stress-induced eIF2 alpha dephosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of endoplasmic reticulum stress-induced eIF2alpha dephosphorylation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:11381086]' - }, - 'GO:1903918': { - 'name': 'regulation of actin filament severing', - 'def': 'Any process that modulates the frequency, rate or extent of actin filament severing. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23325791]' - }, - 'GO:1903919': { - 'name': 'negative regulation of actin filament severing', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of actin filament severing. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23325791]' - }, - 'GO:1903920': { - 'name': 'positive regulation of actin filament severing', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin filament severing. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23325791]' - }, - 'GO:1903921': { - 'name': 'regulation of protein processing in phagocytic vesicle', - 'def': 'Any process that modulates the frequency, rate or extent of protein processing in phagocytic vesicle. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23325791]' - }, - 'GO:1903922': { - 'name': 'negative regulation of protein processing in phagocytic vesicle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein processing in phagocytic vesicle. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23325791]' - }, - 'GO:1903923': { - 'name': 'positive regulation of protein processing in phagocytic vesicle', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein processing in phagocytic vesicle. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23325791]' - }, - 'GO:1903924': { - 'name': 'estradiol binding', - 'def': 'Interacting selectively and non-covalently with estradiol. [GO_REF:0000067, GOC:TermGenie, PMID:9048584]' - }, - 'GO:1903925': { - 'name': 'response to bisphenol A', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bisphenol A stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22957036]' - }, - 'GO:1903926': { - 'name': 'cellular response to bisphenol A', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bisphenol A stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22957036]' - }, - 'GO:1903927': { - 'name': 'response to cyanide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cyanide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21854848]' - }, - 'GO:1903928': { - 'name': 'cellular response to cyanide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cyanide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21854848]' - }, - 'GO:1903929': { - 'name': 'primary palate development', - 'def': 'The process whose specific outcome is the progression of a primary palate over time, from its formation to the mature structure. [GO_REF:0000094, GOC:mgi_curators, GOC:TermGenie, PMID:24644145, PMID:25504820]' - }, - 'GO:1903930': { - 'name': 'regulation of pyrimidine-containing compound salvage', - 'def': 'Any process that modulates the frequency, rate or extent of pyrimidine-containing compound salvage. [GO_REF:0000058, GOC:TermGenie, PMID:23695302]' - }, - 'GO:1903931': { - 'name': 'positive regulation of pyrimidine-containing compound salvage', - 'def': 'Any process that activates or increases the frequency, rate or extent of pyrimidine-containing compound salvage. [GO_REF:0000058, GOC:TermGenie, PMID:23695302]' - }, - 'GO:1903932': { - 'name': 'regulation of DNA primase activity', - 'def': 'Any process that modulates the frequency, rate or extent of DNA primase activity. [GO_REF:0000059, GOC:TermGenie, PMID:14766746]' - }, - 'GO:1903933': { - 'name': 'negative regulation of DNA primase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA primase activity. [GO_REF:0000059, GOC:TermGenie, PMID:14766746]' - }, - 'GO:1903934': { - 'name': 'positive regulation of DNA primase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA primase activity. [GO_REF:0000059, GOC:TermGenie, PMID:14766746]' - }, - 'GO:1903935': { - 'name': 'response to sodium arsenite', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sodium arsenite stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18674524]' - }, - 'GO:1903936': { - 'name': 'cellular response to sodium arsenite', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sodium arsenite stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18674524]' - }, - 'GO:1903937': { - 'name': 'response to acrylamide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acrylamide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16292499]' - }, - 'GO:1903938': { - 'name': 'cellular response to acrylamide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acrylamide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16292499]' - }, - 'GO:1903939': { - 'name': 'regulation of TORC2 signaling', - 'def': 'Any process that modulates the frequency, rate or extent of TORC2 signaling. [GO_REF:0000058, GOC:TermGenie, PMID:24247430]' - }, - 'GO:1903940': { - 'name': 'negative regulation of TORC2 signaling', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of TORC2 signaling. [GO_REF:0000058, GOC:TermGenie, PMID:24247430]' - }, - 'GO:1903941': { - 'name': 'negative regulation of respiratory gaseous exchange', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of respiratory gaseous exchange. [GO_REF:0000058, GOC:TermGenie, PMID:22819705]' - }, - 'GO:1903942': { - 'name': 'positive regulation of respiratory gaseous exchange', - 'def': 'Any process that activates or increases the frequency, rate or extent of respiratory gaseous exchange. [GO_REF:0000058, GOC:TermGenie, PMID:22819705]' - }, - 'GO:1903943': { - 'name': 'regulation of hepatocyte apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of hepatocyte apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:8649852]' - }, - 'GO:1903944': { - 'name': 'negative regulation of hepatocyte apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hepatocyte apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:8649852]' - }, - 'GO:1903945': { - 'name': 'positive regulation of hepatocyte apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of hepatocyte apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:8649852]' - }, - 'GO:1903946': { - 'name': 'negative regulation of ventricular cardiac muscle cell action potential', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ventricular cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:25281747]' - }, - 'GO:1903947': { - 'name': 'positive regulation of ventricular cardiac muscle cell action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of ventricular cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:25281747]' - }, - 'GO:1903948': { - 'name': 'negative regulation of atrial cardiac muscle cell action potential', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of atrial cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:25281747]' - }, - 'GO:1903949': { - 'name': 'positive regulation of atrial cardiac muscle cell action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of atrial cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:25281747]' - }, - 'GO:1903950': { - 'name': 'negative regulation of AV node cell action potential', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of AV node cell action potential. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:25281747]' - }, - 'GO:1903951': { - 'name': 'positive regulation of AV node cell action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of AV node cell action potential. [GO_REF:0000058, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:25281747]' - }, - 'GO:1903952': { - 'name': 'regulation of voltage-gated potassium channel activity involved in atrial cardiac muscle cell action potential repolarization', - 'def': 'Any process that modulates the frequency, rate or extent of voltage-gated potassium channel activity involved in atrial cardiac muscle cell action potential repolarization. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:25281747]' - }, - 'GO:1903953': { - 'name': 'negative regulation of voltage-gated potassium channel activity involved in atrial cardiac muscle cell action potential repolarization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of voltage-gated potassium channel activity involved in atrial cardiac muscle cell action potential repolarization. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:25281747]' - }, - 'GO:1903954': { - 'name': 'positive regulation of voltage-gated potassium channel activity involved in atrial cardiac muscle cell action potential repolarization', - 'def': 'Any process that activates or increases the frequency, rate or extent of voltage-gated potassium channel activity involved in atrial cardiac muscle cell action potential repolarization. [GO_REF:0000059, GOC:BHF, GOC:mtg_cardiac_conduct_nov11, GOC:nc, GOC:TermGenie, PMID:25281747]' - }, - 'GO:1903955': { - 'name': 'positive regulation of protein targeting to mitochondrion', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein targeting to mitochondrion. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:24270810]' - }, - 'GO:1903956': { - 'name': 'response to latrunculin B', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a latrunculin B stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18951025]' - }, - 'GO:1903957': { - 'name': 'cellular response to latrunculin B', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a latrunculin B stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18951025]' - }, - 'GO:1903958': { - 'name': 'nitric-oxide synthase complex', - 'def': 'A protein complex which is capable of nitric-oxide synthase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:25417112]' - }, - 'GO:1903959': { - 'name': 'regulation of anion transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of anion transmembrane transport. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903960': { - 'name': 'negative regulation of anion transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anion transmembrane transport. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903961': { - 'name': 'positive regulation of anion transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of anion transmembrane transport. [GO_REF:0000058, GOC:TermGenie, GOC:vw]' - }, - 'GO:1903962': { - 'name': 'arachidonate transporter activity', - 'def': 'Enables the directed movement of arachidonate into, out of or within a cell, or between cells. [GO_REF:0000066, GOC:bhm, GOC:TermGenie, PMID:15642721]' - }, - 'GO:1903963': { - 'name': 'arachidonate transport', - 'def': 'The directed movement of an arachidonate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GO_REF:0000065, GOC:bhm, GOC:TermGenie, PMID:15642721]' - }, - 'GO:1903964': { - 'name': 'monounsaturated fatty acid metabolic process', - 'def': 'The chemical reactions and pathways involving monounsaturated fatty acid. [GO_REF:0000068, GOC:hjd, GOC:TermGenie, PMID:16443825]' - }, - 'GO:1903965': { - 'name': 'monounsaturated fatty acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of monounsaturated fatty acid. [GO_REF:0000068, GOC:hjd, GOC:TermGenie, PMID:16443825]' - }, - 'GO:1903966': { - 'name': 'monounsaturated fatty acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of monounsaturated fatty acid. [GO_REF:0000068, GOC:hjd, GOC:TermGenie, PMID:16443825]' - }, - 'GO:1903967': { - 'name': 'response to micafungin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a micafungin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16928959]' - }, - 'GO:1903968': { - 'name': 'cellular response to micafungin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a micafungin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16928959]' - }, - 'GO:1903969': { - 'name': 'regulation of response to macrophage colony-stimulating factor', - 'def': 'Any process that modulates the frequency, rate or extent of response to macrophage colony-stimulating factor. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903970': { - 'name': 'negative regulation of response to macrophage colony-stimulating factor', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to macrophage colony-stimulating factor. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903971': { - 'name': 'positive regulation of response to macrophage colony-stimulating factor', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to macrophage colony-stimulating factor. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903972': { - 'name': 'regulation of cellular response to macrophage colony-stimulating factor stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to macrophage colony-stimulating factor stimulus. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903973': { - 'name': 'negative regulation of cellular response to macrophage colony-stimulating factor stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to macrophage colony-stimulating factor stimulus. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903974': { - 'name': 'positive regulation of cellular response to macrophage colony-stimulating factor stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to macrophage colony-stimulating factor stimulus. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903975': { - 'name': 'regulation of glial cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of glial cell migration. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903976': { - 'name': 'negative regulation of glial cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glial cell migration. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903977': { - 'name': 'positive regulation of glial cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of glial cell migration. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903978': { - 'name': 'regulation of microglial cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of microglial cell activation. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903979': { - 'name': 'negative regulation of microglial cell activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of microglial cell activation. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903980': { - 'name': 'positive regulation of microglial cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of microglial cell activation. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1903981': { - 'name': 'enterobactin binding', - 'def': 'Interacting selectively and non-covalently with enterobactin. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:21951132]' - }, - 'GO:1903982': { - 'name': 'negative regulation of microvillus length', - 'def': 'A process that decreases the length of a microvillus. [GOC:als, PMID:22114352]' - }, - 'GO:1903983': { - 'name': 'positive regulation of microvillus length', - 'def': 'A process that increases the length of a microvillus. [GOC:als, PMID:22114352]' - }, - 'GO:1903984': { - 'name': 'positive regulation of TRAIL-activated apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of TRAIL-activated apoptotic signaling pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24939851]' - }, - 'GO:1903985': { - 'name': 'regulation of intestinal D-glucose absorption', - 'def': 'Any process that modulates the frequency, rate or extent of intestinal D-glucose absorption. [GO_REF:0000058, GOA:als, GOC:TermGenie, PMID:22114352]' - }, - 'GO:1903988': { - 'name': 'ferrous iron export across plasma membrane', - 'def': 'The directed movement of ferrous iron (iron(2+)) from inside of a cell, across the plasma membrane and into the extracellular region. [GO_REF:0000074, GOC:BHF, GOC:kom, GOC:rl, GOC:TermGenie, PMID:15514116]' - }, - 'GO:1903989': { - 'name': 'regulation of ferrous iron import into cell', - 'def': 'Any process that modulates the frequency, rate or extent of ferrous iron import into cell. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23256035]' - }, - 'GO:1903990': { - 'name': 'negative regulation of ferrous iron import into cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ferrous iron import into cell. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23256035]' - }, - 'GO:1903991': { - 'name': 'positive regulation of ferrous iron import into cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of ferrous iron import into cell. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:23256035]' - }, - 'GO:1903992': { - 'name': 'obsolete regulation of protein stabilization', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of protein stabilization. [GO_REF:0000058, GOC:TermGenie, PMID:18573880]' - }, - 'GO:1903993': { - 'name': 'obsolete negative regulation of protein stabilization', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of protein stabilization. [GO_REF:0000058, GOC:TermGenie, PMID:18573880]' - }, - 'GO:1903994': { - 'name': 'obsolete positive regulation of protein stabilization', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of protein stabilization. [GO_REF:0000058, GOC:TermGenie, PMID:18573880]' - }, - 'GO:1903995': { - 'name': 'regulation of non-membrane spanning protein tyrosine kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of non-membrane spanning protein tyrosine kinase activity. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:10518561]' - }, - 'GO:1903996': { - 'name': 'negative regulation of non-membrane spanning protein tyrosine kinase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of non-membrane spanning protein tyrosine kinase activity. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:10518561]' - }, - 'GO:1903997': { - 'name': 'positive regulation of non-membrane spanning protein tyrosine kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of non-membrane spanning protein tyrosine kinase activity. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:10518561]' - }, - 'GO:1903998': { - 'name': 'regulation of eating behavior', - 'def': 'Any process that modulates the frequency, rate or extent of eating behavior. [GO_REF:0000058, GOC:TermGenie, PMID:11961051]' - }, - 'GO:1903999': { - 'name': 'negative regulation of eating behavior', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of eating behavior. [GO_REF:0000058, GOC:TermGenie, PMID:11961051]' - }, - 'GO:1904000': { - 'name': 'positive regulation of eating behavior', - 'def': 'Any process that activates or increases the frequency, rate or extent of eating behavior. [GO_REF:0000058, GOC:TermGenie, PMID:11961051]' - }, - 'GO:1904001': { - 'name': 'positive regulation of pyrimidine-containing compound salvage by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter that results in positive regulation of pyrimidine-containing compound salvage. [GO_REF:0000063, GOC:al, GOC:TermGenie, PMID:23695302]' - }, - 'GO:1904002': { - 'name': 'regulation of sebum secreting cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of sebum secreting cell proliferation. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:16901790]' - }, - 'GO:1904003': { - 'name': 'negative regulation of sebum secreting cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sebum secreting cell proliferation. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:16901790]' - }, - 'GO:1904004': { - 'name': 'positive regulation of sebum secreting cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of sebum secreting cell proliferation. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:16901790]' - }, - 'GO:1904005': { - 'name': 'regulation of phospholipase D activity', - 'def': 'Any process that modulates the frequency, rate or extent of phospholipase D activity. [GO_REF:0000059, GOC:TermGenie, PMID:11211872]' - }, - 'GO:1904006': { - 'name': 'negative regulation of phospholipase D activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phospholipase D activity. [GO_REF:0000059, GOC:TermGenie, PMID:11211872]' - }, - 'GO:1904007': { - 'name': 'positive regulation of phospholipase D activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of phospholipase D activity. [GO_REF:0000059, GOC:TermGenie, PMID:11211872]' - }, - 'GO:1904008': { - 'name': 'response to monosodium glutamate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a monosodium glutamate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20704590]' - }, - 'GO:1904009': { - 'name': 'cellular response to monosodium glutamate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a monosodium glutamate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20704590]' - }, - 'GO:1904010': { - 'name': 'response to Aroclor 1254', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an Aroclor 1254 stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18602130]' - }, - 'GO:1904011': { - 'name': 'cellular response to Aroclor 1254', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an Aroclor 1254 stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18602130]' - }, - 'GO:1904012': { - 'name': 'platinum binding', - 'def': 'Interacting selectively and non-covalently with platinum. [GO_REF:0000067, GOC:TermGenie, PMID:10089464]' - }, - 'GO:1904013': { - 'name': 'xenon atom binding', - 'def': 'Interacting selectively and non-covalently with xenon atom. [GO_REF:0000067, GOC:TermGenie, PMID:10089464]' - }, - 'GO:1904014': { - 'name': 'response to serotonin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a serotonin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:1505525]' - }, - 'GO:1904015': { - 'name': 'cellular response to serotonin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a serotonin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:1505525]' - }, - 'GO:1904016': { - 'name': 'response to Thyroglobulin triiodothyronine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a Thyroglobulin triiodothyronine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:7531505]' - }, - 'GO:1904017': { - 'name': 'cellular response to Thyroglobulin triiodothyronine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a Thyroglobulin triiodothyronine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:7531505]' - }, - 'GO:1904018': { - 'name': 'positive regulation of vasculature development', - 'def': 'Any process that activates or increases the frequency, rate or extent of vasculature development. [GO_REF:0000058, GOC:TermGenie, PMID:21472453]' - }, - 'GO:1904019': { - 'name': 'epithelial cell apoptotic process', - 'def': 'Any apoptotic process in an epithelial cell. [GO_REF:0000085, GOC:TermGenie, PMID:19137015]' - }, - 'GO:1904020': { - 'name': 'regulation of G-protein coupled receptor internalization', - 'def': 'Any process that modulates the frequency, rate or extent of G-protein coupled receptor internalization. [GO_REF:0000058, GOC:TermGenie, PMID:24732013]' - }, - 'GO:1904021': { - 'name': 'negative regulation of G-protein coupled receptor internalization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of G-protein coupled receptor internalization. [GO_REF:0000058, GOC:TermGenie, PMID:24732013]' - }, - 'GO:1904022': { - 'name': 'positive regulation of G-protein coupled receptor internalization', - 'def': 'Any process that activates or increases the frequency, rate or extent of G-protein coupled receptor internalization. [GO_REF:0000058, GOC:TermGenie, PMID:24732013]' - }, - 'GO:1904023': { - 'name': 'regulation of glucose catabolic process to lactate via pyruvate', - 'def': 'Any process that modulates the frequency, rate or extent of glucose catabolic process to lactate via pyruvate. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:20935145]' - }, - 'GO:1904024': { - 'name': 'negative regulation of glucose catabolic process to lactate via pyruvate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucose catabolic process to lactate via pyruvate. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:20935145]' - }, - 'GO:1904025': { - 'name': 'positive regulation of glucose catabolic process to lactate via pyruvate', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucose catabolic process to lactate via pyruvate. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:20935145]' - }, - 'GO:1904026': { - 'name': 'regulation of collagen fibril organization', - 'def': 'Any process that modulates the frequency, rate or extent of collagen fibril organization. [GO_REF:0000058, GOC:TermGenie, PMID:25451920]' - }, - 'GO:1904027': { - 'name': 'negative regulation of collagen fibril organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of collagen fibril organization. [GO_REF:0000058, GOC:TermGenie, PMID:25451920]' - }, - 'GO:1904028': { - 'name': 'positive regulation of collagen fibril organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of collagen fibril organization. [GO_REF:0000058, GOC:TermGenie, PMID:25451920]' - }, - 'GO:1904029': { - 'name': 'regulation of cyclin-dependent protein kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of cyclin-dependent protein kinase activity. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:22995177]' - }, - 'GO:1904030': { - 'name': 'negative regulation of cyclin-dependent protein kinase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cyclin-dependent protein kinase activity. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:22995177]' - }, - 'GO:1904031': { - 'name': 'positive regulation of cyclin-dependent protein kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of cyclin-dependent protein kinase activity. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:22995177]' - }, - 'GO:1904032': { - 'name': 'regulation of t-SNARE clustering', - 'def': 'Any process that modulates the frequency, rate or extent of t-SNARE clustering. [GO_REF:0000058, GOC:TermGenie, PMID:22528485]' - }, - 'GO:1904033': { - 'name': 'negative regulation of t-SNARE clustering', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of t-SNARE clustering. [GO_REF:0000058, GOC:TermGenie, PMID:22528485]' - }, - 'GO:1904034': { - 'name': 'positive regulation of t-SNARE clustering', - 'def': 'Any process that activates or increases the frequency, rate or extent of t-SNARE clustering. [GO_REF:0000058, GOC:TermGenie, PMID:22528485]' - }, - 'GO:1904035': { - 'name': 'regulation of epithelial cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:19137015]' - }, - 'GO:1904036': { - 'name': 'negative regulation of epithelial cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of epithelial cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:19137015]' - }, - 'GO:1904037': { - 'name': 'positive regulation of epithelial cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of epithelial cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:19137015]' - }, - 'GO:1904038': { - 'name': 'regulation of ferrous iron export', - 'def': 'Any process that modulates the frequency, rate or extent of iron(2+) export. [GO_REF:0000058, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:15514116]' - }, - 'GO:1904039': { - 'name': 'negative regulation of ferrous iron export', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of iron(2+) export. [GO_REF:0000058, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:15514116]' - }, - 'GO:1904040': { - 'name': 'positive regulation of ferrous iron export', - 'def': 'Any process that activates or increases the frequency, rate or extent of iron(2+) export. [GO_REF:0000058, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:15514116]' - }, - 'GO:1904041': { - 'name': 'regulation of cystathionine beta-synthase activity', - 'def': 'Any process that modulates the frequency, rate or extent of cystathionine beta-synthase activity. [GO_REF:0000059, GOC:BHF, GOC:hal, GOC:TermGenie, PMID:24416422]' - }, - 'GO:1904042': { - 'name': 'negative regulation of cystathionine beta-synthase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cystathionine beta-synthase activity. [GO_REF:0000059, GOC:BHF, GOC:hal, GOC:TermGenie, PMID:24416422]' - }, - 'GO:1904043': { - 'name': 'positive regulation of cystathionine beta-synthase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of cystathionine beta-synthase activity. [GO_REF:0000059, GOC:BHF, GOC:hal, GOC:TermGenie, PMID:24416422]' - }, - 'GO:1904044': { - 'name': 'response to aldosterone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an aldosterone stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:17644563]' - }, - 'GO:1904045': { - 'name': 'cellular response to aldosterone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an aldosterone stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:17644563]' - }, - 'GO:1904046': { - 'name': 'negative regulation of vascular endothelial growth factor production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular endothelial growth factor production. [GO_REF:0000058, GOC:TermGenie, PMID:19404486]' - }, - 'GO:1904047': { - 'name': 'S-adenosyl-L-methionine binding', - 'def': 'Interacting selectively and non-covalently with S-adenosyl-L-methionine. [GO_REF:0000067, GOC:BHF, GOC:hal, GOC:TermGenie, PMID:22985361]' - }, - 'GO:1904048': { - 'name': 'regulation of spontaneous neurotransmitter secretion', - 'def': 'Any process that modulates the frequency, rate or extent of spontaneous neurotransmitter secretion. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22314364]' - }, - 'GO:1904049': { - 'name': 'negative regulation of spontaneous neurotransmitter secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of spontaneous neurotransmitter secretion. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22314364]' - }, - 'GO:1904050': { - 'name': 'positive regulation of spontaneous neurotransmitter secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of spontaneous neurotransmitter secretion. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22314364]' - }, - 'GO:1904051': { - 'name': 'regulation of protein targeting to vacuole involved in autophagy', - 'def': 'Any process that modulates the frequency, rate or extent of protein targeting to vacuole involved in autophagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22020285]' - }, - 'GO:1904052': { - 'name': 'negative regulation of protein targeting to vacuole involved in autophagy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein targeting to vacuole involved in autophagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22020285]' - }, - 'GO:1904053': { - 'name': 'positive regulation of protein targeting to vacuole involved in autophagy', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein targeting to vacuole involved in autophagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22020285]' - }, - 'GO:1904054': { - 'name': 'regulation of cholangiocyte proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of cholangiocyte proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:24434010]' - }, - 'GO:1904055': { - 'name': 'negative regulation of cholangiocyte proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cholangiocyte proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:24434010]' - }, - 'GO:1904056': { - 'name': 'positive regulation of cholangiocyte proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cholangiocyte proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:24434010]' - }, - 'GO:1904057': { - 'name': 'negative regulation of sensory perception of pain', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sensory perception of pain. [GO_REF:0000058, GOC:TermGenie, PMID:17167094]' - }, - 'GO:1904058': { - 'name': 'positive regulation of sensory perception of pain', - 'def': 'Any process that activates or increases the frequency, rate or extent of sensory perception of pain. [GO_REF:0000058, GOC:TermGenie, PMID:17167094]' - }, - 'GO:1904059': { - 'name': 'regulation of locomotor rhythm', - 'def': 'Any process that modulates the frequency, rate or extent of locomotor rhythm. [GO_REF:0000058, GOC:TermGenie, PMID:16310969]' - }, - 'GO:1904060': { - 'name': 'negative regulation of locomotor rhythm', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of locomotor rhythm. [GO_REF:0000058, GOC:TermGenie, PMID:16310969]' - }, - 'GO:1904061': { - 'name': 'positive regulation of locomotor rhythm', - 'def': 'Any process that activates or increases the frequency, rate or extent of locomotor rhythm. [GO_REF:0000058, GOC:TermGenie, PMID:16310969]' - }, - 'GO:1904062': { - 'name': 'regulation of cation transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of cation transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:15304482]' - }, - 'GO:1904063': { - 'name': 'negative regulation of cation transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cation transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:15304482]' - }, - 'GO:1904064': { - 'name': 'positive regulation of cation transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of cation transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:15304482]' - }, - 'GO:1904065': { - 'name': 'G-protein coupled acetylcholine receptor signaling pathway involved in positive regulation of acetylcholine secretion, neurotransmission', - 'def': 'Any G-protein coupled acetylcholine receptor signaling pathway that is involved in positive regulation of acetylcholine secretion, neurotransmission. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, pmid:22588719]' - }, - 'GO:1904066': { - 'name': 'G-protein coupled receptor signaling pathway involved in dauer larval development', - 'def': 'Any G-protein coupled receptor signaling pathway that is involved in dauer larval development. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, pmid:22665789]' - }, - 'GO:1904067': { - 'name': 'ascr#2 binding', - 'def': 'Interacting selectively and non-covalently with ascr#2. [GO_REF:0000067, GOC:kmv, GOC:TermGenie, PMID:22665789]' - }, - 'GO:1904068': { - 'name': 'G-protein coupled receptor signaling pathway involved in social behavior', - 'def': 'Any G-protein coupled receptor signaling pathway that is involved in social behavior. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, pmid:22665789]' - }, - 'GO:1904069': { - 'name': 'ascaroside metabolic process', - 'def': 'The chemical reactions and pathways involving ascaroside. [GO_REF:0000068, GOC:kmv, GOC:TermGenie, pmid:25775534]' - }, - 'GO:1904070': { - 'name': 'ascaroside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ascaroside. [GO_REF:0000068, GOC:kmv, GOC:TermGenie, pmid:25775534]' - }, - 'GO:1904071': { - 'name': 'presynaptic active zone assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a presynaptic active zone. The presynaptic active zone is a specialized region of the plasma membrane and cell cortex of a presynaptic neuron; encompasses a region of the plasma membrane where synaptic vesicles dock and fuse, and a specialized cortical cytoskeletal matrix. [GO_REF:0000079, GOC:pr, GOC:TermGenie, PMID:10769383]' - }, - 'GO:1904072': { - 'name': 'presynaptic active zone disassembly', - 'def': 'The disaggregation of a presynaptic active zone into its constituent components. [GO_REF:0000079, GOC:pr, GOC:TermGenie, ISBN:9780387325606]' - }, - 'GO:1904073': { - 'name': 'regulation of trophectodermal cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of trophectodermal cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:24508636]' - }, - 'GO:1904074': { - 'name': 'negative regulation of trophectodermal cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of trophectodermal cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:24508636]' - }, - 'GO:1904075': { - 'name': 'positive regulation of trophectodermal cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of trophectodermal cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:24508636]' - }, - 'GO:1904076': { - 'name': 'regulation of estrogen biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of estrogen biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:24530842]' - }, - 'GO:1904077': { - 'name': 'negative regulation of estrogen biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of estrogen biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:24530842]' - }, - 'GO:1904078': { - 'name': 'positive regulation of estrogen biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of estrogen biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:24530842]' - }, - 'GO:1904079': { - 'name': 'obsolete negative regulation of transcription from RNA polymerase II promoter involved in negative regulation of neuron apoptotic process', - 'def': 'OBSOLETE. Any negative regulation of transcription from RNA polymerase II promoter that is involved in negative regulation of neuron apoptotic process. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, PMID:20150917]' - }, - 'GO:1904080': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in neuron fate specification', - 'def': 'Any positive regulation of transcription from RNA polymerase II promoter that is involved in neuron fate specification. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, PMID:11959845]' - }, - 'GO:1904081': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in neuron differentiation', - 'def': 'Any positive regulation of transcription from RNA polymerase II promoter that is involved in neuron differentiation. [GO_REF:0000060, GOC:kmv, GOC:TermGenie, PMID:24353061]' - }, - 'GO:1904082': { - 'name': 'pyrimidine nucleobase transmembrane transport', - 'def': 'The directed movement of pyrimidine nucleobase across a membrane. [GO_REF:0000069, GOC:TermGenie]' - }, - 'GO:1904083': { - 'name': 'obsolete regulation of epiboly', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of epiboly. [GO_REF:0000058, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904084': { - 'name': 'obsolete negative regulation of epiboly', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of epiboly. [GO_REF:0000058, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904085': { - 'name': 'obsolete positive regulation of epiboly', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of epiboly. [GO_REF:0000058, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904086': { - 'name': 'regulation of epiboly involved in gastrulation with mouth forming second', - 'def': 'Any process that modulates the frequency, rate or extent of epiboly involved in gastrulation with mouth forming second. [GO_REF:0000058, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904087': { - 'name': 'negative regulation of epiboly involved in gastrulation with mouth forming second', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of epiboly involved in gastrulation with mouth forming second. [GO_REF:0000058, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904088': { - 'name': 'positive regulation of epiboly involved in gastrulation with mouth forming second', - 'def': 'Any process that activates or increases the frequency, rate or extent of epiboly involved in gastrulation with mouth forming second. [GO_REF:0000058, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904089': { - 'name': 'negative regulation of neuron apoptotic process by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter that results in negative regulation of neuron apoptotic process. [GO_REF:0000063, GOC:kmv, GOC:TermGenie, PMID:20150917]' - }, - 'GO:1904090': { - 'name': 'peptidase inhibitor complex', - 'def': 'A protein complex which is capable of peptidase inhibitor activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:20860624]' - }, - 'GO:1904091': { - 'name': 'peptidyl carrier protein activity involved in nonribosomal peptide biosynthesis', - 'def': 'Any oligopeptide binding that is involved in nonribosomal peptide biosynthetic process. [GO_REF:0000061, GOC:pr, GOC:TermGenie, GOC:vw, PMID:17502372]' - }, - 'GO:1904092': { - 'name': 'regulation of autophagic cell death', - 'def': 'Any process that modulates the frequency, rate or extent of autophagic cell death. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25736836]' - }, - 'GO:1904093': { - 'name': 'negative regulation of autophagic cell death', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of autophagic cell death. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25736836]' - }, - 'GO:1904094': { - 'name': 'positive regulation of autophagic cell death', - 'def': 'Any process that activates or increases the frequency, rate or extent of autophagic cell death. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25736836]' - }, - 'GO:1904095': { - 'name': 'negative regulation of endosperm development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endosperm development. [GO_REF:0000058, GOC:TermGenie, PMID:25194028]' - }, - 'GO:1904096': { - 'name': 'protein tyrosine phosphatase complex', - 'def': 'A protein complex which is capable of protein tyrosine phosphatase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:22389722]' - }, - 'GO:1904097': { - 'name': 'acid phosphatase complex', - 'def': 'A protein complex which is capable of acid phosphatase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:8132635]' - }, - 'GO:1904098': { - 'name': 'regulation of protein O-linked glycosylation', - 'def': 'Any process that modulates the frequency, rate or extent of protein O-linked glycosylation. [GO_REF:0000058, GOC:TermGenie, PMID:24509081]' - }, - 'GO:1904099': { - 'name': 'negative regulation of protein O-linked glycosylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein O-linked glycosylation. [GO_REF:0000058, GOC:TermGenie, PMID:24509081]' - }, - 'GO:1904100': { - 'name': 'positive regulation of protein O-linked glycosylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein O-linked glycosylation. [GO_REF:0000058, GOC:TermGenie, PMID:24509081]' - }, - 'GO:1904101': { - 'name': 'response to acadesine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acadesine stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:20802119]' - }, - 'GO:1904102': { - 'name': 'cellular response to acadesine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acadesine stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:20802119]' - }, - 'GO:1904103': { - 'name': 'regulation of convergent extension involved in gastrulation', - 'def': 'Any process that modulates the frequency, rate or extent of convergent extension involved in gastrulation. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904104': { - 'name': 'negative regulation of convergent extension involved in gastrulation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of convergent extension involved in gastrulation. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904105': { - 'name': 'positive regulation of convergent extension involved in gastrulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of convergent extension involved in gastrulation. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904106': { - 'name': 'protein localization to microvillus', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a microvillus. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, PMID:25335890]' - }, - 'GO:1904107': { - 'name': 'protein localization to microvillus membrane', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a microvillus membrane. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, PMID:25335890]' - }, - 'GO:1904108': { - 'name': 'protein localization to ciliary inversin compartment', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a ciliary inversin compartment. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, PMID:25335890]' - }, - 'GO:1904109': { - 'name': 'positive regulation of cholesterol import', - 'def': 'Any process that activates or increases the frequency, rate or extent of cholesterol import. [GO_REF:0000058, GOC:TermGenie, PMID:16772292]' - }, - 'GO:1904110': { - 'name': 'regulation of plus-end directed microfilament motor activity', - 'def': 'Any process that modulates the frequency, rate or extent of plus-end directed microfilament motor activity. [GO_REF:0000059, GOC:kmv, GOC:TermGenie, PMID:25717181]' - }, - 'GO:1904111': { - 'name': 'negative regulation of plus-end directed microfilament motor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of plus-end directed microfilament motor activity. [GO_REF:0000059, GOC:kmv, GOC:TermGenie, PMID:25717181]' - }, - 'GO:1904112': { - 'name': 'positive regulation of plus-end directed microfilament motor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of plus-end directed microfilament motor activity. [GO_REF:0000059, GOC:kmv, GOC:TermGenie, PMID:25717181]' - }, - 'GO:1904113': { - 'name': 'negative regulation of muscle filament sliding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of muscle filament sliding. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:25717181]' - }, - 'GO:1904114': { - 'name': 'positive regulation of muscle filament sliding', - 'def': 'Any process that activates or increases the frequency, rate or extent of muscle filament sliding. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:25717181]' - }, - 'GO:1904115': { - 'name': 'axon cytoplasm', - 'def': 'Any cytoplasm that is part of a axon. [GO_REF:0000064, GOC:TermGenie, PMID:18667152]' - }, - 'GO:1904116': { - 'name': 'response to vasopressin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vasopressin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22811487]' - }, - 'GO:1904117': { - 'name': 'cellular response to vasopressin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a vasopressin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22811487]' - }, - 'GO:1904118': { - 'name': 'regulation of otic vesicle morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of otic vesicle morphogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:25677106]' - }, - 'GO:1904119': { - 'name': 'negative regulation of otic vesicle morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of otic vesicle morphogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:25677106]' - }, - 'GO:1904120': { - 'name': 'positive regulation of otic vesicle morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of otic vesicle morphogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:25677106]' - }, - 'GO:1904121': { - 'name': 'phosphatidylethanolamine transporter activity', - 'def': 'Enables the directed movement of phosphatidylethanolamine into, out of or within a cell, or between cells. [GO_REF:0000066, GOC:TermGenie, PMID:8606365]' - }, - 'GO:1904122': { - 'name': 'positive regulation of fatty acid beta-oxidation by octopamine signaling pathway', - 'def': 'An octopamine signaling pathway that results in positive regulation of fatty acid beta-oxidation. [GO_REF:0000063, GOC:dph, GOC:kmv, GOC:TermGenie, PMID:24120942]' - }, - 'GO:1904123': { - 'name': 'positive regulation of fatty acid beta-oxidation by serotonin receptor signaling pathway', - 'def': 'A serotonin receptor signaling pathway that results in positive regulation of fatty acid beta-oxidation. [GO_REF:0000063, GOC:dph, GOC:kmv, GOC:TermGenie, PMID:24120942]' - }, - 'GO:1904124': { - 'name': 'microglial cell migration', - 'def': 'The orderly movement of a microglial cell from one site to another. [GO_REF:0000091, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1904125': { - 'name': 'convergent extension involved in rhombomere morphogenesis', - 'def': 'Any convergent extension that is involved in rhombomere morphogenesis. [GO_REF:0000060, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904126': { - 'name': 'convergent extension involved in notochord morphogenesis', - 'def': 'Any convergent extension that is involved in notochord morphogenesis. [GO_REF:0000060, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904127': { - 'name': 'regulation of convergent extension involved in somitogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of convergent extension involved in somitogenesis. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904128': { - 'name': 'negative regulation of convergent extension involved in somitogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of convergent extension involved in somitogenesis. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904129': { - 'name': 'positive regulation of convergent extension involved in somitogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of convergent extension involved in somitogenesis. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904130': { - 'name': 'regulation of convergent extension involved in neural plate elongation', - 'def': 'Any process that modulates the frequency, rate or extent of convergent extension involved in neural plate elongation. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904131': { - 'name': 'negative regulation of convergent extension involved in neural plate elongation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of convergent extension involved in neural plate elongation. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904132': { - 'name': 'positive regulation of convergent extension involved in neural plate elongation', - 'def': 'Any process that activates or increases the frequency, rate or extent of convergent extension involved in neural plate elongation. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904133': { - 'name': 'regulation of convergent extension involved in rhombomere morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of convergent extension involved in rhombomere morphogenesis. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904134': { - 'name': 'negative regulation of convergent extension involved in rhombomere morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of convergent extension involved in rhombomere morphogenesis. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904135': { - 'name': 'positive regulation of convergent extension involved in rhombomere morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of convergent extension involved in rhombomere morphogenesis. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904136': { - 'name': 'regulation of convergent extension involved in notochord morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of convergent extension involved in notochord morphogenesis. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904137': { - 'name': 'negative regulation of convergent extension involved in notochord morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of convergent extension involved in notochord morphogenesis. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904138': { - 'name': 'positive regulation of convergent extension involved in notochord morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of convergent extension involved in notochord morphogenesis. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:24892953]' - }, - 'GO:1904139': { - 'name': 'regulation of microglial cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of microglial cell migration. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1904140': { - 'name': 'negative regulation of microglial cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of microglial cell migration. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1904141': { - 'name': 'positive regulation of microglial cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of microglial cell migration. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1904142': { - 'name': 'negative regulation of carotenoid biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of carotenoid biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:25675505]' - }, - 'GO:1904143': { - 'name': 'positive regulation of carotenoid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of carotenoid biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:25675505]' - }, - 'GO:1904144': { - 'name': 'phosphatidylinositol phosphate phosphatase complex', - 'def': 'A protein complex which is capable of phosphatidylinositol phosphate phosphatase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:12525165]' - }, - 'GO:1904145': { - 'name': 'negative regulation of meiotic cell cycle process involved in oocyte maturation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of meiotic cell cycle process involved in oocyte maturation. [GO_REF:0000058, GOC:TermGenie, PMID:22674394]' - }, - 'GO:1904146': { - 'name': 'positive regulation of meiotic cell cycle process involved in oocyte maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of meiotic cell cycle process involved in oocyte maturation. [GO_REF:0000058, GOC:TermGenie, PMID:22674394]' - }, - 'GO:1904147': { - 'name': 'response to nonylphenol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nonylphenol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:19260726]' - }, - 'GO:1904148': { - 'name': 'cellular response to nonylphenol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nonylphenol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:19260726]' - }, - 'GO:1904149': { - 'name': 'regulation of microglial cell mediated cytotoxicity', - 'def': 'Any process that modulates the frequency, rate or extent of microglial cell mediated cytotoxicity. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1904150': { - 'name': 'negative regulation of microglial cell mediated cytotoxicity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of microglial cell mediated cytotoxicity. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1904151': { - 'name': 'positive regulation of microglial cell mediated cytotoxicity', - 'def': 'Any process that activates or increases the frequency, rate or extent of microglial cell mediated cytotoxicity. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:19100238]' - }, - 'GO:1904152': { - 'name': 'regulation of retrograde protein transport, ER to cytosol', - 'def': 'Any process that modulates the frequency, rate or extent of retrograde protein transport, ER to cytosol. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18555783]' - }, - 'GO:1904153': { - 'name': 'negative regulation of retrograde protein transport, ER to cytosol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of retrograde protein transport, ER to cytosol. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18555783]' - }, - 'GO:1904154': { - 'name': 'positive regulation of retrograde protein transport, ER to cytosol', - 'def': 'Any process that activates or increases the frequency, rate or extent of retrograde protein transport, ER to cytosol. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18555783]' - }, - 'GO:1904155': { - 'name': 'DN2 thymocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a DN2 thymocyte. A DN2 thymocyte is a CD4-,CD8- thymocyte that is also CD44+,CD25-. [GO_REF:0000086, GOC:dph, GOC:TermGenie, PMID:25398325]' - }, - 'GO:1904156': { - 'name': 'DN3 thymocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a DN3 thymocyte. A DN3 thymocyte is a CD4-,CD8- thymocyte that is also CD44+,CD25+. [GO_REF:0000086, GOC:dph, GOC:TermGenie, PMID:25398325]' - }, - 'GO:1904157': { - 'name': 'DN4 thymocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a DN4 thymocyte. A DN4 thymocyte is a CD4-,CD8- thymocyte that is also CD44-,CD25-. [GO_REF:0000086, GOC:dph, GOC:TermGenie, PMID:25398325]' - }, - 'GO:1904158': { - 'name': 'axonemal central apparatus assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an axonemal central apparatus. [GO_REF:0000079, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:9295136]' - }, - 'GO:1904159': { - 'name': 'megasporocyte differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a megasporocyte. [GO_REF:0000086, GOC:tair_curators, GOC:TermGenie]' - }, - 'GO:1904160': { - 'name': 'protein localization to chloroplast starch grain', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a chloroplast starch grain. [GO_REF:0000087, GOC:TermGenie, PMID:25710501]' - }, - 'GO:1904161': { - 'name': 'DNA synthesis involved in UV-damage excision repair', - 'def': 'Any DNA synthesis that is involved in UV-damage excision repair. [GO_REF:0000060, GOC:TermGenie, PMID:10704216]' - }, - 'GO:1904162': { - 'name': "5'-3' exodeoxyribonuclease activity involved in UV-damage excision repair", - 'def': "Any 5'-3' exodeoxyribonuclease activity that is involved in UV-damage excision repair. [GO_REF:0000061, GOC:TermGenie, PMID:10704216]" - }, - 'GO:1904163': { - 'name': 'obsolete regulation of triglyceride homeostasis', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of triglyceride homeostasis. [GO_REF:0000058, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:22541436]' - }, - 'GO:1904164': { - 'name': 'obsolete negative regulation of triglyceride homeostasis', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of triglyceride homeostasis. [GO_REF:0000058, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:22541436]' - }, - 'GO:1904165': { - 'name': 'obsolete positive regulation of triglyceride homeostasis', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of triglyceride homeostasis. [GO_REF:0000058, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:22541436]' - }, - 'GO:1904166': { - 'name': 'obsolete negative regulation of cholesterol homeostasis', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of cholesterol homeostasis. [GO_REF:0000058, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:22541436]' - }, - 'GO:1904167': { - 'name': 'regulation of thyroid hormone receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of thyroid hormone receptor activity. [GO_REF:0000059, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:22541436]' - }, - 'GO:1904168': { - 'name': 'negative regulation of thyroid hormone receptor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of thyroid hormone receptor activity. [GO_REF:0000059, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:22541436]' - }, - 'GO:1904169': { - 'name': 'positive regulation of thyroid hormone receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of thyroid hormone receptor activity. [GO_REF:0000059, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:22541436]' - }, - 'GO:1904170': { - 'name': 'regulation of bleb assembly', - 'def': 'Any process that modulates the frequency, rate or extent of bleb assembly. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:25651887]' - }, - 'GO:1904171': { - 'name': 'negative regulation of bleb assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of bleb assembly. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:25651887]' - }, - 'GO:1904172': { - 'name': 'positive regulation of bleb assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of bleb assembly. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:25651887]' - }, - 'GO:1904173': { - 'name': 'regulation of histone demethylase activity (H3-K4 specific)', - 'def': 'Any process that modulates the frequency, rate or extent of histone demethylase activity (H3-K4 specific). [GO_REF:0000059, GOC:dph, GOC:TermGenie, PMID:24843136]' - }, - 'GO:1904174': { - 'name': 'negative regulation of histone demethylase activity (H3-K4 specific)', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone demethylase activity (H3-K4 specific). [GO_REF:0000059, GOC:dph, GOC:TermGenie, PMID:24843136]' - }, - 'GO:1904175': { - 'name': 'positive regulation of histone demethylase activity (H3-K4 specific)', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone demethylase activity (H3-K4 specific). [GO_REF:0000059, GOC:dph, GOC:TermGenie, PMID:24843136]' - }, - 'GO:1904176': { - 'name': 'carbon phosphorus lyase complex', - 'def': 'A protein complex which is capable of carbon phosphorus lyase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, IntAct:EBI-6471348, PMID:17993513, PMID:21705661, PMID:22089136, PMID:23830682]' - }, - 'GO:1904177': { - 'name': 'regulation of adipose tissue development', - 'def': 'Any process that modulates the frequency, rate or extent of adipose tissue development. [GO_REF:0000058, GOC:TermGenie, PMID:23081848]' - }, - 'GO:1904178': { - 'name': 'negative regulation of adipose tissue development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of adipose tissue development. [GO_REF:0000058, GOC:TermGenie, PMID:23081848]' - }, - 'GO:1904179': { - 'name': 'positive regulation of adipose tissue development', - 'def': 'Any process that activates or increases the frequency, rate or extent of adipose tissue development. [GO_REF:0000058, GOC:TermGenie, PMID:23081848]' - }, - 'GO:1904180': { - 'name': 'negative regulation of membrane depolarization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of membrane depolarization. [GO_REF:0000058, GOC:TermGenie, PMID:20826763]' - }, - 'GO:1904181': { - 'name': 'positive regulation of membrane depolarization', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane depolarization. [GO_REF:0000058, GOC:TermGenie, PMID:20826763]' - }, - 'GO:1904182': { - 'name': 'regulation of pyruvate dehydrogenase activity', - 'def': 'Any process that modulates the frequency, rate or extent of pyruvate dehydrogenase activity. [GO_REF:0000059, GOC:dph, GOC:TermGenie, PMID:25525879]' - }, - 'GO:1904183': { - 'name': 'negative regulation of pyruvate dehydrogenase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pyruvate dehydrogenase activity. [GO_REF:0000059, GOC:dph, GOC:TermGenie, PMID:25525879]' - }, - 'GO:1904184': { - 'name': 'positive regulation of pyruvate dehydrogenase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of pyruvate dehydrogenase activity. [GO_REF:0000059, GOC:dph, GOC:TermGenie, PMID:25525879]' - }, - 'GO:1904185': { - 'name': 'equatorial microtubule organizing center assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an equatorial microtubule organizing center. [GO_REF:0000079, GOC:TermGenie, PMID:15004232]' - }, - 'GO:1904186': { - 'name': 'post-anaphase microtubule array organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly ofa post-anaphase microtubule array. [GO_REF:000103, GOC:TermGenie, PMID:15004232]' - }, - 'GO:1904187': { - 'name': 'regulation of transformation of host cell by virus', - 'def': 'Any process that modulates the frequency, rate or extent of transformation of host cell by virus. [GO_REF:0000058, GOC:TermGenie, PMID:12200142]' - }, - 'GO:1904188': { - 'name': 'negative regulation of transformation of host cell by virus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transformation of host cell by virus. [GO_REF:0000058, GOC:TermGenie, PMID:12200142]' - }, - 'GO:1904189': { - 'name': 'positive regulation of transformation of host cell by virus', - 'def': 'Any process that activates or increases the frequency, rate or extent of transformation of host cell by virus. [GO_REF:0000058, GOC:TermGenie, PMID:12200142]' - }, - 'GO:1904191': { - 'name': 'positive regulation of cyclin-dependent protein serine/threonine kinase activity involved in meiotic nuclear division', - 'def': 'Any positive regulation of cyclin-dependent protein serine/threonine kinase activity that is involved in meiotic nuclear division. [GO_REF:0000060, GOC:TermGenie, PMID:15791259]' - }, - 'GO:1904192': { - 'name': 'regulation of cholangiocyte apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of cholangiocyte apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24498161]' - }, - 'GO:1904193': { - 'name': 'negative regulation of cholangiocyte apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cholangiocyte apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24498161]' - }, - 'GO:1904194': { - 'name': 'positive regulation of cholangiocyte apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cholangiocyte apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24498161]' - }, - 'GO:1904195': { - 'name': 'regulation of granulosa cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of granulosa cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:22383759]' - }, - 'GO:1904196': { - 'name': 'negative regulation of granulosa cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of granulosa cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:22383759]' - }, - 'GO:1904197': { - 'name': 'positive regulation of granulosa cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of granulosa cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:22383759]' - }, - 'GO:1904198': { - 'name': 'negative regulation of regulation of vascular smooth muscle cell membrane depolarization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of regulation of vascular smooth muscle cell membrane depolarization. [GO_REF:0000058, GOC:TermGenie, PMID:20826763]' - }, - 'GO:1904199': { - 'name': 'positive regulation of regulation of vascular smooth muscle cell membrane depolarization', - 'def': 'Any process that activates or increases the frequency, rate or extent of regulation of vascular smooth muscle cell membrane depolarization. [GO_REF:0000058, GOC:TermGenie, PMID:20826763]' - }, - 'GO:1904200': { - 'name': 'iodide transmembrane transport', - 'def': 'The directed movement of iodide across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:20392814]' - }, - 'GO:1904201': { - 'name': 'regulation of iodide transport', - 'def': 'Any process that modulates the frequency, rate or extent of iodide transport. [GO_REF:0000058, GOC:TermGenie, PMID:20392814]' - }, - 'GO:1904202': { - 'name': 'negative regulation of iodide transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of iodide transport. [GO_REF:0000058, GOC:TermGenie, PMID:20392814]' - }, - 'GO:1904203': { - 'name': 'positive regulation of iodide transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of iodide transport. [GO_REF:0000058, GOC:TermGenie, PMID:20392814]' - }, - 'GO:1904204': { - 'name': 'regulation of skeletal muscle hypertrophy', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle hypertrophy. [GO_REF:0000058, GOC:TermGenie, PMID:23470307]' - }, - 'GO:1904205': { - 'name': 'negative regulation of skeletal muscle hypertrophy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of skeletal muscle hypertrophy. [GO_REF:0000058, GOC:TermGenie, PMID:23470307]' - }, - 'GO:1904206': { - 'name': 'positive regulation of skeletal muscle hypertrophy', - 'def': 'Any process that activates or increases the frequency, rate or extent of skeletal muscle hypertrophy. [GO_REF:0000058, GOC:TermGenie, PMID:23470307]' - }, - 'GO:1904207': { - 'name': 'regulation of chemokine (C-C motif) ligand 2 secretion', - 'def': 'Any process that modulates the frequency, rate or extent of chemokine (C-C motif) ligand 2 secretion. [GO_REF:0000058, GOC:TermGenie, PMID:24260297]' - }, - 'GO:1904208': { - 'name': 'negative regulation of chemokine (C-C motif) ligand 2 secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chemokine (C-C motif) ligand 2 secretion. [GO_REF:0000058, GOC:TermGenie, PMID:24260297]' - }, - 'GO:1904209': { - 'name': 'positive regulation of chemokine (C-C motif) ligand 2 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of chemokine (C-C motif) ligand 2 secretion. [GO_REF:0000058, GOC:TermGenie, PMID:24260297]' - }, - 'GO:1904210': { - 'name': 'VCP-NPL4-UFD1 AAA ATPase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a VCP-NPL4-UFD1 AAA ATPase complex. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:17000876]' - }, - 'GO:1904211': { - 'name': 'membrane protein proteolysis involved in retrograde protein transport, ER to cytosol', - 'def': 'Any membrane protein proteolysis that is involved in retrograde protein transport, ER to cytosol. [GO_REF:0000060, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22795130]' - }, - 'GO:1904212': { - 'name': 'regulation of iodide transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of iodide transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:20392814]' - }, - 'GO:1904213': { - 'name': 'negative regulation of iodide transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of iodide transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:20392814]' - }, - 'GO:1904214': { - 'name': 'positive regulation of iodide transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of iodide transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:20392814]' - }, - 'GO:1904215': { - 'name': 'regulation of protein import into chloroplast stroma', - 'def': 'Any process that modulates the frequency, rate or extent of protein import into chloroplast stroma. [GO_REF:0000058, GOC:TermGenie, PMID:25901327]' - }, - 'GO:1904216': { - 'name': 'positive regulation of protein import into chloroplast stroma', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein import into chloroplast stroma. [GO_REF:0000058, GOC:TermGenie, PMID:25901327]' - }, - 'GO:1904217': { - 'name': 'regulation of CDP-diacylglycerol-serine O-phosphatidyltransferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of CDP-diacylglycerol-serine O-phosphatidyltransferase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16120614]' - }, - 'GO:1904218': { - 'name': 'negative regulation of CDP-diacylglycerol-serine O-phosphatidyltransferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CDP-diacylglycerol-serine O-phosphatidyltransferase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16120614]' - }, - 'GO:1904219': { - 'name': 'positive regulation of CDP-diacylglycerol-serine O-phosphatidyltransferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of CDP-diacylglycerol-serine O-phosphatidyltransferase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16120614]' - }, - 'GO:1904220': { - 'name': 'regulation of serine C-palmitoyltransferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of serine C-palmitoyltransferase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16120614]' - }, - 'GO:1904221': { - 'name': 'negative regulation of serine C-palmitoyltransferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of serine C-palmitoyltransferase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16120614]' - }, - 'GO:1904222': { - 'name': 'positive regulation of serine C-palmitoyltransferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of serine C-palmitoyltransferase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16120614]' - }, - 'GO:1904223': { - 'name': 'regulation of glucuronosyltransferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of glucuronosyltransferase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20610558]' - }, - 'GO:1904224': { - 'name': 'negative regulation of glucuronosyltransferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucuronosyltransferase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20610558]' - }, - 'GO:1904225': { - 'name': 'positive regulation of glucuronosyltransferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucuronosyltransferase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20610558]' - }, - 'GO:1904226': { - 'name': 'regulation of glycogen synthase activity, transferring glucose-1-phosphate', - 'def': 'Any process that modulates the frequency, rate or extent of glycogen synthase activity, transferring glucose-1-phosphate. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17569761]' - }, - 'GO:1904227': { - 'name': 'negative regulation of glycogen synthase activity, transferring glucose-1-phosphate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glycogen synthase activity, transferring glucose-1-phosphate. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17569761]' - }, - 'GO:1904228': { - 'name': 'positive regulation of glycogen synthase activity, transferring glucose-1-phosphate', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycogen synthase activity, transferring glucose-1-phosphate. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17569761]' - }, - 'GO:1904229': { - 'name': 'regulation of succinate dehydrogenase activity', - 'def': 'Any process that modulates the frequency, rate or extent of succinate dehydrogenase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18160053]' - }, - 'GO:1904230': { - 'name': 'negative regulation of succinate dehydrogenase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of succinate dehydrogenase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18160053]' - }, - 'GO:1904231': { - 'name': 'positive regulation of succinate dehydrogenase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of succinate dehydrogenase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18160053]' - }, - 'GO:1904232': { - 'name': 'regulation of aconitate hydratase activity', - 'def': 'Any process that modulates the frequency, rate or extent of aconitate hydratase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18160053]' - }, - 'GO:1904233': { - 'name': 'negative regulation of aconitate hydratase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aconitate hydratase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18160053]' - }, - 'GO:1904234': { - 'name': 'positive regulation of aconitate hydratase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of aconitate hydratase activity. [GO_REF:0000059, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18160053]' - }, - 'GO:1904235': { - 'name': 'regulation of substrate-dependent cell migration, cell attachment to substrate', - 'def': 'Any process that modulates the frequency, rate or extent of substrate-dependent cell migration, cell attachment to substrate. [GO_REF:0000058, GOC:TermGenie, PMID:25834989]' - }, - 'GO:1904236': { - 'name': 'negative regulation of substrate-dependent cell migration, cell attachment to substrate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of substrate-dependent cell migration, cell attachment to substrate. [GO_REF:0000058, GOC:TermGenie, PMID:25834989]' - }, - 'GO:1904237': { - 'name': 'positive regulation of substrate-dependent cell migration, cell attachment to substrate', - 'def': 'Any process that activates or increases the frequency, rate or extent of substrate-dependent cell migration, cell attachment to substrate. [GO_REF:0000058, GOC:TermGenie, PMID:25834989]' - }, - 'GO:1904238': { - 'name': 'pericyte cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a pericyte cell. [GO_REF:0000086, GOC:dph, GOC:TermGenie, PMID:23868830]' - }, - 'GO:1904239': { - 'name': 'regulation of VCP-NPL4-UFD1 AAA ATPase complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of VCP-NPL4-UFD1 AAA ATPase complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904240': { - 'name': 'negative regulation of VCP-NPL4-UFD1 AAA ATPase complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of VCP-NPL4-UFD1 AAA ATPase complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:17000876]' - }, - 'GO:1904241': { - 'name': 'positive regulation of VCP-NPL4-UFD1 AAA ATPase complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of VCP-NPL4-UFD1 AAA ATPase complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904242': { - 'name': 'regulation of pancreatic trypsinogen secretion', - 'def': 'Any process that modulates the frequency, rate or extent of pancreatic trypsinogen secretion. [GO_REF:0000058, GOC:TermGenie, PMID:12771515]' - }, - 'GO:1904243': { - 'name': 'negative regulation of pancreatic trypsinogen secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pancreatic trypsinogen secretion. [GO_REF:0000058, GOC:TermGenie, PMID:12771515]' - }, - 'GO:1904244': { - 'name': 'positive regulation of pancreatic trypsinogen secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of pancreatic trypsinogen secretion. [GO_REF:0000058, GOC:TermGenie, PMID:12771515]' - }, - 'GO:1904245': { - 'name': 'regulation of polynucleotide adenylyltransferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of polynucleotide adenylyltransferase activity. [GO_REF:0000059, GOC:kmv, GOC:TermGenie, PMID:19460348]' - }, - 'GO:1904246': { - 'name': 'negative regulation of polynucleotide adenylyltransferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of polynucleotide adenylyltransferase activity. [GO_REF:0000059, GOC:kmv, GOC:TermGenie, PMID:19460348]' - }, - 'GO:1904247': { - 'name': 'positive regulation of polynucleotide adenylyltransferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of polynucleotide adenylyltransferase activity. [GO_REF:0000059, GOC:kmv, GOC:TermGenie, PMID:19460348]' - }, - 'GO:1904248': { - 'name': 'regulation of age-related resistance', - 'def': 'Any process that modulates the extent of age-related resistance. [GO_REF:0000058, GOC:TermGenie, PMID:19694953]' - }, - 'GO:1904249': { - 'name': 'negative regulation of age-related resistance', - 'def': 'Any process that stops, prevents or reduces the extent of age-related resistance. [GO_REF:0000058, GOC:TermGenie, PMID:19694953]' - }, - 'GO:1904250': { - 'name': 'positive regulation of age-related resistance', - 'def': 'Any process that activates or increases the extent of age-related resistance. [GO_REF:0000058, GOC:TermGenie, PMID:19694953]' - }, - 'GO:1904251': { - 'name': 'regulation of bile acid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of bile acid metabolic process. [GO_REF:0000058, GOC:bf, GOC:TermGenie]' - }, - 'GO:1904252': { - 'name': 'negative regulation of bile acid metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of bile acid metabolic process. [GO_REF:0000058, GOC:bf, GOC:TermGenie]' - }, - 'GO:1904253': { - 'name': 'positive regulation of bile acid metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of bile acid metabolic process. [GO_REF:0000058, GOC:bf, GOC:TermGenie]' - }, - 'GO:1904254': { - 'name': 'regulation of iron channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of iron channel activity. [GO_REF:0000059, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:15514116]' - }, - 'GO:1904255': { - 'name': 'negative regulation of iron channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of iron channel activity. [GO_REF:0000059, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:15514116]' - }, - 'GO:1904256': { - 'name': 'positive regulation of iron channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of iron channel activity. [GO_REF:0000059, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:15514116]' - }, - 'GO:1904257': { - 'name': 'zinc II ion import across Golgi membrane', - 'def': 'The directed import of zinc(2+) from the cytosol across the Golgi membrane into the Golgi apparatus. [GO_REF:0000075, GOC:TermGenie, PMID:25732056]' - }, - 'GO:1904258': { - 'name': 'nuclear dicing body assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a nuclear dicing body. [GO_REF:0000079, GOC:TermGenie, PMID:25902521]' - }, - 'GO:1904259': { - 'name': 'regulation of basement membrane assembly involved in embryonic body morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of basement membrane assembly involved in embryonic body morphogenesis. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23940118]' - }, - 'GO:1904260': { - 'name': 'negative regulation of basement membrane assembly involved in embryonic body morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of basement membrane assembly involved in embryonic body morphogenesis. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23940118]' - }, - 'GO:1904261': { - 'name': 'positive regulation of basement membrane assembly involved in embryonic body morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of basement membrane assembly involved in embryonic body morphogenesis. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:23940118]' - }, - 'GO:1904262': { - 'name': 'negative regulation of TORC1 signaling', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of TORC1 signaling. [GO_REF:0000058, GOC:TermGenie, PMID:25366275]' - }, - 'GO:1904263': { - 'name': 'positive regulation of TORC1 signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of TORC1 signaling. [GO_REF:0000058, GOC:TermGenie, PMID:25366275]' - }, - 'GO:1904264': { - 'name': 'ubiquitin protein ligase activity involved in ERAD pathway', - 'def': 'Any ubiquitin protein ligase activity that is involved in the ERAD pathway (the targeting of endoplasmic reticulum (ER)-resident proteins for degradation by the cytoplasmic proteasome). [GO_REF:0000061, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23990462]' - }, - 'GO:1904265': { - 'name': 'ubiquitin-specific protease activity involved in negative regulation of retrograde protein transport, ER to cytosol', - 'def': 'Any ubiquitin-specific protease activity (deubiquitinase activity) that is involved in negative regulation of retrograde protein transport, ER to cytosol. [GO_REF:0000061, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24068323]' - }, - 'GO:1904266': { - 'name': 'regulation of Schwann cell chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of Schwann cell chemotaxis. [GO_REF:0000058, GOC:TermGenie, PMID:16203995]' - }, - 'GO:1904267': { - 'name': 'negative regulation of Schwann cell chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Schwann cell chemotaxis. [GO_REF:0000058, GOC:TermGenie, PMID:16203995]' - }, - 'GO:1904268': { - 'name': 'positive regulation of Schwann cell chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of Schwann cell chemotaxis. [GO_REF:0000058, GOC:TermGenie, PMID:16203995]' - }, - 'GO:1904269': { - 'name': 'cell leading edge cell cortex', - 'def': 'The cell cortex of the leading edge of a cell. [GO_REF:0000064, GOC:kmv, GOC:TermGenie, PMID:25843030]' - }, - 'GO:1904270': { - 'name': 'pyroptosome complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a pyroptosome complex. [GO_REF:0000079, GOC:TermGenie, PMID:17964261]' - }, - 'GO:1904271': { - 'name': 'L-proline import across plasma membrane', - 'def': 'The directed movement of L-proline from outside of a cell into the cytoplasmic compartment. [GO_REF:0000075, GOC:kmv, GOC:TermGenie, PMID:21097500]' - }, - 'GO:1904272': { - 'name': 'L-tryptophan import across plasma membrane', - 'def': 'The directed movement of L-tryptophan from outside of a cell into the cytoplasmic compartment. [GO_REF:0000075, GOC:kmv, GOC:TermGenie, PMID:21097500]' - }, - 'GO:1904273': { - 'name': 'L-alanine import across plasma membrane', - 'def': 'The directed import of L-alanine from the extracellular region across the plasma membrane and into the cytosol. [GO_REF:0000075, GOC:kmv, GOC:TermGenie, PMID:21097500]' - }, - 'GO:1904274': { - 'name': 'tricellular tight junction assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a tricellular tight junction. [GO_REF:0000079, GOC:mr, GOC:TermGenie, PMID:22640933, PMID:25097825, PMID:4203962]' - }, - 'GO:1904275': { - 'name': 'tricellular tight junction disassembly', - 'def': 'The disaggregation of a tricellular tight junction into its constituent components. [GO_REF:0000079, GOC:mr, GOC:TermGenie, PMID:22640933, PMID:25097825, PMID:4203962]' - }, - 'GO:1904276': { - 'name': 'regulation of wax biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of wax biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:24692420]' - }, - 'GO:1904277': { - 'name': 'negative regulation of wax biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of wax biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:24692420]' - }, - 'GO:1904278': { - 'name': 'positive regulation of wax biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of wax biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:24692420]' - }, - 'GO:1904279': { - 'name': 'regulation of transcription from RNA polymerase V promoter', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from RNA polymerase V promoter. [GO_REF:0000058, GOC:TermGenie, PMID:24726328]' - }, - 'GO:1904280': { - 'name': 'negative regulation of transcription from RNA polymerase V promoter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transcription from RNA polymerase V promoter. [GO_REF:0000058, GOC:TermGenie, PMID:24726328]' - }, - 'GO:1904281': { - 'name': 'positive regulation of transcription from RNA polymerase V promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from RNA polymerase V promoter. [GO_REF:0000058, GOC:TermGenie, PMID:24726328]' - }, - 'GO:1904282': { - 'name': 'regulation of antigen processing and presentation of endogenous peptide antigen via MHC class I', - 'def': 'Any process that modulates the frequency, rate or extent of antigen processing and presentation of endogenous peptide antigen via MHC class I. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:24643698]' - }, - 'GO:1904283': { - 'name': 'negative regulation of antigen processing and presentation of endogenous peptide antigen via MHC class I', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of antigen processing and presentation of endogenous peptide antigen via MHC class I. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:24643698]' - }, - 'GO:1904284': { - 'name': 'positive regulation of antigen processing and presentation of endogenous peptide antigen via MHC class I', - 'def': 'Any process that activates or increases the frequency, rate or extent of antigen processing and presentation of endogenous peptide antigen via MHC class I. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:24643698]' - }, - 'GO:1904285': { - 'name': 'regulation of protein-pyridoxal-5-phosphate linkage', - 'def': 'Any process that modulates the frequency, rate or extent of protein-pyridoxal-5-phosphate linkage. [GO_REF:0000058, GOC:TermGenie, PMID:25957689]' - }, - 'GO:1904286': { - 'name': 'negative regulation of protein-pyridoxal-5-phosphate linkage', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein-pyridoxal-5-phosphate linkage. [GO_REF:0000058, GOC:TermGenie, PMID:25957689]' - }, - 'GO:1904287': { - 'name': 'positive regulation of protein-pyridoxal-5-phosphate linkage', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein-pyridoxal-5-phosphate linkage. [GO_REF:0000058, GOC:TermGenie, PMID:25957689]' - }, - 'GO:1904288': { - 'name': 'BAT3 complex binding', - 'def': 'Interacting selectively and non-covalently with a BAT3 complex. [GO_REF:000102, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23246001]' - }, - 'GO:1904289': { - 'name': 'regulation of mitotic DNA damage checkpoint', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic DNA damage checkpoint. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:16549501]' - }, - 'GO:1904290': { - 'name': 'negative regulation of mitotic DNA damage checkpoint', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic DNA damage checkpoint. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:16549501]' - }, - 'GO:1904291': { - 'name': 'positive regulation of mitotic DNA damage checkpoint', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic DNA damage checkpoint. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:16549501]' - }, - 'GO:1904292': { - 'name': 'regulation of ERAD pathway', - 'def': 'Any process that modulates the frequency, rate or extent of ERAD pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904293': { - 'name': 'negative regulation of ERAD pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ERAD pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22590560]' - }, - 'GO:1904294': { - 'name': 'positive regulation of ERAD pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of ERAD pathway. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904295': { - 'name': 'regulation of osmolarity-sensing cation channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of osmolarity-sensing cation channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:18279313]' - }, - 'GO:1904296': { - 'name': 'negative regulation of osmolarity-sensing cation channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of osmolarity-sensing cation channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:18279313]' - }, - 'GO:1904297': { - 'name': 'positive regulation of osmolarity-sensing cation channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of osmolarity-sensing cation channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:18279313]' - }, - 'GO:1904298': { - 'name': 'regulation of transcytosis', - 'def': 'Any process that modulates the frequency, rate or extent of transcytosis. [GO_REF:0000058, GOC:TermGenie, PMID:9664076]' - }, - 'GO:1904299': { - 'name': 'negative regulation of transcytosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transcytosis. [GO_REF:0000058, GOC:TermGenie, PMID:9664076]' - }, - 'GO:1904300': { - 'name': 'positive regulation of transcytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcytosis. [GO_REF:0000058, GOC:TermGenie, PMID:9664076]' - }, - 'GO:1904301': { - 'name': 'regulation of maternal process involved in parturition', - 'def': 'Any process that modulates the frequency, rate or extent of maternal process involved in parturition. [GO_REF:0000058, GOC:TermGenie, PMID:1849751]' - }, - 'GO:1904302': { - 'name': 'negative regulation of maternal process involved in parturition', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maternal process involved in parturition. [GO_REF:0000058, GOC:TermGenie, PMID:1849751]' - }, - 'GO:1904303': { - 'name': 'positive regulation of maternal process involved in parturition', - 'def': 'Any process that activates or increases the frequency, rate or extent of maternal process involved in parturition. [GO_REF:0000058, GOC:TermGenie, PMID:1849751]' - }, - 'GO:1904304': { - 'name': 'regulation of gastro-intestinal system smooth muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of gastro-intestinal system smooth muscle contraction. [GO_REF:0000058, GOC:TermGenie, PMID:10821044]' - }, - 'GO:1904305': { - 'name': 'negative regulation of gastro-intestinal system smooth muscle contraction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gastro-intestinal system smooth muscle contraction. [GO_REF:0000058, GOC:TermGenie, PMID:10821044]' - }, - 'GO:1904306': { - 'name': 'positive regulation of gastro-intestinal system smooth muscle contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of gastro-intestinal system smooth muscle contraction. [GO_REF:0000058, GOC:TermGenie, PMID:10821044]' - }, - 'GO:1904307': { - 'name': 'response to desipramine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a desipramine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20549303]' - }, - 'GO:1904308': { - 'name': 'cellular response to desipramine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a desipramine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20549303]' - }, - 'GO:1904309': { - 'name': 'response to cordycepin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cordycepin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21597460]' - }, - 'GO:1904310': { - 'name': 'cellular response to cordycepin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cordycepin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21597460]' - }, - 'GO:1904311': { - 'name': 'response to gold(3+)', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gold(3+) stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16206274]' - }, - 'GO:1904312': { - 'name': 'cellular response to gold(3+)', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gold(3+) stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16206274]' - }, - 'GO:1904313': { - 'name': 'response to methamphetamine hydrochloride', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methamphetamine hydrochloride stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22174933]' - }, - 'GO:1904314': { - 'name': 'cellular response to methamphetamine hydrochloride', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methamphetamine hydrochloride stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22174933]' - }, - 'GO:1904315': { - 'name': 'transmitter-gated ion channel activity involved in regulation of postsynaptic membrane potential', - 'def': 'Any transmitter-gated ion channel activity that is involved in regulation of postsynaptic membrane potential. [GO_REF:0000061, GOC:TermGenie, PMID:20200227]' - }, - 'GO:1904316': { - 'name': 'response to 2-O-acetyl-1-O-hexadecyl-sn-glycero-3-phosphocholine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 2-O-acetyl-1-O-hexadecyl-sn-glycero-3-phosphocholine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:9321918]' - }, - 'GO:1904317': { - 'name': 'cellular response to 2-O-acetyl-1-O-hexadecyl-sn-glycero-3-phosphocholine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 2-O-acetyl-1-O-hexadecyl-sn-glycero-3-phosphocholine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:9321918]' - }, - 'GO:1904318': { - 'name': 'regulation of smooth muscle contraction involved in micturition', - 'def': 'Any process that modulates the frequency, rate or extent of smooth muscle contraction involved in micturition. [GO_REF:0000058, GOC:TermGenie, PMID:18562635]' - }, - 'GO:1904319': { - 'name': 'negative regulation of smooth muscle contraction involved in micturition', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of smooth muscle contraction involved in micturition. [GO_REF:0000058, GOC:TermGenie, PMID:18562635]' - }, - 'GO:1904320': { - 'name': 'positive regulation of smooth muscle contraction involved in micturition', - 'def': 'Any process that activates or increases the frequency, rate or extent of smooth muscle contraction involved in micturition. [GO_REF:0000058, GOC:TermGenie, PMID:18562635]' - }, - 'GO:1904321': { - 'name': 'response to forskolin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a forskolin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:15937517]' - }, - 'GO:1904322': { - 'name': 'cellular response to forskolin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a forskolin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:15937517]' - }, - 'GO:1904323': { - 'name': 'regulation of inhibitory G-protein coupled receptor phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of inhibitory G-protein coupled receptor phosphorylation. [GO_REF:0000058, GOC:TermGenie, PMID:15937517]' - }, - 'GO:1904324': { - 'name': 'negative regulation of inhibitory G-protein coupled receptor phosphorylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of inhibitory G-protein coupled receptor phosphorylation. [GO_REF:0000058, GOC:TermGenie, PMID:15937517]' - }, - 'GO:1904325': { - 'name': 'positive regulation of inhibitory G-protein coupled receptor phosphorylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of inhibitory G-protein coupled receptor phosphorylation. [GO_REF:0000058, GOC:TermGenie, PMID:15937517]' - }, - 'GO:1904326': { - 'name': 'negative regulation of circadian sleep/wake cycle, wakefulness', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of circadian sleep/wake cycle, wakefulness. [GO_REF:0000058, GOC:TermGenie, PMID:10923657]' - }, - 'GO:1904327': { - 'name': 'protein localization to cytosolic proteasome complex', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cytosolic proteasome complex. [GO_REF:0000087, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:17000876]' - }, - 'GO:1904328': { - 'name': 'regulation of myofibroblast contraction', - 'def': 'Any process that modulates the frequency, rate or extent of myofibroblast contraction. [GO_REF:0000058, GOC:TermGenie, PMID:19239477]' - }, - 'GO:1904329': { - 'name': 'negative regulation of myofibroblast contraction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of myofibroblast contraction. [GO_REF:0000058, GOC:TermGenie, PMID:19239477]' - }, - 'GO:1904330': { - 'name': 'positive regulation of myofibroblast contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of myofibroblast contraction. [GO_REF:0000058, GOC:TermGenie, PMID:19239477]' - }, - 'GO:1904331': { - 'name': 'regulation of error-prone translesion synthesis', - 'def': 'Any process that modulates the frequency, rate or extent of error-prone translesion synthesis. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:22761594]' - }, - 'GO:1904332': { - 'name': 'negative regulation of error-prone translesion synthesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of error-prone translesion synthesis. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:22761594]' - }, - 'GO:1904333': { - 'name': 'positive regulation of error-prone translesion synthesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of error-prone translesion synthesis. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:22761594]' - }, - 'GO:1904334': { - 'name': 'heme import across plasma membrane', - 'def': 'The directed movement of heme from outside of a cell into the cytoplasmic compartment. [GO_REF:0000075, GOC:TermGenie, PMID:25733668]' - }, - 'GO:1904335': { - 'name': 'regulation of ductus arteriosus closure', - 'def': 'Any process that modulates the frequency, rate or extent of ductus arteriosus closure. [GO_REF:0000058, GOC:TermGenie, PMID:16303610]' - }, - 'GO:1904336': { - 'name': 'negative regulation of ductus arteriosus closure', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ductus arteriosus closure. [GO_REF:0000058, GOC:TermGenie, PMID:16303610]' - }, - 'GO:1904337': { - 'name': 'positive regulation of ductus arteriosus closure', - 'def': 'Any process that activates or increases the frequency, rate or extent of ductus arteriosus closure. [GO_REF:0000058, GOC:TermGenie, PMID:16303610]' - }, - 'GO:1904338': { - 'name': 'regulation of dopaminergic neuron differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of dopaminergic neuron differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:15522889]' - }, - 'GO:1904339': { - 'name': 'negative regulation of dopaminergic neuron differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dopaminergic neuron differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:15522889]' - }, - 'GO:1904340': { - 'name': 'positive regulation of dopaminergic neuron differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of dopaminergic neuron differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:15522889]' - }, - 'GO:1904341': { - 'name': 'regulation of colon smooth muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of colon smooth muscle contraction. [GO_REF:0000058, GOC:TermGenie, PMID:24170253]' - }, - 'GO:1904342': { - 'name': 'negative regulation of colon smooth muscle contraction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of colon smooth muscle contraction. [GO_REF:0000058, GOC:TermGenie, PMID:24170253]' - }, - 'GO:1904343': { - 'name': 'positive regulation of colon smooth muscle contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of colon smooth muscle contraction. [GO_REF:0000058, GOC:TermGenie, PMID:24170253]' - }, - 'GO:1904344': { - 'name': 'regulation of gastric mucosal blood circulation', - 'def': 'Any process that modulates the frequency, rate or extent of gastric mucosal blood circulation. [GO_REF:0000058, GOC:TermGenie, PMID:10807413]' - }, - 'GO:1904345': { - 'name': 'negative regulation of gastric mucosal blood circulation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gastric mucosal blood circulation. [GO_REF:0000058, GOC:TermGenie, PMID:10807413]' - }, - 'GO:1904346': { - 'name': 'positive regulation of gastric mucosal blood circulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of gastric mucosal blood circulation. [GO_REF:0000058, GOC:TermGenie, PMID:10807413]' - }, - 'GO:1904347': { - 'name': 'regulation of small intestine smooth muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of small intestine smooth muscle contraction. [GO_REF:0000058, GOC:TermGenie, PMID:11991626]' - }, - 'GO:1904348': { - 'name': 'negative regulation of small intestine smooth muscle contraction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of small intestine smooth muscle contraction. [GO_REF:0000058, GOC:TermGenie, PMID:11991626]' - }, - 'GO:1904349': { - 'name': 'positive regulation of small intestine smooth muscle contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of small intestine smooth muscle contraction. [GO_REF:0000058, GOC:TermGenie, PMID:11991626]' - }, - 'GO:1904350': { - 'name': 'regulation of protein catabolic process in the vacuole', - 'def': 'Any process that modulates the frequency, rate or extent of protein catabolic process in the vacuole. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:25635054]' - }, - 'GO:1904351': { - 'name': 'negative regulation of protein catabolic process in the vacuole', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein catabolic process in the vacuole. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:25635054]' - }, - 'GO:1904352': { - 'name': 'positive regulation of protein catabolic process in the vacuole', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein catabolic process in the vacuole. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:25635054]' - }, - 'GO:1904353': { - 'name': 'regulation of telomere capping', - 'def': 'Any process that modulates the frequency, rate or extent of telomere capping. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:23959892]' - }, - 'GO:1904354': { - 'name': 'negative regulation of telomere capping', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomere capping. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:23959892]' - }, - 'GO:1904355': { - 'name': 'positive regulation of telomere capping', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomere capping. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:23959892]' - }, - 'GO:1904356': { - 'name': 'regulation of telomere maintenance via telomere lengthening', - 'def': 'Any process that modulates the frequency, rate or extent of telomere maintenance via telomere lengthening. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:23959892]' - }, - 'GO:1904357': { - 'name': 'negative regulation of telomere maintenance via telomere lengthening', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomere maintenance via telomere lengthening. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:23959892]' - }, - 'GO:1904358': { - 'name': 'positive regulation of telomere maintenance via telomere lengthening', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomere maintenance via telomere lengthening. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:23959892]' - }, - 'GO:1904359': { - 'name': 'regulation of spore germination', - 'def': 'Any process that modulates the frequency, rate or extent of spore germination. [GO_REF:0000058, GOC:TermGenie, PMID:14718564, PMID:8798577]' - }, - 'GO:1904360': { - 'name': 'negative regulation of spore germination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of spore germination. [GO_REF:0000058, GOC:TermGenie, PMID:14718564, PMID:8798577]' - }, - 'GO:1904361': { - 'name': 'positive regulation of spore germination', - 'def': 'Any process that activates or increases the frequency, rate or extent of spore germination. [GO_REF:0000058, GOC:TermGenie, PMID:14718564, PMID:8798577]' - }, - 'GO:1904362': { - 'name': 'regulation of calcitonin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of calcitonin secretion. [GO_REF:0000058, GOC:TermGenie, PMID:11278900]' - }, - 'GO:1904363': { - 'name': 'negative regulation of calcitonin secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcitonin secretion. [GO_REF:0000058, GOC:TermGenie, PMID:11278900]' - }, - 'GO:1904364': { - 'name': 'positive regulation of calcitonin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcitonin secretion. [GO_REF:0000058, GOC:TermGenie, PMID:11278900]' - }, - 'GO:1904365': { - 'name': 'regulation of chemokinesis', - 'def': 'Any process that modulates the frequency, rate or extent of chemokinesis. [GO_REF:0000058, GOC:TermGenie, PMID:8679543]' - }, - 'GO:1904366': { - 'name': 'negative regulation of chemokinesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chemokinesis. [GO_REF:0000058, GOC:TermGenie, PMID:8679543]' - }, - 'GO:1904367': { - 'name': 'positive regulation of chemokinesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of chemokinesis. [GO_REF:0000058, GOC:TermGenie, PMID:8679543]' - }, - 'GO:1904368': { - 'name': 'regulation of sclerenchyma cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of sclerenchyma cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:26025534]' - }, - 'GO:1904369': { - 'name': 'positive regulation of sclerenchyma cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of sclerenchyma cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:26025534]' - }, - 'GO:1904370': { - 'name': 'regulation of protein localization to actin cortical patch', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to actin cortical patch. [GO_REF:0000058, GOC:TermGenie, PMID:18216290]' - }, - 'GO:1904371': { - 'name': 'negative regulation of protein localization to actin cortical patch', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to actin cortical patch. [GO_REF:0000058, GOC:TermGenie, PMID:18216290]' - }, - 'GO:1904372': { - 'name': 'positive regulation of protein localization to actin cortical patch', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to actin cortical patch. [GO_REF:0000058, GOC:TermGenie, PMID:18216290]' - }, - 'GO:1904373': { - 'name': 'response to kainic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a kainic acid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:17443789]' - }, - 'GO:1904374': { - 'name': 'cellular response to kainic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a kainic acid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:17443789]' - }, - 'GO:1904375': { - 'name': 'regulation of protein localization to cell periphery', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to cell periphery. [GO_REF:0000058, GOC:TermGenie, PMID:18216290]' - }, - 'GO:1904376': { - 'name': 'negative regulation of protein localization to cell periphery', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to cell periphery. [GO_REF:0000058, GOC:TermGenie, PMID:18216290]' - }, - 'GO:1904377': { - 'name': 'positive regulation of protein localization to cell periphery', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to cell periphery. [GO_REF:0000058, GOC:TermGenie, PMID:18216290]' - }, - 'GO:1904378': { - 'name': 'maintenance of unfolded protein involved in ERAD pathway', - 'def': 'Maintaining an endoplasmic reticulum (ER) protein in an unfolded, soluble state that contributes to its degradation by the cytoplasmic proteasome. Maintaining ER-resident proteins in an unfolded yet soluble state condition after their retro-translocation favors their turnover by the cytosolic proteasome. [GO_REF:0000060, GOC:bf, GOC:BHF, GOC:nc, GOC:PARL, GOC:TermGenie, PMID:21636303]' - }, - 'GO:1904379': { - 'name': 'protein localization to cytosolic proteasome complex involved in ERAD pathway', - 'def': 'Any protein localization to cytosolic proteasome complex that is involved in ERAD pathway. Following their retrotranslocation out of the endoplasmic reticulum, protein substrates must be shuttled to the cytosolic proteasome for degradation. [GO_REF:0000060, GOC:bf, GOC:BHF, GOC:nc, GOC:PARL, GOC:TermGenie, PMID:21636303]' - }, - 'GO:1904380': { - 'name': 'endoplasmic reticulum mannose trimming', - 'def': 'Any protein alpha-1,2-demannosylation that takes place in the endoplasmic reticulum quality control compartment (ERQC). [GO_REF:0000062, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24519966]' - }, - 'GO:1904381': { - 'name': 'Golgi apparatus mannose trimming', - 'def': 'Any protein alpha-1,2-demannosylation that takes place in the Golgi apparatus. [GO_REF:0000062, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:10915796]' - }, - 'GO:1904382': { - 'name': 'mannose trimming involved in glycoprotein ERAD pathway', - 'def': 'The removal of one or more alpha 1,2-linked mannose residues from a mannosylated protein that occurs as part of glycoprotein ER-associated glycoprotein degradation (gpERAD). [GO_REF:0000060, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24519966]' - }, - 'GO:1904383': { - 'name': 'response to sodium phosphate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sodium phosphate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24625659]' - }, - 'GO:1904384': { - 'name': 'cellular response to sodium phosphate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sodium phosphate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24625659]' - }, - 'GO:1904385': { - 'name': 'cellular response to angiotensin', - 'def': '\\Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an angiotensin stimulus. Angiotensin is any of three physiologically active peptides (angiotensin II, III, or IV) processed from angiotensinogen.\\ [GO_REF:0000071, GOC:TermGenie, PMID:22982863]' - }, - 'GO:1904386': { - 'name': 'response to L-phenylalanine derivative', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-phenylalanine derivative stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:12112407]' - }, - 'GO:1904387': { - 'name': 'cellular response to L-phenylalanine derivative', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-phenylalanine derivative stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:12112407]' - }, - 'GO:1904388': { - 'name': 'negative regulation of ncRNA transcription associated with protein coding gene TSS/TES', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ncRNA transcription associated with protein coding gene TSS/TES. [GO_REF:0000058, GOC:TermGenie, PMID:20502517]' - }, - 'GO:1904389': { - 'name': 'rod bipolar cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a rod bipolar cell. [GO_REF:0000086, GOC:TermGenie, PMID:16914133]' - }, - 'GO:1904390': { - 'name': 'cone retinal bipolar cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a cone retinal bipolar cell. [GO_REF:0000086, GOC:TermGenie, PMID:24123365]' - }, - 'GO:1904391': { - 'name': 'response to ciliary neurotrophic factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ciliary neurotrophic factor stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16914133]' - }, - 'GO:1904392': { - 'name': 'cellular response to ciliary neurotrophic factor', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a ciliary neurotrophic factor stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16914133]' - }, - 'GO:1904393': { - 'name': 'regulation of skeletal muscle acetylcholine-gated channel clustering', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle acetylcholine-gated channel clustering. [GO_REF:0000058, GOC:TermGenie, PMID:7722643]' - }, - 'GO:1904394': { - 'name': 'negative regulation of skeletal muscle acetylcholine-gated channel clustering', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of skeletal muscle acetylcholine-gated channel clustering. [GO_REF:0000058, GOC:TermGenie, PMID:7722643]' - }, - 'GO:1904395': { - 'name': 'positive regulation of skeletal muscle acetylcholine-gated channel clustering', - 'def': 'Any process that activates or increases the frequency, rate or extent of skeletal muscle acetylcholine-gated channel clustering. [GO_REF:0000058, GOC:TermGenie, PMID:7722643]' - }, - 'GO:1904396': { - 'name': 'regulation of neuromuscular junction development', - 'def': 'Any process that modulates the frequency, rate or extent of neuromuscular junction development. [GO_REF:0000058, GOC:TermGenie, PMID:7722643]' - }, - 'GO:1904397': { - 'name': 'negative regulation of neuromuscular junction development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neuromuscular junction development. [GO_REF:0000058, GOC:TermGenie, PMID:7722643]' - }, - 'GO:1904398': { - 'name': 'positive regulation of neuromuscular junction development', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuromuscular junction development. [GO_REF:0000058, GOC:TermGenie, PMID:7722643]' - }, - 'GO:1904399': { - 'name': 'heparan sulfate binding', - 'def': 'Interacting selectively and non-covalently with heparan sulfate. [GO_REF:0000067, GOC:TermGenie, PMID:8567685]' - }, - 'GO:1904400': { - 'name': 'response to Thyroid stimulating hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a Thyroid stimulating hormone stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:11238928]' - }, - 'GO:1904401': { - 'name': 'cellular response to Thyroid stimulating hormone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a Thyroid stimulating hormone stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:11238928]' - }, - 'GO:1904402': { - 'name': 'response to nocodazole', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nocodazole stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:17822405]' - }, - 'GO:1904403': { - 'name': 'cellular response to nocodazole', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nocodazole stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:17822405]' - }, - 'GO:1904404': { - 'name': 'response to formaldehyde', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a formaldehyde stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:9149109]' - }, - 'GO:1904405': { - 'name': 'cellular response to formaldehyde', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a formaldehyde stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:9149109]' - }, - 'GO:1904406': { - 'name': 'negative regulation of nitric oxide metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nitric oxide metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:11991626]' - }, - 'GO:1904407': { - 'name': 'positive regulation of nitric oxide metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of nitric oxide metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:11991626]' - }, - 'GO:1904408': { - 'name': 'melatonin binding', - 'def': 'Interacting selectively and non-covalently with melatonin. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:10379923]' - }, - 'GO:1904409': { - 'name': 'regulation of secretory granule organization', - 'def': 'Any process that modulates the frequency, rate or extent of secretory granule organization. [GO_REF:0000058, GOC:TermGenie, PMID:15039777]' - }, - 'GO:1904410': { - 'name': 'negative regulation of secretory granule organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of secretory granule organization. [GO_REF:0000058, GOC:TermGenie, PMID:15039777]' - }, - 'GO:1904411': { - 'name': 'positive regulation of secretory granule organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of secretory granule organization. [GO_REF:0000058, GOC:TermGenie, PMID:15039777]' - }, - 'GO:1904412': { - 'name': 'regulation of cardiac ventricle development', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac ventricle development. [GO_REF:0000058, GOC:TermGenie, PMID:19590510]' - }, - 'GO:1904413': { - 'name': 'negative regulation of cardiac ventricle development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac ventricle development. [GO_REF:0000058, GOC:TermGenie, PMID:19590510]' - }, - 'GO:1904414': { - 'name': 'positive regulation of cardiac ventricle development', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac ventricle development. [GO_REF:0000058, GOC:TermGenie, PMID:19590510]' - }, - 'GO:1904415': { - 'name': 'regulation of xenophagy', - 'def': 'Any process that modulates the frequency, rate or extent of xenophagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:21617041]' - }, - 'GO:1904416': { - 'name': 'negative regulation of xenophagy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of xenophagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:21617041]' - }, - 'GO:1904417': { - 'name': 'positive regulation of xenophagy', - 'def': 'Any process that activates or increases the frequency, rate or extent of xenophagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:21617041]' - }, - 'GO:1904418': { - 'name': 'regulation of telomeric loop formation', - 'def': 'Any process that modulates the frequency, rate or extent of telomeric loop formation. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904419': { - 'name': 'negative regulation of telomeric loop formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomeric loop formation. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904420': { - 'name': 'positive regulation of telomeric loop formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomeric loop formation. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904421': { - 'name': 'response to D-galactosamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a D-galactosamine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:12057922]' - }, - 'GO:1904422': { - 'name': 'cellular response to D-galactosamine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a D-galactosamine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:12057922]' - }, - 'GO:1904423': { - 'name': 'dehydrodolichyl diphosphate synthase complex', - 'def': 'A protein complex which is capable of dehydrodolichyl diphosphate synthase activity. [GO_REF:0000088, GOC:TermGenie, PMID:25066056]' - }, - 'GO:1904424': { - 'name': 'regulation of GTP binding', - 'def': 'Any process that modulates the frequency, rate or extent of GTP binding. [GO_REF:0000059, GOC:TermGenie, PMID:19066305, PMID:21454546]' - }, - 'GO:1904425': { - 'name': 'negative regulation of GTP binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of GTP binding. [GO_REF:0000059, GOC:TermGenie, PMID:19066305, PMID:21454546]' - }, - 'GO:1904426': { - 'name': 'positive regulation of GTP binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of GTP binding. [GO_REF:0000059, GOC:TermGenie, PMID:19066305, PMID:21454546]' - }, - 'GO:1904427': { - 'name': 'positive regulation of calcium ion transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium ion transmembrane transport. [GO_REF:0000058, GOC:TermGenie, PMID:22910094]' - }, - 'GO:1904428': { - 'name': 'negative regulation of tubulin deacetylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tubulin deacetylation. [GO_REF:0000058, GOC:TermGenie, PMID:23886946]' - }, - 'GO:1904429': { - 'name': 'regulation of t-circle formation', - 'def': 'Any process that modulates the frequency, rate or extent of t-circle formation. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904430': { - 'name': 'negative regulation of t-circle formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of t-circle formation. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904431': { - 'name': 'positive regulation of t-circle formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of t-circle formation. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904432': { - 'name': 'regulation of ferrous iron binding', - 'def': 'Any process that modulates the frequency, rate or extent of ferrous iron binding. [GO_REF:0000059, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:18353247]' - }, - 'GO:1904433': { - 'name': 'negative regulation of ferrous iron binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ferrous iron binding. [GO_REF:0000059, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:18353247]' - }, - 'GO:1904434': { - 'name': 'positive regulation of ferrous iron binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of ferrous iron binding. [GO_REF:0000059, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:18353247]' - }, - 'GO:1904435': { - 'name': 'regulation of transferrin receptor binding', - 'def': 'Any process that modulates the frequency, rate or extent of transferrin receptor binding. [GO_REF:0000059, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:18353247]' - }, - 'GO:1904436': { - 'name': 'negative regulation of transferrin receptor binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transferrin receptor binding. [GO_REF:0000059, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:18353247]' - }, - 'GO:1904437': { - 'name': 'positive regulation of transferrin receptor binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of transferrin receptor binding. [GO_REF:0000059, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:18353247]' - }, - 'GO:1904438': { - 'name': 'regulation of ferrous iron import across plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of ferrous iron import across plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:18353247]' - }, - 'GO:1904439': { - 'name': 'negative regulation of ferrous iron import across plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ferrous iron import across plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:18353247]' - }, - 'GO:1904440': { - 'name': 'positive regulation of ferrous iron import across plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of ferrous iron import across plasma membrane. [GO_REF:0000058, GOC:BHF, GOC:kom, GOC:TermGenie, PMID:18353247]' - }, - 'GO:1904441': { - 'name': 'regulation of thyroid gland epithelial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of thyroid gland epithelial cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:17646383]' - }, - 'GO:1904442': { - 'name': 'negative regulation of thyroid gland epithelial cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of thyroid gland epithelial cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:17646383]' - }, - 'GO:1904443': { - 'name': 'positive regulation of thyroid gland epithelial cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of thyroid gland epithelial cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:17646383]' - }, - 'GO:1904444': { - 'name': 'regulation of establishment of Sertoli cell barrier', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of Sertoli cell barrier. [GO_REF:0000058, GOC:TermGenie, PMID:18057314]' - }, - 'GO:1904445': { - 'name': 'negative regulation of establishment of Sertoli cell barrier', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of Sertoli cell barrier. [GO_REF:0000058, GOC:TermGenie, PMID:18057314]' - }, - 'GO:1904446': { - 'name': 'positive regulation of establishment of Sertoli cell barrier', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of Sertoli cell barrier. [GO_REF:0000058, GOC:TermGenie, PMID:18057314]' - }, - 'GO:1904447': { - 'name': 'folic acid import into cell', - 'def': 'The directed movement of folic acid from outside of a cell, across the plasma membrane and into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GO_REF:0000075, GOC:BHF, GOC:hal, GOC:TermGenie, PMID:19762432]' - }, - 'GO:1904448': { - 'name': 'regulation of aspartate secretion', - 'def': 'Any process that modulates the frequency, rate or extent of aspartate secretion. [GO_REF:0000058, GOC:TermGenie, PMID:2342602]' - }, - 'GO:1904449': { - 'name': 'negative regulation of aspartate secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aspartate secretion. [GO_REF:0000058, GOC:TermGenie, PMID:2342602]' - }, - 'GO:1904450': { - 'name': 'positive regulation of aspartate secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of aspartate secretion. [GO_REF:0000058, GOC:TermGenie, PMID:2342602]' - }, - 'GO:1904451': { - 'name': 'regulation of hydrogen:potassium-exchanging ATPase activity', - 'def': 'Any process that modulates the frequency, rate or extent of hydrogen:potassium-exchanging ATPase activity. [GO_REF:0000059, GOC:TermGenie, PMID:11897793]' - }, - 'GO:1904452': { - 'name': 'negative regulation of hydrogen:potassium-exchanging ATPase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hydrogen:potassium-exchanging ATPase activity. [GO_REF:0000059, GOC:TermGenie, PMID:11897793]' - }, - 'GO:1904453': { - 'name': 'positive regulation of hydrogen:potassium-exchanging ATPase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of hydrogen:potassium-exchanging ATPase activity. [GO_REF:0000059, GOC:TermGenie, PMID:11897793]' - }, - 'GO:1904454': { - 'name': 'ubiquitin-specific protease activity involved in positive regulation of ERAD pathway', - 'def': 'Any ubiquitin-specific protease activity that is involved in positive regulation of ERAD pathway. [GO_REF:0000061, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24424410]' - }, - 'GO:1904455': { - 'name': 'ubiquitin-specific protease activity involved in negative regulation of ERAD pathway', - 'def': 'Any ubiquitin-specific protease activity that is involved in negative regulation of ERAD pathway. [GO_REF:0000061, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22590560]' - }, - 'GO:1904456': { - 'name': 'negative regulation of neuronal action potential', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neuronal action potential. [GO_REF:0000058, GOC:TermGenie, PMID:25126967]' - }, - 'GO:1904457': { - 'name': 'positive regulation of neuronal action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuronal action potential. [GO_REF:0000058, GOC:TermGenie, PMID:25126967]' - }, - 'GO:1904458': { - 'name': 'regulation of substance P secretion', - 'def': 'Any process that modulates the frequency, rate or extent of substance P secretion. [GO_REF:0000058, GOC:TermGenie, PMID:11278900]' - }, - 'GO:1904459': { - 'name': 'negative regulation of substance P secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of substance P secretion. [GO_REF:0000058, GOC:TermGenie, PMID:11278900]' - }, - 'GO:1904460': { - 'name': 'positive regulation of substance P secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of substance P secretion. [GO_REF:0000058, GOC:TermGenie, PMID:11278900]' - }, - 'GO:1904461': { - 'name': 'ergosteryl 3-beta-D-glucoside metabolic process', - 'def': 'The chemical reactions and pathways involving ergosteryl 3-beta-D-glucoside. [GO_REF:0000068, GOC:TermGenie, PMID:26116408]' - }, - 'GO:1904462': { - 'name': 'ergosteryl 3-beta-D-glucoside catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ergosteryl 3-beta-D-glucoside. [GO_REF:0000068, GOC:TermGenie, PMID:26116408]' - }, - 'GO:1904463': { - 'name': 'ergosteryl 3-beta-D-glucoside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ergosteryl 3-beta-D-glucoside. [GO_REF:0000068, GOC:TermGenie, PMID:26116408]' - }, - 'GO:1904464': { - 'name': 'regulation of matrix metallopeptidase secretion', - 'def': 'Any process that modulates the frequency, rate or extent of matrix metallopeptidase secretion. [GO_REF:0000058, GOC:TermGenie, PMID:8679543]' - }, - 'GO:1904465': { - 'name': 'negative regulation of matrix metallopeptidase secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of matrix metallopeptidase secretion. [GO_REF:0000058, GOC:TermGenie, PMID:8679543]' - }, - 'GO:1904466': { - 'name': 'positive regulation of matrix metallopeptidase secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of matrix metallopeptidase secretion. [GO_REF:0000058, GOC:TermGenie, PMID:8679543]' - }, - 'GO:1904467': { - 'name': 'regulation of tumor necrosis factor secretion', - 'def': 'Any process that modulates the frequency, rate or extent of tumor necrosis factor secretion. [GO_REF:0000058, GOC:TermGenie, PMID:15560120]' - }, - 'GO:1904468': { - 'name': 'negative regulation of tumor necrosis factor secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tumor necrosis factor secretion. [GO_REF:0000058, GOC:TermGenie, PMID:15560120]' - }, - 'GO:1904469': { - 'name': 'positive regulation of tumor necrosis factor secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of tumor necrosis factor secretion. [GO_REF:0000058, GOC:TermGenie, PMID:15560120]' - }, - 'GO:1904470': { - 'name': 'regulation of endothelin secretion', - 'def': 'Any process that modulates the frequency, rate or extent of endothelin secretion. [GO_REF:0000058, GOC:TermGenie, PMID:15560120]' - }, - 'GO:1904471': { - 'name': 'negative regulation of endothelin secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelin secretion. [GO_REF:0000058, GOC:TermGenie, PMID:15560120]' - }, - 'GO:1904472': { - 'name': 'positive regulation of endothelin secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelin secretion. [GO_REF:0000058, GOC:TermGenie, PMID:15560120]' - }, - 'GO:1904473': { - 'name': 'response to L-dopa', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-dopa stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:25044243]' - }, - 'GO:1904474': { - 'name': 'cellular response to L-dopa', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-dopa stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:25044243]' - }, - 'GO:1904475': { - 'name': 'regulation of Ras GTPase binding', - 'def': 'Any process that modulates the frequency, rate or extent of Ras GTPase binding. [GO_REF:0000059, GOC:TermGenie, PMID:15798216]' - }, - 'GO:1904476': { - 'name': 'negative regulation of Ras GTPase binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Ras GTPase binding. [GO_REF:0000059, GOC:TermGenie, PMID:15798216]' - }, - 'GO:1904477': { - 'name': 'positive regulation of Ras GTPase binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of Ras GTPase binding. [GO_REF:0000059, GOC:TermGenie, PMID:15798216]' - }, - 'GO:1904478': { - 'name': 'regulation of intestinal absorption', - 'def': 'Any process that modulates the frequency, rate or extent of intestinal absorption. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:12469120]' - }, - 'GO:1904479': { - 'name': 'negative regulation of intestinal absorption', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intestinal absorption. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:12469120]' - }, - 'GO:1904480': { - 'name': 'positive regulation of intestinal absorption', - 'def': 'Any process that activates or increases the frequency, rate or extent of intestinal absorption. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:12469120]' - }, - 'GO:1904481': { - 'name': 'response to tetrahydrofolate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tetrahydrofolate stimulus. [GO_REF:0000071, GOC:BHF, GOC:hal, GOC:TermGenie, PMID:24698160]' - }, - 'GO:1904482': { - 'name': 'cellular response to tetrahydrofolate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tetrahydrofolate stimulus. [GO_REF:0000071, GOC:BHF, GOC:hal, GOC:TermGenie, PMID:24698160]' - }, - 'GO:1904483': { - 'name': 'synthetic cannabinoid binding', - 'def': 'Interacting selectively and non-covalently with synthetic cannabinoid. [GO_REF:0000067, GOC:mr, GOC:TermGenie, PMID:10700562]' - }, - 'GO:1904484': { - 'name': 'cloacal gland development', - 'def': 'The process whose specific outcome is the progression of a cloacal gland over time, from its formation to the mature structure. [GO_REF:0000094, GOC:mr, GOC:TermGenie, PMID:18805421]' - }, - 'GO:1904486': { - 'name': 'response to 17alpha-ethynylestradiol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 17alpha-ethynylestradiol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18805421]' - }, - 'GO:1904487': { - 'name': 'cellular response to 17alpha-ethynylestradiol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 17alpha-ethynylestradiol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18805421]' - }, - 'GO:1904488': { - 'name': 'regulation of reactive oxygen species metabolic process by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter that results in regulation of reactive oxygen species metabolic process. [GO_REF:0000063, GOC:kmv, GOC:TermGenie, PMID:25961505]' - }, - 'GO:1904489': { - 'name': 'regulation of reactive oxygen species metabolic process by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter that results in regulation of reactive oxygen species metabolic process. [GO_REF:0000063, GOC:kmv, GOC:TermGenie, PMID:25961505]' - }, - 'GO:1904490': { - 'name': 'negative regulation of mitochondrial unfolded protein response by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'A negative regulation of transcription from RNA polymerase II promoter that results in negative regulation of mitochondrial unfolded protein response. [GO_REF:0000063, GOC:kmv, GOC:TermGenie, PMID:25961505]' - }, - 'GO:1904491': { - 'name': 'protein localization to ciliary transition zone', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a ciliary transition zone. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, PMID:21422230]' - }, - 'GO:1904492': { - 'name': 'Ac-Asp-Glu binding', - 'def': 'Interacting selectively and non-covalently with Ac-Asp-Glu. [GO_REF:0000067, GOC:BHF, GOC:hal, GOC:TermGenie, PMID:24863754]' - }, - 'GO:1904493': { - 'name': 'tetrahydrofolyl-poly(glutamate) polymer binding', - 'def': 'Interacting selectively and non-covalently with tetrahydrofolyl-poly(glutamate) polymer. [GO_REF:0000067, GOC:BHF, GOC:hal, GOC:TermGenie, PMID:24863754]' - }, - 'GO:1904494': { - 'name': 'regulation of substance P secretion, neurotransmission', - 'def': 'Any process that modulates the frequency, rate or extent of substance P secretion, neurotransmission. [GO_REF:0000058, GOC:TermGenie, PMID:15292051]' - }, - 'GO:1904495': { - 'name': 'negative regulation of substance P secretion, neurotransmission', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of substance P secretion, neurotransmission. [GO_REF:0000058, GOC:TermGenie, PMID:15292051]' - }, - 'GO:1904496': { - 'name': 'positive regulation of substance P secretion, neurotransmission', - 'def': 'Any process that activates or increases the frequency, rate or extent of substance P secretion, neurotransmission. [GO_REF:0000058, GOC:TermGenie, PMID:15292051]' - }, - 'GO:1904497': { - 'name': 'heterochromatin assembly involved in chromatin silencing at centromere outer repeat region', - 'def': 'Any heterochromatin assembly that is involved in chromatin silencing at the centromere outer repeat region. [GO_REF:0000060, GOC:TermGenie, PMID:24240238]' - }, - 'GO:1904498': { - 'name': 'protein localization to actomyosin contractile ring involved in mitotic cytokinesis', - 'def': 'Any protein localization to actomyosin contractile ring that is involved in mitotic cytokinesis. [GO_REF:0000060, GOC:TermGenie, PMID:25688133]' - }, - 'GO:1904499': { - 'name': 'regulation of chromatin-mediated maintenance of transcription', - 'def': 'Any process that modulates the frequency, rate or extent of chromatin-mediated maintenance of transcription. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22723415]' - }, - 'GO:1904500': { - 'name': 'negative regulation of chromatin-mediated maintenance of transcription', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chromatin-mediated maintenance of transcription. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22723415]' - }, - 'GO:1904501': { - 'name': 'positive regulation of chromatin-mediated maintenance of transcription', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromatin-mediated maintenance of transcription. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22723415]' - }, - 'GO:1904502': { - 'name': 'regulation of lipophagy', - 'def': 'Any process that modulates the frequency, rate or extent of lipophagy. [GO_REF:0000058, GOC:autophagy, GOC:dph, GOC:TermGenie, PMID:25383539]' - }, - 'GO:1904503': { - 'name': 'negative regulation of lipophagy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lipophagy. [GO_REF:0000058, GOC:autophagy, GOC:dph, GOC:TermGenie, PMID:25383539]' - }, - 'GO:1904504': { - 'name': 'positive regulation of lipophagy', - 'def': 'Any process that activates or increases the frequency, rate or extent of lipophagy. [GO_REF:0000058, GOC:autophagy, GOC:dph, GOC:TermGenie, PMID:25383539]' - }, - 'GO:1904505': { - 'name': 'regulation of telomere maintenance in response to DNA damage', - 'def': 'Any process that modulates the frequency, rate or extent of telomere maintenance in response to DNA damage. [GO_REF:0000058, GOC:BHF, goc:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904506': { - 'name': 'negative regulation of telomere maintenance in response to DNA damage', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomere maintenance in response to DNA damage. [GO_REF:0000058, GOC:BHF, goc:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904507': { - 'name': 'positive regulation of telomere maintenance in response to DNA damage', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomere maintenance in response to DNA damage. [GO_REF:0000058, GOC:BHF, goc:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904508': { - 'name': 'regulation of protein localization to basolateral plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to basolateral plasma membrane. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:26115433]' - }, - 'GO:1904509': { - 'name': 'negative regulation of protein localization to basolateral plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to basolateral plasma membrane. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:26115433]' - }, - 'GO:1904510': { - 'name': 'positive regulation of protein localization to basolateral plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to basolateral plasma membrane. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:26115433]' - }, - 'GO:1904511': { - 'name': 'cytoplasmic microtubule plus-end', - 'def': 'Any microtubule plus-end that is part of a cytoplasmic microtubule. [GO_REF:0000064, GOC:TermGenie, PMID:15772152]' - }, - 'GO:1904512': { - 'name': 'regulation of initiation of premeiotic DNA replication', - 'def': 'Any process that modulates the frequency, rate or extent of initiation of premeiotic DNA replication. [GO_REF:0000058, GOC:TermGenie, PMID:25891897]' - }, - 'GO:1904513': { - 'name': 'negative regulation of initiation of premeiotic DNA replication', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of initiation of premeiotic DNA replication. [GO_REF:0000058, GOC:TermGenie, PMID:25891897]' - }, - 'GO:1904514': { - 'name': 'positive regulation of initiation of premeiotic DNA replication', - 'def': 'Any process that activates or increases the frequency, rate or extent of initiation of premeiotic DNA replication. [GO_REF:0000058, GOC:TermGenie, PMID:25891897]' - }, - 'GO:1904515': { - 'name': 'positive regulation of TORC2 signaling', - 'def': 'Any process that activates or increases the frequency, rate or extent of TORC2 signaling. [GO_REF:0000058, GOC:TermGenie, PMID:25590601]' - }, - 'GO:1904516': { - 'name': 'myofibroblast cell apoptotic process', - 'def': 'Any apoptotic process in a myofibroblast cell. [GO_REF:0000085, GOC:TermGenie, PMID:23026405]' - }, - 'GO:1904517': { - 'name': 'MgATP(2-) binding', - 'def': 'Interacting selectively and non-covalently with MgATP(2-). [GO_REF:0000067, GOC:bhm, GOC:TermGenie, PMID:20086079]' - }, - 'GO:1904518': { - 'name': 'protein localization to cytoplasmic microtubule plus-end', - 'def': 'A process in which a protein is transported to, or maintained in, a location at a cytoplasmic microtubule plus-end. [GO_REF:0000087, GOC:TermGenie, PMID:15772152]' - }, - 'GO:1904519': { - 'name': 'protein localization to microtubule minus-end', - 'def': 'A process in which a protein is transported to, or maintained in, a location at a microtubule minus-end. [GO_REF:0000087, GOC:TermGenie, PMID:25987607]' - }, - 'GO:1904520': { - 'name': 'regulation of myofibroblast cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of myofibroblast cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:26119034]' - }, - 'GO:1904521': { - 'name': 'negative regulation of myofibroblast cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of myofibroblast cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:26119034]' - }, - 'GO:1904522': { - 'name': 'positive regulation of myofibroblast cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of myofibroblast cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:26119034]' - }, - 'GO:1904523': { - 'name': 'regulation of DNA amplification', - 'def': 'Any process that modulates the frequency, rate or extent of DNA amplification. [GO_REF:0000058, GOC:TermGenie, PMID:26195783]' - }, - 'GO:1904524': { - 'name': 'negative regulation of DNA amplification', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA amplification. [GO_REF:0000058, GOC:TermGenie, PMID:26195783]' - }, - 'GO:1904525': { - 'name': 'positive regulation of DNA amplification', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA amplification. [GO_REF:0000058, GOC:TermGenie, PMID:26195783]' - }, - 'GO:1904526': { - 'name': 'regulation of microtubule binding', - 'def': 'Any process that modulates the frequency, rate or extent of microtubule binding. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:24520051]' - }, - 'GO:1904527': { - 'name': 'negative regulation of microtubule binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of microtubule binding. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:24520051]' - }, - 'GO:1904528': { - 'name': 'positive regulation of microtubule binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of microtubule binding. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:24520051]' - }, - 'GO:1904529': { - 'name': 'regulation of actin filament binding', - 'def': 'Any process that modulates the frequency, rate or extent of actin filament binding. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:24520051]' - }, - 'GO:1904530': { - 'name': 'negative regulation of actin filament binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of actin filament binding. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:24520051]' - }, - 'GO:1904531': { - 'name': 'positive regulation of actin filament binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin filament binding. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:24520051]' - }, - 'GO:1904532': { - 'name': 'obsolete ATP-dependent microtubule motor activity, minus-end-directed involved in microtubule-based movement', - 'def': 'OBSOLETE. Any ATP-dependent microtubule motor activity, minus-end-directed that is involved in microtubule-based movement. [GO_REF:0000061, GOC:TermGenie, PMID:25987607]' - }, - 'GO:1904533': { - 'name': 'regulation of telomeric loop disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of telomeric loop disassembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904534': { - 'name': 'negative regulation of telomeric loop disassembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomeric loop disassembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904535': { - 'name': 'positive regulation of telomeric loop disassembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomeric loop disassembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22579284]' - }, - 'GO:1904536': { - 'name': 'regulation of mitotic telomere tethering at nuclear periphery', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic telomere tethering at nuclear periphery. [GO_REF:0000058, GOC:TermGenie, PMID:22959349]' - }, - 'GO:1904537': { - 'name': 'negative regulation of mitotic telomere tethering at nuclear periphery', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic telomere tethering at nuclear periphery. [GO_REF:0000058, GOC:TermGenie, PMID:22959349]' - }, - 'GO:1904538': { - 'name': 'regulation of glycolytic process through fructose-6-phosphate', - 'def': 'Any process that modulates the frequency, rate or extent of glycolytic process through fructose-6-phosphate. [GO_REF:0000058, GOC:dph, GOC:TermGenie, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:1904539': { - 'name': 'negative regulation of glycolytic process through fructose-6-phosphate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glycolytic process through fructose-6-phosphate. [GO_REF:0000058, GOC:dph, GOC:TermGenie, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:1904540': { - 'name': 'positive regulation of glycolytic process through fructose-6-phosphate', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycolytic process through fructose-6-phosphate. [GO_REF:0000058, GOC:dph, GOC:TermGenie, ISBN:0201090910, ISBN:0879010479]' - }, - 'GO:1904541': { - 'name': 'fungal-type cell wall disassembly involved in conjugation with cellular fusion', - 'def': 'Any fungal-type cell wall disassembly that is involved in conjugation with cellular fusion. [GO_REF:0000060, GOC:TermGenie, PMID:25825517]' - }, - 'GO:1904542': { - 'name': 'regulation of free ubiquitin chain polymerization', - 'def': 'Any process that modulates the frequency, rate or extent of free ubiquitin chain polymerization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:24660806]' - }, - 'GO:1904543': { - 'name': 'negative regulation of free ubiquitin chain polymerization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of free ubiquitin chain polymerization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:24660806]' - }, - 'GO:1904544': { - 'name': 'positive regulation of free ubiquitin chain polymerization', - 'def': 'Any process that activates or increases the frequency, rate or extent of free ubiquitin chain polymerization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:24660806]' - }, - 'GO:1904546': { - 'name': 'obsolete negative regulation of cAMP-dependent protein kinase activity involved in negative regulation of glucose mediated signaling pathway', - 'def': 'OBSOLETE. Any negative regulation of cAMP-dependent protein kinase activity that is involved in negative regulation of glucose mediated signaling pathway. [GO_REF:0000060, GOC:TermGenie, PMID:21118717]' - }, - 'GO:1904547': { - 'name': 'regulation of cellular response to glucose starvation', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to glucose starvation. [GO_REF:0000058, GOC:TermGenie, PMID:21118717]' - }, - 'GO:1904550': { - 'name': 'response to arachidonic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an arachidonic acid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16382163]' - }, - 'GO:1904551': { - 'name': 'cellular response to arachidonic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an arachidonic acid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16382163]' - }, - 'GO:1904552': { - 'name': 'regulation of chemotaxis to arachidonic acid', - 'def': 'Any process that modulates the frequency, rate or extent of chemotaxis to arachidonic acid. [GO_REF:0000058, GOC:TermGenie, PMID:16382163]' - }, - 'GO:1904553': { - 'name': 'negative regulation of chemotaxis to arachidonic acid', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chemotaxis to arachidonic acid. [GO_REF:0000058, GOC:TermGenie, PMID:16382163]' - }, - 'GO:1904554': { - 'name': 'positive regulation of chemotaxis to arachidonic acid', - 'def': 'Any process that activates or increases the frequency, rate or extent of chemotaxis to arachidonic acid. [GO_REF:0000058, GOC:TermGenie, PMID:16382163]' - }, - 'GO:1904555': { - 'name': 'L-proline transmembrane transport', - 'def': 'The directed movement of L-proline across a membrane. [GO_REF:0000069, GOC:kmv, GOC:TermGenie]' - }, - 'GO:1904556': { - 'name': 'L-tryptophan transmembrane transport', - 'def': 'The directed movement of L-tryptophan across a membrane. [GO_REF:0000069, GOC:kmv, GOC:TermGenie]' - }, - 'GO:1904557': { - 'name': 'L-alanine transmembrane transport', - 'def': 'The directed movement of L-alanine across a membrane. [GO_REF:0000069, GOC:kmv, GOC:TermGenie]' - }, - 'GO:1904558': { - 'name': 'response to dextromethorphan', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dextromethorphan stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:25796330]' - }, - 'GO:1904559': { - 'name': 'cellular response to dextromethorphan', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dextromethorphan stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:25796330]' - }, - 'GO:1904560': { - 'name': 'response to diphenidol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diphenidol stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:25796330]' - }, - 'GO:1904561': { - 'name': 'cellular response to diphenidol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diphenidol stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:25796330]' - }, - 'GO:1904562': { - 'name': 'phosphatidylinositol 5-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving phosphatidylinositol 5-phosphate. [GO_REF:0000068, GOC:autophagy, GOC:dph, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:23916588]' - }, - 'GO:1904563': { - 'name': 'phosphatidylinositol 5-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of phosphatidylinositol 5-phosphate. [GO_REF:0000068, GOC:autophagy, GOC:dph, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:23916588]' - }, - 'GO:1904564': { - 'name': 'Nbp35-Cfd1 ATPase complex', - 'def': 'An iron-sulfur cluster assembly complex that is capable of weak ATPase activity. In yeast it consists of two subunits, Nbp35 and Cfd1. [GO_REF:0000088, GOC:bhm, GOC:rb, GOC:TermGenie, IntAct:EBI-11666137, PMID:26195633]' - }, - 'GO:1904565': { - 'name': 'response to 1-oleoyl-sn-glycerol 3-phosphate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 1-oleoyl-sn-glycerol 3-phosphate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:12139919]' - }, - 'GO:1904566': { - 'name': 'cellular response to 1-oleoyl-sn-glycerol 3-phosphate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 1-oleoyl-sn-glycerol 3-phosphate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:12139919]' - }, - 'GO:1904567': { - 'name': 'response to wortmannin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a wortmannin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20629186]' - }, - 'GO:1904568': { - 'name': 'cellular response to wortmannin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a wortmannin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20629186]' - }, - 'GO:1904569': { - 'name': 'regulation of selenocysteine incorporation', - 'def': 'Any process that modulates the frequency, rate or extent of selenocysteine incorporation. [GO_REF:0000058, GOC:TermGenie, PMID:21685449]' - }, - 'GO:1904570': { - 'name': 'negative regulation of selenocysteine incorporation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of selenocysteine incorporation. [GO_REF:0000058, GOC:TermGenie, PMID:21685449]' - }, - 'GO:1904571': { - 'name': 'positive regulation of selenocysteine incorporation', - 'def': 'Any process that activates or increases the frequency, rate or extent of selenocysteine incorporation. [GO_REF:0000058, GOC:TermGenie, PMID:21685449]' - }, - 'GO:1904572': { - 'name': 'negative regulation of mRNA binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mRNA binding. [GO_REF:0000059, GOC:TermGenie, PMID:19716792]' - }, - 'GO:1904573': { - 'name': 'regulation of selenocysteine insertion sequence binding', - 'def': 'Any process that modulates the frequency, rate or extent of selenocysteine insertion sequence binding. [GO_REF:0000059, GOC:TermGenie, PMID:19716792]' - }, - 'GO:1904574': { - 'name': 'negative regulation of selenocysteine insertion sequence binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of selenocysteine insertion sequence binding. [GO_REF:0000059, GOC:TermGenie, PMID:19716792]' - }, - 'GO:1904575': { - 'name': 'positive regulation of selenocysteine insertion sequence binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of selenocysteine insertion sequence binding. [GO_REF:0000059, GOC:TermGenie, PMID:19716792]' - }, - 'GO:1904576': { - 'name': 'response to tunicamycin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tunicamycin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23106379]' - }, - 'GO:1904577': { - 'name': 'cellular response to tunicamycin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tunicamycin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23106379]' - }, - 'GO:1904578': { - 'name': 'response to thapsigargin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thapsigargin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23106379]' - }, - 'GO:1904579': { - 'name': 'cellular response to thapsigargin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thapsigargin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23106379]' - }, - 'GO:1904580': { - 'name': 'regulation of intracellular mRNA localization', - 'def': 'Any process that modulates the frequency, rate or extent of intracellular mRNA localization. [GO_REF:0000058, GOC:TermGenie, PMID:21471000]' - }, - 'GO:1904581': { - 'name': 'negative regulation of intracellular mRNA localization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intracellular mRNA localization. [GO_REF:0000058, GOC:TermGenie, PMID:21471000]' - }, - 'GO:1904582': { - 'name': 'positive regulation of intracellular mRNA localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of intracellular mRNA localization. [GO_REF:0000058, GOC:TermGenie, PMID:21471000]' - }, - 'GO:1904583': { - 'name': 'response to polyamine macromolecule', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a polyamine macromolecule stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20805360]' - }, - 'GO:1904584': { - 'name': 'cellular response to polyamine macromolecule', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a polyamine macromolecule stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20805360]' - }, - 'GO:1904585': { - 'name': 'response to putrescine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a putrescine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20805360]' - }, - 'GO:1904586': { - 'name': 'cellular response to putrescine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a putrescine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20805360]' - }, - 'GO:1904587': { - 'name': 'response to glycoprotein', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glycoprotein stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:14597422]' - }, - 'GO:1904588': { - 'name': 'cellular response to glycoprotein', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glycoprotein stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:14597422]' - }, - 'GO:1904589': { - 'name': 'regulation of protein import', - 'def': 'Any process that modulates the frequency, rate or extent of protein import. [GO_REF:0000058, GOC:TermGenie, PMID:11406629]' - }, - 'GO:1904590': { - 'name': 'negative regulation of protein import', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein import. [GO_REF:0000058, GOC:TermGenie, PMID:11406629]' - }, - 'GO:1904591': { - 'name': 'positive regulation of protein import', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein import. [GO_REF:0000058, GOC:TermGenie, PMID:11406629]' - }, - 'GO:1904592': { - 'name': 'positive regulation of protein refolding', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein refolding. [GO_REF:0000058, GOC:TermGenie, PMID:11360998]' - }, - 'GO:1904593': { - 'name': 'prostaglandin binding', - 'def': 'Interacting selectively and non-covalently with prostaglandin. [GO_REF:0000067, GOC:TermGenie, PMID:21445266]' - }, - 'GO:1904594': { - 'name': 'regulation of termination of RNA polymerase II transcription', - 'def': 'Any process that modulates the frequency, rate or extent of termination of RNA polymerase II transcription. [GO_REF:0000058, GOC:TermGenie, PMID:25417108]' - }, - 'GO:1904595': { - 'name': 'positive regulation of termination of RNA polymerase II transcription', - 'def': 'Any process that activates or increases the frequency, rate or extent of termination of RNA polymerase II transcription. [GO_REF:0000058, GOC:TermGenie, PMID:25417108]' - }, - 'GO:1904596': { - 'name': 'regulation of connective tissue replacement involved in inflammatory response wound healing', - 'def': 'Any process that modulates the frequency, rate or extent of connective tissue replacement involved in inflammatory response wound healing. [GO_REF:0000058, GOC:krc, GOC:TermGenie, PMID:18245812]' - }, - 'GO:1904597': { - 'name': 'negative regulation of connective tissue replacement involved in inflammatory response wound healing', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of connective tissue replacement involved in inflammatory response wound healing. [GO_REF:0000058, GOC:krc, GOC:TermGenie, PMID:18245812]' - }, - 'GO:1904598': { - 'name': 'positive regulation of connective tissue replacement involved in inflammatory response wound healing', - 'def': 'Any process that activates or increases the frequency, rate or extent of connective tissue replacement involved in inflammatory response wound healing. [GO_REF:0000058, GOC:krc, GOC:TermGenie, PMID:18245812]' - }, - 'GO:1904599': { - 'name': 'advanced glycation end-product binding', - 'def': 'Interacting selectively and non-covalently with advanced glycation end-product. [GO_REF:0000067, GOC:krc, GOC:TermGenie, PMID:1650387]' - }, - 'GO:1904600': { - 'name': 'actin fusion focus assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an actin fusion focus. [GO_REF:0000079, GOC:TermGenie, PMID:25825517]' - }, - 'GO:1904601': { - 'name': 'protein localization to actin fusion focus', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an actin fusion focus. [GO_REF:0000087, GOC:TermGenie, PMID:25825517]' - }, - 'GO:1904602': { - 'name': 'serotonin-activated cation-selective channel complex', - 'def': 'A protein complex which is capable of serotonin-activated cation-selective channel activity. Mainly found in pre- and postsynaptic membranes of the brain and gastrointestinal tract. Depending on its location it transports Ca2+, Mg2+, Na+ or K+. It is always a pentamer, containing at least the 5HT3A subunit forming 5HT3A homopentamers or 5HT3A/B heteropentamers. In human, 5HT3A/C, A/D and A/E heteropentamers also exist. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:16116092]' - }, - 'GO:1904603': { - 'name': 'regulation of advanced glycation end-product receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of advanced glycation end-product receptor activity. [GO_REF:0000059, GOC:krc, GOC:TermGenie, PMID:16503878]' - }, - 'GO:1904604': { - 'name': 'negative regulation of advanced glycation end-product receptor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of advanced glycation end-product receptor activity. [GO_REF:0000059, GOC:krc, GOC:TermGenie, PMID:16503878]' - }, - 'GO:1904605': { - 'name': 'positive regulation of advanced glycation end-product receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of advanced glycation end-product receptor activity. [GO_REF:0000059, GOC:krc, GOC:TermGenie, PMID:16503878]' - }, - 'GO:1904606': { - 'name': 'fat cell apoptotic process', - 'def': 'Any apoptotic process in a fat cell. [GO_REF:0000085, GOC:TermGenie, PMID:17024416]' - }, - 'GO:1904608': { - 'name': 'response to monosodium L-glutamate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a monosodium L-glutamate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21389115]' - }, - 'GO:1904609': { - 'name': 'cellular response to monosodium L-glutamate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a monosodium L-glutamate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21389115]' - }, - 'GO:1904610': { - 'name': "response to 3,3',4,4',5-pentachlorobiphenyl", - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 3,3',4,4',5-pentachlorobiphenyl stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23196670]" - }, - 'GO:1904611': { - 'name': "cellular response to 3,3',4,4',5-pentachlorobiphenyl", - 'def': "Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 3,3',4,4',5-pentachlorobiphenyl stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23196670]" - }, - 'GO:1904612': { - 'name': 'response to 2,3,7,8-tetrachlorodibenzodioxine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 2,3,7,8-tetrachlorodibenzodioxine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23196670]' - }, - 'GO:1904613': { - 'name': 'cellular response to 2,3,7,8-tetrachlorodibenzodioxine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 2,3,7,8-tetrachlorodibenzodioxine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23196670]' - }, - 'GO:1904614': { - 'name': 'response to biphenyl', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a biphenyl stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23196670]' - }, - 'GO:1904615': { - 'name': 'cellular response to biphenyl', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a biphenyl stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23196670]' - }, - 'GO:1904616': { - 'name': 'regulation of actin binding', - 'def': 'Any process that modulates the frequency, rate or extent of actin binding. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:8621557]' - }, - 'GO:1904617': { - 'name': 'negative regulation of actin binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of actin binding. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:8621557]' - }, - 'GO:1904618': { - 'name': 'positive regulation of actin binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin binding. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:8621557]' - }, - 'GO:1904619': { - 'name': 'response to dimethyl sulfoxide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dimethyl sulfoxide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:12873812]' - }, - 'GO:1904620': { - 'name': 'cellular response to dimethyl sulfoxide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dimethyl sulfoxide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:12873812]' - }, - 'GO:1904621': { - 'name': 'regulation of actin-dependent ATPase activity', - 'def': 'Any process that modulates the frequency, rate or extent of actin-dependent ATPase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:8621557]' - }, - 'GO:1904622': { - 'name': 'negative regulation of actin-dependent ATPase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of actin-dependent ATPase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:8621557]' - }, - 'GO:1904623': { - 'name': 'positive regulation of actin-dependent ATPase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin-dependent ATPase activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:8621557]' - }, - 'GO:1904624': { - 'name': 'regulation of glycine secretion, neurotransmission', - 'def': 'Any process that modulates the frequency, rate or extent of glycine secretion, neurotransmission. [GO_REF:0000058, GOC:TermGenie, PMID:22988142]' - }, - 'GO:1904625': { - 'name': 'negative regulation of glycine secretion, neurotransmission', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glycine secretion, neurotransmission. [GO_REF:0000058, GOC:TermGenie, PMID:22988142]' - }, - 'GO:1904626': { - 'name': 'positive regulation of glycine secretion, neurotransmission', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycine secretion, neurotransmission. [GO_REF:0000058, GOC:TermGenie, PMID:22988142]' - }, - 'GO:1904627': { - 'name': 'response to phorbol 13-acetate 12-myristate', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a phorbol 13-acetate 12-myristate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:2200903]' - }, - 'GO:1904628': { - 'name': 'cellular response to phorbol 13-acetate 12-myristate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a phorbol 13-acetate 12-myristate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:2200903]' - }, - 'GO:1904629': { - 'name': 'response to diterpene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diterpene stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:19765580]' - }, - 'GO:1904630': { - 'name': 'cellular response to diterpene', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diterpene stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:19765580]' - }, - 'GO:1904631': { - 'name': 'response to glucoside', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glucoside stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16842873]' - }, - 'GO:1904632': { - 'name': 'cellular response to glucoside', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glucoside stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16842873]' - }, - 'GO:1904633': { - 'name': 'regulation of glomerular visceral epithelial cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of glomerular visceral epithelial cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:23692924]' - }, - 'GO:1904634': { - 'name': 'negative regulation of glomerular visceral epithelial cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glomerular visceral epithelial cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:23692924]' - }, - 'GO:1904635': { - 'name': 'positive regulation of glomerular visceral epithelial cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of glomerular visceral epithelial cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:23692924]' - }, - 'GO:1904636': { - 'name': 'response to ionomycin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ionomycin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:17516843]' - }, - 'GO:1904637': { - 'name': 'cellular response to ionomycin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ionomycin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:17516843]' - }, - 'GO:1904638': { - 'name': 'response to resveratrol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a resveratrol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23555824]' - }, - 'GO:1904639': { - 'name': 'cellular response to resveratrol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a resveratrol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23555824]' - }, - 'GO:1904640': { - 'name': 'response to methionine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a methionine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:17716000]' - }, - 'GO:1904641': { - 'name': 'response to dinitrophenol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dinitrophenol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24336883]' - }, - 'GO:1904642': { - 'name': 'cellular response to dinitrophenol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a dinitrophenol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24336883]' - }, - 'GO:1904643': { - 'name': 'response to curcumin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a curcumin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24755072]' - }, - 'GO:1904644': { - 'name': 'cellular response to curcumin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a curcumin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24755072]' - }, - 'GO:1904645': { - 'name': 'response to beta-amyloid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a beta-amyloid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23555824]' - }, - 'GO:1904646': { - 'name': 'cellular response to beta-amyloid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a beta-amyloid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23555824]' - }, - 'GO:1904647': { - 'name': 'response to rotenone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a rotenone stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18538940]' - }, - 'GO:1904648': { - 'name': 'cellular response to rotenone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a rotenone stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18538940]' - }, - 'GO:1904649': { - 'name': 'regulation of fat cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of fat cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:17024416]' - }, - 'GO:1904650': { - 'name': 'negative regulation of fat cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fat cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:17024416]' - }, - 'GO:1904651': { - 'name': 'positive regulation of fat cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of fat cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:17024416]' - }, - 'GO:1904652': { - 'name': 'protein localization to cell division site involved in cell separation after cytokinesis', - 'def': 'Any protein localization to cell division site that is involved in cell separation after cytokinesis. [GO_REF:0000060, GOC:TermGenie, PMID:25411334]' - }, - 'GO:1904653': { - 'name': 'regulation of lung alveolus development', - 'def': 'Any process that modulates the frequency, rate or extent of lung alveolus development. [GO_REF:0000058, GOC:TermGenie, PMID:23962064]' - }, - 'GO:1904654': { - 'name': 'negative regulation of lung alveolus development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lung alveolus development. [GO_REF:0000058, GOC:TermGenie, PMID:23962064]' - }, - 'GO:1904655': { - 'name': 'positive regulation of lung alveolus development', - 'def': 'Any process that activates or increases the frequency, rate or extent of lung alveolus development. [GO_REF:0000058, GOC:TermGenie, PMID:23962064]' - }, - 'GO:1904656': { - 'name': 'regulation of sensory perception of sweet taste', - 'def': 'Any process that modulates the frequency, rate or extent of sensory perception of sweet taste. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:1716172]' - }, - 'GO:1904657': { - 'name': 'negative regulation of sensory perception of sweet taste', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sensory perception of sweet taste. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:1716172]' - }, - 'GO:1904658': { - 'name': 'positive regulation of sensory perception of sweet taste', - 'def': 'Any process that activates or increases the frequency, rate or extent of sensory perception of sweet taste. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:1716172]' - }, - 'GO:1904659': { - 'name': 'glucose transmembrane transport', - 'def': 'The directed movement of glucose across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:9090050]' - }, - 'GO:1904660': { - 'name': 'regulation of sensory perception of bitter taste', - 'def': 'Any process that modulates the frequency, rate or extent of sensory perception of bitter taste. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:1716172]' - }, - 'GO:1904661': { - 'name': 'negative regulation of sensory perception of bitter taste', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sensory perception of bitter taste. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:1716172]' - }, - 'GO:1904662': { - 'name': 'positive regulation of sensory perception of bitter taste', - 'def': 'Any process that activates or increases the frequency, rate or extent of sensory perception of bitter taste. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:1716172]' - }, - 'GO:1904663': { - 'name': 'regulation of N-terminal peptidyl-methionine acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of N-terminal peptidyl-methionine acetylation. [GO_REF:0000058, GOC:TermGenie, PMID:20807799]' - }, - 'GO:1904664': { - 'name': 'negative regulation of N-terminal peptidyl-methionine acetylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of N-terminal peptidyl-methionine acetylation. [GO_REF:0000058, GOC:TermGenie, PMID:20807799]' - }, - 'GO:1904665': { - 'name': 'positive regulation of N-terminal peptidyl-methionine acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of N-terminal peptidyl-methionine acetylation. [GO_REF:0000058, GOC:TermGenie, PMID:20807799]' - }, - 'GO:1904666': { - 'name': 'regulation of ubiquitin protein ligase activity', - 'def': 'Any process that modulates the frequency, rate or extent of ubiquitin protein ligase activity. [GO_REF:0000059, GOC:dph, GOC:TermGenie, GOC:vw, PMID:10921876, PMID:26216882]' - }, - 'GO:1904667': { - 'name': 'negative regulation of ubiquitin protein ligase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ubiquitin protein ligase activity. [GO_REF:0000059, GOC:dph, GOC:tb, GOC:TermGenie, PMID:26216882]' - }, - 'GO:1904668': { - 'name': 'positive regulation of ubiquitin protein ligase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of ubiquitin protein ligase activity. [GO_REF:0000059, GOC:dph, GOC:TermGenie, GOC:vw, PMID:10921876, PMID:26216882]' - }, - 'GO:1904669': { - 'name': 'ATP export', - 'def': 'The directed movement of ATP out of a cell or organelle. [GO_REF:0000074, GOC:TermGenie, PMID:24286344]' - }, - 'GO:1904670': { - 'name': 'actin filament polymerization involved in mitotic actomyosin contractile ring assembly', - 'def': 'Any actin filament polymerization that is involved in mitotic actomyosin contractile ring assembly. [GO_REF:0000060, GOC:TermGenie, PMID:24127216]' - }, - 'GO:1904671': { - 'name': 'negative regulation of cell differentiation involved in stem cell population maintenance', - 'def': 'Any negative regulation of cell differentiation that is involved in stem cell population maintenance. [GO_REF:0000060, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19409607]' - }, - 'GO:1904672': { - 'name': 'regulation of somatic stem cell population maintenance', - 'def': 'Any process that modulates the frequency, rate or extent of somatic stem cell population maintenance. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19409607]' - }, - 'GO:1904673': { - 'name': 'negative regulation of somatic stem cell population maintenance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of somatic stem cell population maintenance. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19409607]' - }, - 'GO:1904674': { - 'name': 'positive regulation of somatic stem cell population maintenance', - 'def': 'Any process that activates or increases the frequency, rate or extent of somatic stem cell population maintenance. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19409607]' - }, - 'GO:1904675': { - 'name': 'regulation of somatic stem cell division', - 'def': 'Any process that modulates the frequency, rate or extent of somatic stem cell division. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19409607]' - }, - 'GO:1904676': { - 'name': 'negative regulation of somatic stem cell division', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of somatic stem cell division. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19409607]' - }, - 'GO:1904677': { - 'name': 'positive regulation of somatic stem cell division', - 'def': 'Any process that activates or increases the frequency, rate or extent of somatic stem cell division. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19409607]' - }, - 'GO:1904678': { - 'name': 'alpha-aminoacyl-tRNA binding', - 'def': 'Interacting selectively and non-covalently with alpha-aminoacyl-tRNA. [GO_REF:0000067, GOC:TermGenie, ISBN:155581073x]' - }, - 'GO:1904679': { - 'name': 'myo-inositol import across plasma membrane', - 'def': 'The directed movement of myo-inositol from outside of a cell into the cytoplasmic compartment. [GO_REF:0000075, GOC:TermGenie, PMID:9560432]' - }, - 'GO:1904680': { - 'name': 'peptide transmembrane transporter activity', - 'def': 'Catalysis of the transfer of peptide from one side of the membrane to the other. [GO_REF:0000070, GOC:TermGenie, GOC:vw]' - }, - 'GO:1904681': { - 'name': 'response to 3-methylcholanthrene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 3-methylcholanthrene stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:9224771]' - }, - 'GO:1904682': { - 'name': 'cellular response to 3-methylcholanthrene', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 3-methylcholanthrene stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:9224771]' - }, - 'GO:1904683': { - 'name': 'regulation of metalloendopeptidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of metalloendopeptidase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:18591254]' - }, - 'GO:1904684': { - 'name': 'negative regulation of metalloendopeptidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metalloendopeptidase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:18591254]' - }, - 'GO:1904685': { - 'name': 'positive regulation of metalloendopeptidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of metalloendopeptidase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:18591254]' - }, - 'GO:1904686': { - 'name': 'regulation of mitotic spindle disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic spindle disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:25963819]' - }, - 'GO:1904687': { - 'name': 'positive regulation of mitotic spindle disassembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic spindle disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:25963819]' - }, - 'GO:1904688': { - 'name': 'regulation of cytoplasmic translational initiation', - 'def': 'Any process that modulates the frequency, rate or extent of cytoplasmic translational initiation. [GO_REF:0000058, GOC:TermGenie, PMID:12242291]' - }, - 'GO:1904689': { - 'name': 'negative regulation of cytoplasmic translational initiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cytoplasmic translational initiation. [GO_REF:0000058, GOC:TermGenie, PMID:12242291]' - }, - 'GO:1904690': { - 'name': 'positive regulation of cytoplasmic translational initiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytoplasmic translational initiation. [GO_REF:0000058, GOC:TermGenie, PMID:12242291]' - }, - 'GO:1904691': { - 'name': 'negative regulation of type B pancreatic cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of type B pancreatic cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:24055447]' - }, - 'GO:1904692': { - 'name': 'positive regulation of type B pancreatic cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of type B pancreatic cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:24055447]' - }, - 'GO:1904693': { - 'name': 'midbrain morphogenesis', - 'def': 'The developmental process by which a midbrain is generated and organized. [GO_REF:0000083, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21347250]' - }, - 'GO:1904694': { - 'name': 'negative regulation of vascular smooth muscle contraction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular smooth muscle contraction. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22158624]' - }, - 'GO:1904695': { - 'name': 'positive regulation of vascular smooth muscle contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular smooth muscle contraction. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22158624]' - }, - 'GO:1904696': { - 'name': 'protein localization to cell-cell adherens junction', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cell-cell adherens junction. [GO_REF:0000087, GOC:kmv, GOC:TermGenie, PMID:26412237]' - }, - 'GO:1904697': { - 'name': 'regulation of acinar cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of acinar cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:9788538]' - }, - 'GO:1904698': { - 'name': 'negative regulation of acinar cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of acinar cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:9788538]' - }, - 'GO:1904699': { - 'name': 'positive regulation of acinar cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of acinar cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:9788538]' - }, - 'GO:1904700': { - 'name': 'granulosa cell apoptotic process', - 'def': 'Any apoptotic process in a granulosa cell. [GO_REF:0000085, GOC:TermGenie, PMID:19208546]' - }, - 'GO:1904701': { - 'name': 'Wnt-Frizzled-LRP5/6 complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a Wnt-Frizzled-LRP5/6 complex. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:11448771]' - }, - 'GO:1904702': { - 'name': 'regulation of protein localization to cell-cell adherens junction', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to cell-cell adherens junction. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:26412237]' - }, - 'GO:1904703': { - 'name': 'negative regulation of protein localization to cell-cell adherens junction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to cell-cell adherens junction. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:26412237]' - }, - 'GO:1904704': { - 'name': 'positive regulation of protein localization to cell-cell adherens junction', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to cell-cell adherens junction. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:26412237]' - }, - 'GO:1904705': { - 'name': 'regulation of vascular smooth muscle cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of vascular smooth muscle cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:23246467]' - }, - 'GO:1904706': { - 'name': 'negative regulation of vascular smooth muscle cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular smooth muscle cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:23246467]' - }, - 'GO:1904707': { - 'name': 'positive regulation of vascular smooth muscle cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular smooth muscle cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:23246467]' - }, - 'GO:1904708': { - 'name': 'regulation of granulosa cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of granulosa cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:19208546]' - }, - 'GO:1904709': { - 'name': 'negative regulation of granulosa cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of granulosa cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:19208546]' - }, - 'GO:1904710': { - 'name': 'positive regulation of granulosa cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of granulosa cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:19208546]' - }, - 'GO:1904711': { - 'name': 'regulation of Wnt-Frizzled-LRP5/6 complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of Wnt-Frizzled-LRP5/6 complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904712': { - 'name': 'positive regulation of Wnt-Frizzled-LRP5/6 complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of Wnt-Frizzled-LRP5/6 complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904713': { - 'name': 'beta-catenin destruction complex binding', - 'def': 'Interacting selectively and non-covalently with a beta-catenin destruction complex. [GO_REF:000102, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22899650]' - }, - 'GO:1904714': { - 'name': 'regulation of chaperone-mediated autophagy', - 'def': 'Any process that modulates the frequency, rate or extent of chaperone-mediated autophagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:20176123]' - }, - 'GO:1904715': { - 'name': 'negative regulation of chaperone-mediated autophagy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chaperone-mediated autophagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:20176123]' - }, - 'GO:1904716': { - 'name': 'positive regulation of chaperone-mediated autophagy', - 'def': 'Any process that activates or increases the frequency, rate or extent of chaperone-mediated autophagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:20176123]' - }, - 'GO:1904717': { - 'name': 'regulation of AMPA glutamate receptor clustering', - 'def': 'Any process that modulates the frequency, rate or extent of AMPA glutamate receptor clustering. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:21558424]' - }, - 'GO:1904718': { - 'name': 'negative regulation of AMPA glutamate receptor clustering', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of AMPA glutamate receptor clustering. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:21558424]' - }, - 'GO:1904719': { - 'name': 'positive regulation of AMPA glutamate receptor clustering', - 'def': 'Any process that activates or increases the frequency, rate or extent of AMPA glutamate receptor clustering. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:21558424]' - }, - 'GO:1904720': { - 'name': 'regulation of mRNA endonucleolytic cleavage involved in unfolded protein response', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA endonucleolytic cleavage involved in unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19328063, PMID:20625543]' - }, - 'GO:1904721': { - 'name': 'negative regulation of mRNA endonucleolytic cleavage involved in unfolded protein response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mRNA endonucleolytic cleavage involved in unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19328063]' - }, - 'GO:1904722': { - 'name': 'positive regulation of mRNA endonucleolytic cleavage involved in unfolded protein response', - 'def': 'Any process that activates or increases the frequency, rate or extent of mRNA endonucleolytic cleavage involved in unfolded protein response. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:20625543]' - }, - 'GO:1904723': { - 'name': 'negative regulation of Wnt-Frizzled-LRP5/6 complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Wnt-Frizzled-LRP5/6 complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:11433302]' - }, - 'GO:1904724': { - 'name': 'tertiary granule lumen', - 'def': 'Any membrane-enclosed lumen that is part of a tertiary granule. [GO_REF:0000064, GOC:TermGenie, PMID:23650620]' - }, - 'GO:1904725': { - 'name': 'TFIIB-class transcription factor binding involved in negative regulation of transcription', - 'def': 'Any TFIIB-class transcription factor binding that is involved in negative regulation of DNA-templated transcription. [GO_REF:0000061, GOC:rb, GOC:TermGenie, PMID:12461786]' - }, - 'GO:1904726': { - 'name': 'regulation of replicative senescence', - 'def': 'Any process that modulates the frequency, rate or extent of replicative senescence. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23496142]' - }, - 'GO:1904727': { - 'name': 'negative regulation of replicative senescence', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of replicative senescence. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23496142]' - }, - 'GO:1904728': { - 'name': 'positive regulation of replicative senescence', - 'def': 'Any process that activates or increases the frequency, rate or extent of replicative senescence. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23496142]' - }, - 'GO:1904729': { - 'name': 'regulation of intestinal lipid absorption', - 'def': 'Any process that modulates the frequency, rate or extent of intestinal lipid absorption. [GO_REF:0000058, GOC:TermGenie, PMID:18768481]' - }, - 'GO:1904730': { - 'name': 'negative regulation of intestinal lipid absorption', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intestinal lipid absorption. [GO_REF:0000058, GOC:TermGenie, PMID:18768481]' - }, - 'GO:1904731': { - 'name': 'positive regulation of intestinal lipid absorption', - 'def': 'Any process that activates or increases the frequency, rate or extent of intestinal lipid absorption. [GO_REF:0000058, GOC:TermGenie, PMID:18768481]' - }, - 'GO:1904732': { - 'name': 'regulation of electron carrier activity', - 'def': 'Any process that modulates the frequency, rate or extent of electron carrier activity. [GO_REF:0000059, GOC:TermGenie, PMID:25416781]' - }, - 'GO:1904733': { - 'name': 'negative regulation of electron carrier activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of electron carrier activity. [GO_REF:0000059, GOC:TermGenie, PMID:25416781]' - }, - 'GO:1904734': { - 'name': 'positive regulation of electron carrier activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of electron carrier activity. [GO_REF:0000059, GOC:TermGenie, PMID:25416781]' - }, - 'GO:1904735': { - 'name': 'regulation of fatty acid beta-oxidation using acyl-CoA dehydrogenase', - 'def': 'Any process that modulates the frequency, rate or extent of fatty acid beta-oxidation using acyl-CoA dehydrogenase. [GO_REF:0000058, GOC:TermGenie, PMID:25416781]' - }, - 'GO:1904736': { - 'name': 'negative regulation of fatty acid beta-oxidation using acyl-CoA dehydrogenase', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fatty acid beta-oxidation using acyl-CoA dehydrogenase. [GO_REF:0000058, GOC:TermGenie, PMID:25416781]' - }, - 'GO:1904737': { - 'name': 'positive regulation of fatty acid beta-oxidation using acyl-CoA dehydrogenase', - 'def': 'Any process that activates or increases the frequency, rate or extent of fatty acid beta-oxidation using acyl-CoA dehydrogenase. [GO_REF:0000058, GOC:TermGenie, PMID:25416781]' - }, - 'GO:1904738': { - 'name': 'vascular associated smooth muscle cell migration', - 'def': 'The orderly movement of a vascular associated smooth muscle cell from one site to another. [GO_REF:0000091, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:20693317]' - }, - 'GO:1904739': { - 'name': 'regulation of synapse organization by posttranscriptional regulation of gene expression', - 'def': 'A posttranscriptional regulation of gene expression that results in regulation of synapse organization. [GO_REF:0000063, GOC:rb, GOC:TermGenie, PMID:20729808]' - }, - 'GO:1904740': { - 'name': 'positive regulation of filamentous growth of a population of unicellular organisms in response to starvation by transcription from RNA polymerase II promoter', - 'def': 'A transcription from RNA polymerase II promoter that results in positive regulation of filamentous growth of a population of unicellular organisms in response to starvation. [GO_REF:0000063, GOC:rn, GOC:TermGenie, PMID:26448198]' - }, - 'GO:1904741': { - 'name': 'positive regulation of filamentous growth of a population of unicellular organisms in response to starvation by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter that results in positive regulation of filamentous growth of a population of unicellular organisms in response to starvation. [GO_REF:0000063, GOC:rn, GOC:TermGenie, PMID:26448198]' - }, - 'GO:1904742': { - 'name': 'regulation of telomeric DNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of telomeric DNA binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:24415760]' - }, - 'GO:1904743': { - 'name': 'negative regulation of telomeric DNA binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomeric DNA binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:24415760]' - }, - 'GO:1904744': { - 'name': 'positive regulation of telomeric DNA binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomeric DNA binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:24415760]' - }, - 'GO:1904745': { - 'name': 'ATG1/ULK1 kinase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an ATG1/UKL1 kinase complex. [GO_REF:0000079, GOC:dph, GOC:TermGenie, PMID:25139988]' - }, - 'GO:1904746': { - 'name': 'negative regulation of apoptotic process involved in development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apoptotic process involved in development. [GO_REF:0000058, GOC:TermGenie, PMID:22801495]' - }, - 'GO:1904747': { - 'name': 'positive regulation of apoptotic process involved in development', - 'def': 'Any process that activates or increases the frequency, rate or extent of apoptotic process involved in development. [GO_REF:0000058, GOC:TermGenie, PMID:22801495]' - }, - 'GO:1904748': { - 'name': 'regulation of apoptotic process involved in development', - 'def': 'Any process that modulates the frequency, rate or extent of apoptotic process involved in development. [GO_REF:0000058, GOC:TermGenie, PMID:22801495]' - }, - 'GO:1904749': { - 'name': 'regulation of protein localization to nucleolus', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to nucleolus. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:24415760]' - }, - 'GO:1904750': { - 'name': 'negative regulation of protein localization to nucleolus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to nucleolus. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:24415760]' - }, - 'GO:1904751': { - 'name': 'positive regulation of protein localization to nucleolus', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to nucleolus. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:24415760]' - }, - 'GO:1904752': { - 'name': 'regulation of vascular associated smooth muscle cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of vascular associated smooth muscle cell migration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:20693317]' - }, - 'GO:1904753': { - 'name': 'negative regulation of vascular associated smooth muscle cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular associated smooth muscle cell migration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:20693317]' - }, - 'GO:1904754': { - 'name': 'positive regulation of vascular associated smooth muscle cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular associated smooth muscle cell migration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:20693317]' - }, - 'GO:1904755': { - 'name': 'regulation of gut granule assembly', - 'def': 'Any process that modulates the frequency, rate or extent of gut granule assembly. [GO_REF:0000058, GOC:TermGenie, PMID:17535251]' - }, - 'GO:1904756': { - 'name': 'negative regulation of gut granule assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gut granule assembly. [GO_REF:0000058, GOC:TermGenie, PMID:17535251]' - }, - 'GO:1904757': { - 'name': 'positive regulation of gut granule assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of gut granule assembly. [GO_REF:0000058, GOC:TermGenie, PMID:17535251]' - }, - 'GO:1904758': { - 'name': 'protein localization to new growing cell tip', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a new growing cell tip. [GO_REF:0000087, GOC:TermGenie, PMID:19431238]' - }, - 'GO:1904759': { - 'name': 'protein localization to equatorial microtubule organizing center', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an equatorial microtubule organizing center. [GO_REF:0000087, GOC:TermGenie, PMID:16611237]' - }, - 'GO:1904760': { - 'name': 'regulation of myofibroblast differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of myofibroblast differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:20533548]' - }, - 'GO:1904761': { - 'name': 'negative regulation of myofibroblast differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of myofibroblast differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:20533548]' - }, - 'GO:1904762': { - 'name': 'positive regulation of myofibroblast differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of myofibroblast differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:20533548]' - }, - 'GO:1904763': { - 'name': 'chaperone-mediated autophagy translocation complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a chaperone-mediated autophagy translocation complex. [GO_REF:0000079, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:18644871]' - }, - 'GO:1904764': { - 'name': 'chaperone-mediated autophagy translocation complex disassembly', - 'def': 'The disaggregation of a chaperone-mediated autophagy translocation complex into its constituent components. [GO_REF:0000079, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:18644871]' - }, - 'GO:1904765': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to maltose', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a maltose stimulus. [GO_REF:0000060, GOC:TermGenie, PMID:24224056]' - }, - 'GO:1904766': { - 'name': 'negative regulation of macroautophagy by TORC1 signaling', - 'def': 'A TORC1 signaling that results in negative regulation of macroautophagy. [GO_REF:0000063, GOC:autophagy, GOC:dph, GOC:TermGenie, PMID:23602450]' - }, - 'GO:1904767': { - 'name': 'octanoic acid binding', - 'def': 'Interacting selectively and non-covalently with octanoic acid. [GO_REF:0000067, GOC:kmv, GOC:TermGenie, PMID:19828452]' - }, - 'GO:1904768': { - 'name': 'all-trans-retinol binding', - 'def': 'Interacting selectively and non-covalently with all-trans-retinol. [GO_REF:0000067, GOC:kmv, GOC:TermGenie, PMID:19828452]' - }, - 'GO:1904769': { - 'name': 'isopentadecanoic acid binding', - 'def': 'Interacting selectively and non-covalently with isopentadecanoic acid. [GO_REF:0000067, GOC:kmv, GOC:TermGenie, PMID:19828452]' - }, - 'GO:1904770': { - 'name': 'intramembranous bone morphogenesis', - 'def': 'The developmental process by which an intramembranous bone is generated and organized. [GO_REF:0000083, GOC:TermGenie, PMID:26399686]' - }, - 'GO:1904771': { - 'name': 'obsolete cellular response to doxorubicin', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a doxorubicin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:19801496]' - }, - 'GO:1904772': { - 'name': 'response to tetrachloromethane', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tetrachloromethane stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:7852267]' - }, - 'GO:1904773': { - 'name': 'obsolete cellular response to tetrachloromethane', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a tetrachloromethane stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:7852267]' - }, - 'GO:1904774': { - 'name': 'negative regulation of ubiquinone biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ubiquinone biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:8125303]' - }, - 'GO:1904775': { - 'name': 'positive regulation of ubiquinone biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ubiquinone biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:8125303]' - }, - 'GO:1904776': { - 'name': 'regulation of protein localization to cell cortex', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to cell cortex. [GO_REF:0000058, GOC:TermGenie, PMID:17115027]' - }, - 'GO:1904777': { - 'name': 'negative regulation of protein localization to cell cortex', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to cell cortex. [GO_REF:0000058, GOC:TermGenie, PMID:17115027]' - }, - 'GO:1904778': { - 'name': 'positive regulation of protein localization to cell cortex', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to cell cortex. [GO_REF:0000058, GOC:TermGenie, PMID:17115027]' - }, - 'GO:1904779': { - 'name': 'regulation of protein localization to centrosome', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to centrosome. [GO_REF:0000058, GOC:TermGenie, PMID:17115027]' - }, - 'GO:1904780': { - 'name': 'negative regulation of protein localization to centrosome', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to centrosome. [GO_REF:0000058, GOC:TermGenie, PMID:17115027]' - }, - 'GO:1904781': { - 'name': 'positive regulation of protein localization to centrosome', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to centrosome. [GO_REF:0000058, GOC:TermGenie, PMID:17115027]' - }, - 'GO:1904782': { - 'name': 'negative regulation of NMDA glutamate receptor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of NMDA glutamate receptor activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:12857]' - }, - 'GO:1904783': { - 'name': 'positive regulation of NMDA glutamate receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of NMDA glutamate receptor activity. [GO_REF:0000059, GOC:mr, GOC:TermGenie, PMID:12857]' - }, - 'GO:1904784': { - 'name': 'NLRP1 inflammasome complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a NLRP1 inflammasome complex. [GO_REF:0000079, GOC:TermGenie, PMID:19124602]' - }, - 'GO:1904785': { - 'name': 'regulation of asymmetric protein localization involved in cell fate determination', - 'def': 'Any process that modulates the frequency, rate or extent of asymmetric protein localization involved in cell fate determination. [GO_REF:0000058, GOC:TermGenie, PMID:17476329]' - }, - 'GO:1904786': { - 'name': 'negative regulation of asymmetric protein localization involved in cell fate determination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of asymmetric protein localization involved in cell fate determination. [GO_REF:0000058, GOC:TermGenie, PMID:17476329]' - }, - 'GO:1904787': { - 'name': 'positive regulation of asymmetric protein localization involved in cell fate determination', - 'def': 'Any process that activates or increases the frequency, rate or extent of asymmetric protein localization involved in cell fate determination. [GO_REF:0000058, GOC:TermGenie, PMID:17476329]' - }, - 'GO:1904788': { - 'name': 'positive regulation of induction of conjugation with cellular fusion by regulation of transcription from RNA polymerase II promoter', - 'def': 'A regulation of transcription from RNA polymerase II promoter that results in positive regulation of induction of conjugation with cellular fusion. [GO_REF:0000063, GOC:TermGenie, PMID:22144909]' - }, - 'GO:1904789': { - 'name': 'regulation of mitotic actomyosin contractile ring maintenance', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic actomyosin contractile ring maintenance. [GO_REF:0000058, GOC:TermGenie, PMID:24115772]' - }, - 'GO:1904790': { - 'name': 'regulation of shelterin complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of shelterin complex assembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:24270157]' - }, - 'GO:1904791': { - 'name': 'negative regulation of shelterin complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of shelterin complex assembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:24270157]' - }, - 'GO:1904792': { - 'name': 'positive regulation of shelterin complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of shelterin complex assembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:24270157]' - }, - 'GO:1904793': { - 'name': 'regulation of euchromatin binding', - 'def': 'Any process that modulates the frequency, rate or extent of euchromatin binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22723415]' - }, - 'GO:1904794': { - 'name': 'negative regulation of euchromatin binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of euchromatin binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22723415]' - }, - 'GO:1904795': { - 'name': 'positive regulation of euchromatin binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of euchromatin binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22723415]' - }, - 'GO:1904796': { - 'name': 'regulation of core promoter binding', - 'def': 'Any process that modulates the frequency, rate or extent of core promoter binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22723415]' - }, - 'GO:1904797': { - 'name': 'negative regulation of core promoter binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of core promoter binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22723415]' - }, - 'GO:1904798': { - 'name': 'positive regulation of core promoter binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of core promoter binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22723415]' - }, - 'GO:1904799': { - 'name': 'regulation of neuron remodeling', - 'def': 'Any process that modulates the frequency, rate or extent of neuron remodeling. [GO_REF:0000058, GOC:TermGenie, PMID:21609829]' - }, - 'GO:1904800': { - 'name': 'negative regulation of neuron remodeling', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neuron remodeling. [GO_REF:0000058, GOC:TermGenie, PMID:21609829]' - }, - 'GO:1904801': { - 'name': 'positive regulation of neuron remodeling', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuron remodeling. [GO_REF:0000058, GOC:TermGenie, PMID:21609829]' - }, - 'GO:1904802': { - 'name': 'RITS complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a RITS complex. [GO_REF:0000079, GOC:TermGenie, PMID:26443059]' - }, - 'GO:1904803': { - 'name': 'regulation of translation involved in cellular response to UV', - 'def': 'Any regulation of translation that is involved in cellular response to UV. [GO_REF:0000060, GOC:TermGenie, PMID:17369398]' - }, - 'GO:1904804': { - 'name': 'response to latrunculin A', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a latrunculin A stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:15537703]' - }, - 'GO:1904805': { - 'name': 'cellular response to latrunculin A', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a latrunculin A stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:15537703]' - }, - 'GO:1904806': { - 'name': 'regulation of protein oxidation', - 'def': 'Any process that modulates the frequency, rate or extent of protein oxidation. [GO_REF:0000058, GOC:TermGenie, PMID:22719267]' - }, - 'GO:1904807': { - 'name': 'negative regulation of protein oxidation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein oxidation. [GO_REF:0000058, GOC:TermGenie, PMID:22719267]' - }, - 'GO:1904808': { - 'name': 'positive regulation of protein oxidation', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein oxidation. [GO_REF:0000058, GOC:TermGenie, PMID:22719267]' - }, - 'GO:1904809': { - 'name': 'regulation of dense core granule transport', - 'def': 'Any process that modulates the frequency, rate or extent of dense core granule transport. [GO_REF:0000058, GOC:TermGenie, PMID:22699897]' - }, - 'GO:1904810': { - 'name': 'negative regulation of dense core granule transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dense core granule transport. [GO_REF:0000058, GOC:TermGenie, PMID:22699897]' - }, - 'GO:1904811': { - 'name': 'positive regulation of dense core granule transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of dense core granule transport. [GO_REF:0000058, GOC:TermGenie, PMID:22699897]' - }, - 'GO:1904812': { - 'name': 'rRNA acetylation involved in maturation of SSU-rRNA', - 'def': 'Any rRNA acetylation that is involved in maturation of SSU-rRNA. [GO_REF:0000060, GOC:TermGenie, PMID:25402480]' - }, - 'GO:1904813': { - 'name': 'ficolin-1-rich granule lumen', - 'def': 'Any membrane-enclosed lumen that is part of a ficolin-1-rich granule. [GO_REF:0000064, GOC:TermGenie, PMID:23650620]' - }, - 'GO:1904814': { - 'name': 'regulation of protein localization to chromosome, telomeric region', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to chromosome, telomeric region. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:19487455]' - }, - 'GO:1904815': { - 'name': 'negative regulation of protein localization to chromosome, telomeric region', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to chromosome, telomeric region. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:19487455]' - }, - 'GO:1904816': { - 'name': 'positive regulation of protein localization to chromosome, telomeric region', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to chromosome, telomeric region. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:19487455]' - }, - 'GO:1904817': { - 'name': 'serous membrane development', - 'def': 'The process whose specific outcome is the progression of a serous membrane over time, from its formation to the mature structure. [GO_REF:0000094, GOC:dph, GOC:TermGenie, PMID:15840053]' - }, - 'GO:1904818': { - 'name': 'visceral peritoneum development', - 'def': 'The process whose specific outcome is the progression of a visceral peritoneum over time, from its formation to the mature structure. [GO_REF:0000094, GOC:dph, GOC:TermGenie, PMID:15840053]' - }, - 'GO:1904819': { - 'name': 'parietal peritoneum development', - 'def': 'The process whose specific outcome is the progression of a parietal peritoneum over time, from its formation to the mature structure. [GO_REF:0000094, GOC:dph, GOC:TermGenie, PMID:15840053]' - }, - 'GO:1904820': { - 'name': 'peritoneum development', - 'def': 'The process whose specific outcome is the progression of a peritoneum over time, from its formation to the mature structure. [GO_REF:0000094, GOC:dph, GOC:TermGenie, PMID:15840053]' - }, - 'GO:1904821': { - 'name': 'chloroplast disassembly', - 'def': 'The disaggregation of a chloroplast into its constituent components. [GO_REF:0000079, GOC:TermGenie, PMID:26494759]' - }, - 'GO:1904822': { - 'name': 'ubiquitin protein ligase activity involved in chloroplast disassembly', - 'def': 'Any ubiquitin protein ligase activity that is involved in chloroplast disassembly. [GO_REF:0000061, GOC:TermGenie, PMID:26494759]' - }, - 'GO:1904823': { - 'name': 'purine nucleobase transmembrane transport', - 'def': 'The directed movement of purine nucleobase across a membrane. [GO_REF:0000069, GOC:TermGenie]' - }, - 'GO:1904824': { - 'name': 'anaphase-promoting complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an anaphase-promoting complex. [GO_REF:0000079, GOC:TermGenie, PMID:16950791]' - }, - 'GO:1904825': { - 'name': 'protein localization to microtubule plus-end', - 'def': 'A process in which a protein is transported to, or maintained in, a location at a microtubule plus-end. [GO_REF:0000087, GOC:TermGenie, PMID:24039245]' - }, - 'GO:1904826': { - 'name': 'regulation of hydrogen sulfide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of hydrogen sulfide biosynthetic process. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22034194]' - }, - 'GO:1904827': { - 'name': 'negative regulation of hydrogen sulfide biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hydrogen sulfide biosynthetic process. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22034194]' - }, - 'GO:1904828': { - 'name': 'positive regulation of hydrogen sulfide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of hydrogen sulfide biosynthetic process. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22034194]' - }, - 'GO:1904829': { - 'name': 'regulation of aortic smooth muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of aortic smooth muscle cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22034194]' - }, - 'GO:1904830': { - 'name': 'negative regulation of aortic smooth muscle cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aortic smooth muscle cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22034194]' - }, - 'GO:1904831': { - 'name': 'positive regulation of aortic smooth muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of aortic smooth muscle cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22034194]' - }, - 'GO:1904832': { - 'name': 'negative regulation of removal of superoxide radicals', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of removal of superoxide radicals. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22836756]' - }, - 'GO:1904833': { - 'name': 'positive regulation of removal of superoxide radicals', - 'def': 'Any process that activates or increases the frequency, rate or extent of removal of superoxide radicals. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22836756]' - }, - 'GO:1904834': { - 'name': 'nuclear CENP-A containing chromatin', - 'def': 'Any CENP-A containing chromatin that is part of nuclear chromatin. [GO_REF:0000064, GOC:TermGenie, PMID:24710126]' - }, - 'GO:1904835': { - 'name': 'dorsal root ganglion morphogenesis', - 'def': 'The developmental process by which a dorsal root ganglion is generated and organized. [GO_REF:0000083, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18936100]' - }, - 'GO:1904836': { - 'name': 'facioacoustic ganglion morphogenesis', - 'def': 'The developmental process by which an acoustico-facial VII-VIII ganglion complex is generated and organized. [GO_REF:0000083, GOC:bf, GOC:mat, GOC:PARL, GOC:TermGenie, PMID:18356247]' - }, - 'GO:1904837': { - 'name': 'beta-catenin-TCF complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a beta-catenin-TCF complex. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18936100]' - }, - 'GO:1904838': { - 'name': 'regulation of male germ-line stem cell asymmetric division', - 'def': 'Any process that modulates the frequency, rate or extent of male germ-line stem cell asymmetric division. [GO_REF:0000058, GOC:TermGenie, PMID:19339709]' - }, - 'GO:1904839': { - 'name': 'negative regulation of male germ-line stem cell asymmetric division', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of male germ-line stem cell asymmetric division. [GO_REF:0000058, GOC:TermGenie, PMID:19339709]' - }, - 'GO:1904840': { - 'name': 'positive regulation of male germ-line stem cell asymmetric division', - 'def': 'Any process that activates or increases the frequency, rate or extent of male germ-line stem cell asymmetric division. [GO_REF:0000058, GOC:TermGenie, PMID:19339709]' - }, - 'GO:1904841': { - 'name': 'TORC2 complex binding', - 'def': 'Interacting selectively and non-covalently with a TORC2 complex. [GO_REF:000102, GOC:TermGenie, Pubmed:20660630]' - }, - 'GO:1904842': { - 'name': 'response to nitroglycerin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitroglycerin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:25626975]' - }, - 'GO:1904843': { - 'name': 'cellular response to nitroglycerin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nitroglycerin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:25626975]' - }, - 'GO:1904844': { - 'name': 'response to L-glutamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-glutamine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23185570]' - }, - 'GO:1904845': { - 'name': 'cellular response to L-glutamine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-glutamine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23185570]' - }, - 'GO:1904846': { - 'name': 'negative regulation of establishment of bipolar cell polarity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of bipolar cell polarity. [GO_REF:0000058, GOC:TermGenie, PMID:26525038]' - }, - 'GO:1904847': { - 'name': 'regulation of cell chemotaxis to fibroblast growth factor', - 'def': 'Any process that modulates the frequency, rate or extent of cell chemotaxis to fibroblast growth factor. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23233752]' - }, - 'GO:1904848': { - 'name': 'negative regulation of cell chemotaxis to fibroblast growth factor', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell chemotaxis to fibroblast growth factor. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23233752]' - }, - 'GO:1904849': { - 'name': 'positive regulation of cell chemotaxis to fibroblast growth factor', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell chemotaxis to fibroblast growth factor. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23233752]' - }, - 'GO:1904850': { - 'name': 'negative regulation of establishment of protein localization to telomere', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of protein localization to telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25467444]' - }, - 'GO:1904851': { - 'name': 'positive regulation of establishment of protein localization to telomere', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of protein localization to telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25467444]' - }, - 'GO:1904852': { - 'name': 'trimethylamine-N-oxide reductase (cytochrome c) complex', - 'def': 'A protein complex which is capable of trimethylamine-N-oxide reductase (cytochrome c) activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:11056172]' - }, - 'GO:1904853': { - 'name': 'protein localization to ascospore wall', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an ascospore wall. [GO_REF:0000087, GOC:TermGenie, PMID:24623719]' - }, - 'GO:1904854': { - 'name': 'proteasome core complex binding', - 'def': 'Interacting selectively and non-covalently with a proteasome core complex. [GO_REF:000102, GOC:TermGenie, PMID:16096059]' - }, - 'GO:1904855': { - 'name': 'proteasome regulatory particle binding', - 'def': 'Interacting selectively and non-covalently with a proteasome regulatory particle. [GO_REF:000102, GOC:TermGenie, PMID:16096059]' - }, - 'GO:1904856': { - 'name': 'cytolytic granule lumen', - 'def': 'Any cytoplasmic membrane-bounded vesicle lumen that is part of a cytolytic granule. [GO_REF:0000064, GOC:TermGenie, PMID:17272266, PMID:21247065]' - }, - 'GO:1904857': { - 'name': 'regulation of endothelial cell chemotaxis to vascular endothelial growth factor', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial cell chemotaxis to vascular endothelial growth factor. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:21885851]' - }, - 'GO:1904858': { - 'name': 'negative regulation of endothelial cell chemotaxis to vascular endothelial growth factor', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelial cell chemotaxis to vascular endothelial growth factor. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:21885851]' - }, - 'GO:1904859': { - 'name': 'positive regulation of endothelial cell chemotaxis to vascular endothelial growth factor', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial cell chemotaxis to vascular endothelial growth factor. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:21885851]' - }, - 'GO:1904860': { - 'name': 'DNA biosynthetic process involved in mitotic DNA replication', - 'def': 'Any DNA biosynthetic process that is involved in mitotic DNA replication. [GO_REF:0000060, GOC:TermGenie, PMID:16849602]' - }, - 'GO:1904861': { - 'name': 'excitatory synapse assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an excitatory synapse. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21670302]' - }, - 'GO:1904862': { - 'name': 'inhibitory synapse assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an inhibitory synapse. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904863': { - 'name': 'regulation of beta-catenin-TCF complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of beta-catenin-TCF complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904864': { - 'name': 'negative regulation of beta-catenin-TCF complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of beta-catenin-TCF complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18936100]' - }, - 'GO:1904865': { - 'name': 'positive regulation of beta-catenin-TCF complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of beta-catenin-TCF complex assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904866': { - 'name': 'ventral tegmental area development', - 'def': 'The process whose specific outcome is the progression of a ventral tegmental area (VTA) over time, from its formation to the mature structure. [GO_REF:0000094, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:26548362]' - }, - 'GO:1904867': { - 'name': 'protein localization to Cajal body', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a Cajal body. [GO_REF:0000087, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25467444]' - }, - 'GO:1904868': { - 'name': 'telomerase catalytic core complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a telomerase catalytic core complex. [GO_REF:0000079, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904869': { - 'name': 'regulation of protein localization to Cajal body', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to Cajal body. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25467444]' - }, - 'GO:1904870': { - 'name': 'negative regulation of protein localization to Cajal body', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to Cajal body. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25467444]' - }, - 'GO:1904871': { - 'name': 'positive regulation of protein localization to Cajal body', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to Cajal body. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25467444]' - }, - 'GO:1904872': { - 'name': 'regulation of telomerase RNA localization to Cajal body', - 'def': 'Any process that modulates the frequency, rate or extent of telomerase RNA localization to Cajal body. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25467444]' - }, - 'GO:1904873': { - 'name': 'negative regulation of telomerase RNA localization to Cajal body', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomerase RNA localization to Cajal body. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25467444]' - }, - 'GO:1904874': { - 'name': 'positive regulation of telomerase RNA localization to Cajal body', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomerase RNA localization to Cajal body. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25467444]' - }, - 'GO:1904875': { - 'name': 'regulation of DNA ligase activity', - 'def': 'Any process that modulates the frequency, rate or extent of DNA ligase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:rl, GOC:TermGenie, PMID:17389648]' - }, - 'GO:1904876': { - 'name': 'negative regulation of DNA ligase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA ligase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:rl, GOC:TermGenie, PMID:17389648]' - }, - 'GO:1904877': { - 'name': 'positive regulation of DNA ligase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA ligase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:rl, GOC:TermGenie, PMID:17389648]' - }, - 'GO:1904878': { - 'name': 'negative regulation of calcium ion transmembrane transport via high voltage-gated calcium channel', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium ion transmembrane transport via high voltage-gated calcium channel. [GO_REF:0000058, GOC:TermGenie, PMID:23071515]' - }, - 'GO:1904879': { - 'name': 'positive regulation of calcium ion transmembrane transport via high voltage-gated calcium channel', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium ion transmembrane transport via high voltage-gated calcium channel. [GO_REF:0000058, GOC:TermGenie, PMID:23071515]' - }, - 'GO:1904880': { - 'name': 'response to hydrogen sulfide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydrogen sulfide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24012591]' - }, - 'GO:1904881': { - 'name': 'cellular response to hydrogen sulfide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a hydrogen sulfide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24012591]' - }, - 'GO:1904882': { - 'name': 'regulation of telomerase catalytic core complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of telomerase catalytic core complex assembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904883': { - 'name': 'negative regulation of telomerase catalytic core complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomerase catalytic core complex assembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904884': { - 'name': 'positive regulation of telomerase catalytic core complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomerase catalytic core complex assembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904885': { - 'name': 'beta-catenin destruction complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a beta-catenin destruction complex. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:17143292, PMID:23169527]' - }, - 'GO:1904886': { - 'name': 'beta-catenin destruction complex disassembly', - 'def': 'The disaggregation of a beta-catenin destruction complex into its constituent components. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23169527]' - }, - 'GO:1904887': { - 'name': 'Wnt signalosome assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a Wnt signalosome. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22899650]' - }, - 'GO:1904888': { - 'name': 'cranial skeletal system development', - 'def': 'The process whose specific outcome is the progression of a cranial skeletal system over time, from its formation to the mature structure. The cranial skeletal system is the skeletal subdivision of the head, and includes the skull (cranium plus mandible), pharyngeal and/or hyoid apparatus. [GO_REF:0000094, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:11262227]' - }, - 'GO:1904889': { - 'name': 'regulation of excitatory synapse assembly', - 'def': 'Any process that modulates the frequency, rate or extent of excitatory synapse assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904890': { - 'name': 'negative regulation of excitatory synapse assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of excitatory synapse assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904891': { - 'name': 'positive regulation of excitatory synapse assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of excitatory synapse assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21670302]' - }, - 'GO:1904892': { - 'name': 'regulation of STAT cascade', - 'def': 'Any process that modulates the frequency, rate or extent of STAT cascade. [GO_REF:0000058, GOC:rjd, GOC:TermGenie, PMID:24587195]' - }, - 'GO:1904893': { - 'name': 'negative regulation of STAT cascade', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of STAT cascade. [GO_REF:0000058, GOC:rjd, GOC:TermGenie, PMID:24587195]' - }, - 'GO:1904894': { - 'name': 'positive regulation of STAT cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of STAT cascade. [GO_REF:0000058, GOC:rjd, GOC:TermGenie, PMID:24587195]' - }, - 'GO:1904895': { - 'name': 'ESCRT complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an ESCRT complex. [GO_REF:0000079, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:21118109]' - }, - 'GO:1904896': { - 'name': 'ESCRT complex disassembly', - 'def': 'The disaggregation of an ESCRT complex into its constituent components. [GO_REF:0000079, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:21118109]' - }, - 'GO:1904897': { - 'name': 'regulation of hepatic stellate cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of hepatic stellate cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:15358192]' - }, - 'GO:1904898': { - 'name': 'negative regulation of hepatic stellate cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hepatic stellate cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:15358192]' - }, - 'GO:1904899': { - 'name': 'positive regulation of hepatic stellate cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of hepatic stellate cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:15358192]' - }, - 'GO:1904900': { - 'name': 'negative regulation of myosin II filament organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of myosin II filament organization. [GO_REF:0000058, GOC:TermGenie, PMID:22761445]' - }, - 'GO:1904901': { - 'name': 'positive regulation of myosin II filament organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of myosin II filament organization. [GO_REF:0000058, GOC:TermGenie, PMID:22761445]' - }, - 'GO:1904902': { - 'name': 'ESCRT III complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an ESCRT III complex. [GO_REF:0000079, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:20588296]' - }, - 'GO:1904903': { - 'name': 'ESCRT III complex disassembly', - 'def': 'The disaggregation of an ESCRT III complex into its constituent components. [GO_REF:0000079, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:20588296]' - }, - 'GO:1904904': { - 'name': 'regulation of endothelial cell-matrix adhesion via fibronectin', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial cell-matrix adhesion via fibronectin. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:19460962]' - }, - 'GO:1904905': { - 'name': 'negative regulation of endothelial cell-matrix adhesion via fibronectin', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelial cell-matrix adhesion via fibronectin. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:19460962]' - }, - 'GO:1904906': { - 'name': 'positive regulation of endothelial cell-matrix adhesion via fibronectin', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial cell-matrix adhesion via fibronectin. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:19460962]' - }, - 'GO:1904907': { - 'name': 'regulation of maintenance of mitotic sister chromatid cohesion, telomeric', - 'def': 'Any process that modulates the frequency, rate or extent of maintenance of mitotic sister chromatid cohesion, telomeric. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26373281]' - }, - 'GO:1904908': { - 'name': 'negative regulation of maintenance of mitotic sister chromatid cohesion, telomeric', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maintenance of mitotic sister chromatid cohesion, telomeric. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26373281]' - }, - 'GO:1904909': { - 'name': 'positive regulation of maintenance of mitotic sister chromatid cohesion, telomeric', - 'def': 'Any process that activates or increases the frequency, rate or extent of maintenance of mitotic sister chromatid cohesion, telomeric. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26373281]' - }, - 'GO:1904910': { - 'name': 'regulation of establishment of RNA localization to telomere', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of RNA localization to telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904911': { - 'name': 'negative regulation of establishment of RNA localization to telomere', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of RNA localization to telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904912': { - 'name': 'positive regulation of establishment of RNA localization to telomere', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of RNA localization to telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904913': { - 'name': 'regulation of establishment of macromolecular complex localization to telomere', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of macromolecular complex localization to telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904914': { - 'name': 'negative regulation of establishment of macromolecular complex localization to telomere', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of macromolecular complex localization to telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904915': { - 'name': 'positive regulation of establishment of macromolecular complex localization to telomere', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of macromolecular complex localization to telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:rph, GOC:TermGenie, PMID:26586433]' - }, - 'GO:1904916': { - 'name': 'transmembrane L-lysine transport from lysosomal lumen to cytosol', - 'def': 'The directed movement of L-lysine across a membrane from lysosomal lumen to cytosol. [GO_REF:0000078, GOC:kmv, GOC:TermGenie, PMID:22822152]' - }, - 'GO:1904917': { - 'name': 'transmembrane L-arginine transport from lysosomal lumen to cytosol', - 'def': 'The directed movement of L-arginine across a membrane from lysosomal lumen to cytosol. [GO_REF:0000078, GOC:kmv, GOC:TermGenie, PMID:22822152]' - }, - 'GO:1904918': { - 'name': 'transmembrane L-histidine transport from lysosomal lumen to cytosol', - 'def': 'The directed movement of L-histidine across a membrane from lysosomal lumen to cytosol. [GO_REF:0000078, GOC:kmv, GOC:TermGenie, PMID:22822152]' - }, - 'GO:1904919': { - 'name': 'transmembrane L-cystine transport from lysosomal lumen to cytosol', - 'def': 'The directed movement of L-cystine across a membrane from lysosomal lumen to cytosol. [GO_REF:0000078, GOC:kmv, GOC:TermGenie, PMID:22822152]' - }, - 'GO:1904920': { - 'name': 'regulation of MAPK cascade involved in axon regeneration', - 'def': 'Any process that modulates the frequency, rate or extent of MAPK cascade involved in axon regeneration. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:20203177]' - }, - 'GO:1904921': { - 'name': 'negative regulation of MAPK cascade involved in axon regeneration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of MAPK cascade involved in axon regeneration. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:20203177]' - }, - 'GO:1904922': { - 'name': 'positive regulation of MAPK cascade involved in axon regeneration', - 'def': 'Any process that activates or increases the frequency, rate or extent of MAPK cascade involved in axon regeneration. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:20203177]' - }, - 'GO:1904923': { - 'name': 'regulation of mitophagy in response to mitochondrial depolarization', - 'def': 'Any process that modulates the frequency, rate or extent of mitophagy in response to mitochondrial depolarization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22020285]' - }, - 'GO:1904924': { - 'name': 'negative regulation of mitophagy in response to mitochondrial depolarization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitophagy in response to mitochondrial depolarization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22020285]' - }, - 'GO:1904925': { - 'name': 'positive regulation of mitophagy in response to mitochondrial depolarization', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitophagy in response to mitochondrial depolarization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22020285]' - }, - 'GO:1904926': { - 'name': 'response to palmitoleic acid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a palmitoleic acid stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:25429233]' - }, - 'GO:1904927': { - 'name': 'cellular response to palmitoleic acid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a palmitoleic acid stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:25429233]' - }, - 'GO:1904928': { - 'name': 'coreceptor activity involved in canonical Wnt signaling pathway', - 'def': 'Any coreceptor activity that is involved in a canonical Wnt signaling pathway. [GO_REF:0000061, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24431302]' - }, - 'GO:1904929': { - 'name': 'coreceptor activity involved in Wnt signaling pathway, planar cell polarity pathway', - 'def': 'Any coreceptor activity that is involved in Wnt signaling pathway, planar cell polarity pathway. [GO_REF:0000061, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24431302]' - }, - 'GO:1904930': { - 'name': 'amphisome membrane', - 'def': 'Any membrane that is part of an amphisome. [GO_REF:0000064, GOC:bhm, GOC:TermGenie, PMID:17984323]' - }, - 'GO:1904931': { - 'name': 'MCM complex binding', - 'def': 'Interacting selectively and non-covalently with an MCM complex. [GO_REF:000102, GOC:TermGenie, PMID:12604790]' - }, - 'GO:1904932': { - 'name': 'negative regulation of cartilage condensation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cartilage condensation. [GO_REF:0000058, GOC:mr, GOC:TermGenie, PMID:17604018]' - }, - 'GO:1904933': { - 'name': 'regulation of cell proliferation in midbrain', - 'def': 'Any process that modulates the frequency, rate or extent of cell proliferation in midbrain. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18953410, PMID:24431302]' - }, - 'GO:1904934': { - 'name': 'negative regulation of cell proliferation in midbrain', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell proliferation in midbrain. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18953410, PMID:24431302]' - }, - 'GO:1904935': { - 'name': 'positive regulation of cell proliferation in midbrain', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell proliferation in midbrain. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24431302]' - }, - 'GO:1904936': { - 'name': 'interneuron migration', - 'def': 'The orderly movement of an interneuron from one site to another. [GO_REF:0000091, GOC:ah, GOC:TermGenie, PMID:18622031]' - }, - 'GO:1904937': { - 'name': 'sensory neuron migration', - 'def': 'The orderly movement of a sensory neuron from one site to another. [GO_REF:0000091, GOC:ah, GOC:TermGenie, PMID:18622031]' - }, - 'GO:1904938': { - 'name': 'planar cell polarity pathway involved in axon guidance', - 'def': 'Any Wnt signaling pathway, planar cell polarity pathway that is involved in axon guidance. [GO_REF:0000060, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21106844, PMID:23517308]' - }, - 'GO:1904939': { - 'name': 'regulation of DNA nucleotidylexotransferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of DNA nucleotidylexotransferase activity. [GO_REF:0000059, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23575307]' - }, - 'GO:1904940': { - 'name': 'negative regulation of DNA nucleotidylexotransferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA nucleotidylexotransferase activity. [GO_REF:0000059, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23575307]' - }, - 'GO:1904941': { - 'name': 'positive regulation of DNA nucleotidylexotransferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA nucleotidylexotransferase activity. [GO_REF:0000059, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23575307]' - }, - 'GO:1904942': { - 'name': 'regulation of cardiac ventricle formation', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac ventricle formation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23575307]' - }, - 'GO:1904943': { - 'name': 'negative regulation of cardiac ventricle formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac ventricle formation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23575307]' - }, - 'GO:1904944': { - 'name': 'positive regulation of cardiac ventricle formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac ventricle formation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23575307]' - }, - 'GO:1904945': { - 'name': 'obsolete response to cobalt(II) acetate', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cobalt(II) acetate stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:24315322]' - }, - 'GO:1904946': { - 'name': 'obsolete cellular response to cobalt(II) acetate', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cobalt(II) acetate stimulus. [GO_REF:0000071, GOC:mr, GOC:TermGenie, PMID:24315322]' - }, - 'GO:1904947': { - 'name': 'folic acid import into mitochondrion', - 'def': 'The directed movement of folic acid into a mitochondrion. [GO_REF:0000075, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:15140890]' - }, - 'GO:1904948': { - 'name': 'midbrain dopaminergic neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a midbrain dopaminergic neuron. [GO_REF:0000086, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:17331494, PMID:19122665]' - }, - 'GO:1904949': { - 'name': 'ATPase complex', - 'def': 'A protein complex which is capable of ATPase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:9606181]' - }, - 'GO:1904950': { - 'name': 'negative regulation of establishment of protein localization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of protein localization. [GO_REF:0000058, GOC:TermGenie, PMID:22761445]' - }, - 'GO:1904951': { - 'name': 'positive regulation of establishment of protein localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of protein localization. [GO_REF:0000058, GOC:TermGenie, PMID:22761445]' - }, - 'GO:1904952': { - 'name': 'hydroxycinnamic acid transport', - 'def': 'The directed movement of a hydroxycinnamic acid into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GO_REF:0000065, GOC:TermGenie, PMID:26744218]' - }, - 'GO:1904953': { - 'name': 'Wnt signaling pathway involved in midbrain dopaminergic neuron differentiation', - 'def': 'Any Wnt signaling pathway that is involved in midbrain dopaminergic neuron differentiation. [GO_REF:0000060, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21347250, PMID:22988876, PMID:23517308]' - }, - 'GO:1904954': { - 'name': 'canonical Wnt signaling pathway involved in midbrain dopaminergic neuron differentiation', - 'def': 'Any canonical Wnt signaling pathway that is involved in midbrain dopaminergic neuron differentiation. [GO_REF:0000060, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22988876]' - }, - 'GO:1904955': { - 'name': 'planar cell polarity pathway involved in midbrain dopaminergic neuron differentiation', - 'def': 'Any Wnt signaling pathway, planar cell polarity pathway that is involved in midbrain dopaminergic neuron differentiation. [GO_REF:0000060, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22988876]' - }, - 'GO:1904956': { - 'name': 'regulation of midbrain dopaminergic neuron differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of midbrain dopaminergic neuron differentiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21347250]' - }, - 'GO:1904957': { - 'name': 'negative regulation of midbrain dopaminergic neuron differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of midbrain dopaminergic neuron differentiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904958': { - 'name': 'positive regulation of midbrain dopaminergic neuron differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of midbrain dopaminergic neuron differentiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:21347250]' - }, - 'GO:1904959': { - 'name': 'regulation of cytochrome-c oxidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of cytochrome-c oxidase activity. [GO_REF:0000059, GOC:TermGenie, PMID:26734017]' - }, - 'GO:1904960': { - 'name': 'positive regulation of cytochrome-c oxidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytochrome-c oxidase activity. [GO_REF:0000059, GOC:TermGenie, PMID:26734017]' - }, - 'GO:1904961': { - 'name': 'quiescent center organization', - 'def': 'The process that contributes to the act of creating the structural organization of the quiescent center. This process pertains to the physical shaping of a rudimentary structure. [GO_REF:0000084, GOC:TermGenie, PMID:21233333]' - }, - 'GO:1904962': { - 'name': 'plastid to vacuole vesicle-mediated transport', - 'def': 'The vesicle-mediated and directed movement of substances from plastid to vacuole. [GO_REF:0000076, GOC:TermGenie, PMID:25281689]' - }, - 'GO:1904963': { - 'name': 'regulation of phytol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of phytol biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:24275650]' - }, - 'GO:1904964': { - 'name': 'positive regulation of phytol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of phytol biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:24275650]' - }, - 'GO:1904965': { - 'name': 'regulation of vitamin E biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of vitamin E biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:20823244]' - }, - 'GO:1904966': { - 'name': 'positive regulation of vitamin E biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of vitamin E biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:20823244]' - }, - 'GO:1904967': { - 'name': 'regulation of attachment of spindle microtubules to kinetochore involved in homologous chromosome segregation', - 'def': 'Any process that modulates the frequency, rate or extent of attachment of spindle microtubules to kinetochore involved in homologous chromosome segregation. [GO_REF:0000058, GOC:TermGenie, PMID:23770679]' - }, - 'GO:1904968': { - 'name': 'positive regulation of attachment of spindle microtubules to kinetochore involved in homologous chromosome segregation', - 'def': 'Any process that activates or increases the frequency, rate or extent of attachment of spindle microtubules to kinetochore involved in homologous chromosome segregation. [GO_REF:0000058, GOC:TermGenie, PMID:23770679]' - }, - 'GO:1904969': { - 'name': 'slow muscle cell migration', - 'def': 'The orderly movement of a slow muscle cell from one site to another. [GO_REF:0000091, GOC:TermGenie, GOC:ymb, PMID:14667409, PMID:15572133, PMID:25534553]' - }, - 'GO:1904970': { - 'name': 'brush border assembly', - 'def': 'The aggregation, arrangement and bonding together of adjacent microvilli through the formation of Ca(2+)-dependent adhesion links between them, forming a brush border. [GO_REF:0000079, GOC:lb, GOC:TermGenie, PMID:24725409]' - }, - 'GO:1904971': { - 'name': 'regulation of viral translation', - 'def': 'Any process that modulates the frequency, rate or extent of viral translation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:19666601]' - }, - 'GO:1904972': { - 'name': 'negative regulation of viral translation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of viral translation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:19666601]' - }, - 'GO:1904973': { - 'name': 'positive regulation of viral translation', - 'def': 'Any process that activates or increases the frequency, rate or extent of viral translation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:19666601]' - }, - 'GO:1904974': { - 'name': 'heparanase complex', - 'def': 'A protein complex which is capable of heparanase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:12927802]' - }, - 'GO:1904975': { - 'name': 'response to bleomycin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bleomycin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:11553781]' - }, - 'GO:1904976': { - 'name': 'cellular response to bleomycin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a bleomycin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:11553781]' - }, - 'GO:1904977': { - 'name': 'lymphatic endothelial cell migration', - 'def': 'The orderly movement of a lymphatic endothelial cell from one site to another in the wall of a lymphatic vessel. [GO_REF:0000091, GOC:TermGenie, PMID:25745057]' - }, - 'GO:1904978': { - 'name': 'regulation of endosome organization', - 'def': 'Any process that modulates the frequency, rate or extent of endosome organization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22511594]' - }, - 'GO:1904979': { - 'name': 'negative regulation of endosome organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endosome organization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22511594]' - }, - 'GO:1904980': { - 'name': 'positive regulation of endosome organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of endosome organization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:22511594]' - }, - 'GO:1904981': { - 'name': 'maltose transmembrane transport', - 'def': 'The directed movement of maltose across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:11136464]' - }, - 'GO:1904982': { - 'name': 'sucrose transmembrane transport', - 'def': 'The directed movement of sucrose across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:11136464]' - }, - 'GO:1904983': { - 'name': 'transmembrane glycine transport from cytosol to mitochondrion', - 'def': 'The directed movement of glycine across a membrane from cytosol to mitochondrion. [GO_REF:0000078, GOC:TermGenie, PMID:26821380]' - }, - 'GO:1904984': { - 'name': 'regulation of quinolinate biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of quinolinate biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:12140278, PMID:19843166]' - }, - 'GO:1904985': { - 'name': 'negative regulation of quinolinate biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of quinolinate biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:12140278, PMID:19843166]' - }, - 'GO:1904986': { - 'name': 'positive regulation of quinolinate biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of quinolinate biosynthetic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1904987': { - 'name': 'regulation of endothelial cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial cell activation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:24255059]' - }, - 'GO:1904988': { - 'name': 'negative regulation of endothelial cell activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelial cell activation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:24255059]' - }, - 'GO:1904989': { - 'name': 'positive regulation of endothelial cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial cell activation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:24255059]' - }, - 'GO:1904990': { - 'name': 'regulation of adenylate cyclase-inhibiting dopamine receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of adenylate cyclase-inhibiting dopamine receptor signaling pathway. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:26554819]' - }, - 'GO:1904991': { - 'name': 'negative regulation of adenylate cyclase-inhibiting dopamine receptor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of adenylate cyclase-inhibiting dopamine receptor signaling pathway. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:26554819]' - }, - 'GO:1904992': { - 'name': 'positive regulation of adenylate cyclase-inhibiting dopamine receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of adenylate cyclase-inhibiting dopamine receptor signaling pathway. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:26554819]' - }, - 'GO:1904993': { - 'name': 'obsolete positive regulation of cyclin-dependent protein serine/threonine kinase activity involved in positive regulation of G2/M transition of mitotic cell cycle', - 'def': 'OBSOLETE. Any positive regulation of cyclin-dependent protein serine/threonine kinase activity that is involved in positive regulation of G2/M transition of mitotic cell cycle. [GO_REF:0000060, GOC:TermGenie, PMID:24728197]' - }, - 'GO:1904994': { - 'name': 'regulation of leukocyte adhesion to vascular endothelial cell', - 'def': 'Any process that modulates the frequency, rate or extent of leukocyte adhesion to vascular endothelial cell. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23897866]' - }, - 'GO:1904995': { - 'name': 'negative regulation of leukocyte adhesion to vascular endothelial cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leukocyte adhesion to vascular endothelial cell. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23897866]' - }, - 'GO:1904996': { - 'name': 'positive regulation of leukocyte adhesion to vascular endothelial cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of leukocyte adhesion to vascular endothelial cell. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23897866]' - }, - 'GO:1904997': { - 'name': 'regulation of leukocyte adhesion to arterial endothelial cell', - 'def': 'Any process that modulates the frequency, rate or extent of leukocyte adhesion to arterial endothelial cell. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:22267480]' - }, - 'GO:1904998': { - 'name': 'negative regulation of leukocyte adhesion to arterial endothelial cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leukocyte adhesion to arterial endothelial cell. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:22267480]' - }, - 'GO:1904999': { - 'name': 'positive regulation of leukocyte adhesion to arterial endothelial cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of leukocyte adhesion to arterial endothelial cell. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:22267480]' - }, - 'GO:1905000': { - 'name': 'regulation of membrane repolarization during atrial cardiac muscle cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of membrane repolarization during atrial cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:21098446]' - }, - 'GO:1905001': { - 'name': 'negative regulation of membrane repolarization during atrial cardiac muscle cell action potential', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of membrane repolarization during atrial cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:21098446]' - }, - 'GO:1905002': { - 'name': 'positive regulation of membrane repolarization during atrial cardiac muscle cell action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane repolarization during atrial cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:21098446]' - }, - 'GO:1905003': { - 'name': 'picolinic acid metabolic process', - 'def': 'The chemical reactions and pathways involving picolinic acid. [GO_REF:0000068, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19843166]' - }, - 'GO:1905004': { - 'name': 'picolinic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of picolinic acid. [GO_REF:0000068, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19843166]' - }, - 'GO:1905005': { - 'name': 'regulation of epithelial to mesenchymal transition involved in endocardial cushion formation', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial to mesenchymal transition involved in endocardial cushion formation. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18718461]' - }, - 'GO:1905006': { - 'name': 'negative regulation of epithelial to mesenchymal transition involved in endocardial cushion formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of epithelial to mesenchymal transition involved in endocardial cushion formation. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18718461]' - }, - 'GO:1905007': { - 'name': 'positive regulation of epithelial to mesenchymal transition involved in endocardial cushion formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of epithelial to mesenchymal transition involved in endocardial cushion formation. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18718461]' - }, - 'GO:1905008': { - 'name': 'regulation of L-lysine import into cell', - 'def': 'Any process that modulates the frequency, rate or extent of L-lysine import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:7499219]' - }, - 'GO:1905009': { - 'name': 'negative regulation of L-lysine import into cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-lysine import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:7499219]' - }, - 'GO:1905010': { - 'name': 'positive regulation of L-lysine import into cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-lysine import into cell. [GO_REF:0000058, GOC:TermGenie, PMID:7499219]' - }, - 'GO:1905011': { - 'name': 'transmembrane phosphate ion transport from cytosol to vacuole', - 'def': 'The directed movement of phosphate ions across a membrane from the cytosol into a vacuole. [GO_REF:0000078, GOC:TermGenie, PMID:26554016]' - }, - 'GO:1905012': { - 'name': "regulation of 'de novo' NAD biosynthetic process from tryptophan", - 'def': "Any process that modulates the frequency, rate or extent of 'de novo' NAD biosynthetic process from tryptophan. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:12140278, PMID:19843166]" - }, - 'GO:1905013': { - 'name': "negative regulation of 'de novo' NAD biosynthetic process from tryptophan", - 'def': "Any process that stops, prevents or reduces the frequency, rate or extent of 'de novo' NAD biosynthetic process from tryptophan. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:12140278, PMID:19843166]" - }, - 'GO:1905014': { - 'name': "positive regulation of 'de novo' NAD biosynthetic process from tryptophan", - 'def': "Any process that activates or increases the frequency, rate or extent of 'de novo' NAD biosynthetic process from tryptophan. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]" - }, - 'GO:1905015': { - 'name': 'regulation of isoleucine-tRNA ligase activity', - 'def': 'Any process that modulates the frequency, rate or extent of isoleucine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:1665486]' - }, - 'GO:1905016': { - 'name': 'negative regulation of isoleucine-tRNA ligase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of isoleucine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:1665486]' - }, - 'GO:1905017': { - 'name': 'positive regulation of isoleucine-tRNA ligase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of isoleucine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:1665486]' - }, - 'GO:1905018': { - 'name': 'regulation of methionine-tRNA ligase activity', - 'def': 'Any process that modulates the frequency, rate or extent of methionine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:1665486]' - }, - 'GO:1905019': { - 'name': 'negative regulation of methionine-tRNA ligase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of methionine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:1665486]' - }, - 'GO:1905020': { - 'name': 'positive regulation of methionine-tRNA ligase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of methionine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:1665486]' - }, - 'GO:1905021': { - 'name': 'regulation of threonine-tRNA ligase activity', - 'def': 'Any process that modulates the frequency, rate or extent of threonine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:8049265]' - }, - 'GO:1905022': { - 'name': 'negative regulation of threonine-tRNA ligase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of threonine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:8049265]' - }, - 'GO:1905023': { - 'name': 'positive regulation of threonine-tRNA ligase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of threonine-tRNA ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:8049265]' - }, - 'GO:1905024': { - 'name': 'regulation of membrane repolarization during ventricular cardiac muscle cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of membrane repolarization during ventricular cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:19893015]' - }, - 'GO:1905025': { - 'name': 'negative regulation of membrane repolarization during ventricular cardiac muscle cell action potential', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of membrane repolarization during ventricular cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:19893015]' - }, - 'GO:1905026': { - 'name': 'positive regulation of membrane repolarization during ventricular cardiac muscle cell action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane repolarization during ventricular cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:19893015]' - }, - 'GO:1905027': { - 'name': 'regulation of membrane depolarization during AV node cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of membrane depolarization during AV node cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:19726871]' - }, - 'GO:1905028': { - 'name': 'negative regulation of membrane depolarization during AV node cell action potential', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of membrane depolarization during AV node cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:19726871]' - }, - 'GO:1905029': { - 'name': 'positive regulation of membrane depolarization during AV node cell action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane depolarization during AV node cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:19726871]' - }, - 'GO:1905030': { - 'name': 'voltage-gated ion channel activity involved in regulation of postsynaptic membrane potential', - 'def': 'Any voltage-gated ion channel activity that is involved in regulation of postsynaptic membrane potential. [GO_REF:0000061, GOC:TermGenie, ISBN:9780071120005]' - }, - 'GO:1905031': { - 'name': 'regulation of membrane repolarization during cardiac muscle cell action potential', - 'def': 'Any process that modulates the frequency, rate or extent of membrane repolarization during cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:23157812]' - }, - 'GO:1905032': { - 'name': 'negative regulation of membrane repolarization during cardiac muscle cell action potential', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of membrane repolarization during cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:23157812]' - }, - 'GO:1905033': { - 'name': 'positive regulation of membrane repolarization during cardiac muscle cell action potential', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane repolarization during cardiac muscle cell action potential. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:mtg_cardiac_conduct_nov11, GOC:rph, GOC:TermGenie, PMID:23157812]' - }, - 'GO:1905034': { - 'name': 'regulation of antifungal innate immune response', - 'def': 'Any process that modulates the frequency, rate or extent of an antifungal innate immune response. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:22470487]' - }, - 'GO:1905035': { - 'name': 'negative regulation of antifungal innate immune response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of an antifungal innate immune response. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:22470487]' - }, - 'GO:1905036': { - 'name': 'positive regulation of antifungal innate immune response', - 'def': 'Any process that activates or increases the frequency, rate or extent of an antifungal innate immune response. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:22470487]' - }, - 'GO:1905037': { - 'name': 'autophagosome organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an autophagosome. [GO_REF:000103, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22186024]' - }, - 'GO:1905038': { - 'name': 'regulation of membrane lipid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of membrane lipid metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:25954280]' - }, - 'GO:1905039': { - 'name': 'carboxylic acid transmembrane transport', - 'def': 'The directed movement of carboxylic acid across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:10869563]' - }, - 'GO:1905040': { - 'name': 'otic placode development', - 'def': 'The process whose specific outcome is the progression of an otic placode over time, from its formation to the mature structure. [GO_REF:0000094, GOC:bf, GOC:mat, GOC:PARL, GOC:TermGenie, PMID:18356247]' - }, - 'GO:1905041': { - 'name': 'regulation of epithelium regeneration', - 'def': 'Any process that modulates the frequency, rate or extent of epithelium regeneration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23221517]' - }, - 'GO:1905042': { - 'name': 'negative regulation of epithelium regeneration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of epithelium regeneration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23221517]' - }, - 'GO:1905043': { - 'name': 'positive regulation of epithelium regeneration', - 'def': 'Any process that activates or increases the frequency, rate or extent of epithelium regeneration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23221517]' - }, - 'GO:1905044': { - 'name': 'regulation of Schwann cell proliferation involved in axon regeneration', - 'def': 'Any process that modulates the frequency, rate or extent of Schwann cell proliferation involved in axon regeneration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22393241]' - }, - 'GO:1905045': { - 'name': 'negative regulation of Schwann cell proliferation involved in axon regeneration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Schwann cell proliferation involved in axon regeneration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22393241]' - }, - 'GO:1905046': { - 'name': 'positive regulation of Schwann cell proliferation involved in axon regeneration', - 'def': 'Any process that activates or increases the frequency, rate or extent of Schwann cell proliferation involved in axon regeneration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22393241]' - }, - 'GO:1905047': { - 'name': 'mitotic spindle pole body organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a mitotic spindle pole body. [GO_REF:000103, GOC:TermGenie, PMID:24963130]' - }, - 'GO:1905048': { - 'name': 'regulation of metallopeptidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of metallopeptidase activity. [GO_REF:0000059, GOC:TermGenie, PMID:26473732]' - }, - 'GO:1905049': { - 'name': 'negative regulation of metallopeptidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metallopeptidase activity. [GO_REF:0000059, GOC:TermGenie, PMID:26473732]' - }, - 'GO:1905050': { - 'name': 'positive regulation of metallopeptidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of metallopeptidase activity. [GO_REF:0000059, GOC:TermGenie, PMID:26473732]' - }, - 'GO:1905051': { - 'name': 'regulation of base-excision repair', - 'def': 'Any process that modulates the frequency, rate or extent of base-excision repair. [GO_REF:0000058, GOC:ah, GOC:TermGenie, PMID:18973764]' - }, - 'GO:1905052': { - 'name': 'negative regulation of base-excision repair', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of base-excision repair. [GO_REF:0000058, GOC:ah, GOC:TermGenie, PMID:18973764]' - }, - 'GO:1905053': { - 'name': 'positive regulation of base-excision repair', - 'def': 'Any process that activates or increases the frequency, rate or extent of base-excision repair. [GO_REF:0000058, GOC:ah, GOC:TermGenie, PMID:18973764]' - }, - 'GO:1905054': { - 'name': 'calcium-induced calcium release activity involved in regulation of presynaptic cytosolic calcium ion concentration', - 'def': 'Any calcium-induced calcium release activity that is involved in regulation of presynaptic cytosolic calcium ion concentration. [GO_REF:0000061, GOC:TermGenie, PMID:15919193, PMID:23918386]' - }, - 'GO:1905055': { - 'name': 'calcium:cation antiporter activity involved in regulation of presynaptic cytosolic calcium ion concentration', - 'def': 'Any calcium:cation antiporter activity that is involved in regulation of presynaptic cytosolic calcium ion concentration. [GO_REF:0000061, GOC:TermGenie, PMID:22972962, PMID:23255722]' - }, - 'GO:1905056': { - 'name': 'calcium-transporting ATPase activity involved in regulation of presynaptic cytosolic calcium ion concentration', - 'def': 'Any calcium-transporting ATPase activity that is involved in regulation of presynaptic cytosolic calcium ion concentration. [GO_REF:0000061, GOC:TermGenie, PMID:22972962]' - }, - 'GO:1905057': { - 'name': 'voltage-gated calcium channel activity involved in regulation of postsynaptic cytosolic calcium levels', - 'def': 'Any voltage-gated calcium channel activity that is involved in regulation of postsynaptic cytosolic calcium ion concentration. [GO_REF:0000061, GOC:TermGenie, PMID:20734177]' - }, - 'GO:1905058': { - 'name': 'calcium-induced calcium release activity involved in regulation of postsynaptic cytosolic calcium ion concentration', - 'def': 'Any calcium-induced calcium release activity that is involved in regulation of postsynaptic cytosolic calcium ion concentration. [GO_REF:0000061, GOC:TermGenie, PMID:23639769]' - }, - 'GO:1905059': { - 'name': 'calcium-transporting ATPase activity involved in regulation of postsynaptic cytosolic calcium ion concentration', - 'def': 'Any calcium-transporting ATPase activity that is involved in regulation of postsynaptic cytosolic calcium ion concentration. [GO_REF:0000061, GOC:TermGenie, PMID:20678993]' - }, - 'GO:1905060': { - 'name': 'calcium:cation antiporter activity involved in regulation of postsynaptic cytosolic calcium ion concentration', - 'def': 'Any calcium:cation antiporter activity that is involved in regulation of postsynaptic cytosolic calcium ion concentration. [GO_REF:0000061, GOC:TermGenie, PMID:18024055]' - }, - 'GO:1905061': { - 'name': 'negative regulation of cardioblast proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardioblast proliferation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:24236097]' - }, - 'GO:1905062': { - 'name': 'positive regulation of cardioblast proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardioblast proliferation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:24236097]' - }, - 'GO:1905063': { - 'name': 'regulation of vascular smooth muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of vascular smooth muscle cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19088079]' - }, - 'GO:1905064': { - 'name': 'negative regulation of vascular smooth muscle cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular smooth muscle cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19088079]' - }, - 'GO:1905065': { - 'name': 'positive regulation of vascular smooth muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular smooth muscle cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19088079]' - }, - 'GO:1905066': { - 'name': 'regulation of canonical Wnt signaling pathway involved in heart development', - 'def': 'Any process that modulates the frequency, rate or extent of canonical Wnt signaling pathway involved in heart development. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25034767]' - }, - 'GO:1905067': { - 'name': 'negative regulation of canonical Wnt signaling pathway involved in heart development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of canonical Wnt signaling pathway involved in heart development. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25034767]' - }, - 'GO:1905068': { - 'name': 'positive regulation of canonical Wnt signaling pathway involved in heart development', - 'def': 'Any process that activates or increases the frequency, rate or extent of canonical Wnt signaling pathway involved in heart development. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25034767]' - }, - 'GO:1905069': { - 'name': 'allantois development', - 'def': 'The process whose specific outcome is the progression of an allantois over time, from its formation to the mature structure. [GO_REF:0000094, GOC:TermGenie, PMID:17440924, PMID:21470579]' - }, - 'GO:1905070': { - 'name': 'anterior visceral endoderm cell migration', - 'def': 'The orderly movement of an anterior visceral endoderm cell from one site to another. [GO_REF:0000091, GOC:TermGenie, PMID:17078044]' - }, - 'GO:1905071': { - 'name': 'occluding junction disassembly', - 'def': 'The disaggregation of an occluding junction into its constituent components. [GO_REF:0000079, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18718461]' - }, - 'GO:1905072': { - 'name': 'cardiac jelly development', - 'def': 'The process whose specific outcome is the progression of cardiac jelly over time, from its formation to the mature structure. [GO_REF:0000094, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19703439]' - }, - 'GO:1905073': { - 'name': 'regulation of occluding junction disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of occluding junction disassembly. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18718461]' - }, - 'GO:1905074': { - 'name': 'negative regulation of occluding junction disassembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of occluding junction disassembly. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18718461]' - }, - 'GO:1905075': { - 'name': 'positive regulation of occluding junction disassembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of occluding junction disassembly. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18718461]' - }, - 'GO:1905076': { - 'name': 'regulation of interleukin-17 secretion', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-17 secretion. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:16482511]' - }, - 'GO:1905077': { - 'name': 'negative regulation of interleukin-17 secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-17 secretion. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:16482511]' - }, - 'GO:1905078': { - 'name': 'positive regulation of interleukin-17 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-17 secretion. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:16482511]' - }, - 'GO:1905079': { - 'name': 'regulation of cerebellar neuron development', - 'def': 'Any process that modulates the frequency, rate or extent of cerebellar neuron development. [GO_REF:0000058, GOC:TermGenie, PMID:26609159]' - }, - 'GO:1905080': { - 'name': 'negative regulation of cerebellar neuron development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cerebellar neuron development. [GO_REF:0000058, GOC:TermGenie, PMID:26609159]' - }, - 'GO:1905081': { - 'name': 'positive regulation of cerebellar neuron development', - 'def': 'Any process that activates or increases the frequency, rate or extent of cerebellar neuron development. [GO_REF:0000058, GOC:TermGenie, PMID:26609159]' - }, - 'GO:1905082': { - 'name': 'regulation of mitochondrial translational elongation', - 'def': 'Any process that modulates the frequency, rate or extent of mitochondrial translational elongation. [GO_REF:0000058, GOC:TermGenie, PMID:25738458]' - }, - 'GO:1905083': { - 'name': 'negative regulation of mitochondrial translational elongation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitochondrial translational elongation. [GO_REF:0000058, GOC:TermGenie, PMID:25738458]' - }, - 'GO:1905084': { - 'name': 'positive regulation of mitochondrial translational elongation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitochondrial translational elongation. [GO_REF:0000058, GOC:TermGenie, PMID:25738458]' - }, - 'GO:1905085': { - 'name': 'regulation of bioluminescence', - 'def': 'Any process that modulates the frequency, rate or extent of bioluminescence. [GO_REF:0000058, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:10913092]' - }, - 'GO:1905086': { - 'name': 'negative regulation of bioluminescence', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of bioluminescence. [GO_REF:0000058, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:10913092]' - }, - 'GO:1905087': { - 'name': 'positive regulation of bioluminescence', - 'def': 'Any process that activates or increases the frequency, rate or extent of bioluminescence. [GO_REF:0000058, GOC:BHF, GOC:rph, GOC:TermGenie, PMID:10913092]' - }, - 'GO:1905088': { - 'name': 'positive regulation of synaptonemal complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptonemal complex assembly. [GO_REF:0000058, GOC:TermGenie, PMID:24797370]' - }, - 'GO:1905089': { - 'name': 'regulation of parkin-mediated stimulation of mitophagy in response to mitochondrial depolarization', - 'def': 'Any process that modulates the frequency, rate or extent of a parkin-mediated process that positively regulates mitophagy in response to mitochondrial depolarization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:26942284]' - }, - 'GO:1905090': { - 'name': 'negative regulation of parkin-mediated stimulation of mitophagy in response to mitochondrial depolarization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of parkin-mediated mitophagy in response to mitochondrial depolarization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:26942284]' - }, - 'GO:1905091': { - 'name': 'positive regulation of parkin-mediated stimulation of mitophagy in response to mitochondrial depolarization', - 'def': 'Any process that activates or increases the frequency, rate or extent of parkin-mediated mitophagy in response to mitochondrial depolarization. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:26942284]' - }, - 'GO:1905092': { - 'name': 'response to diosgenin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diosgenin stimulus. [GO_REF:0000071, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25765596]' - }, - 'GO:1905093': { - 'name': 'cellular response to diosgenin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a diosgenin stimulus. [GO_REF:0000071, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25765596]' - }, - 'GO:1905094': { - 'name': 'regulation of apolipoprotein A-I-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of apolipoprotein A-I-mediated signaling pathway. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25084135]' - }, - 'GO:1905095': { - 'name': 'negative regulation of apolipoprotein A-I-mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apolipoprotein A-I-mediated signaling pathway. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25084135]' - }, - 'GO:1905096': { - 'name': 'positive regulation of apolipoprotein A-I-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of apolipoprotein A-I-mediated signaling pathway. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25084135]' - }, - 'GO:1905097': { - 'name': 'regulation of guanyl-nucleotide exchange factor activity', - 'def': 'Any process that modulates the frequency, rate or extent of guanyl-nucleotide exchange factor activity. [GO_REF:0000059, GOC:TermGenie, PMID:20484009]' - }, - 'GO:1905098': { - 'name': 'negative regulation of guanyl-nucleotide exchange factor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of guanyl-nucleotide exchange factor activity. [GO_REF:0000059, GOC:TermGenie, PMID:20484009]' - }, - 'GO:1905099': { - 'name': 'positive regulation of guanyl-nucleotide exchange factor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of guanyl-nucleotide exchange factor activity. [GO_REF:0000059, GOC:TermGenie, PMID:20484009]' - }, - 'GO:1905100': { - 'name': 'regulation of apoptosome assembly', - 'def': 'Any process that modulates the frequency, rate or extent of apoptosome assembly. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:26265044]' - }, - 'GO:1905101': { - 'name': 'negative regulation of apoptosome assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apoptosome assembly. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:26265044]' - }, - 'GO:1905102': { - 'name': 'positive regulation of apoptosome assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of apoptosome assembly. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:26265044]' - }, - 'GO:1905103': { - 'name': 'integral component of lysosomal membrane', - 'def': 'The component of the lysosome membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GO_REF:0000064, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:26134396]' - }, - 'GO:1905104': { - 'name': 'obsolete response to ouabain', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ouabain stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23643758]' - }, - 'GO:1905105': { - 'name': 'obsolete cellular response to ouabain', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ouabain stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:23643758]' - }, - 'GO:1905106': { - 'name': 'obsolete response to Dizocilpine', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a Dizocilpine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20064280]' - }, - 'GO:1905107': { - 'name': 'obsolete cellular response to Dizocilpine', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a Dizocilpine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:20064280]' - }, - 'GO:1905108': { - 'name': 'guanosine binding', - 'def': 'Interacting selectively and non-covalently with guanosine. [GO_REF:0000067, GOC:TermGenie, PMID:26007660]' - }, - 'GO:1905109': { - 'name': 'regulation of pulmonary blood vessel remodeling', - 'def': 'Any process that modulates the frequency, rate or extent of pulmonary blood vessel remodeling. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:22161164]' - }, - 'GO:1905110': { - 'name': 'negative regulation of pulmonary blood vessel remodeling', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pulmonary blood vessel remodeling. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:22161164]' - }, - 'GO:1905111': { - 'name': 'positive regulation of pulmonary blood vessel remodeling', - 'def': 'Any process that activates or increases the frequency, rate or extent of pulmonary blood vessel remodeling. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:22161164]' - }, - 'GO:1905112': { - 'name': 'regulation of centromere clustering at the mitotic nuclear envelope', - 'def': 'Any process that modulates the frequency, rate or extent of centromere clustering at the nuclear envelope. [GO_REF:0000058, GOC:TermGenie, PMID:22375062]' - }, - 'GO:1905113': { - 'name': 'positive regulation of centromere clustering at the mitotic nuclear envelope', - 'def': 'Any process that activates or increases the frequency, rate or extent of centromere clustering at the nuclear envelope. [GO_REF:0000058, GOC:TermGenie, PMID:22375062]' - }, - 'GO:1905114': { - 'name': 'cell surface receptor signaling pathway involved in cell-cell signaling', - 'def': 'Any cell surface receptor signaling pathway that is involved in cell-cell signaling. [GO_REF:0000060, GOC:TermGenie, ISBN:0-7167-3051-0]' - }, - 'GO:1905115': { - 'name': 'regulation of lateral attachment of mitotic spindle microtubules to kinetochore', - 'def': 'Any process that modulates the frequency, rate or extent of lateral attachment of mitotic spindle microtubules to kinetochore. [GO_REF:0000058, GOC:TermGenie, PMID:22375062]' - }, - 'GO:1905116': { - 'name': 'positive regulation of lateral attachment of mitotic spindle microtubules to kinetochore', - 'def': 'Any process that activates or increases the frequency, rate or extent of lateral attachment of mitotic spindle microtubules to kinetochore. [GO_REF:0000058, GOC:TermGenie, PMID:22375062]' - }, - 'GO:1905117': { - 'name': 'regulation of ribonucleoside-diphosphate reductase activity', - 'def': 'Any process that modulates the frequency, rate or extent of ribonucleoside-diphosphate reductase activity. [GO_REF:0000059, GOC:bhm, GOC:TermGenie, PMID:24733891]' - }, - 'GO:1905118': { - 'name': 'positive regulation of ribonucleoside-diphosphate reductase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of ribonucleoside-diphosphate reductase activity. [GO_REF:0000059, GOC:bhm, GOC:TermGenie, PMID:24733891]' - }, - 'GO:1905119': { - 'name': 'response to haloperidol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a haloperidol stimulus. [GO_REF:0000071, GOC:dw, GOC:TermGenie, PMID:24751813]' - }, - 'GO:1905120': { - 'name': 'cellular response to haloperidol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a haloperidol stimulus. [GO_REF:0000071, GOC:dw, GOC:TermGenie, PMID:24751813]' - }, - 'GO:1905121': { - 'name': 'microtubule sliding involved in mitotic spindle elongation', - 'def': 'Any microtubule sliding that is involved in mitotic spindle elongation. [GO_REF:0000060, GOC:TermGenie, GOC:vw, PMID:19686686]' - }, - 'GO:1905122': { - 'name': 'polyamine import', - 'def': 'The directed movement of polyamine macromolecule into a cell or organelle. [GO_REF:0000073, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23205587]' - }, - 'GO:1905123': { - 'name': 'regulation of glucosylceramidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of glucosylceramidase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24334770]' - }, - 'GO:1905124': { - 'name': 'negative regulation of glucosylceramidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucosylceramidase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905125': { - 'name': 'positive regulation of glucosylceramidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucosylceramidase activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905126': { - 'name': 'regulation of axo-dendritic protein transport', - 'def': 'Any process that modulates the frequency, rate or extent of axo-dendritic protein transport. [GO_REF:0000058, GOC:TermGenie, PMID:20694152]' - }, - 'GO:1905127': { - 'name': 'negative regulation of axo-dendritic protein transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of axo-dendritic protein transport. [GO_REF:0000058, GOC:TermGenie, PMID:20694152]' - }, - 'GO:1905128': { - 'name': 'positive regulation of axo-dendritic protein transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of axo-dendritic protein transport. [GO_REF:0000058, GOC:TermGenie, PMID:20694152]' - }, - 'GO:1905129': { - 'name': 'endocannabinoid signaling pathway involved in trans-synaptic signaling', - 'def': 'Any endocannabinoid signaling pathway that is involved in trans-synaptic signaling by endocannabinoid. [GO_REF:0000060, GOC:TermGenie, PMID:23040807]' - }, - 'GO:1905130': { - 'name': 'carcinine import across plasma membrane', - 'def': 'The directed movement of carcinine from outside of a cell into the cytoplasmic compartment. [GO_REF:0000075, GOC:dph, GOC:TermGenie, PMID:26653853, PMID:26713872]' - }, - 'GO:1905131': { - 'name': 'carcinine transmembrane transporter activity', - 'def': 'Catalysis of the transfer of carcinine from one side of the membrane to the other. [GO_REF:0000070, GOC:dph, GOC:TermGenie, PMID:26653853, PMID:26713872]' - }, - 'GO:1905132': { - 'name': 'regulation of meiotic chromosome separation', - 'def': 'Any process that modulates the frequency, rate or extent of meiotic chromosome separation. [GO_REF:0000058, GOC:TermGenie, GOC:vw, PMID:15620645]' - }, - 'GO:1905133': { - 'name': 'negative regulation of meiotic chromosome separation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of meiotic chromosome separation. [GO_REF:0000058, GOC:TermGenie, GOC:vw, PMID:15620645]' - }, - 'GO:1905134': { - 'name': 'positive regulation of meiotic chromosome separation', - 'def': 'Any process that activates or increases the frequency, rate or extent of meiotic chromosome separation. [GO_REF:0000058, GOC:TermGenie, GOC:vw, PMID:15620645]' - }, - 'GO:1905135': { - 'name': 'biotin import across plasma membrane', - 'def': 'The directed movement of biotin from outside of a cell into the cytoplasmic compartment. [GO_REF:0000075, GOC:TermGenie, PMID:12557275]' - }, - 'GO:1905136': { - 'name': 'dethiobiotin import across plasma membrane', - 'def': 'The directed movement of dethiobiotin from outside of a cell into the cytoplasmic compartment. [GO_REF:0000075, GOC:TermGenie, PMID:12557275]' - }, - 'GO:1905137': { - 'name': 'regulation of viral DNA genome packaging via site-specific sequence recognition', - 'def': 'Any process that modulates the frequency, rate or extent of viral DNA genome packaging via site-specific sequence recognition. [GO_REF:0000058, GOC:TermGenie, PMID:24711378]' - }, - 'GO:1905138': { - 'name': 'positive regulation of viral DNA genome packaging via site-specific sequence recognition', - 'def': 'Any process that activates or increases the frequency, rate or extent of viral DNA genome packaging via site-specific sequence recognition. [GO_REF:0000058, GOC:TermGenie, PMID:24711378]' - }, - 'GO:1905139': { - 'name': 'apical ectodermal ridge formation', - 'def': 'The process that gives rise to the apical ectodermal ridge. This process pertains to the initial formation of a structure from unspecified parts. [GO_REF:0000081, GOC:TermGenie, PMID:18359901, PMID:9323126, PMID:9596583]' - }, - 'GO:1905140': { - 'name': 'regulation of apical ectodermal ridge formation', - 'def': 'Any process that modulates the frequency, rate or extent of apical ectodermal ridge formation. [GO_REF:0000058, GOC:TermGenie, PMID:18359901]' - }, - 'GO:1905141': { - 'name': 'negative regulation of apical ectodermal ridge formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apical ectodermal ridge formation. [GO_REF:0000058, GOC:TermGenie, PMID:18359901]' - }, - 'GO:1905142': { - 'name': 'positive regulation of apical ectodermal ridge formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of apical ectodermal ridge formation. [GO_REF:0000058, GOC:TermGenie, PMID:18359901]' - }, - 'GO:1905143': { - 'name': 'eukaryotic translation initiation factor 2 complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an eukaryotic translation initiation factor 2 complex. [GO_REF:0000079, GOC:TermGenie, PMID:23775072]' - }, - 'GO:1905144': { - 'name': 'response to acetylcholine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acetylcholine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21238497]' - }, - 'GO:1905145': { - 'name': 'cellular response to acetylcholine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acetylcholine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21238497]' - }, - 'GO:1905146': { - 'name': 'lysosomal protein catabolic process', - 'def': 'Any cellular protein catabolic process that takes place in a lysosome. [GO_REF:0000062, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24334770]' - }, - 'GO:1905147': { - 'name': 'regulation of smooth muscle hypertrophy', - 'def': 'Any process that modulates the frequency, rate or extent of smooth muscle hypertrophy. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:22161164]' - }, - 'GO:1905148': { - 'name': 'negative regulation of smooth muscle hypertrophy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of smooth muscle hypertrophy. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:22161164]' - }, - 'GO:1905149': { - 'name': 'positive regulation of smooth muscle hypertrophy', - 'def': 'Any process that activates or increases the frequency, rate or extent of smooth muscle hypertrophy. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:22161164]' - }, - 'GO:1905150': { - 'name': 'regulation of voltage-gated sodium channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of voltage-gated sodium channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:24198377]' - }, - 'GO:1905151': { - 'name': 'negative regulation of voltage-gated sodium channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of voltage-gated sodium channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:24198377]' - }, - 'GO:1905152': { - 'name': 'positive regulation of voltage-gated sodium channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of voltage-gated sodium channel activity. [GO_REF:0000059, GOC:TermGenie, PMID:24198377]' - }, - 'GO:1905153': { - 'name': 'regulation of membrane invagination', - 'def': 'Any process that modulates the frequency, rate or extent of membrane invagination. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:26589353]' - }, - 'GO:1905154': { - 'name': 'negative regulation of membrane invagination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of membrane invagination. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:26589353]' - }, - 'GO:1905155': { - 'name': 'positive regulation of membrane invagination', - 'def': 'Any process that activates or increases the frequency, rate or extent of membrane invagination. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905156': { - 'name': 'negative regulation of photosynthesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of photosynthesis. [GO_REF:0000058, GOC:TermGenie, PMID:7592491]' - }, - 'GO:1905157': { - 'name': 'positive regulation of photosynthesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of photosynthesis. [GO_REF:0000058, GOC:TermGenie, PMID:7592491]' - }, - 'GO:1905158': { - 'name': 'obsolete regulation of Factor XII activation', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of Factor XII activation. [GO_REF:0000058, GOC:TermGenie, PMID:617517]' - }, - 'GO:1905159': { - 'name': 'obsolete negative regulation of Factor XII activation', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of Factor XII activation. [GO_REF:0000058, GOC:TermGenie, PMID:617517]' - }, - 'GO:1905160': { - 'name': 'obsolete positive regulation of Factor XII activation', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of Factor XII activation. [GO_REF:0000058, GOC:TermGenie, PMID:617517]' - }, - 'GO:1905161': { - 'name': 'protein localization to phagocytic vesicle', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a phagocytic vesicle. [GO_REF:0000087, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23303671]' - }, - 'GO:1905162': { - 'name': 'regulation of phagosome maturation', - 'def': 'Any process that modulates the frequency, rate or extent of phagosome maturation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:16908865, PMID:23303671]' - }, - 'GO:1905163': { - 'name': 'negative regulation of phagosome maturation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phagosome maturation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905164': { - 'name': 'positive regulation of phagosome maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of phagosome maturation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905165': { - 'name': 'regulation of lysosomal protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of lysosomal protein catabolic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23499937]' - }, - 'GO:1905166': { - 'name': 'negative regulation of lysosomal protein catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lysosomal protein catabolic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905167': { - 'name': 'positive regulation of lysosomal protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of lysosomal protein catabolic process. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905168': { - 'name': 'positive regulation of double-strand break repair via homologous recombination', - 'def': 'Any process that activates or increases the frequency, rate or extent of double-strand break repair via homologous recombination. [GO_REF:0000058, GOC:TermGenie, PMID:12023299]' - }, - 'GO:1905169': { - 'name': 'regulation of protein localization to phagocytic vesicle', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to phagocytic vesicle. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905170': { - 'name': 'negative regulation of protein localization to phagocytic vesicle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to phagocytic vesicle. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905171': { - 'name': 'positive regulation of protein localization to phagocytic vesicle', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to phagocytic vesicle. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23303671]' - }, - 'GO:1905172': { - 'name': 'RISC complex binding', - 'def': 'Interacting selectively and non-covalently with a RISC complex. [GO_REF:000102, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24882364]' - }, - 'GO:1905173': { - 'name': 'eukaryotic translation initiation factor 2B complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an eukaryotic translation initiation factor 2B complex. [GO_REF:0000079, GOC:TermGenie, PMID:27023709]' - }, - 'GO:1905174': { - 'name': 'regulation of vascular smooth muscle cell dedifferentiation', - 'def': 'Any process that modulates the frequency, rate or extent of vascular smooth muscle cell dedifferentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19088079]' - }, - 'GO:1905175': { - 'name': 'negative regulation of vascular smooth muscle cell dedifferentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular smooth muscle cell dedifferentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19088079]' - }, - 'GO:1905176': { - 'name': 'positive regulation of vascular smooth muscle cell dedifferentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular smooth muscle cell dedifferentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19088079]' - }, - 'GO:1905177': { - 'name': 'tracheary element differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a tracheary element. [GO_REF:0000086, GOC:TermGenie, PMID:20659276]' - }, - 'GO:1905178': { - 'name': 'regulation of cardiac muscle tissue regeneration', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle tissue regeneration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23222520]' - }, - 'GO:1905179': { - 'name': 'negative regulation of cardiac muscle tissue regeneration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac muscle tissue regeneration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23222520]' - }, - 'GO:1905180': { - 'name': 'positive regulation of cardiac muscle tissue regeneration', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac muscle tissue regeneration. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23222520]' - }, - 'GO:1905181': { - 'name': 'regulation of urease activity', - 'def': 'Any process that modulates the frequency, rate or extent of urease activity. [GO_REF:0000059, GOC:TermGenie, PMID:16244137]' - }, - 'GO:1905182': { - 'name': 'positive regulation of urease activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of urease activity. [GO_REF:0000059, GOC:TermGenie, PMID:16244137]' - }, - 'GO:1905183': { - 'name': 'negative regulation of protein serine/threonine phosphatase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein serine/threonine phosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:16950131]' - }, - 'GO:1905184': { - 'name': 'positive regulation of protein serine/threonine phosphatase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein serine/threonine phosphatase activity. [GO_REF:0000059, GOC:TermGenie, PMID:16950131]' - }, - 'GO:1905185': { - 'name': 'microtubule sliding involved in mitotic metaphase chromosome recapture', - 'def': 'Any microtubule sliding that is involved in mitotic metaphase chromosome recapture. [GO_REF:0000060, GOC:TermGenie, PMID:18256284]' - }, - 'GO:1905186': { - 'name': 'regulation of metaphase/anaphase transition of meiosis I', - 'def': 'Any process that modulates the frequency, rate or extent of metaphase/anaphase transition of meiosis I. [GO_REF:0000058, GOC:TermGenie, PMID:21389117]' - }, - 'GO:1905187': { - 'name': 'negative regulation of metaphase/anaphase transition of meiosis I', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metaphase/anaphase transition of meiosis I. [GO_REF:0000058, GOC:TermGenie, PMID:21389117]' - }, - 'GO:1905188': { - 'name': 'positive regulation of metaphase/anaphase transition of meiosis I', - 'def': 'Any process that activates or increases the frequency, rate or extent of metaphase/anaphase transition of meiosis I. [GO_REF:0000058, GOC:TermGenie, PMID:21389117]' - }, - 'GO:1905189': { - 'name': 'regulation of metaphase/anaphase transition of meiosis II', - 'def': 'Any process that modulates the frequency, rate or extent of metaphase/anaphase transition of meiosis II. [GO_REF:0000058, GOC:TermGenie, PMID:21389117]' - }, - 'GO:1905190': { - 'name': 'negative regulation of metaphase/anaphase transition of meiosis II', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metaphase/anaphase transition of meiosis II. [GO_REF:0000058, GOC:TermGenie, PMID:21389117]' - }, - 'GO:1905191': { - 'name': 'positive regulation of metaphase/anaphase transition of meiosis II', - 'def': 'Any process that activates or increases the frequency, rate or extent of metaphase/anaphase transition of meiosis II. [GO_REF:0000058, GOC:TermGenie, PMID:21389117]' - }, - 'GO:1905192': { - 'name': 'regulation of chloroplast fission', - 'def': 'Any process that modulates the frequency, rate or extent of chloroplast fission. [GO_REF:0000058, GOC:TermGenie, PMID:26862170]' - }, - 'GO:1905193': { - 'name': 'negative regulation of chloroplast fission', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chloroplast fission. [GO_REF:0000058, GOC:TermGenie, PMID:26862170]' - }, - 'GO:1905194': { - 'name': 'positive regulation of chloroplast fission', - 'def': 'Any process that activates or increases the frequency, rate or extent of chloroplast fission. [GO_REF:0000058, GOC:TermGenie, PMID:26862170]' - }, - 'GO:1905195': { - 'name': 'regulation of ATPase activity, uncoupled', - 'def': 'Any process that modulates the frequency, rate or extent of ATPase activity, uncoupled. [GO_REF:0000059, GOC:TermGenie, PMID:26545917]' - }, - 'GO:1905196': { - 'name': 'positive regulation of ATPase activity, uncoupled', - 'def': 'Any process that activates or increases the frequency, rate or extent of ATPase activity, uncoupled. [GO_REF:0000059, GOC:TermGenie, PMID:26545917]' - }, - 'GO:1905197': { - 'name': 'endocannabinoid signaling pathway involved in retrograde trans-synaptic signaling', - 'def': 'Any endocannabinoid signaling pathway that is involved in retrograde trans-synaptic signaling by endocannabinoid. [GO_REF:0000060, GOC:TermGenie, PMID:23040807]' - }, - 'GO:1905198': { - 'name': 'manchette assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a manchette. [GO_REF:0000079, GOC:krc, GOC:TermGenie, PMID:22319670, PMID:24440897, PMID:26792866]' - }, - 'GO:1905199': { - 'name': 'manchette disassembly', - 'def': 'The disaggregation of a manchette into its constituent components. [GO_REF:0000079, GOC:krc, GOC:TermGenie, PMID:22319670, PMID:24440897, PMID:26792866]' - }, - 'GO:1905200': { - 'name': 'gibberellic acid transmembrane transport', - 'def': 'The directed movement of gibberellic acid across a membrane. [GO_REF:0000069, GOC:TermGenie, PMID:27139299]' - }, - 'GO:1905201': { - 'name': 'gibberellin transmembrane transporter activity', - 'def': 'Catalysis of the transfer of gibberellin from one side of the membrane to the other. [GO_REF:0000070, GOC:TermGenie, PMID:27139299]' - }, - 'GO:1905202': { - 'name': 'methylcrotonoyl-CoA carboxylase complex', - 'def': 'A protein complex which is capable of methylcrotonoyl-CoA carboxylase activity. [GO_REF:0000088, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:22158123]' - }, - 'GO:1905203': { - 'name': 'regulation of connective tissue replacement', - 'def': 'Any process that modulates the frequency, rate or extent of connective tissue replacement. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25590961]' - }, - 'GO:1905204': { - 'name': 'negative regulation of connective tissue replacement', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of connective tissue replacement. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25590961]' - }, - 'GO:1905205': { - 'name': 'positive regulation of connective tissue replacement', - 'def': 'Any process that activates or increases the frequency, rate or extent of connective tissue replacement. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:25590961]' - }, - 'GO:1905206': { - 'name': 'positive regulation of hydrogen peroxide-induced cell death', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell death in response to hydrogen peroxide. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:20550618]' - }, - 'GO:1905207': { - 'name': 'regulation of cardiocyte differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of cardiocyte differentiation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905208': { - 'name': 'negative regulation of cardiocyte differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiocyte differentiation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905209': { - 'name': 'positive regulation of cardiocyte differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiocyte differentiation. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905210': { - 'name': 'regulation of fibroblast chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of fibroblast chemotaxis. [GO_REF:0000058, GOC:TermGenie, PMID:8760137]' - }, - 'GO:1905211': { - 'name': 'negative regulation of fibroblast chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fibroblast chemotaxis. [GO_REF:0000058, GOC:TermGenie, PMID:8760137]' - }, - 'GO:1905212': { - 'name': 'positive regulation of fibroblast chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of fibroblast chemotaxis. [GO_REF:0000058, GOC:TermGenie, PMID:8760137]' - }, - 'GO:1905213': { - 'name': 'negative regulation of mitotic chromosome condensation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic chromosome condensation. [GO_REF:0000058, GOC:TermGenie, PMID:23219725]' - }, - 'GO:1905214': { - 'name': 'regulation of RNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of RNA binding. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905215': { - 'name': 'negative regulation of RNA binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of RNA binding. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905216': { - 'name': 'positive regulation of RNA binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of RNA binding. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:25116364]' - }, - 'GO:1905217': { - 'name': 'response to astaxanthin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an astaxanthin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22309505]' - }, - 'GO:1905218': { - 'name': 'cellular response to astaxanthin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an astaxanthin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22309505]' - }, - 'GO:1905219': { - 'name': 'regulation of platelet formation', - 'def': 'Any process that modulates the frequency, rate or extent of platelet formation. [GO_REF:0000058, GOC:TermGenie, PMID:10606160]' - }, - 'GO:1905220': { - 'name': 'negative regulation of platelet formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of platelet formation. [GO_REF:0000058, GOC:TermGenie, PMID:10606160]' - }, - 'GO:1905221': { - 'name': 'positive regulation of platelet formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of platelet formation. [GO_REF:0000058, GOC:TermGenie, PMID:10606160]' - }, - 'GO:1905222': { - 'name': 'atrioventricular canal morphogenesis', - 'def': 'The developmental process by which an atrioventricular canal is generated and organized. [GO_REF:0000083, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19703439]' - }, - 'GO:1905223': { - 'name': 'epicardium morphogenesis', - 'def': 'The developmental process by which an epicardium is generated and organized. [GO_REF:0000083, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:18718461]' - }, - 'GO:1905224': { - 'name': 'clathrin-coated pit assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a clathrin-coated pit. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:26589353]' - }, - 'GO:1905225': { - 'name': 'response to thyrotropin-releasing hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thyrotropin-releasing hormone (TRH) stimulus. TRH increases the secretion of thyroid-stimulating hormone by the anterior pituitary. [GO_REF:0000071, GOC:sl, GOC:TermGenie, PMID:21382270]' - }, - 'GO:1905226': { - 'name': 'regulation of adhesion of symbiont to host epithelial cell', - 'def': 'Any process that modulates the frequency, rate or extent of adhesion of symbiont to host epithelial cell. [GO_REF:0000058, GOC:TermGenie, PMID:15659068]' - }, - 'GO:1905227': { - 'name': 'negative regulation of adhesion of symbiont to host epithelial cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of adhesion of symbiont to host epithelial cell. [GO_REF:0000058, GOC:TermGenie, PMID:15659068]' - }, - 'GO:1905228': { - 'name': 'positive regulation of adhesion of symbiont to host epithelial cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of adhesion of symbiont to host epithelial cell. [GO_REF:0000058, GOC:TermGenie, PMID:15659068]' - }, - 'GO:1905229': { - 'name': 'cellular response to thyrotropin-releasing hormone', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thyrotropin-releasing hormone (TRH) stimulus. TRH increases the secretion of thyroid-stimulating hormone by the anterior pituitary. [GO_REF:0000071, GOC:TermGenie, PMID:21382270]' - }, - 'GO:1905230': { - 'name': 'response to borneol', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a borneol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:26593909]' - }, - 'GO:1905231': { - 'name': 'cellular response to borneol', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a borneol stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:26593909]' - }, - 'GO:1905232': { - 'name': 'cellular response to L-glutamate', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a L-glutamate(1-) stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:25962137]' - }, - 'GO:1905233': { - 'name': 'response to codeine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a codeine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24914722]' - }, - 'GO:1905234': { - 'name': 'cellular response to codeine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a codeine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24914722]' - }, - 'GO:1905235': { - 'name': 'response to quercetin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a quercetin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24914722]' - }, - 'GO:1905236': { - 'name': 'cellular response to quercetin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a quercetin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24914722]' - }, - 'GO:1905237': { - 'name': 'response to cyclosporin A', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cyclosporin A stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24914722]' - }, - 'GO:1905238': { - 'name': 'cellular response to cyclosporin A', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a cyclosporin A stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:24914722]' - }, - 'GO:1905239': { - 'name': 'regulation of canonical Wnt signaling pathway involved in osteoblast differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of canonical Wnt signaling pathway involved in osteoblast differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19342382]' - }, - 'GO:1905240': { - 'name': 'negative regulation of canonical Wnt signaling pathway involved in osteoblast differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of canonical Wnt signaling pathway involved in osteoblast differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19342382]' - }, - 'GO:1905241': { - 'name': 'positive regulation of canonical Wnt signaling pathway involved in osteoblast differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of canonical Wnt signaling pathway involved in osteoblast differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:19342382]' - }, - 'GO:1905242': { - 'name': "response to 3,3',5-triiodo-L-thyronine", - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 3,3',5-triiodo-L-thyronine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21382270]" - }, - 'GO:1905243': { - 'name': "cellular response to 3,3',5-triiodo-L-thyronine", - 'def': "Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 3,3',5-triiodo-L-thyronine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:21382270]" - }, - 'GO:1905244': { - 'name': 'regulation of modification of synaptic structure', - 'def': 'Any process that modulates the frequency, rate or extent of modification of synaptic structure. [GO_REF:0000058, GOC:TermGenie, PMID:25164660]' - }, - 'GO:1905245': { - 'name': 'regulation of aspartic-type peptidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of aspartic-type peptidase activity. [GO_REF:0000059, GOC:jl, GOC:TermGenie, PMID:21745575]' - }, - 'GO:1905246': { - 'name': 'negative regulation of aspartic-type peptidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aspartic-type peptidase activity. [GO_REF:0000059, GOC:jl, GOC:TermGenie, PMID:21745575]' - }, - 'GO:1905247': { - 'name': 'positive regulation of aspartic-type peptidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of aspartic-type peptidase activity. [GO_REF:0000059, GOC:jl, GOC:TermGenie, PMID:21745575]' - }, - 'GO:1905248': { - 'name': 'obsolete regulation of memory', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of memory. [GO_REF:0000058, GOC:TermGenie, PMID:25905804]' - }, - 'GO:1905249': { - 'name': 'obsolete negative regulation of memory', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of memory. [GO_REF:0000058, GOC:TermGenie, PMID:25905804]' - }, - 'GO:1905250': { - 'name': 'obsolete positive regulation of memory', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of memory. [GO_REF:0000058, GOC:TermGenie, PMID:25905804]' - }, - 'GO:1905251': { - 'name': 'epidermal growth factor receptor signaling pathway involved in heart process', - 'def': 'Any epidermal growth factor receptor signaling pathway that is involved in heart process. [GO_REF:0000060, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905252': { - 'name': 'obsolete regulation of epidermal growth factor receptor signaling pathway involved in heart process', - 'def': 'OBSOLETE. Any regulation of epidermal growth factor receptor signaling pathway that is involved in heart process. [GO_REF:0000060, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905253': { - 'name': 'obsolete negative regulation of epidermal growth factor receptor signaling pathway involved in heart process', - 'def': 'OBSOLETE. Any negative regulation of epidermal growth factor receptor signaling pathway that is involved in heart process. [GO_REF:0000060, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905254': { - 'name': 'obsolete positive regulation of epidermal growth factor receptor signaling pathway involved in heart process', - 'def': 'OBSOLETE. Any positive regulation of epidermal growth factor receptor signaling pathway that is involved in heart process. [GO_REF:0000060, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905255': { - 'name': 'regulation of RNA binding transcription factor activity', - 'def': 'Any process that modulates the frequency, rate or extent of RNA binding transcription factor activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:25116364]' - }, - 'GO:1905256': { - 'name': 'negative regulation of RNA binding transcription factor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of RNA binding transcription factor activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905257': { - 'name': 'positive regulation of RNA binding transcription factor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of RNA binding transcription factor activity. [GO_REF:0000059, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:25116364]' - }, - 'GO:1905258': { - 'name': 'regulation of nitrosative stress-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to nitrosative stress. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:14752510]' - }, - 'GO:1905259': { - 'name': 'negative regulation of nitrosative stress-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to nitrosative stress. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:14752510]' - }, - 'GO:1905260': { - 'name': 'positive regulation of nitrosative stress-induced intrinsic apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of intrinsic apoptotic signaling pathway in response to nitrosative stress. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905261': { - 'name': 'regulation of meiotic DNA double-strand break formation involved in reciprocal meiotic recombination', - 'def': 'Any process that modulates the frequency, rate or extent of meiotic DNA double-strand break formation involved in reciprocal meiotic recombination. [GO_REF:0000058, GOC:TermGenie, PMID:26653857]' - }, - 'GO:1905262': { - 'name': 'negative regulation of meiotic DNA double-strand break formation involved in reciprocal meiotic recombination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of meiotic DNA double-strand break formation involved in reciprocal meiotic recombination. [GO_REF:0000058, GOC:TermGenie, PMID:26653857]' - }, - 'GO:1905263': { - 'name': 'positive regulation of meiotic DNA double-strand break formation involved in reciprocal meiotic recombination', - 'def': 'Any process that activates or increases the frequency, rate or extent of meiotic DNA double-strand break formation involved in reciprocal meiotic recombination. [GO_REF:0000058, GOC:TermGenie, PMID:26653857]' - }, - 'GO:1905264': { - 'name': 'blasticidin S metabolic process', - 'def': 'The chemical reactions and pathways involving blasticidin S. [GO_REF:0000068, GOC:pr, GOC:TermGenie, https://en.wikipedia.org/wiki/Blasticidin_S, PMID:23874663]' - }, - 'GO:1905265': { - 'name': 'blasticidin S catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of blasticidin S. [GO_REF:0000068, GOC:pr, GOC:TermGenie, https://en.wikipedia.org/wiki/Blasticidin_S, PMID:23874663]' - }, - 'GO:1905266': { - 'name': 'blasticidin S biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of blasticidin S. [GO_REF:0000068, GOC:pr, GOC:TermGenie, https://en.wikipedia.org/wiki/Blasticidin_S, PMID:23874663]' - }, - 'GO:1905267': { - 'name': 'endonucleolytic cleavage involved in tRNA processing', - 'def': 'Any endonucleolytic RNA phosphodiester bond hydrolysis that is involved in tRNA processing. [GO_REF:0000060, GOC:TermGenie, PMID:25401760]' - }, - 'GO:1905268': { - 'name': 'negative regulation of chromatin organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chromatin organization. [GO_REF:0000058, GOC:pr, GOC:TermGenie, GOC:vw, PMID:654321]' - }, - 'GO:1905269': { - 'name': 'positive regulation of chromatin organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromatin organization. [GO_REF:0000058, GOC:pr, GOC:TermGenie, GOC:vw, PMID:654321]' - }, - 'GO:1905270': { - 'name': 'Meynert cell differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a Meynert cell. [GO_REF:0000086, GOC:TermGenie, PMID:4142639]' - }, - 'GO:1905271': { - 'name': 'regulation of proton-transporting ATP synthase activity, rotational mechanism', - 'def': 'Any process that modulates the frequency, rate or extent of proton-transporting ATP synthase activity, rotational mechanism. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:21106936]' - }, - 'GO:1905272': { - 'name': 'negative regulation of proton-transporting ATP synthase activity, rotational mechanism', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of proton-transporting ATP synthase activity, rotational mechanism. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:21106936]' - }, - 'GO:1905273': { - 'name': 'positive regulation of proton-transporting ATP synthase activity, rotational mechanism', - 'def': 'Any process that activates or increases the frequency, rate or extent of proton-transporting ATP synthase activity, rotational mechanism. [GO_REF:0000059, GOC:als, GOC:TermGenie, PMID:21106936]' - }, - 'GO:1905274': { - 'name': 'regulation of modification of postsynaptic actin cytoskeleton', - 'def': 'Any process that modulates the frequency, rate or extent of modification of postsynaptic actin cytoskeleton. [GO_REF:0000058, GOC:TermGenie, PMID:21068295]' - }, - 'GO:1905275': { - 'name': 'Rohon-Beard neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a Rohon-Beard neuron. [GO_REF:0000086, GOC:TermGenie, ZFIN:ZDB-PUB-120807-45]' - }, - 'GO:1905276': { - 'name': 'regulation of epithelial tube formation', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial tube formation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25745997]' - }, - 'GO:1905277': { - 'name': 'negative regulation of epithelial tube formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of epithelial tube formation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25745997]' - }, - 'GO:1905278': { - 'name': 'positive regulation of epithelial tube formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of epithelial tube formation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25745997]' - }, - 'GO:1905279': { - 'name': 'regulation of retrograde transport, endosome to Golgi', - 'def': 'Any process that modulates the frequency, rate or extent of retrograde transport, endosome to Golgi. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:23395371]' - }, - 'GO:1905280': { - 'name': 'negative regulation of retrograde transport, endosome to Golgi', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of retrograde transport, endosome to Golgi. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905281': { - 'name': 'positive regulation of retrograde transport, endosome to Golgi', - 'def': 'Any process that activates or increases the frequency, rate or extent of retrograde transport, endosome to Golgi. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905282': { - 'name': 'regulation of epidermal growth factor receptor signaling pathway involved in heart process', - 'def': 'Any process that modulates the frequency, rate or extent of epidermal growth factor receptor signaling pathway involved in heart process. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905283': { - 'name': 'negative regulation of epidermal growth factor receptor signaling pathway involved in heart process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of epidermal growth factor receptor signaling pathway involved in heart process. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905284': { - 'name': 'positive regulation of epidermal growth factor receptor signaling pathway involved in heart process', - 'def': 'Any process that activates or increases the frequency, rate or extent of epidermal growth factor receptor signaling pathway involved in heart process. [GO_REF:0000058, GOC:bc, GOC:BHF, GOC:BHF_miRNA, GOC:TermGenie, PMID:23069713]' - }, - 'GO:1905285': { - 'name': 'fibrous ring of heart morphogenesis', - 'def': 'The developmental process by which a fibrous ring of heart is generated and organized. [GO_REF:0000083, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16037571]' - }, - 'GO:1905286': { - 'name': 'serine-type peptidase complex', - 'def': 'A protein complex which is capable of serine-type peptidase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:18640965]' - }, - 'GO:1905287': { - 'name': 'positive regulation of G2/M transition of mitotic cell cycle involved in cellular response to nitrogen starvation', - 'def': 'Any positive regulation of G2/M transition of mitotic cell cycle that is involved in cellular response to nitrogen starvation. [GO_REF:0000060, GOC:TermGenie, PMID:26776736]' - }, - 'GO:1905288': { - 'name': 'vascular associated smooth muscle cell apoptotic process', - 'def': 'Any apoptotic process in a vascular associated smooth muscle cell. [GO_REF:0000085, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:26493107]' - }, - 'GO:1905289': { - 'name': 'regulation of CAMKK-AMPK signaling cascade', - 'def': 'Any process that modulates the frequency, rate or extent of CAMKK-AMPK signaling cascade. [GO_REF:0000058, GOC:TermGenie, PMID:22128786]' - }, - 'GO:1905290': { - 'name': 'negative regulation of CAMKK-AMPK signaling cascade', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CAMKK-AMPK signaling cascade. [GO_REF:0000058, GOC:TermGenie, PMID:22128786]' - }, - 'GO:1905291': { - 'name': 'positive regulation of CAMKK-AMPK signaling cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of CAMKK-AMPK signaling cascade. [GO_REF:0000058, GOC:TermGenie, PMID:22128786]' - }, - 'GO:1905292': { - 'name': 'regulation of neural crest cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of neural crest cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:15073157]' - }, - 'GO:1905293': { - 'name': 'negative regulation of neural crest cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neural crest cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:15073157]' - }, - 'GO:1905294': { - 'name': 'positive regulation of neural crest cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neural crest cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:15073157]' - }, - 'GO:1905295': { - 'name': 'regulation of neural crest cell fate specification', - 'def': 'Any process that modulates the frequency, rate or extent of neural crest cell fate specification. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:15073157]' - }, - 'GO:1905296': { - 'name': 'negative regulation of neural crest cell fate specification', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neural crest cell fate specification. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:15073157]' - }, - 'GO:1905297': { - 'name': 'positive regulation of neural crest cell fate specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of neural crest cell fate specification. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:15073157]' - }, - 'GO:1905298': { - 'name': 'regulation of intestinal epithelial cell development', - 'def': 'Any process that modulates the frequency, rate or extent of intestinal epithelial cell development. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23904268]' - }, - 'GO:1905299': { - 'name': 'negative regulation of intestinal epithelial cell development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intestinal epithelial cell development. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23904268]' - }, - 'GO:1905300': { - 'name': 'positive regulation of intestinal epithelial cell development', - 'def': 'Any process that activates or increases the frequency, rate or extent of intestinal epithelial cell development. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23904268]' - }, - 'GO:1905301': { - 'name': 'regulation of macropinocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of macropinocytosis. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:18691641]' - }, - 'GO:1905302': { - 'name': 'negative regulation of macropinocytosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of macropinocytosis. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:18691641]' - }, - 'GO:1905303': { - 'name': 'positive regulation of macropinocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of macropinocytosis. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:18691641]' - }, - 'GO:1905304': { - 'name': 'regulation of cardiac myofibril assembly', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac myofibril assembly. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16151019]' - }, - 'GO:1905305': { - 'name': 'negative regulation of cardiac myofibril assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac myofibril assembly. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16151019]' - }, - 'GO:1905306': { - 'name': 'positive regulation of cardiac myofibril assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac myofibril assembly. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16151019]' - }, - 'GO:1905307': { - 'name': 'response to miconazole', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a miconazole stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:26108447]' - }, - 'GO:1905308': { - 'name': 'cellular response to miconazole', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a miconazole stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:26108447]' - }, - 'GO:1905309': { - 'name': 'positive regulation of cohesin loading', - 'def': 'Any process that activates or increases the frequency, rate or extent of cohesin loading. [GO_REF:0000058, GOC:TermGenie, PMID:26687354]' - }, - 'GO:1905310': { - 'name': 'regulation of cardiac neural crest cell migration involved in outflow tract morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac neural crest cell migration involved in outflow tract morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17628518]' - }, - 'GO:1905311': { - 'name': 'negative regulation of cardiac neural crest cell migration involved in outflow tract morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac neural crest cell migration involved in outflow tract morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17628518]' - }, - 'GO:1905312': { - 'name': 'positive regulation of cardiac neural crest cell migration involved in outflow tract morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac neural crest cell migration involved in outflow tract morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17628518]' - }, - 'GO:1905313': { - 'name': 'transforming growth factor beta receptor signaling pathway involved in heart development', - 'def': 'Any transforming growth factor beta receptor signaling pathway that is involved in heart development. [GO_REF:0000060, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:16140292]' - }, - 'GO:1905314': { - 'name': 'semi-lunar valve development', - 'def': 'The process whose specific outcome is the progression of a semi-lunar valve over time, from its formation to the mature structure. [GO_REF:0000094, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:19409885]' - }, - 'GO:1905315': { - 'name': 'cell proliferation involved in endocardial cushion morphogenesis', - 'def': 'Any cell proliferation that is involved in endocardial cushion morphogenesis. [GO_REF:0000060, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:20652948]' - }, - 'GO:1905316': { - 'name': 'superior endocardial cushion morphogenesis', - 'def': 'The developmental process by which a superior endocardial cushion is generated and organized. [GO_REF:0000083, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17050629]' - }, - 'GO:1905317': { - 'name': 'inferior endocardial cushion morphogenesis', - 'def': 'The developmental process by which an inferior endocardial cushion is generated and organized. [GO_REF:0000083, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:17050629]' - }, - 'GO:1905318': { - 'name': 'meiosis I spindle assembly checkpoint', - 'def': 'Any spindle assembly checkpoint that is involved in meiosis I. [GO_REF:0000060, GOC:TermGenie, PMID:26483559]' - }, - 'GO:1905319': { - 'name': 'mesenchymal stem cell migration', - 'def': 'The orderly movement of a mesenchymal stem cell from one site to another. [GO_REF:0000091, GOC:TermGenie, PMID:24924806, PMID:25181476]' - }, - 'GO:1905320': { - 'name': 'regulation of mesenchymal stem cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal stem cell migration. [GO_REF:0000058, GOC:TermGenie, PMID:26846297]' - }, - 'GO:1905321': { - 'name': 'negative regulation of mesenchymal stem cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mesenchymal stem cell migration. [GO_REF:0000058, GOC:TermGenie, PMID:26846297]' - }, - 'GO:1905322': { - 'name': 'positive regulation of mesenchymal stem cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesenchymal stem cell migration. [GO_REF:0000058, GOC:TermGenie, PMID:26846297]' - }, - 'GO:1905323': { - 'name': 'telomerase holoenzyme complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a telomerase holoenzyme complex. [GO_REF:0000079, GOC:TermGenie, PMID:26305931]' - }, - 'GO:1905324': { - 'name': 'telomere-telomerase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a telomere-telomerase complex. [GO_REF:0000079, GOC:TermGenie, PMID:26305931]' - }, - 'GO:1905325': { - 'name': 'regulation of meiosis I spindle assembly checkpoint', - 'def': 'Any process that modulates the frequency, rate or extent of the meiosis I spindle assembly checkpoint. [GO_REF:0000058, GOC:TermGenie, PMID:26483559]' - }, - 'GO:1905326': { - 'name': 'positive regulation of meiosis I spindle assembly checkpoint', - 'def': 'Any process that activates or increases the frequency, rate or extent of the meiosis I spindle assembly checkpoint. [GO_REF:0000058, GOC:TermGenie, PMID:26483559]' - }, - 'GO:1905327': { - 'name': 'tracheoesophageal septum formation', - 'def': 'The process that gives rise to the tracheoesophageal septum. This process pertains to the initial formation of a structure from unspecified parts. [GO_REF:0000081, GOC:TermGenie, PMID:9731532]' - }, - 'GO:1905328': { - 'name': 'plant septum development', - 'def': 'The process whose specific outcome is the progression of a septum over time, from its formation to the mature structure. [GO_REF:0000080, GOC:tb, GOC:TermGenie, PMID:4562349]' - }, - 'GO:1905329': { - 'name': 'sphingoid long-chain base transport', - 'def': 'The directed movement of a sphingoid long-chain base, sometimes referred to as long-chain base, or sphingoid base, into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. Sphingoid long-chain bases are long-chain aliphatic amines that are the fundamental building blocks of sphingolipids. The main mammalian sphingoid long-chain bases are dihydrosphingosine and sphingosine, while dihydrosphingosine and phytosphingosine are the main sphingoid long-chain bases in yeast. [GO_REF:0000065, GOC:rn, GOC:TermGenie, PMID:27136724]' - }, - 'GO:1905330': { - 'name': 'regulation of morphogenesis of an epithelium', - 'def': 'Any process that modulates the frequency, rate or extent of morphogenesis of an epithelium. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25745997]' - }, - 'GO:1905331': { - 'name': 'negative regulation of morphogenesis of an epithelium', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of morphogenesis of an epithelium. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25745997]' - }, - 'GO:1905332': { - 'name': 'positive regulation of morphogenesis of an epithelium', - 'def': 'Any process that activates or increases the frequency, rate or extent of morphogenesis of an epithelium. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25745997]' - }, - 'GO:1905333': { - 'name': 'regulation of gastric motility', - 'def': 'Any process that modulates the frequency, rate or extent of gastric motility. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:9924029]' - }, - 'GO:1905334': { - 'name': 'Swi5-Sfr1 complex binding', - 'def': 'Interacting selectively and non-covalently with a Swi5-Sfr1 complex. [GO_REF:000102, GOC:TermGenie, PMID:16921379]' - }, - 'GO:1905335': { - 'name': 'regulation of aggrephagy', - 'def': 'Any process that modulates the frequency, rate or extent of aggrephagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:25686248]' - }, - 'GO:1905336': { - 'name': 'negative regulation of aggrephagy', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aggrephagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:25686248]' - }, - 'GO:1905337': { - 'name': 'positive regulation of aggrephagy', - 'def': 'Any process that activates or increases the frequency, rate or extent of aggrephagy. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:25686248]' - }, - 'GO:1905338': { - 'name': 'negative regulation of cohesin unloading', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cohesin unloading. [GO_REF:0000058, GOC:TermGenie, PMID:26687354]' - }, - 'GO:1905339': { - 'name': 'positive regulation of cohesin unloading', - 'def': 'Any process that activates or increases the frequency, rate or extent of cohesin unloading. [GO_REF:0000058, GOC:TermGenie, PMID:26687354]' - }, - 'GO:1905340': { - 'name': 'regulation of protein localization to kinetochore', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to kinetochore. [GO_REF:0000058, GOC:TermGenie, PMID:22581055]' - }, - 'GO:1905341': { - 'name': 'negative regulation of protein localization to kinetochore', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to kinetochore. [GO_REF:0000058, GOC:TermGenie, PMID:22581055]' - }, - 'GO:1905342': { - 'name': 'positive regulation of protein localization to kinetochore', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to kinetochore. [GO_REF:0000058, GOC:TermGenie, PMID:22581055]' - }, - 'GO:1905343': { - 'name': 'regulation of cohesin unloading', - 'def': 'Any process that modulates the frequency, rate or extent of cohesin unloading. [GO_REF:0000058, GOC:TermGenie, PMID:26687354]' - }, - 'GO:1905344': { - 'name': 'prostaglandin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of prostaglandin. [GO_REF:0000068, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:25290914]' - }, - 'GO:1905345': { - 'name': 'protein localization to cleavage furrow', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cleavage furrow. [GO_REF:0000087, GOC:TermGenie, PMID:27082518]' - }, - 'GO:1905346': { - 'name': 'protein localization to cleavage furrow rim', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cleavage furrow rim. [GO_REF:0000087, GOC:TermGenie, PMID:27082518]' - }, - 'GO:1905347': { - 'name': 'endodeoxyribonuclease complex', - 'def': 'A protein complex which is capable of endodeoxyribonuclease activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:18413719]' - }, - 'GO:1905348': { - 'name': 'endonuclease complex', - 'def': 'A protein complex which is capable of endonuclease activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:18413719]' - }, - 'GO:1905349': { - 'name': 'ciliary transition zone assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a ciliary transition zone. [GO_REF:0000079, GOC:cilia, GOC:TermGenie, PMID:21725307, PMID:23644468, PMID:24448408, PMID:26595381, PMID:26982032]' - }, - 'GO:1905350': { - 'name': 'Y-shaped link assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a Y-shaped link. Two distinct protein complexes are known to be involved in proper linker assembly: the MKS complex and the NPHP complex. Improper assembly of Y-shaped links may cause malfunctioning of the transition zone as a molecular gate. [GO_REF:0000079, GOC:cilia, GOC:TermGenie, PMID:23728985, PMID:24664739, PMID:26595381, PMID:4554367]' - }, - 'GO:1905351': { - 'name': 'pericyte cell migration', - 'def': 'The orderly movement of a pericyte cell from one site to another. [GO_REF:0000091, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:26268439]' - }, - 'GO:1905352': { - 'name': 'ciliary necklace assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a ciliary necklace. [GO_REF:0000079, GOC:cilia, GOC:TermGenie, PMID:20399632, PMID:6409906]' - }, - 'GO:1905353': { - 'name': 'ciliary transition fiber assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a ciliary transition fiber. [GO_REF:0000079, GOC:cilia, GOC:TermGenie, PMID:24189274]' - }, - 'GO:1905354': { - 'name': 'exoribonuclease complex', - 'def': 'A protein complex which is capable of exoribonuclease activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:17174896]' - }, - 'GO:1905355': { - 'name': 'spine apparatus assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a spine apparatus. [GO_REF:0000079, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:12928494]' - }, - 'GO:1905356': { - 'name': 'regulation of snRNA pseudouridine synthesis', - 'def': 'Any process that modulates the frequency, rate or extent of snRNA pseudouridine synthesis. [GO_REF:0000058, GOC:TermGenie, PMID:27268497]' - }, - 'GO:1905357': { - 'name': 'negative regulation of snRNA pseudouridine synthesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of snRNA pseudouridine synthesis. [GO_REF:0000058, GOC:TermGenie, PMID:27268497]' - }, - 'GO:1905358': { - 'name': 'positive regulation of snRNA pseudouridine synthesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of snRNA pseudouridine synthesis. [GO_REF:0000058, GOC:TermGenie, PMID:27268497]' - }, - 'GO:1905359': { - 'name': 'protein localization to meiotic spindle', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a meiotic spindle. [GO_REF:0000087, GOC:TermGenie, PMID:26696398]' - }, - 'GO:1905360': { - 'name': 'GTPase complex', - 'def': 'A protein complex which is capable of GTPase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:9178006]' - }, - 'GO:1905361': { - 'name': 'L-serine transporter activity', - 'def': 'Enables the directed movement of L-serine into, out of or within a cell, or between cells. [GO_REF:0000066, GOC:TermGenie, PMID:16120614]' - }, - 'GO:1905362': { - 'name': 'negative regulation of endosomal vesicle fusion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endosomal vesicle fusion. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:26911690]' - }, - 'GO:1905363': { - 'name': 'positive regulation of endosomal vesicle fusion', - 'def': 'Any process that activates or increases the frequency, rate or extent of endosomal vesicle fusion. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:26911690]' - }, - 'GO:1905364': { - 'name': 'regulation of endosomal vesicle fusion', - 'def': 'Any process that modulates the frequency, rate or extent of endosomal vesicle fusion. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:26911690]' - }, - 'GO:1905365': { - 'name': 'regulation of intralumenal vesicle formation', - 'def': 'Any process that modulates the frequency, rate or extent of intralumenal vesicle formation. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:26911690]' - }, - 'GO:1905366': { - 'name': 'negative regulation of intralumenal vesicle formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intralumenal vesicle formation. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:26911690]' - }, - 'GO:1905367': { - 'name': 'positive regulation of intralumenal vesicle formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of intralumenal vesicle formation. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:26911690]' - }, - 'GO:1905368': { - 'name': 'peptidase complex', - 'def': 'A protein complex which is capable of peptidase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:1689240]' - }, - 'GO:1905369': { - 'name': 'endopeptidase complex', - 'def': 'A protein complex which is capable of endopeptidase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:1689240]' - }, - 'GO:1905370': { - 'name': 'serine-type endopeptidase complex', - 'def': 'A protein complex which is capable of serine-type endopeptidase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:1689240]' - }, - 'GO:1905371': { - 'name': 'ceramide phosphoethanolamine metabolic process', - 'def': 'The chemical reactions and pathways involving ceramide phosphoethanolamine. [GO_REF:0000068, GOC:hjd, GOC:TermGenie, PMID:25667419]' - }, - 'GO:1905372': { - 'name': 'ceramide phosphoethanolamine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of ceramide phosphoethanolamine. [GO_REF:0000068, GOC:hjd, GOC:TermGenie, PMID:25667419]' - }, - 'GO:1905373': { - 'name': 'ceramide phosphoethanolamine biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of ceramide phosphoethanolamine. [GO_REF:0000068, GOC:hjd, GOC:TermGenie, PMID:25667419]' - }, - 'GO:1905374': { - 'name': 'response to homocysteine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a homocysteine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:26722473]' - }, - 'GO:1905375': { - 'name': 'cellular response to homocysteine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a homocysteine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:26722473]' - }, - 'GO:1905376': { - 'name': 'negative regulation of cytochrome-c oxidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cytochrome-c oxidase activity. [GO_REF:0000059, GOC:TermGenie, PMID:26722473]' - }, - 'GO:1905377': { - 'name': 'response to D-galactose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a D-galactose stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:26261574]' - }, - 'GO:1905378': { - 'name': 'cellular response to D-galactose', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a D-galactose stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:26261574]' - }, - 'GO:1905379': { - 'name': 'beta-N-acetylhexosaminidase complex', - 'def': 'A protein complex which is capable of beta-N-acetylhexosaminidase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:6458607]' - }, - 'GO:1905380': { - 'name': 'regulation of snRNA transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of snRNA transcription from RNA polymerase II promoter. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:10022900]' - }, - 'GO:1905381': { - 'name': 'negative regulation of snRNA transcription from RNA polymerase II promoter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of snRNA transcription from RNA polymerase II promoter. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:10022900]' - }, - 'GO:1905382': { - 'name': 'positive regulation of snRNA transcription from RNA polymerase II promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of snRNA transcription from RNA polymerase II promoter. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:10022900]' - }, - 'GO:1905383': { - 'name': 'protein localization to presynapse', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a presynapse. [GO_REF:0000087, GOC:TermGenie, PMID:24449494]' - }, - 'GO:1905384': { - 'name': 'regulation of protein localization to presynapse', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to presynapse. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24449494]' - }, - 'GO:1905385': { - 'name': 'negative regulation of protein localization to presynapse', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to presynapse. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24449494]' - }, - 'GO:1905386': { - 'name': 'positive regulation of protein localization to presynapse', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to presynapse. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:24449494]' - }, - 'GO:1905387': { - 'name': 'response to beta-carotene', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a beta-carotene stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16771696]' - }, - 'GO:1905388': { - 'name': 'cellular response to beta-carotene', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a beta-carotene stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16771696]' - }, - 'GO:1905389': { - 'name': 'response to leukotriene B4', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leukotriene B4 stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:14656734]' - }, - 'GO:1905390': { - 'name': 'cellular response to leukotriene B4', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leukotriene B4 stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:14656734]' - }, - 'GO:1905391': { - 'name': 'regulation of protein localization to cell division site involved in cell separation after cytokinesis', - 'def': 'Any regulation of protein localization to cell division site that is involved in cell separation after cytokinesis. [GO_REF:0000060, GOC:TermGenie, PMID:25411334]' - }, - 'GO:1905392': { - 'name': 'plant organ morphogenesis', - 'def': 'The developmental process by which a plant organ is generated and organized. [GO_REF:0000083, GOC:tb, GOC:TermGenie]' - }, - 'GO:1905393': { - 'name': 'plant organ formation', - 'def': 'The process that gives rise to the plant organ. This process pertains to the initial formation of a structure from unspecified parts. [GO_REF:0000081, GOC:tb, GOC:TermGenie]' - }, - 'GO:1905394': { - 'name': 'retromer complex binding', - 'def': 'Interacting selectively and non-covalently with a retromer complex. [GO_REF:000102, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:27385586]' - }, - 'GO:1905395': { - 'name': 'response to flavonoid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a flavonoid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22700048]' - }, - 'GO:1905396': { - 'name': 'cellular response to flavonoid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a flavonoid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22700048]' - }, - 'GO:1905397': { - 'name': 'activated CD8-positive, alpha-beta T cell apoptotic process', - 'def': 'Any apoptotic process in an activated CD8-positive, alpha-beta T cell. [GO_REF:0000085, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1905398': { - 'name': 'activated CD4-positive, alpha-beta T cell apoptotic process', - 'def': 'Any apoptotic process in an activated CD4-positive, alpha-beta T cell. [GO_REF:0000085, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1905399': { - 'name': 'regulation of activated CD4-positive, alpha-beta T cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of activated CD4-positive, alpha-beta T cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1905400': { - 'name': 'negative regulation of activated CD4-positive, alpha-beta T cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of activated CD4-positive, alpha-beta T cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1905401': { - 'name': 'positive regulation of activated CD4-positive, alpha-beta T cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of activated CD4-positive, alpha-beta T cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1905402': { - 'name': 'regulation of activated CD8-positive, alpha-beta T cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of activated CD8-positive, alpha-beta T cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1905403': { - 'name': 'negative regulation of activated CD8-positive, alpha-beta T cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of activated CD8-positive, alpha-beta T cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1905404': { - 'name': 'positive regulation of activated CD8-positive, alpha-beta T cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of activated CD8-positive, alpha-beta T cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24187568]' - }, - 'GO:1905405': { - 'name': 'regulation of mitotic cohesin loading', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic cohesin loading. [GO_REF:0000058, GOC:TermGenie, PMID:26687354]' - }, - 'GO:1905406': { - 'name': 'positive regulation of mitotic cohesin loading', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic cohesin loading. [GO_REF:0000058, GOC:TermGenie, PMID:26687354]' - }, - 'GO:1905407': { - 'name': 'regulation of creatine transmembrane transporter activity', - 'def': 'Any process that modulates the frequency, rate or extent of creatine transmembrane transporter activity. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:25531585]' - }, - 'GO:1905408': { - 'name': 'negative regulation of creatine transmembrane transporter activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of creatine transmembrane transporter activity. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:25531585]' - }, - 'GO:1905409': { - 'name': 'positive regulation of creatine transmembrane transporter activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of creatine transmembrane transporter activity. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:25531585]' - }, - 'GO:1905410': { - 'name': 'regulation of mitotic cohesin unloading', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic cohesin unloading. [GO_REF:0000058, GOC:TermGenie, PMID:26687354]' - }, - 'GO:1905411': { - 'name': 'positive regulation of mitotic cohesin unloading', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic cohesin unloading. [GO_REF:0000058, GOC:TermGenie, PMID:26687354]' - }, - 'GO:1905412': { - 'name': 'negative regulation of mitotic cohesin loading', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic cohesin loading. [GO_REF:0000058, GOC:TermGenie, PMID:26687354]' - }, - 'GO:1905413': { - 'name': 'regulation of dense core granule exocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of dense core granule exocytosis. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18468511]' - }, - 'GO:1905414': { - 'name': 'negative regulation of dense core granule exocytosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dense core granule exocytosis. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905415': { - 'name': 'positive regulation of dense core granule exocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of dense core granule exocytosis. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:18468511]' - }, - 'GO:1905416': { - 'name': 'regulation of amoeboid sperm motility', - 'def': 'Any process that modulates the frequency, rate or extent of amoeboid sperm motility. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie]' - }, - 'GO:1905417': { - 'name': 'negative regulation of amoeboid sperm motility', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of amoeboid sperm motility. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie]' - }, - 'GO:1905418': { - 'name': 'positive regulation of amoeboid sperm motility', - 'def': 'Any process that activates or increases the frequency, rate or extent of amoeboid sperm motility. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie]' - }, - 'GO:1905419': { - 'name': 'sperm flagellum movement involved in flagellated sperm motility', - 'def': 'Any sperm flagellum movement that is involved in flagellated sperm motility. [GO_REF:0000060, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:26680031]' - }, - 'GO:1905420': { - 'name': 'vascular smooth muscle cell differentiation involved in phenotypic switching', - 'def': 'Any vascular smooth muscle cell differentiation that is involved in phenotypic switching. [GO_REF:0000060, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:25089138]' - }, - 'GO:1905421': { - 'name': 'regulation of plant organ morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of plant organ morphogenesis. [GO_REF:0000058, GOC:tb, GOC:TermGenie]' - }, - 'GO:1905422': { - 'name': 'negative regulation of plant organ morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of plant organ morphogenesis. [GO_REF:0000058, GOC:tb, GOC:TermGenie]' - }, - 'GO:1905423': { - 'name': 'positive regulation of plant organ morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of plant organ morphogenesis. [GO_REF:0000058, GOC:tb, GOC:TermGenie]' - }, - 'GO:1905424': { - 'name': 'regulation of Wnt-mediated midbrain dopaminergic neuron differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of Wnt signaling pathway involved in midbrain dopaminergic neuron differentiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:17244647]' - }, - 'GO:1905425': { - 'name': 'negative regulation of Wnt-mediated midbrain dopaminergic neuron differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Wnt signaling pathway involved in midbrain dopaminergic neuron differentiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905426': { - 'name': 'positive regulation of Wnt-mediated midbrain dopaminergic neuron differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of Wnt signaling pathway involved in midbrain dopaminergic neuron differentiation. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:17244647]' - }, - 'GO:1905427': { - 'name': 'intracellular signal transduction involved in positive regulation of cell growth', - 'def': 'Any intracellular signal transduction that is involved in positive regulation of cell growth. [GO_REF:0000060, GOC:al, GOC:TermGenie, GOC:vw, PMID:15917811]' - }, - 'GO:1905428': { - 'name': 'regulation of plant organ formation', - 'def': 'Any process that modulates the frequency, rate or extent of plant organ formation. [GO_REF:0000058, GOC:tb, GOC:TermGenie]' - }, - 'GO:1905429': { - 'name': 'response to glycine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glycine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18984164]' - }, - 'GO:1905430': { - 'name': 'cellular response to glycine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glycine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18984164]' - }, - 'GO:1905431': { - 'name': 'microcystin transport', - 'def': 'The directed movement of a microcystin into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GO_REF:0000065, GOC:TermGenie, PMID:26055554]' - }, - 'GO:1905432': { - 'name': 'regulation of retrograde trans-synaptic signaling by neuropeptide', - 'def': 'Any process that modulates the frequency, rate or extent of retrograde trans-synaptic signaling by neuropeptide. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19448629]' - }, - 'GO:1905433': { - 'name': 'negative regulation of retrograde trans-synaptic signaling by neuropeptide', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of retrograde trans-synaptic signaling by neuropeptide. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19448629]' - }, - 'GO:1905434': { - 'name': 'positive regulation of retrograde trans-synaptic signaling by neuropeptide', - 'def': 'Any process that activates or increases the frequency, rate or extent of retrograde trans-synaptic signaling by neuropeptide. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:19448629]' - }, - 'GO:1905435': { - 'name': 'regulation of histone H3-K4 trimethylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K4 trimethylation. [GO_REF:0000058, GOC:TermGenie, PMID:27541139]' - }, - 'GO:1905436': { - 'name': 'negative regulation of histone H3-K4 trimethylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K4 trimethylation. [GO_REF:0000058, GOC:TermGenie, PMID:27541139]' - }, - 'GO:1905437': { - 'name': 'positive regulation of histone H3-K4 trimethylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K4 trimethylation. [GO_REF:0000058, GOC:TermGenie, PMID:27541139]' - }, - 'GO:1905438': { - 'name': 'non-canonical Wnt signaling pathway involved in midbrain dopaminergic neuron differentiation', - 'def': 'Any non-canonical Wnt signaling pathway that is involved in midbrain dopaminergic neuron differentiation. [GO_REF:0000060, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:25640183]' - }, - 'GO:1905439': { - 'name': "response to chondroitin 6'-sulfate", - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chondroitin 6'-sulfate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22365850]" - }, - 'GO:1905440': { - 'name': "cellular response to chondroitin 6'-sulfate", - 'def': "Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chondroitin 6'-sulfate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22365850]" - }, - 'GO:1905441': { - 'name': "response to chondroitin 4'-sulfate", - 'def': "Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chondroitin 4'-sulfate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22365850]" - }, - 'GO:1905442': { - 'name': "cellular response to chondroitin 4'-sulfate", - 'def': "Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chondroitin 4'-sulfate stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22365850]" - }, - 'GO:1905443': { - 'name': 'regulation of clathrin coat assembly', - 'def': 'Any process that modulates the frequency, rate or extent of clathrin coat assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:15533940]' - }, - 'GO:1905444': { - 'name': 'negative regulation of clathrin coat assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of clathrin coat assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905445': { - 'name': 'positive regulation of clathrin coat assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of clathrin coat assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:15533940]' - }, - 'GO:1905446': { - 'name': 'regulation of mitochondrial ATP synthesis coupled electron transport', - 'def': 'Any process that modulates the frequency, rate or extent of mitochondrial ATP synthesis coupled electron transport. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23707074]' - }, - 'GO:1905447': { - 'name': 'negative regulation of mitochondrial ATP synthesis coupled electron transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitochondrial ATP synthesis coupled electron transport. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23707074]' - }, - 'GO:1905448': { - 'name': 'positive regulation of mitochondrial ATP synthesis coupled electron transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitochondrial ATP synthesis coupled electron transport. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23707074]' - }, - 'GO:1905449': { - 'name': 'regulation of Fc-gamma receptor signaling pathway involved in phagocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of Fc-gamma receptor signaling pathway involved in phagocytosis. [GO_REF:0000058, GOC:TermGenie, PMID:18832707]' - }, - 'GO:1905450': { - 'name': 'negative regulation of Fc-gamma receptor signaling pathway involved in phagocytosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Fc-gamma receptor signaling pathway involved in phagocytosis. [GO_REF:0000058, GOC:TermGenie, PMID:18832707]' - }, - 'GO:1905451': { - 'name': 'positive regulation of Fc-gamma receptor signaling pathway involved in phagocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of Fc-gamma receptor signaling pathway involved in phagocytosis. [GO_REF:0000058, GOC:TermGenie, PMID:18832707]' - }, - 'GO:1905452': { - 'name': 'obsolete canonical Wnt signaling pathway involved in regulation of stem cell proliferation', - 'def': 'OBSOLETE. Any canonical Wnt signaling pathway that is involved in regulation of stem cell proliferation. [GO_REF:0000060, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:25640183]' - }, - 'GO:1905453': { - 'name': 'regulation of myeloid progenitor cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of myeloid progenitor cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:27010503]' - }, - 'GO:1905454': { - 'name': 'negative regulation of myeloid progenitor cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of myeloid progenitor cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:27010503]' - }, - 'GO:1905455': { - 'name': 'positive regulation of myeloid progenitor cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of myeloid progenitor cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:27010503]' - }, - 'GO:1905456': { - 'name': 'regulation of lymphoid progenitor cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of lymphoid progenitor cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:27010503]' - }, - 'GO:1905457': { - 'name': 'negative regulation of lymphoid progenitor cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lymphoid progenitor cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:27010503]' - }, - 'GO:1905458': { - 'name': 'positive regulation of lymphoid progenitor cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of lymphoid progenitor cell differentiation. [GO_REF:0000058, GOC:TermGenie, PMID:27010503]' - }, - 'GO:1905459': { - 'name': 'regulation of vascular associated smooth muscle cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of vascular associated smooth muscle cell apoptotic process. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:26493107]' - }, - 'GO:1905460': { - 'name': 'negative regulation of vascular associated smooth muscle cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular associated smooth muscle cell apoptotic process. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:26493107]' - }, - 'GO:1905461': { - 'name': 'positive regulation of vascular associated smooth muscle cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular associated smooth muscle cell apoptotic process. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:26493107]' - }, - 'GO:1905462': { - 'name': 'regulation of DNA duplex unwinding', - 'def': 'Any process that modulates the frequency, rate or extent of DNA duplex unwinding. [GO_REF:0000058, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905463': { - 'name': 'negative regulation of DNA duplex unwinding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA duplex unwinding. [GO_REF:0000058, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905464': { - 'name': 'positive regulation of DNA duplex unwinding', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA duplex unwinding. [GO_REF:0000058, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905465': { - 'name': 'regulation of G-quadruplex DNA unwinding', - 'def': 'Any process that modulates the frequency, rate or extent of G-quadruplex DNA unwinding. [GO_REF:0000058, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905466': { - 'name': 'negative regulation of G-quadruplex DNA unwinding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of G-quadruplex DNA unwinding. [GO_REF:0000058, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905467': { - 'name': 'positive regulation of G-quadruplex DNA unwinding', - 'def': 'Any process that activates or increases the frequency, rate or extent of G-quadruplex DNA unwinding. [GO_REF:0000058, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905468': { - 'name': 'regulation of clathrin-coated pit assembly', - 'def': 'Any process that modulates the frequency, rate or extent of clathrin-coated pit assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905469': { - 'name': 'negative regulation of clathrin-coated pit assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of clathrin-coated pit assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie, PMID:26589353]' - }, - 'GO:1905470': { - 'name': 'positive regulation of clathrin-coated pit assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of clathrin-coated pit assembly. [GO_REF:0000058, GOC:bf, GOC:PARL, GOC:TermGenie]' - }, - 'GO:1905471': { - 'name': 'regulation of histone H3-K79 dimethylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K79 dimethylation. [GO_REF:0000058, GOC:TermGenie, PMID:27541139]' - }, - 'GO:1905472': { - 'name': 'negative regulation of histone H3-K79 dimethylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K79 dimethylation. [GO_REF:0000058, GOC:TermGenie, PMID:27541139]' - }, - 'GO:1905473': { - 'name': 'positive regulation of histone H3-K79 dimethylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K79 dimethylation. [GO_REF:0000058, GOC:TermGenie, PMID:27541139]' - }, - 'GO:1905474': { - 'name': 'canonical Wnt signaling pathway involved in stem cell proliferation', - 'def': 'Any canonical Wnt signaling pathway that is involved in stem cell proliferation. [GO_REF:0000060, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:25640183]' - }, - 'GO:1905475': { - 'name': 'regulation of protein localization to membrane', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to membrane. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:26911690]' - }, - 'GO:1905476': { - 'name': 'negative regulation of protein localization to membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to membrane. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:26911690]' - }, - 'GO:1905477': { - 'name': 'positive regulation of protein localization to membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to membrane. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:26911690]' - }, - 'GO:1905478': { - 'name': 'regulation of glutamate-ammonia ligase activity', - 'def': 'Any process that modulates the frequency, rate or extent of glutamate-ammonia ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:10377385]' - }, - 'GO:1905479': { - 'name': 'negative regulation of glutamate-ammonia ligase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glutamate-ammonia ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:10377385]' - }, - 'GO:1905480': { - 'name': 'positive regulation of glutamate-ammonia ligase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of glutamate-ammonia ligase activity. [GO_REF:0000059, GOC:TermGenie, PMID:10377385]' - }, - 'GO:1905481': { - 'name': 'cytoplasmic sequestering of protein involved in mitotic DNA replication checkpoint', - 'def': 'Any cytoplasmic sequestering of protein that is involved in mitotic DNA replication checkpoint. [GO_REF:0000060, GOC:TermGenie, PMID:10523629]' - }, - 'GO:1905482': { - 'name': 'cytoplasmic sequestering of protein involved in G2 DNA damage checkpoint', - 'def': 'Any cytoplasmic sequestering of protein that is involved in G2 DNA damage checkpoint. [GO_REF:0000060, GOC:TermGenie, PMID:10523629]' - }, - 'GO:1905483': { - 'name': 'regulation of motor neuron migration', - 'def': 'Any process that modulates the frequency, rate or extent of motor neuron migration. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905484': { - 'name': 'negative regulation of motor neuron migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of motor neuron migration. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905485': { - 'name': 'positive regulation of motor neuron migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of motor neuron migration. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905486': { - 'name': 'regulation of anterior/posterior axon guidance', - 'def': 'Any process that modulates the frequency, rate or extent of anterior/posterior axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905487': { - 'name': 'negative regulation of anterior/posterior axon guidance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anterior/posterior axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905488': { - 'name': 'positive regulation of anterior/posterior axon guidance', - 'def': 'Any process that activates or increases the frequency, rate or extent of anterior/posterior axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905489': { - 'name': 'regulation of sensory neuron axon guidance', - 'def': 'Any process that modulates the frequency, rate or extent of sensory neuron axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905490': { - 'name': 'negative regulation of sensory neuron axon guidance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sensory neuron axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905491': { - 'name': 'positive regulation of sensory neuron axon guidance', - 'def': 'Any process that activates or increases the frequency, rate or extent of sensory neuron axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905492': { - 'name': 'positive regulation of branching morphogenesis of a nerve', - 'def': 'Any process that activates or increases the frequency, rate or extent of branching morphogenesis of a nerve. [GO_REF:0000058, GOC:TermGenie, PMID:16516839]' - }, - 'GO:1905493': { - 'name': 'regulation of G-quadruplex DNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of G-quadruplex DNA binding. [GO_REF:0000059, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905494': { - 'name': 'negative regulation of G-quadruplex DNA binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of G-quadruplex DNA binding. [GO_REF:0000059, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905495': { - 'name': 'positive regulation of G-quadruplex DNA binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of G-quadruplex DNA binding. [GO_REF:0000059, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905496': { - 'name': 'regulation of triplex DNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of triplex DNA binding. [GO_REF:0000059, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905497': { - 'name': 'negative regulation of triplex DNA binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of triplex DNA binding. [GO_REF:0000059, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905498': { - 'name': 'positive regulation of triplex DNA binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of triplex DNA binding. [GO_REF:0000059, GOC:TermGenie, PubMed:26503245]' - }, - 'GO:1905499': { - 'name': 'trichome papilla formation', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a trichome papilla. [GO_REF:0000079, GOC:tb, GOC:TermGenie, PMID:24014871]' - }, - 'GO:1905500': { - 'name': 'obsolete heteroreceptor complex assembly', - 'def': 'OBSOLETE. The aggregation, arrangement and bonding together of a set of components to form a heteroreceptor complex. [GO_REF:0000079, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:24157794]' - }, - 'GO:1905501': { - 'name': 'obsolete heteroreceptor complex disassembly', - 'def': 'OBSOLETE. The disaggregation of a heteroreceptor complex into its constituent components. [GO_REF:0000079, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:24157794]' - }, - 'GO:1905502': { - 'name': 'acetyl-CoA binding', - 'def': 'Interacting selectively and non-covalently with acetyl-CoA. [GO_REF:0000067, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:24927529]' - }, - 'GO:1905503': { - 'name': 'regulation of motile cilium assembly', - 'def': 'Any process that modulates the frequency, rate or extent of motile cilium assembly. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:25294941]' - }, - 'GO:1905504': { - 'name': 'negative regulation of motile cilium assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of motile cilium assembly. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:25294941]' - }, - 'GO:1905505': { - 'name': 'positive regulation of motile cilium assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of motile cilium assembly. [GO_REF:0000058, GOC:cilia, GOC:krc, GOC:TermGenie, PMID:25294941]' - }, - 'GO:1905506': { - 'name': 'gerontoplast stroma', - 'def': 'Any plastid stroma that is part of a gerontoplast. [GO_REF:0000064, GOC:mag, GOC:TermGenie, PMID:11212360]' - }, - 'GO:1905507': { - 'name': 'cytoplasmic sequestering of protein involved in mitotic G2 DNA damage checkpoint', - 'def': 'Any cytoplasmic sequestering of protein that is involved in mitotic G2 DNA damage checkpoint. [GO_REF:0000060, GOC:TermGenie, PMID:10523629]' - }, - 'GO:1905508': { - 'name': 'protein localization to microtubule organizing center', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a microtubule organizing center. [GO_REF:0000087, GOC:TermGenie, PMID:19001497]' - }, - 'GO:1905509': { - 'name': 'protein localization to interphase microtubule organizing center', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an interphase microtubule organizing center. [GO_REF:0000087, GOC:TermGenie, PMID:19001497]' - }, - 'GO:1905510': { - 'name': 'negative regulation of myosin II filament assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of myosin II filament assembly. [GO_REF:0000058, GOC:TermGenie, PMID:27237792, PMID:7691416]' - }, - 'GO:1905511': { - 'name': 'positive regulation of myosin II filament assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of myosin II filament assembly. [GO_REF:0000058, GOC:TermGenie, PMID:27237792, PMID:7691416]' - }, - 'GO:1905512': { - 'name': 'regulation of short-term synaptic potentiation', - 'def': 'Any process that modulates the frequency, rate or extent of short-term synaptic potentiation. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:15470145]' - }, - 'GO:1905513': { - 'name': 'negative regulation of short-term synaptic potentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of short-term synaptic potentiation. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:15470145]' - }, - 'GO:1905514': { - 'name': 'positive regulation of short-term synaptic potentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of short-term synaptic potentiation. [GO_REF:0000058, GOC:hjd, GOC:TermGenie, PMID:15470145]' - }, - 'GO:1905515': { - 'name': 'non-motile cilium assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a non-motile cilium. [GO_REF:0000079, GOC:cilia, GOC:kmv, GOC:TermGenie, PMID:14521833, PMID:14521834]' - }, - 'GO:1905516': { - 'name': 'positive regulation of fertilization', - 'def': 'Any process that activates or increases the frequency, rate or extent of fertilization. [GO_REF:0000058, GOC:hbye, GOC:TermGenie, PMID:27564576]' - }, - 'GO:1905517': { - 'name': 'macrophage migration', - 'def': 'The orderly movement of a macrophage from one site to another. [GO_REF:0000091, GOC:TermGenie, PMID:25749876]' - }, - 'GO:1905518': { - 'name': 'regulation of presynaptic active zone assembly', - 'def': 'Any process that modulates the frequency, rate or extent of presynaptic active zone assembly. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:15797875]' - }, - 'GO:1905519': { - 'name': 'negative regulation of presynaptic active zone assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of presynaptic active zone assembly. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:15797875]' - }, - 'GO:1905520': { - 'name': 'positive regulation of presynaptic active zone assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of presynaptic active zone assembly. [GO_REF:0000058, GOC:BHF, GOC:rl, GOC:TermGenie, PMID:15797875]' - }, - 'GO:1905521': { - 'name': 'regulation of macrophage migration', - 'def': 'Any process that modulates the frequency, rate or extent of macrophage migration. [GO_REF:0000058, GOC:TermGenie, PMID:25749876]' - }, - 'GO:1905522': { - 'name': 'negative regulation of macrophage migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of macrophage migration. [GO_REF:0000058, GOC:TermGenie, PMID:25749876]' - }, - 'GO:1905523': { - 'name': 'positive regulation of macrophage migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of macrophage migration. [GO_REF:0000058, GOC:TermGenie, PMID:25749876]' - }, - 'GO:1905524': { - 'name': 'negative regulation of protein autoubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein autoubiquitination. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:17237821]' - }, - 'GO:1905525': { - 'name': 'obsolete regulation of ferrichrome biosynthetic process by negative regulation of transcription from RNA polymerase II promoter in response to iron', - 'def': 'OBSOLETE. A negative regulation of transcription from RNA polymerase II promoter in response to iron that results in regulation of ferrichrome biosynthetic process. [GO_REF:0000063, GOC:TermGenie, PMID:20435771]' - }, - 'GO:1905526': { - 'name': 'regulation of Golgi lumen acidification', - 'def': 'Any process that modulates the frequency, rate or extent of Golgi lumen acidification. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:23447592]' - }, - 'GO:1905527': { - 'name': 'negative regulation of Golgi lumen acidification', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Golgi lumen acidification. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:23447592]' - }, - 'GO:1905528': { - 'name': 'positive regulation of Golgi lumen acidification', - 'def': 'Any process that activates or increases the frequency, rate or extent of Golgi lumen acidification. [GO_REF:0000058, GOC:dph, GOC:TermGenie, PMID:23447592]' - }, - 'GO:1905529': { - 'name': 'regulation of uracil import across plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of uracil import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:26536126]' - }, - 'GO:1905530': { - 'name': 'negative regulation of uracil import across plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of uracil import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:26536126]' - }, - 'GO:1905531': { - 'name': 'positive regulation of uracil import across plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of uracil import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:26536126]' - }, - 'GO:1905532': { - 'name': 'regulation of leucine import across plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of leucine import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:10467003]' - }, - 'GO:1905533': { - 'name': 'negative regulation of leucine import across plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leucine import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:10467003]' - }, - 'GO:1905534': { - 'name': 'positive regulation of leucine import across plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of leucine import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:10467003]' - }, - 'GO:1905535': { - 'name': 'regulation of eukaryotic translation initiation factor 4F complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of eukaryotic translation initiation factor 4F complex assembly. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:18426977]' - }, - 'GO:1905536': { - 'name': 'negative regulation of eukaryotic translation initiation factor 4F complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of eukaryotic translation initiation factor 4F complex assembly. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:18426977]' - }, - 'GO:1905537': { - 'name': 'positive regulation of eukaryotic translation initiation factor 4F complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of eukaryotic translation initiation factor 4F complex assembly. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:18426977]' - }, - 'GO:1905538': { - 'name': 'polysome binding', - 'def': 'Interacting selectively and non-covalently with a polysome. [GO_REF:000102, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:18426977]' - }, - 'GO:1905539': { - 'name': 'regulation of postsynapse to nucleus signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of postsynapse to nucleus signaling pathway. [GO_REF:0000058, GOC:TermGenie, ISBN:9780071120005]' - }, - 'GO:1905540': { - 'name': 'interleukin-7 receptor complex', - 'def': 'A protein complex that binds interleukin-7 (IL-7) and that consists of, at a minimum, an interleukin, an alpha and a gamma chain as well as optional additional kinase subunits. The alpha chain binds IL-7 with high affinity and subsequently binds the cytokine receptor common gamma chain that forms part of multiple interleukin receptors. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:19141282]' - }, - 'GO:1905541': { - 'name': 'regulation of L-arginine import across plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of L-arginine import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:14718525]' - }, - 'GO:1905542': { - 'name': 'negative regulation of L-arginine import across plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-arginine import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:14718525]' - }, - 'GO:1905543': { - 'name': 'interleukin-15 receptor complex', - 'def': 'A protein complex that binds interleukin-15 (IL-15) and that consists of, at a minimum, an interleukin, an alpha, beta and gamma chain as well as optional additional kinase subunits. The alpha chain is unique to binds IL-15 while it shares the beta chain with the IL-2 receptor and the cytokine receptor common gamma chain with multiple interleukin receptors. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:23104097]' - }, - 'GO:1905544': { - 'name': 'L-methionine import across plasma membrane', - 'def': 'The directed movement of L-methionine from outside of a cell into the cytoplasmic compartment. [GO_REF:0000075, GOC:TermGenie, PMID:17556368]' - }, - 'GO:1905545': { - 'name': 'obsolete negative regulation of regulation of ferrichrome biosynthetic process by negative regulation of transcription from RNA polymerase II promoter in response to iron', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of regulation of ferrichrome biosynthetic process by negative regulation of transcription from RNA polymerase II promoter in response to iron. [GO_REF:0000058, GOC:TermGenie, PMID:20435771]' - }, - 'GO:1905546': { - 'name': 'cellular response to phenylpropanoid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a phenylpropanoid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22700048]' - }, - 'GO:1905547': { - 'name': 'regulation of telomeric heterochromatin assembly', - 'def': 'Any process that modulates the frequency, rate or extent of telomeric heterochromatin assembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25819580]' - }, - 'GO:1905548': { - 'name': 'negative regulation of telomeric heterochromatin assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomeric heterochromatin assembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25819580]' - }, - 'GO:1905549': { - 'name': 'positive regulation of telomeric heterochromatin assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomeric heterochromatin assembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:25819580]' - }, - 'GO:1905550': { - 'name': 'regulation of protein localization to endoplasmic reticulum', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to endoplasmic reticulum. [GO_REF:0000058, GOC:TermGenie, PMID:22768340]' - }, - 'GO:1905551': { - 'name': 'negative regulation of protein localization to endoplasmic reticulum', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to endoplasmic reticulum. [GO_REF:0000058, GOC:TermGenie, PMID:22768340]' - }, - 'GO:1905552': { - 'name': 'positive regulation of protein localization to endoplasmic reticulum', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to endoplasmic reticulum. [GO_REF:0000058, GOC:TermGenie, PMID:22768340]' - }, - 'GO:1905553': { - 'name': 'regulation of blood vessel branching', - 'def': 'Any process that modulates the frequency, rate or extent of blood vessel branching. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:23201774]' - }, - 'GO:1905554': { - 'name': 'negative regulation of vessel branching', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of blood vessel branching. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:23201774]' - }, - 'GO:1905555': { - 'name': 'positive regulation blood vessel branching', - 'def': 'Any process that activates or increases the frequency, rate or extent of blood vessel branching. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:23201774]' - }, - 'GO:1905556': { - 'name': 'ciliary vesicle assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a ciliary vesicle. Multiple smaller vesicles dock to the transitional fibers on a mature basal body and then fuse together to form a larger single vesicle. This then fuses with the plasma membrane and forms the ciliary membrane. [GO_REF:0000079, GOC:cilia, GOC:TermGenie, PMID:13978319, PMID:25313408, PMID:25805133, PMID:25812525]' - }, - 'GO:1905557': { - 'name': 'regulation of mitotic nuclear envelope disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic nuclear envelope disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:18765790]' - }, - 'GO:1905558': { - 'name': 'negative regulation of mitotic nuclear envelope disassembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic nuclear envelope disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:18765790]' - }, - 'GO:1905559': { - 'name': 'positive regulation of mitotic nuclear envelope disassembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic nuclear envelope disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:18765790]' - }, - 'GO:1905560': { - 'name': 'negative regulation of kinetochore assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of kinetochore assembly. [GO_REF:0000058, GOC:TermGenie, PMID:18765790]' - }, - 'GO:1905561': { - 'name': 'positive regulation of kinetochore assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of kinetochore assembly. [GO_REF:0000058, GOC:TermGenie, PMID:18765790]' - }, - 'GO:1905562': { - 'name': 'regulation of vascular endothelial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of vascular endothelial cell proliferation. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:23201774]' - }, - 'GO:1905563': { - 'name': 'negative regulation of vascular endothelial cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular endothelial cell proliferation. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:23201774]' - }, - 'GO:1905564': { - 'name': 'positive regulation of vascular endothelial cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular endothelial cell proliferation. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:23201774]' - }, - 'GO:1905565': { - 'name': 'obsolete regulation of receptor-mediated endocytosis of low-density lipoprotein particle involved in cholesterol transport', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of receptor-mediated endocytosis of low-density lipoprotein particle involved in cholesterol transport. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905566': { - 'name': 'obsolete negative regulation of receptor-mediated endocytosis of low-density lipoprotein particle involved in cholesterol transport', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of receptor-mediated endocytosis of low-density lipoprotein particle involved in cholesterol transport. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905567': { - 'name': 'obsolete positive regulation of receptor-mediated endocytosis of low-density lipoprotein particle involved in cholesterol transport', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of receptor-mediated endocytosis of low-density lipoprotein particle involved in cholesterol transport. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905568': { - 'name': 'regulation of ferrichrome biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of ferrichrome biosynthetic process. [GO_REF:0000058, GOC:al, GOC:TermGenie]' - }, - 'GO:1905569': { - 'name': 'negative regulation of ferrichrome biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ferrichrome biosynthetic process. [GO_REF:0000058, GOC:al, GOC:TermGenie, PMID:654321]' - }, - 'GO:1905570': { - 'name': 'positive regulation of ferrichrome biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ferrichrome biosynthetic process. [GO_REF:0000058, GOC:al, GOC:TermGenie, PMID:654321]' - }, - 'GO:1905571': { - 'name': 'interleukin-10 receptor complex', - 'def': 'A protein complex that binds interleukin-10 (IL-10) and that consists of, at a minimum, a dimeric interleukin, an alpha and a beta chain as well as optional additional kinase subunits. The alpha chain binds IL-10 with high affinity and subsequently binds the common beta receptor chain that forms part of multiple interleukin receptors. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:16982608]' - }, - 'GO:1905572': { - 'name': 'ganglioside GM1 transport to membrane', - 'def': 'The directed movement of ganglioside GM1 to membrane. [GO_REF:0000078, GOC:TermGenie, PMID:1454804]' - }, - 'GO:1905573': { - 'name': 'ganglioside GM1 binding', - 'def': 'Interacting selectively and non-covalently with ganglioside GM1. [GO_REF:0000067, GOC:TermGenie, PMID:1454804]' - }, - 'GO:1905574': { - 'name': 'ganglioside GM2 binding', - 'def': 'Interacting selectively and non-covalently with ganglioside GM2. [GO_REF:0000067, GOC:TermGenie, PMID:1454804]' - }, - 'GO:1905575': { - 'name': 'ganglioside GM3 binding', - 'def': 'Interacting selectively and non-covalently with ganglioside GM3. [GO_REF:0000067, GOC:TermGenie, PMID:1454804]' - }, - 'GO:1905576': { - 'name': 'ganglioside GT1b binding', - 'def': 'Interacting selectively and non-covalently with ganglioside GT1b. [GO_REF:0000067, GOC:TermGenie, PMID:1454804]' - }, - 'GO:1905577': { - 'name': 'ganglioside GP1c binding', - 'def': 'Interacting selectively and non-covalently with ganglioside GP1c. [GO_REF:0000067, GOC:TermGenie, PMID:1454804]' - }, - 'GO:1905578': { - 'name': 'regulation of ERBB3 signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of ERBB3 signaling pathway. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:27353365]' - }, - 'GO:1905579': { - 'name': 'negative regulation of ERBB3 signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ERBB3 signaling pathway. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:27353365]' - }, - 'GO:1905580': { - 'name': 'positive regulation of ERBB3 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of ERBB3 signaling pathway. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:27353365]' - }, - 'GO:1905581': { - 'name': 'positive regulation of low-density lipoprotein particle clearance', - 'def': 'Any process that activates or increases the frequency, rate or extent of low-density lipoprotein particle clearance. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905582': { - 'name': 'response to mannose', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mannose stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16699509]' - }, - 'GO:1905583': { - 'name': 'cellular response to mannose', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a mannose stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:16699509]' - }, - 'GO:1905584': { - 'name': 'outer hair cell apoptotic process', - 'def': 'Any apoptotic process in an outer hair cell. [GO_REF:0000085, GOC:TermGenie, PMID:12062759, PMID:24472721]' - }, - 'GO:1905585': { - 'name': 'regulation of outer hair cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of outer hair cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24472721]' - }, - 'GO:1905586': { - 'name': 'negative regulation of outer hair cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of outer hair cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24472721]' - }, - 'GO:1905587': { - 'name': 'positive regulation of outer hair cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of outer hair cell apoptotic process. [GO_REF:0000058, GOC:TermGenie, PMID:24472721]' - }, - 'GO:1905588': { - 'name': 'plant-type cell wall modification involved in stomatal movement', - 'def': 'Any plant-type cell wall modification that is involved in stomatal movement. [GO_REF:0000060, GOC:TermGenie, PMID:27720618]' - }, - 'GO:1905589': { - 'name': 'positive regulation of L-arginine import across plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-arginine import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:14718525]' - }, - 'GO:1905590': { - 'name': 'fibronectin fibril organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a fibronectin fibril. [GO_REF:000103, GOC:dph, GOC:TermGenie, PMID:20690820]' - }, - 'GO:1905591': { - 'name': 'regulation of optical nerve axon regeneration', - 'def': 'Any process that modulates the frequency, rate or extent of optical nerve axon regeneration. [GO_REF:0000058, GOC:TermGenie, PMID:16699509]' - }, - 'GO:1905592': { - 'name': 'negative regulation of optical nerve axon regeneration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of optical nerve axon regeneration. [GO_REF:0000058, GOC:TermGenie, PMID:16699509]' - }, - 'GO:1905593': { - 'name': 'positive regulation of optical nerve axon regeneration', - 'def': 'Any process that activates or increases the frequency, rate or extent of optical nerve axon regeneration. [GO_REF:0000058, GOC:TermGenie, PMID:16699509]' - }, - 'GO:1905594': { - 'name': 'resveratrol binding', - 'def': 'Interacting selectively and non-covalently with resveratrol. [GO_REF:0000067, GOC:TermGenie, PMID:18254726]' - }, - 'GO:1905595': { - 'name': 'regulation of low-density lipoprotein particle receptor binding', - 'def': 'Any process that modulates the frequency, rate or extent of low-density lipoprotein particle receptor binding. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905596': { - 'name': 'negative regulation of low-density lipoprotein particle receptor binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of low-density lipoprotein particle receptor binding. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905597': { - 'name': 'positive regulation of low-density lipoprotein particle receptor binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of low-density lipoprotein particle receptor binding. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905598': { - 'name': 'negative regulation of low-density lipoprotein receptor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of low-density lipoprotein receptor activity. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905599': { - 'name': 'positive regulation of low-density lipoprotein receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of low-density lipoprotein receptor activity. [GO_REF:0000059, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905600': { - 'name': 'regulation of receptor-mediated endocytosis involved in cholesterol transport', - 'def': 'Any process that modulates the frequency, rate or extent of receptor-mediated endocytosis involved in cholesterol transport. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905601': { - 'name': 'negative regulation of receptor-mediated endocytosis involved in cholesterol transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of receptor-mediated endocytosis involved in cholesterol transport. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905602': { - 'name': 'positive regulation of receptor-mediated endocytosis involved in cholesterol transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of receptor-mediated endocytosis involved in cholesterol transport. [GO_REF:0000058, GOC:BHF, GOC:nc, GOC:TermGenie, PMID:22848640]' - }, - 'GO:1905603': { - 'name': 'regulation of maintenance of permeability of blood-brain barrier', - 'def': 'Any process that modulates the frequency, rate or extent of maintenance of permeability of blood-brain barrier. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22524708]' - }, - 'GO:1905604': { - 'name': 'negative regulation of maintenance of permeability of blood-brain barrier', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maintenance of permeability of blood-brain barrier. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22524708]' - }, - 'GO:1905605': { - 'name': 'positive regulation of maintenance of permeability of blood-brain barrier', - 'def': 'Any process that activates or increases the frequency, rate or extent of maintenance of permeability of blood-brain barrier. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:22524708]' - }, - 'GO:1905606': { - 'name': 'regulation of presynapse assembly', - 'def': 'Any process that modulates the frequency, rate or extent of presynapse assembly. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:25533483]' - }, - 'GO:1905607': { - 'name': 'negative regulation of presynapse assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of presynapse assembly. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:25533483]' - }, - 'GO:1905608': { - 'name': 'positive regulation of presynapse assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of presynapse assembly. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:25533483]' - }, - 'GO:1905609': { - 'name': 'positive regulation of smooth muscle cell-matrix adhesion', - 'def': 'Any process that activates or increases the frequency, rate or extent of smooth muscle cell-matrix adhesion. [GO_REF:0000058, GOC:TermGenie, PMID:14970114]' - }, - 'GO:1905610': { - 'name': 'regulation of mRNA cap binding', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA cap binding. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23409027]' - }, - 'GO:1905611': { - 'name': 'negative regulation of mRNA cap binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mRNA cap binding. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23409027]' - }, - 'GO:1905612': { - 'name': 'positive regulation of mRNA cap binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of mRNA cap binding. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23409027]' - }, - 'GO:1905613': { - 'name': 'regulation of developmental vegetative growth', - 'def': 'Any process that modulates the frequency, rate or extent of developmental vegetative growth. [GO_REF:0000058, GOC:TermGenie, PMID:11606552]' - }, - 'GO:1905614': { - 'name': 'negative regulation of developmental vegetative growth', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of developmental vegetative growth. [GO_REF:0000058, GOC:TermGenie, PMID:11606552]' - }, - 'GO:1905615': { - 'name': 'positive regulation of developmental vegetative growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of developmental vegetative growth. [GO_REF:0000058, GOC:TermGenie, PMID:11606552]' - }, - 'GO:1905616': { - 'name': 'regulation of miRNA mediated inhibition of translation', - 'def': 'Any process that modulates the frequency, rate or extent of miRNA mediated inhibition of translation. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23409027]' - }, - 'GO:1905617': { - 'name': 'negative regulation of miRNA mediated inhibition of translation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of miRNA mediated inhibition of translation. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23409027]' - }, - 'GO:1905618': { - 'name': 'positive regulation of miRNA mediated inhibition of translation', - 'def': 'Any process that activates or increases the frequency, rate or extent of miRNA mediated inhibition of translation. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23409027]' - }, - 'GO:1905619': { - 'name': 'regulation of alpha-(1->3)-fucosyltransferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of alpha-(1->3)-fucosyltransferase activity. [GO_REF:0000059, GOC:TermGenie, PMID:15364955]' - }, - 'GO:1905620': { - 'name': 'negative regulation of alpha-(1->3)-fucosyltransferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of alpha-(1->3)-fucosyltransferase activity. [GO_REF:0000059, GOC:TermGenie, PMID:15364955]' - }, - 'GO:1905621': { - 'name': 'positive regulation of alpha-(1->3)-fucosyltransferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of alpha-(1->3)-fucosyltransferase activity. [GO_REF:0000059, GOC:TermGenie, PMID:15364955]' - }, - 'GO:1905622': { - 'name': 'negative regulation of leaf development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leaf development. [GO_REF:0000058, GOC:TermGenie, PMID:11606552]' - }, - 'GO:1905623': { - 'name': 'positive regulation of leaf development', - 'def': 'Any process that activates or increases the frequency, rate or extent of leaf development. [GO_REF:0000058, GOC:TermGenie, PMID:11606552]' - }, - 'GO:1905624': { - 'name': 'regulation of L-methionine import across plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of L-methionine import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:17556368]' - }, - 'GO:1905625': { - 'name': 'negative regulation of L-methionine import across plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-methionine import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:17556368]' - }, - 'GO:1905626': { - 'name': 'positive regulation of L-methionine import across plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-methionine import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:17556368]' - }, - 'GO:1905627': { - 'name': 'regulation of serotonin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of serotonin biosynthetic process. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:25642596]' - }, - 'GO:1905628': { - 'name': 'negative regulation of serotonin biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of serotonin biosynthetic process. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:25642596]' - }, - 'GO:1905629': { - 'name': 'positive regulation of serotonin biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of serotonin biosynthetic process. [GO_REF:0000058, GOC:pad, GOC:PARL, GOC:TermGenie, PMID:25642596]' - }, - 'GO:1905630': { - 'name': 'response to glyceraldehyde', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glyceraldehyde stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:11377826]' - }, - 'GO:1905631': { - 'name': 'cellular response to glyceraldehyde', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glyceraldehyde stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:11377826]' - }, - 'GO:1905632': { - 'name': 'protein localization to euchromatin', - 'def': 'A process in which a protein is transported to, or maintained in, a location within an euchromatin. [GO_REF:0000087, GOC:TermGenie, PMID:20889714]' - }, - 'GO:1905633': { - 'name': 'establishment of protein localization to euchromatin', - 'def': 'The directed movement of a protein to a specific location in an euchromatin. [GO_REF:0000087, GOC:TermGenie, PMID:20889714]' - }, - 'GO:1905634': { - 'name': 'regulation of protein localization to chromatin', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to chromatin. [GO_REF:0000058, GOC:TermGenie, PMID:20889714]' - }, - 'GO:1905635': { - 'name': 'FACT complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a FACT complex. [GO_REF:0000079, GOC:TermGenie, PMID:20889714]' - }, - 'GO:1905636': { - 'name': 'positive regulation of RNA polymerase II regulatory region sequence-specific DNA binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of RNA polymerase II regulatory region sequence-specific DNA binding. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23675531]' - }, - 'GO:1905637': { - 'name': 'regulation of mitochondrial mRNA catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of mitochondrial mRNA catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:27122350]' - }, - 'GO:1905638': { - 'name': 'negative regulation of mitochondrial mRNA catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitochondrial mRNA catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:27122350]' - }, - 'GO:1905639': { - 'name': 'positive regulation of mitochondrial mRNA catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitochondrial mRNA catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:27122350]' - }, - 'GO:1905640': { - 'name': 'response to acetaldehyde', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acetaldehyde stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:27687866]' - }, - 'GO:1905641': { - 'name': 'cellular response to acetaldehyde', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an acetaldehyde stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:27687866]' - }, - 'GO:1905642': { - 'name': 'negative regulation of DNA methylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA methylation. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:27336847]' - }, - 'GO:1905643': { - 'name': 'positive regulation of DNA methylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA methylation. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:27336847]' - }, - 'GO:1905644': { - 'name': 'regulation of FACT complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of FACT complex assembly. [GO_REF:0000058, GOC:TermGenie, PMID:20889714]' - }, - 'GO:1905645': { - 'name': 'negative regulation of FACT complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of FACT complex assembly. [GO_REF:0000058, GOC:TermGenie, PMID:20889714]' - }, - 'GO:1905646': { - 'name': 'positive regulation of FACT complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of FACT complex assembly. [GO_REF:0000058, GOC:TermGenie, PMID:20889714]' - }, - 'GO:1905647': { - 'name': 'proline import across plasma membrane', - 'def': 'The directed movement of proline from outside of a cell into the cytoplasmic compartment. [GO_REF:0000075, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1905648': { - 'name': 'regulation of shell calcification', - 'def': 'Any process that modulates the frequency, rate or extent of shell calcification. [GO_REF:0000058, GOC:TermGenie, PMID:14648763]' - }, - 'GO:1905649': { - 'name': 'negative regulation of shell calcification', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of shell calcification. [GO_REF:0000058, GOC:TermGenie, PMID:14648763]' - }, - 'GO:1905650': { - 'name': 'positive regulation of shell calcification', - 'def': 'Any process that activates or increases the frequency, rate or extent of shell calcification. [GO_REF:0000058, GOC:TermGenie, PMID:14648763]' - }, - 'GO:1905651': { - 'name': 'regulation of artery morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of artery morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:27389411]' - }, - 'GO:1905652': { - 'name': 'negative regulation of artery morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of artery morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:27389411]' - }, - 'GO:1905653': { - 'name': 'positive regulation of artery morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of artery morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:27389411]' - }, - 'GO:1905654': { - 'name': 'regulation of artery smooth muscle contraction', - 'def': 'Any process that modulates the frequency, rate or extent of artery smooth muscle contraction. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:27389411]' - }, - 'GO:1905655': { - 'name': 'negative regulation of artery smooth muscle contraction', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of artery smooth muscle contraction. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:27389411]' - }, - 'GO:1905656': { - 'name': 'positive regulation of artery smooth muscle contraction', - 'def': 'Any process that activates or increases the frequency, rate or extent of artery smooth muscle contraction. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:27389411]' - }, - 'GO:1905660': { - 'name': 'mitotic checkpoint complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a mitotic checkpoint complex. [GO_REF:0000079, GOC:TermGenie, PMID:26882497]' - }, - 'GO:1905661': { - 'name': 'regulation of telomerase RNA reverse transcriptase activity', - 'def': 'Any process that modulates the frequency, rate or extent of telomerase RNA reverse transcriptase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22633954]' - }, - 'GO:1905662': { - 'name': 'negative regulation of telomerase RNA reverse transcriptase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomerase RNA reverse transcriptase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22633954]' - }, - 'GO:1905663': { - 'name': 'positive regulation of telomerase RNA reverse transcriptase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomerase RNA reverse transcriptase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:22633954]' - }, - 'GO:1905664': { - 'name': 'regulation of calcium ion import across plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of calcium ion import across plasma membrane. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:17640527]' - }, - 'GO:1905665': { - 'name': 'positive regulation of calcium ion import across plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium ion import across plasma membrane. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:17640527]' - }, - 'GO:1905666': { - 'name': 'regulation of protein localization to endosome', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to endosome. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:22732145]' - }, - 'GO:1905667': { - 'name': 'negative regulation of protein localization to endosome', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to endosome. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:22732145]' - }, - 'GO:1905668': { - 'name': 'positive regulation of protein localization to endosome', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to endosome. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:22732145]' - }, - 'GO:1905669': { - 'name': 'TORC1 complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a TORC1 complex. [GO_REF:0000079, GOC:kmv, GOC:TermGenie, PMID:21952218]' - }, - 'GO:1905670': { - 'name': 'TORC2 complex disassembly', - 'def': 'The disaggregation of a TORC2 complex into its constituent components. [GO_REF:0000079, GOC:kmv, GOC:TermGenie, PMID:21952218]' - }, - 'GO:1905671': { - 'name': 'regulation of lysosome organization', - 'def': 'Any process that modulates the frequency, rate or extent of lysosome organization. [GO_REF:0000058, GOC:TermGenie, PMID:25561470]' - }, - 'GO:1905672': { - 'name': 'negative regulation of lysosome organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lysosome organization. [GO_REF:0000058, GOC:TermGenie, PMID:25561470]' - }, - 'GO:1905673': { - 'name': 'positive regulation of lysosome organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of lysosome organization. [GO_REF:0000058, GOC:TermGenie, PMID:25561470]' - }, - 'GO:1905674': { - 'name': 'regulation of adaptive immune memory response', - 'def': 'Any process that modulates the frequency, rate or extent of adaptive immune memory response. [GO_REF:0000058, GOC:TermGenie, PMID:26831526]' - }, - 'GO:1905675': { - 'name': 'negative regulation of adaptive immune memory response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of adaptive immune memory response. [GO_REF:0000058, GOC:TermGenie, PMID:26831526]' - }, - 'GO:1905676': { - 'name': 'positive regulation of adaptive immune memory response', - 'def': 'Any process that activates or increases the frequency, rate or extent of adaptive immune memory response. [GO_REF:0000058, GOC:TermGenie, PMID:26831526]' - }, - 'GO:1905677': { - 'name': 'regulation of adaptive immune effector response', - 'def': 'Any process that modulates the frequency, rate or extent of adaptive immune effector response. [GO_REF:0000058, GOC:TermGenie, ISBN:9781405196833]' - }, - 'GO:1905678': { - 'name': 'negative regulation of adaptive immune effector response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of adaptive immune effector response. [GO_REF:0000058, GOC:TermGenie, ISBN:9781405196833]' - }, - 'GO:1905679': { - 'name': 'positive regulation of adaptive immune effector response', - 'def': 'Any process that activates or increases the frequency, rate or extent of adaptive immune effector response. [GO_REF:0000058, GOC:TermGenie, ISBN:9781405196833]' - }, - 'GO:1905680': { - 'name': 'regulation of innate immunity memory response', - 'def': 'Any process that modulates the frequency, rate or extent of innate immunity memory response. [GO_REF:0000058, GOC:TermGenie]' - }, - 'GO:1905681': { - 'name': 'negative regulation of innate immunity memory response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of innate immunity memory response. [GO_REF:0000058, GOC:TermGenie]' - }, - 'GO:1905682': { - 'name': 'positive regulation of innate immunity memory response', - 'def': 'Any process that activates or increases the frequency, rate or extent of innate immunity memory response. [GO_REF:0000058, GOC:TermGenie]' - }, - 'GO:1905683': { - 'name': 'peroxisome disassembly', - 'def': 'The disaggregation of a peroxisome into its constituent components. [GO_REF:0000079, GOC:autophagy, GOC:pr, GOC:TermGenie]' - }, - 'GO:1905684': { - 'name': 'regulation of plasma membrane repair', - 'def': 'Any process that modulates the frequency, rate or extent of plasma membrane repair. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:22940583]' - }, - 'GO:1905685': { - 'name': 'negative regulation of plasma membrane repair', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of plasma membrane repair. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:22940583]' - }, - 'GO:1905686': { - 'name': 'positive regulation of plasma membrane repair', - 'def': 'Any process that activates or increases the frequency, rate or extent of plasma membrane repair. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:22940583]' - }, - 'GO:1905687': { - 'name': 'regulation of diacylglycerol kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of diacylglycerol kinase activity. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23091060]' - }, - 'GO:1905688': { - 'name': 'negative regulation of diacylglycerol kinase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of diacylglycerol kinase activity. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23091060]' - }, - 'GO:1905689': { - 'name': 'positive regulation of diacylglycerol kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of diacylglycerol kinase activity. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23091060]' - }, - 'GO:1905690': { - 'name': 'nucleus disassembly', - 'def': 'The disaggregation of a nucleus into its constituent components. [GO_REF:0000079, GOC:autophagy, GOC:pr, GOC:TermGenie]' - }, - 'GO:1905691': { - 'name': 'lipid particle disassembly', - 'def': 'The disaggregation of a lipid particle into its constituent components. [GO_REF:0000079, GOC:autophagy, GOC:pr, GOC:TermGenie]' - }, - 'GO:1905692': { - 'name': 'endoplasmic reticulum disassembly', - 'def': 'The disaggregation of an endoplasmic reticulum into its constituent components. [GO_REF:0000079, GOC:autophagy, GOC:pr, GOC:TermGenie]' - }, - 'GO:1905693': { - 'name': 'regulation of phosphatidic acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of phosphatidic acid biosynthetic process. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23767959]' - }, - 'GO:1905694': { - 'name': 'negative regulation of phosphatidic acid biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phosphatidic acid biosynthetic process. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23767959]' - }, - 'GO:1905695': { - 'name': 'positive regulation of phosphatidic acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidic acid biosynthetic process. [GO_REF:0000058, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:23767959]' - }, - 'GO:1905696': { - 'name': 'regulation of polysome binding', - 'def': 'Any process that modulates the frequency, rate or extent of polysome binding. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:18426977]' - }, - 'GO:1905697': { - 'name': 'negative regulation of polysome binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of polysome binding. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:18426977]' - }, - 'GO:1905698': { - 'name': 'positive regulation of polysome binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of polysome binding. [GO_REF:0000059, GOC:bc, GOC:PARL, GOC:TermGenie, PMID:18426977]' - }, - 'GO:1905699': { - 'name': 'regulation of drug transmembrane export', - 'def': 'Any process that modulates the frequency, rate or extent of drug transmembrane export. [GO_REF:0000058, GOC:TermGenie, PMID:15198509]' - }, - 'GO:1905700': { - 'name': 'negative regulation of drug transmembrane export', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of drug transmembrane export. [GO_REF:0000058, GOC:TermGenie, PMID:15198509]' - }, - 'GO:1905701': { - 'name': 'positive regulation of drug transmembrane export', - 'def': 'Any process that activates or increases the frequency, rate or extent of drug transmembrane export. [GO_REF:0000058, GOC:TermGenie, PMID:15198509]' - }, - 'GO:1905702': { - 'name': 'regulation of inhibitory synapse assembly', - 'def': 'Any process that modulates the frequency, rate or extent of inhibitory synapse assembly. [GO_REF:0000058, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905703': { - 'name': 'negative regulation of inhibitory synapse assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of inhibitory synapse assembly. [GO_REF:0000058, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905704': { - 'name': 'positive regulation of inhibitory synapse assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of inhibitory synapse assembly. [GO_REF:0000058, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905705': { - 'name': 'cellular response to paclitaxel', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a paclitaxel stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:18472094]' - }, - 'GO:1905706': { - 'name': 'regulation of mitochondrial ATP synthesis coupled proton transport', - 'def': 'Any process that modulates the frequency, rate or extent of mitochondrial ATP synthesis coupled proton transport. [GO_REF:0000058, GOC:TermGenie, PMID:12809520, PMID:15294286]' - }, - 'GO:1905707': { - 'name': 'negative regulation of mitochondrial ATP synthesis coupled proton transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitochondrial ATP synthesis coupled proton transport. [GO_REF:0000058, GOC:TermGenie, PMID:12809520, PMID:15294286]' - }, - 'GO:1905708': { - 'name': 'regulation of cell morphogenesis involved in conjugation with cellular fusion', - 'def': 'Any process that modulates the location, frequency, rate or extent of cell morphogenesis involved in conjugation with cellular fusion. [GO_REF:0000058, GOC:TermGenie, PMID:23200991]' - }, - 'GO:1905709': { - 'name': 'negative regulation of membrane permeability', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of the passage or uptake of molecules by a membrane. [PMID:27482894]' - }, - 'GO:1905710': { - 'name': 'positive regulation of membrane permeability', - 'def': 'Any process that activates or increases the frequency, rate or extent of the passage or uptake of molecules by a membrane. [PMID:27482894]' - }, - 'GO:1905711': { - 'name': 'response to phosphatidylethanolamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a phosphatidylethanolamine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:1657995]' - }, - 'GO:1905712': { - 'name': 'cellular response to phosphatidylethanolamine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a phosphatidylethanolamine stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:1657995]' - }, - 'GO:1905713': { - 'name': 'obsolete mitochondrial calcium uptake involved in regulation of presynaptic cytosolic calcium ion concentration', - 'def': 'OBSOLETE. Any mitochondrial calcium uptake that is involved in regulation of presynaptic cytosolic calcium ion concentration. [GO_REF:0000060, GOC:TermGenie, PMID:26644474]' - }, - 'GO:1905714': { - 'name': 'obsolete mitochondrial calcium release involved in regulation of presynaptic cytosolic calcium ion concentration', - 'def': 'OBSOLETE. Any mitochondrial calcium release that is involved in regulation of presynaptic cytosolic calcium ion concentration. [GO_REF:0000060, GOC:TermGenie, PMID:26644474]' - }, - 'GO:1905715': { - 'name': 'regulation of cornification', - 'def': 'Any process that modulates the frequency, rate or extent of cornification. [GO_REF:0000058, GOC:TermGenie, PMID:26014679]' - }, - 'GO:1905716': { - 'name': 'negative regulation of cornification', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cornification. [GO_REF:0000058, GOC:TermGenie, PMID:26014679]' - }, - 'GO:1905717': { - 'name': 'positive regulation of cornification', - 'def': 'Any process that activates or increases the frequency, rate or extent of cornification. [GO_REF:0000058, GOC:TermGenie, PMID:26014679]' - }, - 'GO:1905718': { - 'name': 'obsolete mitotic spindle astral microtubule end', - 'def': 'OBSOLETE. Any microtubule end that is part of a mitotic spindle astral microtubule. [GO_REF:0000064, GOC:TermGenie, PMID:11007487]' - }, - 'GO:1905719': { - 'name': 'protein localization to perinuclear region of cytoplasm', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the perinuclear region of the cytoplasm. [GO_REF:0000087, GOC:TermGenie, PMID:15177031]' - }, - 'GO:1905720': { - 'name': 'cytoplasmic microtubule bundle', - 'def': 'Any microtubule bundle that is part of a cytoplasm. [GO_REF:0000064, GOC:TermGenie, PMID:11007487, PMID:26124291]' - }, - 'GO:1905721': { - 'name': 'mitotic spindle astral microtubule end', - 'def': 'Any microtubule end that is part of a mitotic spindle astral microtubule. [GO_REF:0000064, GOC:TermGenie, PMID:11007487]' - }, - 'GO:1905722': { - 'name': 'regulation of trypanothione biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of trypanothione biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:18949025]' - }, - 'GO:1905723': { - 'name': 'negative regulation of trypanothione biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of trypanothione biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:18949025]' - }, - 'GO:1905724': { - 'name': 'positive regulation of trypanothione biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of trypanothione biosynthetic process. [GO_REF:0000058, GOC:TermGenie, PMID:18949025]' - }, - 'GO:1905725': { - 'name': 'protein localization to microtubule end', - 'def': 'A process in which a protein is transported to, or maintained in, a location at a microtubule end. [GO_REF:0000087, GOC:TermGenie, PMID:12034771]' - }, - 'GO:1905735': { - 'name': 'regulation of L-proline import across plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of L-proline import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1905736': { - 'name': 'negative regulation of L-proline import across plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of L-proline import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1905737': { - 'name': 'positive regulation of L-proline import across plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of L-proline import across plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:24344203]' - }, - 'GO:1905741': { - 'name': 'mitochondrial calcium release involved in positive regulation of presynaptic cytosolic calcium concentration', - 'def': 'Any mitochondrial calcium release that is involved in positive regulation of presynaptic cytosolic calcium concentration. [GO_REF:0000060, GOC:TermGenie, PMID:26644474]' - }, - 'GO:1905742': { - 'name': 'Ras guanyl-nucleotide exchange factor complex', - 'def': 'A protein complex which is capable of Ras guanyl-nucleotide exchange factor activity. [GO_REF:0000088, GOC:rjd, GOC:TermGenie, PMID:20493808]' - }, - 'GO:1905743': { - 'name': 'mitochondrial calcium uptake involved in negative regulation of presynaptic cytosolic calcium concentration', - 'def': 'Any mitochondrial calcium uptake that is involved in negative regulation of presynaptic cytosolic calcium concentration. [GO_REF:0000060, GOC:TermGenie, PMID:26644474]' - }, - 'GO:1905744': { - 'name': 'regulation of mRNA cis splicing, via spliceosome', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA cis splicing, via spliceosome. [GO_REF:0000058, GOC:TermGenie, PMID:2880558]' - }, - 'GO:1905745': { - 'name': 'negative regulation of mRNA cis splicing, via spliceosome', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mRNA cis splicing, via spliceosome. [GO_REF:0000058, GOC:TermGenie, PMID:2880558]' - }, - 'GO:1905746': { - 'name': 'positive regulation of mRNA cis splicing, via spliceosome', - 'def': 'Any process that activates or increases the frequency, rate or extent of mRNA cis splicing, via spliceosome. [GO_REF:0000058, GOC:TermGenie, PMID:2880558]' - }, - 'GO:1905747': { - 'name': 'negative regulation of saliva secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of saliva secretion. [GO_REF:0000058, GOC:TermGenie, PMID:23419067]' - }, - 'GO:1905748': { - 'name': 'hard palate morphogenesis', - 'def': 'The developmental process by which a hard palate is generated and organized. [GO_REF:0000083, GOC:TermGenie, PMID:23419067]' - }, - 'GO:1905749': { - 'name': 'regulation of endosome to plasma membrane protein transport', - 'def': 'Any process that modulates the frequency, rate or extent of endosome to plasma membrane protein transport. [GO_REF:0000058, GOC:TermGenie, PMID:22869721]' - }, - 'GO:1905750': { - 'name': 'negative regulation of endosome to plasma membrane protein transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endosome to plasma membrane protein transport. [GO_REF:0000058, GOC:TermGenie, PMID:22869721]' - }, - 'GO:1905751': { - 'name': 'positive regulation of endosome to plasma membrane protein transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of endosome to plasma membrane protein transport. [GO_REF:0000058, GOC:TermGenie, PMID:22869721]' - }, - 'GO:1905752': { - 'name': 'regulation of argininosuccinate synthase activity', - 'def': 'Any process that modulates the frequency, rate or extent of argininosuccinate synthase activity. [GO_REF:0000059, GOC:TermGenie, PMID:19491403]' - }, - 'GO:1905753': { - 'name': 'positive regulation of argininosuccinate synthase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of argininosuccinate synthase activity. [GO_REF:0000059, GOC:TermGenie, PMID:19491403]' - }, - 'GO:1905754': { - 'name': 'ascospore-type prospore nucleus', - 'def': 'Any nucleus that is part of a ascospore-type prospore. [GO_REF:0000064, GOC:TermGenie, PMID:26942678]' - }, - 'GO:1905755': { - 'name': 'protein localization to cytoplasmic microtubule', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a cytoplasmic microtubule. [GO_REF:0000087, GOC:TermGenie, PMID:15177031]' - }, - 'GO:1905756': { - 'name': 'regulation of primary cell septum biogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of primary cell septum biogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:27898700]' - }, - 'GO:1905757': { - 'name': 'negative regulation of primary cell septum biogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of primary cell septum biogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:27898700]' - }, - 'GO:1905758': { - 'name': 'positive regulation of primary cell septum biogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of primary cell septum biogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:27898700]' - }, - 'GO:1905759': { - 'name': 'post-anaphase array microtubule', - 'def': 'Any microtubule that is part of a post-anaphase microtubule array. [GO_REF:0000064, GOC:TermGenie, PMID:11007487]' - }, - 'GO:1905760': { - 'name': 'post-anaphase array microtubule end', - 'def': 'Any microtubule end that is part of a post-anaphase array microtubule. [GO_REF:0000064, GOC:TermGenie, PMID:11007487]' - }, - 'GO:1905761': { - 'name': 'SCF ubiquitin ligase complex binding', - 'def': 'Interacting selectively and non-covalently with a SCF ubiquitin ligase complex. [GO_REF:000102, GOC:dph, GOC:ha, GOC:TermGenie, PMID:19723762]' - }, - 'GO:1905762': { - 'name': 'CCR4-NOT complex binding', - 'def': 'Interacting selectively and non-covalently with a CCR4-NOT complex. [GO_REF:000102, GOC:TermGenie, PMID:26942678]' - }, - 'GO:1905763': { - 'name': 'MTREC complex binding', - 'def': 'Interacting selectively and non-covalently with a MTREC complex. [GO_REF:000102, GOC:TermGenie, PMID:26942678]' - }, - 'GO:1905764': { - 'name': 'regulation of protection from non-homologous end joining at telomere', - 'def': 'Any process that modulates the frequency, rate or extent of protection from non-homologous end joining at telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:14690602]' - }, - 'GO:1905765': { - 'name': 'negative regulation of protection from non-homologous end joining at telomere', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protection from non-homologous end joining at telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:14690602]' - }, - 'GO:1905766': { - 'name': 'positive regulation of protection from non-homologous end joining at telomere', - 'def': 'Any process that activates or increases the frequency, rate or extent of protection from non-homologous end joining at telomere. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:14690602]' - }, - 'GO:1905767': { - 'name': 'regulation of double-stranded telomeric DNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of double-stranded telomeric DNA binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:18812185]' - }, - 'GO:1905768': { - 'name': 'negative regulation of double-stranded telomeric DNA binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of double-stranded telomeric DNA binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:18812185]' - }, - 'GO:1905769': { - 'name': 'positive regulation of double-stranded telomeric DNA binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of double-stranded telomeric DNA binding. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:18812185]' - }, - 'GO:1905770': { - 'name': 'regulation of mesodermal cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of mesodermal cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23765923]' - }, - 'GO:1905771': { - 'name': 'negative regulation of mesodermal cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mesodermal cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23765923]' - }, - 'GO:1905772': { - 'name': 'positive regulation of mesodermal cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesodermal cell differentiation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23765923]' - }, - 'GO:1905773': { - 'name': "8-hydroxy-2'-deoxyguanosine DNA binding", - 'def': "Interacting selectively and non-covalently with 8-hydroxy-2'-deoxyguanosine an oxidized purine residue found in damaged DNA. [GO_REF:0000067, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:19734539]" - }, - 'GO:1905774': { - 'name': 'regulation of DNA helicase activity', - 'def': 'Any process that modulates the frequency, rate or extent of DNA helicase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:19734539]' - }, - 'GO:1905775': { - 'name': 'negative regulation of DNA helicase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA helicase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:19734539]' - }, - 'GO:1905776': { - 'name': 'positive regulation of DNA helicase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA helicase activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:19734539]' - }, - 'GO:1905777': { - 'name': 'regulation of exonuclease activity', - 'def': 'Any process that modulates the frequency, rate or extent of exonuclease activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:15200954]' - }, - 'GO:1905778': { - 'name': 'negative regulation of exonuclease activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of exonuclease activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:15200954]' - }, - 'GO:1905779': { - 'name': 'positive regulation of exonuclease activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of exonuclease activity. [GO_REF:0000059, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:15200954]' - }, - 'GO:1905780': { - 'name': 'regulation of phosphatidylserine exposure on apoptotic cell surface', - 'def': 'Any process that modulates the frequency, rate or extent of phosphatidylserine exposure on apoptotic cell surface. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:17401362]' - }, - 'GO:1905781': { - 'name': 'negative regulation of phosphatidylserine exposure on apoptotic cell surface', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phosphatidylserine exposure on apoptotic cell surface. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:17401362]' - }, - 'GO:1905782': { - 'name': 'positive regulation of phosphatidylserine exposure on apoptotic cell surface', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidylserine exposure on apoptotic cell surface. [GO_REF:0000058, GOC:kmv, GOC:TermGenie, PMID:17401362]' - }, - 'GO:1905783': { - 'name': 'CENP-A containing nucleosome disassembly', - 'def': 'The disaggregation of a CENP-A containing nucleosome into its constituent components. [GO_REF:0000079, GOC:TermGenie, PMID:27666591]' - }, - 'GO:1905784': { - 'name': 'regulation of anaphase-promoting complex-dependent catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of anaphase-promoting complex-dependent catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:10921876]' - }, - 'GO:1905785': { - 'name': 'negative regulation of anaphase-promoting complex-dependent catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anaphase-promoting complex-dependent catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:10921876]' - }, - 'GO:1905786': { - 'name': 'positive regulation of anaphase-promoting complex-dependent catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of anaphase-promoting complex-dependent catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:10921876]' - }, - 'GO:1905787': { - 'name': 'regulation of detection of mechanical stimulus involved in sensory perception of touch', - 'def': 'Any process that modulates the frequency, rate or extent of detection of mechanical stimulus involved in sensory perception of touch. [GO_REF:0000058, GOC:TermGenie, PMID:8692859]' - }, - 'GO:1905788': { - 'name': 'negative regulation of detection of mechanical stimulus involved in sensory perception of touch', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of detection of mechanical stimulus involved in sensory perception of touch. [GO_REF:0000058, GOC:TermGenie, PMID:8692859]' - }, - 'GO:1905789': { - 'name': 'positive regulation of detection of mechanical stimulus involved in sensory perception of touch', - 'def': 'Any process that activates or increases the frequency, rate or extent of detection of mechanical stimulus involved in sensory perception of touch. [GO_REF:0000058, GOC:TermGenie, PMID:8692859]' - }, - 'GO:1905790': { - 'name': 'regulation of mechanosensory behavior', - 'def': 'Any process that modulates the frequency, rate or extent of mechanosensory behavior. [GO_REF:0000058, GOC:TermGenie, PMID:8692859]' - }, - 'GO:1905791': { - 'name': 'negative regulation of mechanosensory behavior', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mechanosensory behavior. [GO_REF:0000058, GOC:TermGenie, PMID:8692859]' - }, - 'GO:1905792': { - 'name': 'positive regulation of mechanosensory behavior', - 'def': 'Any process that activates or increases the frequency, rate or extent of mechanosensory behavior. [GO_REF:0000058, GOC:TermGenie, PMID:8692859]' - }, - 'GO:1905793': { - 'name': 'protein localization to pericentriolar material', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a pericentriolar material. [GO_REF:0000087, GOC:TermGenie, PMID:21694707, PMID:24385583]' - }, - 'GO:1905794': { - 'name': 'response to puromycin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a puromycin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:25736288]' - }, - 'GO:1905795': { - 'name': 'cellular response to puromycin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a puromycin stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:25736288]' - }, - 'GO:1905796': { - 'name': 'regulation of intraciliary anterograde transport', - 'def': 'Any process that modulates the frequency, rate or extent of intraciliary anterograde transport. [GO_REF:0000058, GOC:TermGenie, PMID:27930654]' - }, - 'GO:1905797': { - 'name': 'negative regulation of intraciliary anterograde transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intraciliary anterograde transport. [GO_REF:0000058, GOC:TermGenie, PMID:27930654]' - }, - 'GO:1905798': { - 'name': 'positive regulation of intraciliary anterograde transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of intraciliary anterograde transport. [GO_REF:0000058, GOC:TermGenie, PMID:27930654]' - }, - 'GO:1905799': { - 'name': 'regulation of intraciliary retrograde transport', - 'def': 'Any process that modulates the frequency, rate or extent of intraciliary retrograde transport. [GO_REF:0000058, GOC:TermGenie, PMID:27930654]' - }, - 'GO:1905800': { - 'name': 'negative regulation of intraciliary retrograde transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intraciliary retrograde transport. [GO_REF:0000058, GOC:TermGenie, PMID:27930654]' - }, - 'GO:1905801': { - 'name': 'positive regulation of intraciliary retrograde transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of intraciliary retrograde transport. [GO_REF:0000058, GOC:TermGenie, PMID:27930654]' - }, - 'GO:1905802': { - 'name': 'regulation of cellular response to manganese ion', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to manganese ion. [GO_REF:0000058, GOC:TermGenie, PMID:23721876]' - }, - 'GO:1905803': { - 'name': 'negative regulation of cellular response to manganese ion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to manganese ion. [GO_REF:0000058, GOC:TermGenie, PMID:23721876]' - }, - 'GO:1905804': { - 'name': 'positive regulation of cellular response to manganese ion', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to manganese ion. [GO_REF:0000058, GOC:TermGenie, PMID:23721876]' - }, - 'GO:1905805': { - 'name': 'excitatory synapse disassembly', - 'def': 'The disaggregation of an excitatory synapse into its constituent components. [GO_REF:0000079, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905806': { - 'name': 'regulation of synapse disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of synapse disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905807': { - 'name': 'negative regulation of synapse disassembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synapse disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905808': { - 'name': 'positive regulation of synapse disassembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of synapse disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905809': { - 'name': 'negative regulation of synapse organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synapse organization. [GO_REF:0000058, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905810': { - 'name': 'regulation of excitatory synapse disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of excitatory synapse disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905811': { - 'name': 'negative regulation of excitatory synapse disassembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of excitatory synapse disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:27779093]' - }, - 'GO:1905812': { - 'name': 'regulation of motor neuron axon guidance', - 'def': 'Any process that modulates the frequency, rate or extent of motor neuron axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:18434533]' - }, - 'GO:1905813': { - 'name': 'negative regulation of motor neuron axon guidance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of motor neuron axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:18434533]' - }, - 'GO:1905814': { - 'name': 'positive regulation of motor neuron axon guidance', - 'def': 'Any process that activates or increases the frequency, rate or extent of motor neuron axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:18434533]' - }, - 'GO:1905815': { - 'name': 'regulation of dorsal/ventral axon guidance', - 'def': 'Any process that modulates the frequency, rate or extent of dorsal/ventral axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:18434533]' - }, - 'GO:1905816': { - 'name': 'negative regulation of dorsal/ventral axon guidance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dorsal/ventral axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:18434533]' - }, - 'GO:1905817': { - 'name': 'positive regulation of dorsal/ventral axon guidance', - 'def': 'Any process that activates or increases the frequency, rate or extent of dorsal/ventral axon guidance. [GO_REF:0000058, GOC:TermGenie, PMID:18434533]' - }, - 'GO:1905818': { - 'name': 'regulation of chromosome separation', - 'def': 'Any process that modulates the frequency, rate or extent of chromosome separation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:21795393]' - }, - 'GO:1905819': { - 'name': 'negative regulation of chromosome separation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chromosome separation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:21795393]' - }, - 'GO:1905820': { - 'name': 'positive regulation of chromosome separation', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromosome separation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:21795393]' - }, - 'GO:1905821': { - 'name': 'positive regulation of chromosome condensation', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromosome condensation. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:17268547]' - }, - 'GO:1905822': { - 'name': 'regulation of mitotic sister chromatid arm separation', - 'def': 'Any process that modulates the frequency, rate or extent of mitotic sister chromatid arm separation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18765790]' - }, - 'GO:1905823': { - 'name': 'negative regulation of mitotic sister chromatid arm separation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic sister chromatid arm separation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18765790]' - }, - 'GO:1905824': { - 'name': 'positive regulation of mitotic sister chromatid arm separation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mitotic sister chromatid arm separation. [GO_REF:0000058, GOC:als, GOC:TermGenie, PMID:18765790]' - }, - 'GO:1905825': { - 'name': 'regulation of selenocysteine metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of selenocysteine metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:19716792]' - }, - 'GO:1905826': { - 'name': 'negative regulation of selenocysteine metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of selenocysteine metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:19716792]' - }, - 'GO:1905827': { - 'name': 'positive regulation of selenocysteine metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of selenocysteine metabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:19716792]' - }, - 'GO:1905828': { - 'name': 'regulation of prostaglandin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of prostaglandin catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:12432938]' - }, - 'GO:1905829': { - 'name': 'negative regulation of prostaglandin catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of prostaglandin catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:12432938]' - }, - 'GO:1905830': { - 'name': 'positive regulation of prostaglandin catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of prostaglandin catabolic process. [GO_REF:0000058, GOC:TermGenie, PMID:12432938]' - }, - 'GO:1905831': { - 'name': 'negative regulation of spindle assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of spindle assembly. [GO_REF:0000058, GOC:TermGenie, PMID:27689799]' - }, - 'GO:1905832': { - 'name': 'positive regulation of spindle assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of spindle assembly. [GO_REF:0000058, GOC:TermGenie, PMID:27689799]' - }, - 'GO:1905833': { - 'name': 'negative regulation of microtubule nucleation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of microtubule nucleation. [GO_REF:0000058, GOC:TermGenie, PMID:27689799]' - }, - 'GO:1905834': { - 'name': 'response to pyrimidine ribonucleotide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pyrimidine ribonucleotide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22065602]' - }, - 'GO:1905835': { - 'name': 'cellular response to pyrimidine ribonucleotide', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a pyrimidine ribonucleotide stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:22065602]' - }, - 'GO:1905836': { - 'name': 'response to triterpenoid', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a triterpenoid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:28078994]' - }, - 'GO:1905837': { - 'name': 'cellular response to triterpenoid', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a triterpenoid stimulus. [GO_REF:0000071, GOC:TermGenie, PMID:28078994]' - }, - 'GO:1905838': { - 'name': 'regulation of telomeric D-loop disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of telomeric D-loop disassembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:15200954]' - }, - 'GO:1905839': { - 'name': 'negative regulation of telomeric D-loop disassembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of telomeric D-loop disassembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:15200954]' - }, - 'GO:1905840': { - 'name': 'positive regulation of telomeric D-loop disassembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of telomeric D-loop disassembly. [GO_REF:0000058, GOC:BHF, GOC:BHF_telomere, GOC:nc, GOC:TermGenie, PMID:15200954]' - }, - 'GO:1905841': { - 'name': 'response to oxidopamine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an oxidopamine stimulus. [GO_REF:0000071, GOC:rz, GOC:TermGenie, PMID:23721876]' - }, - 'GO:1905842': { - 'name': 'cellular response to oxidopamine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an oxidopamine stimulus. [GO_REF:0000071, GOC:rz, GOC:TermGenie, PMID:23721876]' - }, - 'GO:1905843': { - 'name': 'regulation of cellular response to gamma radiation', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to gamma radiation. [GO_REF:0000058, GOC:TermGenie, PMID:23505386]' - }, - 'GO:1905844': { - 'name': 'negative regulation of cellular response to gamma radiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to gamma radiation. [GO_REF:0000058, GOC:TermGenie, PMID:23505386]' - }, - 'GO:1905845': { - 'name': 'positive regulation of cellular response to gamma radiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to gamma radiation. [GO_REF:0000058, GOC:TermGenie, PMID:23505386]' - }, - 'GO:1905846': { - 'name': 'regulation of cellular response to oxidopamine', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to oxidopamine. [GO_REF:0000058, GOC:TermGenie, PMID:23721876]' - }, - 'GO:1905847': { - 'name': 'negative regulation of cellular response to oxidopamine', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to oxidopamine. [GO_REF:0000058, GOC:TermGenie, PMID:23721876]' - }, - 'GO:1905848': { - 'name': 'positive regulation of cellular response to oxidopamine', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to oxidopamine. [GO_REF:0000058, GOC:TermGenie, PMID:23721876]' - }, - 'GO:1905849': { - 'name': 'negative regulation of forward locomotion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of forward locomotion. [GO_REF:0000058, GOC:TermGenie, PMID:11717360]' - }, - 'GO:1905850': { - 'name': 'positive regulation of forward locomotion', - 'def': 'Any process that activates or increases the frequency, rate or extent of forward locomotion. [GO_REF:0000058, GOC:TermGenie, PMID:11717360]' - }, - 'GO:1905851': { - 'name': 'negative regulation of backward locomotion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of backward locomotion. [GO_REF:0000058, GOC:TermGenie, PMID:11717360]' - }, - 'GO:1905852': { - 'name': 'positive regulation of backward locomotion', - 'def': 'Any process that activates or increases the frequency, rate or extent of backward locomotion. [GO_REF:0000058, GOC:TermGenie, PMID:11717360]' - }, - 'GO:1905853': { - 'name': 'regulation of heparan sulfate binding', - 'def': 'Any process that modulates the frequency, rate or extent of heparan sulfate binding. [GO_REF:0000059, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:7683668]' - }, - 'GO:1905854': { - 'name': 'negative regulation of heparan sulfate binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of heparan sulfate binding. [GO_REF:0000059, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:7683668]' - }, - 'GO:1905855': { - 'name': 'positive regulation of heparan sulfate binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of heparan sulfate binding. [GO_REF:0000059, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:7683668]' - }, - 'GO:1905856': { - 'name': 'negative regulation of pentose-phosphate shunt', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pentose-phosphate shunt. [GO_REF:0000058, GOC:TermGenie, PMID:19015259]' - }, - 'GO:1905857': { - 'name': 'positive regulation of pentose-phosphate shunt', - 'def': 'Any process that activates or increases the frequency, rate or extent of pentose-phosphate shunt. [GO_REF:0000058, GOC:TermGenie, PMID:19015259]' - }, - 'GO:1905858': { - 'name': 'regulation of heparan sulfate proteoglycan binding', - 'def': 'Any process that modulates the frequency, rate or extent of heparan sulfate proteoglycan binding. [GO_REF:0000059, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:7683668]' - }, - 'GO:1905859': { - 'name': 'negative regulation of heparan sulfate proteoglycan binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of heparan sulfate proteoglycan binding. [GO_REF:0000059, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:7683668]' - }, - 'GO:1905860': { - 'name': 'positive regulation of heparan sulfate proteoglycan binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of heparan sulfate proteoglycan binding. [GO_REF:0000059, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:7683668]' - }, - 'GO:1905861': { - 'name': 'intranuclear rod assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an intranuclear rod. [GO_REF:0000079, GOC:TermGenie, PMID:28074884]' - }, - 'GO:1905862': { - 'name': 'ferroxidase complex', - 'def': 'A protein complex which is capable of ferroxidase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:16522632]' - }, - 'GO:1905863': { - 'name': 'invadopodium organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of an invadopodium. [GO_REF:000103, GOC:TermGenie, PMID:15684033]' - }, - 'GO:1905864': { - 'name': 'regulation of ATG1/ULK1 kinase complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of ATG1/ULK1 kinase complex assembly. [GO_REF:0000058, GOC:autophagy, GOC:mf, GOC:TermGenie, PMID:26567215]' - }, - 'GO:1905865': { - 'name': 'negative regulation of ATG1/ULK1 kinase complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ATG1/ULK1 kinase complex assembly. [GO_REF:0000058, GOC:autophagy, GOC:mf, GOC:TermGenie, PMID:26567215]' - }, - 'GO:1905866': { - 'name': 'positive regulation of ATG1/ULK1 kinase complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of ATG1/ULK1 kinase complex assembly. [GO_REF:0000058, GOC:autophagy, GOC:mf, GOC:TermGenie, PMID:26567215]' - }, - 'GO:1905867': { - 'name': 'epididymis development', - 'def': 'The process whose specific outcome is the progression of an epididymis over time, from its formation to the mature structure. [GO_REF:0000094, GOC:TermGenie, PMID:12388089]' - }, - 'GO:1905868': { - 'name': "regulation of 3'-UTR-mediated mRNA stabilization", - 'def': "Any process that modulates the frequency, rate or extent of 3'-UTR-mediated mRNA stabilization. [GO_REF:0000058, GOC:TermGenie, PMID:19737525]" - }, - 'GO:1905869': { - 'name': "negative regulation of 3'-UTR-mediated mRNA stabilization", - 'def': "Any process that stops, prevents or reduces the frequency, rate or extent of 3'-UTR-mediated mRNA stabilization. [GO_REF:0000058, GOC:TermGenie, PMID:19737525]" - }, - 'GO:1905870': { - 'name': "positive regulation of 3'-UTR-mediated mRNA stabilization", - 'def': "Any process that activates or increases the frequency, rate or extent of 3'-UTR-mediated mRNA stabilization. [GO_REF:0000058, GOC:TermGenie, PMID:19737525]" - }, - 'GO:1905871': { - 'name': 'regulation of protein localization to cell leading edge', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to cell leading edge. [GO_REF:0000058, GOC:TermGenie, PMID:26324884]' - }, - 'GO:1905872': { - 'name': 'negative regulation of protein localization to cell leading edge', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein localization to cell leading edge. [GO_REF:0000058, GOC:TermGenie, PMID:26324884]' - }, - 'GO:1905873': { - 'name': 'positive regulation of protein localization to cell leading edge', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to cell leading edge. [GO_REF:0000058, GOC:TermGenie, PMID:26324884]' - }, - 'GO:1905874': { - 'name': 'regulation of postsynaptic density organization', - 'def': 'Any process that modulates the frequency, rate or extent of postsynaptic density organization. [GO_REF:0000058, GOC:TermGenie, PMID:21887379]' - }, - 'GO:1905875': { - 'name': 'negative regulation of postsynaptic density organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of postsynaptic density organization. [GO_REF:0000058, GOC:TermGenie, PMID:21887379]' - }, - 'GO:1905876': { - 'name': 'positive regulation of postsynaptic density organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of postsynaptic density organization. [GO_REF:0000058, GOC:TermGenie, PMID:21887379]' - }, - 'GO:1905877': { - 'name': 'invadopodium assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form an invadopodium. [GO_REF:0000079, GOC:TermGenie, PMID:15684033]' - }, - 'GO:1905878': { - 'name': 'invadopodium disassembly', - 'def': 'The disaggregation of an invadopodium into its constituent components. [GO_REF:0000079, GOC:TermGenie, PMID:15684033]' - }, - 'GO:1905879': { - 'name': 'regulation of oogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of oogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:26434723]' - }, - 'GO:1905880': { - 'name': 'negative regulation of oogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:26434723]' - }, - 'GO:1905881': { - 'name': 'positive regulation of oogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of oogenesis. [GO_REF:0000058, GOC:TermGenie, PMID:26434723]' - }, - 'GO:1905882': { - 'name': 'obsolete other organism cell wall', - 'def': 'OBSOLETE. Any cell wall that is part of a other organism. [GO_REF:0000064, GOC:TermGenie, PMID:12438152]' - }, - 'GO:1905883': { - 'name': 'regulation of triglyceride transport', - 'def': 'Any process that modulates the frequency, rate or extent of triglyceride transport. [GO_REF:0000058, GOC:TermGenie, PMID:25849533]' - }, - 'GO:1905884': { - 'name': 'negative regulation of triglyceride transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of triglyceride transport. [GO_REF:0000058, GOC:TermGenie, PMID:25849533]' - }, - 'GO:1905885': { - 'name': 'positive regulation of triglyceride transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of triglyceride transport. [GO_REF:0000058, GOC:TermGenie, PMID:25849533]' - }, - 'GO:1905886': { - 'name': 'chromatin remodeling involved in meiosis I', - 'def': 'Any chromatin remodeling that is involved in meiosis I. [GO_REF:0000060, GOC:TermGenie, PMID:19139281, PMID:25934010, PMID:9106659]' - }, - 'GO:1905887': { - 'name': 'autoinducer AI-2 transmembrane transport', - 'def': 'The directed movement of (2R,4S)-2-methyltetrahydrofuran-2,3,3,4-tetrol (autoinducer AI-2) across a membrane. AI-2 (CHEBI:44800) is produced by prokaryotes and is believed to play a role in quorum sensing. [GO_REF:0000069, GOC:TermGenie, PMID:15601708]' - }, - 'GO:1905888': { - 'name': 'negative regulation of cellular response to very-low-density lipoprotein particle stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to very-low-density lipoprotein particle stimulus. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:7592957]' - }, - 'GO:1905889': { - 'name': 'positive regulation of cellular response to very-low-density lipoprotein particle stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to very-low-density lipoprotein particle stimulus. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:7592957]' - }, - 'GO:1905890': { - 'name': 'regulation of cellular response to very-low-density lipoprotein particle stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to very-low-density lipoprotein particle stimulus. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:7592957]' - }, - 'GO:1905891': { - 'name': 'regulation of cellular response to thapsigargin', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to thapsigargin. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:21803450]' - }, - 'GO:1905892': { - 'name': 'negative regulation of cellular response to thapsigargin', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to thapsigargin. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:21803450]' - }, - 'GO:1905893': { - 'name': 'positive regulation of cellular response to thapsigargin', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to thapsigargin. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:21803450]' - }, - 'GO:1905894': { - 'name': 'regulation of cellular response to tunicamycin', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to tunicamycin. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:21803450]' - }, - 'GO:1905895': { - 'name': 'negative regulation of cellular response to tunicamycin', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to tunicamycin. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:21803450]' - }, - 'GO:1905896': { - 'name': 'positive regulation of cellular response to tunicamycin', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to tunicamycin. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:21803450]' - }, - 'GO:1905897': { - 'name': 'regulation of response to endoplasmic reticulum stress', - 'def': 'Any process that modulates the frequency, rate or extent of response to endoplasmic reticulum stress. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:21803450]' - }, - 'GO:1905898': { - 'name': 'positive regulation of response to endoplasmic reticulum stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to endoplasmic reticulum stress. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:21803450]' - }, - 'GO:1905899': { - 'name': 'regulation of smooth muscle tissue development', - 'def': 'Any process that modulates the frequency, rate or extent of smooth muscle tissue development. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:14709716]' - }, - 'GO:1905900': { - 'name': 'negative regulation of smooth muscle tissue development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of smooth muscle tissue development. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:14709716]' - }, - 'GO:1905901': { - 'name': 'positive regulation of smooth muscle tissue development', - 'def': 'Any process that activates or increases the frequency, rate or extent of smooth muscle tissue development. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:14709716]' - }, - 'GO:1905902': { - 'name': 'regulation of mesoderm formation', - 'def': 'Any process that modulates the frequency, rate or extent of mesoderm formation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23939491]' - }, - 'GO:1905903': { - 'name': 'negative regulation of mesoderm formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mesoderm formation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23939491]' - }, - 'GO:1905904': { - 'name': 'positive regulation of mesoderm formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesoderm formation. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:23939491]' - }, - 'GO:1905905': { - 'name': 'pharyngeal gland morphogenesis', - 'def': 'The developmental process by which a pharyngeal gland is generated and organized. [GO_REF:0000083, GOC:TermGenie, PMID:21868609]' - }, - 'GO:1905906': { - 'name': 'regulation of amyloid fibril formation', - 'def': 'Any process that modulates the frequency, rate or extent of amyloid fibril formation. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:23106396]' - }, - 'GO:1905907': { - 'name': 'negative regulation of amyloid fibril formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of amyloid fibril formation. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:23106396]' - }, - 'GO:1905908': { - 'name': 'positive regulation of amyloid fibril formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of amyloid fibril formation. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:23106396]' - }, - 'GO:1905909': { - 'name': 'regulation of dauer entry', - 'def': 'Any process that modulates the frequency, rate or extent of dauer entry. [GO_REF:0000058, GOC:TermGenie, PMID:21531333]' - }, - 'GO:1905910': { - 'name': 'negative regulation of dauer entry', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dauer entry. [GO_REF:0000058, GOC:TermGenie, PMID:21531333]' - }, - 'GO:1905911': { - 'name': 'positive regulation of dauer entry', - 'def': 'Any process that activates or increases the frequency, rate or extent of dauer entry. [GO_REF:0000058, GOC:TermGenie, PMID:21531333]' - }, - 'GO:1905912': { - 'name': 'regulation of calcium ion export from cell', - 'def': 'Any process that modulates the frequency, rate or extent of calcium ion export from cell. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22362515]' - }, - 'GO:1905913': { - 'name': 'negative regulation of calcium ion export from cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium ion export from cell. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22362515]' - }, - 'GO:1905914': { - 'name': 'positive regulation of calcium ion export from cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of calcium ion export from cell. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:22362515]' - }, - 'GO:1905915': { - 'name': 'regulation of cell differentiation involved in phenotypic switching', - 'def': 'Any process that modulates the frequency, rate or extent of cell differentiation involved in phenotypic switching. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:25089138]' - }, - 'GO:1905916': { - 'name': 'negative regulation of cell differentiation involved in phenotypic switching', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell differentiation involved in phenotypic switching. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:25089138]' - }, - 'GO:1905917': { - 'name': 'positive regulation of cell differentiation involved in phenotypic switching', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell differentiation involved in phenotypic switching. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:25089138]' - }, - 'GO:1905918': { - 'name': 'regulation of CoA-transferase activity', - 'def': 'Any process that modulates the frequency, rate or extent of CoA-transferase activity. [GO_REF:0000059, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:20164328]' - }, - 'GO:1905919': { - 'name': 'negative regulation of CoA-transferase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CoA-transferase activity. [GO_REF:0000059, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:20164328]' - }, - 'GO:1905920': { - 'name': 'positive regulation of CoA-transferase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of CoA-transferase activity. [GO_REF:0000059, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:20164328]' - }, - 'GO:1905921': { - 'name': 'regulation of acetylcholine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of acetylcholine biosynthetic process. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:20164328]' - }, - 'GO:1905922': { - 'name': 'negative regulation of acetylcholine biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of acetylcholine biosynthetic process. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:20164328]' - }, - 'GO:1905923': { - 'name': 'positive regulation of acetylcholine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of acetylcholine biosynthetic process. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:20164328]' - }, - 'GO:1905924': { - 'name': 'regulation of invadopodium assembly', - 'def': 'Any process that modulates the frequency, rate or extent of invadopodium assembly. [GO_REF:0000058, GOC:TermGenie, PMID:15684033]' - }, - 'GO:1905925': { - 'name': 'negative regulation of invadopodium assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of invadopodium assembly. [GO_REF:0000058, GOC:TermGenie, PMID:15684033]' - }, - 'GO:1905926': { - 'name': 'positive regulation of invadopodium assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of invadopodium assembly. [GO_REF:0000058, GOC:TermGenie, PMID:15684033]' - }, - 'GO:1905927': { - 'name': 'regulation of invadopodium disassembly', - 'def': 'Any process that modulates the frequency, rate or extent of invadopodium disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:15684033]' - }, - 'GO:1905928': { - 'name': 'negative regulation of invadopodium disassembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of invadopodium disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:15684033]' - }, - 'GO:1905929': { - 'name': 'positive regulation of invadopodium disassembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of invadopodium disassembly. [GO_REF:0000058, GOC:TermGenie, PMID:15684033]' - }, - 'GO:1905930': { - 'name': 'regulation of vascular smooth muscle cell differentiation involved in phenotypic switching', - 'def': 'Any process that modulates the frequency, rate or extent of vascular smooth muscle cell differentiation involved in phenotypic switching. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:25089138]' - }, - 'GO:1905931': { - 'name': 'negative regulation of vascular smooth muscle cell differentiation involved in phenotypic switching', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vascular smooth muscle cell differentiation involved in phenotypic switching. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:25089138]' - }, - 'GO:1905932': { - 'name': 'positive regulation of vascular smooth muscle cell differentiation involved in phenotypic switching', - 'def': 'Any process that activates or increases the frequency, rate or extent of vascular smooth muscle cell differentiation involved in phenotypic switching. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:25089138]' - }, - 'GO:1905933': { - 'name': 'regulation of cell fate determination', - 'def': 'Any process that modulates the frequency, rate or extent of cell fate determination. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25793578]' - }, - 'GO:1905934': { - 'name': 'negative regulation of cell fate determination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell fate determination. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25793578]' - }, - 'GO:1905935': { - 'name': 'positive regulation of cell fate determination', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell fate determination. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:25793578]' - }, - 'GO:1905936': { - 'name': 'regulation of germ cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of germ cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:15342467]' - }, - 'GO:1905937': { - 'name': 'negative regulation of germ cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of germ cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:15342467]' - }, - 'GO:1905938': { - 'name': 'positive regulation of germ cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of germ cell proliferation. [GO_REF:0000058, GOC:TermGenie, PMID:15342467]' - }, - 'GO:1905939': { - 'name': 'regulation of gonad development', - 'def': 'Any process that modulates the frequency, rate or extent of gonad development. [GO_REF:0000058, GOC:TermGenie, PMID:15342467]' - }, - 'GO:1905940': { - 'name': 'negative regulation of gonad development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gonad development. [GO_REF:0000058, GOC:TermGenie, PMID:15342467]' - }, - 'GO:1905941': { - 'name': 'positive regulation of gonad development', - 'def': 'Any process that activates or increases the frequency, rate or extent of gonad development. [GO_REF:0000058, GOC:TermGenie, PMID:15342467]' - }, - 'GO:1905942': { - 'name': 'regulation of formation of growth cone in injured axon', - 'def': 'Any process that modulates the frequency, rate or extent of formation of growth cone in injured axon. [GO_REF:0000058, GOC:TermGenie, PMID:19737525]' - }, - 'GO:1905943': { - 'name': 'negative regulation of formation of growth cone in injured axon', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of formation of growth cone in injured axon. [GO_REF:0000058, GOC:TermGenie, PMID:19737525]' - }, - 'GO:1905944': { - 'name': 'positive regulation of formation of growth cone in injured axon', - 'def': 'Any process that activates or increases the frequency, rate or extent of formation of growth cone in injured axon. [GO_REF:0000058, GOC:TermGenie, PMID:19737525]' - }, - 'GO:1905945': { - 'name': 'regulation of response to calcium ion', - 'def': 'Any process that modulates the frequency, rate or extent of response to calcium ion. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:11404397]' - }, - 'GO:1905946': { - 'name': 'negative regulation of response to calcium ion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to calcium ion. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:11404397]' - }, - 'GO:1905947': { - 'name': 'positive regulation of response to calcium ion', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to calcium ion. [GO_REF:0000058, GOC:aruk, GOC:bc, GOC:TermGenie, PMID:11404397]' - }, - 'GO:1905948': { - 'name': "3',5'-cyclic GMP transmembrane-transporting ATPase activity", - 'def': "Catalysis of the transfer of a solute or solutes from one side of a membrane to the other according to the reaction: ATP + H2O + 3',5'-cyclic GMP(in) = ADP + phosphate + 3',5'-cyclic GMP(out). [GO_REF:0000070, GOC:TermGenie, PMID:18310115]" - }, - 'GO:1905949': { - 'name': 'negative regulation of calcium ion import across plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of calcium ion import across plasma membrane. [GO_REF:0000058, GOC:bhm, GOC:TermGenie, PMID:17640527]' - }, - 'GO:1905950': { - 'name': 'monosaccharide transmembrane transport', - 'def': 'The directed movement of monosaccharide across a membrane. [GO_REF:0000069, GOC:TermGenie, GOC:vw]' - }, - 'GO:1905951': { - 'name': 'mitochondrion DNA recombination', - 'def': 'Any DNA recombination that takes place in mitochondrion. [GO_REF:0000062, GOC:TermGenie, PMID:8087883]' - }, - 'GO:1905952': { - 'name': 'regulation of lipid localization', - 'def': 'Any process that modulates the frequency, rate or extent of lipid localization. [GO_REF:0000058, GOC:TermGenie, PMID:17564681]' - }, - 'GO:1905953': { - 'name': 'negative regulation of lipid localization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lipid localization. [GO_REF:0000058, GOC:TermGenie, PMID:17564681]' - }, - 'GO:1905954': { - 'name': 'positive regulation of lipid localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of lipid localization. [GO_REF:0000058, GOC:TermGenie, PMID:17564681]' - }, - 'GO:1905955': { - 'name': 'negative regulation of endothelial tube morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelial tube morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:25961718]' - }, - 'GO:1905956': { - 'name': 'positive regulation of endothelial tube morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial tube morphogenesis. [GO_REF:0000058, GOC:BHF, GOC:BHF_miRNA, GOC:rph, GOC:TermGenie, PMID:25961718]' - }, - 'GO:1905957': { - 'name': 'regulation of cellular response to alcohol', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to alcohol. [GO_REF:0000058, GOC:TermGenie, PMID:26434723]' - }, - 'GO:1905958': { - 'name': 'negative regulation of cellular response to alcohol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to alcohol. [GO_REF:0000058, GOC:TermGenie, PMID:26434723]' - }, - 'GO:1905959': { - 'name': 'positive regulation of cellular response to alcohol', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to alcohol. [GO_REF:0000058, GOC:TermGenie, PMID:26434723]' - }, - 'GO:1905960': { - 'name': 'response to 1-(3,5-dichloro-2,6-dihydroxy-4-methoxyphenyl)pentan-1-one', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a 1-(3,5-dichloro-2,6-dihydroxy-4-methoxyphenyl)pentan-1-one stimulus. [GO_REF:0000071, GOC:rjd, GOC:TermGenie, PMID:19684855, PMID:3355503]' - }, - 'GO:1905961': { - 'name': 'protein-cysteine S-palmitoyltransferase complex', - 'def': 'A protein complex which is capable of protein-cysteine S-palmitoyltransferase activity. [GO_REF:0000088, GOC:bhm, GOC:TermGenie, PMID:20851885]' - }, - 'GO:1905962': { - 'name': 'glutamatergic neuron differentiation', - 'def': 'The process in which a relatively unspecialized cell acquires the specialized features of a glutamatergic neuron. [GO_REF:0000086, GOC:TermGenie, PMID:24030726]' - }, - 'GO:1905963': { - 'name': 'regulation of protein targeting to plasma membrane', - 'def': 'Any process that modulates the frequency, rate or extent of protein targeting to plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:23695995]' - }, - 'GO:1905964': { - 'name': 'negative regulation of protein targeting to plasma membrane', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein targeting to plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:23695995]' - }, - 'GO:1905965': { - 'name': 'positive regulation of protein targeting to plasma membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein targeting to plasma membrane. [GO_REF:0000058, GOC:TermGenie, PMID:23695995]' - }, - 'GO:1990000': { - 'name': 'amyloid fibril formation', - 'def': 'The generation of amyloid fibrils, insoluble fibrous protein aggregates exhibiting beta sheet structure, from proteins. An example of this is seen when human RIP1 and RIP3 kinases form a heterodimeric functional amyloid signaling complex (PMID:22817896). [GOC:cvs, GOC:jj, GOC:ppm, GOC:sj, PMID:16533927, PMID:21148556, PMID:22817896]' - }, - 'GO:1990001': { - 'name': 'inhibition of cysteine-type endopeptidase activity involved in apoptotic process', - 'def': 'Any process that prevents the activation of an inactive cysteine-type endopeptidase involved in an apoptotic process. [GOC:mtg_apoptosis, PMID:11943137]' - }, - 'GO:1990002': { - 'name': 'methylglyoxal reductase (NADPH-dependent, acetol producing)', - 'def': 'Catalysis of the reaction: H+ + methylglyoxal + NADPH <=> hydroxyacetone + NADP+. [EC:1.1.1.-, MetaCyc:RXN0-4281, PMID:16077126, RHEA:27989]' - }, - 'GO:1990003': { - 'name': 'IDP phosphatase activity', - 'def': 'Catalysis of the reaction: IDP + H2O = IMP + phosphate. [PMID:20385596, PMID:22849572]' - }, - 'GO:1990004': { - 'name': 'XDP phosphatase activity', - 'def': 'Catalysis of the reaction: XDP + H2O = XMP + phosphate. [PMID:20385596]' - }, - 'GO:1990005': { - 'name': 'granular vesicle', - 'def': 'A cytoplasmic membrane-bounded vesicle of varying size, but usually larger than 45 nm, with an electron dense granular core, found in noradrenergic and peptidergic cells. [NIF_Subcellular:sao478230652]' - }, - 'GO:1990006': { - 'name': 'amorphous vesicle', - 'def': 'A cytoplasmic membrane-bounded vesicle first described in dendrites, categorized by smooth membranes, electron-lucent interiors and irregular shapes. Sometimes occurs in clumps. Amorphous vesicles have been found to contain material taken up from the extracellular space, therefore suggesting that they may be part of the endosomal pathway. [NIF_Subcellular:sao1531915298, PMID:11896161]' - }, - 'GO:1990007': { - 'name': 'membrane stack', - 'def': 'A configuration of endoplasmic reticulum (ER) found in Purkinje cells in the cerebellum and in axons in the lateral vestibular nucleus, consisting of parallel and interconnecting tubules whose outer surfaces are covered by particles or ringlike structures. [ISBN:9780195065718, NIF_Subcellular:sao2114874506]' - }, - 'GO:1990008': { - 'name': 'neurosecretory vesicle', - 'def': 'A large cytoplasmic membrane-bounded vesicle with an electron dense granular core, up to 150-200 nm in diameter, found in neurosecretory cells in the hypothalamus. [ISBN:01950657191, NIF_Subcellular:sao2031592629]' - }, - 'GO:1990009': { - 'name': 'retinal cell apoptotic process', - 'def': 'Any apoptotic process in a retinal cell. [GOC:mtg_apoptosis, PMID:15558487, PMID:24664675]' - }, - 'GO:1990010': { - 'name': 'compound eye retinal cell apoptotic process', - 'def': 'Any apoptotic process in a compound eye retinal cell. [GOC:mtg_apoptosis, PMID:12021768]' - }, - 'GO:1990011': { - 'name': 'laminated body', - 'def': 'Inclusion body characterized by regularly spaced sheets of tubules arranged in a whorl pattern resembling a fingerprint. Laminated bodies have been observed in neurons of the lateral geniculate nucleus. [ISBN:01950657191, NIF_Subcellular:sao506721981]' - }, - 'GO:1990012': { - 'name': 'complex laminated body', - 'def': 'A cytoplasmic inclusion body found in some lateral geniculate neurons and composed of sheets of tubules (25 nm in diameter) separated by dense material (about 75 nm wide), which together with the tubules whorl give a structure resembling a fingerprint. [NIF_Subcellular:nlx_151681]' - }, - 'GO:1990013': { - 'name': 'presynaptic grid', - 'def': 'A hexagonal array of electron dense particles attached to the cytoplasmic face of the presynaptic membrane. [ISBN:0716723808, NIF_Subcellular:sao1730664005]' - }, - 'GO:1990014': { - 'name': 'orthogonal array', - 'def': 'Square array of closely spaced intramembrane particles, 4-6 nm in size, that form supramolecular aggregates found in the plasma membrane of astrocytes, skeletal muscle and epithelial cells. They have been shown to contain aquaporins (water channels). [NIF_Subcellular:sao1747012216, PMID:22718347]' - }, - 'GO:1990015': { - 'name': 'ensheathing process', - 'def': 'A cell projection (often from glial cells such as Schwann cells) that surrounds an unmyelinated axon or cell soma. [NIF_Subcellular:sao1376748732]' - }, - 'GO:1990016': { - 'name': 'neck portion of tanycyte', - 'def': 'Elongated portion of a tanycyte that sticks into the periventricular layer of neuropil where it appears to contact a blood vessel; characterized by numerous cytoplasmic extensions. A tanycyte is a specialized elongated ventricular ependymal cell that has processes that extend to the outer, or pial, surface of the CNS. [ISBN:01950657191, NIF_Subcellular:sao901230115]' - }, - 'GO:1990017': { - 'name': 'somatic portion of tanycyte', - 'def': 'Portion of a tanycyte that lies within the ependyma and contains the nucleus. A tanycyte is a specialized elongated ventricular ependymal cell that has processes that extend to the outer, or pial, surface of the CNS. [ISBN:01950657191, NIF_Subcellular:sao401910342]' - }, - 'GO:1990018': { - 'name': 'tail portion of tanycyte', - 'def': 'Elongated process of a tanycyte, devoid of cytoplasmic extensions, that courses through the hypothalamic nuclei to form small endfoot processes that terminate either on blood vessels or at the pial surface of the brain. A tanycyte is a specialized elongated ventricular ependymal cell. [ISBN:01950657191, NIF_Subcellular:sao1749953771]' - }, - 'GO:1990019': { - 'name': 'protein storage vacuole organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a protein storage vacuole, a storage vacuole that contains a lytic vacuole. [GOC:tb, PMID:21670741]' - }, - 'GO:1990020': { - 'name': 'recurrent axon collateral', - 'def': 'Axon collateral that ramifies in the area of the soma of the cell of origin. [NIF_Subcellular:sao1642494436]' - }, - 'GO:1990021': { - 'name': 'Schaffer axon collateral', - 'def': 'Part of axon of a CA3 pyramidal neuron that projects to hippocampal area CA1. [NIF_Subcellular:nlx_subcell_20090511]' - }, - 'GO:1990022': { - 'name': 'RNA polymerase III complex localization to nucleus', - 'def': 'The directed movement of an RNA polymerase III complex from the cytoplasm to the nucleus. [GOC:mcc, PMID:23267056]' - }, - 'GO:1990023': { - 'name': 'mitotic spindle midzone', - 'def': 'The area in the center of the anaphase spindle consisting of microtubules, microtubule bundling factors and kinesin motors where the spindle microtubules from opposite poles overlap in an antiparallel manner. [GOC:mtg_cell_cycle, GOC:vw]' - }, - 'GO:1990024': { - 'name': 'C bouton', - 'def': 'Synaptic bouton found in spinal cord on the soma and proximal dendrites of motor neurons. [NIF_Subcellular:nlx_subcell_100208]' - }, - 'GO:1990025': { - 'name': 'F bouton', - 'def': 'Synaptic bouton found in the ventral horn of the spinal cord. F boutons range in diameter from 0.5 to 7 um and contain flattened or pleomorphic synaptic vesicles. [NIF_Subcellular:nlx_subcell_100206]' - }, - 'GO:1990026': { - 'name': 'hippocampal mossy fiber expansion', - 'def': 'Synaptic expansion of hippocampal mossy fiber axon that makes contact with the thorny excrescences of hippocampal CA3 pyramidal cell dendrites. [NIF_Subcellular:nlx_subcell_1005002]' - }, - 'GO:1990027': { - 'name': 'S bouton', - 'def': 'Synaptic bouton found in the ventral horn of the spinal cord. S boutons range in diameter from 0.5 to 8 um and contain spherical synaptic vesicles. [NIF_Subcellular:nlx_subcell_100207]' - }, - 'GO:1990028': { - 'name': 'intermediate voltage-gated calcium channel activity', - 'def': 'Enables the transmembrane transfer of a calcium ion by an intermediate voltage-gated channel. An intermediate voltage-gated channel is a channel whose open state is dependent on intermediate voltage across the membrane in which it is embedded. [GOC:BHF, GOC:rl, http://en.wikipedia.org/wiki/Calcium_channel, PMID:16382099]' - }, - 'GO:1990029': { - 'name': 'vasomotion', - 'def': 'The rhythmical contraction and relaxation of arterioles, observed as slow and fast waves, with frequencies of 1-2 and 10-20 cpm. [GOC:sl, PMID:14993429, PMID:15678091, PMID:1932763]' - }, - 'GO:1990030': { - 'name': 'pericellular basket', - 'def': 'Ramification of basket cell axon surrounding cell bodies, forming the characteristic pericellular baskets from which the cell class derives its name. [NIF_Subcellular:sao413722576]' - }, - 'GO:1990031': { - 'name': 'pinceau fiber', - 'def': 'Dense plexus formed by the descending collaterals of cerebellar basket cells that wrap around a Purkinje cell axonal initial segment. [NIF_Subcellular:sao109906988]' - }, - 'GO:1990032': { - 'name': 'parallel fiber', - 'def': 'A parallel fiber results from the bifurcation of a cerebellar granule cell axon in the molecular layer into two diametrically opposed branches, that are oriented parallel to the long axis of the folium. [ISBN:0195159551, NIF_Subcellular:nlx_330]' - }, - 'GO:1990033': { - 'name': 'dendritic branch point', - 'def': 'The part of a dendrite where the cell projection branches, giving rise to a dendritic branch. [NIF_Subcellular:sao-1348591767]' - }, - 'GO:1990034': { - 'name': 'calcium ion export from cell', - 'def': 'The directed movement of calcium ions out of a cell. [GOC:mah, PMID:2145281]' - }, - 'GO:1990035': { - 'name': 'calcium ion import into cell', - 'def': 'The directed movement of calcium ions from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:mah, PMID:2145281]' - }, - 'GO:1990036': { - 'name': 'calcium ion import into sarcoplasmic reticulum', - 'def': 'The directed movement of calcium ions into a sarcoplasmic reticulum. [GOC:BHF, PMID:17286271]' - }, - 'GO:1990037': { - 'name': 'Lewy body core', - 'def': "The center portion of a Lewy body. In Parkinson's disease, it contains a matted meshwork of filaments. [NIF_Subcellular:sao6587439252]" - }, - 'GO:1990038': { - 'name': 'Lewy body corona', - 'def': "The periphery of a Lewy body. In Parkinson's disease, it contains spherical accumulations of filaments arranged in a loose, radiating array. [NIF_Subcellular:sao5764355747]" - }, - 'GO:1990039': { - 'name': 'hypolemmal cisterna', - 'def': 'Specialized part of the smooth endoplasmic reticulum that closely underlies the plasma membrane, usually within 60 nm or closer. [ISBN:0195065719, NIF_Subcellular:sao1634374950]' - }, - 'GO:1990040': { - 'name': 'sub-surface cisterna', - 'def': 'Specialization of the hypolemmal cisterna consisting of either single profiles or closely apposed stacks of endoplasmic reticulum in which the lumen is obliterated, lying 10-20 nm beneath the plasma membrane. [ISBN:0195065719, NIF_Subcellular:sao128470897]' - }, - 'GO:1990042': { - 'name': 'glycerol dehydrogenase [NAD(P)+] activity', - 'def': 'Catalysis of an oxidation-reduction (redox) reaction in which glycerol is converted into glycerone and NAD+ or NADP is reduced. [PMID:22979944]' - }, - 'GO:1990043': { - 'name': "5' deoxyribonuclease (pyrimidine dimer) activity", - 'def': "Catalysis of the endonucleolytic cleavage immediately 5' to pyrimidine dimers to products with 5'-phosphate. [EC:3.1.25.-, GOC:al, PMID:9708997]" - }, - 'GO:1990044': { - 'name': 'protein localization to lipid particle', - 'def': 'A process in which a protein is transported to, or maintained in, a location on or within a lipid particle. [GOC:sart, PMID:22505614]' - }, - 'GO:1990045': { - 'name': 'sclerotium development', - 'def': 'The process whose specific outcome is the progression of the sclerotium over time, from its formation to the mature structure. A sclerotium is a mycelial resting body, resistant to adverse environmental conditions. [GOC:di, PMID:21148914]' - }, - 'GO:1990046': { - 'name': 'stress-induced mitochondrial fusion', - 'def': 'Merging of two or more mitochondria within a cell to form a single compartment, as a result of a disturbance in cellular homeostasis. [GOC:lb, PMID:19360003]' - }, - 'GO:1990047': { - 'name': 'spindle matrix', - 'def': 'A proteinaceous, nuclear-derived structure that embeds the microtubule spindle apparatus from pole to pole in a microtubule-independent manner during mitosis. [GOC:ans, PMID:19273613, PMID:22855526]' - }, - 'GO:1990048': { - 'name': 'anterograde neuronal dense core vesicle transport', - 'def': 'The directed movement of substances in neuronal dense core vesicles along axonal microtubules towards the presynapse. [GOC:kmv, PMID:23358451]' - }, - 'GO:1990049': { - 'name': 'retrograde neuronal dense core vesicle transport', - 'def': 'The directed movement of neuronal dense core vesicles along axonal microtubules towards the cell body. [GOC:kmv, PMID:23358451, PMID:24762653]' - }, - 'GO:1990050': { - 'name': 'phosphatidic acid transporter activity', - 'def': 'Enables the directed movement of phosphatidic acid into, out of or within a cell, or between cells. Phosphatidic acid refers to a glycophospholipids with, in general, a saturated fatty acid bonded to carbon-1, an unsaturated fatty acid bonded to carbon-2, and a phosphate group bonded to carbon-3. [PMID:23042293]' - }, - 'GO:1990051': { - 'name': 'activation of protein kinase C activity', - 'def': 'Any process that initiates the activity of the inactive enzyme protein kinase C. [PMID:3156004]' - }, - 'GO:1990052': { - 'name': 'ER to chloroplast lipid transport', - 'def': 'The directed movement of a lipid from the endoplasmic reticulum (ER) to the chloroplast. [PMID:18689504]' - }, - 'GO:1990053': { - 'name': 'DNA-5-methylcytosine glycosylase activity', - 'def': "Catalysis of the reaction: DNA containing 5-methylcytosine + H2O = DNA with abasic site + 5-methylcytosine. This reaction is the hydrolysis of DNA by cleavage of the N-C1' glycosidic bond between the DNA 5-methylcytosine and the deoxyribose sugar to remove the 5-methylcytosine, leaving an abasic site. [PMID:23316050]" - }, - 'GO:1990054': { - 'name': 'response to temozolomide', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a temozolomide stimulus. [GOC:hp]' - }, - 'GO:1990055': { - 'name': 'phenylacetaldehyde synthase activity', - 'def': 'Catalyzes the reaction: L-phenylalanine + O2 + H2O -> phenylacetaldehyde + ammonia + hydrogen peroxide + CO2. [MetaCyc:RXN-8990, PMID:16766535, PMID:23204519]' - }, - 'GO:1990056': { - 'name': 'obsolete protein kinase activity required for targeting substrate to proteasomal ubiquitin-dependent protein catabolic process', - 'def': 'OBSOLETE. Catalysis of the phosphorylation of an amino acid residue in a substrate protein, usually according to the reaction: a protein + ATP = a phosphoprotein + ADP, thereby targeting the substrate to the proteasomal ubiquitin mediated protein catabolic process [PMID:21098119, PMID:21993622, PMID:23264631]' - }, - 'GO:1990057': { - 'name': 'obsolete cell cycle arrest in response to DNA damage stimulus', - 'def': 'OBSOLETE. The cell cycle regulatory process in which the cell cycle is halted during one of the normal phases (G1, S, G2, M) as a result of DNA damage from environmental insults or errors during metabolism. [GOC:rph, PMID:10630641]' - }, - 'GO:1990058': { - 'name': 'fruit replum development', - 'def': 'The process whose specific outcome is the progression of the fruit replum over time, from its formation to the mature structure. The fruit replum is a portion of fruit placenta tissue that divides a fruit into two or more chambers and develops from a replum. [PMID:23133401, PO:0025267]' - }, - 'GO:1990059': { - 'name': 'fruit valve development', - 'def': 'The process whose specific outcome is the progression of the fruit valve over time, from its formation to the mature structure. The fruit valve is a part of a fruit that splits apart when the fruit dehisces. [PMID:23133401, PO:0000033]' - }, - 'GO:1990060': { - 'name': 'maltose transport complex', - 'def': 'Protein complex facilitating ATP-dependent maltose transport through inner cell membrane (periplasm to cytoplasm) in Gram-negative bacteria. In E. coli the system is composed of a periplasmic maltose-binding protein (MBP), two integral membrane proteins, MalF and MalG, and two copies of the cytoplasmic ATP-binding cassette MalK. [PMID:18033289]' - }, - 'GO:1990061': { - 'name': 'bacterial degradosome', - 'def': "The degradosome is a protein complex playing a key role in mRNA degradation and RNA processing. It includes a RNA helicase, a 3'-5' phosphate-dependent PNPase and a RNase E bound-enolase. [GOC:bhm, PMID:21805185]" - }, - 'GO:1990062': { - 'name': 'RPAP3/R2TP/prefoldin-like complex', - 'def': 'A protein complex first characterized in human and comprised of a R2TP module (R2TP complex), a prefoldin-like module (containing both prefoldin-like proteins and canonical prefoldins), WD40 repeat protein Monad/WDR92 and DNA-dependent RNA polymerase subunit RPB5. This complex might have chaperone activity. [GOC:pr, PMID:20453924, PMID:21925213, PMID:22418846]' - }, - 'GO:1990063': { - 'name': 'Bam protein complex', - 'def': 'Protein complex which is involved in assembly and insertion of beta-barrel proteins into the outer membrane. In E. coli it is composed of BamABCDE, of the outer membrane protein BamA, and four lipoproteins BamB, BamC, BamD and BamE. BamA interacts directly with BamB and the BamCDE subcomplex. [GOC:bhm, PMID:20378773]' - }, - 'GO:1990064': { - 'name': 'ground tissue pattern formation', - 'def': 'The regionalization process that gives rise to the patterning of the ground tissue. [PMID:23444357]' - }, - 'GO:1990065': { - 'name': 'Dxr protein complex', - 'def': 'A protein complex that is involved in the MEP pathway of IPP biosynthesis. It catalyzes the NADP-dependent rearrangement and reduction of 1-deoxy-D-xylulose-5-phosphate (DXP) to 2-C-methyl-D-erythritol 4-phosphate (MEP). [GOC:bhm, PMID:15339150]' - }, - 'GO:1990066': { - 'name': 'energy quenching', - 'def': 'The process by which excess light energy absorbed by chlorophyll and not used to drive photosynthesis is emitted by nonphotochemical quenching or chlorophyll fluorescence. [PMID:10938857]' - }, - 'GO:1990067': { - 'name': 'intrachromosomal DNA recombination', - 'def': 'The process of DNA recombination occurring within a single chromosome. [PMID:7748165]' - }, - 'GO:1990068': { - 'name': 'seed dehydration', - 'def': 'The seed development process whose outcome is the drying of a maturing seed. [PMID:20138563]' - }, - 'GO:1990069': { - 'name': 'stomatal opening', - 'def': 'The process of opening of stomata, pores in the epidermis of leaves and stems bordered by two guard cells and serving in gas exchange. [PMID:21749899]' - }, - 'GO:1990070': { - 'name': 'TRAPPI protein complex', - 'def': 'A complex that tethers COPII vesicles at ER-Golgi intermediate compartment. Its role in this part of the vesicular transport may start at the ER exit sites. Binds to a component of the COPII coat. In yeast it includes the following subunits: Bet3 (as homodimer), Bet5, Trs20, Trs23, Trs31, Trs33 which are regarded as the \\core subunits\\ of all TRAPP complexes in yeast. [GOC:bhm, PMID:20375281, PMID:22669257]' - }, - 'GO:1990071': { - 'name': 'TRAPPII protein complex', - 'def': 'A complex that mediates intra-Golgi traffic, Golgi exit, endosome-to-Golgi traffic, and the trafficking of autophagy proteins from Golgi to the pre-autophagosomal structure. Binds to a component of the COPI coat. In yeast it includes the following subunits: Bet3 (as homodimer), Bet5, Tca17, Trs20, Trs23, Trs31, Trs33, Trs65, Trs120, Trs130. The whole complex is thought to dimerize with itself. [GOC:bhm, PMID:20375281, PMID:22669257]' - }, - 'GO:1990072': { - 'name': 'TRAPPIII protein complex', - 'def': 'A complex that functions in anterograde transport at the Golgi and also regulates autophagy. In yeast it includes at least the following subunits: Bet3 (as homodimer), Bet5, Trs20, Trs23, Trs31, Trs33, Trs85. TRAPPIII may include further, as yet undescribed, proteins. [GOC:bhm, PMID:20375281, PMID:22669257]' - }, - 'GO:1990073': { - 'name': 'perforation plate', - 'def': 'A cell wall part that is the part of a wall of a vessel member and bears one or more openings (perforations). [GOC:PO_curators, ISBN:0471245194]' - }, - 'GO:1990074': { - 'name': 'polyuridylation-dependent mRNA catabolic process', - 'def': "The chemical reactions and pathways resulting in the breakdown of a messenger RNA (mRNA) molecule, initiated by the enzymatic addition of a sequence of uridylyl residues (polyuridylation) at the 3' end of the target mRNA. [GOC:vw, PMID:23503588]" - }, - 'GO:1990075': { - 'name': 'periciliary membrane compartment', - 'def': 'A plasma membrane region adjacent to the base of eukaryotic cilia and flagella that is enriched in endocytosis-associated proteins and vesicles and that appears to regulate ciliary membrane homeostasis. [GOC:cilia, GOC:dr, GOC:krc, PMID:22342749]' - }, - 'GO:1990076': { - 'name': 'cell wall polysaccharide catabolic process involved in abscission', - 'def': 'Any cell wall polysaccharide catabolic process that is involved in abscission. [GOC:TermGenie, PMID:23479623]' - }, - 'GO:1990077': { - 'name': 'primosome complex', - 'def': 'Any of a family of protein complexes that form at the origin of replication or stalled replication forks and function in replication primer synthesis in all organisms. Early complexes initiate double-stranded DNA unwinding. The core unit consists of a replicative helicase and a primase. The helicase further unwinds the DNA and recruits the polymerase machinery. The primase synthesizes RNA primers that act as templates for complementary stand replication by the polymerase machinery. The primosome contains a number of associated proteins and protein complexes and contributes to the processes of replication initiation, lagging strand elongation, and replication restart. [GOC:bhm, GOC:mah, PMID:21856207]' - }, - 'GO:1990078': { - 'name': 'replication inhibiting complex', - 'def': 'A protein complex that inhibits multiple events of replication initiation during one replication cycle. [GOC:bhm, PMID:21708944]' - }, - 'GO:1990079': { - 'name': 'cartilage homeostasis', - 'def': 'A tissue homeostatic process involved in the maintenance of an internal equilibrium within cartilage, including control of cellular proliferation and death and control of metabolic function. [GOC:hjd, PMID:21652695]' - }, - 'GO:1990080': { - 'name': '2-phenylethylamine receptor activity', - 'def': 'Combining with the biogenic amine 2-phenylethylamine to initiate a change in cell activity. [PMID:16878137]' - }, - 'GO:1990081': { - 'name': 'trimethylamine receptor activity', - 'def': 'Combining with the biogenic amine trimethylamine to initiate a change in cell activity. [PMID:16878137]' - }, - 'GO:1990082': { - 'name': 'DnaA-L2 complex', - 'def': 'A protein complex that inhibits unwinding of DNA at the origin of replication and assembly of the pre-primosome. In E. coli, this complex is composed of DnaA and of the ribosomal protein L2. [GOC:bhm, PMID:21288885]' - }, - 'GO:1990083': { - 'name': 'DnaA-Hda complex', - 'def': 'A protein complex that inactivates the function of DnaA by inhibiting the phosphorylation of DnaA-ADP to DnaA-ATP and thereby preventing multiple events of replication initiation. In E. coli, this complex is composed of DnaA and Hda. [GOC:bhm, PMID:21708944]' - }, - 'GO:1990084': { - 'name': 'DnaA-Dps complex', - 'def': 'A protein complex that negatively regulates strand-opening at the origin of replication, thereby interfering with replication initiation. This complex is thought to be involved in the regulation of replication under oxidative stress conditions. In E. coli, this complex is composed of DnaA and Dps. [GOC:bhm, PMID:18284581]' - }, - 'GO:1990085': { - 'name': 'Hda-beta clamp complex', - 'def': 'A protein complex involved in inactivating the function of DnaA and thereby preventing multiple events of replication initiation. In E. coli, this complex is composed of the beta clamp (DnaN) and Hda. [GOC:bhm, PMID:15150238]' - }, - 'GO:1990086': { - 'name': 'lens fiber cell apoptotic process', - 'def': 'Any apoptotic process in a lens fiber cell. Lens fiber cells are elongated, tightly packed cells that make up the bulk of the mature lens in a camera-type eye. [CL:0011004, GOC:hjd, PMID:11095619]' - }, - 'GO:1990088': { - 'name': '[methyl-Co(III) methanol-specific corrinoid protein]:coenzyme M methyltransferase activity', - 'def': 'Catalysis of the reaction: a [methyl-Co(III) methanol-specific corrinoid protein] + coenzyme M = methyl-CoM + a [Co(I) methanol-specific corrinoid protein]. [GOC:hjd, PMID:10077852]' - }, - 'GO:1990089': { - 'name': 'response to nerve growth factor', - 'def': 'A process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nerve growth factor stimulus. [PMID:22399805]' - }, - 'GO:1990090': { - 'name': 'cellular response to nerve growth factor stimulus', - 'def': 'A process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a nerve growth factor stimulus. [PMID:22399805, Wikipedia:Nerve_growth_factor]' - }, - 'GO:1990091': { - 'name': 'sodium-dependent self proteolysis', - 'def': 'The sodium-dependent hydrolysis of proteins into smaller polypeptides and/or amino acids by cleavage of their own peptide bonds. [PMID:20460380]' - }, - 'GO:1990092': { - 'name': 'calcium-dependent self proteolysis', - 'def': 'The calcium-dependent hydrolysis of proteins into smaller polypeptides and/or amino acids by cleavage of their own peptide bonds. [PMID:20460380]' - }, - 'GO:1990093': { - 'name': 'obsolete negative regulation of N-methyl-D-aspartate receptor clustering', - 'def': 'OBSOLETE. The negative regulation of the receptor clustering process in which N-methyl-D-aspartate (NMDA) receptors are localized to distinct domains in the cell membrane. [PMID:18442977]' - }, - 'GO:1990094': { - 'name': 'obsolete positive regulation of N-methyl-D-aspartate receptor clustering', - 'def': 'OBSOLETE. The positive regulation of the receptor clustering process in which N-methyl-D-aspartate (NMDA) receptors are localized to distinct domains in the cell membrane. [PMID:18442977]' - }, - 'GO:1990095': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to reactive oxygen species', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a reactive oxygen species stimulus. Reactive oxygen species include singlet oxygen, superoxide, and oxygen free radicals. [GOC:kmv, PMID:16166371]' - }, - 'GO:1990096': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to superoxide', - 'def': 'Any process that increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a superoxide stimulus. Superoxide is the anion, oxygen-, formed by addition of one electron to dioxygen (O2) or any compound containing the superoxide anion. [GOC:kmv, PMID:12869585, PMID:16166371]' - }, - 'GO:1990097': { - 'name': 'SeqA-DNA complex', - 'def': 'A protein-DNA complex that contains an oligomer of SeqA bound to GATC sites in methylated or newly-synthesized, hemi-methylated double-stranded DNA, with preference for the latter. Binding of SeqA to hemimethylated DNA sequesters oriC, prevents re-methylation of DNA by Dam and in turn stops premature re-initiation of replication during one replication cycle. [GOC:bhm, PMID:12379844, PMID:15933720, PMID:23149570]' - }, - 'GO:1990098': { - 'name': 'core primosome complex', - 'def': 'A protein-DNA complex containing at least one DNA helicase and one primase. Can also contain associated proteins. The helicase component continues to unwind the double-stranded DNA (dsDNA) and the primase component synthesizes a RNA primer during initiation or restart of replication. [GOC:bhm, PMID:21856207]' - }, - 'GO:1990099': { - 'name': 'pre-primosome complex', - 'def': 'Any of the protein-DNA complexes that contain a DNA helicase and associated protein(s) at the origin of replication, and build up to assembling the core primosome. The associated protein(s) chaperone the helicase to the DNA, and assembly of the pre-primosome is essential for the initiation or restart of replication. Pre-primosome complexes lack a primase component. [GOC:bhm, PMID:18179598, PMID:20129058, PMID:8663105]' - }, - 'GO:1990100': { - 'name': 'DnaB-DnaC complex', - 'def': 'A protein complex containing homohexameric DNA helicase DnaB, and the DNA helicase loader DnaC. The helicase loader DnaC delivers DnaB to the chromosomal origin (oriC). [GOC:bhm, PMID:20129058]' - }, - 'GO:1990101': { - 'name': 'DnaA-oriC complex', - 'def': 'A protein-DNA complex containing the initiator protein DnaA bound to high-affinity recognition sites in the unique origin of replication, oriC. DnaA-oriC binding is the first step in assembly of a bacterial pre-replicative complex (pre-RC) and is responsible for the timely initiation of replication once per cell cycle. [GOC:bhm, PMID:19833870]' - }, - 'GO:1990102': { - 'name': 'DnaA-DiaA complex', - 'def': 'A protein-DNA complex containing a tetramer of DiaA attached to multiple DnaA molecule bound to oriC DNA. Regulates timely initiation of chromosomal replication during the cell cycle by stimulating assembly of DnaA-oriC complexes, conformational changes in ATP-DnaA initiation complexes, and unwinding of oriC duplex DNA. [GOC:bhm, PMID:15326179, PMID:17699754]' - }, - 'GO:1990103': { - 'name': 'DnaA-HU complex', - 'def': 'A protein-DNA complex containing DNA-bound DnaA attached to HU. HU is a dimer encoded by two closely related genes. Essential for the initiation of replication in bacteria; stimulates the DnaA-dependent unwinding of oriC. [GOC:bhm, PMID:18179598]' - }, - 'GO:1990104': { - 'name': 'DNA bending complex', - 'def': 'A protein-DNA complex that contains DNA in combination with a protein which binds to and bends DNA. Often plays a role in DNA compaction. [GOC:bhm, PMID:17097674]' - }, - 'GO:1990105': { - 'name': 'obsolete regulation of voltage-gated potassium channel activity', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of voltage-gated potassium channel activity. [PMID:19219384]' - }, - 'GO:1990107': { - 'name': 'thiazole synthase activity', - 'def': 'Catalysis of the reaction: 1-deoxy-D-xylulose 5-phosphate + 2-iminoacetate + thiocarboxy-adenylate-[sulfur-carrier protein ThiS] = 2-[(2R,5Z)-2-carboxy-4-methylthiazol-5(2H)-ylidene]ethyl phosphate + [sulfur-carrier protein ThiS] + 2 H2O. [EC:2.8.1.10, GOC:cjk, PMID:22031445, RHEA:26300]' - }, - 'GO:1990108': { - 'name': 'protein linear deubiquitination', - 'def': 'A protein deubiquitination process in which a linear polymer of ubiquitin, formed by the amino-terminal methionine (M1) of one ubiquitin molecule and by the carboxy-terminal glycine (G76) of the next, is removed from a protein. [PMID:23708998]' - }, - 'GO:1990109': { - 'name': 'rejection of pollen from other species', - 'def': 'The process involved in the rejection of pollen of one species by cells in the stigma of another species. [PMID:21205670]' - }, - 'GO:1990110': { - 'name': 'callus formation', - 'def': 'The process by which a callus is formed at a wound site. A plant callus is a portion of plant tissue that consists of mass of undifferentiated plant cells. It consists primarily of parenchyma cells but possibly contains other cell types as the callus begins to differentiate. [ISBN:0070187517]' - }, - 'GO:1990111': { - 'name': 'spermatoproteasome complex', - 'def': 'A proteasome specifically found in mammalian testis. Contains the proteasome activator PA200 in the regulatory particle, and beta1i, beta2i, beta5i and/or alpha4s in the core (20S) subunit. Beta1i, beta2i and beta5i are inducible catalytic subunits, closely related to beta1, beta2 and beta5. Alpha4s is a sperm-specific 20S subunit, but unlike other alternative 20S subunits alpha4s lies in the outer alpha-ring and lacks catalytic activity. [GOC:sp, PMID:23706739]' - }, - 'GO:1990112': { - 'name': 'RQC complex', - 'def': 'A multiprotein complex that forms a stable complex with 60S ribosomal subunits containing stalled polypeptides and triggers their degradation (ribosomal quality control). In budding yeast, this complex includes Cdc48p, Rkr1p, Tae2p, Rqc1p, Npl4p and Ufd1p proteins. [GOC:rb, PMID:23178123, PMID:23232563]' - }, - 'GO:1990113': { - 'name': 'RNA Polymerase I assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the eukaryotic RNA polymerase I complex. [GOC:rb, PMID:23459708]' - }, - 'GO:1990114': { - 'name': 'RNA Polymerase II core complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the eukaryotic RNA polymerase II core complex. [GOC:rb, PMID:23459708]' - }, - 'GO:1990115': { - 'name': 'RNA Polymerase III assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form the eukaryotic RNA polymerase III complex. [GOC:rb, PMID:23459708]' - }, - 'GO:1990116': { - 'name': 'ribosome-associated ubiquitin-dependent protein catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a protein or peptide encoded by an aberrant message and associated with a stalled ribosome. Degradation is initiated by the covalent attachment of a ubiquitin group, or multiple ubiquitin groups, to the ribosome-associated protein. [GOC:dgf, PMID:23358411]' - }, - 'GO:1990117': { - 'name': 'B cell receptor apoptotic signaling pathway', - 'def': 'An extrinsic apoptotic signaling pathway initiated by the cross-linking of an antigen receptor on a B cell. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, PMID:15214043]' - }, - 'GO:1990118': { - 'name': 'sodium ion import into cell', - 'def': 'The directed movement of sodium ions from outside of a cell into the intracellular region of a cell. [GOC:al, PMID:14674689]' - }, - 'GO:1990119': { - 'name': 'ATP-dependent RNA helicase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of ATP-dependent RNA helicase. [GOC:rb, PMID:23721653]' - }, - 'GO:1990120': { - 'name': 'messenger ribonucleoprotein complex assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and messenger RNA (mRNA) molecules to form a messenger ribonucleoprotein (mRNP) complex. [GOC:rb, PMID:23721653]' - }, - 'GO:1990121': { - 'name': 'H-NS complex', - 'def': 'A multimer of H-NS proteins that is involved in bacterial nucleoid condensation and negative regulation of global gene expression by directly binding to promoter regions. Recognizes both structural and sequence-specific motifs in double-stranded DNA and has binding preference for bent DNA. [GOC:bhm, PMID:12592399]' - }, - 'GO:1990122': { - 'name': 'leucine import into cell', - 'def': 'The directed movement of leucine from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:mah, PMID:1356078]' - }, - 'GO:1990123': { - 'name': 'L-glutamate import into cell', - 'def': 'The directed movement of L-glutamate from outside of a cell into the cytoplasmic compartment. This may occur via transport across the plasma membrane or via endocytosis. [GOC:mah, PMID:1356078]' - }, - 'GO:1990124': { - 'name': 'messenger ribonucleoprotein complex', - 'def': 'A ribonucleoprotein complex containing both protein and messenger RNA (mRNA) molecules. [GOC:bf, PMID:15574591, PMID:21915786]' - }, - 'GO:1990125': { - 'name': 'DiaA complex', - 'def': 'A homotetrameric protein complex consisting of a symmetrical pair of DiaA homodimers. Facilitates DnaA binding to the origin of replication during replication initiation. [GOC:bhm, PMID:17699754]' - }, - 'GO:1990126': { - 'name': 'retrograde transport, endosome to plasma membrane', - 'def': 'The directed movement of membrane-bounded vesicles from endosomes back to the plasma membrane, a trafficking pathway that promotes the recycling of internalized transmembrane proteins. [PMID:23563491]' - }, - 'GO:1990127': { - 'name': 'intrinsic apoptotic signaling pathway in response to osmotic stress by p53 class mediator', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced by the cell cycle regulator phosphoprotein p53, or an equivalent protein, in response to the detection of osmotic stress, and ends when the execution phase of apoptosis is triggered. [GOC:krc, GOC:mtg_apoptosis, PMID:16571598]' - }, - 'GO:1990128': { - 'name': 'obsolete pre-primosome complex involved in replication initiation', - 'def': 'OBSOLETE. A protein-DNA complex involved in replication initiation at the origin of replication. [GOC:bhm, PMID:21856207]' - }, - 'GO:1990129': { - 'name': 'obsolete pre-primosome complex involved in replication restart', - 'def': 'OBSOLETE. A protein-DNA complex involved in replication restart after a stalled replication fork has been repaired. [GOC:bhm, PMID:17139333]' - }, - 'GO:1990130': { - 'name': 'Iml1 complex', - 'def': 'A protein complex involved in regulation of non-nitrogen-starvation (NNS) autophagic process. In S. cerevisiae this complex contains Iml1p, Npr2p and Npr3p proteins. In humans the GATOR1 complex consists of DEPDC5, Nprl2, Nprl3. [GOC:rb, PMID:21900499, PMID:23974112]' - }, - 'GO:1990131': { - 'name': 'Gtr1-Gtr2 GTPase complex', - 'def': 'A heterodimer GTPase complex. In S. cerevisiae, this complex contains Gtr1p and Gtr2p proteins. [GOC:rb, PMID:10388807, PMID:16143306]' - }, - 'GO:1990132': { - 'name': 'obsolete release of misfolded protein from chaperone', - 'def': 'OBSOLETE. The release of misfolded proteins that are being held by the chaperone heat shock protein (Hsp) and targeting them for destruction by the Ub-proteasome machinery. [GOC:rb, PMID:23530227]' - }, - 'GO:1990133': { - 'name': 'molybdopterin cofactor (Moco) biosynthesis adenylyltransferase complex', - 'def': 'A heterodimeric protein complex which adenylates two molecules of the sulfur carrier subunit of the molybdopterin (MPT) cofactor synthase using ATP as part of molybdopterin cofactor (Moco) biosynthesis. In E. coli the subunits are MoeB and MoaD; Moco biosynthesis and its constituent molecules are evolutionarily conserved. [GOC:bhm, pmid:11713534, pmid:16669776]' - }, - 'GO:1990134': { - 'name': 'epithelial cell apoptotic process involved in palatal shelf morphogenesis', - 'def': 'An apoptotic process in a palatal shelf epithelial cell that contributes to the shaping of the palatal shelf. [GOC:dph, GOC:mtg_apoptosis, PMID:16607638]' - }, - 'GO:1990135': { - 'name': 'flavonoid sulfotransferase activity', - 'def': "Catalysis of the reaction: a flavonoid + 3'-phosphoadenosine-5'-phosphosulfate = sulfated flavonoid + adenosine-3',5'-diphosphate. This reaction is the transfer of a sulfate group to the hydroxyl group of a flavonoid acceptor, producing the sulfated flavonoid derivative. [PMID:23611783]" - }, - 'GO:1990136': { - 'name': 'linoleate 9S-lipoxygenase activity', - 'def': 'Catalysis of the reaction: linoleate + O2 = (9S,10E,12Z)-9-hydroperoxy-10,12-octadecadienoate. [EC:1.13.11.58, GOC:rph, RHEA:30294]' - }, - 'GO:1990137': { - 'name': 'plant seed peroxidase activity', - 'def': 'Catalysis of the reaction: R1H + R2OOH = R1OH + R2OH. [PMID:19467604]' - }, - 'GO:1990138': { - 'name': 'neuron projection extension', - 'def': 'Long distance growth of a single neuron projection involved in cellular development. A neuron projection is a prolongation or process extending from a nerve cell, e.g. an axon or dendrite. [GOC:BHF, GOC:rl, PMID:22790009]' - }, - 'GO:1990139': { - 'name': 'protein localization to nuclear periphery', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the nuclear periphery. [GOC:mah, PMID:23703609]' - }, - 'GO:1990140': { - 'name': 'MPT synthase complex', - 'def': 'A heterodimeric protein complex which catalyses sulfur transfer from the sulfur carrier subunit of MPT synthase to precursor Z to synthesize MPT as part of molybdopterin cofactor (Moco) biosynthesis. In E. coli the subunits are MoaE and MoaD; in human, MOCS2B and MOCS2A. Moco biosynthesis and its constituent molecules are evolutionarily conserved. [GOC:bhm, PMID:11135669, PMID:16669776, Reactome:REACT_25073.1]' - }, - 'GO:1990141': { - 'name': 'chromatin silencing at centromere outer repeat region', - 'def': 'Repression of transcription of DNA at the outer repeat region of a regional centromere by altering the structure of chromatin. [PMID:21847092]' - }, - 'GO:1990142': { - 'name': 'envenomation resulting in hemolysis in other organism', - 'def': 'A process that begins with venom being forced into an organism by the bite or sting of another organism, and ends with hemolysis in the bitten organism. [PMID:21590705]' - }, - 'GO:1990143': { - 'name': 'CoA-synthesizing protein complex', - 'def': 'A multisubunit complex likely involved in the synthesis of coenzyme A (CoA). In S. cerevisiae, the complex consists of at least Cab2, Cab3, Cab4 and Cab5 but may also include Sis2 and Vhs3. The latter subunits are shared by the GO:0071513 phosphopantothenoylcysteine decarboxylase complex that catalyses the third step of the coenzyme A (CoA) biosynthetic pathway. [GOC:rb, PMID:23789928]' - }, - 'GO:1990144': { - 'name': 'intrinsic apoptotic signaling pathway in response to hypoxia', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced in response to hypoxia (lowered oxygen tension). Hypoxia, defined as a decline in O2 levels below normoxic levels of 20.8 - 20.95%, results in metabolic adaptation at both the cellular and organismal level. The pathway ends when the execution phase of apoptosis is triggered. [GOC:BHF, GOC:mtg_apoptosis, GOC:rl, PMID:20436456]' - }, - 'GO:1990145': { - 'name': 'maintenance of translational fidelity', - 'def': 'Suppression of the occurrence of translational errors, such as codon-anticodon mis-paring, during the process of translation of a protein using an mRNA template. [GOC:hjd, ISBN:9781936113460, PMID:21841312]' - }, - 'GO:1990146': { - 'name': 'protein localization to rhabdomere', - 'def': 'A process in which a protein is transported to, or maintained in, a location within a rhabdomere. [GOC:sart, PMID:8335687]' - }, - 'GO:1990147': { - 'name': 'talin binding', - 'def': 'Interacting selectively and non-covalently with a talin, a family of related cytoskeletal proteins that play a role in assembly of actin filaments and migration of various cell types. [GOC:hjd, PMID:23372168]' - }, - 'GO:1990148': { - 'name': 'glutamate dehydrogenase complex', - 'def': 'A homomeric protein complex that possesses glutamate dehydrogenase activity. This complex is evolutionarily conserved except that the number of homoprotomers per complex varies. [GOC:bhm, PMID:22393408, PMID:23412807]' - }, - 'GO:1990149': { - 'name': 'obsolete COPI vesicle coating', - 'def': 'OBSOLETE. The addition of COPI proteins and adaptor proteins to ER membranes during the formation of transport vesicles, forming a vesicle coat. [GOC:rb, PMID:11970962]' - }, - 'GO:1990150': { - 'name': 'VEGF-A complex', - 'def': 'A homodimeric, extracellular protein complex containing two VEGF-A monomers. Binds to and activates a receptor tyrosine kinase. [GOC:bf, GOC:bhm, PMID:12207021, PMID:19658168]' - }, - 'GO:1990151': { - 'name': 'protein localization to cell tip', - 'def': 'A process in which a protein is transported to, or maintained in, a location at the cell tip. [PMID:22768263]' - }, - 'GO:1990152': { - 'name': 'protein localization to telomeric heterochromatin', - 'def': 'A process in which a protein is transported to, or maintained in, a location in telomeric heterochromatin. [PMID:21300781]' - }, - 'GO:1990153': { - 'name': 'maintenance of protein localization to heterochromatin', - 'def': 'A process in which a protein is maintained in a location in telomeric heterochromatin. [PMID:21300781]' - }, - 'GO:1990154': { - 'name': 'enzyme IIA-maltose transporter complex', - 'def': 'A protein complex consisting of the pentameric maltose transporter complex bound to two enzyme IIA (EIIA) molecules. EIIA is a component of the glucose-specific phosphotransferase system that inhibits maltose transport from the periplasm to the cytoplasm. When EIIA-bound, the maltose transporter remains in the open, inward-facing conformation, which prevents binding of maltose-loaded maltose binding protein (MBP) to the transporter. [GOC:bf, GOC:bhm, PMID:23770568]' - }, - 'GO:1990155': { - 'name': 'Dsc E3 ubiquitin ligase complex assembly', - 'def': 'The aggregation, arrangement and bonding together of a set of components to form a Dsc E3 ubiquitin ligase complex, an E3 ubiquitin ligase complex localized to the ER and Golgi membrane. [GOC:mah, PMID:23760507]' - }, - 'GO:1990156': { - 'name': 'DnaB-DnaG complex', - 'def': 'A protein complex containing homohexameric DnaB helicase, and DnaG (a primase). Facilitates the unwinding of double-stranded DNA and the synthesis of RNA primer sequences during DNA replication and repair in Prokaryotes. [GOC:bhm, PMID:14557266]' - }, - 'GO:1990157': { - 'name': 'DnaA-DnaB-DnaC complex', - 'def': 'A protein-DNA complex consisting of the helicase loading complex DnaB-DnaC bound to the DNA-bound DNA replication initiation protein DnaA. Essential for DNA replication initiation. [GOC:bhm, PMID:20129058]' - }, - 'GO:1990158': { - 'name': 'DnaB-DnaC-DnaT-PriA-PriB complex', - 'def': 'A protein-DNA complex consisting of the helicase loading complex DnaB-DnaC, replication restart proteins DnaT, PriA and PriB, and associated DNA. Involved in the restart of DNA replication after a stalled replication fork has been repaired. [GOC:bhm, PMID:8663105]' - }, - 'GO:1990159': { - 'name': 'DnaB-DnaC-DnaT-PriA-PriC complex', - 'def': 'A protein-DNA complex consisting of the helicase loading complex DnaB-DnaC, replication restart proteins DnaT, PriA and PriC, and associated DNA. Involved in the restart of DNA replication after a stalled replication fork has been repaired. [GOC:bhm, PMID:8663105]' - }, - 'GO:1990160': { - 'name': 'DnaB-DnaC-Rep-PriC complex', - 'def': 'A protein-DNA complex consisting of the helicase loading complex DnaB-DnaC, replication restart proteins Rep and PriC, and associated DNA. Involved in the restart of DNA replication after a stalled replication fork has been repaired. [GOC:bhm, PMID:19941825, PMID:8663105]' - }, - 'GO:1990161': { - 'name': 'DnaB helicase complex', - 'def': 'A homohexameric protein complex that possesses DNA helicase activity; functions during DNA replication and repair. [GOC:bhm, PMID:17947583]' - }, - 'GO:1990162': { - 'name': 'histone deacetylase activity (H3-K4 specific)', - 'def': 'Catalysis of the reaction: histone H3 N6-acetyl-L-lysine (position 4) + H2O = histone H3 L-lysine (position 4) + acetate. This reaction represents the removal of an acetyl group from lysine at position 4 of the histone H3 protein. [GOC:al, PMID:23771057]' - }, - 'GO:1990163': { - 'name': 'ATP-dependent four-way junction helicase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate, where this reaction drives the unwinding of the DNA helix of DNA containing four-way junctions, including Holliday junctions. [GOC:al, PMID:22723423]' - }, - 'GO:1990164': { - 'name': 'histone H2A phosphorylation', - 'def': 'The modification of histone H2A by the addition of a phosphate group. [GOC:mah, PMID:23080121]' - }, - 'GO:1990165': { - 'name': 'single-strand break-containing DNA binding', - 'def': 'Interacting selectively and non-covalently with damaged DNA containing single-strand breaks (SSBs). [GOC:al, PMID:21984210]' - }, - 'GO:1990166': { - 'name': 'protein localization to site of double-strand break', - 'def': 'Any process in which a protein is transported to, or maintained at, a region of a chromosome at which a DNA double-strand break has occurred. [GOC:mah, PMID:23080121]' - }, - 'GO:1990167': { - 'name': 'protein K27-linked deubiquitination', - 'def': 'A protein deubiquitination process in which a K27-linked ubiquitin chain, i.e. a polymer of ubiquitin formed by linkages between lysine residues at position 27 of the ubiquitin monomers, is removed from a protein. [PMID:23827681]' - }, - 'GO:1990168': { - 'name': 'protein K33-linked deubiquitination', - 'def': 'A protein deubiquitination process in which a K33-linked ubiquitin chain, i.e. a polymer of ubiquitin formed by linkages between lysine residues at position 33 of the ubiquitin monomers, is removed from a protein. [PMID:23827681]' - }, - 'GO:1990169': { - 'name': 'stress response to copper ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in organismal or cellular homeostasis caused by a copper ion stimulus. [GOC:kmv, PMID:23437011]' - }, - 'GO:1990170': { - 'name': 'stress response to cadmium ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in organismal or cellular homeostasis caused by a cadmium ion stimulus. [GOC:kmv]' - }, - 'GO:1990171': { - 'name': 'SCF complex disassembly in response to cadmium stress', - 'def': 'The disaggregation of the SCF ubiquitin ligase complex in response to cadmium stress. [GOC:rb, PMID:23000173]' - }, - 'GO:1990172': { - 'name': 'G-protein coupled receptor catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a G-protein coupled receptor. [PMID:12142540, PMID:23954414]' - }, - 'GO:1990173': { - 'name': 'protein localization to nucleoplasm', - 'def': 'A process in which a protein is transported to, or maintained in, a location within the nucleoplasm. [GOC:mah, PMID:22918952]' - }, - 'GO:1990174': { - 'name': 'phosphodiesterase decapping endonuclease activity', - 'def': "Catalysis of the removal of the cap from an unmethylated 5'-end capped RNA resulting in the release of the entire cap structure (GpppN) and a 5' monophosphorylated RNA. [GOC:dgf, PMID:20802481]" - }, - 'GO:1990175': { - 'name': 'EH domain binding', - 'def': 'Interacting selectively and non-covalently with an EH domain of a protein. The EH stand for Eps15 homology. This was originally identified as a motif present in three copies at the NH2-termini of Eps15 and of the related molecule Eps15R. [GOC:hjd, PMID:11911876, PMID:21115825]' - }, - 'GO:1990176': { - 'name': 'MalFGK2 complex', - 'def': 'Protein complex involved in maltose transport through the plasma membrane. In E. coli, the complex is a tetramer and consists of a cytoplasmic ATPase MalK homodimer together with a heterodimeric transmembrane subunit MalF-MalG. [GOC:bhm, PMID:19250913]' - }, - 'GO:1990177': { - 'name': 'IHF-DNA complex', - 'def': 'A protein-DNA complex containing IHF heterodimers (an alpha and a beta chain) bound to DNA. IHF binds to double-stranded DNA in a structure- and sequence-specific manner and bends the DNA into a nucleosome-like structure, the bacterial nucleoid. [GOC:bhm, PMID:17097674]' - }, - 'GO:1990178': { - 'name': 'HU-DNA complex', - 'def': 'A protein-DNA complex that consists of HU heterodimers (an alpha and a beta chain) assembled into octamers along DNA. HU binds to double-stranded DNA in a structure- and sequence-specific manner and bends the DNA into a nucleosome-like structure. [GOC:bhm, PMID:17360520]' - }, - 'GO:1990179': { - 'name': 'protein localization to actomyosin contractile ring', - 'def': 'A process in which a protein is transported to, or maintained at, the actomyosin contractile ring. [GOC:mah, PMID:23349808]' - }, - 'GO:1990180': { - 'name': "mitochondrial tRNA 3'-end processing", - 'def': "The process in which the 3' end of a pre-tRNA molecule is converted to that of a mature tRNA in the mitochondrion. [GOC:mah, GOC:TermGenie, PMID:23928301]" - }, - 'GO:1990181': { - 'name': 'acetyl-CoA biosynthetic process from pantothenate', - 'def': 'The chemical reactions and pathways resulting in the formation of acetyl-CoA from pantothenate via phosphopantothenate and CoA. [GOC:mah, PMID:23091701]' - }, - 'GO:1990182': { - 'name': 'exosomal secretion', - 'def': 'The process whereby a membrane-bounded vesicle is released into the extracellular region by fusion of the limiting endosomal membrane of a multivesicular body with the plasma membrane. [GOC:hjd, PMID:10572093, PMID:12154376, PMID:16773132, PMID:18617898]' - }, - 'GO:1990183': { - 'name': 'lymphatic vascular process in circulatory system', - 'def': 'A circulatory process that occurs at the level of the lymphatic vasculature. [PMID:21576390]' - }, - 'GO:1990184': { - 'name': 'amino acid transport complex', - 'def': 'A heteromeric protein complex consisting of a multi-transmembrane spanning subunit (the light chain) and a type II glycoprotein subunit (the heavy chain) that functions to transport amino acids across a plasma membrane. [GOC:kmv, PMID:14668347]' - }, - 'GO:1990185': { - 'name': 'regulation of lymphatic vascular permeability', - 'def': 'Any process that modulates the extent to which lymphatic vessels can be pervaded by fluid. [PMID:23897233]' - }, - 'GO:1990186': { - 'name': 'regulation of lymphatic vessel size', - 'def': 'Any process that modulates the size of lymphatic vessels. [PMID:23897233]' - }, - 'GO:1990187': { - 'name': 'obsolete protein localization to mRNA', - 'def': 'OBSOLETE. A process in which a protein is transported to, or maintained at mRNA. [GOC:rb, PMID:22890846]' - }, - 'GO:1990188': { - 'name': 'euchromatin binding', - 'def': 'Interacting selectively and non-covalently with euchromatin, a dispersed and relatively uncompacted form of chromatin. [GOC:vw, PMID:22431512]' - }, - 'GO:1990189': { - 'name': 'peptide-serine-N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + N-terminal L-serine in peptide = CoA + N-acetyl-L-serine-peptide. [GOC:al, PMID:23912279]' - }, - 'GO:1990190': { - 'name': 'peptide-glutamate-N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + N-terminal L-glutamate in peptide = CoA + N-acetyl-L-glutamate-peptide. [GOC:al, PMID:23912279]' - }, - 'GO:1990191': { - 'name': 'cobalamin transport complex', - 'def': 'Protein complex facilitating ATP-dependent cobalamin (vitamin B12) transport through inner cell membrane (periplasm to cytoplasm) in Gram-negative bacteria. In E. coli the system is composed of a periplasmic cobalamin-binding protein (BtuF), an integral membrane homodimer, BtuC, and a cytoplasmic ATP-binding homodimer BtuD. [GOC:bhm, PMID:22569249]' - }, - 'GO:1990192': { - 'name': 'collecting lymphatic vessel constriction', - 'def': 'A decrease in the diameter of collecting lymphatic vessels. [PMID:23322290]' - }, - 'GO:1990193': { - 'name': 'BtuCD complex', - 'def': 'Protein complex involved in cobalamin (vitamin B12) transport through the plasma membrane. In E. coli, the complex is a tetramer and consists of the cytoplasmic ATPase BtuD homodimer together with the transmembrane BtuC homodimer. [GOC:bhm, PMID:22569249]' - }, - 'GO:1990194': { - 'name': 'cytoplasmic U snRNP body assembly', - 'def': 'The aggregation, arrangement and bonding together of proteins and RNA molecules to form a cytoplasmic U snRNP body. [PMID:19464282]' - }, - 'GO:1990195': { - 'name': 'macrolide transmembrane transporter complex', - 'def': 'A bacterial transmembrane transporter complex that spans the entire cell membrane system and possesses ATP-dependent xenobiotic transport activity pumping drugs (typically antibiotics) and other toxins directly from the cytosol out of the bacterial cell. Typically, it is trimeric consisting of a inner membrane ATPase (IMP), a periplasmic membrane fusion protein (MFP) and an outer membrane factor (OMF). In E. coli, macrolide transporter complexes may consists of MacB (IMP), MacA (MFP) and TolC (OMF) or AcrB (IMP), AcrA (MFP) and TolC (OMF). Trimeric TolC is a common OMF found in many macrolide transporter complexes. [GOC:bhm, PMID:10879525, PMID:18955484, PMID:19254725]' - }, - 'GO:1990196': { - 'name': 'MacAB-TolC complex', - 'def': 'The MacAB-TolC complex is a macrolide transporter complex found in E.coli and related gram-negative bacteria. Its transport activity is specific to macrolide compounds containing 14- and 15-membered lactones. It consists of the dimeric inner membrane ATPase MacB, the hexameric, periplasmic membrane fusion protein MacA and the trimeric outer membrane factor TolC. [GOC:bhm, PMID:10879525, PMID:18955484, PMID:19254725]' - }, - 'GO:1990197': { - 'name': 'ATP-dependent methionine-importing complex', - 'def': 'An ATP-binding cassette (ABC) transporter complex that is capable of methionine-importing activity. An example is the bacterial MetNIQ methionine transporter, that consists of the dimeric ATPase subunit MetN located at the cytoplasmic side of the plasma membrane and the dimeric transmembrane subunit MetI. MetQ is regarded as the periplasmic methionine-binding chaperon subunit, and is capable of transporting methionine from the periplasm into the cytoplasm in an ATP-dependent manner. [GOC:bhm, PMID:22095702]' - }, - 'GO:1990198': { - 'name': 'ModE complex', - 'def': 'A dimeric protein complex containing two ModE subunits. Binds directly to DNA to regulate transcription, and is involved in (positively and negatively) regulating various aspects of molybdenum metabolism. [GOC:bhm, PMID:12581638]' - }, - 'GO:1990199': { - 'name': 'MsbA transporter complex', - 'def': 'An ATP-binding cassette (ABC) transporter complex made up of a dimer of MsbA. Facilitates the export across the plasma membrane of, amongst others, lipid A and lipopolysaccharide. In contrast to most ABC transporter complexes, each chain of the homodimer contains both the transmembrane domain (TMD) and the cytoplasmic ATP-binding domain (NBD). [GOC:bhm, PMID:18024585]' - }, - 'GO:1990200': { - 'name': 'SsuD-SsuE complex', - 'def': 'A protein complex containing an alkanesulfonate monooxygenase subunit (SsuD tetramer in E.coli) and a flavin oxidoreductase subunit (SsuE dimer in E.coli). Involved in the utilization of alkanesulfonates as sulfur sources under conditions of sulfate or cysteine starvation. [GOC:bhm, PMID:16997955]' - }, - 'GO:1990201': { - 'name': 'alkanesulfonate monooxygenase complex', - 'def': 'A protein complex capable of alkanesulfonate monooxygenase activity. Involved in the utilization of alkanesulfonates as sulfur sources under conditions of sulfate or cysteine starvation, catalyzing the conversion of alkanesulfonates into aldehydes and sulfite. In E.coli the complex consists of a SsuD tetramer. [GOC:bhm, PMID:10480865, PMID:16997955]' - }, - 'GO:1990202': { - 'name': 'FMN reductase complex', - 'def': 'A protein complex capable of FMN reductase activity. Reduces FMN to FMNH2 in a NAD(P)H-dependent manner. In E.coli, consists of a SsuE dimer. [GOC:bhm, PMID:10480865, PMID:16997955]' - }, - 'GO:1990203': { - 'name': 'MdtBC Complex', - 'def': 'A protein complex containing two transmembrane subunits; a MdtB dimer and one unit of MdtC. Capable of exporting substrates across the cell membrane. Involved in conferring antibiotic resistance of Gram-negative bacteria by transporting drugs across the membrane. [GOC:bhm, PMID:20038594]' - }, - 'GO:1990204': { - 'name': 'oxidoreductase complex', - 'def': 'Any protein complex that possesses oxidoreductase activity. [GOC:bhm, PMID:18982432]' - }, - 'GO:1990205': { - 'name': 'taurine dioxygenase complex', - 'def': 'A protein complex capable of catalyzing the conversion of taurine and alpha-ketoglutarate to sulfite, aminoacetaldehyde and succinate under sulfur or cysteine starvation conditions. Its expression is repressed by the presence of sulfate or cysteine. In E. coli it is a homodimer or homotetramer of the protein TauD. [GOC:bhm, PMID:12741810]' - }, - 'GO:1990206': { - 'name': 'jasmonyl-Ile conjugate hydrolase activity', - 'def': 'Catalysis of the reaction: jasmonyl-Ile + H2O = jasmonic acid + L-isoleucine. [PMID:23943861]' - }, - 'GO:1990207': { - 'name': 'EmrE multidrug transporter complex', - 'def': 'A transmembrane protein complex capable of transporting positively charged hydrophobic drugs across the plasma membrane thereby involved in conferring resistance to a wide range of toxic compounds (e.g. methyl viologen, ethidium bromide and acriflavine). It is commonly found in bacteria. In E. coli it forms a homodimer. [GOC:bhm, PMID:18024586]' - }, - 'GO:1990208': { - 'name': 'positive regulation by symbiont of RNA levels in host', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the RNA levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:12182338, PMID:18703740]' - }, - 'GO:1990209': { - 'name': 'negative regulation by symbiont of RNA levels in host', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of the RNA levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:ml, PMID:18703740]' - }, - 'GO:1990210': { - 'name': 'positive regulation by symbiont of indole acetic acid levels in host', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the indole acetic acid levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:ml, PMID:18056646]' - }, - 'GO:1990211': { - 'name': 'positive regulation by symbiont of jasmonic acid levels in host', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the jasmonic acid levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:ml, PMID:14617079, PMID:16553894]' - }, - 'GO:1990212': { - 'name': 'positive regulation by symbiont of ethylene levels in host', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the ethylene levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:ml, PMID:16167902]' - }, - 'GO:1990213': { - 'name': 'negative regulation by symbiont of salicylic acid levels in host', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of salicylic acid levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [GOC:ml, PMID:17722699, PMID:20565685]' - }, - 'GO:1990214': { - 'name': 'negative regulation by symbiont of host protein levels', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of protein levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:16840699, PMID:22233353]' - }, - 'GO:1990215': { - 'name': 'negative regulation by symbiont of host intracellular transport', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of intracellular transport in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:22319451]' - }, - 'GO:1990216': { - 'name': 'positive regulation by symbiont of host transcription', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of transcription in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:21994350]' - }, - 'GO:1990217': { - 'name': 'negative regulation by symbiont of host phytoalexin production', - 'def': 'Any process in which an organism stops, prevents, or reduces the frequency, rate or extent of phytoalexin production in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:21402357]' - }, - 'GO:1990218': { - 'name': 'positive regulation by symbiont of abscisic acid levels in host', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the abscisic acid levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:17304219]' - }, - 'GO:1990219': { - 'name': 'positive regulation by symbiont of host protein levels', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of protein levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:20615948]' - }, - 'GO:1990220': { - 'name': 'GroEL-GroES complex', - 'def': 'Bacterial chaperonin complex consisting of a heptameric 10kDa chaperonin subunit GroES and a tetradecameric (2x7) 60kDa chaperonin subunit GroEL. The 60kDa subunit possesses ATPase activity while the holo-enzyme is responsible for the correct folding of proteins. [GOC:bhm, PMID:15313620]' - }, - 'GO:1990221': { - 'name': 'L-cysteine desulfurase complex', - 'def': 'A protein complex capable of cysteine desulfurase activity decomposing L-cysteine to L-alanine and sulfur. It belongs to a ubiquitous family of pyridoxal 5-phosphate (PLP)-dependent enzymes. In E. coli it consists of a SufS dimer. [GOC:bhm, PMID:11827487]' - }, - 'GO:1990222': { - 'name': 'ProVWX complex', - 'def': 'The ProVWX complex belongs to the family of ATP-binding cassette (ABC) transporter proteins complexes. It consists of a cytoplasmic ATPase subunit ProV, a transmembrane subunit ProW and a periplasmic binding protein ProX. It is capable of translocating a wide variety of solute (e.g. glycine betaine) across the plasma membrane and is activated under osmotic stress conditions. [GOC:bhm, PMID:23249124]' - }, - 'GO:1990223': { - 'name': 'positive regulation by symbiont of cytokinin levels in host', - 'def': 'Any process in which an organism activates, maintains or increases the frequency, rate or extent of the cytokinin levels in the host organism. The host is defined as the larger of the organisms involved in a symbiotic interaction. [PMID:24124900]' - }, - 'GO:1990224': { - 'name': 'NMN phosphatase activity', - 'def': 'Catalysis of the reaction: beta-nicotinamide D-ribonucleotide (NMN-) + H2O = beta-nicotinamide D-riboside (nicotinamide ribose, NmR) + phosphate. [GOC:rb, PMID:21349851, RHEA:30818]' - }, - 'GO:1990225': { - 'name': 'rhoptry neck', - 'def': 'Narrow, electron-dense part of the rhoptry that extends through the conoid at the apical tip of an apicomplexan parasite. The rhoptry neck serves as a duct through which the contents of the rhoptry are secreted after attachment to the host has been completed and at the commencement of invasion. [GOC:giardia, GOC:pr, PMID:23499754, PMID:23937520, PMID:24002067, PMID:24070999]' - }, - 'GO:1990226': { - 'name': 'histone methyltransferase binding', - 'def': 'Interacting selectively and non-covalently with a histone methyltransferase enzyme. [GOC:ame, GOC:BHF, PMID:19486527]' - }, - 'GO:1990227': { - 'name': 'paranodal junction maintenance', - 'def': 'The maintenance of a paranodal junction, a highly specialized cell-cell junction found in vertebrates, which forms between a neuron and a glial cell, and has structural similarity to Drosophila septate junctions. A paranodal junction flanks the node of Ranvier in myelinated nerve, electrically isolates the myelinated from unmyelinated nerve segments, and physically separates the voltage-gated sodium channels at the node from the cluster of potassium channels underneath the myelin sheath. [GOC:pr, PMID:24011083]' - }, - 'GO:1990228': { - 'name': 'sulfurtransferase complex', - 'def': 'A protein complex capable of catalyzing the transfer of sulfur atoms from one compound (donor) to another (acceptor). [GOC:bhm, PMID:17350958]' - }, - 'GO:1990229': { - 'name': 'iron-sulfur cluster assembly complex', - 'def': 'A protein complex capable of assembling an iron-sulfur (Fe-S) cluster. [GOC:bhm, PMID:17350958]' - }, - 'GO:1990230': { - 'name': 'iron-sulfur cluster transfer complex', - 'def': 'A protein complex capable of catalyzing the transfer of an iron-sulfur (Fe-S) cluster from one compound (donor) to another (acceptor). [GOC:bhm, PMID:19810706]' - }, - 'GO:1990231': { - 'name': 'STING complex', - 'def': "A protein dimer containing two STING monomers. It binds cyclic purine di-nucleotides. Activation of the sting complex by 2',5'-3'-5'-cyclic GMP-AMP activates nuclear transcription factor kB (NF-kB) and interferon regulatory factor 3 (IRF3) which then induce transcription of the genes encoding type I IFN and cytokines active in the innate immune response. [GOC:bhm, PMID:22705373, PMID:23706668, PMID:23910378]" - }, - 'GO:1990232': { - 'name': 'phosphomannomutase complex', - 'def': 'A protein complex capable of phosphomannomutase activity. [GOC:bhm, PMID:16540464]' - }, - 'GO:1990233': { - 'name': 'intramolecular phosphotransferase complex', - 'def': 'A protein complex capable of catalyzing the transfer of a phosphate group from one position to another within a single molecule. [GOC:bhm, PMID:16540464]' - }, - 'GO:1990234': { - 'name': 'transferase complex', - 'def': 'A protein complex capable of catalyzing the transfer of a group, e.g. a methyl group, glycosyl group, acyl group, phosphorus-containing, or other groups, from one compound (generally regarded as the donor) to another compound (generally regarded as the acceptor). [GOC:bhm, PMID:16540464]' - }, - 'GO:1990235': { - 'name': 'diamine N-acetyltransferase complex', - 'def': 'A protein complex which is capable of diamine N-acetyltransferase activity. [GOC:bhm, PMID:8077207]' - }, - 'GO:1990236': { - 'name': 'proteasome core complex import into nucleus', - 'def': 'The directed movement of the proteasome core complex (AKA core particle (CP)) from the cytoplasm into the nucleus. [GOC:dos, GOC:rb, PMID:23982732]' - }, - 'GO:1990237': { - 'name': 'sequestration of proteasome core complex in proteasome storage granule', - 'def': 'Any process where the proteasome core particle (CP) is sequestered in the protein storage granule in the cytoplasm. [GOC:rb, PMID:23982732]' - }, - 'GO:1990238': { - 'name': 'double-stranded DNA endodeoxyribonuclease activity', - 'def': 'Catalysis of the hydrolysis of ester linkages within a double-stranded deoxyribonucleic acid molecule by creating internal breaks. [GOC:PG, PMID:22885404]' - }, - 'GO:1990239': { - 'name': 'steroid hormone binding', - 'def': 'Interacting selectively and non-covalently with a steroid hormone. [GOC:ln]' - }, - 'GO:1990240': { - 'name': 'methionine-importing activity', - 'def': 'Catalysis of the transfer of methionine into a cell or organelle, across a membrane. [GOC:pr]' - }, - 'GO:1990241': { - 'name': 'obsolete nucleotide binding complex', - 'def': 'OBSOLETE. A protein complex that interacts selectively and non-covalently with a nucleotide, any compound consisting of a nucleoside that is esterified with (ortho)phosphate or an oligophosphate at any hydroxyl group on the ribose or deoxyribose. An example of this is STING in E. coli (Q86WV6). [GOC:bhm, PMID:23910378]' - }, - 'GO:1990242': { - 'name': 'obsolete innate immune response complex', - 'def': 'OBSOLETE. A protein complex involved in the innate immune response. [GOC:bhm, PMID:23910378]' - }, - 'GO:1990243': { - 'name': 'atf1-pcr1 complex', - 'def': 'A heterodimeric transcription factor complex composed of the bZIP proteins atf1 and pcr1. The heterodimer binds m26 sites (homologous to CRE). [PMID:24224056]' - }, - 'GO:1990244': { - 'name': 'histone kinase activity (H2A-T120 specific)', - 'def': 'Catalysis of the transfer of a phosphate group to the threonine-120 residue of histone H2A. [PMID:24140421]' - }, - 'GO:1990245': { - 'name': 'histone H2A-T120 phosphorylation', - 'def': 'The modification of histone H2A by the addition of a phosphate group to a threonine residue at position 120 of the histone. [PMID:24140421]' - }, - 'GO:1990246': { - 'name': 'uniplex complex', - 'def': 'A calcium channel complex in the mitochondrial inner membrane capable of highly-selective calcium channel activity. Its components include the EF-hand-containing proteins mitochondrial calcium uptake 1 (MICU1) and MICU2, the pore-forming subunit mitochondrial calcium uniporter (MCU) and its paralog MCUb, and the MCU regulator EMRE. [PMID:24231807]' - }, - 'GO:1990247': { - 'name': 'N6-methyladenosine-containing RNA binding', - 'def': 'Interacting selectively and non-covalently with an RNA molecule modified by N6-methyladenosine (m6A), a modification present at internal sites of mRNAs and some non-coding RNAs. [PMID:22575960, PMID:24284625]' - }, - 'GO:1990248': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to DNA damage', - 'def': 'Any process that modulates the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of DNA damage. [PMID:15660129]' - }, - 'GO:1990249': { - 'name': 'nucleotide-excision repair, DNA damage recognition complex', - 'def': 'A protein complex that is capable of identifying lesions in DNA, such as pyrimidine-dimers, intrastrand cross-links, and bulky adducts. The wide range of substrate specificity suggests that the repair complex recognizes distortions in the DNA helix. It subsequently recruits a nucleotide-excision repair, preincision complex. [GOC:bhm, PMID:22331906]' - }, - 'GO:1990250': { - 'name': 'transcription-coupled nucleotide-excision repair, DNA damage recognition complex', - 'def': 'A protein complex that is capable of identifying lesions in DNA on the actively transcribed strand of the DNA duplex as well as a small subset of lesions not recognized by the general nucleotide-excision repair pathway. The wide range of substrate specificity suggests that the repair complex recognizes distortions in the DNA helix. It subsequently recruits a nucleotide-excision repair, preincision complex. [GOC:bhm, PMID:22331906]' - }, - 'GO:1990251': { - 'name': 'Mmi1 nuclear focus complex', - 'def': 'A protein complex that forms during vegetative growth and is involved in the selective degradation of meiosis-specific transcripts. Contains at least Mmi1, or an ortholog of it. [GOC:al, GOC:vw, PMID:16823445, PMID:23980030]' - }, - 'GO:1990252': { - 'name': 'Syp1 complex', - 'def': 'A protein complex that contributes to the endocytic process and bud growth in yeast. It is involved in the precise timing of actin assembly during endocytosis. [GOC:bhm, PMID:19713939]' - }, - 'GO:1990253': { - 'name': 'cellular response to leucine starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of leucine. [PMID:19033384]' - }, - 'GO:1990254': { - 'name': 'keratin filament binding', - 'def': 'Interacting selectively and non-covalently with a keratin filament, an intermediate filament composed of acidic and basic keratins (types I and II), typically expressed in epithelial cells. [GOC:krc, PMID:6170061]' - }, - 'GO:1990255': { - 'name': 'subsynaptic reticulum organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of a subsynaptic reticulum. A subsynaptic reticulum is an elaborate tubulolamellar membrane system that underlies the postsynaptic cell membrane. [PMID:21041451]' - }, - 'GO:1990256': { - 'name': 'signal clustering', - 'def': 'Grouping of multiple copies of a signal at a cellular location. May promote receptor clustering and alter the signal transduction response. [GOC:als, PMID:12011072, PMID:15603739]' - }, - 'GO:1990257': { - 'name': 'piccolo-bassoon transport vesicle', - 'def': 'A cytoplasmic dense-core vesicle that transports a range of proteins including piccolo, bassoon, N-cadherin and syntaxin. The transported proteins may be associated with the external side of the vesicle, rather than being contained within the vesicle, therefore forming an aggregate of vesicle and proteins. Piccolo-bassoon transport vesicles (or PTVs) range in size from approximately 80 nm in diameter for dense core vesicles to 130 nm by 220 nm in area for aggregates. They are packaged via the trans-Golgi network before being transported through the axon. [GOC:dr, PMID:21569270]' - }, - 'GO:1990258': { - 'name': 'histone glutamine methylation', - 'def': 'The modification of a histone by addition of a methyl group to an glutamine residue. [PMID:24352239]' - }, - 'GO:1990259': { - 'name': 'histone-glutamine methyltransferase activity', - 'def': 'Catalysis of the reaction: S-adenosyl-L-methionine + (histone)-glutamine = S-adenosyl-L-homocysteine + (histone)-N5-methyl-glutamine. [PMID:24352239]' - }, - 'GO:1990260': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter by transcription factor localization involved in response to DNA damage checkpoint signaling', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase II promoter using a mechanism that involves the localization of a transcription factor and initiated in response to the DNA damage checkpoint signaling. [PMID:24006488]' - }, - 'GO:1990261': { - 'name': 'pre-mRNA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the unspliced pre-mRNA (pre-messenger RNA). [GOC:rb, PMID:22844259]' - }, - 'GO:1990262': { - 'name': 'anti-Mullerian hormone signaling pathway', - 'def': 'A series of molecular signals initiated by the binding of anti-Mullerian hormone to its receptor on the surface of a target cell, and ending with regulation of a downstream cellular process, e.g. transcription. [GOC:hjd, PMID:23624077]' - }, - 'GO:1990263': { - 'name': 'MAPK cascade in response to starvation', - 'def': 'A MAPK cascade that occurs as a result of deprivation of nourishment. [GOC:al, PMID:7501024]' - }, - 'GO:1990264': { - 'name': 'peptidyl-tyrosine dephosphorylation involved in inactivation of protein kinase activity', - 'def': 'Any peptidyl-tyrosine dephosphorylation that is involved in inactivation of protein kinase activity. [PMID:7501024]' - }, - 'GO:1990265': { - 'name': 'platelet-derived growth factor complex', - 'def': 'A protein complex consisting of two chains of platelet-derived growth factor (PDGF) subunits. PDGF dimers bind to PDGF receptors in the plasma membrane and induce receptor dimerisation and activation. PDGFs are involved in a wide variety of signalling processes. PDGFs are found in all vertebrates where at least 2 different chains (A and B) exist. In human (and other mammals), four types of PDGF chains (A, B, C, and D) are known which form five different dimers (AA, AB, BB, CC and DD). [GOC:bhm, IntAct:EBI-2881436, IntAct:EBI-2881443, IntAct:EBI-2881451, PMID:11331882]' - }, - 'GO:1990266': { - 'name': 'neutrophil migration', - 'def': 'The movement of an neutrophil within or between different tissues and organs of the body. [PMID:1826836]' - }, - 'GO:1990267': { - 'name': 'response to transition metal nanoparticle', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a transition metal nanoparticle. [PMID:23150627]' - }, - 'GO:1990268': { - 'name': 'response to gold nanoparticle', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gold nanoparticle stimulus. [PMID:23150627]' - }, - 'GO:1990269': { - 'name': 'RNA polymerase II C-terminal domain phosphoserine binding', - 'def': 'Interacting selectively and non-covalently with phosphorylated serine residues in the C-terminal domain of RNA polymerase II. [GOC:di, PMID:22796944]' - }, - 'GO:1990270': { - 'name': 'platelet-derived growth factor receptor-ligand complex', - 'def': 'A tetrameric protein complex consisting of two platelet-derived growth factor (PDGF) receptor subunits and two PDGF ligand subunits. Binding of the PDGF ligand dimer to the PDGF receptor in the plasma membrane induces receptor dimerisation and activation. PDGFs are involved in a wide variety of signalling processes and are found in all vertebrates. At least two different receptor chains (A and B) and four types of ligand chains (A, B, C, and D) are known forming a wide variety of combinations of receptor-ligand complexes. [GOC:bhm, IntACT:EBI-9080360, PMID:11331882]' - }, - 'GO:1990271': { - 'name': 'obsolete anti-Mullerian hormone', - 'def': 'OBSOLETE. Combining with anti-Mullerian hormone to initiate a change in cell activity. [GOC:hjd, PMID:23624077]' - }, - 'GO:1990272': { - 'name': 'anti-Mullerian hormone receptor activity', - 'def': 'Combining with anti-Mullerian hormone to initiate a change in cell activity. [GOC:hjd, PMID:23624077]' - }, - 'GO:1990273': { - 'name': "snRNA 5'-end processing", - 'def': "Any process involved in forming the mature 5' end of an snRNA molecule. [PMID:22740346]" - }, - 'GO:1990274': { - 'name': 'mitotic actomyosin contractile ring disassembly', - 'def': 'Any disaggregation of an actomyosin contractile ring into its constituent components that is involved in a mitotic cell cycle. [PMID:14602073, PMID:22891673]' - }, - 'GO:1990275': { - 'name': 'preribosome binding', - 'def': 'Interacting selectively and non-covalently with any part of a preribosome. [GOC:di, PMID:22735702]' - }, - 'GO:1990276': { - 'name': "RNA 5'-methyltransferase activity", - 'def': "Catalysis of the transfer of a methyl group from S-adenosyl-L-methionine to the 5'-gamma-phosphate in an RNA molecule. [GOC:al, GOC:vw, PMID:22740346]" - }, - 'GO:1990277': { - 'name': 'parasexual conjugation with cellular fusion', - 'def': 'A conjugation process that results in the union of cellular and genetic information from compatible mating types, without the formation of zygotes. An example of this process is found in Candida albicans. [GOC:di]' - }, - 'GO:1990278': { - 'name': 'obsolete positive regulation of MBF transcription factor activity', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of activity of the transcription factor MBF. [PMID:11795845]' - }, - 'GO:1990279': { - 'name': 'obsolete negative regulation of MBF transcription factor activity', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of the activity of the transcription factor MBF. [PMID:24006488]' - }, - 'GO:1990280': { - 'name': 'RNA localization to chromatin', - 'def': 'A process in which RNA is transported to and maintained in a part of a chromosome that is organized into chromatin. [GOC:dos, GOC:mah, PMID:22582262]' - }, - 'GO:1990281': { - 'name': 'efflux pump complex', - 'def': 'A protein complex that is capable of efflux transmembrane transporter activity. [GOC:dos, PMID:21556065, PMID:9417051]' - }, - 'GO:1990294': { - 'name': 'peptidyl-threonine trans-autophosphorylation', - 'def': 'The phosphorylation of a peptidyl-threonine to form peptidyl-O-phospho-L-threonine on an identical protein. For example, phosphorylation by the other kinase within a homodimer. [PMID:19357077]' - }, - 'GO:1990295': { - 'name': 'post-anaphase microtubule array', - 'def': 'A cytoskeletal part that consists of an array of microtubules and associated molecules that forms at the end of anaphase, and in which microtubules are nucleated from an equatorial microtubule organizing center. [PMID:11792817, PMID:17072892, PMID:9601091]' - }, - 'GO:1990296': { - 'name': 'scaffoldin complex', - 'def': 'A protein complex that contains one or more scaffoldin proteins and several cellulosomal enzymes. [PMID:15197390, PMID:20373916]' - }, - 'GO:1990297': { - 'name': 'renal amino acid absorption', - 'def': 'A renal system process in which amino acids are taken up from the collecting ducts, glomerulus and proximal and distal loops of the nephron. In non-mammalian species, absorption may occur in related structures. [GOC:hjd, PMID:1526373]' - }, - 'GO:1990298': { - 'name': 'bub1-bub3 complex', - 'def': 'Protein complex that associates with the kinetochores. [PMID:22521786]' - }, - 'GO:1990299': { - 'name': 'Bub1-Bub3 complex localization to kinetochore', - 'def': 'A cellular protein complex localization that acts on a Bub1-Bub3 complex; as a result, the complex is transported to, or maintained in, a specific location at the kinetochore. [PMID:22521786]' - }, - 'GO:1990300': { - 'name': 'cellulosome binding', - 'def': 'Interacting selectively and non-covalently with the cellulosome, an extracellular multi-enzyme complex containing several enzymes aligned on a non-catalytic scaffolding that functions to hydrolyze plant cell wall polysaccharides. [PMID:11893054, PMID:15197390]' - }, - 'GO:1990301': { - 'name': 'scaffoldin complex binding', - 'def': 'A protein complex that contains one or more scaffoldin proteins and several cellulosomal enzymes ant that interacts selectively and non-covalently with the scaffoldin complex. [PMID:11893054, PMID:15197390]' - }, - 'GO:1990302': { - 'name': 'Bre1-Rad6 ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex consisting of Bre1 and Rad6 that mediates monoubiquitination of histone H2B to form H2BK123ub1. H2BK123ub1 gives a specific tag for epigenetic transcriptional activation, elongation by RNA polymerase II, telomeric silencing, and is also a prerequisite for H3K4me and H3K79me formation. It thereby plays a central role in histone code and gene regulation. It also modulates the formation of double-strand breaks during meiosis. [GOC:bhm, IntAct:EBI-9102228, PMID:19531475]' - }, - 'GO:1990303': { - 'name': 'UBR1-RAD6 ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex consisting of UBR1 and RAD6 components. It polyubiquitinates proteins containing non-acetylated N-terminal residues causing their subsequent degradation by the proteasome as part of the Ac/N-End Rule pathway. It recognizes non-acetylated N-terminal methionine if it is followed by a hydrophobic residue. Additionally, it acts in an N-end rule independent manner as a component of a novel quality control pathway for proteins synthesized on cytosolic ribosomes. [GOC:bhm, IntAct:EBI-9103673, PMID:19531475]' - }, - 'GO:1990304': { - 'name': 'MUB1-RAD6-UBR2 ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex consisting of MUB1, RAD6 and UBR2 components. It ubiquitinates, and targets for destruction, the RPN4 transcription factor, which upregulates the proteasome genes. The binding of MUB1 may position the RPN4 ubiquitylation site proximal to the Ubiquitin-RAD6 thioester and allow the transfer of Ubiquitin from RAD6 to RPN4. One of its components, MUB1, is a short-lived protein ubiquitinated by the UBR2-RAD6 ubiquitin conjugating enzyme. [GOC:bhm, IntAct:EBI-9117531, PMID:18070918]' - }, - 'GO:1990305': { - 'name': 'RAD6-UBR2 ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex consisting of RAD6 and UBR2 components. It may act in a quality control pathway for proteins synthesized on cytosolic ribosomes. The UBR2 component lacks sequence motifs required for N-end rule degradation. [GOC:bhm, IntAct:EBI-9116509, PMID:15504724]' - }, - 'GO:1990306': { - 'name': 'RSP5-BUL ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex consisting of RSP5 and BUL components. It polyubiquinates plasma membrane transporters and permeases, required for their endocytosis and subsequent degradation in the vacuole. BUL1 or BUL2, respectively, bind to the target protein, enabling ubiquitylation by Rsp5. Phosphorylation of BUL proteins results in binding to 14-3-3 proteins, protecting the permeases from down-regulation. [GOC:bhm, IntAct:EBI-9105217, IntAct:EBI-9105295, PMID:9931424]' - }, - 'GO:1990308': { - 'name': 'Type-I dockerin domain binding', - 'def': 'Interacting selectively and non-covalently with a type-I dockerin domain of a protein. Type-I dockerin domain is the binding partner of type-1 cohesin domain. [PMID:23195689, PMID:24080387]' - }, - 'GO:1990309': { - 'name': 'Type-II dockerin domain binding', - 'def': 'Interacting selectively and non-covalently with a type-II dockerin domain of a protein. Type-II dockerin domain is the binding partner of type-II cohesin domain. [PMID:23195689, PMID:24080387]' - }, - 'GO:1990310': { - 'name': 'Type-III dockerin domain binding', - 'def': 'Interacting selectively and non-covalently with a type-III dockerin domain of a protein. Type-III dockerin domain is the binding partner of type-III cohesin domain. [PMID:23195689, PMID:24080387]' - }, - 'GO:1990311': { - 'name': 'Type-I cohesin domain binding', - 'def': 'Interacting selectively and non-covalently with a type-I cohesin domain of a protein. Type-I cohesin domain is the binding partner of type-I dockerin domain. [PMID:23195689, PMID:24080387]' - }, - 'GO:1990312': { - 'name': 'Type-II cohesin domain binding', - 'def': 'Interacting selectively and non-covalently with a type-II cohesin domain of a protein. Type-II cohesin domain is the binding partner of type-II dockerin domain. [PMID:23195689, PMID:24080387]' - }, - 'GO:1990313': { - 'name': 'Type-III cohesin domain binding', - 'def': 'Interacting selectively and non-covalently with a type-III cohesin domain of a protein. Type-III cohesin domain is the binding partner of type-III dockerin domain. [PMID:23195689, PMID:24080387]' - }, - 'GO:1990314': { - 'name': 'cellular response to insulin-like growth factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an insulin-like growth factor stimulus. [PMID:20042609]' - }, - 'GO:1990315': { - 'name': 'Mcs4 RR-MAPKKK complex', - 'def': 'A protein complex that consists of a phospho relay component and a MAPK cascade component. The complex is involved in signaling oxidative stress and osmostress. [PMID:24255738]' - }, - 'GO:1990316': { - 'name': 'ATG1/ULK1 kinase complex', - 'def': 'A protein complex consisting of ATG1/ULK1 and ATG13 along with other proteins that regulate its function (e.g. ATG17 in yeast or RB1CC1(FIP200) in mammals). This complex has serine/threonine protein kinase activity and is involved in autophagosome formation. [GOC:bhm, GOC:DOS, GOC:rb, IntAct:EBI-2352849, PMID:15743910, PMID:19211835, PMID:19258318, PMID:19597335, PMID:22885598]' - }, - 'GO:1990317': { - 'name': 'Gin4 complex', - 'def': 'A protein complex involved in septin ring formation during mitosis. In Saccharomyces cerevisiae it consists of BNI5, CDC3, CDC10, CDC11, CDC12, GIN4, NAP1 and SHS1. At least 2 GIN4 molecules are involved. [GOC:bhm, IntAct:EBI-2431392, PMID:12058072]' - }, - 'GO:1990318': { - 'name': 'collagen type XIX trimer', - 'def': 'A collagen homotrimer of alpha1(XIX) chains; type XIX collagen triple helices localize to basement membrane zones in differentiating muscle cells. [GOC:bhm, IntAct:EBI-2529092, PMID:17876790]' - }, - 'GO:1990319': { - 'name': 'collagen type XX trimer', - 'def': 'A collagen homotrimer of alpha1(XX) chains. [GOC:bhm, IntAct:EBI-2529132, PMID:17876790]' - }, - 'GO:1990320': { - 'name': 'collagen type XXI trimer', - 'def': 'A collagen homotrimer of alpha1(XXI) chains; type XXI collagen triple helices found in the extracellular matrix component of blood vessel walls and in the cytoplasm of cultured human aortic smooth muscle. [GOC:bhm, IntAct:EBI-2529143, PMID:17876790]' - }, - 'GO:1990321': { - 'name': 'collagen type XXII trimer', - 'def': 'A collagen homotrimer of alpha1(XXII) chains; type XXII collagen triple helices acts as a cell adhesion ligand for skin epithelial cells and fibroblasts. [GOC:bhm, IntAct:EBI-2529189, PMID:17876790]' - }, - 'GO:1990322': { - 'name': 'collagen type XXIII trimer', - 'def': 'A collagen homotrimer of alpha1(XXIII) chains; type XXIII collagen triple helices span the plasma membrane. [GOC:bhm, IntAct:EBI-2529234, PMID:17876790]' - }, - 'GO:1990323': { - 'name': 'collagen type XXIV trimer', - 'def': 'A collagen homotrimer of alpha1(XXIV) chains; type XXIV collagen triple helices may participate in regulating type I collagen fibrillogenesis at specific anatomical locations during fetal development. [GOC:bhm, IntAct:EBI-2529258, PMID:17876790]' - }, - 'GO:1990324': { - 'name': 'collagen type XXVI trimer', - 'def': 'A collagen homotrimer of alpha1(XXVI) chains. [GOC:bhm, IntAct:EBI-2529362, PMID:17876790]' - }, - 'GO:1990325': { - 'name': 'collagen type XXVII trimer', - 'def': 'A collagen homotrimer of alpha1(XXVII) chains. These trimers form thin, non-striated fibrils. Type XXVII collagen triple helices play a role during the calcification of cartilage and the transition of cartilage to bone. [GOC:bhm, IntAct:EBI-2529377, PMID:17876790, PMID:21421911]' - }, - 'GO:1990326': { - 'name': 'collagen type XXVIII trimer', - 'def': 'A collagen homotrimer of alpha1(XXVIII) chains. [GOC:bhm, IntAct:EBI-2529426, PMID:17876790]' - }, - 'GO:1990327': { - 'name': 'collagen type XXV trimer', - 'def': 'A collagen homotrimer of alpha1(XXV) chains; type XXV collagen triple helices span the plasma membrane. [GOC:bhm, IntAct:EBI-2529312, PMID:17876790]' - }, - 'GO:1990328': { - 'name': 'RNA polymerase II, RPB4-RPB7 subcomplex', - 'def': 'A protein complexes that mediates transcription and the two major cytoplasmic mRNA decay pathways and is required for efficient translation initiation in association with RNA polymerase II (Pol II). [GOC:bhm, IntAct:EBI-2945755, PMID:15591044]' - }, - 'GO:1990329': { - 'name': 'IscS-TusA complex', - 'def': 'A heterotetrameric protein complex involved in the sulfur-relay system required for 2-thiolation of 5-methylaminomethyl-2-thiouridine (mnm5s2U) at tRNA wobble positions. In E. coli it consists of a central IscS dimer with the two TusA protomers bound to one of the IscS units each via persulfide (-SSH) groups. [GOC:bhm, IntAct:EBI-8869931, PMID:20404999]' - }, - 'GO:1990330': { - 'name': 'IscS-IscU complex', - 'def': 'A heterotetrameric protein complex involved in the sulfur transfer during iron-sulfur cluster assembly and in the modification of tRNA wobble positions. In E. coli it consisting of a central IscS dimer with the IscU protomers attached to one of the IscS units each via a disulfide (-SSH) group. [GOC:bhm, IntAct:EBI-8870238, PMID:20404999]' - }, - 'GO:1990331': { - 'name': 'Hpa2 acetyltransferase complex', - 'def': 'A tetrameric protein complex capable of acetyltransferase activity. It can catalyze the transfer of an acetyl group from acetyl-CoA to an acceptor residue on histone H-3, histone H-4, or on polyamines. The complex is also capable of acetylating certain small basic proteins. The two Hpa2 dimers that make up the tetramer are held together by interactions between the bound acetyl-CoA molecules. [GOC:bhm, IntAct:EBI-8871758, PMID:10600387]' - }, - 'GO:1990332': { - 'name': 'Ire1 complex', - 'def': 'A type-I transmembrane protein complex located in the endoplasmic reticulum (ER) consisting of an IRE1-IRE1 dimer, which forms in response to the accumulation of unfolded protein in the ER. The dimeric complex has endoribonuclease (RNase) activity and evokes the unfolded protein response (UPR) by cleaving an intron of a mRNA coding for the transcription factor HAC1 in yeast or XBP1 in mammals; the complex cleaves a single phosphodiester bond in each of two RNA hairpins (with non-specific base paired stems and loops of consensus sequence CNCNNGN, where N is any base) to remove an intervening intron from the target transcript. [GOC:bf, GOC:bhm, IntAct:EBI-8872439, PMID:18191223, PMID:25437541]' - }, - 'GO:1990333': { - 'name': 'mitotic checkpoint complex, CDC20-MAD2 subcomplex', - 'def': 'A protein complex involved in the spindle checkpoint, preventing the activation of the anaphase-promoting complex until all chromosomes are correctly attached in a bipolar fashion to the mitotic spindle. In budding yeast this complex consists of Mad2p and Cdc20p, and in mammalian cells it consists of MAD2 and CDC20. [GOC:bhm, IntAct:EBI-1270646, PMID:15879521]' - }, - 'GO:1990334': { - 'name': 'Bfa1-Bub2 complex', - 'def': 'A protein complex that acts as a two-component GTPase-activating protein for Tem1 GTPase, thus regulating a signal transduction cascade, called the mitotic exit network (MEN), which is required for mitotic exit and cytokinesis. Bub2/Bfa1 keeps Tem1 inactive until the spindle is properly oriented, thus inhibiting MEN activation. [GOC:bhm, IntAct:EBI-1271344, PMID:16449187]' - }, - 'GO:1990335': { - 'name': 'process resulting in tolerance to alcohol', - 'def': 'A response to alcohol that results in a state of tolerance to alcohol. [PMID:24014527]' - }, - 'GO:1990336': { - 'name': 'process resulting in tolerance to butan-1-ol', - 'def': 'A response to butan-1-ol that results in a state of tolerance to butan-1-ol. [PMID:24014527]' - }, - 'GO:1990337': { - 'name': 'process resulting in tolerance to isobutanol', - 'def': 'A response to isobutanol that results in a state of tolerance to isobutanol. [PMID:24014527]' - }, - 'GO:1990338': { - 'name': 'laminin-14 complex', - 'def': 'A laminin complex composed of alpha4, beta2 and gamma3 polypeptide chains. [GOC:bhm, GOC:dph, IntAct:EBI-2530020, PMID:15979864, PMID:17453709]' - }, - 'GO:1990339': { - 'name': 'laminin-522 complex', - 'def': 'A laminin complex composed of alpha5, beta2 and gamma2 polypeptide chains. [GOC:bhm, GOC:dph, IntAct:EBI-2530034, PMID:15979864, PMID:17453709]' - }, - 'GO:1990340': { - 'name': 'laminin-15 complex', - 'def': 'A laminin complex composed of alpha5, beta2 and gamma3 polypeptide chains. [GOC:bhm, IntAct:EBI-2530049, PMID:17453709]' - }, - 'GO:1990341': { - 'name': 'thrombospondin complex', - 'def': 'A homotrimeric or homopentameric glycoprotein that functions at the interface of the cell membrane and the extracellular matrix through its interactions with proteins and proteoglycans, such as collagens, integrins and fibronectin, to regulate matrix structure and cellular behaviour. [GOC:bhm, IntAct:EBI-2530370, IntAct:EBI-2530917, IntAct:EBI-2530961, IntAct:EBI-2530975, IntAct:EBI-2531058, IntAct:EBI-9251379, IntAct:EBI-9251408, IntAct:EBI-9251455, IntAct:EBI-9251502, IntAct:EBI-9251524, PMID:18193164]' - }, - 'GO:1990342': { - 'name': 'heterochromatin island', - 'def': 'A region of heterochromatin that is formed dynamically in response to environmental signals by a process that does not require RNAi, and is enriched in histone H3 methylated on lysine 9 (H3K9me). [PMID:22144463, PMID:24210919]' - }, - 'GO:1990343': { - 'name': 'heterochromatin domain', - 'def': 'A region of heterochromatin that is formed dynamically under specific growth conditions by a process that requires RNAi, and is enriched in histone H3 methylated on lysine 9 (H3K9me). [PMID:23151475, PMID:24210919]' - }, - 'GO:1990344': { - 'name': 'secondary cell septum biogenesis', - 'def': 'A cellular process that results in the biosynthesis of constituent macromolecules, assembly, and arrangement of constituent parts of a secondary cell septum following nuclear division. [PMID:22891259]' - }, - 'GO:1990345': { - 'name': 'MTREC complex', - 'def': 'A protein complex that consists of a heterodimer formed by Red1 and Mtl1 or homologs thereof, and that promotes degradation of mRNAs and noncoding RNAs and associates with different proteins to assemble heterochromatin via distinct mechanisms. [PMID:24210919]' - }, - 'GO:1990346': { - 'name': 'BID-BCL-xl complex', - 'def': 'A heterodimeric protein complex consisting of BID and BCL-xl, members of the Bcl-2 family of anti- and proapoptotic regulators. [GOC:bhm, IntAct:EBI-709568, IntAct:EBI-822507, IntAct:EBI-822526, PMID:14634621]' - }, - 'GO:1990347': { - 'name': 'obsolete G*/A mismatch-specific adenine-DNA glycosylase activity', - 'def': 'OBSOLETE. Catalysis of the removal of adenine misinserted into nascent strand opposite 8-oxoG in the template by adenine DNA glycosylase activity. The reaction leaves an apyrimidinic (AP) site. [PMID:24559510]' - }, - 'GO:1990348': { - 'name': 'obsolete G/A mismatch specific adenine DNA glycosylase activity', - 'def': 'OBSOLETE. Catalysis of the removal of adenine misinserted into nascent strand opposite guanine in the template by adenine DNA glycosylase activity. The reaction leaves an apurinic AP site. I also requested same term but for Go/A mismatch. If you think it is better to make one term for mismatched adenine that is fine by me. [PMID:9737967]' - }, - 'GO:1990349': { - 'name': 'gap junction-mediated intercellular transport', - 'def': 'The movement of substances between cells via gap junctions. A gap junction is a fine cytoplasmic channel, found in animal cells, that connects the cytoplasm of one cell to that of an adjacent cell, allowing ions and other molecules to pass freely between the two cells. [GOC:hjd, PMID:14506308, PMID:23261543, Wikipedia:Gap_junction]' - }, - 'GO:1990350': { - 'name': 'glucose transporter complex', - 'def': 'A protein complex facilitating glucose transport into, out of or within a cell, or between cells. [GOC:bhm, IntAct:EBI-959455, IntAct:EBI-960644, IntAct:EBI-960674, PMID:15449578]' - }, - 'GO:1990351': { - 'name': 'transporter complex', - 'def': 'A protein complex facilitating transport of molecules (proteins, small molecules, nucleic acids) into, out of or within a cell, or between cells. [GOC:bhm, IntAct:EBI-959455, PMID:15449578]' - }, - 'GO:1990352': { - 'name': 'BRE1 E3 ubiquitin ligase complex', - 'def': 'A homodimeric protein complex composed of the E3 ubiquitin-protein ligase BRE1. Plays a role in regulating association of RNA polymerase II with active genes. [GOC:bhm, IntAct:EBI-9102292, PMID:19531475]' - }, - 'GO:1990353': { - 'name': 'Fused-Smurf ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex. In D. melanogaster, it regulates ubiquitination and proteolysis of the BMP receptor Thickveins in cystoblasts, potentially by controlling Tkv ubiquitination and degradation. [GOC:bhm, IntAct:EBI-3405462, PMID:21145463]' - }, - 'GO:1990354': { - 'name': 'activated SUMO-E1 ligase complex', - 'def': 'A protein complex consisting of a SUMO protein bound to a SUMO activating enzyme complex. Activation by the E1 complex and linkage to the E2 enzyme UBE2I is required for the formation of covalent bonds between SUMO and its ultimate target proteins. [GOC:bhm, Intact:EBI-9345927, PMID:15660128]' - }, - 'GO:1990355': { - 'name': 'L-methionine salvage from methionine sulphoxide', - 'def': 'The generation of L-methionine from methionine sulphoxide. [PMID:24118096]' - }, - 'GO:1990356': { - 'name': 'sumoylated E2 ligase complex', - 'def': 'A protein complex consisting of a SUMO (small ubiquitin-related modifier) protein bound to a SUMO-conjugating E2 ligase. Sumoylation of the E2 ligase is an intermediate step required for the formation of covalent bonds between a SUMO protein and its ultimate protein target. SUMO is transferred to the E2 ligase by a SUMO-activating E1 enzyme. Sumoylation of the target protein is either facilitated directly by the sumoylated E2 ligase or aided by an optional E3 ligase. [GOC:bhm, IntAct:EBI-9347978, PMID:18691969]' - }, - 'GO:1990357': { - 'name': 'terminal web', - 'def': 'An actin-rich cytoskeletal network located beneath the microvilli of the apical plasma membrane of polarized epithelial cells. In addition to actin filaments, the terminal web may contain actin-binding proteins, myosin motor proteins, and intermediate filaments. The terminal web can function as a contractile structure that influences the spatial distribution of microvilli as well as the development and morphogenesis of tissues containing polarized epithelial cells. [GOC:kmv, http://en.wikipedia.org/wiki/Terminal_web, PMID:19437512, PMID:24677443, PMID:7511618]' - }, - 'GO:1990358': { - 'name': 'xylanosome', - 'def': 'A multifunctional supermolecular complex, containing several proteins with hemicellulase activity. Functions to hydrolyze hemicellulose. [PMID:16769147]' - }, - 'GO:1990359': { - 'name': 'stress response to zinc ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in organismal or cellular homeostasis caused by a zinc ion stimulus. [GOC:kmv, pmid:17888400]' - }, - 'GO:1990360': { - 'name': 'PKM2 protein kinase complex', - 'def': 'A protein complex capable of phosphorylating a large number of protein targets. Contributes to cell proliferation under glycose starvation conditions. In human, the complex is present as a dimer. [GOC:bhm, PMID:24606918]' - }, - 'GO:1990361': { - 'name': 'PKM2 pyruvate kinase complex', - 'def': 'A protein complex capable of pyruvate kinase activity. PKM2 only exists as homotetramer when bound to beta-d-fructofuranose 1,6-bisphosphate (CHEBI:28013). [GOC:bhm, PMID:24606918]' - }, - 'GO:1990362': { - 'name': 'butanol dehydrogenase activity', - 'def': 'Catalysis of the reaction: butanal + NADH + H+ => n-butanol + NAD+. [GOC:mengo_curators, PMID:1999395]' - }, - 'GO:1990363': { - 'name': 'obsolete response to hydrolysate', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of hydrolysate (any product of hydrolysis). [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990364': { - 'name': 'obsolete response to aldehyde', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an aldehyde. [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990365': { - 'name': 'obsolete response to phenol', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of phenols. [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990366': { - 'name': 'obsolete response to organic acid', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an organic acid. [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990367': { - 'name': 'process resulting in tolerance to organic substance', - 'def': 'A response that results in a state of tolerance to an organic substance. [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990368': { - 'name': 'obsolete process resulting in tolerance to hydrolysate', - 'def': 'OBSOLETE. A response that results in a state of tolerance to hydrolysate (product of hydrolysis). [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990369': { - 'name': 'process resulting in tolerance to ketone', - 'def': 'A response that results in a state of tolerance to ketone. [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990370': { - 'name': 'process resulting in tolerance to aldehyde', - 'def': 'A response that results in a state of tolerance to aldehyde. [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990371': { - 'name': 'process resulting in tolerance to phenol', - 'def': 'A response that results in a state of tolerance to phenol. [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990372': { - 'name': 'process resulting in tolerance to organic acid', - 'def': 'A response that results in a state of tolerance to organic acid. [GOC:mengo_curators, PMID:23356676]' - }, - 'GO:1990373': { - 'name': 'process resulting in tolerance to alkane', - 'def': 'A response that results in a state of tolerance to alkane. [GOC:mengo_curators, PMID:23826995]' - }, - 'GO:1990374': { - 'name': 'Kir2 inward rectifier potassium channel complex', - 'def': 'A inward rectifier potassium channel complex. Homo- or heterotetramer composed of subunits of the eukaryotic Kir2 protein family. Plays a key role in maintaining the correct resting potential in eukaryotic cells. [GOC:bhm, IntAct:EBI-9510554, IntAct:EBI-9511072, PMID:16834334]' - }, - 'GO:1990375': { - 'name': 'baculum development', - 'def': 'The reproductive developmental process whose specific outcome is the progression of the baculum over time, from its formation to the mature structure. [GOC:sl, PMID:21471296]' - }, - 'GO:1990376': { - 'name': 'obsolete negative regulation of G1/S transition of mitotic cell cycle by positive regulation of transcription from RNA polymerase II promoter in response to nitrogen starvation', - 'def': 'A positive regulation of transcription from RNA polymerase II promoter in response to nitrogen starvation that results in negative regulation of mitotic G1/S transition. [PMID:9135083]' - }, - 'GO:1990377': { - 'name': 'organomineral extracellular matrix', - 'def': 'An extracellular matrix consisting of a densely packed organomineral assembly in which the mineral phase represents the majority of the material by weight. [GOC:jh2, PMID:15994301]' - }, - 'GO:1990378': { - 'name': 'upstream stimulatory factor complex', - 'def': "A protein complex capable of sequence-specific DNA binding RNA polymerase II transcription factor activity through binding to a symmetrical DNA sequence (E-boxes) (5'-CACGTG-3'). Found in a variety of viral and cellular promoters. [GOC:bhm, IntAct:EBI-9518693, PMID:8576131]" - }, - 'GO:1990379': { - 'name': 'lipid transport across blood brain barrier', - 'def': 'The directed movement of lipid molecules passing through the blood-brain barrier. [GOC:sjp, PMID:24345162]' - }, - 'GO:1990380': { - 'name': 'Lys48-specific deubiquitinase activity', - 'def': 'Hydrolysis of Lys48-linked ubiquitin unit(s) from a ubiquitinated protein. [GOC:bf, GOC:PARL, PMID:22970133]' - }, - 'GO:1990381': { - 'name': 'ubiquitin-specific protease binding', - 'def': 'Interacting selectively and non-covalently with a ubiquitin-specific protease. [GOC:bf, GOC:PARL, PMID:24063750]' - }, - 'GO:1990382': { - 'name': 'obsolete melanosome assembly', - 'def': 'OBSOLETE. The aggregation, arrangement and bonding together of a set of components to form a melanosome, a tissue-specific, membrane-bounded cytoplasmic organelle within which melanin pigments are synthesized and stored. [GOC:bf, GOC:PARL, PMID:22511774]' - }, - 'GO:1990383': { - 'name': 'cellular response to biotin starvation', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of biotin. [PMID:12557275]' - }, - 'GO:1990384': { - 'name': 'hyaloid vascular plexus regression', - 'def': 'The developmental process in which the hyaloid vascular plexus is destroyed as a part of its normal progression. [GOC:hjd, PMID:18841878]' - }, - 'GO:1990385': { - 'name': 'meiotic spindle midzone', - 'def': 'The area in the center of the meiotic spindle where the spindle microtubules from opposite poles overlap. [GOC:kmv\\,PMID\\:12707312]' - }, - 'GO:1990386': { - 'name': 'mitotic cleavage furrow ingression', - 'def': "Advancement of the mitotic cleavage furrow from the outside of the cell inward towards the center of the cell. The cleavage furrow acts as a 'purse string' which draws tight to separate daughter cells during mitotic cytokinesis and partition the cytoplasm between the two daughter cells. The furrow ingresses until a cytoplasmic bridge is formed. [GOC:kmv, PMID:12707312]" - }, - 'GO:1990387': { - 'name': 'isogloboside biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a lactosyl-ceramide derivative in which a galactose is linked to the galactose via an alpha 1,3 linkage (vs alpha 1,4 for globosides). [GOC:hjd, PMID:22875802]' - }, - 'GO:1990388': { - 'name': 'xylem-to-phloem iron transport', - 'def': 'The directed movement of iron ions into the phloem from the xylem. [GOC:tb, PMID:24867923]' - }, - 'GO:1990389': { - 'name': 'CUE1-UBC7 ubiquitin-conjugating enzyme complex', - 'def': 'A protein complex capable of ubiquitin-conjugating enzyme activity during ER-associated protein degradation (ERAD). In S. cerevisiae, UBC7 is the ubiquitin-conjugating enzyme (E2) and requires binding to the ER surface by CUE1. [GOC:bhm, IntAct:EBI-9207004, PMID:23028185]' - }, - 'GO:1990390': { - 'name': 'protein K33-linked ubiquitination', - 'def': 'A protein ubiquitination process in which a polymer of ubiquitin, formed by linkages between lysine residues at position 33 of the ubiquitin monomers, is added to a protein. [PMID:24768539]' - }, - 'GO:1990391': { - 'name': 'DNA repair complex', - 'def': 'A protein complex involved in DNA repair processes including direct reversal, base excision repair, nucleotide excision repair, photoreactivation, bypass, double-strand break repair pathway, and mismatch repair pathway. [GOC:bhm, PMID:22749910]' - }, - 'GO:1990392': { - 'name': 'EFF-1 complex', - 'def': 'A trimeric cell-cell fusion complex that serves as a scaffold for zippering up the extracellular domains, bringing the transmembrane segments into close proximity such that they can continue zippering within the two membranes into one. Two prefusion monomers cluster at the surface of adjacent cells. Parallel EFF-1 interactions occur across cells and a third monomer, which can come from either cell, adds on to make an intermediate, extended trimer. [GOC:bhm, IntAct:EBI-9526622, PMID:24725407]' - }, - 'GO:1990393': { - 'name': '3M complex', - 'def': 'A protein complex, at least composed of CUL7, CCDC8 and OBSL1, that is required for maintaining microtubule and genome integrity. [PMID:24793695, PMID:24793696]' - }, - 'GO:1990394': { - 'name': 'cellular response to cell wall damage', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of cell wall damage. The process begins with detection of the damage and ends with a change in state or activity of the cell. [PMID:17287531]' - }, - 'GO:1990395': { - 'name': 'meiotic spindle pole body organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the meiotic spindle pole body. [GOC:vw]' - }, - 'GO:1990396': { - 'name': 'single-strand break repair via homologous recombination', - 'def': 'The error-free repair of a single-strand break in DNA in which the broken DNA molecule is repaired using homologous sequences. A strand in the broken DNA searches for a homologous region in an intact chromosome to serve as the template for DNA synthesis. The restoration of two intact DNA molecules results in the exchange, reciprocal or nonreciprocal, of genetic material between the intact DNA molecule and the broken DNA molecule. [GOC:bhm, PMID:24339919]' - }, - 'GO:1990397': { - 'name': 'queuosine salvage', - 'def': 'Any process which produces queuosine from derivatives of it, without de novo synthesis. [GOC:vw, PMID:24911101]' - }, - 'GO:1990398': { - 'name': 'Cus cation efflux complex', - 'def': 'Transmembrane complex that mediates resistance to copper and silver by cation efflux directly from the cell using the proton-motive force. Spans the inner membrane, periplasm, and outer membrane. Primarily activated under anaerobic conditions by CusR and CusS but also expressed under extreme copper stress, in aerobic growth. [GOC:bhm, IntAct:EBI-9010676, PMID:23122209]' - }, - 'GO:1990399': { - 'name': 'epithelium regeneration', - 'def': 'The regrowth of lost or destroyed epithelium. [GOC:sl, PMID:19845688]' - }, - 'GO:1990400': { - 'name': 'mitochondrial ribosomal large subunit rRNA binding', - 'def': 'Interacting selectively and non-covalently with the mitochondrial large ribosomal subunit RNA (LSU rRNA), a constituent of the mitochondrial large ribosomal subunit. [PMID:24206665]' - }, - 'GO:1990401': { - 'name': 'embryonic lung development', - 'def': 'The process occurring during the embryonic phase whose specific outcome is the progression of the lung over time, from its formation to the mature structure. [PMID:24785085]' - }, - 'GO:1990402': { - 'name': 'embryonic liver development', - 'def': 'The process occurring during the embryonic phase whose specific outcome is the progression of the liver over time, from its formation to the mature structure. [PMID:15918910]' - }, - 'GO:1990403': { - 'name': 'embryonic brain development', - 'def': 'The process occurring during the embryonic phase whose specific outcome is the progression of the brain over time, from its formation to the mature structure. [PMID:15918910]' - }, - 'GO:1990404': { - 'name': 'protein ADP-ribosylase activity', - 'def': 'The transfer, from NAD, of ADP-ribose to a protein amino acid residue. [PMID:1899243, RESID:AA0040, RESID:AA0168, RESID:AA0169, RESID:AA0231, RESID:AA0237, RESID:AA0295, wikipedia:ADP-ribosylation]' - }, - 'GO:1990405': { - 'name': 'protein antigen binding', - 'def': 'Interacting selectively and non-covalently with a protein antigen. [PMID:9360996]' - }, - 'GO:1990406': { - 'name': 'CGRP receptor complex', - 'def': 'A transmembrane, G-protein-coupled signalling receptor complex recognized by calcitonin gene-related peptides (CGRP). [GOC:bhm, IntAct:EBI-9009008, PMID:20826335]' - }, - 'GO:1990407': { - 'name': 'calcitonin gene-related peptide binding', - 'def': 'Interacting selectively and non-covalently with calcitonin gene-related peptide (CGRP). [GOC:bhm, PMID:10882736]' - }, - 'GO:1990408': { - 'name': 'calcitonin gene-related peptide receptor signaling pathway', - 'def': 'A series of molecular signals initiated by an extracellular calcitonin gene-related peptide (CGRP) combining with a calcitonin gene-related peptide receptor on the surface of the target cell. Calcitonin gene-related peptide receptors may form dimers, trimers or tetramers. [GOC:bhm, PMID:10882736]' - }, - 'GO:1990409': { - 'name': 'adrenomedullin binding', - 'def': 'Interacting selectively and non-covalently with adrenomedullin (AM). [GOC:bhm, PMID:10882736]' - }, - 'GO:1990410': { - 'name': 'adrenomedullin receptor signaling pathway', - 'def': 'A series of molecular signals initiated by an extracellular adrenomedullin combining with a dimeric adrenomedullin receptor on the surface of the target cell. [GOC:bhm, PMID:10882736]' - }, - 'GO:1990411': { - 'name': 'hercynylcysteine sulfoxide lyase activity (ergothioneine-forming)', - 'def': 'Catalysis of the reaction: hercynylcysteine sulfoxide + 2H+ = ergothioneine + pyruvate + ammonium. [PMID:24828577]' - }, - 'GO:1990412': { - 'name': 'hercynylselenocysteine lyase activity (selenoneine-forming)', - 'def': 'Catalysis of the reaction: hercynylselenocysteine + 2H+ = selenoneine + pyruvate + ammonium. [PMID:24828577]' - }, - 'GO:1990413': { - 'name': 'eyespot apparatus', - 'def': 'A small pigmented organelle used in single-celled organisms to detect light. [Wikipedia:Eyespot_apparatus]' - }, - 'GO:1990414': { - 'name': 'replication-born double-strand break repair via sister chromatid exchange', - 'def': 'The repair of a replication-born double-strand DNA break in which the DNA molecule is repaired using the homologous sequence of the sister chromatid which serves as a template to repair the breaks. [PMID:12820977, PMID:16888651\\,GOC\\:rb]' - }, - 'GO:1990415': { - 'name': 'Pex17p-Pex14p docking complex', - 'def': 'A protein complex involved in the peroxisomal import machinery. In S. cerevisiae, this complex contains the proteins Pex17p, Pex14p, Pex19, and Pex13p. [GOC:rb, PMID:12667447]' - }, - 'GO:1990416': { - 'name': 'cellular response to brain-derived neurotrophic factor stimulus', - 'def': 'A process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a brain-derived neurotrophic factor stimulus. [PMID:21958434]' - }, - 'GO:1990417': { - 'name': 'snoRNA release from pre-rRNA', - 'def': 'The release of snoRNA from pre-rRNA. [PMID:16908538]' - }, - 'GO:1990418': { - 'name': 'response to insulin-like growth factor stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an insulin-like growth factor stimulus. [PMID:21932665]' - }, - 'GO:1990419': { - 'name': 'obsolete response to elemental metal', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an elemental metal stimulus. [PMID:22688007]' - }, - 'GO:1990420': { - 'name': 'establishment of septation initiation network asymmetry', - 'def': 'The septation initiation signaling process by which the activity of the septation initiation network (SIN) is activated asymmetrically on the spindle pole bodies. [PMID:22786806]' - }, - 'GO:1990421': { - 'name': 'subtelomeric heterochromatin', - 'def': 'Heterochromatic regions of the chromosome found at the subtelomeric regions. [PMID:18761674, SO:0001997]' - }, - 'GO:1990422': { - 'name': 'glyoxalase (glycolic acid-forming) activity', - 'def': 'Catalysis of the reaction: glyoxal + H2O = glycolic acid. Catalysis occurs in the absence of a cofactor. [GOC:bf, GOC:PARL, PMID:22523093]' - }, - 'GO:1990423': { - 'name': 'RZZ complex', - 'def': 'A kinetochore component required for both meiotic and mitotic spindle assembly checkpoints. [PMID:12686595, PMID:15922598, PMID:20462495]' - }, - 'GO:1990424': { - 'name': 'protein arginine kinase activity', - 'def': 'Catalysis of the reaction: ATP + a protein arginine = ADP + protein arginine phosphate. [GOC:imk, PMID:22517742]' - }, - 'GO:1990425': { - 'name': 'ryanodine receptor complex', - 'def': 'A voltage-gated calcium-release channel complex of the sarcoplasmic or endoplasmic reticulum. It plays an important role in the excitation-contraction (E-C) coupling of muscle cells. RyR comprises a family of ryanodine receptors, widely expressed throughout the animal kingdom. [GOC:ame, IntAct:EBI-9632656, PMID:22822064]' - }, - 'GO:1990426': { - 'name': 'mitotic recombination-dependent replication fork processing', - 'def': 'Replication fork processing that includes recombination between DNA near the arrested fork and homologous sequences. Proteins involved in homologous recombination are required for replication restart. [GOC:mah, PMID:23093942]' - }, - 'GO:1990427': { - 'name': 'stereocilia tip-link density', - 'def': 'An electron-dense plaque at either end of a stereocilia tip link that provides the anchor in the stereocilia membrane. [PMID:19447093, PMID:21709241]' - }, - 'GO:1990428': { - 'name': 'miRNA transport', - 'def': 'The directed movement of microRNA (miRNA) into, out of or within a cell, or between cells, or within a multicellular organism by means of some agent such as a transporter or pore. [GO:jl, PMID:24356509]' - }, - 'GO:1990429': { - 'name': 'peroxisomal importomer complex', - 'def': 'A protein complex responsible for transporting proteins into the peroxisomal matrix. An example of this complex is Pex14 found in S. cerevisae which has 9 core components and 12 transient interaction partners. [PMID:20154681, PMID:22375831]' - }, - 'GO:1990430': { - 'name': 'extracellular matrix protein binding', - 'def': 'Interacting selectively and non-covalently with a protein that is part of an extracellular matrix. [PMID:22355679]' - }, - 'GO:1990431': { - 'name': "priRNA 3'-end processing", - 'def': "The process of forming the mature 3' end of a priRNA molecule. [PMID:24095277]" - }, - 'GO:1990432': { - 'name': "siRNA 3'-end processing", - 'def': "The process of forming the mature 3' end of a siRNA molecule. [PMID:24095277]" - }, - 'GO:1990433': { - 'name': 'CSL-Notch-Mastermind transcription factor complex', - 'def': 'A DNA binding transcription factor complex consisting of CSL and mastermind proteins in complex with the cleaved, intracellular domain of Notch. It is required for both repression and activation of Notch target genes. [GOC:bhm, GOC:dos, intAct:EBI-9636287, PMID:16530045]' - }, - 'GO:1990434': { - 'name': 'lower tip-link density', - 'def': 'An electron-dense plaque at the lower end of a stereocilia tip link that provides the anchor in the stereocilia membrane at the tip of the stereocilium from which the tip link rises. [PMID:19447093]' - }, - 'GO:1990435': { - 'name': 'upper tip-link density', - 'def': 'An electron-dense plaque at the upper end of a stereocilia tip link that provides the anchor in the stereocilia membrane on the side of the stereocilium where the tip link ends. [PMID:19447093]' - }, - 'GO:1990436': { - 'name': 'obsolete MAPK cascade involved in oxidative stress signaling pathway', - 'def': 'OBSOLETE. A series of molecular signals in which a MAP kinase cascade activated by oxidative stress relays one or more of the signals, MAP kinase cascades involve at least three protein kinase activities and culminate in the phosphorylation and activation of a MAP kinase. Just FYI in pombe the osmotic stress and oxidative stress MAPK cascade involve many of the same proteins, but the pathways are slightly different, therefore Im req this term. [PMID:10398679]' - }, - 'GO:1990437': { - 'name': "snRNA 2'-O-methylation", - 'def': "The posttranscriptional addition of a methyl group to the 2' oxygen atom of a nucleotide residue in an snRNA molecule. [PMID:11842100, PMID:9844635]" - }, - 'GO:1990438': { - 'name': "U6 2'-O-snRNA methylation", - 'def': "The posttranscriptional addition a methyl group to the 2'-oxygen atom of a nucleotide residue in an U6 snRNA molecule. [PMID:11842100, PMID:9844635]" - }, - 'GO:1990439': { - 'name': 'MAP kinase threonine phosphatase activity', - 'def': 'Catalysis of the reaction: MAP kinase threonine phosphate + H2O = MAP kinase tyrosine + phosphate. [PMID:10398679]' - }, - 'GO:1990440': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter in response to endoplasmic reticulum stress', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of an endoplasmic reticulum stress. [GOC:bf, GOC:PARL, PMID:21113145]' - }, - 'GO:1990441': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter in response to endoplasmic reticulum stress', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of an endoplasmic reticulum stress. [GOC:bf, GOC:PARL, PMID:21113145]' - }, - 'GO:1990442': { - 'name': 'intrinsic apoptotic signaling pathway in response to nitrosative stress', - 'def': 'A series of molecular signals in which an intracellular signal is conveyed to trigger the apoptotic death of a cell. The pathway is induced in response to nitrosative stress; a state often resulting from exposure to high levels of nitric oxide (NO) or the highly reactive oxidant peroxynitrite, which is produced following interaction of NO with superoxide anions. [GOC:bf, GOC:PARL, PMID:23985028]' - }, - 'GO:1990443': { - 'name': 'peptidyl-threonine autophosphorylation', - 'def': 'The phosphorylation by a protein of one or more of its own threonine amino acid residues, or a threonine residue on an identical protein. [PMID:7803855]' - }, - 'GO:1990444': { - 'name': 'F-box domain binding', - 'def': 'Interacting selectively and non-covalently with an F-box domain of a protein. [GOC:bf, GOC:PARL, InterPro:IPR001810, PMID:12628165]' - }, - 'GO:1990445': { - 'name': 'obsolete Multiciliate cell differentiation', - 'def': 'OBSOLETE. The process in which a relatively unspecialized cell acquires features of a multiciliated cell, a specialized epithelial cell type that extends anywhere from 150 to 200 motile cilia per cell in order to produce a vigorous fluid flow critical to human health in several organ systems. [PMID:22231168, PMID:24934224]' - }, - 'GO:1990446': { - 'name': 'U1 snRNP binding', - 'def': 'Interacting selectively and non-covalently with any part of a U1 small nuclear ribonucleoprotein particle. [PMID:14713954]' - }, - 'GO:1990447': { - 'name': 'U2 snRNP binding', - 'def': 'Interacting selectively and non-covalently with any part of a U2 small nuclear ribonucleoprotein particle. [PMID:14713954]' - }, - 'GO:1990448': { - 'name': 'exon-exon junction complex binding', - 'def': 'Interacting selectively and non-covalently with an exon-exon junction complex, a protein complex deposited by the spliceosome upstream of messenger RNA exon-exon junctions. The exon-exon junction complex provides a binding platform for factors involved in mRNA export and nonsense-mediated mRNA decay. [GOC:sart, PMID:24967911]' - }, - 'GO:1990449': { - 'name': 'obsolete amylin receptor', - 'def': 'OBSOLETE. A G-protein coupled signalling receptor complex consisting of the calcitonin receptor and a receptor activity-modifying protein (RAMP). Amylin is produced in beta-islet cells of the pancreas. It is implicated in selective inhibition of insulin-stimulated glucose utilization and glycogen deposition in muscle, gastric emptying, gastric acid secretion, postprandial glucagon secretion and food intake and aids weight loss. [GOC:bhm, IntAct:EBI-9008682, IntAct:EBI-9685417, IntAct:EBI-9685439, PMID:10871269]' - }, - 'GO:1990450': { - 'name': 'linear polyubiquitin binding', - 'def': 'Interacting selectively and non-covalently with a linear polymer of ubiquitin. Linear ubiquitin polymers are formed by linking the amino-terminal methionine (M1) of one ubiquitin molecule to the carboxy-terminal glycine (G76) of the next. [GOC:bf, GOC:PARL, PMID:23453807]' - }, - 'GO:1990451': { - 'name': 'cellular stress response to acidic pH', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in the homeostasis of organismal or cellular pH (with pH < 7). pH is a measure of the acidity or basicity of an aqueous solution. [GOC:BHF, GOC:go_curators, GOC:rl, PMID:10615049]' - }, - 'GO:1990452': { - 'name': 'Parkin-FBXW7-Cul1 ubiquitin ligase complex', - 'def': 'A ubiquitin ligase complex containing Parkin (PARK2), the F-box protein FBXW7 (also called SEL-10) and a cullin from the Cul1 subfamily; substrate specificity is conferred by the F-box protein. [GOC:bf, GOC:PARL, PMID:12628165]' - }, - 'GO:1990453': { - 'name': 'nucleosome disassembly/reassembly complex', - 'def': 'A protein complex involved in the disassembly and subsequent reassembly of nucleosomes. It associates with the coding region of transcriptionally active genes where it interacts with the RNA polymerase II and affects its processivity during co-transcriptional RNA processing and maturation. It exists as a functionally independent part of the NuA4 complex. [GOC:bhm, IntAct:EBI-9682603, PMID:24843044]' - }, - 'GO:1990454': { - 'name': 'L-type voltage-gated calcium channel complex', - 'def': "A type of voltage-dependent calcium channel responsible for excitation-contraction coupling of skeletal, smooth, and cardiac muscle. 'L' stands for 'long-lasting' referring to the length of activation. [GOC:ame, PMID:12946355]" - }, - 'GO:1990455': { - 'name': 'PTEN phosphatase complex', - 'def': 'A phospholipid phosphatase complex that catalyses the hydrolysis of the second messenger PtdIns (3,4,5)P3. Will also dephosphorylate PtdIns(3,4)P2, PtdIns3P, and Ins(1,3,4,5)P4. Dimerization is critical for its lipid phosphatase function. [GOC:bhm, IntAct:EBI-9637198, IntAct:EBI-9637224, PMID:24766807]' - }, - 'GO:1990456': { - 'name': 'mitochondrion-ER tethering', - 'def': 'The attachment of the mitochondrion to specific sites on the endoplasmic reticulum, which may facilitate exchange of metabolites between the organelles. [PMID:19556461]' - }, - 'GO:1990457': { - 'name': 'pexophagosome', - 'def': 'A membrane-bounded intracellular vesicle involved in the degradation of peroxisome by macropexophagy. [PMID:22536249]' - }, - 'GO:1990458': { - 'name': 'lipooligosaccharide binding', - 'def': 'Interacting selectively and non-covalently with lipooligosaccharide. Lipooligosaccharides (LOSs) are the major glycolipids expressed on mucosal Gram-negative bacteria. [GOC:hjd, PMID:8894399]' - }, - 'GO:1990459': { - 'name': 'transferrin receptor binding', - 'def': 'Interacting selectively and non-covalently with the transferrin receptor. [PMID:9819414, PMID:pm]' - }, - 'GO:1990460': { - 'name': 'leptin receptor binding', - 'def': 'Interacting selectively and non-covalently with the leptin receptor. [GOC:pm, PMID:22405007]' - }, - 'GO:1990461': { - 'name': 'detoxification of iron ion', - 'def': 'Any process that reduces or removes the toxicity of iron ion. These include transport of iron away from sensitive areas and to compartments or complexes whose purpose is sequestration of iron ion. [GOC:sart, PMID:23064556]' - }, - 'GO:1990462': { - 'name': 'omegasome', - 'def': 'Omega-shaped (as in the Greek capital letter) intracellular membrane-bounded organelle enriched in phosphatidylinositol 3-phosphate and dynamically connected to the endoplasmic reticulum. Omegasomes are the first step of the formation of autophagosomes via the pre-autophagosomal structures. [GOC:autophagy, GOC:mf, PMID:18725538, PMID:24591649]' - }, - 'GO:1990463': { - 'name': 'lateral cortical node', - 'def': 'A protein complex that is anchored at the cortical face of the plasma membrane, and contains proteins involved in regulating cell cycle progression. In Schizosaccharomyces pombe, lateral cortical nodes are several megadaltons in size, and contain Slf1, which anchors the complex at the membrane, and the methyltransferase Skb1 in stoichiometric quantities, and may contain other proteins. [GOC:mah, PMID:25009287]' - }, - 'GO:1990464': { - 'name': 'D-2-hydroxyacid dehydrogenase (quinone) activity', - 'def': 'Catalysis of the reaction: (R)-2-hydroxyacid + a quinone = 2-oxoacid + a quinol. [EC:1.1.5.10, GOC:am, PMID:3013300, PMID:4582730]' - }, - 'GO:1990465': { - 'name': 'aldehyde oxygenase (deformylating) activity', - 'def': 'Catalysis of the reaction a long-chain aldehyde + O(2) + 2 NADPH = an alkane + formate + H(2)O + 2 NADP(+). [GOC:mengo_curators, PMID:22947199]' - }, - 'GO:1990466': { - 'name': 'protein autosumoylation', - 'def': 'The sumoylation by a protein of one or more of its own amino acid residues, or residues on an identical protein. [PMID:21518767, PMID:23443663]' - }, - 'GO:1990467': { - 'name': 'NuA3a histone acetyltransferase complex', - 'def': 'A NuA3 complex that catalyzes the acetylation of Histone H3. In S. cerevisiae, this complex consists of Eaf6p, Nto1p, Sas3p, Taf14p, Yng1p and associates with H3K4me3 using Yng1p. [GOC:rb, PMID:25104842]' - }, - 'GO:1990468': { - 'name': 'NuA3b histone acetyltransferase complex', - 'def': 'A NuA3 complex that catalyzes the acetylation of Histone H3. In S. cerevisiae, this complex consists of Eaf6p, Nto1p, Sas3p, Taf14p, Pdp3 and associates with H3K4me3 via Pdp3p. [GOC:rb, PMID:25104842]' - }, - 'GO:1990469': { - 'name': 'Rhino-Deadlock-Cutoff Complex', - 'def': 'Protein complex found in Drosophila consisting of the gene products of cuff, del and rhi. It regulates the licensing of transcription of dual-strand PIWI interacting RNA (piRNA) source loci by binding to dual-strand-cluster chromatin, probably via the H3K9me3-binding activity of Rhi. Rhi binding brings the putative termination cofactor Cuff in close proximity to the nascent piRNA precursor transcript which it appears to protect from degradation. [GOC:bhm, IntAct:EBI-9694217, PMID:24906153]' - }, - 'GO:1990470': { - 'name': 'piRNA cluster binding', - 'def': 'Interacting selectively and non-covalently with piRNA clusters, double-stranded DNA regions that give rise to PIWI-interacting RNAs (piRNAs). [GOC:bhm, PMID:24906153]' - }, - 'GO:1990471': { - 'name': 'piRNA uni-strand cluster binding', - 'def': 'Interacting selectively and non-covalently with uni-strand piRNA clusters, double-stranded DNA regions that give rise to PIWI-interacting RNAs (piRNAs) that map predominantly to only one strand and exhibit hallmarks of canonical Pol II transcription. Uni-strand piRNA clusters are found in many taxa. [GOC:bhm, PMID:24906153]' - }, - 'GO:1990472': { - 'name': 'piRNA dual-strand cluster binding', - 'def': 'Interacting selectively and non-covalently with dual-strand piRNA clusters, double-stranded DNA regions that give rise to PIWI-interacting RNAs (piRNAs) where piRNAs originate from both DNA strands via noncanonical transcription. [GOC:bhm, PMID:24906153]' - }, - 'GO:1990473': { - 'name': 'ciliary targeting signal binding', - 'def': 'Interacting selectively and non-covalently with a ciliary targeting sequence, a specific peptide sequence that acts as a signal to localize a membrane protein to the ciliary membrane. [GOC:krc, PMID:18256283, PMID:19575670, PMID:20603001, PMID:20697559]' - }, - 'GO:1990474': { - 'name': 'synaptic vesicle, readily releasable pool', - 'def': 'A synaptic vesicle belonging to the pool of vesicles that are the first to be released as a result of chemical or electrical stimulation e.g. by an action potential, have the highest presynaptic membrane fusion probability and correspond to about 1% of the total number of synaptic vesicles at a resting terminal bouton. [GOC:pad, PMID:22745285]' - }, - 'GO:1990475': { - 'name': 'synaptic vesicle, recycling pool', - 'def': 'A synaptic vesicle belonging to the pool that repopulate vacancies within the readily releasable pool (RRP) of synaptic vesicles, and require more significant stimuli than the RRP in order to release neurotransmitter; about 10-15% of the total number of synaptic vesicles at a resting terminal bouton are in this state. [GOC:pad, PMID:22745285]' - }, - 'GO:1990476': { - 'name': 'synaptic vesicle, resting pool', - 'def': 'A synaptic vesicle belonging to the pool that remain unreleased even after prolonged stimulation causes a saturating degree of vesicular turnover. 50-80% of the total number of synaptic vesicles at a resting terminal bouton are in this pool. [GOC:pad, PMID:22745285]' - }, - 'GO:1990477': { - 'name': 'NURS complex', - 'def': 'The nuclear RNA silencing (NURS) complex is a protein complex formed by Red1, Mtl1, Red5, Rmn1, Iss10/Pir1, and Ars2/Pir2 that regulates RNA degradation and histone H3 lysine 9 methylation. It is likely related to the human CBCN complex. [PMID:24713849]' - }, - 'GO:1990478': { - 'name': 'response to ultrasound', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an ultrasonic stimulus. [PMID:20950932]' - }, - 'GO:1990479': { - 'name': 'obsolete response to lipoic acid', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lipoic acid stimulus. [PMID:23232760]' - }, - 'GO:1990480': { - 'name': 'obsolete geranyl diphosphate synthase', - 'def': 'OBSOLETE. Catalyzes the condensation of dimethylallyl diphosphate and isopentenyl diphosphate to geranyl diphosphate, the key precursor of monoterpene biosynthesis. [GOC:mengo_curators, PMID:10557273]' - }, - 'GO:1990481': { - 'name': 'mRNA pseudouridine synthesis', - 'def': 'The intramolecular conversion of uridine to pseudouridine in an mRNA molecule. [PMID:25192136]' - }, - 'GO:1990482': { - 'name': 'sphingolipid alpha-glucuronosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-glucuronate + inositol phosphorylceramide (IPC) = UDP + GlcA-IPC. [GOC:tb, PMID:25122154]' - }, - 'GO:1990483': { - 'name': "Clr6 histone deacetylase complex I''", - 'def': 'A histone deacetylase complex involved in chromatin organization. In Schizosaccharomyces pombe this complex consists of Clr6, Nts1, Mug165, and Png3. [PMID:25002536]' - }, - 'GO:1990484': { - 'name': 'aerobic lactate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lactate (2-hydroxypropanoic acid) in the presence of oxygen. [GOC:mengo_curators, PMID:8941775]' - }, - 'GO:1990485': { - 'name': 'anaerobic lactate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lactate (2-hydroxypropanoic acid) in the absence of oxygen. [GOC:mengo_curators, PMID:11133436]' - }, - 'GO:1990486': { - 'name': 'anaerobic fatty acid catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a fatty acid in the absence of oxygen. A fatty acid is any of the aliphatic monocarboxylic acids that can be liberated by hydrolysis from naturally occurring fats and oils. Fatty acids are predominantly straight-chain acids of 4 to 24 carbon atoms, which may be saturated or unsaturated; branched fatty acids and hydroxy fatty acids also occur, and very long chain acids of over 30 carbons are found in waxes. [GOC:mengo_curators, PMID:17329794]' - }, - 'GO:1990487': { - 'name': 'anaerobic lignin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of lignin in the absence of oxygen. Lignin is a class of polymers of phenylpropanoid units. [DOI:10.1039/C3EE40932E, GOC:mengo_curators]' - }, - 'GO:1990488': { - 'name': 'anaerobic cellulose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of cellulose, a linear beta1-4 glucan of molecular mass 50-400 kDa with the pyranose units in the -4C1 conformation, in absence of oxygen. [GOC:mengo_curators, PMID:8561466]' - }, - 'GO:1990489': { - 'name': 'anaerobic pectin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of pectin, a polymer containing a backbone of alpha-1,4-linked D-galacturonic acid residues, in the absence of oxygen. [GOC:mengo_curators, PMID:23079077]' - }, - 'GO:1990490': { - 'name': 'archaeal proton-transporting A-type ATPase complex', - 'def': 'A large proton-transporting two-sector ATPase protein complex that catalyzes the synthesis or hydrolysis of ATP by a rotational mechanism, coupled to the transport of protons across a membrane and is found in Archaea. [GOC:mengo_curators, PMID:15473999, PMID:24650628]' - }, - 'GO:1990491': { - 'name': 'methane biosynthetic process from methanol and hydrogen', - 'def': 'The chemical reactions and pathways resulting in the formation of methane from methanol and hydrogen. [GOC:mengo_curators, PMID:16347126]' - }, - 'GO:1990492': { - 'name': 'mitotic cell cycle checkpoint inhibiting CAR assembly', - 'def': 'A Mad2-dependent mitotic cell cycle checkpoint which delays cytokinetic actinomycin ring assembly if there is a delay in early M-phase. [PMID:12186944]' - }, - 'GO:1990493': { - 'name': 'obsolete cyclin H-CDK7 complex', - 'def': 'OBSOLETE. A protein complex consisting of cyclin H and cyclin-dependent kinase 7 (CDK7). Cyclins are characterized by periodicity in protein abundance throughout the cell cycle. Cyclin-dependent kinases represent a family of serine/threonine protein kinases that become active upon binding to a cyclin regulatory partner. [PMID:9857180]' - }, - 'GO:1990494': { - 'name': 'obsolete regulation of mitotic cytokinesis, actomyosin contractile ring assembly', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of mitotic cytokinesis, actomyosin contractile ring assembly. [PMID:18256290]' - }, - 'GO:1990495': { - 'name': 'obsolete actin filament organization involved in mitotic cytokinetic actomyosin contractile ring assembly', - 'def': 'OBSOLETE. An actin filament organization process that contributes to actomyosin contractile ring assembly during mitotic cytokinesis. [PMID:8834798]' - }, - 'GO:1990496': { - 'name': 'obsolete regulation of actin filament organization involved in mitotic cytokinetic actomyosin contractile ring assembly', - 'def': 'OBSOLETE. An actin filament organization process that contributes to regulation of actomyosin contractile ring assembly during mitotic cytokinesis. [PMID:24798735]' - }, - 'GO:1990497': { - 'name': 'regulation of cytoplasmic translation in response to stress', - 'def': 'Modulation of the frequency, rate or extent of cytoplasmic translation as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [GOC:vw, PMID:16278445]' - }, - 'GO:1990498': { - 'name': 'mitotic spindle microtubule', - 'def': 'Any microtubule that is part of a mitotic spindle; anchored at one spindle pole. [GOC:vw]' - }, - 'GO:1990499': { - 'name': 'raps-insc complex', - 'def': 'Protein complex required for the asymmetric division of neuroblasts in Drosophila. Coordinates asymmetric localization of cell fate determinants with orientation of the mitotic spindle resulting in different daughter cells upon division. Localizes at the apical cortex of the neuroblast: Raps maintains, but does not initiate, Insc apically, while Insc segregates Raps asymmetrically. Complex appears to be conserved in mammals (composed of INSC and GPSM1 or GPSM2). [GOC:bhm, IntAct:EBI-9674411, PMID:22171003]' - }, - 'GO:1990500': { - 'name': 'eif4e-cup complex', - 'def': "A protein complex that causes translational repression in Drosophila. Prevents assembly of ribosomes at the mRNA by interfacing with a sequence-specific RNA-binding protein leading to recruitment of the CCR4 complex and consequently, reduction of the mRNA's poly(A) tail length. The complex is also required for dorso-ventral pattern formation in the embryo. [GOC:bhm, IntAct:EBI-9674930, PMID:14723848]" - }, - 'GO:1990501': { - 'name': 'exon-exon junction subcomplex mago-y14', - 'def': 'Component of the core exon-exon-junction complex (EJC). Fairly conserved in eukaryotes; in Drosophila, consists of the Mago and Y14 (tsunagi) gene products. Important for coupling nuclear and cytoplasmic events in gene expression. Inhibits the ATPase activity of eIF4AIII (Q9VHS8) to ensure a stable association of the EJC core with the mRNA. [GOC:bhm, IntAct:EBI-9549962, PMID:12730685]' - }, - 'GO:1990502': { - 'name': 'dense core granule maturation', - 'def': 'Steps required to transform a dense core granule generated at the trans-Golgi network into a fully formed and transmissible dense core granule. Dense core granule maturation proceeds through clathrin-mediated membrane remodeling events and is essential for efficient processing of cargo within dense core granules as well as for removing factors that might otherwise interfere with dense core granule trafficking and exocytosis. [GOC:kmv, PMID:22654674]' - }, - 'GO:1990503': { - 'name': 'dendritic lamellar body', - 'def': 'A specialized secretory organelle found in neurons and associated with the formation of dendrodendritic gap junctions. [PMID:7869120]' - }, - 'GO:1990504': { - 'name': 'dense core granule exocytosis', - 'def': 'The secretion of molecules (e.g. neuropeptides, insulin-related peptides or neuromodulators such as serotonin and dopamine) contained within a membrane-bounced dense core granule by fusion of the granule with the plasma membrane of a cell in response to increased cytosolic calcium levels. [GOC:kmv, PMID:17553987, PMID:24653208]' - }, - 'GO:1990505': { - 'name': 'mitotic DNA replication maintenance of fidelity', - 'def': 'Any maintenance of fidelity that is involved in mitotic cell cycle DNA replication. [PMID:19185548]' - }, - 'GO:1990506': { - 'name': 'mitotic DNA-dependent DNA replication', - 'def': 'A DNA replication process that uses parental DNA as a template for the DNA-dependent DNA polymerases that synthesize the new strands during the mitotic cell cycle. [PMID:16120966]' - }, - 'GO:1990507': { - 'name': 'ATP-independent chaperone mediated protein folding', - 'def': 'The process of inhibiting aggregation and assisting in the covalent and noncovalent assembly of single chain polypeptides or multisubunit complexes into the correct tertiary structure that is dependent on interaction with a chaperone, and independent of ATP hydrolysis. [GOC:rb, PMID:25242142]' - }, - 'GO:1990508': { - 'name': 'CKM complex', - 'def': 'Cyclin-dependent kinase complex which reversibly associates with the Mediator complex. In Saccharomyces cerevisiae it consists of SSN2, SSN3, SSN8 and SRB8. [GOC:bhm, IntAct:EBI-2640924, PMID:12200444]' - }, - 'GO:1990509': { - 'name': 'PYM-mago-Y14 complex', - 'def': 'Protein complex involved in the disassembly of Mago-Y14 from the spliced mRNA during first round of translation, independently of the translational machinery. Conserved from fission yeast to humans. [GOC:bhm, IntAct:EBI-9634190, PMID:14968132]' - }, - 'GO:1990511': { - 'name': 'piRNA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of piRNAs, Piwi-associated RNAs, a class of 24- to 30-nucleotide RNA derived from repeat or complex DNA sequence elements and processed by a Dicer-independent mechanism. [PMID:24696457]' - }, - 'GO:1990512': { - 'name': 'Cry-Per complex', - 'def': 'Nuclear transcriptional repressor complex that is capable of negatively regulating CLOCK-BMAL-dependent transactivation of genes in a delayed negative feedback manner which generates circadian rhythms. [GOC:bhm, IntAct:EBI-9693126, IntAct:EBI-9693260, IntAct:EBI-9694282, IntAct:EBI-9695878, IntAct:EBI-9695921, IntAct:EBI-9695942, IntAct:EBI-9696219, IntAct:EBI-9696270, IntAct:EBI-9696293, IntAct:EBI-9696310, IntAct:EBI-9696328, IntAct:EBI-9696345, PMID:24855952]' - }, - 'GO:1990513': { - 'name': 'CLOCK-BMAL transcription complex', - 'def': 'Transcription factor complex which interacts with E-box regulatory elements in target genes, including Period (Per1, Per2, Per3) and Cryptochrome (Cry1, Cry2), to activate their transcription during the daytime. The CRY-PER complexes inhibit CLOCK-BMAL1-driven transcription in a negative feedback loop to generate circadian rhythms. [GOC:bhm, IntAct:EBI-9696362, IntAct:EBI-9696901, IntAct:EBI-9696921, IntAct:EBI-9696951, PMID:23229515]' - }, - 'GO:1990514': { - 'name': "5' transitive RNA interference", - 'def': "An RNA interference where the silencing signal spreads 5' along the target mRNA, outside of the initial target sequence. Typically involves the formation of secondary siRNAs formed when the initial mRNA target sequence functions as a template for 5' to 3' synthesis of new dsRNA. [GOC:pf, PMID:24369430]" - }, - 'GO:1990515': { - 'name': "3' transitive RNA interference", - 'def': "An RNA interference where the silencing signal spreads 3' along the target mRNA, outside of the initial target sequence. Typically involves the formation of secondary siRNAs formed when the initial mRNA target sequence functions as a template for 5' to 3' synthesis of new dsRNA. [GOC:pf, PMID:24369430]" - }, - 'GO:1990516': { - 'name': 'ribonucleotide excision repair', - 'def': 'The pathway by which a ribonucleotide is removed from DNA and replaced by a deoxyribonucleotide. The ribonucleotide is incised by RNase H2, and further excised by an endonuclease. The resulting 1 nt gap is then repaired by DNA polymerase and DNA ligase. [PMID:12475934, PMID:22864116]' - }, - 'GO:1990517': { - 'name': 'obsolete protein localization to photoreceptor outer segment', - 'def': 'OBSOLETE. A process in which a protein is transported to, or maintained in, a location within a photoreceptor outer segment, which is a portion of a modified sensory cilium. [GOC:krc, PMID:20212494]' - }, - 'GO:1990518': { - 'name': "single-stranded DNA-dependent ATP-dependent 3'-5' DNA helicase activity", - 'def': "Catalysis of the reaction: ATP + H2O = ADP + phosphate, in the presence of single-stranded DNA; drives the unwinding of the DNA helix in the direction 3' to 5'. [PMID:25165823]" - }, - 'GO:1990519': { - 'name': 'mitochondrial pyrimidine nucleotide import', - 'def': 'The directed movement of a pyrimidine nucleotide across the mitochondrial outer membrane into the mitochondria. [PMID:16194150]' - }, - 'GO:1990520': { - 'name': 'separase-securin complex', - 'def': 'A protein complex that includes separase and securin as components and that inhibits chromosome separation at mitosis. [GOC:dos, GOC:vw, PMID:8978688]' - }, - 'GO:1990521': { - 'name': "m7G(5')pppN diphosphatase activator activity", - 'def': "Binds to and increases the activity of m7G(5')pppN diphosphatase. [PMID:22323607]" - }, - 'GO:1990522': { - 'name': 'tail spike morphogenesis', - 'def': 'The process in which the nematode tail spike is generated and organized. An example of this process is seen in C. elegans, where the tapered tail spike is formed during embryogenesis by a filamentous process that passes posteriorly through hyp10, the tail ventral hypodermis; the filamentous process is formed by a binucleate cell, the tail-spike cell, that subsequently undergoes programmed cell death. [GOC:kmv, PMID:17329362, PMID:6684600]' - }, - 'GO:1990523': { - 'name': 'bone regeneration', - 'def': 'The regrowth of bone following its loss or destruction. [PMID:25257467]' - }, - 'GO:1990524': { - 'name': 'INA complex', - 'def': 'A protein complex located in the inner membrane of mitochondria that is involved in the assembly of the peripheral (or stator) stalk of the mitochondrial proton-transporting ATP synthase (also known as the F1F0 ATP synthase). In budding yeast, this complex includes Ina22p and Ina17p. [GOC:rn, PMID:24942160]' - }, - 'GO:1990525': { - 'name': 'BIR domain binding', - 'def': 'Interacting selectively and non-covalently with a Baculovirus Inhibitor of apoptosis protein Repeat (BIR) domain. [GOC:ha, InterPro:IPR001370]' - }, - 'GO:1990526': { - 'name': 'Ste12p-Dig1p-Dig2p complex', - 'def': 'A multiprotein complex that is involved in the transcription regulation of mating genes in the yeast S. cerevisiae. [GOC:rb, PMID:16782869]' - }, - 'GO:1990527': { - 'name': 'Tec1p-Ste12p-Dig1p complex', - 'def': 'A multiprotein complex that is involved in the transcriptional regulation of primarily filamentation genes, but also mating genes, in the yeast S. cerevisiae. [GOC:rb, PMID:16782869]' - }, - 'GO:1990528': { - 'name': 'Rvs161p-Rvs167p complex', - 'def': 'A protein complex that is involved in endocytosis in the yeast S. cerevisiae. [GOC:rb, PMID:20610658]' - }, - 'GO:1990529': { - 'name': 'glycosylphosphatidylinositol-mannosyltransferase I complex', - 'def': 'A protein complex that is involved in the transfer of the four mannoses in the GPI-anchor precursor. In yeast S. cerevisiae this complex consists of Pbn1p and Gpi14p and in rat this complex consists of PIG-X and PIG-M. [GOC:dph, GOC:rb, PMID:15635094]' - }, - 'GO:1990530': { - 'name': 'Cdc50p-Drs2p complex', - 'def': 'A protein complex that assembles on the ER membrane and is essential for the ER exit of the Cdc50p-Drs2p complex. [GOC:rb, PMID:15090616]' - }, - 'GO:1990531': { - 'name': 'Lem3p-Dnf1p complex', - 'def': 'A protein complex that functions as a phospholipid-translocating P-Type ATPase. [GOC:dph, GOC:rb, PMID:15090616]' - }, - 'GO:1990532': { - 'name': 'stress response to nickel ion', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in organismal or cellular homeostasis caused by a nickel ion stimulus. [PMID:25330323]' - }, - 'GO:1990533': { - 'name': 'Dom34-Hbs1 complex', - 'def': 'A protein complex consisting of one subunit known as Dom34 or Pelota that has similarity to translation termination factor eRF1, and another subunit, Hbs1, that is a GTPase with similarity to translation termination factor eRF3. The Dom34-Hbs1 complex has a role in cotranslational mRNA quality control by promoting ribosomal subunit dissociation and peptidyl-tRNA release when translation is stalled, facilitating no-go decay and nonstop decay. [GOC:mcc, PMID:20890290, PMID:21102444, PMID:21448132, PMID:22503425]' - }, - 'GO:1990534': { - 'name': 'thermospermine oxidase activity', - 'def': "Catalysis of the reaction: S-methyl-5'-thioadenosine + thermospermine + H+ = S-adenosyl 3-(methylthio)propylamine + spermidine. [PMID:24906355]" - }, - 'GO:1990535': { - 'name': 'neuron projection maintenance', - 'def': 'The organization process that preserves a neuron projection in a stable functional or structural state. A neuron projection is a prolongation or process extending from a nerve cell, e.g. an axon or dendrite. [PMID:25359212]' - }, - 'GO:1990536': { - 'name': 'phosphoenolpyruvate transmembrane import into Golgi lumen', - 'def': 'The directed movement of phosphoenolpyruvate into the Golgi lumen across the Golgi membrane. [PMID:25195688]' - }, - 'GO:1990537': { - 'name': 'mitotic spindle polar microtubule', - 'def': 'Any of the mitotic spindle microtubules that come from each pole and overlap at the spindle midzone. [PMID:16079915]' - }, - 'GO:1990538': { - 'name': 'xylan O-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + a xylan= CoA + an acetylated xylan. [PMID:25141999]' - }, - 'GO:1990539': { - 'name': 'fructose import across plasma membrane', - 'def': 'The directed movement of fructose substance from outside of a cell, across the plasma membrane and into the cytosol. [PMID:10735857]' - }, - 'GO:1990540': { - 'name': 'mitochondrial manganese ion transmembrane transport', - 'def': 'A process in which a manganese ion is transported from one side of a mitochondrial membrane to the other by means of some agent such as a transporter or pore. [PMID:12890866]' - }, - 'GO:1990541': { - 'name': 'mitochondrial citrate transmembrane transport', - 'def': 'The directed movement of citrate, 2-hydroxy-1,2,3-propanetricarboyxlate, from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:20371607]' - }, - 'GO:1990542': { - 'name': 'mitochondrial transmembrane transport', - 'def': 'The process in which a solute is transported from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:20533899]' - }, - 'GO:1990543': { - 'name': 'mitochondrial S-adenosyl-L-methionine transmembrane transport', - 'def': 'The directed movement of S-adenosyl-L-methionine from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:14609944]' - }, - 'GO:1990544': { - 'name': 'mitochondrial ATP transmembrane transport', - 'def': 'The directed movement of ATP from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:18485069]' - }, - 'GO:1990545': { - 'name': 'mitochondrial thiamine pyrophosphate transmembrane transport', - 'def': 'The directed movement of thiamine pyrophosphate from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:12411483]' - }, - 'GO:1990546': { - 'name': 'mitochondrial tricarboxylic acid transmembrane transport', - 'def': 'The directed movement of a tricarboxylic acid from one side of a membrane to the other into, out of or within a mitochondrion. [GOC:vw]' - }, - 'GO:1990547': { - 'name': 'mitochondrial phosphate ion transmembrane transport', - 'def': 'The directed movement of phosphate ion from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:9099701]' - }, - 'GO:1990548': { - 'name': 'mitochondrial FAD transmembrane transport', - 'def': 'The directed movement of FAD from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:14555654]' - }, - 'GO:1990549': { - 'name': 'mitochondrial NAD transmembrane transport', - 'def': 'The directed movement of NAD from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:16291748]' - }, - 'GO:1990550': { - 'name': 'mitochondrial alpha-ketoglutarate transmembrane transport', - 'def': 'The directed movement of alpha-ketoglutarate from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:11013234, PMID:20371607]' - }, - 'GO:1990551': { - 'name': 'mitochondrial 2-oxoadipate transmembrane transport', - 'def': 'The directed movement of 2-oxoadipate from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:11013234]' - }, - 'GO:1990553': { - 'name': "mitochondrial 5'-adenylyl sulfate transmembrane transport", - 'def': "The directed movement of 5'-adenylyl sulfate from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:24296033]" - }, - 'GO:1990554': { - 'name': "mitochondrial 3'-phospho-5'-adenylyl sulfate transmembrane transport", - 'def': "The directed movement of 3'-phospho-5'-adenylyl sulfate from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:24296033]" - }, - 'GO:1990555': { - 'name': 'mitochondrial oxaloacetate transmembrane transport', - 'def': 'The directed movement of oxaloacetate from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:10428783]' - }, - 'GO:1990556': { - 'name': 'mitochondrial isopropylmalate transmembrane transport', - 'def': 'The directed movement of isopropylmalate from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:10428783]' - }, - 'GO:1990557': { - 'name': 'mitochondrial sulfate transmembrane transport', - 'def': 'The directed movement of sulfate from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:10428783]' - }, - 'GO:1990558': { - 'name': 'mitochondrial malonate(1-) transmembrane transport', - 'def': 'The directed movement of malonate(1-) from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:10428783]' - }, - 'GO:1990559': { - 'name': 'mitochondrial coenzyme A transmembrane transport', - 'def': 'The directed movement of coenzyme A from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:11158296]' - }, - 'GO:1990560': { - 'name': 'obsolete DNA methyltransferase binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with a DNA methyltransferase. [PMID:22880885]' - }, - 'GO:1990561': { - 'name': 'regulation of transcription from RNA polymerase II promoter in response to copper ion starvation', - 'def': 'Modulation of the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of a stimulus indicating the organism is deprived of copper ions. [GOC:al, PMID:10593913]' - }, - 'GO:1990562': { - 'name': 'syndecan-syntenin-ALIX complex', - 'def': 'An exosome complex that is assembled in the multivesicular body (MVB) membrane and chaperoned to the exosome by the ESCRT-III machinery. [GOC:bhm, IntAct:EBI-9985210, IntAct:EBI-9985797, PMID:22660413]' - }, - 'GO:1990563': { - 'name': 'extracellular exosome complex', - 'def': 'A protein complex that is wholly or partially contained within the lumen or membrane of the extracellular vesicular exosome. [GOC:bhm, IntAct:EBI-9985210, IntAct:EBI-9985797, PMID:22660413]' - }, - 'GO:1990564': { - 'name': 'protein polyufmylation', - 'def': 'Covalent attachment of the ubiquitin-like protein UFM1 to a protein, forming an UFM1 chain. [PMID:25219498]' - }, - 'GO:1990565': { - 'name': 'HSP90-CDC37 chaperone complex', - 'def': 'A protein kinase chaperone complex required for the proper folding, maturation and stabilization of target proteins (mostly signalling protein kinases, some steroid hormone receptors), usually during or immediately after completion of translation. The highly conserved, phosphorylated CDC37-Ser13 (vertebrates) or cdc37-Ser14 (yeast) is essential for complex assembly and target protein binding. CDC37-Ser13 (Ser14) is phosphorylated by Casein kinase II (CK2), which in turn is a target of CDC37 creating a positive feedback loop. Complex binding also prevents rapid ubiquitin-dependent proteosomal degradation of target proteins. [GOC:bhm, GOC:pad, GOC:PARL, IntAct:EBI-9990131, IntAct:EBI-9990540, PMID:21855797, PMID:22939624]' - }, - 'GO:1990566': { - 'name': 'I(KACh) inward rectifier potassium channel complex', - 'def': 'An inward rectifier potassium channel complex expressed in cardiac muscle, specifically the sinoatrial node and atria, where it controls the heart rate, via regulation by G-protein-coupled receptor signalling. In mammals it is composed of GIRK1 (or Kir3.1) and GIRK4 (or Kir3.4) subunits. [GOC:ame, IntAct:EBI-9975539, PMID:9765280]' - }, - 'GO:1990567': { - 'name': 'DPS complex', - 'def': 'A protein serine/threonine phosphatase complex that in S. pombe consists of the proteins Dis2, Ppn1, and Swd22. [PMID:24945319]' - }, - 'GO:1990568': { - 'name': 'obsolete MIS18 complex', - 'def': 'OBSOLETE. A centromere complex assembly protein that is required for the deposition of CENP-A on the centromere. The Mis18 complex localizes to centromeres just prior to the pre-nucleosomal HJURP/CENP-A/H4 complex and is absolutely required for the CENP-A-specific chaperone, Holliday junction recognition protein (HJURP) to reach the centromeres. Plk1 phosphorylation activates Mis18 complex recruitment to the centromeres during G1. CDK phosphorylation of MISBP1 during G2 and mitosis, prior to the metaphase-to-anaphase transition, negatively regulates complex assembly. [GOC:bhm, IntAct:EBI-9872194, IntAct:EBI-9873644, PMID:25036634]' - }, - 'GO:1990569': { - 'name': 'UDP-N-acetylglucosamine transmembrane transport', - 'def': 'The directed movement of UDP-N-acetylglucosamine across a membrane. [PMID:10788474]' - }, - 'GO:1990570': { - 'name': 'GDP-mannose transmembrane transport', - 'def': 'The directed movement of GDP-mannose across a membrane. [PMID:9395539]' - }, - 'GO:1990571': { - 'name': 'meiotic centromere clustering', - 'def': 'The process by which centromeres/kinetochores become localized to clusters during a meiotic nuclear division. For example, in Schizosaccharomyces pombe, centromeres are located in one or two clusters away from the spindle pole body during meiosis. [PMID:10366596, PMID:9009280]' - }, - 'GO:1990572': { - 'name': 'TERT-RMRP complex', - 'def': 'A ribonucleoprotein complex that has RNA-directed RNA polymerase (RdRP) activity, and is composed of telomerase reverse transcriptase (TERT) and the non-coding RNA component of mitochondrial RNA processing endoribonuclease (RMRP). [GOC:bf, GOC:BHF, GOC:nc, PMID:19701182]' - }, - 'GO:1990573': { - 'name': 'potassium ion import across plasma membrane', - 'def': 'The directed movement of potassium ions from outside of a cell, across the plasma membrane and into the cytosol. [PMID:9139127]' - }, - 'GO:1990574': { - 'name': 'meiotic spindle astral microtubule', - 'def': 'Any of the meiotic spindle microtubules that radiate in all directions from the spindle poles and are thought to contribute to the forces that separate the poles and position them in relation to the rest of the cell. [PMID:10366596]' - }, - 'GO:1990575': { - 'name': 'mitochondrial L-ornithine transmembrane transport', - 'def': 'The directed movement of L-ornithine from one side of a membrane to the other into, out of or within a mitochondrion. [PMID:9237680]' - }, - 'GO:1990576': { - 'name': 'G-protein coupled glucose receptor activity', - 'def': 'Combining with an extracellular glucose molecule and transmitting the signal across the membrane by activating an associated G-protein; promotes the exchange of GDP for GTP on the alpha subunit of a heterotrimeric G-protein complex. [PMID:15667320]' - }, - 'GO:1990577': { - 'name': 'C-terminal protein demethylation', - 'def': 'The removal of a methyl group from the C-terminal amino acid of a protein. [PMID:11060018]' - }, - 'GO:1990578': { - 'name': 'perinuclear endoplasmic reticulum membrane', - 'def': 'The membrane of the perinuclear endoplasmic reticulum, which is the portion of endoplasmic reticulum, the intracellular network of tubules and cisternae, that occurs near the nucleus. [PMID:25454947]' - }, - 'GO:1990579': { - 'name': 'peptidyl-serine trans-autophosphorylation', - 'def': 'The phosphorylation of a peptidyl-serine to form peptidyl-O-phospho-L-serine on an identical protein. For example, phosphorylation by the other kinase within a homodimer. [GOC:bf, GOC:PARL, PMID:21317875]' - }, - 'GO:1990580': { - 'name': 'regulation of cytoplasmic translational termination', - 'def': 'Any process that modulates the frequency, rate or extent of cytoplasmic translational termination. [PMID:11570975]' - }, - 'GO:1990581': { - 'name': 'obsolete lysosome lysis', - 'def': 'OBSOLETE. The rupture of the lysosomal membrane and loss of contents as a result of osmotic change, G-protein-driven disintegration, or unspecified cause. [PMID:24472, PMID:9538255]' - }, - 'GO:1990582': { - 'name': 'obsolete intracellular membrane-bounded organelle binding', - 'def': 'OBSOLETE. The temporary binding of a protein or protein complex to the membrane of an intracellular membrane-bounded organelle. [PMID:16100119, PMID:9538255]' - }, - 'GO:1990583': { - 'name': 'phospholipase D activator activity', - 'def': 'Increases the activity of the enzyme phospholipase D. [PMID:7972129]' - }, - 'GO:1990584': { - 'name': 'cardiac Troponin complex', - 'def': 'A complex of accessory proteins (cardiac troponin T, cardiac troponin I and cardiac troponin C) found associated with actin in cardiac muscle thin filaments; involved in calcium regulation important for muscle contraction. [GOC:ame, IntAct:EBI-9980814, PMID:12840750]' - }, - 'GO:1990585': { - 'name': 'hydroxyproline O-arabinosyltransferase activity', - 'def': 'Catalysis of the reaction: UDP-beta-L-arabinofuranose + a [protein]-trans-4-hydroxy-L-proline <=> a protein-O-(beta-L-arabinofuranose)-trans-4-hydroxy-L-proline + UDP + H+. [EC:2.4.2, PMID:24036508]' - }, - 'GO:1990586': { - 'name': 'divisome complex', - 'def': 'A protein complex required for prokaryotic cell division (FtsZ-dependent cytokinesis). These complexes are assembled and recruited to the cell septum in a strictly controlled sequence and co-ordinate invagination of the cell membrane, inward growth of the peptidoglycan layer, constriction of the outer membrane and separation of daughter cells. [GOC:bhm, IntAct:EBI-9547109, IntAct:EBI-9997581, PMID:15165235, PMID:21784946]' - }, - 'GO:1990587': { - 'name': 'FtsQBL complex', - 'def': 'A protein complex required for prokaryotic cell division (FtsZ-dependent cytokinesis). Part of the divisome. Assembled independently of the other divisome components in the cytoplasm prior to transport to the cell septum. In E. coli consists of FtsB, FtsL and FtsQ. [GOC:bhm, IntAct:EBI-9997581, PMID:15165235, PMID:21784946]' - }, - 'GO:1990588': { - 'name': 'FtsBL complex', - 'def': 'A protein complex required for prokaryotic cell division (FtsZ-dependent cytokinesis). Part of the divisome. Assembled independently of the other divisome components in the cytoplasm prior to transport to the cell septum. In E. coli consists of FtsB and FtsL. [GOC:bhm, IntAct:EBI-9997581, PMID:15165235, PMID:21784946]' - }, - 'GO:1990589': { - 'name': 'ATF4-CREB1 transcription factor complex', - 'def': "Transcription factor complex consisting of ATF4 and CREB1 subunits that is capable of binding to cAMP response element (CRE) (consensus: 5'-GTGACGT[AC][AG]-3') as part of the positive regulation of transcription. Regulatory targets include the GRP78 (HSPA5) promoter in humans, whose activation by this complex is part of the ER stress response pathway. [GOC:bhm, IntAct:EBI-10043081, IntAct:EBI-10043332, PMID:12871976]" - }, - 'GO:1990590': { - 'name': 'ATF1-ATF4 transcription factor complex', - 'def': "Transcription factor complex consisting of ATF1 and ATF4 subunits that is capable of binding to cAMP response element (CRE) (consensus: 5'-GTGACGT[AC][AG]-3') of the GRP78 (HSPA5) promoter. Involved in the ER stress response pathway. [GOC:bhm, IntAct:EBI-10043123, IntAct:EBI-10043370, PMID:12871976]" - }, - 'GO:1990591': { - 'name': 'asparagine transmembrane import into vacuole', - 'def': 'The directed movement of asparagine into the vacuole across the vacuolar membrane. [PMID:20388511]' - }, - 'GO:1990592': { - 'name': 'protein K69-linked ufmylation', - 'def': 'A protein ufmylation process in which a polymer of the ubiquitin-like protein UFM1 is formed by linkages between lysine residues at position 69 of the UFM1 monomers, is added to a protein. [PMID:25219498]' - }, - 'GO:1990593': { - 'name': 'nascent polypeptide-associated complex binding', - 'def': 'Interacting selectively and non-covalently with the nascent polypeptide-associated complex, which is a heterodimeric protein complex that can reversibly bind to ribosomes and is located in direct proximity to newly synthesized polypeptide chains as they emerge from the ribosome. [PMID:25487825]' - }, - 'GO:1990594': { - 'name': 'L-altrarate dehydratase activity', - 'def': 'Catalysis of the reaction: L-altrarate = 5-dehydro-4-deoxy-D-glucarate + H(2)O. [PMID:17649980]' - }, - 'GO:1990595': { - 'name': 'mast cell secretagogue receptor activity', - 'def': 'Combining with basic secretagogues to initiate pseudo-allergic reactions in mast cells. [GOC:sp, PMID:25517090]' - }, - 'GO:1990596': { - 'name': 'histone H3-K4 deacetylation', - 'def': 'The modification of histone H3 by the removal of an acetyl group from lysine at position 4 of the histone. [PMID:20299449]' - }, - 'GO:1990597': { - 'name': 'AIP1-IRE1 complex', - 'def': 'A protein complex consisting of IRE1 (inositol-requiring enzyme-1) bound to AIP1 (ASK1-interacting protein 1/DAB2-interacting protein). [GOC:bf, GOC:PARL, PMID:18281285]' - }, - 'GO:1990598': { - 'name': 'repair of mitotic mono-orientation defects', - 'def': 'The mitotic cell cycle process where mono-orientation defects are corrected in order to ensure sister chromatids establish stable attachments to microtubules emanating from opposite spindle poles. [GOC:mtg_cell_cycle, GOC:vw, PMID:15525536]' - }, - 'GO:1990599': { - 'name': "3' overhang single-stranded DNA endodeoxyribonuclease activity", - 'def': "Catalysis of the hydrolysis of ester linkages within 3' overhang single-stranded deoxyribonucleic acid by creating internal breaks. [PMID:25203555]" - }, - 'GO:1990600': { - 'name': 'single-stranded DNA endodeoxyribonuclease activator activity', - 'def': 'Increases the activity of a single-stranded DNA endodeoxyribonuclease activator activity. [PMID:25203555]' - }, - 'GO:1990601': { - 'name': "5' overhang single-stranded DNA endodeoxyribonuclease activity", - 'def': "Catalysis of the hydrolysis of ester linkages within 5' overhang single-stranded deoxyribonucleic acid by creating internal breaks. [PMID:25203555]" - }, - 'GO:1990602': { - 'name': 'importin alpha-subunit nuclear import complex', - 'def': 'A trimeric protein complex which functions to shuttle the importin alpha-subunit into the nucleus through the nuclear pore to facilitate another round of mRNP incorporation and regulation. In Drosophila it consists of Cdm (Imp13), Mago and Tsu (Y14). [GOC:bhm, IntAct:EBI-9673795, PMID:20122403]' - }, - 'GO:1990603': { - 'name': 'dark adaptation', - 'def': 'The process by which the rods of the retina gradually become fully responsive to dim light when no longer exposed to bright light. [GOC:hjd, http://www.ncbi.nlm.nih.gov/books/NBK11525/, ISBN:0198506732]' - }, - 'GO:1990604': { - 'name': 'IRE1-TRAF2-ASK1 complex', - 'def': 'A protein complex of the endoplasmic reticulum membrane that consists of IRE1 (Inositol-requiring enzyme-1), TRAF2 (TNF receptor-associated factor 2) and ASK1 (Apoptosis signal-regulating kinase 1, a MAP3K). [GOC:bf, GOC:PARL, PMID:12050113, PMID:23000344]' - }, - 'GO:1990605': { - 'name': 'GU repeat RNA binding', - 'def': 'Interacting selectively and non-covalently with an RNA molecule containing GU repeats. [PMID:20081200]' - }, - 'GO:1990606': { - 'name': 'membrane scission GTPase motor activity', - 'def': "Catalysis of the generation of a 'twisting' activity resulting in the scission of a membrane, coupled to the hydrolysis of a nucleoside triphosphate. [PMID:11242086, PMID:23530241, PMID:24515348]" - }, - 'GO:1990607': { - 'name': 'obsolete detection of stimulus involved in cytokinesis after mitosis checkpoint', - 'def': 'OBSOLETE. The series of events in which information about whether cytokinesis has correctly completed, is received and converted into a molecular signal, contributing to a cytokinesis after mitosis checkpoint. [GOC:mtg_cell_cycle, GOC:vw, PMID:1234]' - }, - 'GO:1990608': { - 'name': 'mitotic spindle pole body localization to nuclear envelope', - 'def': 'A process in which a mitotic spindle pole body is transported to, or maintained in, a specific location in the nuclear envelope. [PMID:24963130]' - }, - 'GO:1990609': { - 'name': 'glutamate-cysteine ligase regulator activity', - 'def': 'Binds to and modulates the activity of glutamate-cysteine ligase. [PMID:8103521]' - }, - 'GO:1990610': { - 'name': 'acetolactate synthase regulator activity', - 'def': 'Binds to and modulates the activity of acetolactate synthase. [PMID:8972574]' - }, - 'GO:1990611': { - 'name': 'regulation of cytoplasmic translational initiation in response to stress', - 'def': 'Modulation of the frequency, rate or extent of cytoplasmic translational initiation as a result of a stimulus indicating the organism is under stress. The stress is usually, but not necessarily, exogenous (e.g. temperature, humidity, ionizing radiation). [PMID:16278445]' - }, - 'GO:1990612': { - 'name': 'Sad1-Kms2 LINC complex', - 'def': 'A LINC complex implicated in the connection of DNA double strand breaks to the cytoskeleton during DNA double-strand break repair. [GOC:vw, PMID:24947240]' - }, - 'GO:1990613': { - 'name': 'mitochondrial membrane fusion', - 'def': 'The joining of two lipid bilayers that surround the mitochondria. [PMID:12052774]' - }, - 'GO:1990614': { - 'name': 'mitochondrial magnesium ion transmembrane transport', - 'def': 'A process in which a magnesium ion is transported from one side of a mitochondrial membrane to the other by means of some agent such as a transporter or pore. [PMID:11254124]' - }, - 'GO:1990615': { - 'name': 'Kelch-containing formin regulatory complex', - 'def': 'A protein complex that regulates actin cable formation, polarized cell growth, and cytokinesis in a formin-dependent manner. In S. cerevisiae the complex is composed of Bud14p and two Kelch family proteins, Kel1p and Kel2p. [PMID:24828508]' - }, - 'GO:1990616': { - 'name': 'magnesium ion export from mitochondrion', - 'def': 'The directed movement of magnesium ions out of mitochondria into the cytosol by means of some agent such as a transporter or pore. [PMID:25585246]' - }, - 'GO:1990617': { - 'name': 'CHOP-ATF4 complex', - 'def': 'A heterodimeric transcription factor complex that is composed of CHOP (C/EBP homology protein, GADD153) and ATF4 (activating transcription factor 4, also known as cAMP response element binding protein-2/CREB-2) subunits. [GOC:bf, GOC:PARL, PMID:18940792]' - }, - 'GO:1990618': { - 'name': 'obsolete ANPR-A:ANP complex', - 'def': 'OBSOLETE. The ANPR-A:ANP complex is composed of the hormone AMP bound to the extracellular domain of ANPR-A domain. It is formed in the atrium in response to atrial distension (high blood volume) and leads to guanylate cyclase activity of the ANPR-A receptor, thereby elevating intracellular cGMP levels. The end result is a reduction in blood volume and, therefore, a reduction in cardiac output and systemic blood pressure. Therefore, ANPR-A:ANP complex plays a major role in the regulation of blood pressure and salt-fluid volume homeostasis. [GOC:ame, IntAct:EBI-10093340, PMID:15117952]' - }, - 'GO:1990619': { - 'name': 'histone H3-K9 deacetylation', - 'def': 'The modification of histone H3 by the removal of an acetyl group from lysine at position 9 of the histone. [PMID:25002536]' - }, - 'GO:1990620': { - 'name': 'ANPR-A receptor complex', - 'def': 'A receptor complex composed of two ANPR-A molecules and expressed in the heart atrium in mammals; it plays a major role in the regulation of blood pressure and salt-fluid volume homeostasis. Binding of the ligand AMP in response to atrial distension (high blood volume) leads to guanylate cyclase activity of the ANPR-A receptor complex, thereby elevating intracellular cGMP levels. The end result is a reduction in blood volume and, therefore, a reduction in cardiac output and systemic blood pressure. [GOC:ame, IntAct:EBI-10093340, PMID:15117952]' - }, - 'GO:1990621': { - 'name': 'ESCRT IV complex', - 'def': 'An ESCRT complex that has AAA-ATPase activity and is involved in ESCRT-mediated intralumenal vesicle formation and the final stages of cytokinesis. The complex catalyzes disassembly of the ESCRT III filament around the neck of the budding vesicle in an ATP-driven reaction, resulting in membrane scission and recycling of the ESCRT III components back to the cytosol. In yeast, it is formed by the AAA ATPase Vps4 and its cofactor Vta1. [GOC:bhm, GOC:ha, IntAct:EBI-11565638, PMID:20653365, PMID:20696398, PMID:21925211, PMID:24456136, PMID:25164817, PMID:26775243]' - }, - 'GO:1990622': { - 'name': 'CHOP-ATF3 complex', - 'def': 'A heterodimeric protein complex that is composed of CHOP (C/EBP homology protein, GADD153) and ATF3 (activating transcription factor 3) subunits. [GOC:bf, GOC:PARL, PMID:8622660]' - }, - 'GO:1990623': { - 'name': 'Herring body', - 'def': 'The dilated terminal portions of neurosecretory axons constituting the hypothalamohypophyseal tract, found in close proximity to sinusoidal capillaries in the posterior pituitary. Herring bodies consist of aggregates of membrane-bound neurosecretory vesicles where oxytocin or antidiuretic hormone (ADH) are stored prior to release. Each Herring body also contains ATP and either neurophysin I or neurophysin II which bind to oxytocin and ADH, respectively. [http://en.wikipedia.org/wiki/Herring_bodies, ISBN:0199652473]' - }, - 'GO:1990624': { - 'name': 'guanyl nucleotide exchange factor inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a guanyl nucleotide exchange factor. [GOC:vw, PMID:25635048]' - }, - 'GO:1990625': { - 'name': 'negative regulation of cytoplasmic translational initiation in response to stress', - 'def': 'Any process that stops, prevents or reduces the rate of cytoplasmic translation initiation as a result of a stimulus indicating the organism is under stress. [GOC:vw, PMID:12242291]' - }, - 'GO:1990626': { - 'name': 'mitochondrial outer membrane fusion', - 'def': 'The membrane organization process that joins two mitochondrial outer membranes to form a single membrane. [GOC:vw, PMID:21385840]' - }, - 'GO:1990627': { - 'name': 'mitochondrial inner membrane fusion', - 'def': 'The membrane organization process that joins two mitochondrial inner membranes to form a single membrane. [GOC:vw, PMID:17055438]' - }, - 'GO:1990628': { - 'name': 'obsolete Sigma-E factor negative regulation complex', - 'def': 'OBSOLETE. A protein complex consisting of RseA, RseB and RpoE. It form the inactive form of the sigma-E transcription factor. In response to stress, outer membrane proteins accumulate in the periplasm and activate cleavage of RseA periplasmic domain by DegS, triggering a proteolytic cascade that frees sigma-E to activate gene expression. RseB binding to RseA prevents activated DegS from cleaving RseA. Sigma-E-mediated envelope stress response is the major pathway to ensure homeostasis in the envelope compartment of the cell. [GOC:bhm, IntAct:EBI-9019066, PMID:20190044]' - }, - 'GO:1990629': { - 'name': 'phospholamban complex', - 'def': 'A protein complex found as a homopentamer of the phospholamban (PLN) protein in the sarcoplasmic reticulum (SR) membrane of cardiomyocytes. Cardiac PLN is a main determinant of muscle contraction and relaxation, by regulating intracellular calcium levels. [GOC:ame, IntAct:EBI-10104734, PMID:16043693]' - }, - 'GO:1990630': { - 'name': 'IRE1-RACK1-PP2A complex', - 'def': 'A protein complex consisting of IRE1 (Inositol-requiring enzyme-1), RACK1 (Receptor of activated protein kinase C 1, GNB2L1) and PP2A (protein phosphatase 2A). RACK1 acts as an adaptor to bridge an interaction between IRE1 and PP2A. [GOC:bf, GOC:PARL, PMID:20103773]' - }, - 'GO:1990631': { - 'name': 'ErbB-4 class receptor binding', - 'def': 'Interacting selectively and non-covalently with the protein-tyrosine kinase receptor ErbB-4/HER4. [GOC:sl, PMID:18523588]' - }, - 'GO:1990632': { - 'name': 'branching involved in submandibular gland morphogenesis', - 'def': 'The process in which the branching structure of the submandibular gland is generated and organized. [PMID:15063181, PMID:20890964]' - }, - 'GO:1990633': { - 'name': 'mutator focus', - 'def': 'A type of punctate focus localized to the perinuclear region of germline cytoplasm in C. elegans. Mutator foci are required for RNA interference (RNAi) and serve as sites of small inhibitory RNA (siRNA) amplification. As such, proteins that localize to mutator foci include RNA-directed RNA polymerases (RdRPs) and beta-nucleotidyltransferases. Mutator foci are distinct from, but adjacent to or partially overlap, P granules. [PMID:22713602, PMID:25635455]' - }, - 'GO:1990634': { - 'name': 'protein phosphatase 5 binding', - 'def': 'Interacting selectively and non-covalently with the enzyme protein phosphatase 5. [PMID:8943293]' - }, - 'GO:1990635': { - 'name': 'proximal dendrite', - 'def': 'That part of the dendrite closest to the cell body of the neuron. [PMID:16899232]' - }, - 'GO:1990636': { - 'name': 'reproductive senescence', - 'def': 'A natural reduction in reproductive capacity with aging, often taking the form of a switch from regular reproductive cycles to irregular and infrequent ones. [PMID:24914937, PMID:25523082]' - }, - 'GO:1990637': { - 'name': 'response to prolactin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prolactin stimulus. The anterior pituitary hormone prolactin has a number of roles including being essential for lactation. [PMID:7760850]' - }, - 'GO:1990638': { - 'name': 'response to granulocyte colony-stimulating factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a granulocyte colony-stimulating factor stimulus. [PMID:9488469]' - }, - 'GO:1990639': { - 'name': 'obsolete inositol-3,4,5-trisphosphate 5-phosphatase activity', - 'def': 'OBSOLETE. Catalysis of the reaction: D-myo-inositol 3,4,5-trisphosphate + H2O = myo-inositol 3,4-bisphosphate + phosphate. [PMID:11348594]' - }, - 'GO:1990640': { - 'name': 'inositol-2,4,5-triphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 2,4,5-trisphosphate + H2O = 1D-myo-inositol 2,4-bisphosphate + phosphate. [PMID:15316017]' - }, - 'GO:1990641': { - 'name': 'response to iron ion starvation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a starvation stimulus, deprivation of iron ion. [PMID:16208485]' - }, - 'GO:1990642': { - 'name': 'obsolete response to castration', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a castration stimulus, deprivation of gonads. [PMID:11255226]' - }, - 'GO:1990643': { - 'name': 'cellular response to granulocyte colony-stimulating factor', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a granulocyte colony-stimulating factor stimulus. [PMID:9488469]' - }, - 'GO:1990644': { - 'name': 'microtubule site clamp', - 'def': 'The binding activity of a molecule that attaches the spindle microtubules to the kinetochore. [PMID:20723757]' - }, - 'GO:1990645': { - 'name': 'obsolete phosphorylase dephosphorylation', - 'def': 'OBSOLETE. The modification of phosphorylases by removal of phosphate groups. [PMID:8602837]' - }, - 'GO:1990646': { - 'name': 'cellular response to prolactin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a prolactin stimulus. [PMID:7760850]' - }, - 'GO:1990647': { - 'name': 'C/EBP complex', - 'def': "A dimeric, sequence specific DNA-binding transcription factor complex regulating the expression of genes involved in immune and inflammatory responses. Exists at least as alpha and beta homodimeric forms. Binds to regulatory regions of several acute-phase and cytokines genes and probably plays a role in the regulation of acute-phase reaction, inflammation and hemopoiesis. The consensus recognition site is 5'-T[TG]NNGNAA[TG]-3'. Transcription factor activity is inhibited by binding of CHOP forming heterodimers with alternative transcription factor activities. [GOC:bhm, GOC:pad, GOC:PARL, IntAct:EBI-10637780, PMID:8657121]" - }, - 'GO:1990648': { - 'name': 'inositol-4,5,6-triphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 4,5,6-trisphosphate + H2O = 1D-myo-inositol 4,6-bisphosphate + phosphate. [GOC:al, PMID:15316017]' - }, - 'GO:1990649': { - 'name': 'inositol-1,2,4,5-tetrakisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,2,4,5-tetrakisphosphate + H2O = 1D-myo-inositol 1,2,4-trisphosphate + phosphate. [GOC:al, PMID:15316017]' - }, - 'GO:1990650': { - 'name': 'inositol-2,4,5,6-tetrakisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 2,4,5,6-tetrakisphosphate + H2O = 1D-myo-inositol 2,4,6-trisphosphate + phosphate. [GOC:al, PMID:15316017]' - }, - 'GO:1990651': { - 'name': 'inositol-1,2,4,5,6-pentakisphosphate 5-phosphatase activity', - 'def': 'Catalysis of the reaction: 1D-myo-inositol 1,2,4,5,6-pentakisphosphate + H2O = 1D-myo-inositol 1,2,4,6-tetrakisphosphate + phosphate. [GOC:al, PMID:15316017]' - }, - 'GO:1990652': { - 'name': 'obsolete positive regulation of pyrimidine-containing compound salvage by positive regulation of transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. A positive regulation of transcription from RNA polymerase II promoter that results in positive regulation of pyrimidine-containing compound salvage. [PMID:23695302]' - }, - 'GO:1990653': { - 'name': 'obsolete monounsaturated fatty acid biosynthetic process', - 'def': 'OBSOLETE. The chemical reactions and pathways resulting in the formation of a monounsaturated fatty acid. A monounsaturated fatty acid has one double bond in the fatty acid chain with all of the remainder carbon atoms being single-bonded, as opposed to polyunsaturated fatty acids. [GOC:hjd, PMID:16443825]' - }, - 'GO:1990654': { - 'name': 'sebum secreting cell proliferation', - 'def': 'The multiplication or reproduction of sebocytes by cell division, resulting in the expansion of their population. A sebocyte is an epithelial cell that makes up the sebaceous glands, and secrete sebum. [GOC:hjd, PMID:16901790, PMID:18474083]' - }, - 'GO:1990655': { - 'name': '4 iron, 3 sulfur cluster binding', - 'def': 'Interacting selectively and non-covalently with a 4 iron, 3 sulfur (4Fe-3S) cluster, an uncommon iron-sulfur cluster with unique properties found in oxygen-tolerant Ni-Fe hydrogenases of various bacteria. [GOC:am, PMID:23267108]' - }, - 'GO:1990656': { - 'name': 't-SNARE clustering', - 'def': 'The clustering process in which t-SNARES are localized to distinct domains in the cell membrane. t-SNAREs are cell surface proteins which are part of secretory microdomain assemblies. [PMID:22528485]' - }, - 'GO:1990657': { - 'name': 'iNOS-S100A8/A9 complex', - 'def': 'A protein complex capable of stimulus-inducible nitric-oxide synthase activity. S-nitrosylates cysteine residues in target proteins, a principal mechanism of nitric oxide (NO)-mediated signal transduction. In mammals consists of NOS2, S100A8 and S100A9. S100A9 acts both as an adaptor linking NOS2 to its target and as a transnitrosylase that transfers the nitric oxide moiety from NOS2 to its target, via its own S-nitrosylated cysteine. [GOC:bhm, IntAct:EBI-10105915, IntAct:EBI-10106087, PMID:25417112]' - }, - 'GO:1990658': { - 'name': 'transnitrosylase complex', - 'def': 'A transferase complex which is capable of transferring nitrogenous groups from one component to another. [GOC:bhm, IntAct:EBI-10105915, IntAct:EBI-10106087, PMID:25417112]' - }, - 'GO:1990659': { - 'name': 'sequestering of manganese ion', - 'def': 'The process of binding or confining manganese ions such that they are separated from other components of a biological system. [GOC:bhm, PMID:25417112]' - }, - 'GO:1990660': { - 'name': 'calprotectin complex', - 'def': 'A protein complex composed of S100A8 and S100A9 and capable of limiting Mn(2+) and Zn(2+) availability at sites of infection. Also binds Ca(2+). Expressed and released by neutrophils and epithelial cells, it exhibits broad-spectrum antimicrobial activity attributed to its metal-binding properties. Endogenous ligand of toll-like receptor 4 (TLR4) and of the receptor for advanced glycation end products (RAGE) initiating signal transduction through NF-kappa-B pathways. [GOC:bhm, IntAct:EBI-10098135, IntAct:EBI-10098681, IntAct:EBI-10098713, PMID:25417112]' - }, - 'GO:1990661': { - 'name': 'S100A8 complex', - 'def': 'A protein complex composed of a S100A8 dimer and capable of binding to toll-like receptor 4 (TLR4). [GOC:bhm, IntAct:EBI-10098921, IntAct:EBI-10099454, PMID:25417112]' - }, - 'GO:1990662': { - 'name': 'S100A9 complex', - 'def': 'A protein complex composed of a S100A9 dimer and capable of binding to toll-like receptor 4 (TLR4) and the receptor for advanced glycation end products (RAGE) initiating signal transduction through NF-kappa-B pathways. Transports arachidonic acid between the cytosol and the NADPH oxidase complex at the plasma membrane in neutrophils as part of an inflammatory signal cascade leading to an oxidative burst. Complexes with microtubules to increase cell motility. [GOC:bhm, IntAct:EBI-10098921, IntAct:EBI-10099454, PMID:15642721]' - }, - 'GO:1990663': { - 'name': 'dihydroorotate dehydrogenase (fumarate) activity', - 'def': 'Catalysis of the reaction: (S)-dihydroorotate + fumarate = orotate + succinate. [PMID:1409592]' - }, - 'GO:1990664': { - 'name': 'Nkx-2.5 complex', - 'def': 'A transcription factor complex formed by two or more subunits of Nkx-2.5. Nkx-2.5 is an evolutionary conserved transcription factor important for the specification and differentiation of cardiomyocytes during heart development. It is also required for spleen development. It binds DNA either as a monomer, or a homodimer, or a heterodimer complex to activate or inhibit expression of genes. [GOC:ame, IntAct:EBI-10636829, PMID:22849347]' - }, - 'GO:1990665': { - 'name': 'AnxA2-p11 complex', - 'def': 'A heterotetrameric protein complex comprising two Annexin A2 (AnxA2) monomers and two copies of its binding partner, S100 protein p11 (S100A10). [GOC:bf, GOC:BHF, GOC:nc, PMID:18799458, PMID:23483454]' - }, - 'GO:1990666': { - 'name': 'PCSK9-LDLR complex', - 'def': 'A protein complex consisting of the serine protease PCSK9 (Proprotein convertase subtilisin/kexin-9) and a low-density lipoprotein receptor (LDLR). Interaction typically occurs through the epidermal growth factor-like repeat A (EGF-A) domain of the LDLR, and complex formation promotes degradation of the LDLR through the endosome/lysosome pathway. [GOC:BHF, GOC:nc, PMID:18250299, PMID:24440079]' - }, - 'GO:1990667': { - 'name': 'PCSK9-AnxA2 complex', - 'def': 'A protein complex consisting of the serine protease PCSK9 (Proprotein convertase subtilisin/kexin-9) and Annexin A2 (AnxA2). [GOC:BHF, GOC:nc, PMID:22848640]' - }, - 'GO:1990668': { - 'name': 'vesicle fusion with endoplasmic reticulum-Golgi intermediate compartment (ERGIC) membrane', - 'def': 'The joining of the lipid bilayer membrane around a vesicle to the lipid bilayer membrane of the ERGIC. This can involve anterograde or retrograde transport vesicles. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990669': { - 'name': 'endoplasmic reticulum-Golgi intermediate compartment (ERGIC) derived vesicle fusion with endoplasmic reticulum membrane', - 'def': 'The joining of the lipid bilayer membrane around an ERGIC-derived vesicle to the lipid bilayer membrane of the ER. Such vesicles include COPI-coated transport vesicles involved in retrograde transport. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990670': { - 'name': 'vesicle fusion with Golgi cis cisterna membrane', - 'def': 'The joining of the lipid bilayer membrane around a vesicle to the lipid bilayer membrane around the Golgi cis cisterna. This can involve anterograde or retrograde transport vesicles. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990671': { - 'name': 'vesicle fusion with Golgi medial cisterna membrane', - 'def': 'The joining of the lipid bilayer membrane around a vesicle to the lipid bilayer membrane around the Golgi medial cisterna. This can involve anterograde or retrograde transport vesicles. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990672': { - 'name': 'medial-Golgi-derived vesicle fusion with Golgi trans cisterna membrane', - 'def': 'The joining of the lipid bilayer membrane around a medial-Golgi-derived vesicle to the lipid bilayer membrane around the Golgi trans cisterna. Vesicles are involved in anterograde transport. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990673': { - 'name': 'intrinsic component of endoplasmic reticulum-Golgi intermediate compartment (ERGIC) membrane', - 'def': 'The component of the ERGIC membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990674': { - 'name': 'Golgi cis cisterna membrane', - 'def': 'The lipid bilayer surrounding any of the thin, flattened compartments that form the cis portion of the Golgi complex. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990675': { - 'name': 'Golgi medial cisterna membrane', - 'def': 'The lipid bilayer surrounding any of the thin, flattened compartments that form the medial portion of the Golgi complex. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990676': { - 'name': 'Golgi trans cisterna membrane', - 'def': 'The lipid bilayer surrounding any of the thin, flattened compartments that form the trans portion of the Golgi complex. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990677': { - 'name': 'mitochondrial inner membrane assembly complex', - 'def': 'A protein complex that promotes the biogenesis of mitochondrial F1Fo-ATP synthase by facilitating assembly of the peripheral stalk. Loss of INAC function causes dissociation of the F1-domain from the membrane-integral Fo-portion. [GOC:bhm, PMID:24942160]' - }, - 'GO:1990678': { - 'name': 'histone H4-K16 deacetylation', - 'def': 'The modification of histone H4 by the removal of an acetyl group from lysine at position 16 of the histone. [PMID:17446861]' - }, - 'GO:1990679': { - 'name': 'histone H4-K12 deacetylation', - 'def': 'The modification of histone H4 by the removal of an acetyl group from lysine at position 12 of the histone. [PMID:17446861]' - }, - 'GO:1990680': { - 'name': 'response to melanocyte-stimulating hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a melanocyte-stimulating hormone stimulus. The binding of any one of three melanocyte-stimulating hormones causes dispersal of melanosomes in melanophores of poikilothermic vertebrates. [PMID:17036007]' - }, - 'GO:1990682': { - 'name': 'CSF1-CSF1R complex', - 'def': 'A protein complex consisting of a macrophage colony-stimulating factor (CSF1, also called M-CSF) dimer bound to a dimerized receptor (CSF1R, also called FMS). Receptor dimerization requires the presence of the ligand. [GOC:bf, GOC:BHF, GOC:nc, PMID:19017797]' - }, - 'GO:1990683': { - 'name': 'DNA double-strand break attachment to nuclear envelope', - 'def': 'A process in which the DNA double-strand breaks are attached to the inner surface of the nuclear envelope proximal to the spindle pole body, or iMTOCs. [PMID:24943839]' - }, - 'GO:1990684': { - 'name': 'protein-lipid-RNA complex', - 'def': 'A macromolecular complex containing separate protein, lipid and RNA molecules. Separate in this context means not covalently bound to each other. [GOC:vesicles, PMID:21423178, PMID:22028337, PMID:23559634]' - }, - 'GO:1990685': { - 'name': 'HDL-containing protein-lipid-RNA complex', - 'def': 'A protein-lipid-RNA complex containing separate high-density lipoprotein (HDL), lipid and RNA molecules. Separate in this context means not covalently bound to each other. [GOC:vesicles, PMID:21423178, PMID:23559634]' - }, - 'GO:1990686': { - 'name': 'LDL-containing protein-lipid-RNA complex', - 'def': 'A protein-lipid-RNA complex containing separate low-density lipoprotein (LDL), lipid and RNA molecules. Separate in this context means not covalently bound to each other. [GOC:vesicles, PMID:23559634]' - }, - 'GO:1990687': { - 'name': 'endoplasmic reticulum-derived vesicle fusion with endoplasmic reticulum-Golgi intermediate compartment (ERGIC) membrane', - 'def': 'The joining of the lipid bilayer membrane around an endoplasmic reticulum-derived vesicle to the lipid bilayer membrane of the ERGIC. Such vesicles include COPII-coated transport vesicles involved in anterograde transport. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990688': { - 'name': 'Golgi vesicle fusion with endoplasmic reticulum-Golgi intermediate compartment (ERGIC) membrane', - 'def': 'The joining of the lipid bilayer membrane around a Golgi vesicle to the lipid bilayer membrane of the ERGIC. Such vesicles include COPI-coated transport vesicles involved in retrograde transport. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990689': { - 'name': 'endoplasmic reticulum-Golgi intermediate compartment (ERGIC) derived vesicle fusion with Golgi cis cisterna membrane', - 'def': 'The joining of the lipid bilayer membrane around an ERGIC-derived vesicle to the lipid bilayer membrane around the Golgi cis cisterna. Such vesicles include COPII-coated transport vesicles involved in anterograde transport. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990690': { - 'name': 'Golgi medial cisterna-derived vesicle fusion with Golgi cis cisterna membrane', - 'def': 'The joining of the lipid bilayer membrane around a Golgi medial cisterna-derived vesicle to the lipid bilayer membrane around the Golgi cis cisterna. Such vesicles include COPI-coated transport vesicles involved in retrograde transport. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990691': { - 'name': 'cis-Golgi-derived vesicle fusion with Golgi medial cisterna membrane', - 'def': 'The joining of the lipid bilayer membrane around a cis-Golgi-derived vesicle to the lipid bilayer membrane around the medial-Golgi cisterna. Vesicles are involved in anterograde transport. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990692': { - 'name': 'trans-Golgi-derived vesicle fusion with Golgi medial cisterna membrane', - 'def': 'The joining of the lipid bilayer membrane around a trans-Golgi-derived vesicle to the lipid bilayer membrane around the medial-Golgi cisterna. Such vesicles include COPI-coated transport vesicles involved in retrograde transport. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990693': { - 'name': 'intrinsic component of Golgi cis cisterna membrane', - 'def': 'The component of the Golgi cis cisterna membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990694': { - 'name': 'intrinsic component of Golgi medial cisterna membrane', - 'def': 'The component of the Golgi medial cisterna membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990695': { - 'name': 'intrinsic component of Golgi trans cisterna membrane', - 'def': 'The component of the Golgi trans cisterna membrane consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the membrane or some other covalently attached group such as a GPI anchor that is similarly embedded in the membrane. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990696': { - 'name': 'USH2 complex', - 'def': 'A protein complex composed of four proteins, loss of which results in Usher Syndrome type 2 (USH2 syndrome), a leading genetic cause of combined hearing and vision loss. This complex is conserved in many species; in mice, it is composed of USH2A, GPR98 (aka ADGRV1), WHRN, and PDZD7. [GOC:krc, PMID:25406310]' - }, - 'GO:1990697': { - 'name': 'protein depalmitoleylation', - 'def': 'The removal of palmitoleyl group, a 16-carbon monounsaturated fatty acid (C16:1), from a lipoprotein. [PMID:25731175]' - }, - 'GO:1990698': { - 'name': 'palmitoleoyltransferase activity', - 'def': 'Catalysis of the transfer of a palmitoleyl group, a 16-carbon monounsaturated fatty acid (C16:1), to an acceptor molecule. [PMID:17141155, PMID:25731175]' - }, - 'GO:1990699': { - 'name': 'palmitoleyl hydrolase activity', - 'def': 'Catalysis of a hydrolase reaction that removes a palmitoleyl moiety, a 16-carbon monounsaturated fatty acid (C16:1), from some substrate. [PMID:25731175]' - }, - 'GO:1990700': { - 'name': 'nucleolar chromatin organization', - 'def': 'Any process that results in the specification, formation or maintenance of the physical structure of nucleolar chromatin. [PMID:18362178]' - }, - 'GO:1990701': { - 'name': 'integral component of endoplasmic reticulum-Golgi intermediate compartment (ERGIC) membrane', - 'def': 'The component of the ERGIC membrane consisting of the gene products having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990702': { - 'name': 'integral component of Golgi cis cisterna membrane', - 'def': 'The component of the Golgi cis membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990703': { - 'name': 'integral component of Golgi medial cisterna membrane', - 'def': 'The component of the Golgi medial membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990704': { - 'name': 'integral component of Golgi trans cisterna membrane', - 'def': 'The component of the Golgi trans membrane consisting of the gene products and protein complexes having at least some part of their peptide sequence embedded in the hydrophobic region of the membrane. [GOC:bhm, PMID:16038056, PMID:24119662]' - }, - 'GO:1990705': { - 'name': 'cholangiocyte proliferation', - 'def': 'The multiplication or reproduction of cholangiocytes, resulting in the expansion of the cholangiocyte population. A cholangiocyte is an epithelial cell that is part of the bile duct. Cholangiocytes contribute to bile secretion via net release of bicarbonate and water. [PMID:24434010]' - }, - 'GO:1990706': { - 'name': 'MAD1 complex', - 'def': 'A protein complex involved in the assembly of the mitotic checkpoint complex that in turn inhibits the anaphase promoting complex/cyclosome (APC/C). [GOC:bhm, IntAct:EBI-10691160, intAct:EBI-10691224, PMID:22493223, PMID:22898774]' - }, - 'GO:1990707': { - 'name': 'nuclear subtelomeric heterochromatin', - 'def': 'Heterochromatic regions of the chromosome found at the subtelomeric regions of a chromosome in the nucleus. [PMID:7660126]' - }, - 'GO:1990708': { - 'name': 'conditioned place preference', - 'def': 'The associative learning process by which an animal learns and remembers an association between a neutral, unchanging environment and a putatively rewarding, internal state produced by a xenobiotic or drug. [PMID:21549821]' - }, - 'GO:1990709': { - 'name': 'presynaptic active zone organization', - 'def': 'A process that results in the assembly, arrangement of constituent parts, or disassembly of a presynaptic active zone. [GOC:pr, PMID:16865347, PMID:17068967]' - }, - 'GO:1990710': { - 'name': 'MutS complex', - 'def': 'A homodimeric mismatch repair complex involved in binding to and correcting insertion/deletion mutations. [GOC:bhm, IntAct:EBI-10705937, PMID:21666597]' - }, - 'GO:1990711': { - 'name': 'Beta-catenin-ICAT complex', - 'def': 'Transcription factor complex that inhibits binding of Tcf to beta-catenin while preserving interaction of catenin with cadherin thus inhibiting transcription mediated by beta-catenin-Tcf complex. [GOC:bhm, IntAct:EBI-10691252, IntAct:EBI-10705284, PMID:12408824]' - }, - 'GO:1990712': { - 'name': 'HFE-transferrin receptor complex', - 'def': 'A protein complex containing at least HFE and a transferrin receptor (either TFR1/TFRC or TFR2), proposed to play a role in the sensing of transferrin-bound Fe (Fe2-Tf) on the plasma membrane to regulate hepcidin transcription. [GOC:BHF, GOC:kom, PMID:25147378]' - }, - 'GO:1990713': { - 'name': 'survivin complex', - 'def': 'A protein complex that negatively regulates apoptotic processes. In human, this anti-apoptotic complex is a homodimer of BIRC5 (survivin) and provides one survivin molecule to the chromosomal passenger complex (CPC). [GOC:bhm, IntAct:EBI-10714791, IntAct:EBI-10727115, PMID:10949038]' - }, - 'GO:1990714': { - 'name': 'hydroxyproline O-galactosyltransferase activity', - 'def': 'Catalysis of the transfer of galactose from UDP-galactose to hydroxyproline residues present in the peptide backbone. [PMID:25600942]' - }, - 'GO:1990715': { - 'name': 'mRNA CDS binding', - 'def': 'Interacting selectively and non-covalently with the coding sequence (CDS) of an mRNA molecule. [GOC:kmv, PMID:25805859, SO:0000316]' - }, - 'GO:1990716': { - 'name': 'axonemal central apparatus', - 'def': 'Part of the 9+2 axoneme, that occurs in most motile cilia, consisting of the pair of two single central microtubules and their associated structures which include the central pair projections, the central pair bridges linking the two tubules, and the central pair caps which are attached to the distal or plus ends of the microtubules. [GOC:cilia, PMID:21586547, PMID:9295136]' - }, - 'GO:1990717': { - 'name': 'axonemal central bridge', - 'def': 'Part of the 9+2 axoneme, that occurs in most motile cilia, consisting of the two bridges which connect the central pair of single microtubules. [GOC:cilia, PMID:21586547, PMID:9295136]' - }, - 'GO:1990718': { - 'name': 'axonemal central pair projection', - 'def': 'Part of the 9+2 axoneme, that occurs in most motile cilia, consisting of the projections off of the central pair of single microtubules. [GOC:cilia, PMID:21586547, PMID:9295136]' - }, - 'GO:1990719': { - 'name': 'C1 axonemal microtubule', - 'def': 'One of two microtubules present in the axonemal central pair. It is distinguishable from the C2 axonemal microtubule (also called C2 tubule) by the presence of differing protein components of the projections. [GOC:cilia, PMID:21586547, PMID:9295136]' - }, - 'GO:1990720': { - 'name': 'C2 axonemal microtubule', - 'def': 'One of two microtubules present in the axonemal central pair. It is distinguishable from the C1 axonemal microtubule (also called C1 tubule) by the presence of differing protein components of the projections. [GOC:cilia, PMID:21586547, PMID:9295136]' - }, - 'GO:1990721': { - 'name': 'obsolete prostatic acid phosphatase complex', - 'def': 'OBSOLETE. A protein complex that is capable of dephosphorylation of alky, aryl and acyl orthophosphate monoesters and phosphorylated proteins. Optimal activity in acidic environment (pH 4-6). In mammals it consists of a homodimer of ACPP. [GOC:bhm, IntAct:EBI-10758257, IntAct:EBI-10758292, PMID:12525165]' - }, - 'GO:1990722': { - 'name': 'DAPK1-calmodulin complex', - 'def': 'A serine/threonine protein kinase complex involved in cell survival, apoptosis and autophagic cell death pathways. DAPK1 is activated by the dephosphorylation of a n-terminal serine and calcium-calmodulin binding. [GOC:bhm, IntAct:EBI-10758257, IntAct:EBI-10758292, PMID:20103772]' - }, - 'GO:1990723': { - 'name': 'cytoplasmic periphery of the nuclear pore complex', - 'def': 'Cytoplasm situated in close proximity to a nuclear pore complex. [PMID:9398662]' - }, - 'GO:1990724': { - 'name': 'galectin complex', - 'def': 'A homodimeric protein complex that is capable of binding a range of carbohydrates and is involved in anti-inflammatory and pro-apoptotic processes. [GOC:bhm, IntAct:EBI-10705755, IntAct:EBI-10705946, IntAct:EBI-10705984, IntAct:EBI-10706026, PMID:15476813, PMID:18777589, PMID:8262940]' - }, - 'GO:1990725': { - 'name': 'cord factor receptor activity', - 'def': 'Combining with a cord factor, an M. tuberculosis cell wall glycolipid, and transmitting a signal from one side of the membrane to the other to initiate a change in cell activity. [GOC:hjd, PMID:23602766]' - }, - 'GO:1990726': { - 'name': 'Lsm1-7-Pat1 complex', - 'def': "A conserved protein complex that plays an important role in coupling deadenylation and decapping in the 5'-to-3' mRNA decay pathway. An example is found in S. cerevisiae. [GOC:jd, PMID:24139796]" - }, - 'GO:1990727': { - 'name': 'tubulin folding cofactor complex', - 'def': 'A multimeric protein complex involved in tubulin alpha-beta-subunit folding assembly consisting of beta-tubulin-TFC-D, alpha-tubulin-TFC-E and TFC-C, through which tubulin subunit association and dimer release occur. [GOC:vw, PMID:12445400]' - }, - 'GO:1990728': { - 'name': 'mitotic spindle assembly checkpoint MAD1-MAD2 complex', - 'def': 'A protein complex involved in the assembly of the mitotic checkpoint complex that in turn inhibits the anaphase promoting complex/cyclosome (APC/C). The MAD1 dimer recruits the open form of MAD2 (O-MAD2) turning it into the closed form (C-MAD2) upon binding. C-MAD2 inhibits CDC20, a member of the APC/C, upon release from the MAD1-MAD2 complex. [GOC:bhm, IntAct:EBI-10691260, IntAct:EBI-10705307, PMID:12006501, PMID:22898774]' - }, - 'GO:1990729': { - 'name': 'primary miRNA modification', - 'def': 'The covalent alteration of one or more nucleotides within a primary miRNA molecule to produce a primary miRNA molecule with a sequence that differs from that coded genetically. [PMID:25799998]' - }, - 'GO:1990730': { - 'name': 'VCP-NSFL1C complex', - 'def': 'A protein complex between the ATPase VCP (p97) and its cofactor p47 (NSFL1C). In human, the protein complex consists of one homotrimer of NSFL1C/p47 per homohexamer of VCP/p97. [GOC:bf, GOC:PARL, PMID:9214505]' - }, - 'GO:1990731': { - 'name': 'UV-damage excision repair, DNA incision', - 'def': "A process that results in the endonucleolytic cleavage of the damaged strand of DNA immediately 5' of a UV-induced damage site, and is the first part of a DNA repair process that acts on both cyclobutane pyrimidine dimers (CPDs) and pyrimidine-pyrimidone 6-4 photoproducts (6-4PPs). [PMID:10704216]" - }, - 'GO:1990732': { - 'name': 'pyrenoid', - 'def': 'A non-membrane-bounded organelle found within the chloroplasts of algae and hornworts; responsible for carbon dioxide fixation. [GOC:cjm, GOC:pr, http://en.wikipedia.org/wiki/Pyrenoid, PMID:23345319]' - }, - 'GO:1990733': { - 'name': 'titin-telethonin complex', - 'def': 'A protein complex formed between the N-terminus of the giant sarcomeric filament protein titin and the Z-disk ligand, telethonin. The complex is part of the Z-disk of the skeletal and cardiac sarcomere. Telethonin binding to titin might be essential for the initial assembly, stabilization and functional integrity of the titin filament, and hence important for muscle contraction relaxation in mature myofibrils. [GOC:ame, IntAct:EBI-10711453, PMID:16407954]' - }, - 'GO:1990734': { - 'name': 'astral microtubule anchoring at mitotic spindle pole body', - 'def': 'Any process in which an astral microtubule is maintained in a specific location in a cell by attachment to a mitotic spindle pole body. Microtubules attach to spindle pole bodies at the minus end. [PMID:15004232]' - }, - 'GO:1990735': { - 'name': 'gamma-tubulin complex localization to mitotic spindle pole body', - 'def': 'Any process in which a gamma-tubulin complex is transported to, or maintained in, a specific location at a mitotic spindle pole body. [GOC:dos, GOC:mah, PMID:11080156]' - }, - 'GO:1990736': { - 'name': 'regulation of vascular smooth muscle cell membrane depolarization', - 'def': 'Any process that modulates the establishment or extent of a membrane potential in the depolarizing direction away from the resting potential in a vascular smooth muscle cell. [PMID:20826763]' - }, - 'GO:1990737': { - 'name': 'response to manganese-induced endoplasmic reticulum stress', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of endoplasmic reticulum stress caused by a manganese stimulus. [GOC:bf, GOC:PARL, PMID:23934647]' - }, - 'GO:1990738': { - 'name': "pseudouridine 5'-phosphatase activity", - 'def': "Catalysis of the reaction: pseudouridine 5'-phosphate + H2O = pseudouridine + phosphate. [EC:3.1.3.96, PMID:20722631]" - }, - 'GO:1990739': { - 'name': 'granulosa cell proliferation', - 'def': 'The multiplication or reproduction of granulosa cells, resulting in the expansion of the granulosa cells population. A granulosa cell is a supporting cell for the developing female gamete in the ovary of mammals. They develop from the coelomic epithelial cells of the gonadal ridge. [PMID:22383759]' - }, - 'GO:1990740': { - 'name': 'obsolete non-selective anion channel activity', - 'def': 'OBSOLETE. Enables the non-selective, energy-independent passage of anions across a lipid bilayer down a concentration gradient. [GOC:pr, ISBN:0878937420, Wikipedia:Ion_channel#Classification_by_type_of_ions]' - }, - 'GO:1990741': { - 'name': 'obsolete non-selective cation channel activity', - 'def': 'OBSOLETE. Enables the non-selective, energy-independent passage of cations across a lipid bilayer down a concentration gradient. [GOC:pr, ISBN:0878937420, Wikipedia:Ion_channel#Classification_by_type_of_ions]' - }, - 'GO:1990742': { - 'name': 'microvesicle', - 'def': 'An extracellular vesicle released from the plasma membrane and ranging in size from about 100 nm to 1000 nm. [GOC:vesicles, PMID:22418571, PMID:24009894, Wikipedia:Microvesicles]' - }, - 'GO:1990743': { - 'name': 'protein sialylation', - 'def': 'A protein modification process that results in the addition of a sialic acid unit to the end of an oligosaccharide chain in a glycoprotein. [PMID:21930713]' - }, - 'GO:1990744': { - 'name': 'primary miRNA methylation', - 'def': 'The posttranscriptional addition of methyl groups to specific residues in an primary miRNA molecule. [PMID:25799998]' - }, - 'GO:1990745': { - 'name': 'EARP complex', - 'def': 'A quatrefoil tethering complex required for endocytic recycling. [PMID:25799061]' - }, - 'GO:1990746': { - 'name': 'HCN4 channel complex', - 'def': 'HCN4 tetramer is a hyperpolarization-activated ion channel with selectivity for potassium over sodium ions. HCN4 is the dominant form of HCN expressed in the heart, together with HCN2. HCN4 expression is particularly high in the sinoatrial node, where impulses initiate and propagate throughout the heart. There is pharmacologic and genetic evidence that the HNC4 channel complex plays a role in cardiac pacemaking and automaticity, by contributing to the native pacemaker current of the heart (If). Mutations in the C-terminus containing the C-linker and CNBD domain, which affect the expression or function of the HCN4 channel are known to cause arrhythmia or bradycardia. [GOC:ame, IntAct:EBI-10814846, PMID:20829353]' - }, - 'GO:1990747': { - 'name': 'pancreatic trypsinogen secretion', - 'def': 'The regulated release of trypsinogen from the cells of the exocrine pancreas. [PMID:12771515]' - }, - 'GO:1990748': { - 'name': 'cellular detoxification', - 'def': 'Any process carried out at the cellular level that reduces or removes the toxicity of a toxic substance. These may include transport of the toxic substance away from sensitive areas and to compartments or complexes whose purpose is sequestration of the toxic substance. [GOC:vw]' - }, - 'GO:1990749': { - 'name': 'polynucleotide adenylyltransferase activator activity', - 'def': 'Increases the activity of the enzyme polynucleotide adenylyltransferase. [GOC:kmv, PMID:19460348]' - }, - 'GO:1990750': { - 'name': 'obsolete axon shaft', - 'def': 'OBSOLETE. Main portion of an axon, excluding terminal, spines, or dendrites. [PMID:11264310, PMID:24312009]' - }, - 'GO:1990751': { - 'name': 'Schwann cell chemotaxis', - 'def': 'The directed movement of a Schwann cell guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). [PMID:16203995]' - }, - 'GO:1990752': { - 'name': 'microtubule end', - 'def': 'Any end of a microtubule. Microtubule ends differ in that the so-called microtubule plus-end is the one that preferentially grows by polymerization, with respect to the minus-end. [GOC:pr]' - }, - 'GO:1990753': { - 'name': 'equatorial cell cortex', - 'def': 'The region of the cell cortex in a mitotically dividing cell that flanks the central spindle and corresponds to the site of actomyosin ring formation that results in cleavage furrow formation and ingression. [PMID:16352658, PMID:22552143, PMID:23750214, PMID:25898168]' - }, - 'GO:1990754': { - 'name': 'obsolete GABAergic neuronal action potential', - 'def': 'OBSOLETE. An action potential that occurs in a GABAergic neuron. [PMID:16921370]' - }, - 'GO:1990755': { - 'name': 'mitotic spindle microtubule depolymerization', - 'def': 'The removal of tubulin heterodimers from one or both ends of a microtubule that is part of the mitotic spindle. [PMID:25253718]' - }, - 'GO:1990756': { - 'name': 'protein binding, bridging involved in substrate recognition for ubiquitination', - 'def': 'The binding activity of a molecule that brings together a ubiquitin ligase and its substrate. Usually mediated by F-box BTB/POZ domain proteins. [PMID:24658274]' - }, - 'GO:1990757': { - 'name': 'ubiquitin ligase activator activity', - 'def': 'Binds to and increases the activity of a ubiquitin ligase. [GOC:dph, PMID:25619242]' - }, - 'GO:1990758': { - 'name': 'mitotic sister chromatid biorientation', - 'def': 'The mitotic cell cycle process in which sister chromatids establish stable, end-on attachments to the plus ends of microtubules emanating from opposite spindle poles, oriented such that separation can proceed. This is the final step in metaphase plate congression. [PMID:15309047, PMID:26258632, PMID:26705896]' - }, - 'GO:1990759': { - 'name': 'HCN2 channel complex', - 'def': 'HCN2 is a member of the hyperpolarization-activated ion channel family, which shows selectivity for potassium over sodium ions. Channel gating is facilitated by cAMP binding to the cyclic nucleotide binding domain. HCN2 is the dominant form of HCN expressed in the heart, together with HCN4 (O70507). HCN2 shows significant expression in various regions of the heart, especially the ventricles. There is pharmacological and genetic evidence that HCN channels play a role in cardiac pacemaking and automaticity, by contributing to the native pacemaker current of the heart (If). [GOC:ame, IntAct:EBI-10825931, PMID:12968185]' - }, - 'GO:1990760': { - 'name': 'osmolarity-sensing cation channel activity', - 'def': 'Enables the transmembrane transfer of a cation by a channel that opens when a change in the osmolarity occurs in the extracellular space of the cell in which the cation channel resides. [PMID:18279313]' - }, - 'GO:1990761': { - 'name': 'growth cone lamellipodium', - 'def': 'A thin sheetlike process extended by the leading edge of an axonal or dendritic growth cone; contains a dense meshwork of actin filaments. [GOC:dos, PMID:25598228]' - }, - 'GO:1990762': { - 'name': 'cytoplasmic alanyl-tRNA aminoacylation', - 'def': 'The process of coupling alanine to alanyl-tRNA, catalyzed by alanyl-tRNA synthetase involved in cytoplasmic translation. [GOC:vw]' - }, - 'GO:1990763': { - 'name': 'arrestin family protein binding', - 'def': 'Interacting selectively and non-covalently with any member of the arrestin family, proteins involved in agonist-mediated desensitization of G-protein-coupled receptors. [PMID:23911909]' - }, - 'GO:1990764': { - 'name': 'myofibroblast contraction', - 'def': 'The actin filament-based process in which cytoplasmic actin filaments slide past one another resulting in contraction of a myofibroblast. [PMID:19239477]' - }, - 'GO:1990765': { - 'name': 'colon smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry of the large intestine, exclusive of the rectum. The colon is that part of the large intestine that connects the small intestine to the rectum. [PMID:24170253]' - }, - 'GO:1990767': { - 'name': 'prostaglandin receptor internalization', - 'def': 'The process that results in the uptake of a prostaglandin receptor into an endocytic vesicle. [PMID:15937517]' - }, - 'GO:1990768': { - 'name': 'gastric mucosal blood circulation', - 'def': 'The flow of blood through the gastric mucosa of an animal, enabling the transport of nutrients and the removal of waste products. [PMID:10807413]' - }, - 'GO:1990769': { - 'name': 'proximal neuron projection', - 'def': 'The portion of an axon or dendrite that is close to the neuronal cell body. [PMID:21104189]' - }, - 'GO:1990770': { - 'name': 'small intestine smooth muscle contraction', - 'def': 'A process in which force is generated within smooth muscle tissue, resulting in a change in muscle geometry in the intestine between the stomach and the large intestine. [PMID:11991626]' - }, - 'GO:1990771': { - 'name': 'clathrin-dependent extracellular exosome endocytosis', - 'def': 'The clathrin-mediated endocytosis of an extracellular exosome. [PMID:24951588]' - }, - 'GO:1990772': { - 'name': 'substance P secretion', - 'def': 'The regulated release of substance P, a peptide hormone that is involved in neurotransmission, inflammation, and antimicrobial activity. [PMID:11278900]' - }, - 'GO:1990773': { - 'name': 'matrix metallopeptidase secretion', - 'def': 'The regulated release of matrix metallopeptidases, a family of zinc-dependent endopeptidases that can degrade extracellular matrix proteins and process other types of proteins. [PMID:8679543]' - }, - 'GO:1990774': { - 'name': 'tumor necrosis factor secretion', - 'def': 'The regulated release of tumor necrosis factor from a cell. Tumor necrosis factor is an inflammatory cytokine produced by macrophages/monocytes during acute inflammation and which is responsible for a diverse range of signaling events within cells, leading to necrosis or apoptosis. [PMID:15560120]' - }, - 'GO:1990775': { - 'name': 'endothelin secretion', - 'def': 'The regulated release of endothelin from a cell. Endothelins are endothelium-derived vasoactive peptides involved in a variety of biological functions. [PMID:15560120]' - }, - 'GO:1990776': { - 'name': 'response to angiotensin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an angiotensin stimulus. Angiotensin is any of three physiologically active peptides (angiotensin II, III, or IV) processed from angiotensinogen. [PMID:22982863]' - }, - 'GO:1990777': { - 'name': 'lipoprotein particle', - 'def': 'A spherical particle containing non-covalently associated proteins and lipids. Examples are plasma lipoprotein particles which transport lipids in the blood or lymph. [GOC:vesicles]' - }, - 'GO:1990778': { - 'name': 'protein localization to cell periphery', - 'def': 'A process in which a protein is transported to, or maintained in, the cell periphery. [PMID:18216290]' - }, - 'GO:1990779': { - 'name': 'glycoprotein Ib-IX-V complex', - 'def': 'A transmembrane signalling receptor complex found exclusively on platelets. Involved in haemostasis and thrombosis where it aids blood coagulation. [GOC:bhm, IntAct:EBI-10727454, IntAct:EBI-10728062, PMID:1730602, PMID:23336709, PMID:25297919]' - }, - 'GO:1990780': { - 'name': 'cytoplasmic side of dendritic spine plasma membrane', - 'def': 'The leaflet of the plasma membrane that faces the cytoplasm and any proteins embedded or anchored in it or attached to its surface surrounding a dendritic spine. [PMID:9275233]' - }, - 'GO:1990781': { - 'name': 'response to immobilization stress combined with electrical stimulus', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an electrical stimulus given while being held immobile. [PMID:17008368]' - }, - 'GO:1990782': { - 'name': 'protein tyrosine kinase binding', - 'def': 'Interacting selectively and non-covalently with protein tyrosine kinase. [PMID:25499537]' - }, - 'GO:1990783': { - 'name': 'periphagosomal region of cytoplasm', - 'def': 'Cytoplasm situated near, or occurring around, a phagosome. [PMID:18250451]' - }, - 'GO:1990784': { - 'name': 'response to dsDNA', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a double-stranded DNA stimulus. [PMID:10051633]' - }, - 'GO:1990785': { - 'name': 'response to water-immersion restraint stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of water immersion while being held immobile. [PMID:10882227]' - }, - 'GO:1990786': { - 'name': 'cellular response to dsDNA', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a double-stranded DNA stimulus. [PMID:10051633]' - }, - 'GO:1990787': { - 'name': 'negative regulation of hh target transcription factor activity', - 'def': 'Any process that decreases the activity of a transcription factor that activates transcription of Hedgehog-target genes in response to Smoothened signaling. In Drosophila, Cubitus interruptus (Ci) is the only identified transcription factor so far in the Hedgehog signaling pathway. In vertebrates members of the Gli protein family are activated by Hedgehog signaling. [GOC:bhm, IntAct:EBI-10170144, PMID:24311597]' - }, - 'GO:1990788': { - 'name': 'GLI-SUFU complex', - 'def': "A protein repressing GLI's transcription factor activity when SMO signalling is inactive. Upon ligand binding to the upstream receptor PTC (Patched) GLI dissociates from SUFU and activates transcription of hedgehog-target genes. In mammals it consists of SUFU and one of the GLI family proteins. [GOC:bhm, IntAct:EBI-10170144, IntAct:EBI-10828915, IntAct:EBI-10828948, IntAct:EBI-10828976, IntAct:EBI-10828997, IntAct:EBI-10829035, PMID:24311597]" - }, - 'GO:1990789': { - 'name': 'thyroid gland epithelial cell proliferation', - 'def': 'The multiplication or reproduction of thyroid gland epithelial cells, resulting in the expansion of the thyroid gland epithelial cell population. [PMID:17646383]' - }, - 'GO:1990790': { - 'name': 'response to glial cell derived neurotrophic factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glial cell derived neurotrophic factor stimulus. [PMID:20877310]' - }, - 'GO:1990791': { - 'name': 'dorsal root ganglion development', - 'def': 'The process whose specific outcome is the progression of a dorsal root ganglion over time, from its formation to the mature structure. [PMID:18583150]' - }, - 'GO:1990792': { - 'name': 'cellular response to glial cell derived neurotrophic factor', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a glial cell derived neurotrophic factor stimulus. [PMID:20877310]' - }, - 'GO:1990793': { - 'name': 'substance P secretion, neurotransmission', - 'def': 'The controlled release of substance P by a cell, in which the substance P acts as a neurotransmitter. [PMID:15292051]' - }, - 'GO:1990794': { - 'name': 'basolateral part of cell', - 'def': 'The region of a cell situated by the cell sides which interface adjacent cells and near the base. Often used in reference to animal polarized epithelial cells. [PMID:18495799]' - }, - 'GO:1990795': { - 'name': 'rod bipolar cell terminal bouton', - 'def': 'A specialized region of the axon terminus portion of a rod bipolar axon. A rod bipolar cell is a neuron found in the retina and having connections with rod photoreceptor cells and neurons in the inner plexiform layer. [PMID:19883736]' - }, - 'GO:1990796': { - 'name': 'photoreceptor cell terminal bouton', - 'def': 'A specialized region of the axon terminus portion of a photoreceptor cell axon. A photoreceptor cell is a neuron specialized to detect and transduce light. [PMID:19883736]' - }, - 'GO:1990797': { - 'name': 'obsolete cholecystokinin secretion', - 'def': 'OBSOLETE. The controlled release of cholecystokinin from a cell. Cholecystokinin is a peptide hormone that participates in pancreatic enzyme release in the gut and is also found in the brain. [PMID:2755938]' - }, - 'GO:1990798': { - 'name': 'pancreas regeneration', - 'def': 'The regrowth of a destroyed pancreas. [PMID:1985964]' - }, - 'GO:1990799': { - 'name': 'mitochondrial tRNA wobble position uridine thiolation', - 'def': 'The process in which a uridine residue at position 34 in the anticodon of a mitochondrial tRNA is post-transcriptionally thiolated at the C2 position. This process involves transfer of a sulfur from cysteine to position C2 by several steps. [PMID:15509579]' - }, - 'GO:1990800': { - 'name': 'obsolete meiotic APC-fizzy-related complex', - 'def': 'OBSOLETE. An anaphase promoting complex bound to a \\fizzy-related family\\ APC activator that regulates meiotic exit by activating the APC/C to target meiotic cyclins for destruction during meiosis. [PMID:11493649]' - }, - 'GO:1990801': { - 'name': 'protein phosphorylation involved in mitotic spindle assembly', - 'def': 'Any protein phosphorylation that is involved in mitotic spindle assembly. [GO_REF:0000060, GOC:rb, GOC:TermGenie, PMID:21558801]' - }, - 'GO:1990802': { - 'name': 'protein phosphorylation involved in DNA double-strand break processing', - 'def': 'Any protein phosphorylation that is required for DNA double-strand break processing. [GO_REF:0000060, GOC:rb, GOC:TermGenie, PMID:21841787]' - }, - 'GO:1990803': { - 'name': 'protein phosphorylation involved in protein localization to spindle microtubule', - 'def': 'Any protein phosphorylation process involved in localizing a protein to the spindle microtubule. [GO_REF:0000060, GOC:rb, GOC:TermGenie, PMID:22521784]' - }, - 'GO:1990804': { - 'name': 'protein phosphorylation involved in double-strand break repair via nonhomologous end joining', - 'def': 'Any protein phosphorylation process that is required for double-strand break repair via nonhomologous end joining. [GO_REF:0000060, GOC:rb, GOC:TermGenie, PMID:22563681]' - }, - 'GO:1990805': { - 'name': 'central cylinder', - 'def': 'A scaffolding structure present within the inner region of the ciliary transition zone. The central cylinder lies between the outer doublet and inner singlet microtubules. [GOC:kmv, PMID:2428682, PMID:26124290]' - }, - 'GO:1990806': { - 'name': 'obsolete ligand-gated ion channel signaling pathway', - 'def': 'OBSOLETE. A series of molecular signals initiated by activation of a ligand-gated ion channel on the surface of a cell. The pathway begins with binding of an extracellular ligand to a ligand-gated ion channel and ends with a molecular function that directly regulates a downstream cellular process, e.g. transcription. [GOC:bhm, PMID:25869137]' - }, - 'GO:1990807': { - 'name': 'obsolete protein N-acetyltransferase activity', - 'def': 'OBSOLETE. Catalysis of the transfer of an acetyl group to a nitrogen atom on the amino acid of a protein. [GOC:dph]' - }, - 'GO:1990808': { - 'name': 'F-bar domain binding', - 'def': 'Interacting selectively and non-covalently with an F-BAR domain of a protein, a domain of about 60 residues that occurs in a wide range of cytoskeletal proteins. [PMID:20603077]' - }, - 'GO:1990809': { - 'name': 'endoplasmic reticulum tubular network membrane organization', - 'def': 'A process that is carried out at the cellular level which results in the assembly, arrangement of constituent parts, or disassembly of the endoplasmic reticulum (ER) tubular network membrane. [PMID:20434336]' - }, - 'GO:1990810': { - 'name': 'microtubule anchoring at mitotic spindle pole body', - 'def': 'Any process in which a microtubule is maintained in a specific location in a cell by attachment to a mitotic spindle pole body. Microtubules attach to spindle pole bodies at the minus end. [PMID:17486116]' - }, - 'GO:1990811': { - 'name': 'Msd1-Wdr8-Pkl1 complex', - 'def': 'A protein ternary complex that anchors microtubule minus ends to mitotic spindle pole bodies. The founding complex contains a microtubule anchoring protein (Msd1 in fission yeast), A WD-repeat Wdr8 family protein and and a minus end-directed kinesin. [PMID:25987607]' - }, - 'GO:1990812': { - 'name': 'growth cone filopodium', - 'def': 'A thin, stiff protrusion extended by the leading edge of an axonal or dendritic growth cone. [PMID:25598228]' - }, - 'GO:1990813': { - 'name': 'meiotic centromeric cohesion protection', - 'def': 'The process in which the association between sister chromatids of a replicated chromosome centromeric region is maintained during homologous chromosome segregation after cohesin is cleaved by separase along the arm regions. [PMID:14730319, PMID:25533956]' - }, - 'GO:1990814': { - 'name': 'DNA/DNA annealing activity', - 'def': 'A nucleic acid binding activity that brings together complementary sequences of ssDNA so that they pair by hydrogen bonds to form a double-stranded DNA. [PMID:25520186]' - }, - 'GO:1990815': { - 'name': 'obsolete regulation of protein localization to cell division site after cytokinesis', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of protein localization to cell division site involved in cell separation after cytokinesis. [PMID:25411334]' - }, - 'GO:1990816': { - 'name': 'vacuole-mitochondrion membrane contact site', - 'def': 'A zone of apposition between the vacuolar membrane and the mitochondrial outer membrane, important for transfer of lipids between the two organelles. [PMID:25026035, PMID:25026036]' - }, - 'GO:1990817': { - 'name': 'RNA adenylyltransferase activity', - 'def': "Catalysis of the template-independent extension of the 3'- end of an RNA strand by addition of one adenosine molecule at a time. Cannot initiate a chain 'de novo'. The primer, depending on the source of the enzyme, may be an RNA, or oligo(A) bearing a 3'-OH terminal group. [GOC:vw]" - }, - 'GO:1990818': { - 'name': 'L-arginine transmembrane export from vacuole', - 'def': 'The directed movement of L-arginine out of the vacuole, across the vacuolar membrane. [PMID:26083598]' - }, - 'GO:1990819': { - 'name': 'actin fusion focus', - 'def': 'A focus at the mating projection tip where the cell wall is degraded during conjugation with cellular fusion. Actin filaments form an aster-like structure from this location. [PMID:25825517]' - }, - 'GO:1990820': { - 'name': 'response to mitotic DNA integrity checkpoint signaling', - 'def': 'A process that occurs in response to signals generated as a result of mitotic DNA integrity checkpoint signaling. [PMID:7548844]' - }, - 'GO:1990821': { - 'name': 'high affinity glucose import', - 'def': 'The directed, high-affinity movement of glucose into a cell by means of some agent such as a transporter or pore. In high-affinity transport the transporter is able to bind the solute even if it is only present at very low concentrations. [PMID:25411338]' - }, - 'GO:1990822': { - 'name': 'basic amino acid transmembrane transport', - 'def': 'The directed movement of basic amino acids from one side of a membrane to the other. [GOC:dph, GOC:vw]' - }, - 'GO:1990823': { - 'name': 'response to leukemia inhibitory factor', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leukemia inhibitory factor stimulus. [PMID:12801913]' - }, - 'GO:1990824': { - 'name': 'obsolete magnesium-dependent protein complex', - 'def': 'OBSOLETE. A protein complex that depends on magnesium in order for one or more of its components to remain a part of the complex. [PMID:10220587]' - }, - 'GO:1990825': { - 'name': 'sequence-specific mRNA binding', - 'def': 'Interacting selectively and non-covalently with messenger RNA (mRNA) of a specific nucleotide composition or a specific sequence motif. [PMID:11886857]' - }, - 'GO:1990826': { - 'name': 'nucleoplasmic periphery of the nuclear pore complex', - 'def': 'Nucleoplasm situated in close proximity and peripheral to a nuclear pore complex. [PMID:10633080]' - }, - 'GO:1990827': { - 'name': 'deaminase binding', - 'def': 'Interacting selectively and non-covalently with an enzyme that catalyzes the removal of an amino group from a substrate, producing ammonia (NH3). [PMID:9792439]' - }, - 'GO:1990828': { - 'name': 'hepatocyte dedifferentiation', - 'def': "The process in which a hepatocyte (specialized epithelial cell of the liver) loses the structural or functional features that characterize it in the mature organism, or some other relatively stable phase of the organism's life history. Under certain conditions, these cells can revert back to the features of the stem cells that were their ancestors. [PMID:20102719]" - }, - 'GO:1990829': { - 'name': 'C-rich single-stranded DNA binding', - 'def': 'Interacting selectively and non-covalently with C-rich, single-stranded DNA. [PMID:8127654]' - }, - 'GO:1990830': { - 'name': 'cellular response to leukemia inhibitory factor', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a leukemia inhibitory factor stimulus. [PMID:12801913]' - }, - 'GO:1990831': { - 'name': 'cellular response to carcinoembryonic antigen', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a carcinoembryonic antigen stimulus. The carcinoembryonic antigens represent a family of glycoproteins [PMID:10202129, PMID:14597422]' - }, - 'GO:1990832': { - 'name': 'slow axonal transport', - 'def': 'The directed slow movement of non-membranous molecules in nerve cell axons. It is comprised of a \\slow component a\\ (SCa) and a \\slow component b\\ (SCb) which differ in transport rates and protein composition. [PMID:6378920]' - }, - 'GO:1990833': { - 'name': 'clathrin-uncoating ATPase activity', - 'def': 'Catalysis of the reaction: ATP + H2O = ADP + phosphate. Catalysis of the removal of clathrin from vesicle membranes, coupled to the hydrolysis of ATP. [PMID:6146630, PMID:8363588]' - }, - 'GO:1990834': { - 'name': 'response to odorant', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an odorant stimulus. An odorant is any substance capable of stimulating the sense of smell. [PMID:11268007]' - }, - 'GO:1990835': { - 'name': 'obsolete insulin-like growth factor production', - 'def': 'OBSOLETE. The appearance of an insulin-like growth factor due to biosynthesis or secretion following a cellular stimulus, resulting in an increase in its intracellular or extracellular levels. [PMID:21993393]' - }, - 'GO:1990836': { - 'name': 'lysosomal matrix', - 'def': 'A matrix composed of supramolecular assemblies of lysosomal enzymes and lipids which forms at a pH of 5.0 within the lysosome. [PMID:9395337]' - }, - 'GO:1990837': { - 'name': 'sequence-specific double-stranded DNA binding', - 'def': 'Interacting selectively and non-covalently with double-stranded DNA of a specific nucleotide composition, e.g. GC-rich DNA binding, or with a specific sequence motif or type of DNA, e.g. promotor binding or rDNA binding. [GOC:dos, GOC:sl]' - }, - 'GO:1990838': { - 'name': "poly(U)-specific exoribonuclease activity, producing 3' uridine cyclic phosphate ends", - 'def': "Catalysis of 3' exonucleolytic cleavage of poly(U), to form poly(U)-N containing a 3' uridine cyclic phosphate (U>P). [PMID:23022480]" - }, - 'GO:1990839': { - 'name': 'response to endothelin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an endothelin stimulus. Endothelin is any of three secretory vasoconstrictive peptides (endothelin-1, -2, -3). [PMID:16365184]' - }, - 'GO:1990840': { - 'name': 'response to lectin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lectin stimulus. A lectin is a carbohydrate-binding protein, highly specific for binding sugar moieties. [PMID:25996210, PMID:26306444]' - }, - 'GO:1990841': { - 'name': 'promoter-specific chromatin binding', - 'def': 'Interacting selectively and non-covalently with a section of chromatin that is associated with gene promoter sequences of DNA. [PMID:19948729]' - }, - 'GO:1990842': { - 'name': 'obsolete response to prenatal stress', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a disturbance in organismal or cellular homeostasis in the embryo or fetus during pregnancy. [PMID:22738222]' - }, - 'GO:1990843': { - 'name': 'subsarcolemmal mitochondrion', - 'def': 'A mitochondrion that occurs adjacent to the sarcolemma in striated muscle cells and responds in distinct ways to physiological triggers. [PMID:23297307, PMID:26039174]' - }, - 'GO:1990844': { - 'name': 'interfibrillar mitochondrion', - 'def': 'A mitochondrion that occurs in between fibrils of striated muscle cells and responds in distinct ways to physiological triggers. [PMID:23297307, PMID:26039174]' - }, - 'GO:1990845': { - 'name': 'adaptive thermogenesis', - 'def': 'The regulated production of heat in response to short term environmental changes, such as stress, diet or reduced temperature. [PMID:17260010, PMID:20363363]' - }, - 'GO:1990846': { - 'name': 'ribonucleoside-diphosphate reductase inhibitor activity', - 'def': 'Binds to and stops, prevents or reduces the activity of ribonucleoside-diphosphate reductase. [PMID:16317005]' - }, - 'GO:1990847': { - 'name': 'peptide pheromone transmembrane export involved in conjugation with cellular fusion', - 'def': 'The directed movement of a peptide pheromone across a membrane and out of a cell by a secretion or export pathway used solely for the export of peptide pheromones that contributes to a conjugation process that results in the union of cellular and genetic information from compatible mating types. [PMID:9236781]' - }, - 'GO:1990848': { - 'name': 'obsolete Positive regulation of removal of reactive oxygen species', - 'def': 'OBSOLETE. Any process that increases the frequency, rate or extent of removal of reactive oxygen species in a cell. [PMID:24118096]' - }, - 'GO:1990849': { - 'name': 'maintenance of vacuolar location', - 'def': 'Any process in which the vacuole is maintained in a specific location within a cell and prevented from moving elsewhere. [PMID:26283797]' - }, - 'GO:1990850': { - 'name': 'H-gal-GP complex', - 'def': 'A membrane glycoprotein complex with aspartyl proteinase and metalloproteinase activity which is expressed in the gut. An example of this is found in the nematode Haemonchus contortus. [PMID:11166393]' - }, - 'GO:1990851': { - 'name': 'Wnt-Frizzled-LRP5/6 complex', - 'def': 'A protein complex containing a secreted Wnt protein associated with its receptor, Frizzled (Fz), and co-receptor low density lipoprotein receptor-related protein 5 (LRP5) or LRP6. [GOC:bf, GOC:PARL, PMID:11448771, PMID:20093360]' - }, - 'GO:1990852': { - 'name': 'protein transport along microtubule to spindle pole body', - 'def': 'The directed movement of a protein along a microtubule to the spindle pole body, mediated by motor proteins. [PMID:25987607]' - }, - 'GO:1990853': { - 'name': 'histone H2A SQE motif phosphorylation', - 'def': 'The modification of histone H2A by the addition of an phosphate group to the serine residue in the SQE motif of the histone. [DOI:10.1038/35052000, PMID:15226425]' - }, - 'GO:1990854': { - 'name': 'vacuole-ER tethering', - 'def': 'The attachment of a lytic vacuole to the endoplasmic reticulum, which may facilitate exchange of metabolites between the organelles. [PMID:26283797]' - }, - 'GO:1990855': { - 'name': 'obsolete myo-inositol import across plasma membrane', - 'def': 'OBSOLETE. The directed movement of myo-inositol from outside of a cell into the intracellular region of a cell across the plasma membrane. [PMID:9560432]' - }, - 'GO:1990856': { - 'name': 'methionyl-initiator methionine tRNA binding', - 'def': 'Interacting selectively and non-covalently with methionine-initator methionine tRNA. [GOC:hjd, ISBN:9781555810733]' - }, - 'GO:1990857': { - 'name': 'obsolete APC-Fzr1/Mfr1 complex', - 'def': 'OBSOLETE. An anaphase promoting complex bound to an activator in the Fzr1 (human)/Mfr1 (pombe) family. [PMID:11493649]' - }, - 'GO:1990858': { - 'name': 'cellular response to lectin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a lectin stimulus. A lectin is a carbohydrate-binding protein, highly specific for binding sugar moieties. [PMID:25996210, PMID:26306444]' - }, - 'GO:1990859': { - 'name': 'cellular response to endothelin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an endothelin stimulus. Endothelin is any of three secretory vasoconstrictive peptides (endothelin-1, -2, -3). [PMID:16365184]' - }, - 'GO:1990860': { - 'name': 'Pho85-Pho80 CDK-cyclin complex', - 'def': 'A cyclin dependent kinase (CDK) complex that contains a kinase subunit and a regulatory cyclin subunit. An example of this complex in budding yeast S. cerevisiae consists of the Pho85 kinase and the Pho80 cyclin. [GOC:rb, PMID:8108735]' - }, - 'GO:1990861': { - 'name': 'Ubp3-Bre5 deubiquitination complex', - 'def': 'A protein complex that cleaves ubiquitin from specific substrates. In the budding yeast Saccharomyces cerevisiae, this complex consists of Ubp3p and Bre5p. [GOC:rb, PMID:12778054, PMID:18391941]' - }, - 'GO:1990862': { - 'name': 'nuclear membrane complex Bqt3-Bqt4', - 'def': 'A protein complex that resides in the inner nuclear membrane and anchors telomeres to the nuclear envelope. In fission yeast, it is composed of Bqt3 and Bqt4. [PMID:19948484]' - }, - 'GO:1990863': { - 'name': 'acinar cell proliferation', - 'def': 'The multiplication or reproduction of acinar cells, resulting in the expansion of a cell population. An acinar cell is a secretory cell that is grouped together with other cells of the same type to form grape-shaped clusters known as acini (singular acinus). [PMID:9788538]' - }, - 'GO:1990864': { - 'name': 'response to growth hormone-releasing hormone', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a growth hormone-releasing hormone stimulus. Growth hormone-releasing hormone regulates the release of growth hormone, as well as some pancreatic proteins, and possibly other proteins. [PMID:7720628]' - }, - 'GO:1990865': { - 'name': 'obsolete response to intermittent hypoxia', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of an episodic stimulus indicating lowered oxygen tension. [PMID:24055447]' - }, - 'GO:1990866': { - 'name': 'obsolete response to sustained hypoxia', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a sustained stimulus indicating lowered oxygen tension. [PMID:24055447]' - }, - 'GO:1990867': { - 'name': 'response to gastrin', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gastrin stimulus. [PMID:10348814]' - }, - 'GO:1990868': { - 'name': 'response to chemokine', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chemokine stimulus. [PMID:11113082]' - }, - 'GO:1990869': { - 'name': 'cellular response to chemokine', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a chemokine stimulus. [PMID:11113082]' - }, - 'GO:1990870': { - 'name': 'obsolete protein fibril', - 'def': 'OBSOLETE. A polymer of proteins that form a fine fiber. [PMID:12764608]' - }, - 'GO:1990871': { - 'name': 'Vma12-Vma22 assembly complex', - 'def': 'A protein complex that is involved in the assembly of the V-ATPase complex. In the budding yeast Saccharomyces cerevisiae, this complex consists of Vma12p and Vma22p. [GOC:rb, PMID:9660861]' - }, - 'GO:1990872': { - 'name': 'negative regulation of sterol import by negative regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that decreases the frequency, rate or extent of sterol import, by down regulation of transcription from an RNA polymerase II promoter. [GOC:rb, PMID:19793923]' - }, - 'GO:1990873': { - 'name': 'intrinsic component of plasma membrane of cell tip', - 'def': 'The component of the plasma membrane surrounding the cell tip consisting of the gene products and protein complexes having either part of their peptide sequence embedded in the hydrophobic region of the plasma membrane surrounding the cell tip or some other covalently attached group such as a GPI anchor that is similarly embedded in the plasma membrane surrounding the cell tip. [PMID:20624220]' - }, - 'GO:1990874': { - 'name': 'vascular smooth muscle cell proliferation', - 'def': 'The multiplication or reproduction of vascular smooth muscle cells, resulting in the expansion of a cell population. A vascular smooth muscle cell is a non-striated, elongated, spindle-shaped cell found lining the blood vessels. [PMID:23246467]' - }, - 'GO:1990875': { - 'name': 'nucleoplasmic side of nuclear pore', - 'def': 'The side of the nuclear pore complex (NPC) that faces the nucleoplasm. [PMID:8422679]' - }, - 'GO:1990876': { - 'name': 'cytoplasmic side of nuclear pore', - 'def': 'The side of the nuclear pore complex (NPC) that faces the cytoplasm. [PMID:8422679]' - }, - 'GO:1990877': { - 'name': 'Lst4-Lst7 complex', - 'def': 'A heterodimeric complex that functions as a GTPase-Activating Protein (GAP) Complex for members of the Rag family of GTPases. In the budding yeast, this complex contains Lst4 and Lst7, while the orthologous mammalian complex contains Follicular (FLCN) and either follicular interaction protein 1 (FNIP1) or FNIP2. [GOC:rn, PMID:24095279, PMID:26387955]' - }, - 'GO:1990878': { - 'name': 'cellular response to gastrin', - 'def': 'Any process that results in a change in state or activity of a cell (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a gastrin stimulus. [PMID:10348814]' - }, - 'GO:1990879': { - 'name': 'CST complex', - 'def': 'A complex formed by the association of Cdc13 (CTC1 in mammals) with Stn1 in yeast (OBFC1 in mammals) and Ten1 protein (also TEN1 in mammals) with single-stranded telomeric DNA. The CST complex plays a role in telomere protection. [GOC:BHF, GOC:BHF_telomere, GOC:nc, IntAct:EBI-10043724, IntAct:EBI-8801830, IntAct:EBI-8801947, PMID:19854130, PMID:22965356]' - }, - 'GO:1990880': { - 'name': 'cellular detoxification of copper ion', - 'def': 'Any process that reduces or removes the toxicity of copper ions in a cell. These include transport of copper cations away from sensitive areas and to compartments or complexes whose purpose is sequestration. [PMID:10369673]' - }, - 'GO:1990881': { - 'name': 'obsolete negative regulation of transcription from RNA polymerase II promoter in response to DNA damage', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of transcription from an RNA polymerase II promoter as a result of DNA damage. [PMID:26150418]' - }, - 'GO:1990882': { - 'name': 'rRNA acetylation', - 'def': 'The modification of rRNA structure by addition of an acetyl group to rRNA. An acetyl group is CH3CO-, derived from acetic [ethanoic] acid. [PMID:25402480]' - }, - 'GO:1990883': { - 'name': 'rRNA cytidine N-acetyltransferase activity', - 'def': 'Catalysis of the reaction: acetyl-CoA + cytidine = CoA + N4-acetylcytidine. The cytidine is within the polynucleotide chain of an rRNA. [PMID:25402480]' - }, - 'GO:1990884': { - 'name': 'RNA acetylation', - 'def': 'The posttranscriptional addition of one or more acetyl groups to specific residues in an RNA molecule. [PMID:25402480]' - }, - 'GO:1990885': { - 'name': 'obsolete protein serine/threonine kinase binding', - 'def': 'OBSOLETE. Interacting selectively and non-covalently with a protein serine/threonine kinase. [PMID:16982699]' - }, - 'GO:1990886': { - 'name': '3,4-dihydroxy-5-polyprenylbenzoic acid O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 3,4-dihydroxy-5-polyprenylbenzoic acid + S-adenosyl-L-methionine = 3-methoxy-4-hydroxy-5-polyprenylbenzoic acid + S-adenosyl-L-homocysteine + H+. [EC:2.1.1.114, PMID:10419476, RHEA:44455]' - }, - 'GO:1990887': { - 'name': '2-polyprenyl-3-methyl-5-hydroxy-6-methoxy-1,4-benzoquinol O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-polyprenyl-3-methyl-5-hydroxy-6-methoxy-1,4-benzoquinol + S-adenosyl-L-methionine = ubiquinol-n + S-adenosyl-L-homocysteine + H+. [PMID:10419476]' - }, - 'GO:1990888': { - 'name': '2-polyprenyl-6-hydroxyphenol O-methyltransferase activity', - 'def': 'Catalysis of the reaction: 2-polyprenyl-6-hydroxyphenol + S-adenosyl-L-methionine = 2-polyprenyl-6-methoxyphenol + S-adenosyl-L-homocysteine + H+. [PMID:10419476]' - }, - 'GO:1990889': { - 'name': 'H4K20me3 modified histone binding', - 'def': 'Interacting selectively and non-covalently with a histone H4 in which the lysine residue at position 20 has been modified by trimethylation. [PMID:22150589]' - }, - 'GO:1990890': { - 'name': 'netrin receptor binding', - 'def': 'Interacting selectively and non-covalently with a netrin receptor. [PMID:8861902, PMID:9126742]' - }, - 'GO:1990891': { - 'name': 'mitotic sister chromatid arm separation', - 'def': 'The cell cycle process in which sister chromatid arms are physically detached from each other during mitosis. [PMID:21633354]' - }, - 'GO:1990892': { - 'name': 'mitotic chromosome arm chromatin condensation', - 'def': 'The cell cycle process in which chromosome arm chromatin structure is compacted prior to and during mitosis in eukaryotic cells. [PMID:21633354]' - }, - 'GO:1990893': { - 'name': 'mitotic chromosome centromere condensation', - 'def': 'The cell cycle process in which centromere chromatin structure is compacted prior to and during mitosis. [PMID:21633354]' - }, - 'GO:1990894': { - 'name': 'obsolete positive regulation of induction of conjugation with cellular fusion by regulation of transcription from RNA polymerase II promoter', - 'def': 'OBSOLETE. A regulation of transcription from RNA polymerase II promoter that results in positive regulation of induction of conjugation with cellular fusion. [PMID:22144909]' - }, - 'GO:1990895': { - 'name': 'regulation of protein localization to cell cortex of cell tip', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to cell cortex of cell tip. [PMID:26150232\\,GOC\\:vw]' - }, - 'GO:1990896': { - 'name': 'protein localization to cell cortex of cell tip', - 'def': 'A process in which a protein is transported to, or maintained in, the cell cortex of the cell tip. [PMID:26150232]' - }, - 'GO:1990897': { - 'name': 'obsolete CTDK-1 complex', - 'def': 'OBSOLETE. A protein complex that phosphorylates serine 2 residues in the CTD domain of productively elongating large subunits of DNA-directed RNA polymerase II, holoenzyme. In S. cerevisiae this complex consists of CTK1/CTK2/CTK3, in S. pombe Lsk1/Lsc1/Lsg1. Human CTK1 homologs include CDK12/13. [PMID:20952539, PMID:24879308]' - }, - 'GO:1990898': { - 'name': 'meiotic DNA double-strand break clipping', - 'def': "The process by which SPO11/Rec12-oligonucleotide complexes are removed from 5' DNA double-strand breaks induced during meiosis. Proteins involved in this process include the MRX/MRN complex and Sae2/Ctp1/RBBP8(CtIP). [PMID:26130711]" - }, - 'GO:1990899': { - 'name': 'meiotic DNA double-strand break resectioning', - 'def': "The process following clipping in double-strand break processing of SPO11 induced breaks, where long-tract single-stranded 3'-end DNA is generated from naked (SPO11 has been removed) 5' ends. [PMID:26130711]" - }, - 'GO:1990900': { - 'name': 'ciliary pocket collar', - 'def': 'A constriction site at the junction of the plasma, flagellar and flagellar pocket membranes where the flagellum emerges from the cell body. Observed in some unicellular eukaryotic species such as Chlamydomonas, Giardia and Trypanosoma. [GOC:giardia, PMID:18462016, PMID:19806154]' - }, - 'GO:1990901': { - 'name': 'old cell pole', - 'def': 'The cell pole distal from the most recent cell division. [GOC:jh2, PMID:10231492, PMID:8226658]' - }, - 'GO:1990902': { - 'name': 'new cell pole', - 'def': 'The cell pole proximal to the most recent cell division. [GOC:jh2, PMID:10231492, PMID:8226658]' - }, - 'GO:1990903': { - 'name': 'extracellular ribonucleoprotein complex', - 'def': 'An extracellular macromolecular complex containing both protein and RNA molecules. [GOC:vesicles]' - }, - 'GO:1990904': { - 'name': 'ribonucleoprotein complex', - 'def': 'A macromolecular complex containing both protein and RNA molecules. [GOC:vesicles]' - }, - 'GO:1990905': { - 'name': 'dinoflagellate peduncle', - 'def': 'A small, flexible, finger-like appendage located near the flagellar pores in some photosynthetic as well as nonphotosynthetic dinoflagellate species. Its functions are not fully understood, but it has been associated with feeding behavior (phagotrophy). [GOC:at, http://en.wikipedia.org/wiki/Dinoflagellate, http://species-identification.org/index.php]' - }, - 'GO:1990906': { - 'name': 'accessory outer segment', - 'def': 'A cilium-like cell projection emanating from the inner segment and running alongside the outer segment of photoreceptors. [GOC:dph, PMID:25125189]' - }, - 'GO:1990907': { - 'name': 'beta-catenin-TCF complex', - 'def': 'A protein complex that contains beta-catenin and a member of the T-cell factor (TCF)/lymphoid enhancer binding factor (LEF) family of transcription factors. [GOC:bf, GOC:PARL, IntAct:EBI-11424678, IntAct:EBI-11425837, PMID:11751639, PMID:16936075, PMID:20123964, PMID:21075118, PMID:9419974]' - }, - 'GO:1990908': { - 'name': 'obsolete Lys63-specific zinc metallopeptidase deubiquitinase activity', - 'def': 'OBSOLETE. Hydrolysis of Lys63-Linked ubiquitin unit(s) from a ubiquitinated protein by a mechanism where zinc acts as the nucleophile. [PMID:26368668]' - }, - 'GO:1990909': { - 'name': 'Wnt signalosome', - 'def': 'A multiprotein protein complex containing membrane-localized Wnt receptors and cytosolic protein complexes, which is capable of transmitting the Wnt signal. Contains at least a Wnt protein, LRP5 or LRP6, a member of the Frizzled (Fz) family, Axin and and a Dishevelled (DVL) protein. [GOC:bf, GOC:PARL, PMID:22899650, PMID:25336320]' - }, - 'GO:1990910': { - 'name': 'response to hypobaric hypoxia', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a stimulus indicating lowered oxygen tension combined with low atmospheric pressure. Hypoxia is defined as a decline in O2 levels below normoxic levels of 20.8 - 20.95% and hypobaric is defined as atmospheric pressure below 0.74 atm (greater than 2,500 m above sea level). [PMID:24590457]' - }, - 'GO:1990911': { - 'name': 'response to psychosocial stress', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of exposure to aversive or demanding psychological and social conditions that tax or exceed the behavioral resources of the organism. [PMID:22922217, PMID:26458179]' - }, - 'GO:1990912': { - 'name': 'obsolete response to microwave radiation', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a microwave radiation stimulus. [PMID:21241601]' - }, - 'GO:1990913': { - 'name': 'sperm head plasma membrane', - 'def': 'The plasma membrane that is part of the head section of a sperm cell. [PMID:24478030]' - }, - 'GO:1990914': { - 'name': 'integral component of periplasmic side of plasma membrane', - 'def': 'The component of the plasma membrane consisting of the gene products that penetrate only the periplasmic side of the membrane. [GOC:bhm, IntAct:EBI-11297444, PMID:15919996]' - }, - 'GO:1990915': { - 'name': 'structural constituent of ascospore wall', - 'def': 'The action of a molecule that contributes to the structural integrity of an ascospore wall. [PMID:24623719]' - }, - 'GO:1990916': { - 'name': 'Isp3 layer of spore wall', - 'def': 'The outermost layers of the spore wall, as described in Schizosaccharomyces pombe. [PMID:24623719]' - }, - 'GO:1990917': { - 'name': 'ooplasm', - 'def': 'The cytoplasm of an ovum. [PMID:19022436]' - }, - 'GO:1990918': { - 'name': 'double-strand break repair involved in meiotic recombination', - 'def': 'The repair of double-strand breaks in DNA via homologous and nonhomologous mechanisms to reform a continuous DNA helix that contributes to reciprocal meiotic recombination. [GOC:mah, PMID:15238514]' - }, - 'GO:1990919': { - 'name': 'nuclear membrane proteasome anchor', - 'def': 'Interacting selectively and non-covalently with a proteasome complex and a nuclear inner membrane, in order to maintain the nuclear membrane localization of the proteasome. [PMID:16096059]' - }, - 'GO:1990920': { - 'name': 'proteasome localization to nuclear periphery', - 'def': 'Any process in which the proteasome is transported to, or maintained at the nuclear periphery. [PMID:11084332]' - }, - 'GO:1990921': { - 'name': 'obsolete proteasome localization to nuclear periphery', - 'def': 'OBSOLETE. A process in which a proteasome is transported to, or maintained in, a location within the nuclear periphery. [PMID:16096059]' - }, - 'GO:1990922': { - 'name': 'hepatic stellate cell proliferation', - 'def': 'The multiplication or reproduction of hepatic stellate cells, resulting in the expansion of a hepatic stellate cell population. Hepatic stellate cells are found in the perisinusoidal space of the liver, and are capable of multiple roles including storage of retinol, presentation of antigen to T cells (including CD1d-restricted NKT cells), and upon activation, production of extracellular matrix components. This cell type comprises approximately 8-15% of total cells in the liver. [GOC:sl, PMID:15358192, PMID:18466260]' - }, - 'GO:1990923': { - 'name': 'PET complex', - 'def': 'A protein complex that is composed of at least EXD1, TDRD12 and some PIWI protein. The complex is required for MILI slicing-triggered biogenesis and loading of MIWI2 piRNAs [PMID:26669262]' - }, - 'GO:1990924': { - 'name': 'obsolete amphisome membrane', - 'def': 'OBSOLETE. The lipid bilayer surrounding the amphisome and separating its contents from the cell cytoplasm. [GOC:bhm, PMID:17984323]' - }, - 'GO:1990925': { - 'name': 'mitochondrial iron ion transmembrane transport', - 'def': 'The directed movement of iron ions from one side of a membrane into, out of or within a mitochondrion. [PMID:12902335]' - }, - 'GO:1990926': { - 'name': 'short-term synaptic potentiation', - 'def': 'The process by which synaptic transmission, induced by the arrival of a spike (action potential) at a synapse, acts to increase the amount of neurotransmitter released in response to the arrival of subsequent spikes. This effect is seen when a train of closely space spikes arrives at a synapse with a low initial release probability. It occurs in a timeframe of tens to hundreds of milliseconds. [GOC:dos, GOC:sp, ISBN:9780071120005, PMID:11826273, PMID:26738595]' - }, - 'GO:1990927': { - 'name': 'calcium ion regulated lysosome exocytosis', - 'def': 'The process of secretion by a cell that results in the release of intracellular molecules contained within a lysosome by fusion of the vesicle with the plasma membrane of a cell, induced by a rise in cytosolic calcium-ion levels. [PMID:10725327, PMID:11511344]' - }, - 'GO:1990928': { - 'name': 'response to amino acid starvation', - 'def': 'Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of deprivation of amino acids. [PMID:7765311]' - }, - 'GO:1990929': { - 'name': 'sulfoquinovosidase activity', - 'def': 'Catalyzes the hydrolysis of terminal non-reducing alpha-sulfoquinovoside residues in alpha-sulfoquinovosyl diacylglycerides and alpha-sulfoquinovosyl glycerol, generating alpha-sulfoquinovose. [GOC:imk, PMID:26878550]' - }, - 'GO:1990930': { - 'name': 'RNA N1-methyladenosine dioxygenase activity', - 'def': 'Catalysis of the oxidative demethylation of N1-methyladenosine RNA, with concomitant decarboxylation of 2-oxoglutarate and releases oxidized methyl group on N1-methyladenosine as formaldehyde. [PMID:26863196, PMID:26863410]' - }, - 'GO:1990931': { - 'name': 'RNA N6-methyladenosine dioxygenase activity', - 'def': 'Catalysis of the oxidative demethylation of N6-methyladenosine RNA, with concomitant decarboxylation of 2-oxoglutarate and releases oxidized methyl group on N6-methyladenosine as formaldehyde. [PMID:22002720, PMID:26458103]' - }, - 'GO:1990932': { - 'name': '5.8S rRNA binding', - 'def': 'Interacting selectively and non-covalently with 5.8S ribosomal RNA, a eukaryotic ribosomal RNA which forms a complex with 28S RNA. [PMID:11716358, PMID:15527424]' - }, - 'GO:1990933': { - 'name': 'microtubule cytoskeleton attachment to nuclear envelope', - 'def': 'A process in which the microtubule cytoskeleton is attached to the nuclear envelope. [PMID:14655046, PMID:20507227]' - }, - 'GO:1990934': { - 'name': 'nucleolus-like body', - 'def': 'A nuclear compartment containing significant amounts of non-nucleolar, spliceosomal components. It is commonly found in germinal vesicle (GV) stage oocytes, and is similar to both nucleoli and sphere organelles. [PMID:26226217, PMID:9021878]' - }, - 'GO:1990935': { - 'name': 'splicing factor binding', - 'def': 'Interacting selectively and non-covalently with any protein involved in the process of removing sections of the primary RNA transcript to form the mature form of the RNA. [PMID:11118435]' - }, - 'GO:1990936': { - 'name': 'vascular smooth muscle cell dedifferentiation', - 'def': "The process in which a vascular smooth muscle cell (a non-striated, elongated, spindle-shaped cell found lining the blood vessels) loses the structural or functional features that characterize it in the mature organism, or some other relatively stable phase of the organism's life history. Under certain conditions, these cells can revert back to the features of the stem cells that were their ancestors. [GOC:BHF, GOC:BHF_miRNA, GOC:rph, PMID:19088079]" - }, - 'GO:1990937': { - 'name': 'xylan acetylation', - 'def': 'The addition of one or more acetyl groups to a xylan molecule. [PMID:26745802]' - }, - 'GO:1990938': { - 'name': 'peptidyl-aspartic acid autophosphorylation', - 'def': 'The phosphorylation by a protein of one or more of its own aspartate amino acid residues, or an aspartate residue on an identical protein. [GOC:bf, GOC:PARL, PMID:26134396]' - }, - 'GO:1990939': { - 'name': 'ATP-dependent microtubule motor activity', - 'def': 'Catalysis of movement along a microtubule, coupled to the hydrolysis of ATP. [PMID:19686686]' - }, - 'GO:1990940': { - 'name': 'obsolete microtubule sliding involved in mitotic spindle elongation', - 'def': 'OBSOLETE. The movement of one microtubule along another microtubule involved in mitotic spindle elongation. [PMID:19686686]' - }, - 'GO:1990941': { - 'name': 'mitotic spindle kinetochore microtubule', - 'def': 'Any of the mitotic spindle microtubules that attach to the kinetochores of chromosomes by their plus ends, and maneuver the chromosomes during mitotic chromosome segregation. [PMID:18256284]' - }, - 'GO:1990942': { - 'name': 'mitotic metaphase chromosome recapture', - 'def': "A mechanism to recapture 'lost' chromosomes (chromosomes which have become detached from the spindle) during metaphase of mitotic chromosome segregation. Chromosomes with unattached kinetochores are migrated along (non polar) spindle microtubules to the mitotic spindle pole body by a combination of microtubule depolymerisation and 'kinetochore sliding' (migration of the chromosome along the microtubule). The chromosome subsequently migrates along the polar spindle microtubule to the metaphase plate. [PMID:18256284]" - }, - 'GO:1990943': { - 'name': 'mating type region replication fork barrier binding', - 'def': 'Interacting selectively and non-covalently with the replication fork barrier found in the mating type region of fission yeast. [PMID:18723894]' - }, - 'GO:1990944': { - 'name': 'maintenance of spindle pole body localization', - 'def': 'Any process in which a spindle pole body is maintained in a specific location. A spindle pole body is a type of microtubule organizing center found in fungal cells. [PMID:12390246]' - }, - 'GO:1990946': { - 'name': 'meiosis I/meiosis II transition', - 'def': 'The cell cycle process in which a cell progresses from meiosis I to meiosis II. [PMID:21389117]' - }, - 'GO:1990947': { - 'name': 'exit from meiosis', - 'def': 'Any process involved in the progression from anaphase/telophase of meiosis II to the creation of end products of meiosis, in which ploidy is reduced by half. [PMID:21389117]' - }, - 'GO:1990948': { - 'name': 'ubiquitin ligase inhibitor activity', - 'def': 'Stops, prevents or reduces the activity of a ubiquitin ligase. [GOC:dph, GOC:vw, PMID:21389117]' - }, - 'GO:1990949': { - 'name': 'metaphase/anaphase transition of meiosis I', - 'def': 'The cell cycle process in which a cell progresses from metaphase to anaphase as part of meiosis I. [ISBN:0185316194]' - }, - 'GO:1990950': { - 'name': 'metaphase/anaphase transition of meiosis II', - 'def': 'The cell cycle process in which a cell progresses from metaphase to anaphase as part of meiosis II. [ISBN:0185316194]' - }, - 'GO:1990951': { - 'name': 'obsolete manchette assembly', - 'def': 'OBSOLETE. The assembly and organization of the manchette, a tubular array of microtubules, possibly also containing actin filaments, that extends from the perinuclear ring surrounding the spermatid nucleus to the flagellar axoneme. [GOC:krc, PMID:22319670, PMID:24440897, PMID:26792866]' - }, - 'GO:1990952': { - 'name': 'obsolete manchette disassembly', - 'def': 'OBSOLETE. A cellular process that results in the breakdown of a manchette. [GOC:krc, PMID:22319670, PMID:24440897, PMID:26792866]' - }, - 'GO:1990953': { - 'name': 'intramanchette transport', - 'def': 'The movement of vesicles and protein complexes carried out by molecular motors, kinesins and dynein, along the microtubule tracks within the manchette and by myosin along actin filaments. [GOC:krc, PMID:22319670, PMID:24440897, PMID:26792866]' - }, - 'GO:1990954': { - 'name': 'establishment of protein localization to meiotic spindle pole body', - 'def': 'The directed movement of a protein to a specific location at the meiotic spindle pole body. [PMID:20833892]' - }, - 'GO:1990955': { - 'name': 'G-rich single-stranded DNA binding', - 'def': 'Interacting selectively and non-covalently with G-rich, single-stranded DNA. [GOC:hjd, PMID:8493094]' - }, - 'GO:1990956': { - 'name': 'fibroblast chemotaxis', - 'def': 'The directed movement of a fibroblast guided by a specific chemical concentration gradient. Movement may be towards a higher concentration (positive chemotaxis) or towards a lower concentration (negative chemotaxis). [GOC:dph, PMID:8760137]' - }, - 'GO:1990957': { - 'name': 'NPHP complex', - 'def': 'A protein complex that is located at the ciliary transition zone and consists of the NPHP4 and NPHP1 proteins. It acts as an organiser of the transition zone inner structure, specifically the Y-shaped links, in conjunction with the MKS complex. It is involved in ciliary protein trafficking and is required for correct functioning of the WNT and Hippo signaling pathways. [GOC:cilia, PMID:18337471, PMID:21422230, PMID:21498478, PMID:21555462, PMID:25150219]' - }, - 'GO:1990958': { - 'name': 'obsolete response to thyrotropin-releasing hormone', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a thyrotropin-releasing hormone (TRH) stimulus. TRH increases the secretion of thyroid-stimulating hormone by the anterior pituitary. [PMID:21382270]' - }, - 'GO:1990959': { - 'name': 'eosinophil homeostasis', - 'def': 'The process of regulating the proliferation and elimination of eosinophils such that the total number of eosinophils within a whole or part of an organism is stable over time in the absence of an outside stimulus. [PMID:10606160]' - }, - 'GO:1990960': { - 'name': 'basophil homeostasis', - 'def': 'The process of regulating the proliferation and elimination of basophils such that the total number of basophils within a whole or part of an organism is stable over time in the absence of an outside stimulus. [PMID:10606160]' - }, - 'GO:1990961': { - 'name': 'drug transmembrane export', - 'def': 'The directed movement of drugs out of a cell or organelle across a membrane. [PMID:16779700]' - }, - 'GO:1990962': { - 'name': 'drug transport across blood-brain barrier', - 'def': 'The directed movement of drugs passing through the blood-brain barrier. [PMID:25053619]' - }, - 'GO:1990963': { - 'name': 'establishment of blood-retinal barrier', - 'def': 'Establishment of the barrier between the blood and the retina. The blood-retinal barrier is located at two levels, forming an outer barrier in the retinal pigment epithelium and an inner barrier in the endothelial membrane of the retinal vessels. Both these membranes have tight junctions of the \\nonleaky\\ type. [PMID:25053619]' - }, - 'GO:1990964': { - 'name': 'actin cytoskeleton-regulatory complex', - 'def': 'A protein complex probably required for the internalization of endosomes during actin-coupled endocytosis. Links the site of endocytosis to the cell membrane-associated actin cytoskeleton, coordinating ARP2/3 stimulation at the later stages of endocytosis. Present in the late endocytic coat. [GOC:bhm, IntAct:EBI-11710254, PMID:10594004, PMID:11739778]' - }, - 'GO:1990965': { - 'name': 'cytosylglucuronate decarboxylase activity', - 'def': 'Catalysis of the reaction: cytosylglucuronic acid + H(+) = cytosylarabinopyranose + CO(2). [GOC:pr, GOC:tb, PMID:23874663]' - }, - 'GO:1990966': { - 'name': 'ATP generation from poly-ADP-D-ribose', - 'def': 'The process of generating ATP in the nucleus from poly-ADP-D-ribose. Nuclear ATP generation is required for extensive chromatin remodeling events that are energy-consuming. [PMID:27257257]' - }, - 'GO:1990967': { - 'name': 'multi-organism toxin transport', - 'def': 'The directed movement of a toxin into, out of or within a cell, or between cells where two or more organisms of the same or different species are involved. [GOC:bf, GOC:PARL, PMID:18191792, PMID:22042847]' - }, - 'GO:1990968': { - 'name': 'modulation by host of RNA binding by virus', - 'def': 'A process in which a host organism modulates the frequency, rate or extent of a viral gene product binding to RNA. [GOC:bf, GOC:PARL, PMID:25116364]' - }, - 'GO:1990969': { - 'name': 'modulation by host of viral RNA-binding transcription factor activity', - 'def': 'A process in which a host organism modulates the frequency, rate or extent of the activity of a viral RNA-binding transcription factor. [GOC:bf, GOC:PARL, PMID:25116364]' - }, - 'GO:1990970': { - 'name': 'trans-activation response element binding', - 'def': "Interacting selectively and non-covalently with a trans-activation response (TAR) element, a hairpin RNA structure located at the 5' end of all HIV-1 transcripts, and which is required for trans-activation of a viral promoter. [GOC:bf, GOC:PARL, PMID:25116364, Wikipedia:Trans-activation_response_element_(TAR)]" - }, - 'GO:1990971': { - 'name': 'EMILIN complex', - 'def': 'Glycoprotein complex of the C1q/TNF superfamily found in the extracellular matrix (ECM) where it is an important component of the elastic fiber system. A homotrimer that will combine to form supramolecular EMILIN structures. [GOC:bhm, IntAct:EBI-11705777, IntAct:EBI-11740139, IntAct:EBI-11740215, IntAct:EBI-11740275, PMID:10821830]' - }, - 'GO:1990972': { - 'name': 'multimerin complex', - 'def': 'Glycoprotein complex of the C1q/TNF superfamily involved in cell adhesion. A homotrimer that will combine to form supramolecular Multimerin structures. [GOC:bhm, IntAct:EBI-11783711, PMID:9454761]' - }, - 'GO:1990973': { - 'name': 'transmembrane actin-associated (TAN) line', - 'def': 'A linear array of nuclear envelope membrane proteins composed of nesprin-2G and SUN2, which couple the nucleus to moving actin cables, resulting in rearward nuclear transport (away from the leading edge). [GOC:hjd, PMID:21173262]' - }, - 'GO:1990974': { - 'name': 'actin-dependent nuclear migration', - 'def': 'The process whereby the centrosome is held at the cell center while the nucleus moves to the cell rear by actin retrograde flow resulting in the position of the centrosome between the nucleus and the leading edge of the cell. [GOC:hjd, PMID:21173262]' - }, - 'GO:1990975': { - 'name': 'establishment of protein localization to mitotic spindle pole body', - 'def': 'The directed movement of a protein to a specific location at the mitotic spindle pole body. [GOC:dos, PMID:15265986]' - }, - 'GO:1990976': { - 'name': 'protein transport along microtubule to mitotic spindle pole body', - 'def': 'The directed movement of a protein along a microtubule to the mitotic spindle pole body, mediated by motor proteins. [PMID:25987607]' - }, - 'GO:1990977': { - 'name': 'obsolete negative regulation of mitotic DNA replication initiation from late origin', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of firing from a late origin of replication involved in mitotic DNA replication. [PMID:26436827]' - }, - 'GO:1990978': { - 'name': 'obsolete response to viscosity', - 'def': 'OBSOLETE. Any process that results in a change in state or activity of a cell or an organism (in terms of movement, secretion, enzyme production, gene expression, etc.) as a result of a viscosity stimulus. [PMID:7061416]' - }, - 'GO:1990979': { - 'name': 'obsolete copper ion transport across blood-brain barrier', - 'def': 'OBSOLETE. The directed movement of copper ions passing through the blood-brain barrier. [PMID:24614235]' - }, - 'GO:1990980': { - 'name': 'obsolete copper ion transport across blood-CSF barrier', - 'def': 'OBSOLETE. The directed movement of copper ions passing through the blood-cerebrospinal fluid barrier. [PMID:24614235]' - }, - 'GO:1990981': { - 'name': 'obsolete regulation of protein localization to cell division site involved in cell separation after cytokinesis', - 'def': 'OBSOLETE. A regulation of protein localization to cell division site involved in cell separation after cytokinesis. [PMID:25411334]' - }, - 'GO:1990982': { - 'name': 'obsolete Immune memory response', - 'def': 'OBSOLETE. The immune response against a previously encountered antigen being quicker and quantitatively better compared with the primary response. [PMID:26831526]' - }, - 'GO:1990983': { - 'name': 'tRNA demethylation', - 'def': 'The removal of a methyl group from one or more residues within a tRNA molecule. [PMID:27745969]' - }, - 'GO:1990984': { - 'name': 'tRNA demethylase activity', - 'def': 'Catalysis of the removal of a methyl group from one or more positions within a tRNA molecule. [PMID:27745969]' - }, - 'GO:1990985': { - 'name': 'obsolete apoptosis in response to oxidative stress', - 'def': 'OBSOLETE. Any biological process that results in permanent cessation of all vital functions of a cell upon exposure to oxidative stress. [GOC:pg, PMID:25950479]' - }, - 'GO:1990986': { - 'name': 'DNA recombinase disassembly', - 'def': 'The disaggregation of a DNA recombinase complex into its constituent strand exchange proteins (recombinases). [GOC:pg, PMID:19540122]' - }, - 'GO:2000001': { - 'name': 'regulation of DNA damage checkpoint', - 'def': 'Any process that modulates the frequency, rate or extent of a DNA damage checkpoint. [GOC:obol]' - }, - 'GO:2000002': { - 'name': 'negative regulation of DNA damage checkpoint', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of a DNA damage checkpoint. [GOC:BHF, GOC:obol]' - }, - 'GO:2000003': { - 'name': 'positive regulation of DNA damage checkpoint', - 'def': 'Any process that activates or increases the frequency, rate or extent of a DNA damage checkpoint. [GOC:obol]' - }, - 'GO:2000004': { - 'name': 'regulation of metanephric S-shaped body morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of metanephric S-shaped body morphogenesis. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000005': { - 'name': 'negative regulation of metanephric S-shaped body morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of metanephric S-shaped body morphogenesis. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000006': { - 'name': 'regulation of metanephric comma-shaped body morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of metanephric comma-shaped body morphogenesis. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000007': { - 'name': 'negative regulation of metanephric comma-shaped body morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of metanephric comma-shaped body morphogenesis. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000008': { - 'name': 'regulation of protein localization to cell surface', - 'def': 'Any process that modulates the frequency, rate or extent of protein localization to the cell surface. [GOC:obol]' - }, - 'GO:2000009': { - 'name': 'negative regulation of protein localization to cell surface', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein localization to the cell surface. [GOC:obol]' - }, - 'GO:2000010': { - 'name': 'positive regulation of protein localization to cell surface', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein localization to the cell surface. [GOC:obol]' - }, - 'GO:2000011': { - 'name': 'regulation of adaxial/abaxial pattern formation', - 'def': 'Any process that modulates the frequency, rate or extent of adaxial/abaxial pattern formation. [GOC:obol]' - }, - 'GO:2000012': { - 'name': 'regulation of auxin polar transport', - 'def': 'Any process that modulates the frequency, rate or extent of auxin polar transport. [GOC:obol]' - }, - 'GO:2000013': { - 'name': 'regulation of arginine biosynthetic process via ornithine', - 'def': 'Any process that modulates the frequency, rate or extent of arginine biosynthetic process via ornithine. [GOC:obol]' - }, - 'GO:2000014': { - 'name': 'regulation of endosperm development', - 'def': 'Any process that modulates the frequency, rate or extent of endosperm development. [GOC:obol]' - }, - 'GO:2000015': { - 'name': 'regulation of determination of dorsal identity', - 'def': 'Any process that modulates the frequency, rate or extent of determination of dorsal identity. [GOC:obol]' - }, - 'GO:2000016': { - 'name': 'negative regulation of determination of dorsal identity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of determination of dorsal identity. [GOC:BHF, GOC:obol]' - }, - 'GO:2000017': { - 'name': 'positive regulation of determination of dorsal identity', - 'def': 'Any process that activates or increases the frequency, rate or extent of determination of dorsal identity. [GOC:obol]' - }, - 'GO:2000018': { - 'name': 'regulation of male gonad development', - 'def': 'Any process that modulates the frequency, rate or extent of male gonad development. [GOC:obol, GOC:yaf]' - }, - 'GO:2000019': { - 'name': 'negative regulation of male gonad development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of male gonad development. [GOC:obol, GOC:yaf]' - }, - 'GO:2000020': { - 'name': 'positive regulation of male gonad development', - 'def': 'Any process that activates or increases the frequency, rate or extent of male gonad development. [GOC:obol]' - }, - 'GO:2000021': { - 'name': 'regulation of ion homeostasis', - 'def': 'Any process that modulates the frequency, rate or extent of ion homeostasis. [GOC:obol]' - }, - 'GO:2000022': { - 'name': 'regulation of jasmonic acid mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of jasmonic acid mediated signaling pathway. [GOC:obol]' - }, - 'GO:2000023': { - 'name': 'regulation of lateral root development', - 'def': 'Any process that modulates the frequency, rate or extent of lateral root development. [GOC:obol]' - }, - 'GO:2000024': { - 'name': 'regulation of leaf development', - 'def': 'Any process that modulates the frequency, rate or extent of leaf development. [GOC:obol]' - }, - 'GO:2000025': { - 'name': 'regulation of leaf formation', - 'def': 'Any process that modulates the frequency, rate or extent of leaf formation. [GOC:obol]' - }, - 'GO:2000026': { - 'name': 'regulation of multicellular organismal development', - 'def': 'Any process that modulates the frequency, rate or extent of multicellular organismal development. [GOC:obol]' - }, - 'GO:2000027': { - 'name': 'regulation of organ morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of animal organ morphogenesis. [GOC:obol]' - }, - 'GO:2000028': { - 'name': 'regulation of photoperiodism, flowering', - 'def': 'Any process that modulates the frequency, rate or extent of photoperiodism, flowering. [GOC:obol]' - }, - 'GO:2000029': { - 'name': 'regulation of proanthocyanidin biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of proanthocyanidin biosynthetic process. [GOC:obol]' - }, - 'GO:2000030': { - 'name': 'regulation of response to red or far red light', - 'def': 'Any process that modulates the frequency, rate or extent of response to red or far red light. [GOC:obol]' - }, - 'GO:2000031': { - 'name': 'regulation of salicylic acid mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of salicylic acid mediated signaling pathway. [GOC:obol]' - }, - 'GO:2000032': { - 'name': 'regulation of secondary shoot formation', - 'def': 'Any process that modulates the frequency, rate or extent of secondary shoot formation. [GOC:obol]' - }, - 'GO:2000033': { - 'name': 'regulation of seed dormancy process', - 'def': 'Any process that modulates the frequency, rate or extent of seed dormancy process. [GOC:obol, GOC:pr, ISBN:9781405139830]' - }, - 'GO:2000034': { - 'name': 'regulation of seed maturation', - 'def': 'Any process that modulates the frequency, rate or extent of seed maturation. [GOC:obol]' - }, - 'GO:2000035': { - 'name': 'regulation of stem cell division', - 'def': 'Any process that modulates the frequency, rate or extent of stem cell division. [GOC:obol]' - }, - 'GO:2000036': { - 'name': 'regulation of stem cell population maintenance', - 'def': 'Any process that modulates the frequency, rate or extent of stem cell population maintenance. [GOC:obol]' - }, - 'GO:2000037': { - 'name': 'regulation of stomatal complex patterning', - 'def': 'Any process that modulates the frequency, rate or extent of stomatal complex patterning. [GOC:obol]' - }, - 'GO:2000038': { - 'name': 'regulation of stomatal complex development', - 'def': 'Any process that modulates the frequency, rate or extent of stomatal complex development. [GOC:obol]' - }, - 'GO:2000039': { - 'name': 'regulation of trichome morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of trichome morphogenesis. [GOC:obol]' - }, - 'GO:2000040': { - 'name': 'regulation of planar cell polarity pathway involved in axis elongation', - 'def': 'Any process that modulates the frequency, rate or extent of planar cell polarity pathway involved in axis elongation. [GOC:dph]' - }, - 'GO:2000041': { - 'name': 'negative regulation of planar cell polarity pathway involved in axis elongation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of planar cell polarity pathway involved in axis elongation. [GOC:dph]' - }, - 'GO:2000042': { - 'name': 'negative regulation of double-strand break repair via homologous recombination', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of double-strand break repair via homologous recombination. [GOC:vw]' - }, - 'GO:2000043': { - 'name': 'regulation of cardiac cell fate specification', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac cell fate specification. [GOC:BHF]' - }, - 'GO:2000044': { - 'name': 'negative regulation of cardiac cell fate specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cardiac cell fate specification. [GOC:BHF]' - }, - 'GO:2000045': { - 'name': 'regulation of G1/S transition of mitotic cell cycle', - 'def': 'Any cell cycle regulatory process that controls the commitment of a cell from G1 to S phase of the mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:2000046': { - 'name': 'obsolete regulation of G2 phase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of G2 phase of mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:vw]' - }, - 'GO:2000047': { - 'name': 'regulation of cell-cell adhesion mediated by cadherin', - 'def': 'Any process that modulates the frequency, rate or extent of cell-cell adhesion mediated by cadherin. [GOC:obol]' - }, - 'GO:2000048': { - 'name': 'negative regulation of cell-cell adhesion mediated by cadherin', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell-cell adhesion mediated by cadherin. [GOC:obol]' - }, - 'GO:2000049': { - 'name': 'positive regulation of cell-cell adhesion mediated by cadherin', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell-cell adhesion mediated by cadherin. [GOC:obol]' - }, - 'GO:2000050': { - 'name': 'regulation of non-canonical Wnt signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of non-canonical Wnt signaling pathway. [GOC:obol, GOC:yaf]' - }, - 'GO:2000051': { - 'name': 'negative regulation of non-canonical Wnt signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of non-canonical Wnt signaling pathway. [GOC:obol, GOC:yaf]' - }, - 'GO:2000052': { - 'name': 'positive regulation of non-canonical Wnt signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of non-canonical Wnt-activated signaling pathway. [GOC:obol, GOC:yaf]' - }, - 'GO:2000053': { - 'name': 'regulation of Wnt signaling pathway involved in dorsal/ventral axis specification', - 'def': 'Any process that modulates the frequency, rate or extent of Wnt signaling pathway involved in dorsal/ventral axis specification. [GOC:obol, GOC:yaf]' - }, - 'GO:2000054': { - 'name': 'negative regulation of Wnt signaling pathway involved in dorsal/ventral axis specification', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Wnt signaling pathway involved in dorsal/ventral axis specification. [GOC:obol, GOC:yaf]' - }, - 'GO:2000055': { - 'name': 'positive regulation of Wnt signaling pathway involved in dorsal/ventral axis specification', - 'def': 'Any process that activates or increases the frequency, rate or extent of Wnt signaling pathway involved in dorsal/ventral axis specification. [GOC:obol]' - }, - 'GO:2000056': { - 'name': 'regulation of Wnt signaling pathway involved in digestive tract morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of Wnt signaling pathway involved in digestive tract morphogenesis. [GOC:obol]' - }, - 'GO:2000057': { - 'name': 'negative regulation of Wnt signaling pathway involved in digestive tract morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Wnt signaling pathway involved in digestive tract morphogenesis. [GOC:obol]' - }, - 'GO:2000058': { - 'name': 'regulation of protein ubiquitination involved in ubiquitin-dependent protein catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of protein ubiquitination involved in ubiquitin-dependent protein catabolic process. [GOC:BHF]' - }, - 'GO:2000059': { - 'name': 'negative regulation of protein ubiquitination involved in ubiquitin-dependent protein catabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of protein ubiquitination involved in ubiquitin-dependent protein catabolic process. [GOC:BHF]' - }, - 'GO:2000060': { - 'name': 'positive regulation of protein ubiquitination involved in ubiquitin-dependent protein catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein ubiquitination involved in ubiquitin-dependent protein catabolic process. [GOC:BHF]' - }, - 'GO:2000061': { - 'name': 'regulation of ureter smooth muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of ureter smooth muscle cell differentiation. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000062': { - 'name': 'negative regulation of ureter smooth muscle cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ureter smooth muscle cell differentiation. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000063': { - 'name': 'positive regulation of ureter smooth muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of ureter smooth muscle cell differentiation. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000064': { - 'name': 'regulation of cortisol biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of cortisol biosynthetic process. [GOC:obol, GOC:yaf]' - }, - 'GO:2000065': { - 'name': 'negative regulation of cortisol biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cortisol biosynthetic process. [GOC:obol, GOC:yaf]' - }, - 'GO:2000066': { - 'name': 'positive regulation of cortisol biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cortisol biosynthetic process. [GOC:obol, GOC:yaf]' - }, - 'GO:2000067': { - 'name': 'regulation of root morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of root morphogenesis. [GOC:obol]' - }, - 'GO:2000068': { - 'name': 'regulation of defense response to insect', - 'def': 'Any process that modulates the frequency, rate or extent of defense response to insect. [GOC:obol]' - }, - 'GO:2000069': { - 'name': 'regulation of post-embryonic root development', - 'def': 'Any process that modulates the frequency, rate or extent of post-embryonic root development. [GOC:obol]' - }, - 'GO:2000070': { - 'name': 'regulation of response to water deprivation', - 'def': 'Any process that modulates the frequency, rate or extent of response to water deprivation. [GOC:obol]' - }, - 'GO:2000071': { - 'name': 'regulation of defense response by callose deposition', - 'def': 'Any process that modulates the frequency, rate or extent of defense response by callose deposition. [GOC:obol]' - }, - 'GO:2000072': { - 'name': 'regulation of defense response to fungus, incompatible interaction', - 'def': 'Any process that modulates the frequency, rate or extent of defense response to fungus, incompatible interaction. [GOC:obol]' - }, - 'GO:2000073': { - 'name': 'regulation of cytokinesis, site selection', - 'def': 'Any process that modulates the frequency, rate or extent of site selection that occurs as part of cytokinesis. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2000074': { - 'name': 'regulation of type B pancreatic cell development', - 'def': 'Any process that modulates the frequency, rate or extent of pancreatic B cell development. [GOC:obol, GOC:yaf]' - }, - 'GO:2000075': { - 'name': 'negative regulation of cytokinesis, site selection', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of site selection that occurs as part of cytokinesis. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2000076': { - 'name': 'positive regulation cytokinesis, site selection', - 'def': 'Any process that activates or increases the frequency, rate or extent of site selection that occurs as part of cytokinesis. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2000077': { - 'name': 'negative regulation of type B pancreatic cell development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of pancreatic B cell development. [GOC:obol, GOC:yaf]' - }, - 'GO:2000078': { - 'name': 'positive regulation of type B pancreatic cell development', - 'def': 'Any process that activates or increases the frequency, rate or extent of pancreatic B cell development. [GOC:obol, GOC:yaf]' - }, - 'GO:2000079': { - 'name': 'regulation of canonical Wnt signaling pathway involved in controlling type B pancreatic cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of canonical Wnt signaling pathway modulating the rate or frequency of pancreatic B cell proliferation. [GOC:obol, GOC:yaf]' - }, - 'GO:2000080': { - 'name': 'negative regulation of canonical Wnt signaling pathway involved in controlling type B pancreatic cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of canonical Wnt signaling pathway modulating the rate or frequency of pancreatic B cell proliferation. [GOC:obol, GOC:yaf]' - }, - 'GO:2000081': { - 'name': 'positive regulation of canonical Wnt signaling pathway involved in controlling type B pancreatic cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of canonical Wnt signaling pathway modulating the rate or frequency of pancreatic B cell proliferation. [GOC:obol, GOC:yaf]' - }, - 'GO:2000082': { - 'name': 'regulation of L-ascorbic acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of L-ascorbic acid biosynthetic process. [PMID:19395407]' - }, - 'GO:2000083': { - 'name': 'negative regulation of L-ascorbic acid biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of L-ascorbic acid biosynthetic process. [PMID:19395407]' - }, - 'GO:2000084': { - 'name': 'regulation of mesenchymal to epithelial transition involved in mesonephros morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal to epithelial transition involved in mesonephros morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000085': { - 'name': 'negative regulation of mesenchymal to epithelial transition involved in mesonephros morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mesenchymal to epithelial transition involved in mesonephros morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000086': { - 'name': 'positive regulation of mesenchymal to epithelial transition involved in mesonephros morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesenchymal to epithelial transition involved in mesonephros morphogenesis. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000087': { - 'name': 'regulation of mesonephric glomerulus development', - 'def': 'Any process that modulates the frequency, rate or extent of mesonephric glomerulus development. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000088': { - 'name': 'negative regulation of mesonephric glomerulus development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mesonephric glomerulus development. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000089': { - 'name': 'positive regulation of mesonephric glomerulus development', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesonephric glomerulus development. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000090': { - 'name': 'regulation of mesonephric glomerular mesangial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of mesonephric glomerular mesangial cell proliferation. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000091': { - 'name': 'negative regulation of mesonephric glomerular mesangial cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mesonephric glomerular mesangial cell proliferation. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000092': { - 'name': 'positive regulation of mesonephric glomerular mesangial cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesonephric glomerular mesangial cell proliferation. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000093': { - 'name': 'regulation of mesonephric nephron tubule epithelial cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of mesonephric nephron tubule epithelial cell differentiation. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000094': { - 'name': 'negative regulation of mesonephric nephron tubule epithelial cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mesonephric nephron tubule epithelial cell differentiation. [GOC:mtg_kidney_jan10]' - }, - 'GO:2000095': { - 'name': 'regulation of Wnt signaling pathway, planar cell polarity pathway', - 'def': 'Any process that modulates the frequency, rate or extent of Wnt signaling pathway, planar cell polarity pathway. [GOC:BHF]' - }, - 'GO:2000096': { - 'name': 'positive regulation of Wnt signaling pathway, planar cell polarity pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of Wnt signaling pathway, planar cell polarity pathway. [GOC:BHF]' - }, - 'GO:2000097': { - 'name': 'regulation of smooth muscle cell-matrix adhesion', - 'def': 'Any process that modulates the frequency, rate or extent of smooth muscle cell-matrix adhesion. [GOC:BHF]' - }, - 'GO:2000098': { - 'name': 'negative regulation of smooth muscle cell-matrix adhesion', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of smooth muscle cell-matrix adhesion. [GOC:BHF]' - }, - 'GO:2000099': { - 'name': 'regulation of establishment or maintenance of bipolar cell polarity', - 'def': 'Any process that modulates the frequency, rate or extent of establishment or maintenance of bipolar cell polarity. [GOC:obol]' - }, - 'GO:2000100': { - 'name': 'regulation of establishment or maintenance of bipolar cell polarity regulating cell shape', - 'def': 'Any process that modulates the frequency, rate or extent of establishment or maintenance of bipolar cell polarity regulating cell shape. [GOC:obol]' - }, - 'GO:2000101': { - 'name': 'regulation of mammary stem cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of mammary stem cell proliferation. [GOC:obol]' - }, - 'GO:2000102': { - 'name': 'negative regulation of mammary stem cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of mammary stem cell proliferation. [GOC:obol]' - }, - 'GO:2000103': { - 'name': 'positive regulation of mammary stem cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mammary stem cell proliferation. [GOC:obol]' - }, - 'GO:2000104': { - 'name': 'negative regulation of DNA-dependent DNA replication', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA-dependent DNA replication. [GOC:mah]' - }, - 'GO:2000105': { - 'name': 'positive regulation of DNA-dependent DNA replication', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA-dependent DNA replication. [GOC:mah]' - }, - 'GO:2000106': { - 'name': 'regulation of leukocyte apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of leukocyte apoptotic process. [GOC:BHF, GOC:mtg_apoptosis]' - }, - 'GO:2000107': { - 'name': 'negative regulation of leukocyte apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of leukocyte apoptotic process. [GOC:BHF, GOC:mtg_apoptosis]' - }, - 'GO:2000108': { - 'name': 'positive regulation of leukocyte apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of leukocyte apoptotic process. [GOC:BHF, GOC:mtg_apoptosis]' - }, - 'GO:2000109': { - 'name': 'regulation of macrophage apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of macrophage apoptotic process. [GOC:BHF, GOC:mtg_apoptosis]' - }, - 'GO:2000110': { - 'name': 'negative regulation of macrophage apoptotic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of macrophage apoptotic process. [GOC:BHF, GOC:mtg_apoptosis]' - }, - 'GO:2000111': { - 'name': 'positive regulation of macrophage apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of macrophage apoptotic process. [GOC:BHF, GOC:mtg_apoptosis]' - }, - 'GO:2000112': { - 'name': 'regulation of cellular macromolecule biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellular macromolecule biosynthetic process. [GOC:obol]' - }, - 'GO:2000113': { - 'name': 'negative regulation of cellular macromolecule biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cellular macromolecule biosynthetic process. [GOC:obol]' - }, - 'GO:2000114': { - 'name': 'regulation of establishment of cell polarity', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of cell polarity. [GOC:dph]' - }, - 'GO:2000115': { - 'name': 'regulation of maintenance of bipolar cell polarity regulating cell shape', - 'def': 'Any process that modulates the frequency, rate or extent of maintenance of bipolar cell polarity regulating in cell shape. [GOC:obol]' - }, - 'GO:2000116': { - 'name': 'regulation of cysteine-type endopeptidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of cysteine-type endopeptidase activity. [GOC:obol, GOC:yaf]' - }, - 'GO:2000117': { - 'name': 'negative regulation of cysteine-type endopeptidase activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cysteine-type endopeptidase activity. [GOC:obol, GOC:yaf]' - }, - 'GO:2000118': { - 'name': 'regulation of sodium-dependent phosphate transport', - 'def': 'Any process that modulates the frequency, rate or extent of sodium-dependent phosphate transport. [GOC:BHF]' - }, - 'GO:2000119': { - 'name': 'negative regulation of sodium-dependent phosphate transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of sodium-dependent phosphate transport. [GOC:BHF]' - }, - 'GO:2000120': { - 'name': 'positive regulation of sodium-dependent phosphate transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of sodium-dependent phosphate transport. [GOC:BHF]' - }, - 'GO:2000121': { - 'name': 'regulation of removal of superoxide radicals', - 'def': 'Any process that modulates the frequency, rate or extent of removal of superoxide radicals. [GOC:obol]' - }, - 'GO:2000122': { - 'name': 'negative regulation of stomatal complex development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of stomatal complex development. [GOC:obol]' - }, - 'GO:2000123': { - 'name': 'positive regulation of stomatal complex development', - 'def': 'Any process that activates or increases the frequency, rate or extent of stomatal complex development. [GOC:obol]' - }, - 'GO:2000124': { - 'name': 'regulation of endocannabinoid signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of endocannabinoid signaling pathway. [GOC:mah, PMID:15550444]' - }, - 'GO:2000125': { - 'name': 'regulation of octopamine or tyramine signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of octopamine or tyramine signaling pathway. [GOC:mah]' - }, - 'GO:2000126': { - 'name': 'negative regulation of octopamine or tyramine signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of octopamine or tyramine signaling pathway. [GOC:mah]' - }, - 'GO:2000127': { - 'name': 'positive regulation of octopamine or tyramine signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of octopamine or tyramine signaling pathway. [GOC:mah]' - }, - 'GO:2000128': { - 'name': 'regulation of octopamine signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of octopamine signaling pathway. [GOC:mah]' - }, - 'GO:2000129': { - 'name': 'negative regulation of octopamine signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of octopamine signaling pathway. [GOC:mah]' - }, - 'GO:2000130': { - 'name': 'positive regulation of octopamine signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of octopamine signaling pathway. [GOC:mah]' - }, - 'GO:2000131': { - 'name': 'regulation of tyramine signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of tyramine signaling pathway. [GOC:mah]' - }, - 'GO:2000132': { - 'name': 'negative regulation of tyramine signaling pathway', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of tyramine signaling pathway. [GOC:mah]' - }, - 'GO:2000133': { - 'name': 'positive regulation of tyramine signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of tyramine signaling pathway. [GOC:mah]' - }, - 'GO:2000134': { - 'name': 'negative regulation of G1/S transition of mitotic cell cycle', - 'def': 'Any cell cycle regulatory process that prevents the commitment of a cell from G1 to S phase of the mitotic cell cycle. [GOC:mtg_cell_cycle]' - }, - 'GO:2000135': { - 'name': 'obsolete positive regulation of regulation of secondary heart field cardioblast proliferation', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of regulation of secondary heart field cardioblast proliferation. [GOC:dph]' - }, - 'GO:2000136': { - 'name': 'regulation of cell proliferation involved in heart morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cell proliferation involved in heart morphogenesis. [GOC:dph]' - }, - 'GO:2000137': { - 'name': 'negative regulation of cell proliferation involved in heart morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell proliferation involved in heart morphogenesis. [GOC:dph]' - }, - 'GO:2000138': { - 'name': 'positive regulation of cell proliferation involved in heart morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell proliferation involved in heart morphogenesis. [GOC:dph]' - }, - 'GO:2000139': { - 'name': 'regulation of octopamine signaling pathway involved in response to food', - 'def': 'Any process that modulates the frequency, rate or extent of octopamine signaling pathway involved in response to food. [GOC:mah, PMID:19609300]' - }, - 'GO:2000140': { - 'name': 'negative regulation of octopamine signaling pathway involved in response to food', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of octopamine signaling pathway involved in response to food. [GOC:mah, PMID:19609300]' - }, - 'GO:2000141': { - 'name': 'positive regulation of octopamine signaling pathway involved in response to food', - 'def': 'Any process that activates or increases the frequency, rate or extent of octopamine signaling pathway involved in response to food. [GOC:mah, PMID:19609300]' - }, - 'GO:2000142': { - 'name': 'regulation of DNA-templated transcription, initiation', - 'def': 'Any process that modulates the frequency, rate or extent of DNA-templated transcription initiation. [GOC:mah, GOC:txnOH]' - }, - 'GO:2000143': { - 'name': 'negative regulation of DNA-templated transcription, initiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of DNA-templated transcription initiation. [GOC:mah, GOC:txnOH]' - }, - 'GO:2000144': { - 'name': 'positive regulation of DNA-templated transcription, initiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA-templated transcription initiation. [GOC:mah, GOC:txnOH]' - }, - 'GO:2000145': { - 'name': 'regulation of cell motility', - 'def': 'Any process that modulates the frequency, rate or extent of cell motility. [GOC:mah]' - }, - 'GO:2000146': { - 'name': 'negative regulation of cell motility', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of cell motility. [GOC:mah]' - }, - 'GO:2000147': { - 'name': 'positive regulation of cell motility', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell motility. [GOC:mah]' - }, - 'GO:2000148': { - 'name': 'regulation of planar cell polarity pathway involved in ventricular septum morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of planar cell polarity pathway involved in ventricular septum morphogenesis. [GOC:dph]' - }, - 'GO:2000149': { - 'name': 'negative regulation of planar cell polarity pathway involved in ventricular septum morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of planar cell polarity pathway involved in ventricular septum morphogenesis. [GOC:dph]' - }, - 'GO:2000150': { - 'name': 'regulation of planar cell polarity pathway involved in cardiac muscle tissue morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of planar cell polarity pathway involved in cardiac muscle tissue morphogenesis. [GOC:dph]' - }, - 'GO:2000151': { - 'name': 'negative regulation of planar cell polarity pathway involved in cardiac muscle tissue morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of planar cell polarity pathway involved in cardiac muscle tissue morphogenesis. [GOC:dph]' - }, - 'GO:2000152': { - 'name': 'regulation of ubiquitin-specific protease activity', - 'def': 'Any process that modulates the frequency, rate or extent of regulation of ubiquitin-specific protease activity (deubiquitinase) activity. [GOC:obol]' - }, - 'GO:2000153': { - 'name': 'obsolete regulation of flagellar cell motility', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of flagellar cell motility. [GOC:mah]' - }, - 'GO:2000154': { - 'name': 'obsolete negative regulation of flagellar cell motility', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of flagellar cell motility. [GOC:mah]' - }, - 'GO:2000155': { - 'name': 'positive regulation of cilium-dependent cell motility', - 'def': 'Any process that activates or increases the frequency, rate or extent of cilium-dependent cell motility. [GOC:cilia, GOC:jl]' - }, - 'GO:2000156': { - 'name': 'regulation of retrograde vesicle-mediated transport, Golgi to ER', - 'def': 'Any process that modulates the frequency, rate or extent of retrograde vesicle-mediated transport, Golgi to ER. [GOC:mah]' - }, - 'GO:2000157': { - 'name': 'negative regulation of ubiquitin-specific protease activity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ubiquitin-specific protease (deubiquitinase) activity. [GOC:obol]' - }, - 'GO:2000158': { - 'name': 'positive regulation of ubiquitin-specific protease activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of ubiquitin-specific protease (deubiquitinase) activity. [GOC:obol]' - }, - 'GO:2000159': { - 'name': 'regulation of planar cell polarity pathway involved in heart morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of planar cell polarity pathway involved in heart morphogenesis. [GOC:dph]' - }, - 'GO:2000160': { - 'name': 'negative regulation of planar cell polarity pathway involved in heart morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of planar cell polarity pathway involved in heart morphogenesis. [GOC:dph]' - }, - 'GO:2000161': { - 'name': 'regulation of planar cell polarity pathway involved in cardiac right atrium morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of planar cell polarity pathway involved in cardiac right atrium morphogenesis. [GOC:dph]' - }, - 'GO:2000162': { - 'name': 'negative regulation of planar cell polarity pathway involved in cardiac right atrium morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of planar cell polarity pathway involved in cardiac right atrium morphogenesis. [GOC:dph]' - }, - 'GO:2000163': { - 'name': 'regulation of planar cell polarity pathway involved in outflow tract morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of planar cell polarity pathway involved in outflow tract morphogenesis. [GOC:dph]' - }, - 'GO:2000164': { - 'name': 'negative regulation of planar cell polarity pathway involved in outflow tract morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of planar cell polarity pathway involved in outflow tract morphogenesis. [GOC:dph]' - }, - 'GO:2000165': { - 'name': 'regulation of planar cell polarity pathway involved in pericardium morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of planar cell polarity pathway involved in pericardium morphogenesis. [GOC:dph]' - }, - 'GO:2000166': { - 'name': 'negative regulation of planar cell polarity pathway involved in pericardium morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of planar cell polarity pathway involved in pericardium morphogenesis. [GOC:dph]' - }, - 'GO:2000167': { - 'name': 'regulation of planar cell polarity pathway involved in neural tube closure', - 'def': 'Any process that modulates the frequency, rate or extent of planar cell polarity pathway involved in neural tube closure. [GOC:dph]' - }, - 'GO:2000168': { - 'name': 'negative regulation of planar cell polarity pathway involved in neural tube closure', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of planar cell polarity pathway involved in neural tube closure. [GOC:dph]' - }, - 'GO:2000169': { - 'name': 'regulation of peptidyl-cysteine S-nitrosylation', - 'def': 'Any process that modulates the frequency, rate or extent of peptidyl-cysteine S-nitrosylation. [GOC:obol]' - }, - 'GO:2000170': { - 'name': 'positive regulation of peptidyl-cysteine S-nitrosylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of peptidyl-cysteine S-nitrosylation. [GOC:obol]' - }, - 'GO:2000171': { - 'name': 'negative regulation of dendrite development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of dendrite development. [GOC:obol]' - }, - 'GO:2000172': { - 'name': 'regulation of branching morphogenesis of a nerve', - 'def': 'Any process that modulates the frequency, rate or extent of branching morphogenesis of a nerve. [GOC:BHF]' - }, - 'GO:2000173': { - 'name': 'negative regulation of branching morphogenesis of a nerve', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of branching morphogenesis of a nerve. [GOC:BHF]' - }, - 'GO:2000174': { - 'name': 'regulation of pro-T cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of pro-T cell differentiation. [GOC:BHF]' - }, - 'GO:2000175': { - 'name': 'negative regulation of pro-T cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of pro-T cell differentiation. [GOC:BHF]' - }, - 'GO:2000176': { - 'name': 'positive regulation of pro-T cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of pro-T cell differentiation. [GOC:BHF]' - }, - 'GO:2000177': { - 'name': 'regulation of neural precursor cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of neural precursor cell proliferation. [GOC:dph, GOC:yaf]' - }, - 'GO:2000178': { - 'name': 'negative regulation of neural precursor cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of neural precursor cell proliferation. [GOC:dph, GOC:yaf]' - }, - 'GO:2000179': { - 'name': 'positive regulation of neural precursor cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neural precursor cell proliferation. [GOC:dph, GOC:yaf]' - }, - 'GO:2000180': { - 'name': 'negative regulation of androgen biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of androgen biosynthetic process. [GOC:dph, GOC:yaf]' - }, - 'GO:2000181': { - 'name': 'negative regulation of blood vessel morphogenesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of blood vessel morphogenesis. [GOC:dph, GOC:yaf]' - }, - 'GO:2000182': { - 'name': 'regulation of progesterone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of progesterone biosynthetic process. [GOC:dph]' - }, - 'GO:2000183': { - 'name': 'negative regulation of progesterone biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of progesterone biosynthetic process. [GOC:dph]' - }, - 'GO:2000184': { - 'name': 'positive regulation of progesterone biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of progesterone biosynthetic process. [GOC:dph]' - }, - 'GO:2000185': { - 'name': 'regulation of phosphate transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of phosphate transmembrane transport. [GOC:obol]' - }, - 'GO:2000186': { - 'name': 'negative regulation of phosphate transmembrane transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of phosphate transmembrane transport. [GOC:obol]' - }, - 'GO:2000187': { - 'name': 'positive regulation of phosphate transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphate transmembrane transport. [GOC:obol]' - }, - 'GO:2000188': { - 'name': 'regulation of cholesterol homeostasis', - 'def': 'Any process that modulates the frequency, rate or extent of cholesterol homeostasis. [GOC:BHF]' - }, - 'GO:2000189': { - 'name': 'positive regulation of cholesterol homeostasis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cholesterol homeostasis. [GOC:BHF]' - }, - 'GO:2000190': { - 'name': 'obsolete negative regulation of regulation of transcription from RNA polymerase II promoter by nuclear hormone receptor', - 'def': 'OBSOLETE. Any process that stops, prevents, or reduces the frequency, rate or extent of regulation of transcription from RNA polymerase II promoter by nuclear hormone receptor. [GOC:BHF]' - }, - 'GO:2000191': { - 'name': 'regulation of fatty acid transport', - 'def': 'Any process that modulates the frequency, rate or extent of fatty acid transport. [GOC:BHF]' - }, - 'GO:2000192': { - 'name': 'negative regulation of fatty acid transport', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of fatty acid transport. [GOC:BHF]' - }, - 'GO:2000193': { - 'name': 'positive regulation of fatty acid transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of fatty acid transport. [GOC:BHF]' - }, - 'GO:2000194': { - 'name': 'regulation of female gonad development', - 'def': 'Any process that modulates the frequency, rate or extent of female gonad development. [GOC:obol]' - }, - 'GO:2000195': { - 'name': 'negative regulation of female gonad development', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of female gonad development. [GOC:obol]' - }, - 'GO:2000196': { - 'name': 'positive regulation of female gonad development', - 'def': 'Any process that activates or increases the frequency, rate or extent of female gonad development. [GOC:obol]' - }, - 'GO:2000197': { - 'name': 'regulation of ribonucleoprotein complex localization', - 'def': 'Any process that modulates the frequency, rate or extent of ribonucleoprotein complex localization. [GOC:mah]' - }, - 'GO:2000198': { - 'name': 'negative regulation of ribonucleoprotein complex localization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ribonucleoprotein complex localization. [GOC:mah]' - }, - 'GO:2000199': { - 'name': 'positive regulation of ribonucleoprotein complex localization', - 'def': 'Any process that activates or increases the frequency, rate or extent of ribonucleoprotein complex localization. [GOC:mah]' - }, - 'GO:2000200': { - 'name': 'regulation of ribosomal subunit export from nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of ribosomal subunit export from nucleus. [GOC:mah]' - }, - 'GO:2000201': { - 'name': 'negative regulation of ribosomal subunit export from nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ribosomal subunit export from nucleus. [GOC:mah]' - }, - 'GO:2000202': { - 'name': 'positive regulation of ribosomal subunit export from nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of ribosomal subunit export from nucleus. [GOC:mah]' - }, - 'GO:2000203': { - 'name': 'regulation of ribosomal large subunit export from nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of ribosomal large subunit export from nucleus. [GOC:mah]' - }, - 'GO:2000204': { - 'name': 'negative regulation of ribosomal large subunit export from nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ribosomal large subunit export from nucleus. [GOC:mah]' - }, - 'GO:2000205': { - 'name': 'positive regulation of ribosomal large subunit export from nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of ribosomal large subunit export from nucleus. [GOC:mah]' - }, - 'GO:2000206': { - 'name': 'regulation of ribosomal small subunit export from nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of ribosomal small subunit export from nucleus. [GOC:mah]' - }, - 'GO:2000207': { - 'name': 'negative regulation of ribosomal small subunit export from nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of ribosomal small subunit export from nucleus. [GOC:mah]' - }, - 'GO:2000208': { - 'name': 'positive regulation of ribosomal small subunit export from nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of ribosomal small subunit export from nucleus. [GOC:mah]' - }, - 'GO:2000209': { - 'name': 'regulation of anoikis', - 'def': 'Any process that modulates the frequency, rate or extent of anoikis. [GOC:mah]' - }, - 'GO:2000210': { - 'name': 'positive regulation of anoikis', - 'def': 'Any process that activates or increases the frequency, rate or extent of anoikis. [GOC:mah]' - }, - 'GO:2000211': { - 'name': 'regulation of glutamate metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of glutamate metabolic process. [GOC:sl]' - }, - 'GO:2000212': { - 'name': 'negative regulation of glutamate metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of glutamate metabolic process. [GOC:sl]' - }, - 'GO:2000213': { - 'name': 'positive regulation of glutamate metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of glutamate metabolic process. [GOC:sl]' - }, - 'GO:2000214': { - 'name': 'regulation of proline metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of proline metabolic process. [GOC:sl]' - }, - 'GO:2000215': { - 'name': 'negative regulation of proline metabolic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of proline metabolic process. [GOC:sl]' - }, - 'GO:2000216': { - 'name': 'positive regulation of proline metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of proline metabolic process. [GOC:sl]' - }, - 'GO:2000217': { - 'name': 'regulation of invasive growth in response to glucose limitation', - 'def': 'Any process that modulates the frequency, rate or extent of invasive growth in response to glucose limitation. [GOC:mah]' - }, - 'GO:2000218': { - 'name': 'negative regulation of invasive growth in response to glucose limitation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of invasive growth in response to glucose limitation. [GOC:mah]' - }, - 'GO:2000219': { - 'name': 'positive regulation of invasive growth in response to glucose limitation', - 'def': 'Any process that activates or increases the frequency, rate or extent of invasive growth in response to glucose limitation. [GOC:mah]' - }, - 'GO:2000220': { - 'name': 'regulation of pseudohyphal growth', - 'def': 'Any process that modulates the frequency, rate or extent of pseudohyphal growth. [GOC:mah]' - }, - 'GO:2000221': { - 'name': 'negative regulation of pseudohyphal growth', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of pseudohyphal growth. [GOC:mah]' - }, - 'GO:2000222': { - 'name': 'positive regulation of pseudohyphal growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of pseudohyphal growth. [GOC:mah]' - }, - 'GO:2000223': { - 'name': 'regulation of BMP signaling pathway involved in heart jogging', - 'def': 'Any process that modulates the frequency, rate or extent of BMP signaling pathway involved in heart jogging. [GOC:BHF]' - }, - 'GO:2000224': { - 'name': 'regulation of testosterone biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of testosterone biosynthetic process. [GOC:obol, GOC:yaf]' - }, - 'GO:2000225': { - 'name': 'negative regulation of testosterone biosynthetic process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of testosterone biosynthetic process. [GOC:obol, GOC:yaf]' - }, - 'GO:2000226': { - 'name': 'regulation of pancreatic A cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of pancreatic A cell differentiation. [GOC:mah]' - }, - 'GO:2000227': { - 'name': 'negative regulation of pancreatic A cell differentiation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of pancreatic A cell differentiation. [GOC:mah]' - }, - 'GO:2000228': { - 'name': 'positive regulation of pancreatic A cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of pancreatic A cell differentiation. [GOC:mah]' - }, - 'GO:2000229': { - 'name': 'regulation of pancreatic stellate cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of pancreatic stellate cell proliferation. [GOC:mah]' - }, - 'GO:2000230': { - 'name': 'negative regulation of pancreatic stellate cell proliferation', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of pancreatic stellate cell proliferation. [GOC:mah]' - }, - 'GO:2000231': { - 'name': 'positive regulation of pancreatic stellate cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of pancreatic stellate cell proliferation. [GOC:mah]' - }, - 'GO:2000232': { - 'name': 'regulation of rRNA processing', - 'def': 'Any process that modulates the frequency, rate or extent of rRNA processing. [GOC:mah]' - }, - 'GO:2000233': { - 'name': 'negative regulation of rRNA processing', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of rRNA processing. [GOC:mah]' - }, - 'GO:2000234': { - 'name': 'positive regulation of rRNA processing', - 'def': 'Any process that activates or increases the frequency, rate or extent of rRNA processing. [GOC:mah]' - }, - 'GO:2000235': { - 'name': 'regulation of tRNA processing', - 'def': 'Any process that modulates the frequency, rate or extent of tRNA processing. [GOC:mah]' - }, - 'GO:2000236': { - 'name': 'negative regulation of tRNA processing', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of tRNA processing. [GOC:mah]' - }, - 'GO:2000237': { - 'name': 'positive regulation of tRNA processing', - 'def': 'Any process that activates or increases the frequency, rate or extent of tRNA processing. [GOC:mah]' - }, - 'GO:2000238': { - 'name': 'regulation of tRNA export from nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of tRNA export from nucleus. [GOC:mah]' - }, - 'GO:2000239': { - 'name': 'negative regulation of tRNA export from nucleus', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of tRNA export from nucleus. [GOC:mah]' - }, - 'GO:2000240': { - 'name': 'positive regulation of tRNA export from nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of tRNA export from nucleus. [GOC:mah]' - }, - 'GO:2000241': { - 'name': 'regulation of reproductive process', - 'def': 'Any process that modulates the frequency, rate or extent of reproductive process. [GOC:mah]' - }, - 'GO:2000242': { - 'name': 'negative regulation of reproductive process', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of reproductive process. [GOC:mah]' - }, - 'GO:2000243': { - 'name': 'positive regulation of reproductive process', - 'def': 'Any process that activates or increases the frequency, rate or extent of reproductive process. [GOC:mah]' - }, - 'GO:2000244': { - 'name': 'regulation of FtsZ-dependent cytokinesis', - 'def': 'Any process that modulates the frequency, rate or extent of FtsZ-dependent cytokinesis. [GOC:mah]' - }, - 'GO:2000245': { - 'name': 'negative regulation of FtsZ-dependent cytokinesis', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of Ftsz-dependent cytokinesis. [GOC:mah]' - }, - 'GO:2000246': { - 'name': 'positive regulation of FtsZ-dependent cytokinesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of Ftsz-dependent cytokinesis. [GOC:mah]' - }, - 'GO:2000247': { - 'name': 'positive regulation of establishment or maintenance of bipolar cell polarity regulating cell shape', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment or maintenance of bipolar cell polarity regulating cell shape. [GOC:obol]' - }, - 'GO:2000248': { - 'name': 'negative regulation of establishment or maintenance of neuroblast polarity', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of establishment or maintenance of neuroblast polarity. [GOC:obol]' - }, - 'GO:2000249': { - 'name': 'regulation of actin cytoskeleton reorganization', - 'def': 'Any process that modulates the frequency, rate or extent of actin cytoskeleton reorganization. [GOC:BHF]' - }, - 'GO:2000250': { - 'name': 'negative regulation of actin cytoskeleton reorganization', - 'def': 'Any process that stops, prevents, or reduces the frequency, rate or extent of actin cytoskeleton reorganization. [GOC:BHF]' - }, - 'GO:2000251': { - 'name': 'positive regulation of actin cytoskeleton reorganization', - 'def': 'Any process that activates or increases the frequency, rate or extent of actin cytoskeleton reorganization. [GOC:BHF]' - }, - 'GO:2000252': { - 'name': 'negative regulation of feeding behavior', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of feeding behavior. [GOC:obol]' - }, - 'GO:2000253': { - 'name': 'positive regulation of feeding behavior', - 'def': 'Any process that activates or increases the frequency, rate or extent of feeding behavior. [GOC:obol]' - }, - 'GO:2000254': { - 'name': 'regulation of male germ cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of male germ cell proliferation. [GOC:obol]' - }, - 'GO:2000255': { - 'name': 'negative regulation of male germ cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of male germ cell proliferation. [GOC:obol]' - }, - 'GO:2000256': { - 'name': 'positive regulation of male germ cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of male germ cell proliferation. [GOC:obol]' - }, - 'GO:2000257': { - 'name': 'regulation of protein activation cascade', - 'def': 'Any process that modulates the frequency, rate or extent of protein activation cascade. [GOC:mah]' - }, - 'GO:2000258': { - 'name': 'negative regulation of protein activation cascade', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein activation cascade. [GOC:mah]' - }, - 'GO:2000259': { - 'name': 'positive regulation of protein activation cascade', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein activation cascade. [GOC:mah]' - }, - 'GO:2000260': { - 'name': 'regulation of blood coagulation, common pathway', - 'def': 'Any process that modulates the frequency, rate or extent of blood coagulation, common pathway. [GOC:mah]' - }, - 'GO:2000261': { - 'name': 'negative regulation of blood coagulation, common pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of blood coagulation, common pathway. [GOC:mah]' - }, - 'GO:2000262': { - 'name': 'positive regulation of blood coagulation, common pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of blood coagulation, common pathway. [GOC:mah]' - }, - 'GO:2000263': { - 'name': 'regulation of blood coagulation, extrinsic pathway', - 'def': 'Any process that modulates the frequency, rate or extent of blood coagulation, extrinsic pathway. [GOC:mah]' - }, - 'GO:2000264': { - 'name': 'negative regulation of blood coagulation, extrinsic pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of blood coagulation, extrinsic pathway. [GOC:mah]' - }, - 'GO:2000265': { - 'name': 'positive regulation of blood coagulation, extrinsic pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of blood coagulation, extrinsic pathway. [GOC:mah]' - }, - 'GO:2000266': { - 'name': 'regulation of blood coagulation, intrinsic pathway', - 'def': 'Any process that modulates the frequency, rate or extent of blood coagulation, intrinsic pathway. [GOC:mah]' - }, - 'GO:2000267': { - 'name': 'negative regulation of blood coagulation, intrinsic pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of blood coagulation, intrinsic pathway. [GOC:mah]' - }, - 'GO:2000268': { - 'name': 'positive regulation of blood coagulation, intrinsic pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of blood coagulation, intrinsic pathway. [GOC:mah]' - }, - 'GO:2000269': { - 'name': 'regulation of fibroblast apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of fibroblast apoptotic process. [GOC:mtg_apoptosis, GOC:obol, GOC:yaf]' - }, - 'GO:2000270': { - 'name': 'negative regulation of fibroblast apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fibroblast apoptotic process. [GOC:mtg_apoptosis, GOC:obol, GOC:yaf]' - }, - 'GO:2000271': { - 'name': 'positive regulation of fibroblast apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of fibroblast apoptotic process. [GOC:mtg_apoptosis, GOC:obol, GOC:yaf]' - }, - 'GO:2000272': { - 'name': 'negative regulation of receptor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of receptor activity. [GOC:obol]' - }, - 'GO:2000273': { - 'name': 'positive regulation of receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of receptor activity. [GOC:obol]' - }, - 'GO:2000274': { - 'name': 'regulation of epithelial cell migration, open tracheal system', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial cell migration, open tracheal system. [GOC:obol]' - }, - 'GO:2000275': { - 'name': 'regulation of oxidative phosphorylation uncoupler activity', - 'def': 'Any process that modulates the frequency, rate or extent of oxidative phosphorylation uncoupler activity. [GOC:mah]' - }, - 'GO:2000276': { - 'name': 'negative regulation of oxidative phosphorylation uncoupler activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oxidative phosphorylation uncoupler activity. [GOC:mah]' - }, - 'GO:2000277': { - 'name': 'positive regulation of oxidative phosphorylation uncoupler activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of oxidative phosphorylation uncoupler activity. [GOC:mah]' - }, - 'GO:2000278': { - 'name': 'regulation of DNA biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of DNA biosynthetic process. [GOC:obol]' - }, - 'GO:2000279': { - 'name': 'negative regulation of DNA biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA biosynthetic process. [GOC:obol]' - }, - 'GO:2000280': { - 'name': 'regulation of root development', - 'def': 'Any process that modulates the frequency, rate or extent of root development. [GOC:obol]' - }, - 'GO:2000281': { - 'name': 'regulation of histone H3-T3 phosphorylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-T3 phosphorylation. [GOC:obol]' - }, - 'GO:2000282': { - 'name': 'regulation of cellular amino acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellular amino acid biosynthetic process. [GOC:obol]' - }, - 'GO:2000283': { - 'name': 'negative regulation of cellular amino acid biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular amino acid biosynthetic process. [GOC:obol]' - }, - 'GO:2000284': { - 'name': 'positive regulation of cellular amino acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular amino acid biosynthetic process. [GOC:obol]' - }, - 'GO:2000285': { - 'name': 'obsolete negative regulation of regulation of excitatory postsynaptic membrane potential', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of regulation of excitatory postsynaptic membrane potential. [GOC:BHF]' - }, - 'GO:2000286': { - 'name': 'receptor internalization involved in canonical Wnt signaling pathway', - 'def': 'A receptor internalization process that contributes to canonical Wnt signaling pathway. [GOC:BHF, GOC:mah, PMID:16890161]' - }, - 'GO:2000287': { - 'name': 'positive regulation of myotome development', - 'def': 'Any process that activates or increases the frequency, rate or extent of myotome development. [GOC:BHF]' - }, - 'GO:2000288': { - 'name': 'positive regulation of myoblast proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of myoblast proliferation. [GOC:BHF]' - }, - 'GO:2000289': { - 'name': 'regulation of photoreceptor cell axon guidance', - 'def': 'Any process that modulates the frequency, rate or extent of photoreceptor cell axon guidance. [GOC:mah]' - }, - 'GO:2000290': { - 'name': 'regulation of myotome development', - 'def': 'Any process that modulates the frequency, rate or extent of myotome development. [GOC:mah]' - }, - 'GO:2000291': { - 'name': 'regulation of myoblast proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of myoblast proliferation. [GOC:mah]' - }, - 'GO:2000292': { - 'name': 'regulation of defecation', - 'def': 'Any process that modulates the frequency, rate or extent of defecation. [GOC:obol]' - }, - 'GO:2000293': { - 'name': 'negative regulation of defecation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of defecation. [GOC:obol]' - }, - 'GO:2000294': { - 'name': 'positive regulation of defecation', - 'def': 'Any process that activates or increases the frequency, rate or extent of defecation. [GOC:obol]' - }, - 'GO:2000295': { - 'name': 'regulation of hydrogen peroxide catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of hydrogen peroxide catabolic process. [GOC:BHF]' - }, - 'GO:2000296': { - 'name': 'negative regulation of hydrogen peroxide catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hydrogen peroxide catabolic process. [GOC:BHF]' - }, - 'GO:2000297': { - 'name': 'negative regulation of synapse maturation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synapse maturation. [GOC:mah]' - }, - 'GO:2000298': { - 'name': 'regulation of Rho-dependent protein serine/threonine kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of Rho-dependent protein serine/threonine kinase activity. [GOC:mah]' - }, - 'GO:2000299': { - 'name': 'negative regulation of Rho-dependent protein serine/threonine kinase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Rho-dependent protein serine/threonine kinase activity. [GOC:mah]' - }, - 'GO:2000300': { - 'name': 'regulation of synaptic vesicle exocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle exocytosis. [GOC:obol]' - }, - 'GO:2000301': { - 'name': 'negative regulation of synaptic vesicle exocytosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synaptic vesicle exocytosis. [GOC:obol]' - }, - 'GO:2000302': { - 'name': 'positive regulation of synaptic vesicle exocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic vesicle exocytosis. [GOC:obol]' - }, - 'GO:2000303': { - 'name': 'regulation of ceramide biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of a ceramide biosynthetic process. [GOC:dph]' - }, - 'GO:2000304': { - 'name': 'positive regulation of ceramide biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ceramide biosynthetic process. [GOC:dph]' - }, - 'GO:2000305': { - 'name': 'semaphorin-plexin signaling pathway involved in regulation of photoreceptor cell axon guidance', - 'def': 'Any semaphorin-plexin signaling pathway that is involved in regulation of photoreceptor cell axon guidance. [GOC:obol]' - }, - 'GO:2000306': { - 'name': 'positive regulation of photomorphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of photomorphogenesis. [GOC:obol]' - }, - 'GO:2000307': { - 'name': 'regulation of tumor necrosis factor (ligand) superfamily member 11 production', - 'def': 'Any process that modulates the frequency, rate or extent of tumor necrosis factor (ligand) superfamily member 11 production. [GOC:BHF, GOC:mah]' - }, - 'GO:2000308': { - 'name': 'negative regulation of tumor necrosis factor (ligand) superfamily member 11 production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tumor necrosis factor (ligand) superfamily member 11 production. [GOC:BHF, GOC:mah]' - }, - 'GO:2000309': { - 'name': 'positive regulation of tumor necrosis factor (ligand) superfamily member 11 production', - 'def': 'Any process that activates or increases the frequency, rate or extent of tumor necrosis factor (ligand) superfamily member 11 production. [GOC:BHF, GOC:mah]' - }, - 'GO:2000310': { - 'name': 'regulation of NMDA receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of N-methyl-D-aspartate selective glutamate receptor activity. [GOC:BHF]' - }, - 'GO:2000311': { - 'name': 'regulation of AMPA receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of AMPA selective glutamate receptor activity. [GOC:BHF]' - }, - 'GO:2000312': { - 'name': 'regulation of kainate selective glutamate receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of kainate selective glutamate receptor activity. [GOC:BHF]' - }, - 'GO:2000313': { - 'name': 'regulation of fibroblast growth factor receptor signaling pathway involved in neural plate anterior/posterior pattern formation', - 'def': 'Any process that modulates the frequency, rate or extent of fibroblast growth factor receptor signaling pathway involved in neural plate anterior/posterior pattern formation. [GOC:BHF]' - }, - 'GO:2000314': { - 'name': 'negative regulation of fibroblast growth factor receptor signaling pathway involved in neural plate anterior/posterior pattern formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fibroblast growth factor receptor signaling pathway involved in neural plate anterior/posterior pattern formation. [GOC:BHF]' - }, - 'GO:2000315': { - 'name': 'positive regulation of fibroblast growth factor receptor signaling pathway involved in neural plate anterior/posterior pattern formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of fibroblast growth factor receptor signaling pathway involved in neural plate anterior/posterior pattern formation. [GOC:BHF]' - }, - 'GO:2000316': { - 'name': 'regulation of T-helper 17 type immune response', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 17 type immune response. [GOC:BHF, GOC:mah]' - }, - 'GO:2000317': { - 'name': 'negative regulation of T-helper 17 type immune response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T-helper 17 type immune response. [GOC:BHF, GOC:mah]' - }, - 'GO:2000318': { - 'name': 'positive regulation of T-helper 17 type immune response', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 17 type immune response. [GOC:BHF, GOC:mah]' - }, - 'GO:2000319': { - 'name': 'regulation of T-helper 17 cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 17 cell differentiation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000320': { - 'name': 'negative regulation of T-helper 17 cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T-helper 17 cell differentiation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000321': { - 'name': 'positive regulation of T-helper 17 cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 17 cell differentiation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000322': { - 'name': 'regulation of glucocorticoid receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of glucocorticoid receptor signaling pathway. [GOC:BHF]' - }, - 'GO:2000323': { - 'name': 'negative regulation of glucocorticoid receptor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucocorticoid receptor signaling pathway. [GOC:BHF]' - }, - 'GO:2000324': { - 'name': 'positive regulation of glucocorticoid receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucocorticoid receptor signaling pathway. [GOC:BHF]' - }, - 'GO:2000325': { - 'name': 'regulation of ligand-dependent nuclear receptor transcription coactivator activity', - 'def': 'Any process that modulates the frequency, rate or extent of ligand-dependent nuclear receptor transcription coactivator activity. [GOC:BHF]' - }, - 'GO:2000326': { - 'name': 'negative regulation of ligand-dependent nuclear receptor transcription coactivator activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ligand-dependent nuclear receptor transcription coactivator activity. [GOC:BHF]' - }, - 'GO:2000327': { - 'name': 'positive regulation of ligand-dependent nuclear receptor transcription coactivator activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of ligand-dependent nuclear receptor transcription coactivator activity. [GOC:BHF]' - }, - 'GO:2000328': { - 'name': 'regulation of T-helper 17 cell lineage commitment', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 17 cell lineage commitment. [GOC:BHF, GOC:mah]' - }, - 'GO:2000329': { - 'name': 'negative regulation of T-helper 17 cell lineage commitment', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T-helper 17 cell lineage commitment. [GOC:BHF, GOC:mah]' - }, - 'GO:2000330': { - 'name': 'positive regulation of T-helper 17 cell lineage commitment', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 17 cell lineage commitment. [GOC:BHF, GOC:mah]' - }, - 'GO:2000331': { - 'name': 'regulation of terminal button organization', - 'def': 'Any process that modulates the frequency, rate or extent of terminal button organization. [GOC:BHF, GOC:mah]' - }, - 'GO:2000332': { - 'name': 'regulation of blood microparticle formation', - 'def': 'Any process that modulates the frequency, rate or extent of blood microparticle formation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000333': { - 'name': 'negative regulation of blood microparticle formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of blood microparticle formation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000334': { - 'name': 'positive regulation of blood microparticle formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of blood microparticle formation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000335': { - 'name': 'regulation of endothelial microparticle formation', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial microparticle formation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000336': { - 'name': 'negative regulation of endothelial microparticle formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelial microparticle formation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000337': { - 'name': 'positive regulation of endothelial microparticle formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial microparticle formation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000338': { - 'name': 'regulation of chemokine (C-X-C motif) ligand 1 production', - 'def': 'Any process that modulates the frequency, rate or extent of chemokine (C-X-C motif) ligand 1 production. [GOC:BHF, GOC:mah]' - }, - 'GO:2000339': { - 'name': 'negative regulation of chemokine (C-X-C motif) ligand 1 production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chemokine (C-X-C motif) ligand 1 production. [GOC:BHF, GOC:mah]' - }, - 'GO:2000340': { - 'name': 'positive regulation of chemokine (C-X-C motif) ligand 1 production', - 'def': 'Any process that activates or increases the frequency, rate or extent of chemokine (C-X-C motif) ligand 1 production. [GOC:BHF, GOC:mah]' - }, - 'GO:2000341': { - 'name': 'regulation of chemokine (C-X-C motif) ligand 2 production', - 'def': 'Any process that modulates the frequency, rate or extent of chemokine (C-X-C motif) ligand 2 production. [GOC:BHF, GOC:mah]' - }, - 'GO:2000342': { - 'name': 'negative regulation of chemokine (C-X-C motif) ligand 2 production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chemokine (C-X-C motif) ligand 2 production. [GOC:BHF, GOC:mah]' - }, - 'GO:2000343': { - 'name': 'positive regulation of chemokine (C-X-C motif) ligand 2 production', - 'def': 'Any process that activates or increases the frequency, rate or extent of chemokine (C-X-C motif) ligand 2 production. [GOC:BHF, GOC:mah]' - }, - 'GO:2000344': { - 'name': 'positive regulation of acrosome reaction', - 'def': 'Any process that activates or increases the frequency, rate or extent of the acrosome reaction. [GOC:obol]' - }, - 'GO:2000345': { - 'name': 'regulation of hepatocyte proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of hepatocyte proliferation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000346': { - 'name': 'negative regulation of hepatocyte proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hepatocyte proliferation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000347': { - 'name': 'positive regulation of hepatocyte proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of hepatocyte proliferation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000348': { - 'name': 'regulation of CD40 signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of signaling via the CD40 signaling pathway. [GOC:mah]' - }, - 'GO:2000349': { - 'name': 'negative regulation of CD40 signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of signaling via the CD40 signaling pathway. [GOC:BHF, GOC:mah]' - }, - 'GO:2000350': { - 'name': 'positive regulation of CD40 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of signaling via the CD40 signaling pathway. [GOC:BHF, GOC:mah]' - }, - 'GO:2000351': { - 'name': 'regulation of endothelial cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial cell apoptotic process. [GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:2000352': { - 'name': 'negative regulation of endothelial cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelial cell apoptotic process. [GOC:BHF, GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:2000353': { - 'name': 'positive regulation of endothelial cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial cell apoptotic process. [GOC:BHF, GOC:mah, GOC:mtg_apoptosis]' - }, - 'GO:2000354': { - 'name': 'regulation of ovarian follicle development', - 'def': 'Any process that modulates the frequency, rate or extent of ovarian follicle development. [GOC:obol]' - }, - 'GO:2000355': { - 'name': 'negative regulation of ovarian follicle development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ovarian follicle development. [GOC:obol]' - }, - 'GO:2000356': { - 'name': 'regulation of kidney smooth muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of kidney smooth muscle cell differentiation. [GOC:obol]' - }, - 'GO:2000357': { - 'name': 'negative regulation of kidney smooth muscle cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of kidney smooth muscle cell differentiation. [GOC:obol]' - }, - 'GO:2000358': { - 'name': 'positive regulation of kidney smooth muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of kidney smooth muscle cell differentiation. [GOC:obol]' - }, - 'GO:2000359': { - 'name': 'regulation of binding of sperm to zona pellucida', - 'def': 'Any process that modulates the frequency, rate or extent of binding of sperm to the zona pellucida. [GOC:obol]' - }, - 'GO:2000360': { - 'name': 'negative regulation of binding of sperm to zona pellucida', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of binding of sperm to the zona pellucida. [GOC:obol]' - }, - 'GO:2000361': { - 'name': 'regulation of prostaglandin-E synthase activity', - 'def': 'Any process that modulates the frequency, rate or extent of prostaglandin-E synthase activity. [GOC:BHF]' - }, - 'GO:2000362': { - 'name': 'negative regulation of prostaglandin-E synthase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of prostaglandin-E synthase activity. [GOC:BHF]' - }, - 'GO:2000363': { - 'name': 'positive regulation of prostaglandin-E synthase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of prostaglandin-E synthase activity. [GOC:BHF]' - }, - 'GO:2000364': { - 'name': 'regulation of STAT protein import into nucleus', - 'def': 'Any process that modulates the frequency, rate or extent of STAT protein import into nucleus. [GOC:BHF]' - }, - 'GO:2000365': { - 'name': 'negative regulation of STAT protein import into nucleus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of STAT protein import into nucleus. [GOC:BHF]' - }, - 'GO:2000366': { - 'name': 'positive regulation of STAT protein import into nucleus', - 'def': 'Any process that activates or increases the frequency, rate or extent of STAT protein import into nucleus. [GOC:BHF]' - }, - 'GO:2000367': { - 'name': 'regulation of acrosomal vesicle exocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of acrosomal vesicle exocytosis. [GOC:obol]' - }, - 'GO:2000368': { - 'name': 'positive regulation of acrosomal vesicle exocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of acrosomal vesicle exocytosis. [GOC:obol]' - }, - 'GO:2000369': { - 'name': 'regulation of clathrin-dependent endocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of clathrin-mediated endocytosis. [GOC:mah]' - }, - 'GO:2000370': { - 'name': 'positive regulation of clathrin-dependent endocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of clathrin-mediated endocytosis. [GOC:BHF, GOC:mah]' - }, - 'GO:2000371': { - 'name': 'regulation of DNA topoisomerase (ATP-hydrolyzing) activity', - 'def': 'Any process that modulates the frequency, rate or extent of DNA topoisomerase (ATP-hydrolyzing) activity. [GOC:mah]' - }, - 'GO:2000372': { - 'name': 'negative regulation of DNA topoisomerase (ATP-hydrolyzing) activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of DNA topoisomerase (ATP-hydrolyzing) activity. [GOC:mah]' - }, - 'GO:2000373': { - 'name': 'positive regulation of DNA topoisomerase (ATP-hydrolyzing) activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA topoisomerase (ATP-hydrolyzing) activity. [GOC:mah]' - }, - 'GO:2000374': { - 'name': 'regulation of oxygen metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of oxygen metabolic process. [GOC:mah]' - }, - 'GO:2000375': { - 'name': 'negative regulation of oxygen metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oxygen metabolic process. [GOC:mah]' - }, - 'GO:2000376': { - 'name': 'positive regulation of oxygen metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of oxygen metabolic process. [GOC:mah]' - }, - 'GO:2000377': { - 'name': 'regulation of reactive oxygen species metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of reactive oxygen species metabolic process. [GOC:mah]' - }, - 'GO:2000378': { - 'name': 'negative regulation of reactive oxygen species metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of reactive oxygen species metabolic process. [GOC:mah]' - }, - 'GO:2000379': { - 'name': 'positive regulation of reactive oxygen species metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of reactive oxygen species metabolic process. [GOC:mah]' - }, - 'GO:2000380': { - 'name': 'regulation of mesoderm development', - 'def': 'Any process that modulates the frequency, rate or extent of mesoderm development. [GOC:BHF]' - }, - 'GO:2000381': { - 'name': 'negative regulation of mesoderm development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mesoderm development. [GOC:BHF]' - }, - 'GO:2000382': { - 'name': 'positive regulation of mesoderm development', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesoderm development. [GOC:BHF]' - }, - 'GO:2000383': { - 'name': 'regulation of ectoderm development', - 'def': 'Any process that modulates the frequency, rate or extent of ectoderm development. [GOC:BHF]' - }, - 'GO:2000384': { - 'name': 'negative regulation of ectoderm development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ectoderm development. [GOC:BHF]' - }, - 'GO:2000385': { - 'name': 'positive regulation of ectoderm development', - 'def': 'Any process that activates or increases the frequency, rate or extent of ectoderm development. [GOC:BHF]' - }, - 'GO:2000386': { - 'name': 'positive regulation of ovarian follicle development', - 'def': 'Any process that activates or increases the frequency, rate or extent of ovarian follicle development. [GOC:obol]' - }, - 'GO:2000387': { - 'name': 'regulation of antral ovarian follicle growth', - 'def': 'Any process that modulates the frequency, rate or extent of antral ovarian follicle growth. [GOC:obol]' - }, - 'GO:2000388': { - 'name': 'positive regulation of antral ovarian follicle growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of antral ovarian follicle growth. [GOC:obol]' - }, - 'GO:2000389': { - 'name': 'regulation of neutrophil extravasation', - 'def': 'Any process that modulates the frequency, rate or extent of neutrophil extravasation. [GOC:mah]' - }, - 'GO:2000390': { - 'name': 'negative regulation of neutrophil extravasation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neutrophil extravasation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000391': { - 'name': 'positive regulation of neutrophil extravasation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neutrophil extravasation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000392': { - 'name': 'regulation of lamellipodium morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of lamellipodium morphogenesis. [GOC:mah]' - }, - 'GO:2000393': { - 'name': 'negative regulation of lamellipodium morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lamellipodium morphogenesis. [GOC:BHF, GOC:mah]' - }, - 'GO:2000394': { - 'name': 'positive regulation of lamellipodium morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of lamellipodium morphogenesis. [GOC:BHF, GOC:mah]' - }, - 'GO:2000395': { - 'name': 'regulation of ubiquitin-dependent endocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of ubiquitin-dependent endocytosis. [GOC:mah]' - }, - 'GO:2000396': { - 'name': 'negative regulation of ubiquitin-dependent endocytosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ubiquitin-dependent endocytosis. [GOC:mah]' - }, - 'GO:2000397': { - 'name': 'positive regulation of ubiquitin-dependent endocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of ubiquitin-dependent endocytosis. [GOC:mah]' - }, - 'GO:2000398': { - 'name': 'regulation of thymocyte aggregation', - 'def': 'Any process that modulates the frequency, rate or extent of thymocyte aggregation. [GOC:mah]' - }, - 'GO:2000399': { - 'name': 'negative regulation of thymocyte aggregation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of thymocyte aggregation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000400': { - 'name': 'positive regulation of thymocyte aggregation', - 'def': 'Any process that activates or increases the frequency, rate or extent of thymocyte aggregation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000401': { - 'name': 'regulation of lymphocyte migration', - 'def': 'Any process that modulates the frequency, rate or extent of lymphocyte migration. [GOC:mah]' - }, - 'GO:2000402': { - 'name': 'negative regulation of lymphocyte migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lymphocyte migration. [GOC:mah]' - }, - 'GO:2000403': { - 'name': 'positive regulation of lymphocyte migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of lymphocyte migration. [GOC:mah]' - }, - 'GO:2000404': { - 'name': 'regulation of T cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of T cell migration. [GOC:mah]' - }, - 'GO:2000405': { - 'name': 'negative regulation of T cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T cell migration. [GOC:mah]' - }, - 'GO:2000406': { - 'name': 'positive regulation of T cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of T cell migration. [GOC:mah]' - }, - 'GO:2000407': { - 'name': 'regulation of T cell extravasation', - 'def': 'Any process that modulates the frequency, rate or extent of T cell extravasation. [GOC:mah]' - }, - 'GO:2000408': { - 'name': 'negative regulation of T cell extravasation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T cell extravasation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000409': { - 'name': 'positive regulation of T cell extravasation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T cell extravasation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000410': { - 'name': 'regulation of thymocyte migration', - 'def': 'Any process that modulates the frequency, rate or extent of thymocyte migration. [GOC:mah]' - }, - 'GO:2000411': { - 'name': 'negative regulation of thymocyte migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of thymocyte migration. [GOC:mah]' - }, - 'GO:2000412': { - 'name': 'positive regulation of thymocyte migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of thymocyte migration. [GOC:mah]' - }, - 'GO:2000413': { - 'name': 'regulation of fibronectin-dependent thymocyte migration', - 'def': 'Any process that modulates the frequency, rate or extent of fibronectin-dependent thymocyte migration. [GOC:mah]' - }, - 'GO:2000414': { - 'name': 'negative regulation of fibronectin-dependent thymocyte migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fibronectin-dependent thymocyte migration. [GOC:BHF, GOC:mah]' - }, - 'GO:2000415': { - 'name': 'positive regulation of fibronectin-dependent thymocyte migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of fibronectin-dependent thymocyte migration. [GOC:BHF, GOC:mah]' - }, - 'GO:2000416': { - 'name': 'regulation of eosinophil migration', - 'def': 'Any process that modulates the frequency, rate or extent of eosinophil migration. [GOC:mah]' - }, - 'GO:2000417': { - 'name': 'negative regulation of eosinophil migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of eosinophil migration. [GOC:mah]' - }, - 'GO:2000418': { - 'name': 'positive regulation of eosinophil migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of eosinophil migration. [GOC:mah]' - }, - 'GO:2000419': { - 'name': 'regulation of eosinophil extravasation', - 'def': 'Any process that modulates the frequency, rate or extent of eosinophil extravasation. [GOC:mah]' - }, - 'GO:2000420': { - 'name': 'negative regulation of eosinophil extravasation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of eosinophil extravasation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000421': { - 'name': 'positive regulation of eosinophil extravasation', - 'def': 'Any process that activates or increases the frequency, rate or extent of eosinophil extravasation. [GOC:BHF, GOC:mah]' - }, - 'GO:2000422': { - 'name': 'regulation of eosinophil chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of eosinophil chemotaxis. [GOC:obol]' - }, - 'GO:2000423': { - 'name': 'negative regulation of eosinophil chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of eosinophil chemotaxis. [GOC:obol]' - }, - 'GO:2000424': { - 'name': 'positive regulation of eosinophil chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of eosinophil chemotaxis. [GOC:obol]' - }, - 'GO:2000425': { - 'name': 'regulation of apoptotic cell clearance', - 'def': 'Any process that modulates the frequency, rate or extent of apoptotic cell clearance. [GOC:obol]' - }, - 'GO:2000426': { - 'name': 'negative regulation of apoptotic cell clearance', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apoptotic cell clearance. [GOC:obol]' - }, - 'GO:2000427': { - 'name': 'positive regulation of apoptotic cell clearance', - 'def': 'Any process that activates or increases the frequency, rate or extent of apoptotic cell clearance. [GOC:obol]' - }, - 'GO:2000428': { - 'name': 'regulation of neutrophil aggregation', - 'def': 'Any process that modulates the frequency, rate or extent of neutrophil aggregation. [GOC:BHF]' - }, - 'GO:2000429': { - 'name': 'negative regulation of neutrophil aggregation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neutrophil aggregation. [GOC:BHF]' - }, - 'GO:2000430': { - 'name': 'positive regulation of neutrophil aggregation', - 'def': 'Any process that activates or increases the frequency, rate or extent of neutrophil aggregation. [GOC:BHF]' - }, - 'GO:2000431': { - 'name': 'regulation of cytokinesis, actomyosin contractile ring assembly', - 'def': 'Any process that modulates the frequency, rate or extent of cytokinesis, actomyosin contractile ring assembly. [GOC:obol]' - }, - 'GO:2000432': { - 'name': 'negative regulation of cytokinesis, actomyosin contractile ring assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cytokinesis, actomyosin contractile ring assembly. [GOC:obol]' - }, - 'GO:2000433': { - 'name': 'positive regulation of cytokinesis, actomyosin contractile ring assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytokinesis, actomyosin contractile ring assembly. [GOC:obol]' - }, - 'GO:2000434': { - 'name': 'regulation of protein neddylation', - 'def': 'Any process that modulates the frequency, rate or extent of protein neddylation. [GOC:obol]' - }, - 'GO:2000435': { - 'name': 'negative regulation of protein neddylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein neddylation. [GOC:obol]' - }, - 'GO:2000436': { - 'name': 'positive regulation of protein neddylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein neddylation. [GOC:obol]' - }, - 'GO:2000437': { - 'name': 'regulation of monocyte extravasation', - 'def': 'Any process that modulates the frequency, rate or extent of monocyte extravasation. [GOC:obol]' - }, - 'GO:2000438': { - 'name': 'negative regulation of monocyte extravasation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of monocyte extravasation. [GOC:obol]' - }, - 'GO:2000439': { - 'name': 'positive regulation of monocyte extravasation', - 'def': 'Any process that activates or increases the frequency, rate or extent of monocyte extravasation. [GOC:obol]' - }, - 'GO:2000440': { - 'name': 'regulation of toll-like receptor 15 signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of toll-like receptor 15 signaling pathway. [GOC:obol]' - }, - 'GO:2000441': { - 'name': 'negative regulation of toll-like receptor 15 signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of toll-like receptor 15 signaling pathway. [GOC:obol]' - }, - 'GO:2000442': { - 'name': 'positive regulation of toll-like receptor 15 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of toll-like receptor 15 signaling pathway. [GOC:obol]' - }, - 'GO:2000443': { - 'name': 'regulation of toll-like receptor 21 signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of toll-like receptor 21 signaling pathway. [GOC:obol]' - }, - 'GO:2000444': { - 'name': 'negative regulation of toll-like receptor 21 signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of toll-like receptor 21 signaling pathway. [GOC:obol]' - }, - 'GO:2000445': { - 'name': 'positive regulation of toll-like receptor 21 signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of toll-like receptor 21 signaling pathway. [GOC:obol]' - }, - 'GO:2000446': { - 'name': 'regulation of macrophage migration inhibitory factor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of macrophage migration inhibitory factor signaling pathway. [GOC:obol]' - }, - 'GO:2000447': { - 'name': 'negative regulation of macrophage migration inhibitory factor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of macrophage migration inhibitory factor signaling pathway. [GOC:obol]' - }, - 'GO:2000448': { - 'name': 'positive regulation of macrophage migration inhibitory factor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of macrophage migration inhibitory factor signaling pathway. [GOC:obol]' - }, - 'GO:2000449': { - 'name': 'regulation of CD8-positive, alpha-beta T cell extravasation', - 'def': 'Any process that modulates the frequency, rate or extent of CD8-positive, alpha-beta T cell extravasation. [GOC:obol]' - }, - 'GO:2000450': { - 'name': 'negative regulation of CD8-positive, alpha-beta T cell extravasation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CD8-positive, alpha-beta T cell extravasation. [GOC:obol]' - }, - 'GO:2000451': { - 'name': 'positive regulation of CD8-positive, alpha-beta T cell extravasation', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD8-positive, alpha-beta T cell extravasation. [GOC:obol]' - }, - 'GO:2000452': { - 'name': 'regulation of CD8-positive, alpha-beta cytotoxic T cell extravasation', - 'def': 'Any process that modulates the frequency, rate or extent of CD8-positive, alpha-beta cytotoxic T cell extravasation. [GOC:obol]' - }, - 'GO:2000453': { - 'name': 'negative regulation of CD8-positive, alpha-beta cytotoxic T cell extravasation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CD8-positive, alpha-beta cytotoxic T cell extravasation. [GOC:obol]' - }, - 'GO:2000454': { - 'name': 'positive regulation of CD8-positive, alpha-beta cytotoxic T cell extravasation', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD8-positive, alpha-beta cytotoxic T cell extravasation. [GOC:obol]' - }, - 'GO:2000455': { - 'name': 'regulation of T-helper 17 cell extravasation', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 17 cell extravasation. [GOC:obol]' - }, - 'GO:2000456': { - 'name': 'negative regulation of T-helper 17 cell extravasation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T-helper 17 cell extravasation. [GOC:obol]' - }, - 'GO:2000457': { - 'name': 'positive regulation of T-helper 17 cell extravasation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 17 cell extravasation. [GOC:obol]' - }, - 'GO:2000458': { - 'name': 'regulation of astrocyte chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of astrocyte chemotaxis. [GOC:obol]' - }, - 'GO:2000459': { - 'name': 'negative regulation of astrocyte chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of astrocyte chemotaxis. [GOC:obol]' - }, - 'GO:2000460': { - 'name': 'obsolete regulation of eukaryotic cell surface binding', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of eukaryotic cell surface binding. [GOC:obol]' - }, - 'GO:2000461': { - 'name': 'obsolete negative regulation of eukaryotic cell surface binding', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of eukaryotic cell surface binding. [GOC:obol]' - }, - 'GO:2000462': { - 'name': 'obsolete positive regulation of eukaryotic cell surface binding', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of eukaryotic cell surface binding. [GOC:obol]' - }, - 'GO:2000463': { - 'name': 'positive regulation of excitatory postsynaptic potential', - 'def': 'Any process that enhances the establishment or increases the extent of the excitatory postsynaptic potential (EPSP) which is a temporary increase in postsynaptic potential due to the flow of positively charged ions into the postsynaptic cell. The flow of ions that causes an EPSP is an excitatory postsynaptic current (EPSC) and makes it easier for the neuron to fire an action potential. [GOC:bf, GOC:BHF]' - }, - 'GO:2000464': { - 'name': 'positive regulation of astrocyte chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of astrocyte chemotaxis. [GOC:obol]' - }, - 'GO:2000465': { - 'name': 'regulation of glycogen (starch) synthase activity', - 'def': 'Any process that modulates the frequency, rate or extent of glycogen (starch) synthase activity. [GOC:obol]' - }, - 'GO:2000466': { - 'name': 'negative regulation of glycogen (starch) synthase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glycogen (starch) synthase activity. [GOC:obol]' - }, - 'GO:2000467': { - 'name': 'positive regulation of glycogen (starch) synthase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of glycogen (starch) synthase activity. [GOC:obol]' - }, - 'GO:2000468': { - 'name': 'regulation of peroxidase activity', - 'def': 'Any process that modulates the frequency, rate or extent of peroxidase activity. [GOC:obol]' - }, - 'GO:2000469': { - 'name': 'negative regulation of peroxidase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of peroxidase activity. [GOC:obol]' - }, - 'GO:2000470': { - 'name': 'positive regulation of peroxidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of peroxidase activity. [GOC:obol]' - }, - 'GO:2000471': { - 'name': 'regulation of hematopoietic stem cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of hematopoietic stem cell migration. [GOC:obol]' - }, - 'GO:2000472': { - 'name': 'negative regulation of hematopoietic stem cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hematopoietic stem cell migration. [GOC:obol]' - }, - 'GO:2000473': { - 'name': 'positive regulation of hematopoietic stem cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of hematopoietic stem cell migration. [GOC:obol]' - }, - 'GO:2000474': { - 'name': 'regulation of opioid receptor signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of opioid receptor signaling pathway. [GOC:obol]' - }, - 'GO:2000475': { - 'name': 'negative regulation of opioid receptor signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of opioid receptor signaling pathway. [GOC:obol]' - }, - 'GO:2000476': { - 'name': 'positive regulation of opioid receptor signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of opioid receptor signaling pathway. [GOC:obol]' - }, - 'GO:2000477': { - 'name': 'regulation of metanephric glomerular visceral epithelial cell development', - 'def': 'Any process that modulates the frequency, rate or extent of metanephric glomerular visceral epithelial cell development. [GOC:obol]' - }, - 'GO:2000478': { - 'name': 'positive regulation of metanephric glomerular visceral epithelial cell development', - 'def': 'Any process that activates or increases the frequency, rate or extent of metanephric glomerular visceral epithelial cell development. [GOC:obol]' - }, - 'GO:2000479': { - 'name': 'regulation of cAMP-dependent protein kinase activity', - 'def': 'Any process that modulates the frequency, rate or extent of cAMP-dependent protein kinase activity. [GOC:obol]' - }, - 'GO:2000480': { - 'name': 'negative regulation of cAMP-dependent protein kinase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cAMP-dependent protein kinase activity. [GOC:obol]' - }, - 'GO:2000481': { - 'name': 'positive regulation of cAMP-dependent protein kinase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of cAMP-dependent protein kinase activity. [GOC:obol]' - }, - 'GO:2000482': { - 'name': 'regulation of interleukin-8 secretion', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-8 secretion. [GOC:obol]' - }, - 'GO:2000483': { - 'name': 'negative regulation of interleukin-8 secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-8 secretion. [GOC:obol]' - }, - 'GO:2000484': { - 'name': 'positive regulation of interleukin-8 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-8 secretion. [GOC:obol]' - }, - 'GO:2000485': { - 'name': 'regulation of glutamine transport', - 'def': 'Any process that modulates the frequency, rate or extent of glutamine transport. [GOC:obol]' - }, - 'GO:2000486': { - 'name': 'negative regulation of glutamine transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glutamine transport. [GOC:obol]' - }, - 'GO:2000487': { - 'name': 'positive regulation of glutamine transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of glutamine transport. [GOC:obol]' - }, - 'GO:2000488': { - 'name': 'positive regulation of brassinosteroid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of brassinosteroid biosynthetic process. [GOC:obol]' - }, - 'GO:2000489': { - 'name': 'regulation of hepatic stellate cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of hepatic stellate cell activation. [GOC:obol]' - }, - 'GO:2000490': { - 'name': 'negative regulation of hepatic stellate cell activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hepatic stellate cell activation. [GOC:obol]' - }, - 'GO:2000491': { - 'name': 'positive regulation of hepatic stellate cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of hepatic stellate cell activation. [GOC:obol]' - }, - 'GO:2000492': { - 'name': 'regulation of interleukin-18-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-18-mediated signaling pathway. [GOC:obol]' - }, - 'GO:2000493': { - 'name': 'negative regulation of interleukin-18-mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-18-mediated signaling pathway. [GOC:obol]' - }, - 'GO:2000494': { - 'name': 'positive regulation of interleukin-18-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-18-mediated signaling pathway. [GOC:obol]' - }, - 'GO:2000495': { - 'name': 'regulation of cell proliferation involved in compound eye morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of cell proliferation involved in compound eye morphogenesis. [GOC:obol]' - }, - 'GO:2000496': { - 'name': 'negative regulation of cell proliferation involved in compound eye morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell proliferation involved in compound eye morphogenesis. [GOC:obol]' - }, - 'GO:2000497': { - 'name': 'positive regulation of cell proliferation involved in compound eye morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell proliferation involved in compound eye morphogenesis. [GOC:obol]' - }, - 'GO:2000498': { - 'name': 'obsolete regulation of induction of apoptosis in response to chemical stimulus', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of induction of apoptosis in response to chemical stimulus. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000499': { - 'name': 'obsolete negative regulation of induction of apoptosis in response to chemical stimulus', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of induction of apoptosis in response to chemical stimulus. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000500': { - 'name': 'obsolete positive regulation of induction of apoptosis in response to chemical stimulus', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of induction of apoptosis in response to chemical stimulus. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000501': { - 'name': 'regulation of natural killer cell chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of natural killer cell chemotaxis. [GOC:BHF]' - }, - 'GO:2000502': { - 'name': 'negative regulation of natural killer cell chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of natural killer cell chemotaxis. [GOC:BHF]' - }, - 'GO:2000503': { - 'name': 'positive regulation of natural killer cell chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of natural killer cell chemotaxis. [GOC:BHF]' - }, - 'GO:2000504': { - 'name': 'positive regulation of blood vessel remodeling', - 'def': 'Any process that activates or increases the frequency, rate or extent of blood vessel remodeling. [GOC:obol]' - }, - 'GO:2000505': { - 'name': 'regulation of energy homeostasis', - 'def': 'Any process that modulates the frequency, rate or extent of energy homeostasis. [GOC:obol, GOC:yaf]' - }, - 'GO:2000506': { - 'name': 'negative regulation of energy homeostasis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of energy homeostasis. [GOC:obol, GOC:yaf]' - }, - 'GO:2000507': { - 'name': 'positive regulation of energy homeostasis', - 'def': 'Any process that activates or increases the frequency, rate or extent of energy homeostasis. [GOC:obol, GOC:yaf]' - }, - 'GO:2000508': { - 'name': 'regulation of dendritic cell chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of dendritic cell chemotaxis. [GOC:obol]' - }, - 'GO:2000509': { - 'name': 'negative regulation of dendritic cell chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dendritic cell chemotaxis. [GOC:obol]' - }, - 'GO:2000510': { - 'name': 'positive regulation of dendritic cell chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of dendritic cell chemotaxis. [GOC:obol]' - }, - 'GO:2000511': { - 'name': 'regulation of granzyme A production', - 'def': 'Any process that modulates the frequency, rate or extent of granzyme A production. [GOC:obol]' - }, - 'GO:2000512': { - 'name': 'negative regulation of granzyme A production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of granzyme A production. [GOC:obol]' - }, - 'GO:2000513': { - 'name': 'positive regulation of granzyme A production', - 'def': 'Any process that activates or increases the frequency, rate or extent of granzyme A production. [GOC:obol]' - }, - 'GO:2000514': { - 'name': 'regulation of CD4-positive, alpha-beta T cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of CD4-positive, alpha-beta T cell activation. [GOC:obol]' - }, - 'GO:2000515': { - 'name': 'negative regulation of CD4-positive, alpha-beta T cell activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CD4-positive, alpha-beta T cell activation. [GOC:obol]' - }, - 'GO:2000516': { - 'name': 'positive regulation of CD4-positive, alpha-beta T cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD4-positive, alpha-beta T cell activation. [GOC:obol]' - }, - 'GO:2000517': { - 'name': 'regulation of T-helper 1 cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 1 cell activation. [GOC:obol]' - }, - 'GO:2000518': { - 'name': 'negative regulation of T-helper 1 cell activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T-helper 1 cell activation. [GOC:obol]' - }, - 'GO:2000519': { - 'name': 'positive regulation of T-helper 1 cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 1 cell activation. [GOC:obol]' - }, - 'GO:2000520': { - 'name': 'regulation of immunological synapse formation', - 'def': 'Any process that modulates the frequency, rate or extent of immunological synapse formation. [GOC:obol]' - }, - 'GO:2000521': { - 'name': 'negative regulation of immunological synapse formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of immunological synapse formation. [GOC:obol]' - }, - 'GO:2000522': { - 'name': 'positive regulation of immunological synapse formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of immunological synapse formation. [GOC:obol]' - }, - 'GO:2000523': { - 'name': 'regulation of T cell costimulation', - 'def': 'Any process that modulates the frequency, rate or extent of T cell costimulation. [GOC:obol]' - }, - 'GO:2000524': { - 'name': 'negative regulation of T cell costimulation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T cell costimulation. [GOC:obol]' - }, - 'GO:2000525': { - 'name': 'positive regulation of T cell costimulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T cell costimulation. [GOC:obol]' - }, - 'GO:2000526': { - 'name': 'positive regulation of glycoprotein biosynthetic process involved in immunological synapse formation', - 'def': 'Any positive regulation of glycoprotein biosynthetic process that is involved in immunological synapse formation. [GOC:obol]' - }, - 'GO:2000527': { - 'name': 'regulation of myeloid dendritic cell chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of myeloid dendritic cell chemotaxis. [GOC:obol]' - }, - 'GO:2000528': { - 'name': 'negative regulation of myeloid dendritic cell chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of myeloid dendritic cell chemotaxis. [GOC:obol]' - }, - 'GO:2000529': { - 'name': 'positive regulation of myeloid dendritic cell chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of myeloid dendritic cell chemotaxis. [GOC:obol]' - }, - 'GO:2000530': { - 'name': 'obsolete positive regulation of regulation of insulin secretion involved in cellular response to glucose stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of regulation of insulin secretion involved in cellular response to glucose stimulus. [GOC:obol]' - }, - 'GO:2000531': { - 'name': 'regulation of fatty acid biosynthetic process by regulation of transcription from RNA polymerase II promoter', - 'def': 'Any process that modulates the frequency, rate or extent of the biosynthesis of fatty acids, by modulating the frequency, rate or extent of transcription from an RNA polymerase II promoter. [GOC:vw]' - }, - 'GO:2000532': { - 'name': 'regulation of renal albumin absorption', - 'def': 'Any process that modulates the frequency, rate or extent of renal albumin absorption. [GOC:obol, GOC:yaf]' - }, - 'GO:2000533': { - 'name': 'negative regulation of renal albumin absorption', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of renal albumin absorption. [GOC:obol, GOC:yaf]' - }, - 'GO:2000534': { - 'name': 'positive regulation of renal albumin absorption', - 'def': 'Any process that activates or increases the frequency, rate or extent of renal albumin absorption. [GOC:obol, GOC:yaf]' - }, - 'GO:2000535': { - 'name': 'regulation of entry of bacterium into host cell', - 'def': 'Any process that modulates the frequency, rate or extent of entry of bacterium into host cell. [GOC:obol]' - }, - 'GO:2000536': { - 'name': 'negative regulation of entry of bacterium into host cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of entry of bacterium into host cell. [GOC:obol]' - }, - 'GO:2000537': { - 'name': 'regulation of B cell chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of B cell chemotaxis. [GOC:obol]' - }, - 'GO:2000538': { - 'name': 'positive regulation of B cell chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of B cell chemotaxis. [GOC:obol]' - }, - 'GO:2000539': { - 'name': 'regulation of protein geranylgeranylation', - 'def': 'Any process that modulates the frequency, rate or extent of protein geranylgeranylation. [GOC:obol]' - }, - 'GO:2000540': { - 'name': 'negative regulation of protein geranylgeranylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of protein geranylgeranylation. [GOC:obol]' - }, - 'GO:2000541': { - 'name': 'positive regulation of protein geranylgeranylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein geranylgeranylation. [GOC:obol]' - }, - 'GO:2000542': { - 'name': 'negative regulation of gastrulation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gastrulation. [GOC:obol]' - }, - 'GO:2000543': { - 'name': 'positive regulation of gastrulation', - 'def': 'Any process that activates or increases the frequency, rate or extent of gastrulation. [GOC:obol]' - }, - 'GO:2000544': { - 'name': 'regulation of endothelial cell chemotaxis to fibroblast growth factor', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial cell chemotaxis to fibroblast growth factor. [GOC:obol]' - }, - 'GO:2000545': { - 'name': 'negative regulation of endothelial cell chemotaxis to fibroblast growth factor', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelial cell chemotaxis to fibroblast growth factor. [GOC:obol]' - }, - 'GO:2000546': { - 'name': 'positive regulation of endothelial cell chemotaxis to fibroblast growth factor', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial cell chemotaxis to fibroblast growth factor. [GOC:obol]' - }, - 'GO:2000547': { - 'name': 'regulation of dendritic cell dendrite assembly', - 'def': 'Any process that modulates the frequency, rate or extent of dendritic cell dendrite assembly. [GOC:obol]' - }, - 'GO:2000548': { - 'name': 'negative regulation of dendritic cell dendrite assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dendritic cell dendrite assembly. [GOC:obol]' - }, - 'GO:2000549': { - 'name': 'positive regulation of dendritic cell dendrite assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of dendritic cell dendrite assembly. [GOC:obol]' - }, - 'GO:2000550': { - 'name': 'negative regulation of B cell chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of B cell chemotaxis. [GOC:obol]' - }, - 'GO:2000551': { - 'name': 'regulation of T-helper 2 cell cytokine production', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 2 cell cytokine production. [GOC:obol]' - }, - 'GO:2000552': { - 'name': 'negative regulation of T-helper 2 cell cytokine production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T-helper 2 cell cytokine production. [GOC:obol]' - }, - 'GO:2000553': { - 'name': 'positive regulation of T-helper 2 cell cytokine production', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 2 cell cytokine production. [GOC:obol]' - }, - 'GO:2000554': { - 'name': 'regulation of T-helper 1 cell cytokine production', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 1 cell cytokine production. [GOC:obol]' - }, - 'GO:2000555': { - 'name': 'negative regulation of T-helper 1 cell cytokine production', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T-helper 1 cell cytokine production. [GOC:obol]' - }, - 'GO:2000556': { - 'name': 'positive regulation of T-helper 1 cell cytokine production', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 1 cell cytokine production. [GOC:obol]' - }, - 'GO:2000557': { - 'name': 'regulation of immunoglobulin production in mucosal tissue', - 'def': 'Any process that modulates the frequency, rate or extent of immunoglobulin production in mucosal tissue. [GOC:obol]' - }, - 'GO:2000558': { - 'name': 'positive regulation of immunoglobulin production in mucosal tissue', - 'def': 'Any process that activates or increases the frequency, rate or extent of immunoglobulin production in mucosal tissue. [GOC:obol]' - }, - 'GO:2000559': { - 'name': 'regulation of CD24 biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of CD24 biosynthetic process. [GOC:obol]' - }, - 'GO:2000560': { - 'name': 'positive regulation of CD24 biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD24 biosynthetic process. [GOC:obol]' - }, - 'GO:2000561': { - 'name': 'regulation of CD4-positive, alpha-beta T cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of CD4-positive, alpha-beta T cell proliferation. [GOC:obol]' - }, - 'GO:2000562': { - 'name': 'negative regulation of CD4-positive, alpha-beta T cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CD4-positive, alpha-beta T cell proliferation. [GOC:obol]' - }, - 'GO:2000563': { - 'name': 'positive regulation of CD4-positive, alpha-beta T cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD4-positive, alpha-beta T cell proliferation. [GOC:obol]' - }, - 'GO:2000564': { - 'name': 'regulation of CD8-positive, alpha-beta T cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of CD8-positive, alpha-beta T cell proliferation. [GOC:obol]' - }, - 'GO:2000565': { - 'name': 'negative regulation of CD8-positive, alpha-beta T cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CD8-positive, alpha-beta T cell proliferation. [GOC:obol]' - }, - 'GO:2000566': { - 'name': 'positive regulation of CD8-positive, alpha-beta T cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD8-positive, alpha-beta T cell proliferation. [GOC:obol]' - }, - 'GO:2000567': { - 'name': 'regulation of memory T cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of memory T cell activation. [GOC:obol]' - }, - 'GO:2000568': { - 'name': 'positive regulation of memory T cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of memory T cell activation. [GOC:obol]' - }, - 'GO:2000569': { - 'name': 'regulation of T-helper 2 cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of T-helper 2 cell activation. [GOC:obol]' - }, - 'GO:2000570': { - 'name': 'positive regulation of T-helper 2 cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of T-helper 2 cell activation. [GOC:obol]' - }, - 'GO:2000571': { - 'name': 'regulation of interleukin-4-dependent isotype switching to IgE isotypes', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-4-dependent isotype switching to IgE isotypes. [GOC:obol]' - }, - 'GO:2000572': { - 'name': 'positive regulation of interleukin-4-dependent isotype switching to IgE isotypes', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-4-dependent isotype switching to IgE isotypes. [GOC:obol]' - }, - 'GO:2000573': { - 'name': 'positive regulation of DNA biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of DNA biosynthetic process. [GOC:obol]' - }, - 'GO:2000574': { - 'name': 'regulation of microtubule motor activity', - 'def': 'Any process that modulates the frequency, rate or extent of microtubule motor activity. [GOC:kmv]' - }, - 'GO:2000575': { - 'name': 'negative regulation of microtubule motor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of microtubule motor activity. [GOC:kmv]' - }, - 'GO:2000576': { - 'name': 'positive regulation of microtubule motor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of microtubule motor activity. [GOC:kmv]' - }, - 'GO:2000577': { - 'name': 'regulation of ATP-dependent microtubule motor activity, minus-end-directed', - 'def': 'Any process that modulates the frequency, rate or extent of ATP-dependent microtubule motor activity, minus-end-directed. [GOC:kmv, GOC:vw]' - }, - 'GO:2000578': { - 'name': 'negative regulation of ATP-dependent microtubule motor activity, minus-end-directed', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ATP-dependent microtubule motor activity, minus-end-directed. [GOC:kmv, GOC:vw]' - }, - 'GO:2000579': { - 'name': 'positive regulation of ATP-dependent microtubule motor activity, minus-end-directed', - 'def': 'Any process that activates or increases the frequency, rate or extent of ATP-dependent microtubule motor activity, minus-end-directed. [GOC:kmv, GOC:vw]' - }, - 'GO:2000580': { - 'name': 'regulation of ATP-dependent microtubule motor activity, plus-end-directed', - 'def': 'Any process that modulates the frequency, rate or extent of ATP-dependent microtubule motor activity, plus-end-directed. [GOC:kmv, GOC:vw]' - }, - 'GO:2000581': { - 'name': 'negative regulation of ATP-dependent microtubule motor activity, plus-end-directed', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ATP-dependent microtubule motor activity, plus-end-directed. [GOC:kmv, GOC:vw]' - }, - 'GO:2000582': { - 'name': 'positive regulation of ATP-dependent microtubule motor activity, plus-end-directed', - 'def': 'Any process that activates or increases the frequency, rate or extent of ATP-dependent microtubule motor activity, plus-end-directed. [GOC:kmv, GOC:vw]' - }, - 'GO:2000583': { - 'name': 'regulation of platelet-derived growth factor receptor-alpha signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of platelet-derived growth factor receptor-alpha signaling pathway. [GOC:obol]' - }, - 'GO:2000584': { - 'name': 'negative regulation of platelet-derived growth factor receptor-alpha signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of platelet-derived growth factor receptor-alpha signaling pathway. [GOC:obol, GOC:yaf]' - }, - 'GO:2000585': { - 'name': 'positive regulation of platelet-derived growth factor receptor-alpha signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of platelet-derived growth factor receptor-alpha signaling pathway. [GOC:obol]' - }, - 'GO:2000586': { - 'name': 'regulation of platelet-derived growth factor receptor-beta signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of platelet-derived growth factor receptor-beta signaling pathway. [GOC:obol]' - }, - 'GO:2000587': { - 'name': 'negative regulation of platelet-derived growth factor receptor-beta signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of platelet-derived growth factor receptor-beta signaling pathway. [GOC:obol]' - }, - 'GO:2000588': { - 'name': 'positive regulation of platelet-derived growth factor receptor-beta signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of platelet-derived growth factor receptor-beta signaling pathway. [GOC:obol]' - }, - 'GO:2000589': { - 'name': 'regulation of metanephric mesenchymal cell migration', - 'def': 'Any process that modulates the frequency, rate or extent of metanephric mesenchymal cell migration. [GOC:obol]' - }, - 'GO:2000590': { - 'name': 'negative regulation of metanephric mesenchymal cell migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metanephric mesenchymal cell migration. [GOC:obol]' - }, - 'GO:2000591': { - 'name': 'positive regulation of metanephric mesenchymal cell migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of metanephric mesenchymal cell migration. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000592': { - 'name': 'regulation of metanephric DCT cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of metanephric DCT cell differentiation. [GOC:obol]' - }, - 'GO:2000593': { - 'name': 'negative regulation of metanephric DCT cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metanephric DCT cell differentiation. [GOC:obol]' - }, - 'GO:2000594': { - 'name': 'positive regulation of metanephric DCT cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of metanephric DCT cell differentiation. [GOC:obol]' - }, - 'GO:2000595': { - 'name': 'regulation of optic nerve formation', - 'def': 'Any process that modulates the frequency, rate or extent of optic nerve formation. [GOC:obol]' - }, - 'GO:2000596': { - 'name': 'negative regulation of optic nerve formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of optic nerve formation. [GOC:obol]' - }, - 'GO:2000597': { - 'name': 'positive regulation of optic nerve formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of optic nerve formation. [GOC:obol]' - }, - 'GO:2000601': { - 'name': 'positive regulation of Arp2/3 complex-mediated actin nucleation', - 'def': 'Any process that activates or increases the frequency, rate or extent of Arp2/3 complex-mediated actin nucleation. [PMID:21454476]' - }, - 'GO:2000602': { - 'name': 'obsolete regulation of interphase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of interphase of mitotic cell cycle. [GOC:obol]' - }, - 'GO:2000603': { - 'name': 'regulation of secondary growth', - 'def': 'Any process that modulates the frequency, rate or extent of secondary growth. [GOC:obol]' - }, - 'GO:2000604': { - 'name': 'negative regulation of secondary growth', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of secondary growth. [GOC:obol]' - }, - 'GO:2000605': { - 'name': 'positive regulation of secondary growth', - 'def': 'Any process that activates or increases the frequency, rate or extent of secondary growth. [GOC:obol]' - }, - 'GO:2000606': { - 'name': 'regulation of cell proliferation involved in mesonephros development', - 'def': 'Any process that modulates the frequency, rate or extent of cell proliferation involved in mesonephros development. [GOC:obol]' - }, - 'GO:2000607': { - 'name': 'negative regulation of cell proliferation involved in mesonephros development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell proliferation involved in mesonephros development. [GOC:obol]' - }, - 'GO:2000608': { - 'name': 'positive regulation of cell proliferation involved in mesonephros development', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell proliferation involved in mesonephros development. [GOC:obol]' - }, - 'GO:2000609': { - 'name': 'regulation of thyroid hormone generation', - 'def': 'Any process that modulates the frequency, rate or extent of thyroid hormone generation. [GOC:obol]' - }, - 'GO:2000610': { - 'name': 'negative regulation of thyroid hormone generation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of thyroid hormone generation. [GOC:obol]' - }, - 'GO:2000611': { - 'name': 'positive regulation of thyroid hormone generation', - 'def': 'Any process that activates or increases the frequency, rate or extent of thyroid hormone generation. [GOC:obol]' - }, - 'GO:2000612': { - 'name': 'regulation of thyroid-stimulating hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of thyroid-stimulating hormone secretion. [GOC:obol]' - }, - 'GO:2000613': { - 'name': 'negative regulation of thyroid-stimulating hormone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of thyroid-stimulating hormone secretion. [GOC:obol]' - }, - 'GO:2000614': { - 'name': 'positive regulation of thyroid-stimulating hormone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of thyroid-stimulating hormone secretion. [GOC:obol]' - }, - 'GO:2000615': { - 'name': 'regulation of histone H3-K9 acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K9 acetylation. [GOC:BHF]' - }, - 'GO:2000616': { - 'name': 'negative regulation of histone H3-K9 acetylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K9 acetylation. [GOC:BHF]' - }, - 'GO:2000617': { - 'name': 'positive regulation of histone H3-K9 acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K9 acetylation. [GOC:BHF]' - }, - 'GO:2000618': { - 'name': 'regulation of histone H4-K16 acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H4-K16 acetylation. [GOC:BHF]' - }, - 'GO:2000619': { - 'name': 'negative regulation of histone H4-K16 acetylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H4-K16 acetylation. [GOC:BHF]' - }, - 'GO:2000620': { - 'name': 'positive regulation of histone H4-K16 acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H4-K16 acetylation. [GOC:BHF]' - }, - 'GO:2000621': { - 'name': 'regulation of DNA replication termination', - 'def': 'Any process that modulates the frequency, rate or extent of DNA replication termination. [GOC:obol]' - }, - 'GO:2000622': { - 'name': 'regulation of nuclear-transcribed mRNA catabolic process, nonsense-mediated decay', - 'def': 'Any process that modulates the frequency, rate or extent of nuclear-transcribed mRNA catabolic process, nonsense-mediated decay. [GOC:obol]' - }, - 'GO:2000623': { - 'name': 'negative regulation of nuclear-transcribed mRNA catabolic process, nonsense-mediated decay', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of nuclear-transcribed mRNA catabolic process, nonsense-mediated decay. [GOC:obol]' - }, - 'GO:2000624': { - 'name': 'positive regulation of nuclear-transcribed mRNA catabolic process, nonsense-mediated decay', - 'def': 'Any process that activates or increases the frequency, rate or extent of nuclear-transcribed mRNA catabolic process, nonsense-mediated decay. [GOC:obol]' - }, - 'GO:2000625': { - 'name': 'regulation of miRNA catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of miRNA catabolic process. [GOC:dph]' - }, - 'GO:2000626': { - 'name': 'negative regulation of miRNA catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of miRNA catabolic process. [GOC:dph]' - }, - 'GO:2000627': { - 'name': 'positive regulation of miRNA catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of miRNA catabolic process. [GOC:dph]' - }, - 'GO:2000628': { - 'name': 'regulation of miRNA metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of miRNA metabolic process. [GOC:dph]' - }, - 'GO:2000629': { - 'name': 'negative regulation of miRNA metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of miRNA metabolic process. [GOC:dph]' - }, - 'GO:2000630': { - 'name': 'positive regulation of miRNA metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of miRNA metabolic process. [GOC:dph]' - }, - 'GO:2000631': { - 'name': 'regulation of pre-miRNA processing', - 'def': 'Any process that modulates the frequency, rate or extent of pre-microRNA processing. [GOC:dph, GOC:sl]' - }, - 'GO:2000632': { - 'name': 'negative regulation of pre-miRNA processing', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pre-microRNA processing. [GOC:dph, GOC:sl]' - }, - 'GO:2000633': { - 'name': 'positive regulation of pre-miRNA processing', - 'def': 'Any process that activates or increases the frequency, rate or extent of pre-microRNA processing. [GOC:dph, GOC:sl]' - }, - 'GO:2000634': { - 'name': 'regulation of primary miRNA processing', - 'def': 'Any process that modulates the frequency, rate or extent of primary microRNA processing. [GOC:dph, GOC:sl]' - }, - 'GO:2000635': { - 'name': 'negative regulation of primary miRNA processing', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of primary microRNA processing. [GOC:dph, GOC:sl]' - }, - 'GO:2000636': { - 'name': 'positive regulation of primary miRNA processing', - 'def': 'Any process that activates or increases the frequency, rate or extent of primary microRNA processing. [GOC:dph, GOC:sl]' - }, - 'GO:2000637': { - 'name': 'positive regulation of gene silencing by miRNA', - 'def': 'Any process that activates or increases the frequency, rate or extent of gene silencing by miRNA. [GOC:dph]' - }, - 'GO:2000638': { - 'name': 'regulation of SREBP signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of the SREBP signaling pathway. [GOC:BHF]' - }, - 'GO:2000639': { - 'name': 'negative regulation of SREBP signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of the SREBP signaling pathway. [GOC:BHF]' - }, - 'GO:2000640': { - 'name': 'positive regulation of SREBP signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of the SREBP signaling pathway. [GOC:BHF]' - }, - 'GO:2000641': { - 'name': 'regulation of early endosome to late endosome transport', - 'def': 'Any process that modulates the frequency, rate or extent of early endosome to late endosome transport. [GOC:BHF]' - }, - 'GO:2000642': { - 'name': 'negative regulation of early endosome to late endosome transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of early endosome to late endosome transport. [GOC:BHF]' - }, - 'GO:2000643': { - 'name': 'positive regulation of early endosome to late endosome transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of early endosome to late endosome transport. [GOC:BHF]' - }, - 'GO:2000644': { - 'name': 'regulation of receptor catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of receptor catabolic process. [GOC:BHF]' - }, - 'GO:2000645': { - 'name': 'negative regulation of receptor catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of receptor catabolic process. [GOC:BHF]' - }, - 'GO:2000646': { - 'name': 'positive regulation of receptor catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of receptor catabolic process. [GOC:BHF]' - }, - 'GO:2000647': { - 'name': 'negative regulation of stem cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of stem cell proliferation. [GOC:dph]' - }, - 'GO:2000648': { - 'name': 'positive regulation of stem cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of stem cell proliferation. [GOC:dph]' - }, - 'GO:2000649': { - 'name': 'regulation of sodium ion transmembrane transporter activity', - 'def': 'Any process that modulates the frequency, rate or extent of sodium ion transmembrane transporter activity. [GOC:obol]' - }, - 'GO:2000650': { - 'name': 'negative regulation of sodium ion transmembrane transporter activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sodium ion transmembrane transporter activity. [GOC:obol]' - }, - 'GO:2000651': { - 'name': 'positive regulation of sodium ion transmembrane transporter activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of sodium ion transmembrane transporter activity. [GOC:obol]' - }, - 'GO:2000652': { - 'name': 'regulation of secondary cell wall biogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of secondary cell wall biogenesis. [GOC:obol]' - }, - 'GO:2000653': { - 'name': 'regulation of genetic imprinting', - 'def': 'Any process that modulates the frequency, rate or extent of genetic imprinting. [GOC:BHF]' - }, - 'GO:2000654': { - 'name': 'regulation of cellular response to testosterone stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to testosterone stimulus. [GOC:BHF]' - }, - 'GO:2000655': { - 'name': 'negative regulation of cellular response to testosterone stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to testosterone stimulus. [GOC:BHF]' - }, - 'GO:2000656': { - 'name': 'regulation of apolipoprotein binding', - 'def': 'Any process that modulates the frequency, rate or extent of apolipoprotein binding. [GOC:BHF]' - }, - 'GO:2000657': { - 'name': 'negative regulation of apolipoprotein binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apolipoprotein binding. [GOC:BHF]' - }, - 'GO:2000658': { - 'name': 'positive regulation of apolipoprotein binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of apolipoprotein binding. [GOC:BHF]' - }, - 'GO:2000659': { - 'name': 'regulation of interleukin-1-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-1-mediated signaling pathway. [GOC:obol]' - }, - 'GO:2000660': { - 'name': 'negative regulation of interleukin-1-mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-1-mediated signaling pathway. [GOC:obol]' - }, - 'GO:2000661': { - 'name': 'positive regulation of interleukin-1-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-1-mediated signaling pathway. [GOC:obol]' - }, - 'GO:2000662': { - 'name': 'regulation of interleukin-5 secretion', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-5 secretion. [GOC:obol]' - }, - 'GO:2000663': { - 'name': 'negative regulation of interleukin-5 secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-5 secretion. [GOC:obol]' - }, - 'GO:2000664': { - 'name': 'positive regulation of interleukin-5 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-5 secretion. [GOC:obol]' - }, - 'GO:2000665': { - 'name': 'regulation of interleukin-13 secretion', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-13 secretion. [GOC:obol]' - }, - 'GO:2000666': { - 'name': 'negative regulation of interleukin-13 secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-13 secretion. [GOC:obol]' - }, - 'GO:2000667': { - 'name': 'positive regulation of interleukin-13 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-13 secretion. [GOC:obol]' - }, - 'GO:2000668': { - 'name': 'regulation of dendritic cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of dendritic cell apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000669': { - 'name': 'negative regulation of dendritic cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dendritic cell apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000670': { - 'name': 'positive regulation of dendritic cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of dendritic cell apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000671': { - 'name': 'regulation of motor neuron apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of motor neuron apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000672': { - 'name': 'negative regulation of motor neuron apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of motor neuron apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000673': { - 'name': 'positive regulation of motor neuron apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of motor neuron apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000674': { - 'name': 'regulation of type B pancreatic cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of type B pancreatic cell apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000675': { - 'name': 'negative regulation of type B pancreatic cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of type B pancreatic cell apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000676': { - 'name': 'positive regulation of type B pancreatic cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of type B pancreatic cell apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2000677': { - 'name': 'regulation of transcription regulatory region DNA binding', - 'def': 'Any process that modulates the frequency, rate or extent of transcription regulatory region DNA binding. [GOC:obol]' - }, - 'GO:2000678': { - 'name': 'negative regulation of transcription regulatory region DNA binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transcription regulatory region DNA binding. [GOC:obol]' - }, - 'GO:2000679': { - 'name': 'positive regulation of transcription regulatory region DNA binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription regulatory region DNA binding. [GOC:obol]' - }, - 'GO:2000680': { - 'name': 'regulation of rubidium ion transport', - 'def': 'Any process that modulates the frequency, rate or extent of rubidium ion transport. [GOC:yaf]' - }, - 'GO:2000681': { - 'name': 'negative regulation of rubidium ion transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of rubidium ion transport. [GOC:yaf]' - }, - 'GO:2000682': { - 'name': 'positive regulation of rubidium ion transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of rubidium ion transport. [GOC:yaf]' - }, - 'GO:2000683': { - 'name': 'regulation of cellular response to X-ray', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to X-ray. [GOC:obol]' - }, - 'GO:2000684': { - 'name': 'negative regulation of cellular response to X-ray', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to X-ray. [GOC:obol]' - }, - 'GO:2000685': { - 'name': 'positive regulation of cellular response to X-ray', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to X-ray. [GOC:obol]' - }, - 'GO:2000686': { - 'name': 'regulation of rubidium ion transmembrane transporter activity', - 'def': 'Any process that modulates the frequency, rate or extent of rubidium ion transmembrane transporter activity. [GOC:yaf]' - }, - 'GO:2000687': { - 'name': 'negative regulation of rubidium ion transmembrane transporter activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of rubidium ion transmembrane transporter activity. [GOC:yaf]' - }, - 'GO:2000688': { - 'name': 'positive regulation of rubidium ion transmembrane transporter activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of rubidium ion transmembrane transporter activity. [GOC:yaf]' - }, - 'GO:2000689': { - 'name': 'actomyosin contractile ring assembly actin filament organization', - 'def': 'An actin filament organization process that contributes to actomyosin contractile ring assembly during cytokinesis. [GOC:mah]' - }, - 'GO:2000690': { - 'name': 'regulation of cardiac muscle cell myoblast differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle cell myoblast differentiation. [GOC:obol]' - }, - 'GO:2000691': { - 'name': 'negative regulation of cardiac muscle cell myoblast differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac muscle cell myoblast differentiation. [GOC:obol]' - }, - 'GO:2000692': { - 'name': 'negative regulation of seed maturation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of seed maturation. [GOC:obol]' - }, - 'GO:2000693': { - 'name': 'positive regulation of seed maturation', - 'def': 'Any process that activates or increases the frequency, rate or extent of seed maturation. [GOC:obol]' - }, - 'GO:2000694': { - 'name': 'regulation of phragmoplast microtubule organization', - 'def': 'Any process that modulates the frequency, rate or extent of phragmoplast microtubule organization. [GOC:obol]' - }, - 'GO:2000696': { - 'name': 'regulation of epithelial cell differentiation involved in kidney development', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial cell differentiation involved in kidney development. [GOC:mtg_kidney_jan10, GOC:yaf]' - }, - 'GO:2000697': { - 'name': 'negative regulation of epithelial cell differentiation involved in kidney development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of epithelial cell differentiation involved in kidney development. [GOC:mtg_kidney_jan10, GOC:yaf]' - }, - 'GO:2000698': { - 'name': 'positive regulation of epithelial cell differentiation involved in kidney development', - 'def': 'Any process that activates or increases the frequency, rate or extent of epithelial cell differentiation involved in kidney development. [GOC:mtg_kidney_jan10, GOC:yaf]' - }, - 'GO:2000699': { - 'name': 'fibroblast growth factor receptor signaling pathway involved in ureteric bud formation', - 'def': 'The series of molecular signals generated as a consequence of a fibroblast growth factor receptor binding to one of its physiological ligands that contributes to the formation of the ureteric bud from the Wolffian duct. [GOC:mtg_kidney_jan10, GOC:yaf]' - }, - 'GO:2000700': { - 'name': 'positive regulation of cardiac muscle cell myoblast differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac muscle cell myoblast differentiation. [GOC:obol]' - }, - 'GO:2000701': { - 'name': 'glial cell-derived neurotrophic factor receptor signaling pathway involved in ureteric bud formation', - 'def': 'The series of molecular signals generated as a consequence of a glial cell-derived neurotrophic factor receptor binding to one of its physiological ligands that contributes to the formation of the ureteric bud from the Wolffian duct. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000702': { - 'name': 'regulation of fibroblast growth factor receptor signaling pathway involved in ureteric bud formation', - 'def': 'Any process that modulates the frequency, rate or extent of fibroblast growth factor receptor signaling pathway involved in ureteric bud formation. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000703': { - 'name': 'negative regulation of fibroblast growth factor receptor signaling pathway involved in ureteric bud formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of fibroblast growth factor receptor signaling pathway involved in ureteric bud formation. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000704': { - 'name': 'positive regulation of fibroblast growth factor receptor signaling pathway involved in ureteric bud formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of fibroblast growth factor receptor signaling pathway involved in ureteric bud formation. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2000705': { - 'name': 'regulation of dense core granule biogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of dense core granule biogenesis. [GOC:obol]' - }, - 'GO:2000706': { - 'name': 'negative regulation of dense core granule biogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dense core granule biogenesis. [GOC:obol]' - }, - 'GO:2000707': { - 'name': 'positive regulation of dense core granule biogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of dense core granule biogenesis. [GOC:obol]' - }, - 'GO:2000708': { - 'name': 'myosin filament organization involved in cytokinetic actomyosin contractile ring assembly', - 'def': 'A myosin filament organization process that contributes to actomyosin contractile ring assembly during cytokinesis. [GOC:mah]' - }, - 'GO:2000709': { - 'name': 'regulation of maintenance of meiotic sister chromatid cohesion, centromeric', - 'def': 'Any process that modulates the frequency, rate or extent of maintenance of meiotic sister chromatid cohesion in the centromeric region. [GOC:mah]' - }, - 'GO:2000710': { - 'name': 'negative regulation of maintenance of meiotic sister chromatid cohesion, centromeric', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maintenance of meiotic sister chromatid cohesion in the centromeric region. [GOC:mah]' - }, - 'GO:2000711': { - 'name': 'positive regulation of maintenance of meiotic sister chromatid cohesion, centromeric', - 'def': 'Any process that activates or increases the frequency, rate or extent of maintenance of meiotic sister chromatid cohesion in the centromeric region. [GOC:mah]' - }, - 'GO:2000712': { - 'name': 'regulation of maintenance of meiotic sister chromatid cohesion, arms', - 'def': 'Any process that modulates the frequency, rate or extent of maintenance of meiotic sister chromatid cohesion along the chromosome arms. [GOC:mah]' - }, - 'GO:2000713': { - 'name': 'negative regulation of maintenance of meiotic sister chromatid cohesion, arms', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maintenance of meiotic sister chromatid cohesion along the chromosome arms. [GOC:mah]' - }, - 'GO:2000714': { - 'name': 'positive regulation of maintenance of meiotic sister chromatid cohesion, arms', - 'def': 'Any process that activates or increases the frequency, rate or extent of maintenance of meiotic sister chromatid cohesion along the chromosome arms. [GOC:mah]' - }, - 'GO:2000715': { - 'name': 'regulation of maintenance of mitotic sister chromatid cohesion, arms', - 'def': 'Any process that modulates the frequency, rate or extent of maintenance of mitotic sister chromatid cohesion along the chromosome arms. [GOC:mah]' - }, - 'GO:2000716': { - 'name': 'negative regulation of maintenance of mitotic sister chromatid cohesion, arms', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maintenance of mitotic sister chromatid cohesion along the chromosome arms. [GOC:mah]' - }, - 'GO:2000717': { - 'name': 'positive regulation of maintenance of mitotic sister chromatid cohesion, arms', - 'def': 'Any process that activates or increases the frequency, rate or extent of maintenance of mitotic sister chromatid cohesion along the chromosome arms. [GOC:mah]' - }, - 'GO:2000718': { - 'name': 'regulation of maintenance of mitotic sister chromatid cohesion, centromeric', - 'def': 'Any process that modulates the frequency, rate or extent of maintenance of mitotic sister chromatid cohesion in the centromeric region. [GOC:mah]' - }, - 'GO:2000719': { - 'name': 'negative regulation of maintenance of mitotic sister chromatid cohesion, centromeric', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of maintenance of mitotic sister chromatid cohesion in the centromeric region. [GOC:mah]' - }, - 'GO:2000720': { - 'name': 'positive regulation of maintenance of mitotic sister chromatid cohesion, centromeric', - 'def': 'Any process that activates or increases the frequency, rate or extent of maintenance of mitotic sister chromatid cohesion in the centromeric region. [GOC:mah]' - }, - 'GO:2000721': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in smooth muscle cell differentiation', - 'def': 'Any positive regulation of transcription from RNA polymerase II promoter that is involved in smooth muscle cell differentiation. [GOC:BHF]' - }, - 'GO:2000722': { - 'name': 'regulation of cardiac vascular smooth muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac vascular smooth muscle cell differentiation. [GOC:BHF]' - }, - 'GO:2000723': { - 'name': 'negative regulation of cardiac vascular smooth muscle cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac vascular smooth muscle cell differentiation. [GOC:BHF]' - }, - 'GO:2000724': { - 'name': 'positive regulation of cardiac vascular smooth muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac vascular smooth muscle cell differentiation. [GOC:BHF]' - }, - 'GO:2000725': { - 'name': 'regulation of cardiac muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of cardiac muscle cell differentiation. [GOC:BHF]' - }, - 'GO:2000726': { - 'name': 'negative regulation of cardiac muscle cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cardiac muscle cell differentiation. [GOC:BHF]' - }, - 'GO:2000727': { - 'name': 'positive regulation of cardiac muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cardiac muscle cell differentiation. [GOC:BHF]' - }, - 'GO:2000728': { - 'name': 'regulation of mRNA export from nucleus in response to heat stress', - 'def': 'Any process that modulates the frequency, rate or extent of mRNA export from nucleus in response to heat stress. [PMID:15210706]' - }, - 'GO:2000729': { - 'name': 'positive regulation of mesenchymal cell proliferation involved in ureter development', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesenchymal cell proliferation involved in ureter development. [GOC:obol]' - }, - 'GO:2000730': { - 'name': 'regulation of termination of RNA polymerase I transcription', - 'def': 'Any process that modulates the frequency, rate or extent of termination of RNA polymerase I transcription. [GOC:obol]' - }, - 'GO:2000731': { - 'name': 'negative regulation of termination of RNA polymerase I transcription', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of termination of RNA polymerase I transcription. [GOC:obol]' - }, - 'GO:2000732': { - 'name': 'positive regulation of termination of RNA polymerase I transcription', - 'def': 'Any process that activates or increases the frequency, rate or extent of termination of RNA polymerase I transcription. [GOC:obol]' - }, - 'GO:2000733': { - 'name': 'regulation of glial cell-derived neurotrophic factor receptor signaling pathway involved in ureteric bud formation', - 'def': 'Any process that modulates the frequency, rate or extent of glial cell-derived neurotrophic factor receptor signaling pathway involved in ureteric bud formation. [GOC:obol]' - }, - 'GO:2000734': { - 'name': 'negative regulation of glial cell-derived neurotrophic factor receptor signaling pathway involved in ureteric bud formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glial cell-derived neurotrophic factor receptor signaling pathway involved in ureteric bud formation. [GOC:obol]' - }, - 'GO:2000735': { - 'name': 'positive regulation of glial cell-derived neurotrophic factor receptor signaling pathway involved in ureteric bud formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of glial cell-derived neurotrophic factor receptor signaling pathway involved in ureteric bud formation. [GOC:obol]' - }, - 'GO:2000736': { - 'name': 'regulation of stem cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of stem cell differentiation. [GOC:obol]' - }, - 'GO:2000737': { - 'name': 'negative regulation of stem cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of stem cell differentiation. [GOC:obol]' - }, - 'GO:2000738': { - 'name': 'positive regulation of stem cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of stem cell differentiation. [GOC:obol]' - }, - 'GO:2000739': { - 'name': 'regulation of mesenchymal stem cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal stem cell differentiation. [GOC:obol]' - }, - 'GO:2000740': { - 'name': 'negative regulation of mesenchymal stem cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mesenchymal stem cell differentiation. [GOC:obol]' - }, - 'GO:2000741': { - 'name': 'positive regulation of mesenchymal stem cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesenchymal stem cell differentiation. [GOC:obol]' - }, - 'GO:2000742': { - 'name': 'regulation of anterior head development', - 'def': 'Any process that modulates the frequency, rate or extent of anterior head development. [GOC:obol]' - }, - 'GO:2000743': { - 'name': 'negative regulation of anterior head development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anterior head development. [GOC:obol]' - }, - 'GO:2000744': { - 'name': 'positive regulation of anterior head development', - 'def': 'Any process that activates or increases the frequency, rate or extent of anterior head development. [GOC:obol]' - }, - 'GO:2000745': { - 'name': 'obsolete positive regulation of transcription from RNA polymerase III promoter involved in smooth muscle cell differentiation', - 'def': 'OBSOLETE. Any positive regulation of transcription from RNA polymerase III promoter that is involved in smooth muscle cell differentiation. [GOC:BHF]' - }, - 'GO:2000746': { - 'name': 'regulation of defecation rhythm', - 'def': 'Any process that modulates the frequency, rate or extent of defecation rhythm. [GOC:kmv]' - }, - 'GO:2000747': { - 'name': 'negative regulation of defecation rhythm', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of defecation rhythm. [GOC:kmv]' - }, - 'GO:2000748': { - 'name': 'positive regulation of defecation rhythm', - 'def': 'Any process that activates or increases the frequency, rate or extent of defecation rhythm. [GOC:kmv]' - }, - 'GO:2000749': { - 'name': 'positive regulation of chromatin silencing at rDNA', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromatin silencing at rDNA. [PMID:10899127]' - }, - 'GO:2000750': { - 'name': 'negative regulation of establishment or maintenance of bipolar cell polarity regulating cell shape', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment or maintenance of bipolar cell polarity regulating cell shape. [GOC:mah]' - }, - 'GO:2000751': { - 'name': 'histone H3-T3 phosphorylation involved in chromosome passenger complex localization to kinetochore', - 'def': 'Any histone H3-T3 phosphorylation that is involved in chromosome passenger complex localization to kinetochore. [GOC:obol]' - }, - 'GO:2000752': { - 'name': 'regulation of glucosylceramide catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of glucosylceramide catabolic process. [GOC:BHF]' - }, - 'GO:2000753': { - 'name': 'positive regulation of glucosylceramide catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucosylceramide catabolic process. [GOC:BHF]' - }, - 'GO:2000754': { - 'name': 'regulation of sphingomyelin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of sphingomyelin catabolic process. [GOC:BHF]' - }, - 'GO:2000755': { - 'name': 'positive regulation of sphingomyelin catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of sphingomyelin catabolic process. [GOC:BHF]' - }, - 'GO:2000756': { - 'name': 'regulation of peptidyl-lysine acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of peptidyl-lysine acetylation. [GOC:obol]' - }, - 'GO:2000757': { - 'name': 'negative regulation of peptidyl-lysine acetylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of peptidyl-lysine acetylation. [GOC:obol]' - }, - 'GO:2000758': { - 'name': 'positive regulation of peptidyl-lysine acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of peptidyl-lysine acetylation. [GOC:obol]' - }, - 'GO:2000759': { - 'name': 'regulation of N-terminal peptidyl-lysine acetylation', - 'def': 'Any process that modulates the frequency, rate or extent of N-terminal peptidyl-lysine acetylation. [GOC:obol]' - }, - 'GO:2000760': { - 'name': 'negative regulation of N-terminal peptidyl-lysine acetylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of N-terminal peptidyl-lysine acetylation. [GOC:obol]' - }, - 'GO:2000761': { - 'name': 'positive regulation of N-terminal peptidyl-lysine acetylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of N-terminal peptidyl-lysine acetylation. [GOC:obol]' - }, - 'GO:2000762': { - 'name': 'regulation of phenylpropanoid metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of phenylpropanoid metabolic process. [GOC:obol]' - }, - 'GO:2000763': { - 'name': 'positive regulation of transcription from RNA polymerase II promoter involved in norepinephrine biosynthetic process', - 'def': 'Any positive regulation of transcription from RNA polymerase II promoter that is involved in norepinephrine biosynthetic process. [GOC:BHF]' - }, - 'GO:2000764': { - 'name': 'positive regulation of semaphorin-plexin signaling pathway involved in outflow tract morphogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of semaphorin-plexin signaling pathway involved in outflow tract morphogenesis. [GOC:BHF]' - }, - 'GO:2000765': { - 'name': 'regulation of cytoplasmic translation', - 'def': 'Any process that modulates the frequency, rate or extent of cytoplasmic translation. [GOC:obol]' - }, - 'GO:2000766': { - 'name': 'negative regulation of cytoplasmic translation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cytoplasmic translation. [GOC:obol]' - }, - 'GO:2000767': { - 'name': 'positive regulation of cytoplasmic translation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cytoplasmic translation. [GOC:obol]' - }, - 'GO:2000768': { - 'name': 'positive regulation of nephron tubule epithelial cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of nephron tubule epithelial cell differentiation. [GOC:obol]' - }, - 'GO:2000769': { - 'name': 'regulation of establishment or maintenance of cell polarity regulating cell shape', - 'def': 'Any process that modulates the frequency, rate or extent of establishment or maintenance of cell polarity regulating cell shape. [GOC:mah]' - }, - 'GO:2000770': { - 'name': 'negative regulation of establishment or maintenance of cell polarity regulating cell shape', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment or maintenance of cell polarity regulating cell shape. [GOC:mah]' - }, - 'GO:2000771': { - 'name': 'positive regulation of establishment or maintenance of cell polarity regulating cell shape', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment or maintenance of cell polarity regulating cell shape. [GOC:mah]' - }, - 'GO:2000772': { - 'name': 'regulation of cellular senescence', - 'def': 'Any process that modulates the frequency, rate or extent of cellular senescence. [GOC:BHF]' - }, - 'GO:2000773': { - 'name': 'negative regulation of cellular senescence', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular senescence. [GOC:BHF]' - }, - 'GO:2000774': { - 'name': 'positive regulation of cellular senescence', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular senescence. [GOC:BHF]' - }, - 'GO:2000775': { - 'name': 'histone H3-S10 phosphorylation involved in chromosome condensation', - 'def': 'Any histone H3-S10 phosphorylation that is involved in chromosome condensation. [GOC:obol]' - }, - 'GO:2000776': { - 'name': 'histone H4 acetylation involved in response to DNA damage stimulus', - 'def': 'Any histone H4 acetylation that is involved in a response to DNA damage stimulus. [GOC:mah]' - }, - 'GO:2000777': { - 'name': 'positive regulation of proteasomal ubiquitin-dependent protein catabolic process involved in cellular response to hypoxia', - 'def': 'Any positive regulation of proteasomal ubiquitin-dependent protein catabolic process that is involved in a cellular response to hypoxia. [GOC:mah]' - }, - 'GO:2000778': { - 'name': 'positive regulation of interleukin-6 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-6 secretion. [GOC:BHF]' - }, - 'GO:2000779': { - 'name': 'regulation of double-strand break repair', - 'def': 'Any process that modulates the frequency, rate or extent of double-strand break repair. [GOC:BHF]' - }, - 'GO:2000780': { - 'name': 'negative regulation of double-strand break repair', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of double-strand break repair. [GOC:BHF]' - }, - 'GO:2000781': { - 'name': 'positive regulation of double-strand break repair', - 'def': 'Any process that activates or increases the frequency, rate or extent of double-strand break repair. [GOC:BHF]' - }, - 'GO:2000782': { - 'name': 'regulation of establishment of cell polarity regulating cell shape', - 'def': 'Any process that modulates the frequency, rate or extent of establishment of cell polarity regulating cell shape. [GOC:Mah]' - }, - 'GO:2000783': { - 'name': 'negative regulation of establishment of cell polarity regulating cell shape', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of establishment of cell polarity regulating cell shape. [GOC:Mah]' - }, - 'GO:2000784': { - 'name': 'positive regulation of establishment of cell polarity regulating cell shape', - 'def': 'Any process that activates or increases the frequency, rate or extent of establishment of cell polarity regulating cell shape. [GOC:Mah]' - }, - 'GO:2000785': { - 'name': 'regulation of autophagosome assembly', - 'def': 'Any process that modulates the frequency, rate or extent of autophagosome assembly. [GOC:autophagy, GOC:BHF]' - }, - 'GO:2000786': { - 'name': 'positive regulation of autophagosome assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of autophagic vacuole assembly. [GOC:autophagy, GOC:BHF]' - }, - 'GO:2000787': { - 'name': 'regulation of venous endothelial cell fate commitment', - 'def': 'Any process that modulates the frequency, rate or extent of venous endothelial cell fate commitment. [PMID:11585794]' - }, - 'GO:2000788': { - 'name': 'negative regulation of venous endothelial cell fate commitment', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of venous endothelial cell fate commitment. [PMID:11585794]' - }, - 'GO:2000789': { - 'name': 'positive regulation of venous endothelial cell fate commitment', - 'def': 'Any process that activates or increases the frequency, rate or extent of venous endothelial cell fate commitment. [PMID:11585794]' - }, - 'GO:2000790': { - 'name': 'regulation of mesenchymal cell proliferation involved in lung development', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal cell proliferation involved in lung development. [PMID:21513708]' - }, - 'GO:2000791': { - 'name': 'negative regulation of mesenchymal cell proliferation involved in lung development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mesenchymal cell proliferation involved in lung development. [PMID:21513708]' - }, - 'GO:2000792': { - 'name': 'positive regulation of mesenchymal cell proliferation involved in lung development', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesenchymal cell proliferation involved in lung development. [PMID:21513708]' - }, - 'GO:2000793': { - 'name': 'cell proliferation involved in heart valve development', - 'def': 'Any cell proliferation that is involved in heart valve development. [GOC:BHF]' - }, - 'GO:2000794': { - 'name': 'regulation of epithelial cell proliferation involved in lung morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of epithelial cell proliferation involved in lung morphogenesis. [PMID:21513708]' - }, - 'GO:2000795': { - 'name': 'negative regulation of epithelial cell proliferation involved in lung morphogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of epithelial cell proliferation involved in lung morphogenesis. [PMID:21513708]' - }, - 'GO:2000796': { - 'name': 'Notch signaling pathway involved in negative regulation of venous endothelial cell fate commitment', - 'def': 'Any Notch signaling pathway that is involved in negative regulation of venous endothelial cell fate commitment. [PMID:11585794]' - }, - 'GO:2000797': { - 'name': 'regulation of amniotic stem cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of amniotic stem cell differentiation. [GOC:obol]' - }, - 'GO:2000798': { - 'name': 'negative regulation of amniotic stem cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of amniotic stem cell differentiation. [GOC:obol]' - }, - 'GO:2000799': { - 'name': 'positive regulation of amniotic stem cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of amniotic stem cell differentiation. [GOC:obol]' - }, - 'GO:2000800': { - 'name': 'regulation of endocardial cushion to mesenchymal transition involved in heart valve formation', - 'def': 'Any process that modulates the frequency, rate or extent of endocardial cushion to mesenchymal transition involved in heart valve formation. [GOC:BHF]' - }, - 'GO:2000801': { - 'name': 'negative regulation of endocardial cushion to mesenchymal transition involved in heart valve formation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endocardial cushion to mesenchymal transition involved in heart valve formation. [GOC:BHF]' - }, - 'GO:2000802': { - 'name': 'positive regulation of endocardial cushion to mesenchymal transition involved in heart valve formation', - 'def': 'Any process that activates or increases the frequency, rate or extent of endocardial cushion to mesenchymal transition involved in heart valve formation. [GOC:BHF]' - }, - 'GO:2000803': { - 'name': 'endosomal signal transduction', - 'def': 'The process in which a signal is passed on to downstream components located at the endosome. Endosomes can provide important intracellular signaling platforms and provide spatial and temporal control over signal transduction. [GOC:bf, GOC:signaling, PMID:15084302, PMID:17662591]' - }, - 'GO:2000804': { - 'name': 'regulation of termination of RNA polymerase II transcription, poly(A)-coupled', - 'def': 'Any process that modulates the frequency, rate or extent of termination of RNA polymerase II transcription, poly(A)-coupled. [GOC:obol]' - }, - 'GO:2000805': { - 'name': 'negative regulation of termination of RNA polymerase II transcription, poly(A)-coupled', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of termination of RNA polymerase II transcription, poly(A)-coupled. [GOC:obol]' - }, - 'GO:2000806': { - 'name': 'positive regulation of termination of RNA polymerase II transcription, poly(A)-coupled', - 'def': 'Any process that activates or increases the frequency, rate or extent of termination of RNA polymerase II transcription, poly(A)-coupled. [GOC:obol]' - }, - 'GO:2000807': { - 'name': 'regulation of synaptic vesicle clustering', - 'def': 'Any process that modulates the frequency, rate or extent of synaptic vesicle clustering. [PMID:21513708]' - }, - 'GO:2000808': { - 'name': 'negative regulation of synaptic vesicle clustering', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of synaptic vesicle clustering. [PMID:21513708]' - }, - 'GO:2000809': { - 'name': 'positive regulation of synaptic vesicle clustering', - 'def': 'Any process that activates or increases the frequency, rate or extent of synaptic vesicle clustering. [PMID:21513708]' - }, - 'GO:2000810': { - 'name': 'regulation of bicellular tight junction assembly', - 'def': 'Any process that modulates the frequency, rate or extent of tight junction assembly. [GOC:BHF]' - }, - 'GO:2000811': { - 'name': 'negative regulation of anoikis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of anoikis. [GOC:obol]' - }, - 'GO:2000812': { - 'name': 'regulation of barbed-end actin filament capping', - 'def': 'Any process that modulates the frequency, rate or extent of barbed-end actin filament capping. [GOC:BHF]' - }, - 'GO:2000813': { - 'name': 'negative regulation of barbed-end actin filament capping', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of barbed-end actin filament capping. [GOC:BHF]' - }, - 'GO:2000814': { - 'name': 'positive regulation of barbed-end actin filament capping', - 'def': 'Any process that activates or increases the frequency, rate or extent of barbed-end actin filament capping. [GOC:BHF]' - }, - 'GO:2000815': { - 'name': 'regulation of mRNA stability involved in response to oxidative stress', - 'def': 'A process of regulation of mRNA stability that is involved in a response to oxidative stress. [GOC:obol]' - }, - 'GO:2000816': { - 'name': 'negative regulation of mitotic sister chromatid separation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mitotic sister chromatid separation. [GOC:obol]' - }, - 'GO:2000817': { - 'name': 'regulation of histone H3-T3 phosphorylation involved in chromosome passenger complex localization to kinetochore', - 'def': 'Any regulation of histone H3-T3 phosphorylation that is involved in chromosome passenger complex localization to kinetochore. [GOC:obol]' - }, - 'GO:2000818': { - 'name': 'negative regulation of myoblast proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of myoblast proliferation. [GOC:obol]' - }, - 'GO:2000819': { - 'name': 'regulation of nucleotide-excision repair', - 'def': 'Any process that modulates the frequency, rate or extent of nucleotide-excision repair. [GOC:jp, PMID:18836076]' - }, - 'GO:2000820': { - 'name': 'negative regulation of transcription from RNA polymerase II promoter involved in smooth muscle cell differentiation', - 'def': 'Any negative regulation of transcription from RNA polymerase II promoter that is involved in smooth muscle cell differentiation. [GOC:BHF]' - }, - 'GO:2000821': { - 'name': 'regulation of grooming behavior', - 'def': 'Any process that modulates the frequency, rate or extent of grooming behavior. [GOC:BHF]' - }, - 'GO:2000822': { - 'name': 'regulation of behavioral fear response', - 'def': 'Any process that modulates the frequency, rate or extent of behavioral fear response. [GOC:BHF]' - }, - 'GO:2000823': { - 'name': 'regulation of androgen receptor activity', - 'def': 'Any process that modulates the frequency, rate or extent of androgen receptor activity. [GOC:obol]' - }, - 'GO:2000824': { - 'name': 'negative regulation of androgen receptor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of androgen receptor activity. [GOC:obol]' - }, - 'GO:2000825': { - 'name': 'positive regulation of androgen receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of androgen receptor activity. [GOC:obol]' - }, - 'GO:2000826': { - 'name': 'regulation of heart morphogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of heart morphogenesis. [GOC:BHF]' - }, - 'GO:2000827': { - 'name': 'mitochondrial RNA surveillance', - 'def': 'The set of processes involved in identifying and degrading defective or aberrant RNAs that takes place in the mitochondrion. [PMID:19864255]' - }, - 'GO:2000828': { - 'name': 'regulation of parathyroid hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of parathyroid hormone secretion. [GOC:obol]' - }, - 'GO:2000829': { - 'name': 'negative regulation of parathyroid hormone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of parathyroid hormone secretion. [GOC:obol]' - }, - 'GO:2000830': { - 'name': 'positive regulation of parathyroid hormone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of parathyroid hormone secretion. [GOC:obol]' - }, - 'GO:2000831': { - 'name': 'regulation of steroid hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of steroid hormone secretion. [GOC:sl]' - }, - 'GO:2000832': { - 'name': 'negative regulation of steroid hormone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of steroid hormone secretion. [GOC:sl]' - }, - 'GO:2000833': { - 'name': 'positive regulation of steroid hormone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of steroid hormone secretion. [GOC:sl]' - }, - 'GO:2000834': { - 'name': 'regulation of androgen secretion', - 'def': 'Any process that modulates the frequency, rate or extent of androgen secretion. [GOC:sl]' - }, - 'GO:2000835': { - 'name': 'negative regulation of androgen secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of androgen secretion. [GOC:sl]' - }, - 'GO:2000836': { - 'name': 'positive regulation of androgen secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of androgen secretion. [GOC:sl]' - }, - 'GO:2000837': { - 'name': 'regulation of androstenedione secretion', - 'def': 'Any process that modulates the frequency, rate or extent of androstenedione secretion. [GOC:sl]' - }, - 'GO:2000838': { - 'name': 'negative regulation of androstenedione secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of androstenedione secretion. [GOC:sl]' - }, - 'GO:2000839': { - 'name': 'positive regulation of androstenedione secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of androstenedione secretion. [GOC:sl]' - }, - 'GO:2000840': { - 'name': 'regulation of dehydroepiandrosterone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of dehydroepiandrosterone secretion. [GOC:sl]' - }, - 'GO:2000841': { - 'name': 'negative regulation of dehydroepiandrosterone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dehydroepiandrosterone secretion. [GOC:sl]' - }, - 'GO:2000842': { - 'name': 'positive regulation of dehydroepiandrosterone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of dehydroepiandrosterone secretion. [GOC:sl]' - }, - 'GO:2000843': { - 'name': 'regulation of testosterone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of testosterone secretion. [GOC:sl]' - }, - 'GO:2000844': { - 'name': 'negative regulation of testosterone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of testosterone secretion. [GOC:sl]' - }, - 'GO:2000845': { - 'name': 'positive regulation of testosterone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of testosterone secretion. [GOC:sl]' - }, - 'GO:2000846': { - 'name': 'regulation of corticosteroid hormone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of corticosteroid hormone secretion. [GOC:sl]' - }, - 'GO:2000847': { - 'name': 'negative regulation of corticosteroid hormone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of corticosteroid hormone secretion. [GOC:sl]' - }, - 'GO:2000848': { - 'name': 'positive regulation of corticosteroid hormone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of corticosteroid hormone secretion. [GOC:sl]' - }, - 'GO:2000849': { - 'name': 'regulation of glucocorticoid secretion', - 'def': 'Any process that modulates the frequency, rate or extent of glucocorticoid secretion. [GOC:sl]' - }, - 'GO:2000850': { - 'name': 'negative regulation of glucocorticoid secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucocorticoid secretion. [GOC:sl]' - }, - 'GO:2000851': { - 'name': 'positive regulation of glucocorticoid secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucocorticoid secretion. [GOC:sl]' - }, - 'GO:2000852': { - 'name': 'regulation of corticosterone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of corticosterone secretion. [GOC:sl]' - }, - 'GO:2000853': { - 'name': 'negative regulation of corticosterone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of corticosterone secretion. [GOC:sl]' - }, - 'GO:2000854': { - 'name': 'positive regulation of corticosterone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of corticosterone secretion. [GOC:sl]' - }, - 'GO:2000855': { - 'name': 'regulation of mineralocorticoid secretion', - 'def': 'Any process that modulates the frequency, rate or extent of mineralocorticoid secretion. [GOC:sl]' - }, - 'GO:2000856': { - 'name': 'negative regulation of mineralocorticoid secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mineralocorticoid secretion. [GOC:sl]' - }, - 'GO:2000857': { - 'name': 'positive regulation of mineralocorticoid secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of mineralocorticoid secretion. [GOC:sl]' - }, - 'GO:2000858': { - 'name': 'regulation of aldosterone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of aldosterone secretion. [GOC:sl]' - }, - 'GO:2000859': { - 'name': 'negative regulation of aldosterone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of aldosterone secretion. [GOC:sl]' - }, - 'GO:2000860': { - 'name': 'positive regulation of aldosterone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of aldosterone secretion. [GOC:sl]' - }, - 'GO:2000861': { - 'name': 'regulation of estrogen secretion', - 'def': 'Any process that modulates the frequency, rate or extent of estrogen secretion. [GOC:sl]' - }, - 'GO:2000862': { - 'name': 'negative regulation of estrogen secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of estrogen secretion. [GOC:sl]' - }, - 'GO:2000863': { - 'name': 'positive regulation of estrogen secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of estrogen secretion. [GOC:sl]' - }, - 'GO:2000864': { - 'name': 'regulation of estradiol secretion', - 'def': 'Any process that modulates the frequency, rate or extent of estradiol secretion. [GOC:sl]' - }, - 'GO:2000865': { - 'name': 'negative regulation of estradiol secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of estradiol secretion. [GOC:sl]' - }, - 'GO:2000866': { - 'name': 'positive regulation of estradiol secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of estradiol secretion. [GOC:sl]' - }, - 'GO:2000867': { - 'name': 'regulation of estrone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of estrone secretion. [GOC:sl]' - }, - 'GO:2000868': { - 'name': 'negative regulation of estrone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of estrone secretion. [GOC:sl]' - }, - 'GO:2000869': { - 'name': 'positive regulation of estrone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of estrone secretion. [GOC:sl]' - }, - 'GO:2000870': { - 'name': 'regulation of progesterone secretion', - 'def': 'Any process that modulates the frequency, rate or extent of progesterone secretion. [GOC:sl]' - }, - 'GO:2000871': { - 'name': 'negative regulation of progesterone secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of progesterone secretion. [GOC:sl]' - }, - 'GO:2000872': { - 'name': 'positive regulation of progesterone secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of progesterone secretion. [GOC:sl]' - }, - 'GO:2000873': { - 'name': 'regulation of histone H4 acetylation involved in response to DNA damage stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of histone H4 acetylation involved in response to DNA damage stimulus. [GOC:mah]' - }, - 'GO:2000874': { - 'name': 'regulation of glyoxylate cycle', - 'def': 'Any process that modulates the frequency, rate or extent of glyoxylate cycle. [GOC:dgf]' - }, - 'GO:2000875': { - 'name': 'negative regulation of glyoxylate cycle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glyoxylate cycle. [GOC:dgf]' - }, - 'GO:2000876': { - 'name': 'positive regulation of glyoxylate cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of glyoxylate cycle. [GOC:dgf]' - }, - 'GO:2000877': { - 'name': 'negative regulation of oligopeptide transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of oligopeptide transport. [GOC:obol]' - }, - 'GO:2000878': { - 'name': 'positive regulation of oligopeptide transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of oligopeptide transport. [GOC:obol]' - }, - 'GO:2000879': { - 'name': 'negative regulation of dipeptide transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dipeptide transport. [GOC:obol]' - }, - 'GO:2000880': { - 'name': 'positive regulation of dipeptide transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of dipeptide transport. [GOC:obol]' - }, - 'GO:2000881': { - 'name': 'regulation of starch catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of starch catabolic process. [GOC:obol]' - }, - 'GO:2000882': { - 'name': 'negative regulation of starch catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of starch catabolic process. [GOC:obol]' - }, - 'GO:2000883': { - 'name': 'positive regulation of starch catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of starch catabolic process. [GOC:obol]' - }, - 'GO:2000884': { - 'name': 'glucomannan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a glucomannan. [GOC:mengo_curators]' - }, - 'GO:2000885': { - 'name': 'galactoglucomannan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a galactoglucomannan. [GOC:mengo_curators]' - }, - 'GO:2000886': { - 'name': 'glucuronoxylan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a glucuronoxylan. [GOC:mengo_curators]' - }, - 'GO:2000887': { - 'name': 'glucuronoarabinoxylan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a glucuronoarabinoxylan. [GOC:mengo_curators]' - }, - 'GO:2000888': { - 'name': 'arabinoxylan-containing compound catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an arabinoxylan. [GOC:mengo_curators]' - }, - 'GO:2000889': { - 'name': 'cellodextrin metabolic process', - 'def': 'The chemical reactions and pathways involving a cellodextrin. [GOC:obol]' - }, - 'GO:2000890': { - 'name': 'cellodextrin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a cellodextrin. [GOC:mengo_curators]' - }, - 'GO:2000891': { - 'name': 'cellobiose metabolic process', - 'def': 'The chemical reactions and pathways involving a cellobiose. [GOC:mengo_curators]' - }, - 'GO:2000892': { - 'name': 'cellobiose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a cellobiose. [GOC:mengo_curators]' - }, - 'GO:2000893': { - 'name': 'cellotriose metabolic process', - 'def': 'The chemical reactions and pathways involving a cellotriose. [GOC:mengo_curators]' - }, - 'GO:2000894': { - 'name': 'cellotriose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a cellotriose. [GOC:mengo_curators]' - }, - 'GO:2000895': { - 'name': 'hemicellulose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a hemicellulose. [GOC:mengo_curators]' - }, - 'GO:2000896': { - 'name': 'amylopectin metabolic process', - 'def': 'The chemical reactions and pathways involving an amylopectin. [GOC:mengo_curators]' - }, - 'GO:2000897': { - 'name': 'amylopectin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of an amylopectin. [GOC:mengo_curators]' - }, - 'GO:2000898': { - 'name': 'regulation of glucomannan catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of glucomannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000899': { - 'name': 'xyloglucan catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a xyloglucan. [GOC:mengo_curators]' - }, - 'GO:2000900': { - 'name': 'cyclodextrin metabolic process', - 'def': 'The chemical reactions and pathways involving a cyclodextrin. [GOC:mengo_curators]' - }, - 'GO:2000901': { - 'name': 'cyclodextrin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a cyclodextrin. [GOC:mengo_curators]' - }, - 'GO:2000902': { - 'name': 'cellooligosaccharide metabolic process', - 'def': 'The chemical reactions and pathways involving a cellooligosaccharide. [GOC:mengo_curators]' - }, - 'GO:2000903': { - 'name': 'cellooligosaccharide catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a cellooligosaccharide. [GOC:mengo_curators]' - }, - 'GO:2000904': { - 'name': 'regulation of starch metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of starch metabolic process. [GOC:obol]' - }, - 'GO:2000905': { - 'name': 'negative regulation of starch metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of starch metabolic process. [GOC:obol]' - }, - 'GO:2000906': { - 'name': 'positive regulation of starch metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of starch metabolic process. [GOC:obol]' - }, - 'GO:2000907': { - 'name': 'negative regulation of glucomannan catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucomannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000908': { - 'name': 'positive regulation of glucomannan catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucomannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000909': { - 'name': 'regulation of sterol import', - 'def': 'Any process that modulates the frequency, rate or extent of sterol import. [GOC:obol]' - }, - 'GO:2000910': { - 'name': 'negative regulation of sterol import', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of sterol import. [GOC:obol]' - }, - 'GO:2000911': { - 'name': 'positive regulation of sterol import', - 'def': 'Any process that activates or increases the frequency, rate or extent of sterol import. [GOC:obol]' - }, - 'GO:2000912': { - 'name': 'regulation of galactoglucomannan catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of galactoglucomannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000913': { - 'name': 'negative regulation of galactoglucomannan catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of galactoglucomannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000914': { - 'name': 'positive regulation of galactoglucomannan catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of galactoglucomannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000915': { - 'name': 'regulation of glucuronoxylan catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of glucuronoxylan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000916': { - 'name': 'negative regulation of glucuronoxylan catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucuronoxylan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000917': { - 'name': 'positive regulation of glucuronoxylan catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucuronoxylan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000918': { - 'name': 'regulation of glucuronoarabinoxylan catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of glucuronoarabinoxylan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000919': { - 'name': 'negative regulation of glucuronoarabinoxylan catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucuronoarabinoxylan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000920': { - 'name': 'positive regulation of glucuronoarabinoxylan catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucuronoarabinoxylan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000921': { - 'name': 'regulation of arabinoxylan-containing compound catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of arabinoxylan-containing compound catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000922': { - 'name': 'negative regulation of arabinoxylan-containing compound catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of arabinoxylan-containing compound catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000923': { - 'name': 'positive regulation of arabinoxylan-containing compound catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of arabinoxylan-containing compound catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000924': { - 'name': 'regulation of cellodextrin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellodextrin metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000925': { - 'name': 'negative regulation of cellodextrin metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellodextrin metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000926': { - 'name': 'positive regulation of cellodextrin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellodextrin metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000927': { - 'name': 'regulation of cellodextrin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellodextrin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000928': { - 'name': 'negative regulation of cellodextrin catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellodextrin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000929': { - 'name': 'positive regulation of cellodextrin catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellodextrin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000930': { - 'name': 'regulation of cellobiose metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellobiose metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000931': { - 'name': 'negative regulation of cellobiose metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellobiose metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000932': { - 'name': 'positive regulation of cellobiose metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellobiose metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000933': { - 'name': 'regulation of cellotriose metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellotriose metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000934': { - 'name': 'negative regulation of cellotriose metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellotriose metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000935': { - 'name': 'positive regulation of cellotriose metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellotriose metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000936': { - 'name': 'regulation of cellotriose catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellotriose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000937': { - 'name': 'negative regulation of cellotriose catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellotriose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000938': { - 'name': 'positive regulation of cellotriose catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellotriose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000939': { - 'name': 'regulation of plant-type cell wall cellulose catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of plant-type cell wall cellulose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000940': { - 'name': 'negative regulation of plant-type cell wall cellulose catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of plant-type cell wall cellulose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000941': { - 'name': 'positive regulation of plant-type cell wall cellulose catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of plant-type cell wall cellulose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000942': { - 'name': 'regulation of amylopectin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of amylopectin metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000943': { - 'name': 'negative regulation of amylopectin metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of amylopectin metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000944': { - 'name': 'positive regulation of amylopectin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of amylopectin metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000945': { - 'name': 'regulation of amylopectin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of amylopectin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000946': { - 'name': 'negative regulation of amylopectin catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of amylopectin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000947': { - 'name': 'positive regulation of amylopectin catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of amylopectin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000948': { - 'name': 'regulation of xyloglucan metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of xyloglucan metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000949': { - 'name': 'negative regulation of xyloglucan metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of xyloglucan metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000950': { - 'name': 'positive regulation of xyloglucan metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of xyloglucan metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000951': { - 'name': 'regulation of xyloglucan catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of xyloglucan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000952': { - 'name': 'negative regulation of xyloglucan catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of xyloglucan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000953': { - 'name': 'positive regulation of xyloglucan catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of xyloglucan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000954': { - 'name': 'regulation of cyclodextrin metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cyclodextrin metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000955': { - 'name': 'negative regulation of cyclodextrin metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cyclodextrin metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000956': { - 'name': 'positive regulation of cyclodextrin metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cyclodextrin metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000957': { - 'name': 'regulation of cyclodextrin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cyclodextrin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000958': { - 'name': 'negative regulation of cyclodextrin catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cyclodextrin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000959': { - 'name': 'positive regulation of cyclodextrin catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cyclodextrin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000960': { - 'name': 'regulation of cellooligosaccharide metabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellooligosaccharide metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000961': { - 'name': 'negative regulation of cellooligosaccharide metabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellooligosaccharide metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000962': { - 'name': 'positive regulation of cellooligosaccharide metabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellooligosaccharide metabolic process. [GOC:mengo_curators]' - }, - 'GO:2000963': { - 'name': 'regulation of cellooligosaccharide catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellooligosaccharide catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000964': { - 'name': 'negative regulation of cellooligosaccharide catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellooligosaccharide catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000965': { - 'name': 'positive regulation of cellooligosaccharide catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellooligosaccharide catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000966': { - 'name': 'regulation of cell wall polysaccharide catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cell wall polysaccharide catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000967': { - 'name': 'negative regulation of cell wall polysaccharide catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell wall polysaccharide catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000968': { - 'name': 'positive regulation of cell wall polysaccharide catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell wall polysaccharide catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000969': { - 'name': 'positive regulation of AMPA receptor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of AMPA selective glutamate receptor activity. [PMID:21423165]' - }, - 'GO:2000970': { - 'name': 'regulation of detection of glucose', - 'def': 'Any process that modulates the frequency, rate or extent of detection of glucose. [GOC:BHF]' - }, - 'GO:2000971': { - 'name': 'negative regulation of detection of glucose', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of detection of glucose. [GOC:BHF]' - }, - 'GO:2000972': { - 'name': 'positive regulation of detection of glucose', - 'def': 'Any process that activates or increases the frequency, rate or extent of detection of glucose. [GOC:BHF]' - }, - 'GO:2000973': { - 'name': 'regulation of pro-B cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of pro-B cell differentiation. [GOC:obol]' - }, - 'GO:2000974': { - 'name': 'negative regulation of pro-B cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pro-B cell differentiation. [GOC:obol]' - }, - 'GO:2000975': { - 'name': 'positive regulation of pro-B cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of pro-B cell differentiation. [GOC:obol]' - }, - 'GO:2000976': { - 'name': 'obsolete regulation of transcription from RNA polymerase II promoter involved in detection of glucose', - 'def': 'OBSOLETE. Any regulation of transcription from RNA polymerase II promoter that is involved in detection of glucose. [GOC:BHF]' - }, - 'GO:2000977': { - 'name': 'regulation of forebrain neuron differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of forebrain neuron differentiation. [GOC:obol]' - }, - 'GO:2000978': { - 'name': 'negative regulation of forebrain neuron differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of forebrain neuron differentiation. [GOC:obol]' - }, - 'GO:2000979': { - 'name': 'positive regulation of forebrain neuron differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of forebrain neuron differentiation. [GOC:obol]' - }, - 'GO:2000980': { - 'name': 'regulation of inner ear receptor cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of inner ear receptor cell differentiation. [GOC:obol]' - }, - 'GO:2000981': { - 'name': 'negative regulation of inner ear receptor cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of inner ear receptor cell differentiation. [GOC:obol]' - }, - 'GO:2000982': { - 'name': 'positive regulation of inner ear receptor cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of inner ear receptor cell differentiation. [GOC:obol]' - }, - 'GO:2000983': { - 'name': 'regulation of ATP citrate synthase activity', - 'def': 'Any process that modulates the frequency, rate or extent of ATP citrate synthase activity. [GOC:BHF]' - }, - 'GO:2000984': { - 'name': 'negative regulation of ATP citrate synthase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ATP citrate synthase activity. [GOC:BHF]' - }, - 'GO:2000985': { - 'name': 'positive regulation of ATP citrate synthase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of ATP citrate synthase activity. [GOC:BHF]' - }, - 'GO:2000986': { - 'name': 'negative regulation of behavioral fear response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of behavioral fear response. [GOC:obol]' - }, - 'GO:2000987': { - 'name': 'positive regulation of behavioral fear response', - 'def': 'Any process that activates or increases the frequency, rate or extent of behavioral fear response. [GOC:obol]' - }, - 'GO:2000988': { - 'name': 'regulation of hemicellulose catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of hemicellulose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000989': { - 'name': 'negative regulation of hemicellulose catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hemicellulose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000990': { - 'name': 'positive regulation of hemicellulose catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of hemicellulose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000991': { - 'name': 'regulation of galactomannan catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of galactomannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000992': { - 'name': 'negative regulation of galactomannan catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of galactomannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000993': { - 'name': 'positive regulation of galactomannan catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of galactomannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000994': { - 'name': 'regulation of mannan catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of mannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000995': { - 'name': 'negative regulation of mannan catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000996': { - 'name': 'positive regulation of mannan catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of mannan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000997': { - 'name': 'regulation of cellulose catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellulose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000998': { - 'name': 'negative regulation of cellulose catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellulose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2000999': { - 'name': 'positive regulation of cellulose catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellulose catabolic process. [GOC:mengo_curators]' - }, - 'GO:2001000': { - 'name': 'regulation of xylan catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of xylan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2001001': { - 'name': 'negative regulation of xylan catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of xylan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2001002': { - 'name': 'positive regulation of xylan catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of xylan catabolic process. [GOC:mengo_curators]' - }, - 'GO:2001003': { - 'name': 'regulation of pectin catabolic process', - 'def': 'Any process that modulates the frequency, rate or extent of pectin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2001004': { - 'name': 'negative regulation of pectin catabolic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of pectin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2001005': { - 'name': 'positive regulation of pectin catabolic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of pectin catabolic process. [GOC:mengo_curators]' - }, - 'GO:2001006': { - 'name': 'regulation of cellulose biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of cellulose biosynthetic process. [GOC:mengo_curators]' - }, - 'GO:2001007': { - 'name': 'negative regulation of cellulose biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellulose biosynthetic process. [GOC:mengo_curators]' - }, - 'GO:2001008': { - 'name': 'positive regulation of cellulose biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellulose biosynthetic process. [GOC:mengo_curators]' - }, - 'GO:2001009': { - 'name': 'regulation of plant-type cell wall cellulose biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of plant-type cell wall cellulose biosynthetic process. [GOC:mengo_curators]' - }, - 'GO:2001010': { - 'name': 'negative regulation of plant-type cell wall cellulose biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of plant-type cell wall cellulose biosynthetic process. [GOC:mengo_curators]' - }, - 'GO:2001011': { - 'name': 'positive regulation of plant-type cell wall cellulose biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of plant-type cell wall cellulose biosynthetic process. [GOC:mengo_curators]' - }, - 'GO:2001012': { - 'name': 'mesenchymal cell differentiation involved in renal system development', - 'def': 'The process in which relatively unspecialized cells acquire specialized structural and/or functional features that characterize the mesenchymal cells of the renal system as it progresses from its formation to the mature state. [GOC:mtg_kidney_jan10, GOC:obol, GOC:yaf]' - }, - 'GO:2001013': { - 'name': 'epithelial cell proliferation involved in renal tubule morphogenesis', - 'def': 'Any epithelial cell proliferation that is involved in renal tubule morphogenesis. [GOC:obol]' - }, - 'GO:2001014': { - 'name': 'regulation of skeletal muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of skeletal muscle cell differentiation. [GOC:obol]' - }, - 'GO:2001015': { - 'name': 'negative regulation of skeletal muscle cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of skeletal muscle cell differentiation. [GOC:obol]' - }, - 'GO:2001016': { - 'name': 'positive regulation of skeletal muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of skeletal muscle cell differentiation. [GOC:obol]' - }, - 'GO:2001017': { - 'name': 'regulation of retrograde axon cargo transport', - 'def': 'Any process that modulates the frequency, rate or extent of retrograde axon cargo transport. [GOC:obol]' - }, - 'GO:2001018': { - 'name': 'negative regulation of retrograde axon cargo transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of retrograde axon cargo transport. [GOC:obol]' - }, - 'GO:2001019': { - 'name': 'positive regulation of retrograde axon cargo transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of retrograde axon cargo transport. [GOC:obol]' - }, - 'GO:2001020': { - 'name': 'regulation of response to DNA damage stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of response to DNA damage stimulus. [GOC:obol]' - }, - 'GO:2001021': { - 'name': 'negative regulation of response to DNA damage stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to DNA damage stimulus. [GOC:obol]' - }, - 'GO:2001022': { - 'name': 'positive regulation of response to DNA damage stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to DNA damage stimulus. [GOC:obol]' - }, - 'GO:2001023': { - 'name': 'regulation of response to drug', - 'def': 'Any process that modulates the frequency, rate or extent of response to drug. [GOC:obol]' - }, - 'GO:2001024': { - 'name': 'negative regulation of response to drug', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to drug. [GOC:obol]' - }, - 'GO:2001025': { - 'name': 'positive regulation of response to drug', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to drug. [GOC:obol]' - }, - 'GO:2001026': { - 'name': 'regulation of endothelial cell chemotaxis', - 'def': 'Any process that modulates the frequency, rate or extent of endothelial cell chemotaxis. [GOC:BHF]' - }, - 'GO:2001027': { - 'name': 'negative regulation of endothelial cell chemotaxis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endothelial cell chemotaxis. [GOC:BHF]' - }, - 'GO:2001028': { - 'name': 'positive regulation of endothelial cell chemotaxis', - 'def': 'Any process that activates or increases the frequency, rate or extent of endothelial cell chemotaxis. [GOC:BHF]' - }, - 'GO:2001029': { - 'name': 'regulation of cellular glucuronidation', - 'def': 'Any process that modulates the frequency, rate or extent of cellular glucuronidation. [GOC:BHF]' - }, - 'GO:2001030': { - 'name': 'negative regulation of cellular glucuronidation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular glucuronidation. [GOC:BHF]' - }, - 'GO:2001031': { - 'name': 'positive regulation of cellular glucuronidation', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular glucuronidation. [GOC:BHF]' - }, - 'GO:2001032': { - 'name': 'regulation of double-strand break repair via nonhomologous end joining', - 'def': 'Any process that modulates the frequency, rate or extent of double-strand break repair via nonhomologous end joining. [GOC:obol]' - }, - 'GO:2001033': { - 'name': 'negative regulation of double-strand break repair via nonhomologous end joining', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of double-strand break repair via nonhomologous end joining. [GOC:obol]' - }, - 'GO:2001034': { - 'name': 'positive regulation of double-strand break repair via nonhomologous end joining', - 'def': 'Any process that activates or increases the frequency, rate or extent of double-strand break repair via nonhomologous end joining. [GOC:obol]' - }, - 'GO:2001035': { - 'name': 'regulation of tongue muscle cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of tongue muscle cell differentiation. [GOC:obol]' - }, - 'GO:2001036': { - 'name': 'negative regulation of tongue muscle cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tongue muscle cell differentiation. [GOC:obol]' - }, - 'GO:2001037': { - 'name': 'positive regulation of tongue muscle cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of tongue muscle cell differentiation. [GOC:obol]' - }, - 'GO:2001038': { - 'name': 'regulation of cellular response to drug', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to drug. [GOC:obol]' - }, - 'GO:2001039': { - 'name': 'negative regulation of cellular response to drug', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to drug. [GOC:obol]' - }, - 'GO:2001040': { - 'name': 'positive regulation of cellular response to drug', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to drug. [GOC:obol]' - }, - 'GO:2001042': { - 'name': 'negative regulation of cell separation after cytokinesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cell separation involved in cell cycle cytokinesis. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2001043': { - 'name': 'positive regulation of cell separation after cytokinesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cell separation involved after cell cycle cytokinesis. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2001044': { - 'name': 'regulation of integrin-mediated signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of integrin-mediated signaling pathway. [GOC:obol]' - }, - 'GO:2001045': { - 'name': 'negative regulation of integrin-mediated signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of integrin-mediated signaling pathway. [GOC:obol]' - }, - 'GO:2001046': { - 'name': 'positive regulation of integrin-mediated signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of integrin-mediated signaling pathway. [GOC:obol]' - }, - 'GO:2001049': { - 'name': 'regulation of tendon cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of tendon cell differentiation. [GOC:obol]' - }, - 'GO:2001050': { - 'name': 'negative regulation of tendon cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of tendon cell differentiation. [GOC:obol]' - }, - 'GO:2001051': { - 'name': 'positive regulation of tendon cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of tendon cell differentiation. [GOC:obol]' - }, - 'GO:2001053': { - 'name': 'regulation of mesenchymal cell apoptotic process', - 'def': 'Any process that modulates the frequency, rate or extent of mesenchymal cell apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2001054': { - 'name': 'negative regulation of mesenchymal cell apoptotic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mesenchymal cell apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2001055': { - 'name': 'positive regulation of mesenchymal cell apoptotic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of mesenchymal cell apoptotic process. [GOC:mtg_apoptosis, GOC:obol]' - }, - 'GO:2001056': { - 'name': 'positive regulation of cysteine-type endopeptidase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of cysteine-type endopeptidase activity. [GOC:obol]' - }, - 'GO:2001057': { - 'name': 'reactive nitrogen species metabolic process', - 'def': 'The chemical reactions and pathways involving a reactive nitrogen species. [GOC:obol]' - }, - 'GO:2001058': { - 'name': 'D-tagatose 6-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a D-tagatose 6-phosphate. [GOC:obol]' - }, - 'GO:2001059': { - 'name': 'D-tagatose 6-phosphate catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a D-tagatose 6-phosphate. [GOC:mengo_curators]' - }, - 'GO:2001060': { - 'name': 'D-glycero-D-manno-heptose 7-phosphate metabolic process', - 'def': 'The chemical reactions and pathways involving a D-glycero-D-manno-heptose 7-phosphate. [GOC:mengo_curators]' - }, - 'GO:2001061': { - 'name': 'D-glycero-D-manno-heptose 7-phosphate biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a D-glycero-D-manno-heptose 7-phosphate. [GOC:mengo_curators]' - }, - 'GO:2001062': { - 'name': 'xylan binding', - 'def': 'Interacting selectively and non-covalently with xylan. [GOC:mengo_curators]' - }, - 'GO:2001063': { - 'name': 'glucomannan binding', - 'def': 'Interacting selectively and non-covalently with glucomannan. [GOC:mengo_curators]' - }, - 'GO:2001064': { - 'name': 'cellooligosaccharide binding', - 'def': 'Interacting selectively and non-covalently with cellooligosaccharide. [GOC:mengo_curators]' - }, - 'GO:2001065': { - 'name': 'mannan binding', - 'def': 'Interacting selectively and non-covalently with mannan. [GOC:mengo_curators]' - }, - 'GO:2001066': { - 'name': 'amylopectin binding', - 'def': 'Interacting selectively and non-covalently with amylopectin. [GOC:mengo_curators]' - }, - 'GO:2001067': { - 'name': 'pullulan binding', - 'def': 'Interacting selectively and non-covalently with pullulan. [GOC:mengo_curators]' - }, - 'GO:2001068': { - 'name': 'arabinoxylan binding', - 'def': 'Interacting selectively and non-covalently with arabinoxylan. [GOC:mengo_curators]' - }, - 'GO:2001069': { - 'name': 'glycogen binding', - 'def': 'Interacting selectively and non-covalently with glycogen. [GOC:mengo_curators]' - }, - 'GO:2001070': { - 'name': 'starch binding', - 'def': 'Interacting selectively and non-covalently with starch. [GOC:mengo_curators]' - }, - 'GO:2001071': { - 'name': 'maltoheptaose binding', - 'def': 'Interacting selectively and non-covalently with maltoheptaose. [GOC:mengo_curators]' - }, - 'GO:2001072': { - 'name': 'galactomannan binding', - 'def': 'Interacting selectively and non-covalently with galactomannan. [GOC:mengo_curators]' - }, - 'GO:2001073': { - 'name': 'cyclodextrin binding', - 'def': 'Interacting selectively and non-covalently with cyclodextrin. [GOC:mengo_curators]' - }, - 'GO:2001074': { - 'name': 'regulation of metanephric ureteric bud development', - 'def': 'Any process that modulates the frequency, rate or extent of metanephric ureteric bud development. [GOC:obol]' - }, - 'GO:2001075': { - 'name': 'negative regulation of metanephric ureteric bud development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of metanephric ureteric bud development. [GOC:obol]' - }, - 'GO:2001076': { - 'name': 'positive regulation of metanephric ureteric bud development', - 'def': 'Any process that activates or increases the frequency, rate or extent of metanephric ureteric bud development. [GOC:obol]' - }, - 'GO:2001077': { - 'name': '(1->3),(1->4)-beta-glucan binding', - 'def': 'Interacting selectively and non-covalently with (1->3),(1->4)-beta-glucan. [GOC:mengo_curators]' - }, - 'GO:2001078': { - 'name': '(1->6)-beta-D-glucan binding', - 'def': 'Interacting selectively and non-covalently with (1->6)-beta-D-glucan. [GOC:mengo_curators]' - }, - 'GO:2001079': { - 'name': 'beta-D-Gal-(1->4)-beta-D-GlcNAc-(1->3)-beta-D-Gal-(1->4)-D-Glc binding', - 'def': 'Interacting selectively and non-covalently with beta-D-Gal-(1->4)-beta-D-GlcNAc-(1->3)-beta-D-Gal-(1->4)-D-Glc. [GOC:mengo_curators]' - }, - 'GO:2001080': { - 'name': 'chitosan binding', - 'def': 'Interacting selectively and non-covalently with chitosan. [GOC:mengo_curators]' - }, - 'GO:2001081': { - 'name': '(1->4)-beta-D-galactan binding', - 'def': 'Interacting selectively and non-covalently with (1->4)-beta-D-galactan. [GOC:mengo_curators]' - }, - 'GO:2001082': { - 'name': 'inulin binding', - 'def': 'Interacting selectively and non-covalently with inulin. [GOC:mengo_curators]' - }, - 'GO:2001083': { - 'name': 'alpha-D-glucan binding', - 'def': 'Interacting selectively and non-covalently with alpha-D-glucan. [GOC:mengo_curators]' - }, - 'GO:2001084': { - 'name': 'L-arabinofuranose binding', - 'def': 'Interacting selectively and non-covalently with L-arabinofuranose. [GOC:mengo_curators]' - }, - 'GO:2001085': { - 'name': 'arabinogalactan binding', - 'def': 'Interacting selectively and non-covalently with arabinogalactan. [GOC:mengo_curators]' - }, - 'GO:2001086': { - 'name': 'laminarabiose transport', - 'def': 'The directed movement of a laminarabioseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001087': { - 'name': 'sophorose transport', - 'def': 'The directed movement of a sophoroseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001088': { - 'name': 'trisaccharide transport', - 'def': 'The directed movement of a trisaccharideacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001089': { - 'name': 'maltotriose transport', - 'def': 'The directed movement of a maltotrioseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001090': { - 'name': 'maltotriulose transport', - 'def': 'The directed movement of a maltotriuloseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001091': { - 'name': 'nigerotriose transport', - 'def': 'The directed movement of a nigerotrioseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001092': { - 'name': 'arabinotriose transport', - 'def': 'The directed movement of an arabinotrioseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001093': { - 'name': 'galactotriose transport', - 'def': 'The directed movement of a galactotrioseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001094': { - 'name': 'xylotriose transport', - 'def': 'The directed movement of a xylotrioseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001095': { - 'name': 'mannotriose transport', - 'def': 'The directed movement of a mannotrioseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001096': { - 'name': 'cellotriose transport', - 'def': 'The directed movement of a cellotrioseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001097': { - 'name': 'laminaritriose transport', - 'def': 'The directed movement of a laminaritrioseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001098': { - 'name': 'tetrasaccharide transport', - 'def': 'The directed movement of a tetrasaccharideacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001099': { - 'name': 'maltotetraose transport', - 'def': 'The directed movement of a maltotetraoseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001100': { - 'name': 'pentasaccharide transport', - 'def': 'The directed movement of a pentasaccharideacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001101': { - 'name': 'maltopentaose transport', - 'def': 'The directed movement of a maltopentaoseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001102': { - 'name': 'hexasaccharide transport', - 'def': 'The directed movement of a hexasaccharideacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001103': { - 'name': 'maltohexaose transport', - 'def': 'The directed movement of a maltohexaoseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001104': { - 'name': 'heptasaccharide transport', - 'def': 'The directed movement of a heptasaccharideacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001105': { - 'name': 'maltoheptaose transport', - 'def': 'The directed movement of a maltoheptaoseacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:mengo_curators]' - }, - 'GO:2001106': { - 'name': 'regulation of Rho guanyl-nucleotide exchange factor activity', - 'def': 'Any process that modulates the frequency, rate or extent of Rho guanyl-nucleotide exchange factor activity. [GOC:obol]' - }, - 'GO:2001107': { - 'name': 'negative regulation of Rho guanyl-nucleotide exchange factor activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of Rho guanyl-nucleotide exchange factor activity. [GOC:obol]' - }, - 'GO:2001108': { - 'name': 'positive regulation of Rho guanyl-nucleotide exchange factor activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of Rho guanyl-nucleotide exchange factor activity. [GOC:obol]' - }, - 'GO:2001109': { - 'name': 'regulation of lens epithelial cell proliferation', - 'def': 'Any process that modulates the frequency, rate or extent of lens epithelial cell proliferation. [GOC:obol]' - }, - 'GO:2001110': { - 'name': 'negative regulation of lens epithelial cell proliferation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lens epithelial cell proliferation. [GOC:obol]' - }, - 'GO:2001111': { - 'name': 'positive regulation of lens epithelial cell proliferation', - 'def': 'Any process that activates or increases the frequency, rate or extent of lens epithelial cell proliferation. [GOC:obol]' - }, - 'GO:2001112': { - 'name': 'regulation of cellular response to hepatocyte growth factor stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of cellular response to hepatocyte growth factor stimulus. [GOC:obol]' - }, - 'GO:2001113': { - 'name': 'negative regulation of cellular response to hepatocyte growth factor stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cellular response to hepatocyte growth factor stimulus. [GOC:obol]' - }, - 'GO:2001114': { - 'name': 'positive regulation of cellular response to hepatocyte growth factor stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of cellular response to hepatocyte growth factor stimulus. [GOC:obol]' - }, - 'GO:2001115': { - 'name': 'methanopterin-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a methanopterin. [GOC:mengo_curators]' - }, - 'GO:2001116': { - 'name': 'methanopterin-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a methanopterin. [GOC:mengo_curators]' - }, - 'GO:2001117': { - 'name': 'tetrahydromethanopterin metabolic process', - 'def': 'The chemical reactions and pathways involving a tetrahydromethanopterin. [GOC:mengo_curators]' - }, - 'GO:2001118': { - 'name': 'tetrahydromethanopterin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a tetrahydromethanopterin. [GOC:mengo_curators]' - }, - 'GO:2001119': { - 'name': 'methanofuran metabolic process', - 'def': 'The chemical reactions and pathways involving a methanofuran. [GOC:mengo_curators]' - }, - 'GO:2001120': { - 'name': 'methanofuran biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a methanofuran. [GOC:mengo_curators]' - }, - 'GO:2001121': { - 'name': 'coenzyme gamma-F420-2 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a coenzyme gamma-F420-2. [GOC:mengo_curators]' - }, - 'GO:2001122': { - 'name': 'maltoheptaose metabolic process', - 'def': 'The chemical reactions and pathways involving a maltoheptaose. [GOC:mengo_curators]' - }, - 'GO:2001123': { - 'name': 'maltoheptaose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a maltoheptaose. [GOC:mengo_curators]' - }, - 'GO:2001124': { - 'name': 'regulation of translational frameshifting', - 'def': 'Any process that modulates the frequency, rate or extent of translational frameshifting. [GOC:obol]' - }, - 'GO:2001125': { - 'name': 'negative regulation of translational frameshifting', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of translational frameshifting. [GOC:obol]' - }, - 'GO:2001126': { - 'name': 'positive regulation of translational frameshifting', - 'def': 'Any process that activates or increases the frequency, rate or extent of translational frameshifting. [GOC:obol]' - }, - 'GO:2001127': { - 'name': 'methane biosynthetic process from formic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a methane from a formic acid. [GOC:mengo_curators]' - }, - 'GO:2001128': { - 'name': 'methane biosynthetic process from methylamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a methane from a methylamine. [GOC:mengo_curators]' - }, - 'GO:2001129': { - 'name': 'methane biosynthetic process from dimethylamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a methane from a dimethylamine. [GOC:mengo_curators]' - }, - 'GO:2001130': { - 'name': 'methane biosynthetic process from trimethylamine', - 'def': 'The chemical reactions and pathways resulting in the formation of a methane from a trimethylamine. [GOC:mengo_curators]' - }, - 'GO:2001131': { - 'name': 'methane biosynthetic process from dimethyl sulfide', - 'def': 'The chemical reactions and pathways resulting in the formation of a methane from a dimethyl sulfide. [GOC:mengo_curators]' - }, - 'GO:2001132': { - 'name': 'methane biosynthetic process from 3-(methylthio)propionic acid', - 'def': 'The chemical reactions and pathways resulting in the formation of a methane from a 3-(methylthio)propionic acid. [GOC:mengo_curators]' - }, - 'GO:2001133': { - 'name': 'methane biosynthetic process from methanethiol', - 'def': 'The chemical reactions and pathways resulting in the formation of a methane from a methanethiol. [GOC:mengo_curators]' - }, - 'GO:2001134': { - 'name': 'methane biosynthetic process from carbon monoxide', - 'def': 'The chemical reactions and pathways resulting in the formation of a methane from a carbon monoxide. [GOC:mengo_curators]' - }, - 'GO:2001135': { - 'name': 'regulation of endocytic recycling', - 'def': 'Any process that modulates the frequency, rate or extent of endocytic recycling. [GOC:obol]' - }, - 'GO:2001136': { - 'name': 'negative regulation of endocytic recycling', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of endocytic recycling. [GOC:obol]' - }, - 'GO:2001137': { - 'name': 'positive regulation of endocytic recycling', - 'def': 'Any process that activates or increases the frequency, rate or extent of endocytic recycling. [GOC:obol]' - }, - 'GO:2001138': { - 'name': 'regulation of phospholipid transport', - 'def': 'Any process that modulates the frequency, rate or extent of phospholipid transport. [GOC:obol]' - }, - 'GO:2001139': { - 'name': 'negative regulation of phospholipid transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phospholipid transport. [GOC:obol]' - }, - 'GO:2001140': { - 'name': 'positive regulation of phospholipid transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of phospholipid transport. [GOC:obol]' - }, - 'GO:2001141': { - 'name': 'regulation of RNA biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of RNA biosynthetic process. [GOC:dph]' - }, - 'GO:2001142': { - 'name': 'nicotinate transport', - 'def': 'The directed movement of a nicotinateacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:obol]' - }, - 'GO:2001143': { - 'name': 'N-methylnicotinate transport', - 'def': 'The directed movement of a N-methylnicotinateacetate into, out of or within a cell, or between cells, by means of some agent such as a transporter or pore. [GOC:obol]' - }, - 'GO:2001144': { - 'name': 'regulation of phosphatidylinositol-3,4,5-trisphosphate 5-phosphatase activity', - 'def': 'Any process that modulates the frequency, rate or extent of phosphatidylinositol-3,4,5-trisphosphate 5-phosphatase activity. [GOC:obol]' - }, - 'GO:2001145': { - 'name': 'negative regulation of phosphatidylinositol-3,4,5-trisphosphate 5-phosphatase activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phosphatidylinositol-3,4,5-trisphosphate 5-phosphatase activity. [GOC:obol]' - }, - 'GO:2001146': { - 'name': 'positive regulation of phosphatidylinositol-3,4,5-trisphosphate 5-phosphatase activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidylinositol-3,4,5-trisphosphate 5-phosphatase activity. [GOC:obol]' - }, - 'GO:2001147': { - 'name': 'camalexin binding', - 'def': 'Interacting selectively and non-covalently with camalexin. [GOC:obol]' - }, - 'GO:2001148': { - 'name': 'regulation of dipeptide transmembrane transport', - 'def': 'Any process that modulates the frequency, rate or extent of dipeptide transmembrane transport. [GOC:obol]' - }, - 'GO:2001149': { - 'name': 'negative regulation of dipeptide transmembrane transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dipeptide transmembrane transport. [GOC:obol]' - }, - 'GO:2001150': { - 'name': 'positive regulation of dipeptide transmembrane transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of dipeptide transmembrane transport. [GOC:obol]' - }, - 'GO:2001151': { - 'name': 'regulation of renal water transport', - 'def': 'Any process that modulates the frequency, rate or extent of renal water transport. [GOC:obol]' - }, - 'GO:2001152': { - 'name': 'negative regulation of renal water transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of renal water transport. [GOC:obol]' - }, - 'GO:2001153': { - 'name': 'positive regulation of renal water transport', - 'def': 'Any process that activates or increases the frequency, rate or extent of renal water transport. [GOC:obol]' - }, - 'GO:2001154': { - 'name': 'regulation of glycolytic fermentation to ethanol', - 'def': 'Any process that modulates the frequency, rate or extent of glucose catabolic process to ethanol. [GOC:obol]' - }, - 'GO:2001155': { - 'name': 'negative regulation of glycolytic fermentation to ethanol', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucose catabolic process to ethanol. [GOC:obol]' - }, - 'GO:2001156': { - 'name': 'regulation of proline catabolic process to glutamate', - 'def': 'Any process that modulates the frequency, rate or extent of proline catabolic process to glutamate. [GOC:obol]' - }, - 'GO:2001157': { - 'name': 'negative regulation of proline catabolic process to glutamate', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of proline catabolic process to glutamate. [GOC:obol]' - }, - 'GO:2001158': { - 'name': 'positive regulation of proline catabolic process to glutamate', - 'def': 'Any process that activates or increases the frequency, rate or extent of proline catabolic process to glutamate. [GOC:obol]' - }, - 'GO:2001159': { - 'name': 'regulation of CVT pathway', - 'def': 'Any process that modulates the frequency, rate or extent of CVT pathway. [GOC:obol]' - }, - 'GO:2001160': { - 'name': 'regulation of histone H3-K79 methylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K79 methylation. [PMID:12876294]' - }, - 'GO:2001161': { - 'name': 'negative regulation of histone H3-K79 methylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K79 methylation. [PMID:12876294]' - }, - 'GO:2001162': { - 'name': 'positive regulation of histone H3-K79 methylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K79 methylation. [PMID:12876294]' - }, - 'GO:2001163': { - 'name': 'regulation of phosphorylation of RNA polymerase II C-terminal domain serine 2 residues', - 'def': 'Any process that modulates the frequency, rate or extent of phosphorylation of RNA polymerase II C-terminal domain serine 2 residues. [PMID:15149594]' - }, - 'GO:2001164': { - 'name': 'negative regulation of phosphorylation of RNA polymerase II C-terminal domain serine 2 residues', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phosphorylation of RNA polymerase II C-terminal domain serine 2 residues. [PMID:15149594]' - }, - 'GO:2001165': { - 'name': 'positive regulation of phosphorylation of RNA polymerase II C-terminal domain serine 2 residues', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphorylation of RNA polymerase II C-terminal domain serine 2 residues. [PMID:15149594]' - }, - 'GO:2001166': { - 'name': 'regulation of histone H2B ubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of histone H2B ubiquitination. [PMID:12876293]' - }, - 'GO:2001167': { - 'name': 'negative regulation of histone H2B ubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H2B ubiquitination. [PMID:12876293]' - }, - 'GO:2001168': { - 'name': 'positive regulation of histone H2B ubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H2B ubiquitination. [PMID:12876293]' - }, - 'GO:2001169': { - 'name': 'regulation of ATP biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of ATP biosynthetic process. [GOC:obol]' - }, - 'GO:2001170': { - 'name': 'negative regulation of ATP biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ATP biosynthetic process. [GOC:obol]' - }, - 'GO:2001171': { - 'name': 'positive regulation of ATP biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of ATP biosynthetic process. [GOC:obol]' - }, - 'GO:2001172': { - 'name': 'positive regulation of glycolytic fermentation to ethanol', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucose catabolic process to ethanol. [GOC:obol]' - }, - 'GO:2001173': { - 'name': 'regulation of histone H2B conserved C-terminal lysine ubiquitination', - 'def': 'Any process that modulates the frequency, rate or extent of histone H2B conserved C-terminal lysine ubiquitination. [PMID:17576814]' - }, - 'GO:2001174': { - 'name': 'negative regulation of histone H2B conserved C-terminal lysine ubiquitination', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H2B conserved C-terminal lysine ubiquitination. [PMID:17576814]' - }, - 'GO:2001175': { - 'name': 'positive regulation of histone H2B conserved C-terminal lysine ubiquitination', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H2B conserved C-terminal lysine ubiquitination. [PMID:17576814]' - }, - 'GO:2001176': { - 'name': 'regulation of mediator complex assembly', - 'def': 'Any process that modulates the frequency, rate or extent of mediator complex assembly. [GOC:obol]' - }, - 'GO:2001177': { - 'name': 'negative regulation of mediator complex assembly', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of mediator complex assembly. [GOC:obol]' - }, - 'GO:2001178': { - 'name': 'positive regulation of mediator complex assembly', - 'def': 'Any process that activates or increases the frequency, rate or extent of mediator complex assembly. [GOC:obol]' - }, - 'GO:2001179': { - 'name': 'regulation of interleukin-10 secretion', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-10 secretion. [GOC:obol]' - }, - 'GO:2001180': { - 'name': 'negative regulation of interleukin-10 secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-10 secretion. [GOC:obol]' - }, - 'GO:2001181': { - 'name': 'positive regulation of interleukin-10 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-10 secretion. [GOC:obol]' - }, - 'GO:2001182': { - 'name': 'regulation of interleukin-12 secretion', - 'def': 'Any process that modulates the frequency, rate or extent of interleukin-12 secretion. [GOC:obol]' - }, - 'GO:2001183': { - 'name': 'negative regulation of interleukin-12 secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of interleukin-12 secretion. [GOC:obol]' - }, - 'GO:2001184': { - 'name': 'positive regulation of interleukin-12 secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of interleukin-12 secretion. [GOC:obol]' - }, - 'GO:2001185': { - 'name': 'regulation of CD8-positive, alpha-beta T cell activation', - 'def': 'Any process that modulates the frequency, rate or extent of CD8-positive, alpha-beta T cell activation. [GOC:obol]' - }, - 'GO:2001186': { - 'name': 'negative regulation of CD8-positive, alpha-beta T cell activation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of CD8-positive, alpha-beta T cell activation. [GOC:obol]' - }, - 'GO:2001187': { - 'name': 'positive regulation of CD8-positive, alpha-beta T cell activation', - 'def': 'Any process that activates or increases the frequency, rate or extent of CD8-positive, alpha-beta T cell activation. [GOC:obol]' - }, - 'GO:2001188': { - 'name': 'regulation of T cell activation via T cell receptor contact with antigen bound to MHC molecule on antigen presenting cell', - 'def': 'Any process that modulates the frequency, rate or extent of T cell activation via T cell receptor contact with antigen bound to MHC molecule on antigen presenting cell. [GOC:obol]' - }, - 'GO:2001189': { - 'name': 'negative regulation of T cell activation via T cell receptor contact with antigen bound to MHC molecule on antigen presenting cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of T cell activation via T cell receptor contact with antigen bound to MHC molecule on antigen presenting cell. [GOC:obol]' - }, - 'GO:2001190': { - 'name': 'positive regulation of T cell activation via T cell receptor contact with antigen bound to MHC molecule on antigen presenting cell', - 'def': 'Any process that activates or increases the frequency, rate or extent of T cell activation via T cell receptor contact with antigen bound to MHC molecule on antigen presenting cell. [GOC:obol]' - }, - 'GO:2001191': { - 'name': 'regulation of gamma-delta T cell activation involved in immune response', - 'def': 'Any process that modulates the frequency, rate or extent of gamma-delta T cell activation involved in immune response. [GOC:obol]' - }, - 'GO:2001192': { - 'name': 'negative regulation of gamma-delta T cell activation involved in immune response', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of gamma-delta T cell activation involved in immune response. [GOC:obol]' - }, - 'GO:2001193': { - 'name': 'positive regulation of gamma-delta T cell activation involved in immune response', - 'def': 'Any process that activates or increases the frequency, rate or extent of gamma-delta T cell activation involved in immune response. [GOC:obol]' - }, - 'GO:2001194': { - 'name': 'regulation of lysine biosynthetic process via alpha-aminoadipate and saccharopine', - 'def': 'Any process that modulates the frequency, rate or extent of lysine biosynthetic process via alpha-aminoadipate and saccharopine. [GOC:obol]' - }, - 'GO:2001195': { - 'name': 'negative regulation of lysine biosynthetic process via alpha-aminoadipate and saccharopine', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of lysine biosynthetic process via alpha-aminoadipate and saccharopine. [GOC:obol]' - }, - 'GO:2001196': { - 'name': 'positive regulation of lysine biosynthetic process via alpha-aminoadipate and saccharopine', - 'def': 'Any process that activates or increases the frequency, rate or extent of lysine biosynthetic process via alpha-aminoadipate and saccharopine. [GOC:obol]' - }, - 'GO:2001197': { - 'name': 'basement membrane assembly involved in embryonic body morphogenesis', - 'def': 'Any basement membrane assembly that is involved in embryonic body morphogenesis. [GOC:obol]' - }, - 'GO:2001198': { - 'name': 'regulation of dendritic cell differentiation', - 'def': 'Any process that modulates the frequency, rate or extent of dendritic cell differentiation. [GOC:obol]' - }, - 'GO:2001199': { - 'name': 'negative regulation of dendritic cell differentiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of dendritic cell differentiation. [GOC:obol]' - }, - 'GO:2001200': { - 'name': 'positive regulation of dendritic cell differentiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of dendritic cell differentiation. [GOC:obol]' - }, - 'GO:2001201': { - 'name': 'regulation of transforming growth factor-beta secretion', - 'def': 'Any process that modulates the frequency, rate or extent of transforming growth factor-beta secretion. [GOC:obol]' - }, - 'GO:2001202': { - 'name': 'negative regulation of transforming growth factor-beta secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transforming growth factor-beta secretion. [GOC:obol]' - }, - 'GO:2001203': { - 'name': 'positive regulation of transforming growth factor-beta secretion', - 'def': 'Any process that activates or increases the frequency, rate or extent of transforming growth factor-beta secretion. [GOC:obol]' - }, - 'GO:2001204': { - 'name': 'regulation of osteoclast development', - 'def': 'Any process that modulates the frequency, rate or extent of osteoclast development. [GOC:obol]' - }, - 'GO:2001205': { - 'name': 'negative regulation of osteoclast development', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of osteoclast development. [GOC:obol]' - }, - 'GO:2001206': { - 'name': 'positive regulation of osteoclast development', - 'def': 'Any process that activates or increases the frequency, rate or extent of osteoclast development. [GOC:obol]' - }, - 'GO:2001207': { - 'name': 'regulation of transcription elongation from RNA polymerase I promoter', - 'def': 'Any process that modulates the frequency, rate or extent of transcription elongation from RNA polymerase I promoter. [PMID:20299458]' - }, - 'GO:2001208': { - 'name': 'negative regulation of transcription elongation from RNA polymerase I promoter', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of transcription elongation from RNA polymerase I promoter. [PMID:20299458]' - }, - 'GO:2001209': { - 'name': 'positive regulation of transcription elongation from RNA polymerase I promoter', - 'def': 'Any process that activates or increases the frequency, rate or extent of transcription elongation from RNA polymerase I promoter. [PMID:20299458]' - }, - 'GO:2001210': { - 'name': 'regulation of isopentenyl diphosphate biosynthetic process, mevalonate pathway', - 'def': 'Any process that modulates the frequency, rate or extent of isopentenyl diphosphate biosynthetic process, mevalonate pathway. [GOC:al]' - }, - 'GO:2001211': { - 'name': 'negative regulation of isopentenyl diphosphate biosynthetic process, mevalonate pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of isopentenyl diphosphate biosynthetic process, mevalonate pathway. [GOC:al]' - }, - 'GO:2001212': { - 'name': 'regulation of vasculogenesis', - 'def': 'Any process that modulates the frequency, rate or extent of vasculogenesis. [GOC:obol]' - }, - 'GO:2001213': { - 'name': 'negative regulation of vasculogenesis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of vasculogenesis. [GOC:obol]' - }, - 'GO:2001214': { - 'name': 'positive regulation of vasculogenesis', - 'def': 'Any process that activates or increases the frequency, rate or extent of vasculogenesis. [GOC:obol]' - }, - 'GO:2001215': { - 'name': 'regulation of hydroxymethylglutaryl-CoA reductase (NADPH) activity', - 'def': 'Any process that modulates the frequency, rate or extent of hydroxymethylglutaryl-CoA reductase (NADPH) activity. [GOC:al]' - }, - 'GO:2001216': { - 'name': 'negative regulation of hydroxymethylglutaryl-CoA reductase (NADPH) activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of hydroxymethylglutaryl-CoA reductase (NADPH) activity. [GOC:al]' - }, - 'GO:2001217': { - 'name': 'obsolete regulation of S/G2 transition of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that modulates the frequency, rate or extent of S/G2 transition of mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2001218': { - 'name': 'obsolete negative regulation of S/G2 transition of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of S/G2 transition of mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2001219': { - 'name': 'obsolete positive regulation of S/G2 transition of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of S/G2 transition of mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2001220': { - 'name': 'obsolete negative regulation of G2 phase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that stops, prevents or reduces the frequency, rate or extent of G2 phase of mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2001221': { - 'name': 'obsolete positive regulation of G2 phase of mitotic cell cycle', - 'def': 'OBSOLETE. Any process that activates or increases the frequency, rate or extent of G2 phase of mitotic cell cycle. [GOC:mtg_cell_cycle, GOC:obol]' - }, - 'GO:2001222': { - 'name': 'regulation of neuron migration', - 'def': 'Any process that modulates the frequency, rate or extent of neuron migration. [GOC:obol]' - }, - 'GO:2001223': { - 'name': 'negative regulation of neuron migration', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of neuron migration. [GOC:obol]' - }, - 'GO:2001224': { - 'name': 'positive regulation of neuron migration', - 'def': 'Any process that activates or increases the frequency, rate or extent of neuron migration. [GOC:obol]' - }, - 'GO:2001225': { - 'name': 'regulation of chloride transport', - 'def': 'Any process that modulates the frequency, rate or extent of chloride transport. [GOC:dph]' - }, - 'GO:2001226': { - 'name': 'negative regulation of chloride transport', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chloride transport. [GOC:dph]' - }, - 'GO:2001227': { - 'name': 'quercitrin binding', - 'def': 'Interacting selectively and non-covalently with quercitrin. [GOC:obol]' - }, - 'GO:2001228': { - 'name': 'regulation of response to gamma radiation', - 'def': 'Any process that modulates the frequency, rate or extent of response to gamma radiation. [GOC:obol]' - }, - 'GO:2001229': { - 'name': 'negative regulation of response to gamma radiation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of response to gamma radiation. [GOC:obol]' - }, - 'GO:2001230': { - 'name': 'positive regulation of response to gamma radiation', - 'def': 'Any process that activates or increases the frequency, rate or extent of response to gamma radiation. [GOC:obol]' - }, - 'GO:2001231': { - 'name': 'regulation of protein targeting to prospore membrane', - 'def': 'Any process that modulates the frequency, rate or extent of protein targeting to prospore membrane. [GOC:mah]' - }, - 'GO:2001232': { - 'name': 'positive regulation of protein targeting to prospore membrane', - 'def': 'Any process that activates or increases the frequency, rate or extent of protein targeting to prospore membrane. [GOC:mah]' - }, - 'GO:2001233': { - 'name': 'regulation of apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001234': { - 'name': 'negative regulation of apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001235': { - 'name': 'positive regulation of apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001236': { - 'name': 'regulation of extrinsic apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of extrinsic apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001237': { - 'name': 'negative regulation of extrinsic apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of extrinsic apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001238': { - 'name': 'positive regulation of extrinsic apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of extrinsic apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001239': { - 'name': 'regulation of extrinsic apoptotic signaling pathway in absence of ligand', - 'def': 'Any process that modulates the frequency, rate or extent of extrinsic apoptotic signaling pathway in absence of ligand. [GOC:mtg_apoptosis]' - }, - 'GO:2001240': { - 'name': 'negative regulation of extrinsic apoptotic signaling pathway in absence of ligand', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of extrinsic apoptotic signaling pathway in absence of ligand. [GOC:mtg_apoptosis]' - }, - 'GO:2001241': { - 'name': 'positive regulation of extrinsic apoptotic signaling pathway in absence of ligand', - 'def': 'Any process that activates or increases the frequency, rate or extent of extrinsic apoptotic signaling pathway in absence of ligand. [GOC:mtg_apoptosis]' - }, - 'GO:2001242': { - 'name': 'regulation of intrinsic apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of intrinsic apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001243': { - 'name': 'negative regulation of intrinsic apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of intrinsic apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001244': { - 'name': 'positive regulation of intrinsic apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of intrinsic apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001245': { - 'name': 'regulation of phosphatidylcholine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of phosphatidylcholine biosynthetic process. [GOC:obol]' - }, - 'GO:2001246': { - 'name': 'negative regulation of phosphatidylcholine biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of phosphatidylcholine biosynthetic process. [GOC:obol]' - }, - 'GO:2001247': { - 'name': 'positive regulation of phosphatidylcholine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of phosphatidylcholine biosynthetic process. [GOC:obol]' - }, - 'GO:2001248': { - 'name': 'regulation of ammonia assimilation cycle', - 'def': 'Any process that modulates the frequency, rate or extent of ammonia assimilation cycle. [GOC:BHF]' - }, - 'GO:2001249': { - 'name': 'negative regulation of ammonia assimilation cycle', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of ammonia assimilation cycle. [GOC:BHF]' - }, - 'GO:2001250': { - 'name': 'positive regulation of ammonia assimilation cycle', - 'def': 'Any process that activates or increases the frequency, rate or extent of ammonia assimilation cycle. [GOC:BHF]' - }, - 'GO:2001251': { - 'name': 'negative regulation of chromosome organization', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of chromosome organization. [GOC:obol]' - }, - 'GO:2001252': { - 'name': 'positive regulation of chromosome organization', - 'def': 'Any process that activates or increases the frequency, rate or extent of chromosome organization. [GOC:obol]' - }, - 'GO:2001253': { - 'name': 'regulation of histone H3-K36 trimethylation', - 'def': 'Any process that modulates the frequency, rate or extent of histone H3-K36 trimethylation. [PMID:17948059]' - }, - 'GO:2001254': { - 'name': 'negative regulation of histone H3-K36 trimethylation', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of histone H3-K36 trimethylation. [PMID:17948059]' - }, - 'GO:2001255': { - 'name': 'positive regulation of histone H3-K36 trimethylation', - 'def': 'Any process that activates or increases the frequency, rate or extent of histone H3-K36 trimethylation. [PMID:17948059]' - }, - 'GO:2001256': { - 'name': 'regulation of store-operated calcium entry', - 'def': 'Any process that modulates the frequency, rate or extent of store-operated calcium entry. [GOC:BHF]' - }, - 'GO:2001257': { - 'name': 'regulation of cation channel activity', - 'def': 'Any process that modulates the frequency, rate or extent of cation channel activity. [GOC:BHF]' - }, - 'GO:2001258': { - 'name': 'negative regulation of cation channel activity', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cation channel activity. [GOC:BHF]' - }, - 'GO:2001259': { - 'name': 'positive regulation of cation channel activity', - 'def': 'Any process that activates or increases the frequency, rate or extent of cation channel activity. [GOC:BHF]' - }, - 'GO:2001260': { - 'name': 'regulation of semaphorin-plexin signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of semaphorin-plexin signaling pathway. [GOC:BHF]' - }, - 'GO:2001261': { - 'name': 'negative regulation of semaphorin-plexin signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of semaphorin-plexin signaling pathway. [GOC:BHF]' - }, - 'GO:2001262': { - 'name': 'positive regulation of semaphorin-plexin signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of semaphorin-plexin signaling pathway. [GOC:BHF]' - }, - 'GO:2001263': { - 'name': 'regulation of C-C chemokine binding', - 'def': 'Any process that modulates the frequency, rate or extent of C-C chemokine binding. [GOC:obol]' - }, - 'GO:2001264': { - 'name': 'negative regulation of C-C chemokine binding', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of C-C chemokine binding. [GOC:obol]' - }, - 'GO:2001265': { - 'name': 'positive regulation of C-C chemokine binding', - 'def': 'Any process that activates or increases the frequency, rate or extent of C-C chemokine binding. [GOC:obol]' - }, - 'GO:2001266': { - 'name': 'Roundabout signaling pathway involved in axon guidance', - 'def': 'Any Roundabout signaling pathway that is involved in axon guidance. [GOC:bf, PMID:14527427, PMID:21820427]' - }, - 'GO:2001267': { - 'name': 'regulation of cysteine-type endopeptidase activity involved in apoptotic signaling pathway', - 'def': 'Any process that modulates the frequency, rate or extent of cysteine-type endopeptidase activity involved in apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001268': { - 'name': 'negative regulation of cysteine-type endopeptidase activity involved in apoptotic signaling pathway', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cysteine-type endopeptidase activity involved in apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001269': { - 'name': 'positive regulation of cysteine-type endopeptidase activity involved in apoptotic signaling pathway', - 'def': 'Any process that activates or increases the frequency, rate or extent of cysteine-type endopeptidase activity involved in apoptotic signaling pathway. [GOC:mtg_apoptosis]' - }, - 'GO:2001270': { - 'name': 'regulation of cysteine-type endopeptidase activity involved in execution phase of apoptosis', - 'def': 'Any process that modulates the frequency, rate or extent of cysteine-type endopeptidase activity involved in execution phase of apoptosis. [GOC:mtg_apoptosis]' - }, - 'GO:2001271': { - 'name': 'negative regulation of cysteine-type endopeptidase activity involved in execution phase of apoptosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of cysteine-type endopeptidase activity involved in execution phase of apoptosis. [GOC:mtg_apoptosis]' - }, - 'GO:2001272': { - 'name': 'positive regulation of cysteine-type endopeptidase activity involved in execution phase of apoptosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of cysteine-type endopeptidase activity involved in execution phase of apoptosis. [GOC:mtg_apoptosis]' - }, - 'GO:2001273': { - 'name': 'regulation of glucose import in response to insulin stimulus', - 'def': 'Any process that modulates the frequency, rate or extent of glucose import in response to insulin stimulus. [GOC:BHF]' - }, - 'GO:2001274': { - 'name': 'negative regulation of glucose import in response to insulin stimulus', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of glucose import in response to insulin stimulus. [GOC:BHF]' - }, - 'GO:2001275': { - 'name': 'positive regulation of glucose import in response to insulin stimulus', - 'def': 'Any process that activates or increases the frequency, rate or extent of glucose import in response to insulin stimulus. [GOC:BHF]' - }, - 'GO:2001276': { - 'name': 'regulation of leucine biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of leucine biosynthetic process. [GOC:obol]' - }, - 'GO:2001277': { - 'name': 'negative regulation of leucine biosynthetic process', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of leucine biosynthetic process. [GOC:obol]' - }, - 'GO:2001278': { - 'name': 'positive regulation of leucine biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of leucine biosynthetic process. [GOC:obol]' - }, - 'GO:2001279': { - 'name': 'regulation of unsaturated fatty acid biosynthetic process', - 'def': 'Any process that modulates the frequency, rate or extent of unsaturated fatty acid biosynthetic process. [GO:0006636]' - }, - 'GO:2001280': { - 'name': 'positive regulation of unsaturated fatty acid biosynthetic process', - 'def': 'Any process that activates or increases the frequency, rate or extent of unsaturated fatty acid biosynthetic process. [GO:0006636]' - }, - 'GO:2001281': { - 'name': 'regulation of muscle cell chemotaxis toward tendon cell', - 'def': 'Any process that modulates the frequency, rate or extent of muscle cell chemotaxis toward tendon cell. [GOC:sart]' - }, - 'GO:2001282': { - 'name': 'negative regulation of muscle cell chemotaxis toward tendon cell', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of the directed movement of a muscle cell towards a tendon cell in response to an external stimulus. For example, when the muscle cell arrives at the target tendon cell, migration is arrested so that attachments can be made between the cells. [GOC:sart, PMID:19793885, PMID:20404543]' - }, - 'GO:2001283': { - 'name': 'Roundabout signaling pathway involved in muscle cell chemotaxis toward tendon cell', - 'def': 'Any Roundabout signaling pathway that is involved in the directed movement of a muscle cell towards a tendon cell in response to an external stimulus. [GOC:bf, GOC:obol, GOC:sart, PMID:19793885]' - }, - 'GO:2001284': { - 'name': 'regulation of BMP secretion', - 'def': 'Any process that modulates the frequency, rate or extent of BMP secretion. [GOC:sart]' - }, - 'GO:2001285': { - 'name': 'negative regulation of BMP secretion', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of BMP secretion. [GOC:sart]' - }, - 'GO:2001286': { - 'name': 'regulation of caveolin-mediated endocytosis', - 'def': 'Any process that modulates the frequency, rate or extent of caveolin-mediated endocytosis. [GOC:obol]' - }, - 'GO:2001287': { - 'name': 'negative regulation of caveolin-mediated endocytosis', - 'def': 'Any process that stops, prevents or reduces the frequency, rate or extent of caveolin-mediated endocytosis. [GOC:obol]' - }, - 'GO:2001288': { - 'name': 'positive regulation of caveolin-mediated endocytosis', - 'def': 'Any process that activates or increases the frequency, rate or extent of caveolin-mediated endocytosis. [GOC:obol]' - }, - 'GO:2001289': { - 'name': 'lipid X metabolic process', - 'def': 'The chemical reactions and pathways involving lipid X, 2,3-diacylglucosamine 1-phosphate. [GOC:obol]' - }, - 'GO:2001290': { - 'name': 'hydroperoxide metabolic process', - 'def': 'The chemical reactions and pathways involving a hydroperoxide. [CHEBI:35923, GOC:rs, PMID:15917183, PMID:18084891]' - }, - 'GO:2001291': { - 'name': 'codeine metabolic process', - 'def': 'The chemical reactions and pathways involving codeine, an alkaloid found in the opium poppy, Papaver somniferum var. album. Codeine has analgesic, anti-tussive and anti-diarrhoeal properties. [CHEBI:16714, GOC:yaf]' - }, - 'GO:2001292': { - 'name': 'codeine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of codeine, an alkaloid found in the opium poppy, Papaver somniferum var. album. Codeine has analgesic, anti-tussive and anti-diarrhoeal properties. [CHEBI:16714, GOC:yaf, UniPathway:UPA00318]' - }, - 'GO:2001293': { - 'name': 'malonyl-CoA metabolic process', - 'def': 'The chemical reactions and pathways involving malonyl-CoA, the S-malonyl derivative of coenzyme A. [CHEBI:15531, GOC:yaf, PMID:11902724, PMID:15726818, PMID:18981598]' - }, - 'GO:2001294': { - 'name': 'malonyl-CoA catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of malonyl-CoA, the S-malonyl derivative of coenzyme A. [CHEBI:15531, GOC:yaf]' - }, - 'GO:2001295': { - 'name': 'malonyl-CoA biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of malonyl-CoA, the S-malonyl derivative of coenzyme A. [CHEBI:15531, GOC:yaf, UniPathway:UPA00655]' - }, - 'GO:2001296': { - 'name': 'N(omega)-methyl-L-arginine metabolic process', - 'def': 'The chemical reactions and pathways involving N(omega)-methyl-L-arginine. [CHEBI:28229, GOC:rs, PMID:10510241]' - }, - 'GO:2001297': { - 'name': 'N(omega)-methyl-L-arginine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of N(omega)-methyl-L-arginine. [CHEBI:28229, GOC:rs, PMID:10510241]' - }, - 'GO:2001298': { - 'name': 'N(omega),N(omega)-dimethyl-L-arginine metabolic process', - 'def': 'The chemical reactions and pathways involving N(omega),N(omega)-dimethyl-L-arginine, a methyl-L-arginine having two methyl groups both attached to the primary amino moiety of the guanidino group. [CHEBI:17929, GOC:rs, PMID:10510241]' - }, - 'GO:2001299': { - 'name': 'N(omega),N(omega)-dimethyl-L-arginine catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of N(omega),N(omega)-dimethyl-L-arginine, a methyl-L-arginine having two methyl groups both attached to the primary amino moiety of the guanidino group. [CHEBI:17929, GOC:rs, PMID:10510241]' - }, - 'GO:2001300': { - 'name': 'lipoxin metabolic process', - 'def': 'The chemical reactions and pathways involving a lipoxin. A lipoxin is a non-classic eicosanoid and signalling molecule that has four conjugated double bonds and is derived from arachidonic acid. [CHEBI:6497, GOC:mw]' - }, - 'GO:2001301': { - 'name': 'lipoxin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a lipoxin. A lipoxin is a non-classic eicosanoid and signalling molecule that has four conjugated double bonds and is derived from arachidonic acid. [CHEBI:6497, GOC:mw]' - }, - 'GO:2001302': { - 'name': 'lipoxin A4 metabolic process', - 'def': 'The chemical reactions and pathways involving lipoxin A4. Lipoxin A4 is a C20 hydroxy fatty acid having (5S)-, (6R)- and (15S)-hydroxy groups as well as (7E)- (9E)-, (11Z)- and (13E)-double bonds. [CHEBI:6498, GOC:mw]' - }, - 'GO:2001303': { - 'name': 'lipoxin A4 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lipoxin A4. Lipoxin A4 is a C20 hydroxy fatty acid having (5S)-, (6R)- and (15S)-hydroxy groups as well as (7E)- (9E)-, (11Z)- and (13E)-double bonds. [CHEBI:6498, GOC:mw]' - }, - 'GO:2001304': { - 'name': 'lipoxin B4 metabolic process', - 'def': 'The chemical reactions and pathways involving lipoxin B4. Lipoxin B4 is a C20 hydroxy fatty acid having (5S)-, (14R)- and (15S)-hydroxy groups as well as (6E)- (8Z)-, (10E)- and (12E)-double bonds. [CHEBI:6499, GOC:mw]' - }, - 'GO:2001305': { - 'name': 'xanthone-containing compound metabolic process', - 'def': 'The chemical reactions and pathways involving a xanthone-containing compound. [CHEBI:51149, GOC:di]' - }, - 'GO:2001306': { - 'name': 'lipoxin B4 biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of lipoxin B4. Lipoxin B4 is a C20 hydroxy fatty acid having (5S)-, (14R)- and (15S)-hydroxy groups as well as (6E)- (8Z)-, (10E)- and (12E)-double bonds. [CHEBI:6499, GOC:mw]' - }, - 'GO:2001307': { - 'name': 'xanthone-containing compound biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a xanthone-containing compound. [CHEBI:51149, GOC:di]' - }, - 'GO:2001308': { - 'name': 'gliotoxin metabolic process', - 'def': 'The chemical reactions and pathways involving the epipolythiodioxopiperazine gliotoxin, a poisonous substance produced by some species of fungi. [CHEBI:299453, CHEBI:5385, GOC:di, PMID:16333108, PMID:17574915, PMID:18272357]' - }, - 'GO:2001309': { - 'name': 'gliotoxin catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of the epipolythiodioxopiperazine gliotoxin, a poisonous substance produced by some species of fungi. [CHEBI:299453, CHEBI:5385, GOC:di, PMID:16333108, PMID:17574915, PMID:18272357]' - }, - 'GO:2001310': { - 'name': 'gliotoxin biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of the epipolythiodioxopiperazine gliotoxin, a poisonous substance produced by some species of fungi. [CHEBI:299453, CHEBI:5385, GOC:di, PMID:16333108, PMID:17574915, PMID:18272357]' - }, - 'GO:2001311': { - 'name': 'lysobisphosphatidic acid metabolic process', - 'def': "The chemical reactions and pathways involving a lysobisphosphatidic acid. A lysobisphosphatidic acid is a lysophosphatidic acid having the unusual property of a phosphodiester moiety linked to positions sn-1 and sn1' of glycerol; and two additional fatty acids esterified to the glycerol head group. [CHEBI:60815, GOC:mw]" - }, - 'GO:2001312': { - 'name': 'lysobisphosphatidic acid biosynthetic process', - 'def': "The chemical reactions and pathways resulting in the formation of a lysobisphosphatidic acid. A lysobisphosphatidic acid is a lysophosphatidic acid having the unusual property of a phosphodiester moiety linked to positions sn-1 and sn1' of glycerol; and two additional fatty acids esterified to the glycerol head group. [CHEBI:60815, GOC:mw]" - }, - 'GO:2001313': { - 'name': 'UDP-4-deoxy-4-formamido-beta-L-arabinopyranose metabolic process', - 'def': 'The chemical reactions and pathways involving a UDP-4-deoxy-4-formamido-beta-L-arabinopyranose. [CHEBI:47027, GOC:yaf]' - }, - 'GO:2001314': { - 'name': 'UDP-4-deoxy-4-formamido-beta-L-arabinopyranose catabolic process', - 'def': 'The chemical reactions and pathways resulting in the breakdown of a UDP-4-deoxy-4-formamido-beta-L-arabinopyranose. [CHEBI:47027, GOC:yaf]' - }, - 'GO:2001315': { - 'name': 'UDP-4-deoxy-4-formamido-beta-L-arabinopyranose biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of a UDP-4-deoxy-4-formamido-beta-L-arabinopyranose. [CHEBI:47027, GOC:yaf, UniPathway:UPA00032]' - }, - 'GO:2001316': { - 'name': 'kojic acid metabolic process', - 'def': 'The chemical reactions and pathways involving kojic acid. [CHEBI:43572, GOC:di]' - }, - 'GO:2001317': { - 'name': 'kojic acid biosynthetic process', - 'def': 'The chemical reactions and pathways resulting in the formation of kojic acid. [CHEBI:43572, GOC:di]' - }, - 'ends_during': { - 'name': 'ends_during', - 'def': '' - }, - 'happens_during': { - 'name': 'happens_during', - 'def': '' - }, - 'has_part': { - 'name': 'has_part', - 'def': '' - }, - 'negatively_regulates': { - 'name': 'negatively regulates', - 'def': '' - }, - 'never_in_taxon': { - 'name': 'never_in_taxon', - 'def': '' - }, - 'occurs_in': { - 'name': 'occurs in', - 'def': '' - }, - 'part_of': { - 'name': 'part of', - 'def': '' - }, - 'positively_regulates': { - 'name': 'positively regulates', - 'def': '' - }, - 'regulates': { - 'name': 'regulates', - 'def': '' - }, - 'starts_during': { - 'name': 'starts_during', - 'def': '' - } - } - \ No newline at end of file diff --git a/frontend/namespace/lookupRole.js b/frontend/namespace/lookupRole.js index d4ecb67c..2892369e 100644 --- a/frontend/namespace/lookupRole.js +++ b/frontend/namespace/lookupRole.js @@ -1,6 +1,6 @@ const namespace = require('./namespace') const sequenceOntology = require('./sequence-ontology') -const geneOntology = require('./gene-ontology') +// const geneOntology = require('./gene-ontology') function lookupRole (uri) { uri = '' + uri @@ -17,17 +17,17 @@ function lookupRole (uri) { } } - for (let prefix of namespace.go) { - if (uri.startsWith(prefix)) { - var goTerm = uri.slice(prefix.length).split('_').join(':') - - return { - uri: uri, - term: goTerm, - description: geneOntology[goTerm] ? geneOntology[goTerm] : { name: goTerm } - } - } - } + // for (let prefix of namespace.go) { + // if (uri.startsWith(prefix)) { + // var goTerm = uri.slice(prefix.length).split('_').join(':') + + // return { + // uri: uri, + // term: goTerm, + // description: geneOntology[goTerm] ? geneOntology[goTerm] : { name: goTerm } + // } + // } + // } var igemPrefix = 'http://wiki.synbiohub.org/wiki/Terms/igem#partType/' From d0a25f774d296c9eeadb4a56d75bae13820dbea5 Mon Sep 17 00:00:00 2001 From: learner97 Date: Fri, 31 May 2024 13:16:56 -0600 Subject: [PATCH 4/6] commit hash update --- frontend/public/commitHash.txt | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/frontend/public/commitHash.txt b/frontend/public/commitHash.txt index 45d46db7..8153d730 100644 --- a/frontend/public/commitHash.txt +++ b/frontend/public/commitHash.txt @@ -1 +1 @@ -cd5bf26ea115809d061260d3b74b287ae7901578 \ No newline at end of file +09087b828c3899f61427d0882b8db9f78cdd2229 \ No newline at end of file From 8373497b28ecf2c0c8812819cb1d2d0450b27bd4 Mon Sep 17 00:00:00 2001 From: learner97 Date: Fri, 31 May 2024 13:29:14 -0600 Subject: [PATCH 5/6] removed some console logs --- frontend/components/TopLevel.js | 5 ----- .../Viewing/PageJSON/Fetching/executeQueryFromTableJSON.js | 2 -- .../components/Viewing/PageJSON/Rendering/TableBuilder.js | 4 ---- frontend/components/Viewing/Sections/Details/EditSection.js | 1 - frontend/pages/root-collections.js | 2 -- frontend/redux/actions.js | 2 -- 6 files changed, 16 deletions(-) diff --git a/frontend/components/TopLevel.js b/frontend/components/TopLevel.js index d04c93da..bc83b891 100644 --- a/frontend/components/TopLevel.js +++ b/frontend/components/TopLevel.js @@ -51,9 +51,6 @@ export default function TopLevel(properties) { }) ]); - console.log(registriesResponse.data); - console.log(themeResponse.data); - const registriesData = registriesResponse.data.registries || []; const themeData = themeResponse.data || []; @@ -77,8 +74,6 @@ export default function TopLevel(properties) { if (!pageVisited && !properties.doNotTrack) dispatch(markPageVisited(true)); }, [pageVisited, properties.doNotTrack]); - console.log(localStorage); - useEffect(() => { if (!loggedIn) { const username = localStorage.getItem('username'); diff --git a/frontend/components/Viewing/PageJSON/Fetching/executeQueryFromTableJSON.js b/frontend/components/Viewing/PageJSON/Fetching/executeQueryFromTableJSON.js index f6534307..b795a7b0 100644 --- a/frontend/components/Viewing/PageJSON/Fetching/executeQueryFromTableJSON.js +++ b/frontend/components/Viewing/PageJSON/Fetching/executeQueryFromTableJSON.js @@ -12,8 +12,6 @@ export default function executeQueryFromTableJSON( uri = "URI is undefined"; } - console.log(uri); - return getQueryResponse( dispatch, prefixes + '\n' + buildQuery(uri, table), diff --git a/frontend/components/Viewing/PageJSON/Rendering/TableBuilder.js b/frontend/components/Viewing/PageJSON/Rendering/TableBuilder.js index 1a45c8a7..fcfad0b8 100644 --- a/frontend/components/Viewing/PageJSON/Rendering/TableBuilder.js +++ b/frontend/components/Viewing/PageJSON/Rendering/TableBuilder.js @@ -48,12 +48,8 @@ function TableRenderer({ uri, prefixes, table, metadata, owner }) { const token = useSelector(state => state.user.token); const [content, setContent] = useState(null); const dispatch = useDispatch(); - console.log(uri); - console.log(prefixes); - console.log(table); useEffect(() => { executeQueryFromTableJSON(dispatch, uri, prefixes, table).then(response => { - console.log(response); setContent(parseQueryResult(table, response, prefixes)); }); }, [uri, prefixes, table]); diff --git a/frontend/components/Viewing/Sections/Details/EditSection.js b/frontend/components/Viewing/Sections/Details/EditSection.js index 5734c152..df638c87 100644 --- a/frontend/components/Viewing/Sections/Details/EditSection.js +++ b/frontend/components/Viewing/Sections/Details/EditSection.js @@ -203,7 +203,6 @@ export default function EditSection(properties) { //Parses the citation info and sets it to a variable. getCitationInfo(trimmedInput).then(parsedCitations => { - console.log(parsedCitations); if (parsedCitations === undefined || (Array.isArray(parsedCitations) && parsedCitations.length === 0) && trimmedInput !== "") { alert("Invalid PMID."); } else { diff --git a/frontend/pages/root-collections.js b/frontend/pages/root-collections.js index df8ce689..ba9f3cda 100644 --- a/frontend/pages/root-collections.js +++ b/frontend/pages/root-collections.js @@ -68,8 +68,6 @@ export default function RootCollections() { } }, [data, query]); - console.log(filteredData); - if (error) { // Render error message or handle error as needed diff --git a/frontend/redux/actions.js b/frontend/redux/actions.js index c316ee75..7e472c8d 100644 --- a/frontend/redux/actions.js +++ b/frontend/redux/actions.js @@ -833,8 +833,6 @@ export const createCollection = let response; - console.log(id, version, name, description, citations, overwrite_merge); - try { response = await axios.post(url, form, { headers }); } catch (error) { From 5db3d108cf7078aff1a74592fb4d731e828e1cf9 Mon Sep 17 00:00:00 2001 From: learner97 Date: Fri, 31 May 2024 13:48:51 -0600 Subject: [PATCH 6/6] commented out download test --- tests/test_download.py | 2 +- 1 file changed, 1 insertion(+), 1 deletion(-) diff --git a/tests/test_download.py b/tests/test_download.py index dbcd9e30..8dc6624a 100644 --- a/tests/test_download.py +++ b/tests/test_download.py @@ -26,7 +26,7 @@ def test_download(self): # compare_get_request_download("/user/:userId/:collectionId/:displayId/:version/sbol", route_parameters = ["testuser","test_attachment","part_pIKE_Toggle_1","1"], headers = headers) # compare_get_request_download("/user/:userId/:collectionId/:displayId/:version/sbolnr", route_parameters = ["testuser","test_attachment","part_pIKE_Toggle_1","1"], headers = headers) - compare_get_request_download("/public/:collectionId/:displayId/:version/metadata", route_parameters = ["igem","BBa_B0034", "1"], headers = headers, test_type = test_type) + # compare_get_request_download("/public/:collectionId/:displayId/:version/metadata", route_parameters = ["igem","BBa_B0034", "1"], headers = headers, test_type = test_type) #compare_get_request_download("/public/:collectionId/:displayId/:version/gff", route_parameters = ["igem","BBa_B0034", "1"], headers = headers, test_type = test_type) #compare_get_request_download("/public/:collectionId/:displayId/:version/fasta", route_parameters = ["igem","BBa_B0034", "1"], headers = headers, test_type = test_type)